diff --git a/.gitignore b/.gitignore index 7be1202..0fd834d 100644 --- a/.gitignore +++ b/.gitignore @@ -1,2 +1,3 @@ .idea/ *.xml +.idea/vcs.xml diff --git "a/BasicAlgorithm/notes/04\346\216\222\345\272\217\347\256\227\346\263\225\347\232\204\350\241\245\345\205\205.md" "b/BasicAlgorithm/notes/04\346\216\222\345\272\217\347\256\227\346\263\225\347\232\204\350\241\245\345\205\205.md" deleted file mode 100644 index 44dd675..0000000 --- "a/BasicAlgorithm/notes/04\346\216\222\345\272\217\347\256\227\346\263\225\347\232\204\350\241\245\345\205\205.md" +++ /dev/null @@ -1,210 +0,0 @@ - -* [排序算法的补充](#排序算法的补充) - * [计数排序](#计数排序) - * [桶排序](#桶排序) - * [基数排序](#基数排序) - - -# 排序算法的补充 - -- 非线性时间比较类排序:通过**比较**来决定元素间的相对次序, -由于其时间复杂度不能突破O(nlogn),因此称为**非线性时间比较类排序**。 - -线性时间非比较类排序:不通过比较来决定元素间的相对次序,它可以突破基于比较排序的时间下界,**以线性时间运行**, -因此称为**线性时间非比较类排序**。 - -

- -## 计数排序 -计数排序不是基于比较的排序算法,其核心在于将输入的数据值转化为键存储在额外开辟的数组空间中。 -作为一种线性时间复杂度的排序,计数排序要求**输入的数据必须是有确定范围的整数**。 - -### 1.算法描述 -- 找出待排序的数组中最大和最小的元素 -- 统计数组中每个值为i的元素出现的次数,存入数组C的第i项 -- 对所有的计数累加(从C中的第一个元素开始,每一项和前一项相加) -- 反向填充目标数组:将每个元素i放在新数组的第C(i)项,每放一个元素就将C(i)减去1。 - -### 2.代码实现 -```java -public class CountSort{ - public void sort(int[] arr) { - if (arr == null || arr.length < 2) { - return; - } - int max = Integer.MIN_VALUE; - for (int i = 0; i < arr.length; i++) { - max = Math.max(max, arr[i]); - } - int[] bucket = new int[max + 1]; - for (int i = 0; i < arr.length; i++) { - bucket[arr[i]]++; - } - int sortedIndex = 0; - for (int j = 0; j < bucket.length; j++) { - while (bucket[j]-- > 0) { - arr[sortedIndex++] = j; - } - } - } -} -``` - -## 桶排序 - -### 1.算法描述 -桶排序是计数排序的升级版。 -它利用了函数的映射关系,高效与否的关键就在于这个映射函数的确定。 - -桶排序 (Bucket sort)的工作的原理: -假设输入数据服从均匀分布,将数据分到有限数量的桶里, -每个桶再分别排序(有可能再使用别的排序算法或是以递归方式继续使用桶排序进行排序) - -### 2.桶排序的应用 -- 计算数组排序后相邻数的最大差值。(要求时间复杂度:O(n)) - -```java -public class MaxGap { - public static int maxGap(int[] arr){ - if(arr==null || arr.length<2){ - return 0; - } - int len=arr.length; - int min=Integer.MAX_VALUE; - int max=Integer.MIN_VALUE; - for(int i=0;i
- -### 2.代码实现 -```java -public class RadixSort { - //取得数组中的最大数,并取得位数 - private int maxBits(int[] arr){ - int max=Integer.MIN_VALUE; - for(int i=0;i=begin;i--){ - j=getDigit(arr[i],d); - bucket[count[j]-1]=arr[i]; - count[j]--; - } - for(i=begin,j=0;i<=end;i++,j++){ - arr[i]=bucket[i]; - } - } - } - - public void sort(int[] arr){ - if(arr==null || arr.length<2){ - return; - } - sort(arr,0,arr.length-1,maxBits(arr)); - } -} -``` \ No newline at end of file diff --git "a/BasicAlgorithm/notes/05\346\216\222\345\272\217\347\256\227\346\263\225\345\260\217\347\273\223.md" "b/BasicAlgorithm/notes/05\346\216\222\345\272\217\347\256\227\346\263\225\345\260\217\347\273\223.md" deleted file mode 100644 index f73c31c..0000000 --- "a/BasicAlgorithm/notes/05\346\216\222\345\272\217\347\256\227\346\263\225\345\260\217\347\273\223.md" +++ /dev/null @@ -1,20 +0,0 @@ -# 小结 - -## 1.排序算法的分类 - -

- -## 2.排序算法的比较 - -

- -快速排序是最快的通用排序算法,它的内循环的指令很少,而且它还能利用缓存,因为它总是顺序地访问数据。 -它的运行时间近似为 \~cNlogN,这里的 c 比其它线性对数级别的排序算法都要小。 - -使用三向切分快速排序,实际应用中可能出现的某些分布的输入能够达到线性级别, -而其它排序算法仍然需要线性对数时间。 - -### 3. Java 的排序算法实现 - -Java 主要排序方法为 java.util.Arrays.sort(),对于**原始数据类型使用三向切分的快速排序**, -对于**引用类型使用归并排序**。 \ No newline at end of file diff --git a/BasicAlgorithm/notes/pics/01_1.png b/BasicAlgorithm/notes/pics/01_1.png deleted file mode 100644 index 3b05b25..0000000 Binary files a/BasicAlgorithm/notes/pics/01_1.png and /dev/null differ diff --git a/BasicAlgorithm/notes/pics/01_2.png b/BasicAlgorithm/notes/pics/01_2.png deleted file mode 100644 index c459230..0000000 Binary files a/BasicAlgorithm/notes/pics/01_2.png and /dev/null differ diff --git a/BasicAlgorithm/notes/pics/01_3.png b/BasicAlgorithm/notes/pics/01_3.png deleted file mode 100644 index fc0999f..0000000 Binary files a/BasicAlgorithm/notes/pics/01_3.png and /dev/null differ diff --git a/BasicAlgorithm/notes/pics/02_1.png b/BasicAlgorithm/notes/pics/02_1.png deleted file mode 100644 index 7910525..0000000 Binary files a/BasicAlgorithm/notes/pics/02_1.png and /dev/null differ diff --git a/BasicAlgorithm/notes/pics/02_2.png b/BasicAlgorithm/notes/pics/02_2.png deleted file mode 100644 index e8a69bf..0000000 Binary files a/BasicAlgorithm/notes/pics/02_2.png and /dev/null differ diff --git a/BasicAlgorithm/notes/pics/02_3.png b/BasicAlgorithm/notes/pics/02_3.png deleted file mode 100644 index 86e2294..0000000 Binary files a/BasicAlgorithm/notes/pics/02_3.png and /dev/null differ diff --git a/BasicAlgorithm/notes/pics/03_1.png b/BasicAlgorithm/notes/pics/03_1.png deleted file mode 100644 index 7786868..0000000 Binary files a/BasicAlgorithm/notes/pics/03_1.png and /dev/null differ diff --git a/BasicAlgorithm/notes/pics/03_2.png b/BasicAlgorithm/notes/pics/03_2.png deleted file mode 100644 index 6e8383f..0000000 Binary files a/BasicAlgorithm/notes/pics/03_2.png and /dev/null differ diff --git a/BasicAlgorithm/notes/pics/03_3.png b/BasicAlgorithm/notes/pics/03_3.png deleted file mode 100644 index 5299728..0000000 Binary files a/BasicAlgorithm/notes/pics/03_3.png and /dev/null differ diff --git a/BasicAlgorithm/notes/pics/03_4.png b/BasicAlgorithm/notes/pics/03_4.png deleted file mode 100644 index dc44da3..0000000 Binary files a/BasicAlgorithm/notes/pics/03_4.png and /dev/null differ diff --git a/BasicAlgorithm/notes/pics/03_5.png b/BasicAlgorithm/notes/pics/03_5.png deleted file mode 100644 index d49b172..0000000 Binary files a/BasicAlgorithm/notes/pics/03_5.png and /dev/null differ diff --git a/BasicAlgorithm/notes/pics/03_6.png b/BasicAlgorithm/notes/pics/03_6.png deleted file mode 100644 index 3d5adab..0000000 Binary files a/BasicAlgorithm/notes/pics/03_6.png and /dev/null differ diff --git a/BasicAlgorithm/notes/pics/04_1.gif b/BasicAlgorithm/notes/pics/04_1.gif deleted file mode 100644 index 2a55695..0000000 Binary files a/BasicAlgorithm/notes/pics/04_1.gif and /dev/null differ diff --git a/BasicAlgorithm/notes/pics/05_1.png b/BasicAlgorithm/notes/pics/05_1.png deleted file mode 100644 index 9d720f4..0000000 Binary files a/BasicAlgorithm/notes/pics/05_1.png and /dev/null differ diff --git a/BasicAlgorithm/notes/pics/06_1.png b/BasicAlgorithm/notes/pics/06_1.png deleted file mode 100644 index 325d983..0000000 Binary files a/BasicAlgorithm/notes/pics/06_1.png and /dev/null differ diff --git a/BasicAlgorithm/pics/01_1.png b/BasicAlgorithm/pics/01_1.png deleted file mode 100644 index 3b05b25..0000000 Binary files a/BasicAlgorithm/pics/01_1.png and /dev/null differ diff --git a/BasicAlgorithm/pics/01_2.png b/BasicAlgorithm/pics/01_2.png deleted file mode 100644 index c459230..0000000 Binary files a/BasicAlgorithm/pics/01_2.png and /dev/null differ diff --git a/BasicAlgorithm/pics/01_3.png b/BasicAlgorithm/pics/01_3.png deleted file mode 100644 index fc0999f..0000000 Binary files a/BasicAlgorithm/pics/01_3.png and /dev/null differ diff --git a/BasicAlgorithm/src/code_00_basicSort/Sort.java b/BasicAlgorithm/src/code_00_basicSort/Sort.java deleted file mode 100644 index b1e8b5c..0000000 --- a/BasicAlgorithm/src/code_00_basicSort/Sort.java +++ /dev/null @@ -1,19 +0,0 @@ -package code_00_basicSort; - -/** - * Created by 18351 on 2019/1/10. - */ -public abstract class Sort> { - - public abstract void sort(T[] arr); - - protected boolean less(T v, T w) { - return v.compareTo(w) < 0; - } - - protected void swap(T[] arr, int i, int j) { - T t = arr[i]; - arr[i] = arr[j]; - arr[j] = t; - } -} diff --git a/BasicAlgorithm/src/code_00_basicSort/SortTestHelper.java b/BasicAlgorithm/src/code_00_basicSort/SortTestHelper.java deleted file mode 100644 index 2b1493a..0000000 --- a/BasicAlgorithm/src/code_00_basicSort/SortTestHelper.java +++ /dev/null @@ -1,48 +0,0 @@ -package code_00_basicSort; - -/** - * 随机生成算法测试用例 - */ -public class SortTestHelper { - // SortTestHelper不允许产生任何实例 - private SortTestHelper(){ - - } - - //生成有n个整数元素的随机数组,每个元素的随机范围为[rangeL, rangeR] - public static Integer[] generateRandomArray(int n,int rangeL,int rangeR){ - assert rangeL<=rangeR; - - Integer[] arr=new Integer[n]; - for(int i=0;i 0 ){ - return false; - } - } - return true; - } -} diff --git a/BasicAlgorithm/src/code_00_basicSort/SortTestUtils.java b/BasicAlgorithm/src/code_00_basicSort/SortTestUtils.java deleted file mode 100644 index 9a26985..0000000 --- a/BasicAlgorithm/src/code_00_basicSort/SortTestUtils.java +++ /dev/null @@ -1,39 +0,0 @@ -package code_00_basicSort; - -/** - * 测试算法的性能测试的工具类 - */ -public class SortTestUtils { - private SortTestUtils(){ - - } - - //判断数组是否有序(按照升序排列) - public static boolean isSorted(Comparable[] arr){ - for(int i=0;i0){ - return false; - } - } - return true; - } - - // 测试sortClassName所对应的排序算法排序arr数组所得到结果的正确性和算法运行时间 - public static void testSort(Sort sort, Comparable[] arr){ - try{ - Class sortClass=sort.getClass(); - - long startTime = System.currentTimeMillis(); - // 调用排序函数 - sort.sort(arr); - long endTime = System.currentTimeMillis(); - - assert isSorted( arr ); - - System.out.println(sortClass.getSimpleName()+ " : " + (endTime-startTime) + "ms" ); - } - catch(Exception e){ - e.printStackTrace(); - } - } -} diff --git a/BasicAlgorithm/src/code_00_basicSort/code_00_selectionSort/SelectionSort.java b/BasicAlgorithm/src/code_00_basicSort/code_00_selectionSort/SelectionSort.java deleted file mode 100644 index 4dfcb7a..0000000 --- a/BasicAlgorithm/src/code_00_basicSort/code_00_selectionSort/SelectionSort.java +++ /dev/null @@ -1,22 +0,0 @@ -package code_00_basicSort.code_00_selectionSort; - -import code_00_basicSort.Sort; - -/** - * Created by 18351 on 2019/1/10. - */ -public class SelectionSort> extends Sort { - @Override - public void sort(T[] arr) { - int N= arr.length; - for(int i=0;i { - - private String name; - private int score; - - public Student(String name, int score){ - this.name = name; - this.score = score; - } - - // 定义Student的compareTo函数 - // 如果分数相等,则按照名字的字母序排序 - // 如果分数不等,则分数高的靠前 - @Override - public int compareTo(Student that) { - if( this.score < that.score ){ - return -1; - } else if( this.score > that.score ){ - return 1; - } else{ - // this.score == that.score - return this.name.compareTo(that.name); - } - } - - // 定义Student实例的打印输出方式 - @Override - public String toString() { - return "{Student: " + this.name + " " + Integer.toString( this.score )+"}"; - } -} diff --git a/BasicAlgorithm/src/code_00_basicSort/code_01_bubbleSort/BubbleSort.java b/BasicAlgorithm/src/code_00_basicSort/code_01_bubbleSort/BubbleSort.java deleted file mode 100644 index 2bd2920..0000000 --- a/BasicAlgorithm/src/code_00_basicSort/code_01_bubbleSort/BubbleSort.java +++ /dev/null @@ -1,24 +0,0 @@ -package code_00_basicSort.code_01_bubbleSort; - -import code_00_basicSort.Sort; - -/** - * Created by 18351 on 2019/1/10. - */ -public class BubbleSort> extends Sort { - @Override - public void sort(T[] arr) { - int N=arr.length; - //设定一个标记,若为true,则表示此次循环没有进行交换,也就是待排序列已经有序,排序已然完成。 - boolean hasSorted=false; - for(int i=N-1;i>0 && !hasSorted;i--){ - hasSorted=true; - for(int j=0;j> extends Sort { - @Override - public void sort(T[] arr) { - int N=arr.length; - for(int i=1;i0 && less(arr[j],arr[j-1]);j--){ - swap(arr,j-1,j); - } - } - } -} \ No newline at end of file diff --git a/BasicAlgorithm/src/code_00_basicSort/code_02_insertionSort/InsertionSortTest.java b/BasicAlgorithm/src/code_00_basicSort/code_02_insertionSort/InsertionSortTest.java deleted file mode 100644 index 096e2e2..0000000 --- a/BasicAlgorithm/src/code_00_basicSort/code_02_insertionSort/InsertionSortTest.java +++ /dev/null @@ -1,37 +0,0 @@ -package code_00_basicSort.code_02_insertionSort; - -import code_00_basicSort.SortTestHelper; -import code_00_basicSort.code_00_selectionSort.Student; - -/** - * Created by 18351 on 2019/1/10. - */ -public class InsertionSortTest { - public static void main(String[] args) { - InsertionSort insertionSort=new InsertionSort(); - - // 测试Integer - Integer[] a = {10,9,8,7,6,5,4,3,2,1}; - insertionSort.sort(a); - SortTestHelper.printArray(a); - - // 测试Double - Double[] b = {4.4, 3.3, 2.2, 1.1}; - insertionSort.sort(b); - SortTestHelper.printArray(b); - - // 测试String - String[] c = {"D", "C", "B", "A"}; - insertionSort.sort(c); - SortTestHelper.printArray(c); - - // 测试自定义的类 Student - Student[] d = new Student[4]; - d[0] = new Student("D",90); - d[1] = new Student("C",100); - d[2] = new Student("B",95); - d[3] = new Student("A",95); - insertionSort.sort(d); - SortTestHelper.printArray(d); - } -} diff --git a/BasicAlgorithm/src/code_00_basicSort/code_03_shellSort/ShellSort.java b/BasicAlgorithm/src/code_00_basicSort/code_03_shellSort/ShellSort.java deleted file mode 100644 index b83fad0..0000000 --- a/BasicAlgorithm/src/code_00_basicSort/code_03_shellSort/ShellSort.java +++ /dev/null @@ -1,29 +0,0 @@ -package code_00_basicSort.code_03_shellSort; - -import code_00_basicSort.Sort; - -/** - * Created by 18351 on 2019/1/10. - */ -public class ShellSort> extends Sort { - @Override - public void sort(T[] arr) { - int N=arr.length; - int h=1; - - while(h < N/3){ - h=3*h+1; - // 1, 4, 13, 40, ... - } - - while(h>=1){ - //类比排序算法 - for(int i=h;i=h && less(arr[j],arr[j-h]);j-=h){ - swap(arr,j,j-h); - } - } - h/=3; - } - } -} diff --git a/BasicAlgorithm/src/code_00_basicSort/code_03_shellSort/ShellSortTest.java b/BasicAlgorithm/src/code_00_basicSort/code_03_shellSort/ShellSortTest.java deleted file mode 100644 index 1ef54cc..0000000 --- a/BasicAlgorithm/src/code_00_basicSort/code_03_shellSort/ShellSortTest.java +++ /dev/null @@ -1,37 +0,0 @@ -package code_00_basicSort.code_03_shellSort; - -import code_00_basicSort.SortTestHelper; -import code_00_basicSort.code_00_selectionSort.Student; - -/** - * Created by 18351 on 2019/1/10. - */ -public class ShellSortTest { - public static void main(String[] args) { - ShellSort shellSort=new ShellSort(); - - // 测试Integer - Integer[] a = {10,9,8,7,6,5,4,3,2,1}; - shellSort.sort(a); - SortTestHelper.printArray(a); - - // 测试Double - Double[] b = {4.4, 3.3, 2.2, 1.1}; - shellSort.sort(b); - SortTestHelper.printArray(b); - - // 测试String - String[] c = {"D", "C", "B", "A"}; - shellSort.sort(c); - SortTestHelper.printArray(c); - - // 测试自定义的类 Student - Student[] d = new Student[4]; - d[0] = new Student("D",90); - d[1] = new Student("C",100); - d[2] = new Student("B",95); - d[3] = new Student("A",95); - shellSort.sort(d); - SortTestHelper.printArray(d); - } -} diff --git a/BasicAlgorithm/src/code_01_advancedSort/code_00_mergeSort/Down2UpMergeSort.java b/BasicAlgorithm/src/code_01_advancedSort/code_00_mergeSort/Down2UpMergeSort.java deleted file mode 100644 index 358793e..0000000 --- a/BasicAlgorithm/src/code_01_advancedSort/code_00_mergeSort/Down2UpMergeSort.java +++ /dev/null @@ -1,19 +0,0 @@ -package code_01_advancedSort.code_00_mergeSort; - -import code_00_basicSort.Sort; - -/** - * Created by 18351 on 2019/1/10. - */ -public class Down2UpMergeSort> extends MergeSort { - @Override - public void sort(T[] arr) { - int N=arr.length; - aux=(T[])new Comparable[N]; - for(int sz=1;sz> extends Sort { - protected T[] aux;//自定义的辅助数组 - - /** - * 合并[l,mid]和[mid+1,r] - * 其中[l,mid]、[mid+1,r]是已经有序的序列 - */ - protected void merge(T[] arr,int l,int mid,int r){ - int k=l; - //i数值在[l,mid]之间 - int i=l; - //j数值在[mid+1,r]之间 - int j=mid+1; - while(i<=mid && j<=r){ - if(less(arr[i],arr[j])){ - aux[k++]=arr[i++]; - }else{ - aux[k++]=arr[j++]; - } - } - while(i<=mid){ - aux[k++]=arr[i++]; - } - while(j<=r){ - aux[k++]=arr[j++]; - } - - for(int index=l;index<=r;index++){ - arr[index]=aux[index]; - } - } -} diff --git a/BasicAlgorithm/src/code_01_advancedSort/code_00_mergeSort/MergeSortTest.java b/BasicAlgorithm/src/code_01_advancedSort/code_00_mergeSort/MergeSortTest.java deleted file mode 100644 index e07064a..0000000 --- a/BasicAlgorithm/src/code_01_advancedSort/code_00_mergeSort/MergeSortTest.java +++ /dev/null @@ -1,37 +0,0 @@ -package code_01_advancedSort.code_00_mergeSort; - -import code_00_basicSort.SortTestHelper; -import code_00_basicSort.code_00_selectionSort.Student; - -/** - * Created by 18351 on 2019/1/10. - */ -public class MergeSortTest { - public static void main(String[] args) { - MergeSort mergeSort=new Up2DownMergeSort(); - - // 测试Integer - Integer[] a = {10,9,8,7,6,5,4,3,2,1}; - mergeSort.sort(a); - SortTestHelper.printArray(a); - - // 测试Double - Double[] b = {4.4, 3.3, 2.2, 1.1}; - mergeSort.sort(b); - SortTestHelper.printArray(b); - - // 测试String - String[] c = {"D", "C", "B", "A"}; - mergeSort.sort(c); - SortTestHelper.printArray(c); - - // 测试自定义的类 Student - Student[] d = new Student[4]; - d[0] = new Student("D",90); - d[1] = new Student("C",100); - d[2] = new Student("B",95); - d[3] = new Student("A",95); - mergeSort.sort(d); - SortTestHelper.printArray(d); - } -} diff --git a/BasicAlgorithm/src/code_01_advancedSort/code_00_mergeSort/MergeSortTest2.java b/BasicAlgorithm/src/code_01_advancedSort/code_00_mergeSort/MergeSortTest2.java deleted file mode 100644 index 0e7bec9..0000000 --- a/BasicAlgorithm/src/code_01_advancedSort/code_00_mergeSort/MergeSortTest2.java +++ /dev/null @@ -1,37 +0,0 @@ -package code_01_advancedSort.code_00_mergeSort; - -import code_00_basicSort.SortTestHelper; -import code_00_basicSort.code_00_selectionSort.Student; - -/** - * Created by 18351 on 2019/1/10. - */ -public class MergeSortTest2 { - public static void main(String[] args) { - MergeSort mergeSort=new Down2UpMergeSort(); - - // 测试Integer - Integer[] a = {10,9,8,7,6,5,4,3,2,1}; - mergeSort.sort(a); - SortTestHelper.printArray(a); - - // 测试Double - Double[] b = {4.4, 3.3, 2.2, 1.1}; - mergeSort.sort(b); - SortTestHelper.printArray(b); - - // 测试String - String[] c = {"D", "C", "B", "A"}; - mergeSort.sort(c); - SortTestHelper.printArray(c); - - // 测试自定义的类 Student - Student[] d = new Student[4]; - d[0] = new Student("D",90); - d[1] = new Student("C",100); - d[2] = new Student("B",95); - d[3] = new Student("A",95); - mergeSort.sort(d); - SortTestHelper.printArray(d); - } -} diff --git a/BasicAlgorithm/src/code_01_advancedSort/code_00_mergeSort/ReverseNum.java b/BasicAlgorithm/src/code_01_advancedSort/code_00_mergeSort/ReverseNum.java deleted file mode 100644 index 027448e..0000000 --- a/BasicAlgorithm/src/code_01_advancedSort/code_00_mergeSort/ReverseNum.java +++ /dev/null @@ -1,75 +0,0 @@ -package code_01_advancedSort.code_00_mergeSort; - -/** - * 使用归并排序思路求解逆序对 - */ -public class ReverseNum { - /** - * 暴力求解 - */ - public int getNum1(int[] arr){ - int res=0; - int N=arr.length; - for(int i=0;iarr[j]){ - res++; - } - } - } - return res; - } - - /** - * 使用归并排序思路求解逆序对 - */ - public int getNum2(int[] arr){ - return sort(arr); - } - - private int sort(int[] arr){ - return sort(arr,0,arr.length-1); - } - - public int sort(int[] arr,int l,int r){ - if(l==r){ - return 0; - } - int m=l+(r-l)/2; - int res=0; - res+=sort(arr,l,m); - res+=sort(arr,m+1,r); - res+=merge(arr,l,m,r); - return res; - } - - public int merge(int[] arr,int l,int mid,int r){ - int[] aux=new int[r-l+1]; - int k=0; - //i数值在[l,mid]之间 - int i=l; - //j数值在[mid+1,r]之间 - int j=mid+1; - int res=0; - while(i<=mid && j<=r){ - if(arr[i]<=arr[j]){ - aux[k++]=arr[i++]; - }else{ - res+=mid-i+1; - aux[k++]=arr[j++]; - } - } - while(i<=mid){ - aux[k++]=arr[i++]; - } - while(j<=r){ - aux[k++]=arr[j++]; - } - - //arr的[l,r] - for(int index=0;index> extends MergeSort{ - @Override - public void sort(T[] arr) { - //aux=new T[nums.length];//error 因为存在类型擦除 - //正确方式 - aux = (T[]) new Comparable[arr.length]; - sort(arr,0,arr.length-1); - } - - private void sort(T[] arr,int l,int r){ - //l==r 就只有一个元素,已经排好序了 - if(l>=r){ - return; - } - int mid=(r-l)/2+l; - sort(arr,l,mid); - sort(arr,mid+1,r); - merge(arr,l,mid,r); - } -} - - - diff --git a/BasicAlgorithm/src/code_01_advancedSort/code_01_quickSort/QuickSort.java b/BasicAlgorithm/src/code_01_advancedSort/code_01_quickSort/QuickSort.java deleted file mode 100644 index c4836e0..0000000 --- a/BasicAlgorithm/src/code_01_advancedSort/code_01_quickSort/QuickSort.java +++ /dev/null @@ -1,55 +0,0 @@ -package code_01_advancedSort.code_01_quickSort; - -import code_00_basicSort.Sort; - -import java.util.Arrays; -import java.util.Collections; -import java.util.List; - -/** - * Created by 18351 on 2019/1/10. - */ -public class QuickSort> extends Sort { - @Override - public void sort(T[] arr) { - shuffle(arr); - sort(arr,0,arr.length-1); - } - - private void sort(T[] arr,int l,int r){ - if(l>=r){ - return; - } - int j=partition(arr,l,r); - sort(arr,l,j); - sort(arr,j+1,r); - } - - private int partition(T[] arr,int l,int r){ - T pivot=arr[l]; - int i=l; - int j=r; - - while(i list = Arrays.asList(arr); - Collections.shuffle(list); - list.toArray(arr); - } -} diff --git a/BasicAlgorithm/src/code_01_advancedSort/code_01_quickSort/QuickSortTest.java b/BasicAlgorithm/src/code_01_advancedSort/code_01_quickSort/QuickSortTest.java deleted file mode 100644 index 096a311..0000000 --- a/BasicAlgorithm/src/code_01_advancedSort/code_01_quickSort/QuickSortTest.java +++ /dev/null @@ -1,38 +0,0 @@ -package code_01_advancedSort.code_01_quickSort; - -import code_00_basicSort.SortTestHelper; -import code_00_basicSort.code_00_selectionSort.Student; - -/** - * Created by 18351 on 2019/1/10. - */ -public class QuickSortTest { - - public static void main(String[] args) { - QuickSort quickSort=new QuickSort(); - - // 测试Integer - Integer[] a = {10,9,8,7,6,5,4,3,2,1}; - quickSort.sort(a); - SortTestHelper.printArray(a); - - // 测试Double - Double[] b = {4.4, 3.3, 2.2, 1.1}; - quickSort.sort(b); - SortTestHelper.printArray(b); - - // 测试String - String[] c = {"D", "C", "B", "A"}; - quickSort.sort(c); - SortTestHelper.printArray(c); - - // 测试自定义的类 Student - Student[] d = new Student[4]; - d[0] = new Student("D",90); - d[1] = new Student("C",100); - d[2] = new Student("B",95); - d[3] = new Student("A",95); - quickSort.sort(d); - SortTestHelper.printArray(d); - } -} diff --git a/BasicAlgorithm/src/code_01_advancedSort/code_01_quickSort/SelectK.java b/BasicAlgorithm/src/code_01_advancedSort/code_01_quickSort/SelectK.java deleted file mode 100644 index 13c4eb5..0000000 --- a/BasicAlgorithm/src/code_01_advancedSort/code_01_quickSort/SelectK.java +++ /dev/null @@ -1,42 +0,0 @@ -package code_01_advancedSort.code_01_quickSort; - -/** - * Created by 18351 on 2019/1/10. - */ -public class SelectK { - public int select(int[] nums, int k) { - int l = 0; - int h = nums.length - 1; - while (l < h) { - int j = partition(nums, l, h); - if (j == k) { - return nums[k]; - } else if (j > k) { - h = j - 1; - } else { - l = j + 1; - } - } - return nums[k]; - } - - private int partition(int[] arr,int l,int r){ - int pivot=arr[l]; - int i=l; - int j=r; - while(ipivot && i= pivot的元素 - while(arr[i]> extends Sort { - @Override - public void sort(T[] arr) { - sort(arr,0,arr.length-1); - } - - private void sort(T[] arr,int l,int r){ - if(l>=r){ - return; - } - int lt = l, i = l + 1, gt = r; - T v = arr[l]; - while(i<=gt){ - int cmp=arr[i].compareTo(v); - if(cmp<0){ - swap(arr,lt++,i); - i++; - }else if(cmp>0){ - swap(arr,i,gt--); - }else{ - i++; - } - } - sort(arr,l,lt-1); - sort(arr,gt+1,r); - } -} diff --git a/BasicAlgorithm/src/code_01_advancedSort/code_01_quickSort/ThreeWayQuickSortTest.java b/BasicAlgorithm/src/code_01_advancedSort/code_01_quickSort/ThreeWayQuickSortTest.java deleted file mode 100644 index 51b6fe0..0000000 --- a/BasicAlgorithm/src/code_01_advancedSort/code_01_quickSort/ThreeWayQuickSortTest.java +++ /dev/null @@ -1,15 +0,0 @@ -package code_01_advancedSort.code_01_quickSort; - -import code_00_basicSort.SortTestHelper; - -/** - * Created by 18351 on 2019/1/10. - */ -public class ThreeWayQuickSortTest { - public static void main(String[] args) { - Integer[] arr={2,2,3,3,4,1,1,1,1,1,1}; - ThreeWayQuickSort sort=new ThreeWayQuickSort(); - sort.sort(arr); - SortTestHelper.printArray(arr); - } -} diff --git a/BasicAlgorithm/src/code_02_heapSort/HeapSort.java b/BasicAlgorithm/src/code_02_heapSort/HeapSort.java deleted file mode 100644 index 07b660a..0000000 --- a/BasicAlgorithm/src/code_02_heapSort/HeapSort.java +++ /dev/null @@ -1,46 +0,0 @@ -package code_02_heapSort; - -import code_00_basicSort.Sort; - -/** - * Created by 18351 on 2019/1/11. - */ -public class HeapSort> extends Sort { - @Override - public void sort(T[] arr) { - int N=arr.length; - for(int i=N/2;i>=0;i--){ - sink(arr,i,N); - } - - while (N>1){ - swap(arr,0,N-1); - N--; - //与第一个元素交换后,最大元素就是arr[N-1] - sink(arr,0,N); - } - } - - //下沉操作 - private void sink(T[] arr,int k,int N){ - while(leftChild(k)> { - private T[] heap; - private int N; - - MaxHeap(int maxN){ - heap=(T[])new Comparable[maxN]; - this.N=0; - } - - public boolean isEmpty() { - return N == 0; - } - - public int size() { - return N; - } - - private boolean less(int i, int j) { - return heap[i].compareTo(heap[j]) < 0; - } - - private void swap(int i, int j) { - T t = heap[i]; - heap[i] = heap[j]; - heap[j] = t; - } - - //返回一个索引的父节点的索引 - private int parent(int index){ - if(index==0){ - throw new IllegalArgumentException("index-0 does not have parment"); - } - return (index-1)/2; - } - - - //获取index节点的左孩子索引 - private int leftChild(int index){ - assert index>=0 && index=0 && index0 && less(parent(k),k)){ - swap(k,parent(k)); - k=parent(k); - } - } - - /** - * 下沉操作 - * 当一个节点比子节点来得小,也需要不断地向下进行比较和交换操作,把这种操作称为下沉。 - 一个节点如果有两个子节点,应当与两个子节点中最大那个节点进行交换。 - */ - private void sink(int k){ - while(leftChild(k) maxHeap=new MaxHeap<>(20); - - maxHeap.insert(3); - maxHeap.insert(1); - maxHeap.insert(5); - maxHeap.insert(6); - maxHeap.insert(8); - maxHeap.insert(9); - maxHeap.insert(-100); - maxHeap.insert(10); - maxHeap.insert(12); - maxHeap.insert(13); - maxHeap.insert(1000); - maxHeap.insert(190); - maxHeap.insert(-1); - maxHeap.insert(-10); - - System.out.println(maxHeap.delMax()); - System.out.println(maxHeap.delMax()); - System.out.println(maxHeap.delMax()); - System.out.println(maxHeap.delMax()); - System.out.println(maxHeap.delMax()); - System.out.println(maxHeap.delMax()); - System.out.println(maxHeap.delMax()); - } -} diff --git a/BasicAlgorithm/src/code_03_othersSort/BucketSort.java b/BasicAlgorithm/src/code_03_othersSort/BucketSort.java deleted file mode 100644 index 9fc6b61..0000000 --- a/BasicAlgorithm/src/code_03_othersSort/BucketSort.java +++ /dev/null @@ -1,12 +0,0 @@ -package code_03_othersSort; - -import java.util.ArrayList; - -/** - * 使用桶排序思想计算 - * 数组排序后相邻数最大差值 - */ -public class BucketSort { - - -} diff --git a/BasicAlgorithm/src/code_03_othersSort/BucketSortTest.java b/BasicAlgorithm/src/code_03_othersSort/BucketSortTest.java deleted file mode 100644 index d5ec55b..0000000 --- a/BasicAlgorithm/src/code_03_othersSort/BucketSortTest.java +++ /dev/null @@ -1,7 +0,0 @@ -package code_03_othersSort; - -/** - * Created by 18351 on 2019/1/11. - */ -public class BucketSortTest { -} diff --git a/BasicAlgorithm/src/code_03_othersSort/CountSort.java b/BasicAlgorithm/src/code_03_othersSort/CountSort.java deleted file mode 100644 index 52e8f1a..0000000 --- a/BasicAlgorithm/src/code_03_othersSort/CountSort.java +++ /dev/null @@ -1,28 +0,0 @@ -package code_03_othersSort; - -import code_00_basicSort.Sort; - -/** - * Created by 18351 on 2019/1/11. - */ -public class CountSort{ - public void sort(int[] arr) { - if (arr == null || arr.length < 2) { - return; - } - int max = Integer.MIN_VALUE; - for (int i = 0; i < arr.length; i++) { - max = Math.max(max, arr[i]); - } - int[] bucket = new int[max + 1]; - for (int i = 0; i < arr.length; i++) { - bucket[arr[i]]++; - } - int sortedIndex = 0; - for (int j = 0; j < bucket.length; j++) { - while (bucket[j]-- > 0) { - arr[sortedIndex++] = j; - } - } - } -} diff --git a/BasicAlgorithm/src/code_03_othersSort/CountSortTest.java b/BasicAlgorithm/src/code_03_othersSort/CountSortTest.java deleted file mode 100644 index 315001c..0000000 --- a/BasicAlgorithm/src/code_03_othersSort/CountSortTest.java +++ /dev/null @@ -1,18 +0,0 @@ -package code_03_othersSort; - -import code_00_basicSort.SortTestHelper; - -/** - * Created by 18351 on 2019/1/11. - */ -public class CountSortTest { - public static void main(String[] args) { - CountSort countSort=new CountSort(); - - int[] arr = {10,9,8,7,6,5,4,3,2,1}; - countSort.sort(arr); - for(int i=0;i=begin;i--){ - j=getDigit(arr[i],d); - bucket[count[j]-1]=arr[i]; - count[j]--; - } - for(i=begin,j=0;i<=end;i++,j++){ - arr[i]=bucket[i]; - } - } - } - - public void sort(int[] arr){ - if(arr==null || arr.length<2){ - return; - } - sort(arr,0,arr.length-1,maxBits(arr)); - } -} diff --git a/BasicAlgorithm/src/code_03_othersSort/RadixSortTest.java b/BasicAlgorithm/src/code_03_othersSort/RadixSortTest.java deleted file mode 100644 index a92f67c..0000000 --- a/BasicAlgorithm/src/code_03_othersSort/RadixSortTest.java +++ /dev/null @@ -1,15 +0,0 @@ -package code_03_othersSort; - -/** - * Created by 18351 on 2019/1/11. - */ -public class RadixSortTest { - public static void main(String[] args) { - RadixSort sort=new RadixSort(); - int[] arr={3,44,38,5,47,15,36,26,27,28}; - sort.sort(arr); - for(int i=0;i -* [二、并发一致性问题](#二并发一致性问题) - * [丢失修改](#丢失修改) - * [读脏数据](#读脏数据) - * [不可重复读](#不可重复读) - * [幻影读](#幻影读) - - -# 二、并发一致性问题 - -在并发环境下,事务的隔离性很难保证,因此会出现很多并发一致性问题。 - -## 丢失修改 - -T1 和 T2 两个事务都对一个数据进行修改,T1 先修改,T2 随后修改,T2 的修改覆盖了 T1 的修改。 - -

- -## 读脏数据 - -T1 修改一个数据,T2 随后读取这个数据。如果 T1 撤销了这次修改,那么 T2 读取的数据是脏数据。 - -

- -## 不可重复读 - -T2 读取一个数据,T1 对该数据做了修改。如果 T2 再次读取这个数据,此时读取的结果和第一次读取的结果不同。 - -

- -## 幻影读 - -T1 读取某个范围的数据,T2 在这个范围内插入新的数据,T1 再次读取这个范围的数据,此时读取的结果和和第一次读取的结果不同。 - -

- ----- - -产生并发不一致性问题主要原因是破坏了事务的隔离性,解决方法是通过并发控制来保证隔离性。并发控制可以通过封锁来实现,但是封锁操作需要用户自己控制,相当复杂。数据库管理系统提供了事务的隔离级别,让用户以一种更轻松的方式处理并发一致性问题。 \ No newline at end of file diff --git "a/DataBase/07ER \345\233\276.md" "b/DataBase/07ER \345\233\276.md" deleted file mode 100644 index e68b34c..0000000 --- "a/DataBase/07ER \345\233\276.md" +++ /dev/null @@ -1,49 +0,0 @@ - -* [八、ER 图](#八er-图) - * [实体的三种联系](#实体的三种联系) - * [表示出现多次的关系](#表示出现多次的关系) - * [联系的多向性](#联系的多向性) - * [表示子类](#表示子类) - - -# 八、ER 图 - -Entity-Relationship,有三个组成部分:实体、属性、联系。 - -用来进行关系型数据库系统的概念设计。 - -## 实体的三种联系 - -包含一对一,一对多,多对多三种。 - -- 如果 A 到 B 是一对多关系,那么画个带箭头的线段指向 B; -- 如果是一对一,画两个带箭头的线段; -- 如果是多对多,画两个不带箭头的线段。 - -下图的 Course 和 Student 是一对多的关系。 - -

- -## 表示出现多次的关系 - -一个实体在联系出现几次,就要用几条线连接。 - -下图表示一个课程的先修关系,先修关系出现两个 Course 实体,第一个是先修课程,后一个是后修课程,因此需要用两条线来表示这种关系。 - -

- -## 联系的多向性 - -虽然老师可以开设多门课,并且可以教授多名学生,但是对于特定的学生和课程,只有一个老师教授,这就构成了一个三元联系。 - -

- -一般只使用二元联系,可以把多元联系转换为二元联系。 - -

- -## 表示子类 - -用一个三角形和两条线来连接类和子类,与子类有关的属性和联系都连到子类上,而与父类和子类都有关的连到父类上。 - -

\ No newline at end of file diff --git "a/DataBase/09Leetcode-Database \351\242\230\350\247\243.md" "b/DataBase/09Leetcode-Database \351\242\230\350\247\243.md" deleted file mode 100644 index 5b4a3d0..0000000 --- "a/DataBase/09Leetcode-Database \351\242\230\350\247\243.md" +++ /dev/null @@ -1,950 +0,0 @@ - -* [595. Big Countries](#595-big-countries) -* [627. Swap Salary](#627-swap-salary) -* [620. Not Boring Movies](#620-not-boring-movies) -* [596. Classes More Than 5 Students](#596-classes-more-than-5-students) -* [182. Duplicate Emails](#182-duplicate-emails) -* [196. Delete Duplicate Emails](#196-delete-duplicate-emails) -* [175. Combine Two Tables](#175-combine-two-tables) -* [181. Employees Earning More Than Their Managers](#181-employees-earning-more-than-their-managers) -* [183. Customers Who Never Order](#183-customers-who-never-order) -* [184. Department Highest Salary](#184-department-highest-salary) -* [176. Second Highest Salary](#176-second-highest-salary) -* [177. Nth Highest Salary](#177-nth-highest-salary) -* [178. Rank Scores](#178-rank-scores) -* [180. Consecutive Numbers](#180-consecutive-numbers) -* [626. Exchange Seats](#626-exchange-seats) - - - -# 595. Big Countries - -https://leetcode.com/problems/big-countries/description/ - -## Description - -```html -+-----------------+------------+------------+--------------+---------------+ -| name | continent | area | population | gdp | -+-----------------+------------+------------+--------------+---------------+ -| Afghanistan | Asia | 652230 | 25500100 | 20343000 | -| Albania | Europe | 28748 | 2831741 | 12960000 | -| Algeria | Africa | 2381741 | 37100000 | 188681000 | -| Andorra | Europe | 468 | 78115 | 3712000 | -| Angola | Africa | 1246700 | 20609294 | 100990000 | -+-----------------+------------+------------+--------------+---------------+ -``` - -查找面积超过 3,000,000 或者人口数超过 25,000,000 的国家。 - -```html -+--------------+-------------+--------------+ -| name | population | area | -+--------------+-------------+--------------+ -| Afghanistan | 25500100 | 652230 | -| Algeria | 37100000 | 2381741 | -+--------------+-------------+--------------+ -``` - -## SQL Schema - -```sql -DROP TABLE -IF - EXISTS World; -CREATE TABLE World ( NAME VARCHAR ( 255 ), continent VARCHAR ( 255 ), area INT, population INT, gdp INT ); -INSERT INTO World ( NAME, continent, area, population, gdp ) -VALUES - ( 'Afghanistan', 'Asia', '652230', '25500100', '203430000' ), - ( 'Albania', 'Europe', '28748', '2831741', '129600000' ), - ( 'Algeria', 'Africa', '2381741', '37100000', '1886810000' ), - ( 'Andorra', 'Europe', '468', '78115', '37120000' ), - ( 'Angola', 'Africa', '1246700', '20609294', '1009900000' ); -``` - -## Solution - -```sql -SELECT name, - population, - area -FROM - World -WHERE - area > 3000000 - OR population > 25000000; -``` - -# 627. Swap Salary - -https://leetcode.com/problems/swap-salary/description/ - -## Description - -```html -| id | name | sex | salary | -|----|------|-----|--------| -| 1 | A | m | 2500 | -| 2 | B | f | 1500 | -| 3 | C | m | 5500 | -| 4 | D | f | 500 | -``` - -只用一个 SQL 查询,将 sex 字段反转。 - -```html -| id | name | sex | salary | -|----|------|-----|--------| -| 1 | A | f | 2500 | -| 2 | B | m | 1500 | -| 3 | C | f | 5500 | -| 4 | D | m | 500 | -``` - -## SQL Schema - -```sql -DROP TABLE -IF - EXISTS salary; -CREATE TABLE salary ( id INT, NAME VARCHAR ( 100 ), sex CHAR ( 1 ), salary INT ); -INSERT INTO salary ( id, NAME, sex, salary ) -VALUES - ( '1', 'A', 'm', '2500' ), - ( '2', 'B', 'f', '1500' ), - ( '3', 'C', 'm', '5500' ), - ( '4', 'D', 'f', '500' ); -``` - -## Solution - -```sql -UPDATE salary -SET sex = CHAR ( ASCII(sex) ^ ASCII( 'm' ) ^ ASCII( 'f' ) ); -``` - -# 620. Not Boring Movies - -https://leetcode.com/problems/not-boring-movies/description/ - -## Description - - -```html -+---------+-----------+--------------+-----------+ -| id | movie | description | rating | -+---------+-----------+--------------+-----------+ -| 1 | War | great 3D | 8.9 | -| 2 | Science | fiction | 8.5 | -| 3 | irish | boring | 6.2 | -| 4 | Ice song | Fantacy | 8.6 | -| 5 | House card| Interesting| 9.1 | -+---------+-----------+--------------+-----------+ -``` - -查找 id 为奇数,并且 description 不是 boring 的电影,按 rating 降序。 - -```html -+---------+-----------+--------------+-----------+ -| id | movie | description | rating | -+---------+-----------+--------------+-----------+ -| 5 | House card| Interesting| 9.1 | -| 1 | War | great 3D | 8.9 | -+---------+-----------+--------------+-----------+ -``` - -## SQL Schema - -```sql -DROP TABLE -IF - EXISTS cinema; -CREATE TABLE cinema ( id INT, movie VARCHAR ( 255 ), description VARCHAR ( 255 ), rating FLOAT ( 2, 1 ) ); -INSERT INTO cinema ( id, movie, description, rating ) -VALUES - ( 1, 'War', 'great 3D', 8.9 ), - ( 2, 'Science', 'fiction', 8.5 ), - ( 3, 'irish', 'boring', 6.2 ), - ( 4, 'Ice song', 'Fantacy', 8.6 ), - ( 5, 'House card', 'Interesting', 9.1 ); -``` - -## Solution - -```sql -SELECT - * -FROM - cinema -WHERE - id % 2 = 1 - AND description != 'boring' -ORDER BY - rating DESC; -``` - -# 596. Classes More Than 5 Students - -https://leetcode.com/problems/classes-more-than-5-students/description/ - -## Description - -```html -+---------+------------+ -| student | class | -+---------+------------+ -| A | Math | -| B | English | -| C | Math | -| D | Biology | -| E | Math | -| F | Computer | -| G | Math | -| H | Math | -| I | Math | -+---------+------------+ -``` - -查找有五名及以上 student 的 class。 - -```html -+---------+ -| class | -+---------+ -| Math | -+---------+ -``` - -## SQL Schema - -```sql -DROP TABLE -IF - EXISTS courses; -CREATE TABLE courses ( student VARCHAR ( 255 ), class VARCHAR ( 255 ) ); -INSERT INTO courses ( student, class ) -VALUES - ( 'A', 'Math' ), - ( 'B', 'English' ), - ( 'C', 'Math' ), - ( 'D', 'Biology' ), - ( 'E', 'Math' ), - ( 'F', 'Computer' ), - ( 'G', 'Math' ), - ( 'H', 'Math' ), - ( 'I', 'Math' ); -``` - -## Solution - -```sql -SELECT - class -FROM - courses -GROUP BY - class -HAVING - count( DISTINCT student ) >= 5; -``` - -# 182. Duplicate Emails - -https://leetcode.com/problems/duplicate-emails/description/ - -## Description - -邮件地址表: - -```html -+----+---------+ -| Id | Email | -+----+---------+ -| 1 | a@b.com | -| 2 | c@d.com | -| 3 | a@b.com | -+----+---------+ -``` - -查找重复的邮件地址: - -```html -+---------+ -| Email | -+---------+ -| a@b.com | -+---------+ -``` - -## SQL Schema - -```sql -DROP TABLE -IF - EXISTS Person; -CREATE TABLE Person ( Id INT, Email VARCHAR ( 255 ) ); -INSERT INTO Person ( Id, Email ) -VALUES - ( 1, 'a@b.com' ), - ( 2, 'c@d.com' ), - ( 3, 'a@b.com' ); -``` - -## Solution - -```sql -SELECT - Email -FROM - Person -GROUP BY - Email -HAVING - COUNT( * ) >= 2; -``` - -# 196. Delete Duplicate Emails - -https://leetcode.com/problems/delete-duplicate-emails/description/ - -## Description - -邮件地址表: - -```html -+----+---------+ -| Id | Email | -+----+---------+ -| 1 | a@b.com | -| 2 | c@d.com | -| 3 | a@b.com | -+----+---------+ -``` - -删除重复的邮件地址: - -```html -+----+------------------+ -| Id | Email | -+----+------------------+ -| 1 | john@example.com | -| 2 | bob@example.com | -+----+------------------+ -``` - -## SQL Schema - -与 182 相同。 - -## Solution - -连接: - -```sql -DELETE p1 -FROM - Person p1, - Person p2 -WHERE - p1.Email = p2.Email - AND p1.Id > p2.Id -``` - -子查询: - -```sql -DELETE -FROM - Person -WHERE - id NOT IN ( SELECT id FROM ( SELECT min( id ) AS id FROM Person GROUP BY email ) AS m ); -``` - -应该注意的是上述解法额外嵌套了一个 SELECT 语句,如果不这么做,会出现错误:You can't specify target table 'Person' for update in FROM clause。以下演示了这种错误解法。 - -```sql -DELETE -FROM - Person -WHERE - id NOT IN ( SELECT min( id ) AS id FROM Person GROUP BY email ); -``` - -参考:[pMySQL Error 1093 - Can't specify target table for update in FROM clause](https://stackoverflow.com/questions/45494/mysql-error-1093-cant-specify-target-table-for-update-in-from-clause) - -# 175. Combine Two Tables - -https://leetcode.com/problems/combine-two-tables/description/ - -## Description - -Person 表: - -```html -+-------------+---------+ -| Column Name | Type | -+-------------+---------+ -| PersonId | int | -| FirstName | varchar | -| LastName | varchar | -+-------------+---------+ -PersonId is the primary key column for this table. -``` - -Address 表: - -```html -+-------------+---------+ -| Column Name | Type | -+-------------+---------+ -| AddressId | int | -| PersonId | int | -| City | varchar | -| State | varchar | -+-------------+---------+ -AddressId is the primary key column for this table. -``` - -查找 FirstName, LastName, City, State 数据,而不管一个用户有没有填地址信息。 - -## SQL Schema - -```sql -DROP TABLE -IF - EXISTS Person; -CREATE TABLE Person ( PersonId INT, FirstName VARCHAR ( 255 ), LastName VARCHAR ( 255 ) ); -DROP TABLE -IF - EXISTS Address; -CREATE TABLE Address ( AddressId INT, PersonId INT, City VARCHAR ( 255 ), State VARCHAR ( 255 ) ); -INSERT INTO Person ( PersonId, LastName, FirstName ) -VALUES - ( 1, 'Wang', 'Allen' ); -INSERT INTO Address ( AddressId, PersonId, City, State ) -VALUES - ( 1, 2, 'New York City', 'New York' ); -``` - -## Solution - -使用左外连接。 - -```sql -SELECT - FirstName, - LastName, - City, - State -FROM - Person P - LEFT JOIN Address A - ON P.PersonId = A.PersonId; -``` - -# 181. Employees Earning More Than Their Managers - -https://leetcode.com/problems/employees-earning-more-than-their-managers/description/ - -## Description - -Employee 表: - -```html -+----+-------+--------+-----------+ -| Id | Name | Salary | ManagerId | -+----+-------+--------+-----------+ -| 1 | Joe | 70000 | 3 | -| 2 | Henry | 80000 | 4 | -| 3 | Sam | 60000 | NULL | -| 4 | Max | 90000 | NULL | -+----+-------+--------+-----------+ -``` - -查找薪资大于其经理薪资的员工信息。 - -## SQL Schema - -```sql -DROP TABLE -IF - EXISTS Employee; -CREATE TABLE Employee ( Id INT, NAME VARCHAR ( 255 ), Salary INT, ManagerId INT ); -INSERT INTO Employee ( Id, NAME, Salary, ManagerId ) -VALUES - ( 1, 'Joe', 70000, 3 ), - ( 2, 'Henry', 80000, 4 ), - ( 3, 'Sam', 60000, NULL ), - ( 4, 'Max', 90000, NULL ); -``` - -## Solution - -```sql -SELECT - E1.NAME AS Employee -FROM - Employee E1 - INNER JOIN Employee E2 - ON E1.ManagerId = E2.Id - AND E1.Salary > E2.Salary; -``` - -# 183. Customers Who Never Order - -https://leetcode.com/problems/customers-who-never-order/description/ - -## Description - -Curstomers 表: - -```html -+----+-------+ -| Id | Name | -+----+-------+ -| 1 | Joe | -| 2 | Henry | -| 3 | Sam | -| 4 | Max | -+----+-------+ -``` - -Orders 表: - -```html -+----+------------+ -| Id | CustomerId | -+----+------------+ -| 1 | 3 | -| 2 | 1 | -+----+------------+ -``` - -查找没有订单的顾客信息: - -```html -+-----------+ -| Customers | -+-----------+ -| Henry | -| Max | -+-----------+ -``` - -## SQL Schema - -```sql -DROP TABLE -IF - EXISTS Customers; -CREATE TABLE Customers ( Id INT, NAME VARCHAR ( 255 ) ); -DROP TABLE -IF - EXISTS Orders; -CREATE TABLE Orders ( Id INT, CustomerId INT ); -INSERT INTO Customers ( Id, NAME ) -VALUES - ( 1, 'Joe' ), - ( 2, 'Henry' ), - ( 3, 'Sam' ), - ( 4, 'Max' ); -INSERT INTO Orders ( Id, CustomerId ) -VALUES - ( 1, 3 ), - ( 2, 1 ); -``` - -## Solution - -左外链接 - -```sql -SELECT - C.Name AS Customers -FROM - Customers C - LEFT JOIN Orders O - ON C.Id = O.CustomerId -WHERE - O.CustomerId IS NULL; -``` - -子查询 - -```sql -SELECT - Name AS Customers -FROM - Customers -WHERE - Id NOT IN ( SELECT CustomerId FROM Orders ); -``` - -# 184. Department Highest Salary - -https://leetcode.com/problems/department-highest-salary/description/ - -## Description - -Employee 表: - -```html -+----+-------+--------+--------------+ -| Id | Name | Salary | DepartmentId | -+----+-------+--------+--------------+ -| 1 | Joe | 70000 | 1 | -| 2 | Henry | 80000 | 2 | -| 3 | Sam | 60000 | 2 | -| 4 | Max | 90000 | 1 | -+----+-------+--------+--------------+ -``` - -Department 表: - -```html -+----+----------+ -| Id | Name | -+----+----------+ -| 1 | IT | -| 2 | Sales | -+----+----------+ -``` - -查找一个 Department 中收入最高者的信息: - -```html -+------------+----------+--------+ -| Department | Employee | Salary | -+------------+----------+--------+ -| IT | Max | 90000 | -| Sales | Henry | 80000 | -+------------+----------+--------+ -``` - -## SQL Schema - -```sql -DROP TABLE IF EXISTS Employee; -CREATE TABLE Employee ( Id INT, NAME VARCHAR ( 255 ), Salary INT, DepartmentId INT ); -DROP TABLE IF EXISTS Department; -CREATE TABLE Department ( Id INT, NAME VARCHAR ( 255 ) ); -INSERT INTO Employee ( Id, NAME, Salary, DepartmentId ) -VALUES - ( 1, 'Joe', 70000, 1 ), - ( 2, 'Henry', 80000, 2 ), - ( 3, 'Sam', 60000, 2 ), - ( 4, 'Max', 90000, 1 ); -INSERT INTO Department ( Id, NAME ) -VALUES - ( 1, 'IT' ), - ( 2, 'Sales' ); -``` - -## Solution - -创建一个临时表,包含了部门员工的最大薪资。可以对部门进行分组,然后使用 MAX() 汇总函数取得最大薪资。 - -之后使用连接找到一个部门中薪资等于临时表中最大薪资的员工。 - -```sql -SELECT - D.NAME Department, - E.NAME Employee, - E.Salary -FROM - Employee E, - Department D, - ( SELECT DepartmentId, MAX( Salary ) Salary FROM Employee GROUP BY DepartmentId ) M -WHERE - E.DepartmentId = D.Id - AND E.DepartmentId = M.DepartmentId - AND E.Salary = M.Salary; -``` - -# 176. Second Highest Salary - -https://leetcode.com/problems/second-highest-salary/description/ - -## Description - -```html -+----+--------+ -| Id | Salary | -+----+--------+ -| 1 | 100 | -| 2 | 200 | -| 3 | 300 | -+----+--------+ -``` - -查找工资第二高的员工。 - -```html -+---------------------+ -| SecondHighestSalary | -+---------------------+ -| 200 | -+---------------------+ -``` - -没有找到返回 null 而不是不返回数据。 - -## SQL Schema - -```sql -DROP TABLE -IF - EXISTS Employee; -CREATE TABLE Employee ( Id INT, Salary INT ); -INSERT INTO Employee ( Id, Salary ) -VALUES - ( 1, 100 ), - ( 2, 200 ), - ( 3, 300 ); -``` - -## Solution - -为了在没有查找到数据时返回 null,需要在查询结果外面再套一层 SELECT。 - -```sql -SELECT - ( SELECT DISTINCT Salary FROM Employee ORDER BY Salary DESC LIMIT 1, 1 ) SecondHighestSalary; -``` - -# 177. Nth Highest Salary - -## Description - -查找工资第 N 高的员工。 - -## SQL Schema - -同 176。 - -## Solution - -```sql -CREATE FUNCTION getNthHighestSalary ( N INT ) RETURNS INT BEGIN - -SET N = N - 1; -RETURN ( SELECT ( SELECT DISTINCT Salary FROM Employee ORDER BY Salary DESC LIMIT N, 1 ) ); - -END -``` - -# 178. Rank Scores - -https://leetcode.com/problems/rank-scores/description/ - -## Description - -得分表: - -```html -+----+-------+ -| Id | Score | -+----+-------+ -| 1 | 3.50 | -| 2 | 3.65 | -| 3 | 4.00 | -| 4 | 3.85 | -| 5 | 4.00 | -| 6 | 3.65 | -+----+-------+ -``` - -将得分排序,并统计排名。 - -```html -+-------+------+ -| Score | Rank | -+-------+------+ -| 4.00 | 1 | -| 4.00 | 1 | -| 3.85 | 2 | -| 3.65 | 3 | -| 3.65 | 3 | -| 3.50 | 4 | -+-------+------+ -``` - -## SQL Schema - -```sql -DROP TABLE -IF - EXISTS Scores; -CREATE TABLE Scores ( Id INT, Score DECIMAL ( 3, 2 ) ); -INSERT INTO Scores ( Id, Score ) -VALUES - ( 1, 3.5 ), - ( 2, 3.65 ), - ( 3, 4.0 ), - ( 4, 3.85 ), - ( 5, 4.0 ), - ( 6, 3.65 ); -``` - -## Solution - -```sql -SELECT - S1.score, - COUNT( DISTINCT S2.score ) Rank -FROM - Scores S1 - INNER JOIN Scores S2 - ON S1.score <= S2.score -GROUP BY - S1.id -ORDER BY - S1.score DESC; -``` - -# 180. Consecutive Numbers - -https://leetcode.com/problems/consecutive-numbers/description/ - -## Description - -数字表: - -```html -+----+-----+ -| Id | Num | -+----+-----+ -| 1 | 1 | -| 2 | 1 | -| 3 | 1 | -| 4 | 2 | -| 5 | 1 | -| 6 | 2 | -| 7 | 2 | -+----+-----+ -``` - -查找连续出现三次的数字。 - -```html -+-----------------+ -| ConsecutiveNums | -+-----------------+ -| 1 | -+-----------------+ -``` - -## SQL Schema - -```sql -DROP TABLE -IF - EXISTS LOGS; -CREATE TABLE LOGS ( Id INT, Num INT ); -INSERT INTO LOGS ( Id, Num ) -VALUES - ( 1, 1 ), - ( 2, 1 ), - ( 3, 1 ), - ( 4, 2 ), - ( 5, 1 ), - ( 6, 2 ), - ( 7, 2 ); -``` - -## Solution - -```sql -SELECT - DISTINCT L1.num ConsecutiveNums -FROM - Logs L1, - Logs L2, - Logs L3 -WHERE L1.id = l2.id - 1 - AND L2.id = L3.id - 1 - AND L1.num = L2.num - AND l2.num = l3.num; -``` - -# 626. Exchange Seats - -https://leetcode.com/problems/exchange-seats/description/ - -## Description - -seat 表存储着座位对应的学生。 - -```html -+---------+---------+ -| id | student | -+---------+---------+ -| 1 | Abbot | -| 2 | Doris | -| 3 | Emerson | -| 4 | Green | -| 5 | Jeames | -+---------+---------+ -``` - -要求交换相邻座位的两个学生,如果最后一个座位是奇数,那么不交换这个座位上的学生。 - -```html -+---------+---------+ -| id | student | -+---------+---------+ -| 1 | Doris | -| 2 | Abbot | -| 3 | Green | -| 4 | Emerson | -| 5 | Jeames | -+---------+---------+ -``` - -## SQL Schema - -```sql -DROP TABLE -IF - EXISTS seat; -CREATE TABLE seat ( id INT, student VARCHAR ( 255 ) ); -INSERT INTO seat ( id, student ) -VALUES - ( '1', 'Abbot' ), - ( '2', 'Doris' ), - ( '3', 'Emerson' ), - ( '4', 'Green' ), - ( '5', 'Jeames' ); -``` - -## Solution - -使用多个 union。 - -```sql -SELECT - s1.id - 1 AS id, - s1.student -FROM - seat s1 -WHERE - s1.id MOD 2 = 0 UNION -SELECT - s2.id + 1 AS id, - s2.student -FROM - seat s2 -WHERE - s2.id MOD 2 = 1 - AND s2.id != ( SELECT max( s3.id ) FROM seat s3 ) UNION -SELECT - s4.id AS id, - s4.student -FROM - seat s4 -WHERE - s4.id MOD 2 = 1 - AND s4.id = ( SELECT max( s5.id ) FROM seat s5 ) -ORDER BY - id; -``` diff --git "a/DataBase/10\347\264\242\345\274\225.md" "b/DataBase/10\347\264\242\345\274\225.md" deleted file mode 100644 index 7f02392..0000000 --- "a/DataBase/10\347\264\242\345\274\225.md" +++ /dev/null @@ -1,223 +0,0 @@ - -* [一、索引](#一索引) - * [索引的目的](#索引的目的) - * [索引的原理](#索引的原理) - * [B+ Tree](#b-tree-原理) - * [MySQL 索引分类](#mysql-索引) - * [索引设计优化](#索引设计优化) - * [索引的优点](#索引的优点) - * [索引的使用条件](#索引的使用条件) - -# 一、索引 - -## 索引的目的 -索引的目的在于**提高查询效率,可以类比字典**, -如果要查“mysql”这个单词,我们肯定需要定位到m字母, -然后从下往下找到y字母,再找到剩下的sql。 -如果没有索引,那么你可能需要把所有单词看一遍才能找到你想要的,显然这样的效率很低。 - -## 索引的原理 - -我们的生活中随处可见索引的例子,如字典,时刻表等。它们的原理都是一样的,**通过不断的缩小想要获得数据的范围来筛选出最终想要的结果,同时把随机的事件变成顺序的事件**, -也就是我们总是通过同一种查找方式来锁定数据。 - -数据库实现比较复杂,数据保存在磁盘上,而为了提高性能,每次可以把部分数据读入内存来计算, -因为我们知道访问磁盘的成本大概是访问内存的十万倍左右,所以简单的搜索树难以满足复杂的应用场景。 -### 磁盘IO与预读 -磁盘读取数据靠的是**机械运动**,每次读取数据花费的时间可以分为**寻道时间、旋转延迟、传输时间**三个部分: - -考虑到磁盘IO是非常高昂的操作,计算机操作系统做了一些优化,当一次IO时,不光把当前磁盘地址的数据,而是把相邻的数据也都读取到内存缓冲区内, -因为**局部预读性原理**告诉我们,当计算机访问一个地址的数据的时候,与其相邻的数据也会很快被访问到。 - -每一次IO读取的数据我们称之为一页(page)。具体一页有多大数据跟操作系统有关,一般为4k或8k,也就是我们读取一页内的数据时候,实际上才发生了一次IO,这个理论对于索引的数据结构设计非常有帮助。 - -## B+ Tree -每次查找数据时把磁盘IO次数控制在一个很小的数量级,最好是常数数量级。那么我们就想到如果一个高度可控的多路搜索树是否能满足需求呢?就这样,b+树应运而生。 - -### 1. 数据结构 - -B Tree 是平衡多路查找树(查找路径不止2条)。B+树是一颗查找树,那么是遵循左小右大的原则,并且所有叶子节点位于同一层。 - -B+ Tree 是B Tree的升级版,是基于 B Tree 和叶子节点顺序访问指针进行实现,它具有 B Tree 的平衡性,并且通过顺序访问指针来提高区间查询的性能。 - -B+跟B Tree不同B+Tree的**非叶子节点不保存关键字记录的指针,只进行数据索引**,只有叶子节点保存数据,这样使得B+树每个非叶子节点所能保存的关键字大大增加。 - -在 B+ Tree 中,一个节点中的 key 从左到右非递减排列,如果某个指针的左右相邻 key 分别是 keyi 和 keyi+1,且不为 null,则该指针指向节点的所有 key 大于等于 keyi 且小于等于 keyi+1。 - -

- -### 2. 操作 - -进行查找操作时,首先在根节点进行二分查找,找到一个 key 所在的指针,然后递归地在指针所指向的节点进行查找。直到查找到叶子节点,然后在叶子节点上进行二分查找,找出 key 所对应的 data。 - -插入删除操作会破坏平衡树的平衡性,因此在插入删除操作之后,需要对树进行一个分裂、合并、旋转等操作来维护平衡性。 - - -### 3. B+树的性质 -1. 通过分析,我们知道IO次数取决于B+数的高度h,假设当前数据表的数据为N,每个磁盘块的数据项的数量是m,则有h=log(m+1)N, -当数据量N一定的情况下,m越大,h越小;而m = 磁盘块的大小 / 数据项的大小,由于磁盘块的大小是固定的,也就是一个数据页的大小, -如果数据项占的空间越小,数据项(m)的数量就越多,树的高度越小。 - -这就是为什么每个数据项,即索引字段要尽量的小,比如int占4字节,要比bigint8字节少一半。 -这也是为什么B+树要求把真实的数据放到叶子节点而不是内层节点,一旦放到内层节点,磁盘块的数据项会大幅度下降,导致树增大。 - -2. 当B+树的数据项是复合的数据结构,比如(name,age,sex)的时候,B+数是按照**从左到右**的顺序来建立搜索树的,比如当(张三,20,F)这样的数据来检索的时候, -B+树会优先比较name来确定下一步的所搜方向,如果name相同再依次比较age和sex,最后得到检索的数据; -但当(20,F)这样的没有name的数据来的时候,b+树就不知道下一步该查哪个节点,因为建立搜索树的时候name就是第一个比较因子, -必须要先根据name来搜索才能知道下一步去哪里查询。比如当(张三,F)这样的数据来检索时,B+树可以用name来指定搜索方向,但下一个字段age的缺失,所以只能把名字等于张三的数据都找到, -然后再匹配性别是F的数据了, 这个是非常重要的性质,即**索引的最左匹配特性**。 - -### 4. B+树两种搜索方法 -1. 一种是按叶节点自己拉起的链表顺序搜索。 -2. 一种是从根节点开始搜索,和B树类似,不过如果非叶节点的关键码等于给定值,搜索并不停止,而是继续沿右指针,一直查到叶节点上的关键码。所以无论搜索是否成功,都将走完树的所有层。 - -### 5. 与红黑树的比较 - -红黑树 和 B+树的用途有什么区别? -- 红黑树多用在内部排序,即全放在内存中的,STL的map和set的内部实现就是红黑树。 - -- B+树多用于外存上时,B+也被成为一个磁盘友好的数据结构。 - -文件系统及数据库系统普遍采用 B+ Tree 作为索引结构,主要有以下原因: - -(一)更少的查找次数 - -平衡树查找操作的时间复杂度等于树高 h,而树高大致为 O(h)=O(logdN),其中 d 为每个节点的出度。 - -红黑树的出度为 2,而 B+ Tree 的出度一般都非常大,所以红黑树的树高 h 很明显比 B+ Tree 大非常多,查找的次数也就更多。 - -(二)利用磁盘预读特性 - -为了减少磁盘 I/O,磁盘往往不是严格按需读取,而是每次都会预读。预读过程中,磁盘进行顺序读取,顺序读取不需要进行磁盘寻道,并且只需要很短的旋转时间,速度会非常快。 - -操作系统一般将内存和磁盘分割成固态大小的块,每一块称为一页,内存与磁盘以页为单位交换数据。数据库系统将索引的一个节点的大小设置为页的大小,使得一次 I/O 就能完全载入一个节点。并且可以利用预读特性,相邻的节点也能够被预先载入。 - -(三)方便地遍历所有数据 - -B+树只要遍历叶子结点就可以遍历到所有数据,而不同于其他树形数据结构。 - - - - -## MySQL 索引分类 - -索引是在存储引擎层实现的,而不是在服务器层实现的,所以不同存储引擎具有不同的索引类型和实现,MySQL主要的存储引擎是MyISAM和InnoDB。Mysql索引中使用的最多的就是B+Tree索引 和 哈希索引 。 - -### 1. B+Tree 索引 - -是大多数 MySQL 存储引擎的默认索引类型。 - -因为不再需要进行全表扫描,只需要对树进行搜索即可,所以查找速度快很多。 - -除了用于查找,还可以用于排序和分组。 - -可以指定多个列作为索引列,多个索引列共同组成键。 - -适用于全键值、键值范围和键前缀查找,其中**键前缀查找只适用于最左前缀查找**。如果不是按照索引列的顺序进行查找,则无法使用索引。 - -InnoDB 的 B+Tree 索引分为主索引和辅助索引。主索引的叶子节点 data 域记录着完整的数据记录,这种索引方式被称为聚簇索引。因为无法把数据行存放在两个不同的地方,所以一个表只能有一个聚簇索引。 - -

- -辅助索引的叶子节点的 data 域记录着主键的值,因此在使用辅助索引进行查找时,需要先查找到主键值,然后再到主索引中进行查找。 - -

- -### 2. 哈希索引 - -哈希索引底层的数据结构是哈希表,能以 O(1) 时间进行查找,但是失去了有序性;因此在绝大多数需求为单条记录查询的时候,可以选择哈希索引,查询性能最快。 - -- 无法用于排序与分组; -- 只支持精确查找,无法用于部分查找和范围查找。 - -InnoDB 存储引擎有一个特殊的功能叫“自适应哈希索引”,当某个索引值被使用的非常频繁时,会在 B+Tree 索引之上再创建一个哈希索引,这样就让 B+Tree 索引具有哈希索引的一些优点,比如快速的哈希查找。 - -### 3. 全文索引 - -MyISAM 存储引擎支持全文索引,用于查找文本中的关键词,而不是直接比较是否相等。 - -查找条件使用 MATCH AGAINST,而不是普通的 WHERE。 - -全文索引使用倒排索引实现,它记录着关键词到其所在文档的映射。 - -InnoDB 存储引擎在 MySQL 5.6.4 版本中也开始支持全文索引。 - -### 4. 空间数据索引 - -MyISAM 存储引擎支持空间数据索引(R-Tree),可以用于地理数据存储。空间数据索引会从所有维度来索引数据,可以有效地使用任意维度来进行组合查询。 - -必须使用 GIS 相关的函数来维护数据。 - -## 索引设计优化 - -### 1. 独立的列 - -在进行查询时,索引列不能是表达式的一部分,也不能是函数的参数,否则无法使用索引。 - -例如下面的查询不能使用 actor_id 列的索引: - -```sql -SELECT actor_id FROM sakila.actor WHERE actor_id + 1 = 5; -``` - -### 2. 多列索引 - -在需要使用多个列作为条件进行查询时,使用多列索引比使用多个单列索引性能更好。例如下面的语句中,最好把 actor_id 和 film_id 设置为多列索引。 - -```sql -SELECT film_id, actor_ id FROM sakila.film_actor -WHERE actor_id = 1 AND film_id = 1; -``` - -### 3. 索引列的顺序 - -让选择性最强的索引列放在前面。 - -索引的选择性是指:不重复的索引值和记录总数的比值。最大值为 1,此时每个记录都有唯一的索引与其对应。选择性越高,查询效率也越高。 - -例如下面显示的结果中 customer_id 的选择性比 staff_id 更高,因此最好把 customer_id 列放在多列索引的前面。 - -```sql -SELECT COUNT(DISTINCT staff_id)/COUNT(*) AS staff_id_selectivity, -COUNT(DISTINCT customer_id)/COUNT(*) AS customer_id_selectivity, -COUNT(*) -FROM payment; -``` - -```html - staff_id_selectivity: 0.0001 -customer_id_selectivity: 0.0373 - COUNT(*): 16049 -``` - -### 4. 前缀索引 - -对于 BLOB、TEXT 和 VARCHAR 类型的列,必须使用前缀索引,只索引开始的部分字符。 - -对于前缀长度的选取需要根据索引选择性来确定。 - -### 5. 覆盖索引 - -索引包含所有需要查询的字段的值。 - -具有以下优点: - -- 索引通常远小于数据行的大小,只读取索引能大大减少数据访问量。 -- 一些存储引擎(例如 MyISAM)在内存中只缓存索引,而数据依赖于操作系统来缓存。因此,只访问索引可以不使用系统调用(通常比较费时)。 -- 对于 InnoDB 引擎,若辅助索引能够覆盖查询,则无需访问主索引。 - -## 索引的优点 - -- 大大减少了服务器需要扫描的数据行数。 - -- 帮助服务器避免进行排序和分组,以及避免创建临时表(B+Tree 索引是有序的,可以用于 ORDER BY 和 GROUP BY 操作。临时表主要是在排序和分组过程中创建,因为不需要排序和分组,也就不需要创建临时表)。 - -- 将随机 I/O 变为顺序 I/O(B+Tree 索引是有序的,会将相邻的数据都存储在一起)。 - -## 索引的使用条件 - -- 对于非常小的表、大部分情况下简单的全表扫描比建立索引更高效; - -- 对于中到大型的表,索引就非常有效; - -- 但是对于特大型的表,建立和维护索引的代价将会随之增长。这种情况下,需要用到一种技术可以直接区分出需要查询的一组数据,而不是一条记录一条记录地匹配,例如可以使用分区技术。 \ No newline at end of file diff --git "a/DataBase/11\346\237\245\350\257\242\346\200\247\350\203\275\344\274\230\345\214\226.md" "b/DataBase/11\346\237\245\350\257\242\346\200\247\350\203\275\344\274\230\345\214\226.md" deleted file mode 100644 index 11ed369..0000000 --- "a/DataBase/11\346\237\245\350\257\242\346\200\247\350\203\275\344\274\230\345\214\226.md" +++ /dev/null @@ -1,135 +0,0 @@ - -* [二、查询性能优化](#二查询性能优化) - * [使用 Explain 进行分析](#使用-explain-进行分析) - * [优化数据访问](#优化数据访问) - * [重构查询方式](#重构查询方式) - -# 二、查询性能优化 - -## 使用 Explain 进行分析 - -Explain 用来分析 SELECT 查询语句,开发人员可以通过分析 Explain 结果来优化查询语句。 - -比较重要的字段有: - -- select_type : 查询类型,有简单查询、联合查询、子查询等 -- key : 使用的索引 -- rows : 扫描的行数 - -## 优化数据访问 - -### 1. 是否想数据库请求了不需要的数据 -- 查询不需要的记录 - - 实际上MySQL是**先返回全部结果集合再进行计算**,最有效的办法是 - 在这样的查询后面加上LIMIT。 - - -- 多表关联时返回全部列 - -- 总是取出全部列 - -严禁使用 SELECT *的写法 - -- 重复查询相同的数据 - -比较好的办法是合理地使用缓存 - -### 2. MySQL是否在扫描额外的记录 -查询开销的三个指标如下: -响应时间、扫描的行数和返回的行数 - -响应时间= 服务时间+排队时间 - -服务时间:数据库处理这个查询真正花费了多长时间; - -排队时间:服务器因为等待某些资源而没有真正执行查询的时间(可能是IO操作也可能是等待行锁等等); - -当看到一个查询的响应时间的时候,首先问问自己,这个响应时间是不是一个合理的值呢? -使用“快速上线估计”法来估算查询的响应时间。 - -访问类型: - -- 全表扫描 -- 索引扫描 -- 范围扫描 -- 唯一索引查询 -- 常数引用 - -一般MySQL能够如下三种方式使用WHERE条件,从好到坏依次为: - -- 存储引擎层,在索引中使用WHERE条件来过滤不匹配的记录。 -- MySQL服务器层,使用索引覆盖扫描来返回记录,直接从索引中过滤不需要的记录并返回 -命中的结果。 -- MySQL服务器层,从数据表中返回数据,然后过滤不满足条件的记录。 - - -## 重构查询方式 - -### 1. 切分大查询 - -一个大查询如果一次性执行的话,可能一次锁住很多数据、占满整个事务日志、耗尽系统资源、阻塞很多小的但重要的查询。 -将一个大的DELETE语句切分成多个较小的查询可以尽可能小地影响MySQL的性能,同时还可以减少MySQL复制的延迟。 - - -例如: -```sql -DELEFT FROM messages WHERE create < DATE_SUB(NOW(), INTERVAL 3 MONTH); -``` - -```sql -rows_affected = 0 -do { - rows_affected = do_query( - "DELETE FROM messages WHERE create < DATE_SUB(NOW(), INTERVAL 3 MONTH) LIMIT 10000") -} while rows_affected > 0 -``` -如果每次删除数据后,都暂停一会儿再做下一次删除,这样也可以将服务器上原本一次性的压力分散到一个很长的时间段中, -就可以大大降低对服务器的影响和减少删除时锁的持有时间。 -### 2. 分解大连接查询 - -将一个大连接查询分解成对每一个表进行一次单表查询,然后在应用程序中进行关联,这样做的好处有: - -- 让缓存更高效。对于连接查询,如果其中一个表发生变化,那么整个查询缓存就无法使用。而分解后的多个查询,即使其中一个表发生变化,对其它表的查询缓存依然可以使用。 -- 分解成多个单表查询,这些单表查询的缓存结果更可能被其它查询使用到,从而减少冗余记录的查询。 -- 减少锁竞争; -- 在应用层进行连接,可以更容易对数据库进行拆分,从而更容易做到高性能和可伸缩。 -- 查询本身效率也可能会有所提升。例如下面的例子中,使用 IN() 代替连接查询,可以让 MySQL 按照 ID 顺序进行查询,**这可能比随机的连接要更高效。** - -```sql -SELECT * FROM tab -JOIN tag_post ON tag_post.tag_id=tag.id -JOIN post ON tag_post.post_id=post.id -WHERE tag.tag='mysql'; -``` - -```sql -SELECT * FROM tag WHERE tag='mysql'; -SELECT * FROM tag_post WHERE tag_id=1234; -SELECT * FROM post WHERE post.id IN (123,456,567,9098,8904); -``` -## 查询执行的基础 -查询执行的路径: -1. 客户端发送一条查询给服务器 -2. 服务器先检查查询缓存,如果命中了缓存,则立刻返回存储在缓存中的结果,否则进入下一阶段。 -3. 服务器进行SQL的解析、预处理,再由优化器生成对应的执行计划。 -4. MySQL根据优化器生成的执行计划,调用存储引擎的API来执行查询。 -5. 将结果返回给客户端。 -### MySQL客户端/服务器通信协议 -客户端和服务器之间的通信协议是“半双工”的,这种协议让MySQL通信简单快速,但也在很多地方 -限制了MySQL。 - -多数连接MySQL的库函数都可以获得全部结果集并缓存到内存里,还可以逐行获取需要的数据。 -MySQL通常需要等所有的数据都已经发送给客户端才能释放这条查询所占用的 -资源,所以接收全部结果并缓存通常可以减少服务器的压力,让查询能够早点结束,早点释放相应的资源。 - -### 查询缓存 -MySQL在解析查询语句之前,会优先检查这个查询是否命中查询缓存中的数据。 -当恰好命中查询缓存的时候,在返回查询结果之前MySQL会检查一次用户权限。 -若权限没有问题,会跳过其他阶段,直接从缓存中拿到结果并返回给客户端。这种情况下,查询不会被解析, -也不用生成执行计划。 -### 查询优化处理 -这一步会将SQL转换成一个执行计划,MySQL再依照这个执行计划和存储引擎进行交互。 -- 语法解析器和预处理 - - diff --git "a/DataBase/12\345\255\230\345\202\250\345\274\225\346\223\216.md" "b/DataBase/12\345\255\230\345\202\250\345\274\225\346\223\216.md" deleted file mode 100644 index cca6e0d..0000000 --- "a/DataBase/12\345\255\230\345\202\250\345\274\225\346\223\216.md" +++ /dev/null @@ -1,48 +0,0 @@ - -* [三、存储引擎](#三存储引擎) - * [InnoDB](#innodb) - * [MyISAM](#myisam) - * [比较](#比较) - - -# 三、存储引擎 - -## InnoDB - -是 MySQL 默认的事务型存储引擎,只有在需要它不支持的特性时,才考虑使用其它存储引擎。 - -实现了四个标准的隔离级别,默认级别是可重复读(REPEATABLE READ)。在可重复读隔离级别下,通过多版本并发控制(MVCC)+ 间隙锁(Next-Key Locking)防止幻影读。 - -主索引是聚簇索引,在索引中保存了数据,从而避免直接读取磁盘,因此对查询性能有很大的提升。 - -内部做了很多优化,包括从磁盘读取数据时采用的可预测性读、能够加快读操作并且自动创建的自适应哈希索引、能够加速插入操作的插入缓冲区等。 - -支持真正的在线热备份。其它存储引擎不支持在线热备份,要获取一致性视图需要停止对所有表的写入,而在读写混合场景中,停止写入可能也意味着停止读取。 - -## MyISAM - -设计简单,数据以紧密格式存储。对于只读数据,或者表比较小、可以容忍修复操作,则依然可以使用它。 - -提供了大量的特性,包括压缩表、空间数据索引等。 - -不支持事务。 - -不支持行级锁,只能对整张表加锁,读取时会对需要读到的所有表加共享锁,写入时则对表加排它锁。但在表有读取操作的同时,也可以往表中插入新的记录,这被称为并发插入(CONCURRENT INSERT)。 - -可以手工或者自动执行检查和修复操作,但是和事务恢复以及崩溃恢复不同,可能导致一些数据丢失,而且修复操作是非常慢的。 - -如果指定了 DELAY_KEY_WRITE 选项,在每次修改执行完成时,不会立即将修改的索引数据写入磁盘,而是会写到内存中的键缓冲区,只有在清理键缓冲区或者关闭表的时候才会将对应的索引块写入磁盘。这种方式可以极大的提升写入性能,但是在数据库或者主机崩溃时会造成索引损坏,需要执行修复操作。 - -## 比较 - -- 事务:InnoDB 是事务型的,可以使用 Commit 和 Rollback 语句。 - -- 并发:MyISAM 只支持表级锁,而 InnoDB 还支持行级锁。 - -- 外键:InnoDB 支持外键。 - -- 备份:InnoDB 支持在线热备份。 - -- 崩溃恢复:MyISAM 崩溃后发生损坏的概率比 InnoDB 高很多,而且恢复的速度也更慢。 - -- 其它特性:MyISAM 支持压缩表和空间数据索引。 \ No newline at end of file diff --git a/DataBase/pics/061c88c1-572f-424f-b580-9cbce903a3fe.png b/DataBase/pics/061c88c1-572f-424f-b580-9cbce903a3fe.png deleted file mode 100644 index eb25a98..0000000 Binary files a/DataBase/pics/061c88c1-572f-424f-b580-9cbce903a3fe.png and /dev/null differ diff --git a/DataBase/pics/0ea37ee2-c224-4c79-b895-e131c6805c40.png b/DataBase/pics/0ea37ee2-c224-4c79-b895-e131c6805c40.png deleted file mode 100644 index 79ec18d..0000000 Binary files a/DataBase/pics/0ea37ee2-c224-4c79-b895-e131c6805c40.png and /dev/null differ diff --git a/DataBase/pics/1202b2d6-9469-4251-bd47-ca6034fb6116.png b/DataBase/pics/1202b2d6-9469-4251-bd47-ca6034fb6116.png deleted file mode 100644 index b44fa99..0000000 Binary files a/DataBase/pics/1202b2d6-9469-4251-bd47-ca6034fb6116.png and /dev/null differ diff --git a/DataBase/pics/185b9c49-4c13-4241-a848-fbff85c03a64.png b/DataBase/pics/185b9c49-4c13-4241-a848-fbff85c03a64.png deleted file mode 100644 index 6f56bc5..0000000 Binary files a/DataBase/pics/185b9c49-4c13-4241-a848-fbff85c03a64.png and /dev/null differ diff --git a/DataBase/pics/1a851e90-0d5c-4d4f-ac54-34c20ecfb903.jpg b/DataBase/pics/1a851e90-0d5c-4d4f-ac54-34c20ecfb903.jpg deleted file mode 100644 index 4809984..0000000 Binary files a/DataBase/pics/1a851e90-0d5c-4d4f-ac54-34c20ecfb903.jpg and /dev/null differ diff --git a/DataBase/pics/292b4a35-4507-4256-84ff-c218f108ee31.jpg b/DataBase/pics/292b4a35-4507-4256-84ff-c218f108ee31.jpg deleted file mode 100644 index 38e0905..0000000 Binary files a/DataBase/pics/292b4a35-4507-4256-84ff-c218f108ee31.jpg and /dev/null differ diff --git a/DataBase/pics/395a9e83-b1a1-4a1d-b170-d081e7bb5bab.png b/DataBase/pics/395a9e83-b1a1-4a1d-b170-d081e7bb5bab.png deleted file mode 100644 index b486ec0..0000000 Binary files a/DataBase/pics/395a9e83-b1a1-4a1d-b170-d081e7bb5bab.png and /dev/null differ diff --git a/DataBase/pics/423f2a40-bee1-488e-b460-8e76c48ee560.png b/DataBase/pics/423f2a40-bee1-488e-b460-8e76c48ee560.png deleted file mode 100644 index 7b8c8c0..0000000 Binary files a/DataBase/pics/423f2a40-bee1-488e-b460-8e76c48ee560.png and /dev/null differ diff --git a/DataBase/pics/485fdf34-ccf8-4185-97c6-17374ee719a0.png b/DataBase/pics/485fdf34-ccf8-4185-97c6-17374ee719a0.png deleted file mode 100644 index f9f73fa..0000000 Binary files a/DataBase/pics/485fdf34-ccf8-4185-97c6-17374ee719a0.png and /dev/null differ diff --git a/DataBase/pics/6019b2db-bc3e-4408-b6d8-96025f4481d6.png b/DataBase/pics/6019b2db-bc3e-4408-b6d8-96025f4481d6.png deleted file mode 100644 index 900ee96..0000000 Binary files a/DataBase/pics/6019b2db-bc3e-4408-b6d8-96025f4481d6.png and /dev/null differ diff --git a/DataBase/pics/63c2909f-0c5f-496f-9fe5-ee9176b31aba.jpg b/DataBase/pics/63c2909f-0c5f-496f-9fe5-ee9176b31aba.jpg deleted file mode 100644 index d647162..0000000 Binary files a/DataBase/pics/63c2909f-0c5f-496f-9fe5-ee9176b31aba.jpg and /dev/null differ diff --git a/DataBase/pics/72fe492e-f1cb-4cfc-92f8-412fb3ae6fec.png b/DataBase/pics/72fe492e-f1cb-4cfc-92f8-412fb3ae6fec.png deleted file mode 100644 index 748980c..0000000 Binary files a/DataBase/pics/72fe492e-f1cb-4cfc-92f8-412fb3ae6fec.png and /dev/null differ diff --git a/DataBase/pics/7ab8ca28-2a41-4adf-9502-cc0a21e63b51.jpg b/DataBase/pics/7ab8ca28-2a41-4adf-9502-cc0a21e63b51.jpg deleted file mode 100644 index 31c7031..0000000 Binary files a/DataBase/pics/7ab8ca28-2a41-4adf-9502-cc0a21e63b51.jpg and /dev/null differ diff --git a/DataBase/pics/7bd202a7-93d4-4f3a-a878-af68ae25539a.png b/DataBase/pics/7bd202a7-93d4-4f3a-a878-af68ae25539a.png deleted file mode 100644 index 711fb45..0000000 Binary files a/DataBase/pics/7bd202a7-93d4-4f3a-a878-af68ae25539a.png and /dev/null differ diff --git a/DataBase/pics/7c54de21-e2ff-402e-bc42-4037de1c1592.png b/DataBase/pics/7c54de21-e2ff-402e-bc42-4037de1c1592.png deleted file mode 100644 index 8b5ce20..0000000 Binary files a/DataBase/pics/7c54de21-e2ff-402e-bc42-4037de1c1592.png and /dev/null differ diff --git a/DataBase/pics/7ec9d619-fa60-4a2b-95aa-bf1a62aad408.jpg b/DataBase/pics/7ec9d619-fa60-4a2b-95aa-bf1a62aad408.jpg deleted file mode 100644 index 5753388..0000000 Binary files a/DataBase/pics/7ec9d619-fa60-4a2b-95aa-bf1a62aad408.jpg and /dev/null differ diff --git a/DataBase/pics/88ff46b3-028a-4dbb-a572-1f062b8b96d3.png b/DataBase/pics/88ff46b3-028a-4dbb-a572-1f062b8b96d3.png deleted file mode 100644 index c6344ad..0000000 Binary files a/DataBase/pics/88ff46b3-028a-4dbb-a572-1f062b8b96d3.png and /dev/null differ diff --git a/DataBase/pics/8b798007-e0fb-420c-b981-ead215692417.jpg b/DataBase/pics/8b798007-e0fb-420c-b981-ead215692417.jpg deleted file mode 100644 index dd21813..0000000 Binary files a/DataBase/pics/8b798007-e0fb-420c-b981-ead215692417.jpg and /dev/null differ diff --git a/DataBase/pics/9ea86eb5-000a-4281-b948-7b567bd6f1d8.png b/DataBase/pics/9ea86eb5-000a-4281-b948-7b567bd6f1d8.png deleted file mode 100644 index ba045e2..0000000 Binary files a/DataBase/pics/9ea86eb5-000a-4281-b948-7b567bd6f1d8.png and /dev/null differ diff --git a/DataBase/pics/a58e294a-615d-4ea0-9fbf-064a6daec4b2.png b/DataBase/pics/a58e294a-615d-4ea0-9fbf-064a6daec4b2.png deleted file mode 100644 index fdefb82..0000000 Binary files a/DataBase/pics/a58e294a-615d-4ea0-9fbf-064a6daec4b2.png and /dev/null differ diff --git a/DataBase/pics/beba612e-dc5b-4fc2-869d-0b23408ac90a.png b/DataBase/pics/beba612e-dc5b-4fc2-869d-0b23408ac90a.png deleted file mode 100644 index b24241d..0000000 Binary files a/DataBase/pics/beba612e-dc5b-4fc2-869d-0b23408ac90a.png and /dev/null differ diff --git a/DataBase/pics/c0a9fa91-da2e-4892-8c9f-80206a6f7047.png b/DataBase/pics/c0a9fa91-da2e-4892-8c9f-80206a6f7047.png deleted file mode 100644 index add3c5d..0000000 Binary files a/DataBase/pics/c0a9fa91-da2e-4892-8c9f-80206a6f7047.png and /dev/null differ diff --git a/DataBase/pics/c28c6fbc-2bc1-47d9-9b2e-cf3d4034f877.jpg b/DataBase/pics/c28c6fbc-2bc1-47d9-9b2e-cf3d4034f877.jpg deleted file mode 100644 index 593513f..0000000 Binary files a/DataBase/pics/c28c6fbc-2bc1-47d9-9b2e-cf3d4034f877.jpg and /dev/null differ diff --git a/DataBase/pics/c2d343f7-604c-4856-9a3c-c71d6f67fecc.png b/DataBase/pics/c2d343f7-604c-4856-9a3c-c71d6f67fecc.png deleted file mode 100644 index 84b2898..0000000 Binary files a/DataBase/pics/c2d343f7-604c-4856-9a3c-c71d6f67fecc.png and /dev/null differ diff --git a/DataBase/pics/c8d18ca9-0b09-441a-9a0c-fb063630d708.png b/DataBase/pics/c8d18ca9-0b09-441a-9a0c-fb063630d708.png deleted file mode 100644 index 514ab05..0000000 Binary files a/DataBase/pics/c8d18ca9-0b09-441a-9a0c-fb063630d708.png and /dev/null differ diff --git a/DataBase/pics/cd5fbcff-3f35-43a6-8ffa-082a93ce0f0e.png b/DataBase/pics/cd5fbcff-3f35-43a6-8ffa-082a93ce0f0e.png deleted file mode 100644 index f8550a1..0000000 Binary files a/DataBase/pics/cd5fbcff-3f35-43a6-8ffa-082a93ce0f0e.png and /dev/null differ diff --git a/DataBase/pics/dd782132-d830-4c55-9884-cfac0a541b8e.png b/DataBase/pics/dd782132-d830-4c55-9884-cfac0a541b8e.png deleted file mode 100644 index e338c1b..0000000 Binary files a/DataBase/pics/dd782132-d830-4c55-9884-cfac0a541b8e.png and /dev/null differ diff --git a/DataBase/pics/de9b9ea0-1327-4865-93e5-6f805c48bc9e.png b/DataBase/pics/de9b9ea0-1327-4865-93e5-6f805c48bc9e.png deleted file mode 100644 index cfabd4d..0000000 Binary files a/DataBase/pics/de9b9ea0-1327-4865-93e5-6f805c48bc9e.png and /dev/null differ diff --git a/DataBase/pics/e130e5b8-b19a-4f1e-b860-223040525cf6.jpg b/DataBase/pics/e130e5b8-b19a-4f1e-b860-223040525cf6.jpg deleted file mode 100644 index 0968e1b..0000000 Binary files a/DataBase/pics/e130e5b8-b19a-4f1e-b860-223040525cf6.jpg and /dev/null differ diff --git a/DataBase/pics/e41405a8-7c05-4f70-8092-e961e28d3112.jpg b/DataBase/pics/e41405a8-7c05-4f70-8092-e961e28d3112.jpg deleted file mode 100644 index 7fef7ba..0000000 Binary files a/DataBase/pics/e41405a8-7c05-4f70-8092-e961e28d3112.jpg and /dev/null differ diff --git a/DataBase/pics/f7d170a3-e446-4a64-ac2d-cb95028f81a8.png b/DataBase/pics/f7d170a3-e446-4a64-ac2d-cb95028f81a8.png deleted file mode 100644 index 2679976..0000000 Binary files a/DataBase/pics/f7d170a3-e446-4a64-ac2d-cb95028f81a8.png and /dev/null differ diff --git a/DataBase/pics/fb327611-7e2b-4f2f-9f5b-38592d408f07.png b/DataBase/pics/fb327611-7e2b-4f2f-9f5b-38592d408f07.png deleted file mode 100644 index 774ecf1..0000000 Binary files a/DataBase/pics/fb327611-7e2b-4f2f-9f5b-38592d408f07.png and /dev/null differ diff --git a/DataBase/pics/master-slave-proxy.png b/DataBase/pics/master-slave-proxy.png deleted file mode 100644 index 66be0d6..0000000 Binary files a/DataBase/pics/master-slave-proxy.png and /dev/null differ diff --git a/DataBase/pics/master-slave.png b/DataBase/pics/master-slave.png deleted file mode 100644 index 594a183..0000000 Binary files a/DataBase/pics/master-slave.png and /dev/null differ diff --git a/DataStructureNotes/.idea/uiDesigner.xml b/DataStructureNotes/.idea/uiDesigner.xml deleted file mode 100644 index e96534f..0000000 --- a/DataStructureNotes/.idea/uiDesigner.xml +++ /dev/null @@ -1,124 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/DataStructureNotes/a-tale-of-two-cities.txt b/DataStructureNotes/a-tale-of-two-cities.txt deleted file mode 100644 index efd5293..0000000 --- a/DataStructureNotes/a-tale-of-two-cities.txt +++ /dev/null @@ -1,16272 +0,0 @@ -The Project Gutenberg EBook of A Tale of Two Cities, by Charles Dickens - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - - -Title: A Tale of Two Cities - A Story of the French Revolution - -Author: Charles Dickens - -Release Date: January, 1994 [EBook #98] -Posting Date: November 28, 2009 -Last Updated: March 4, 2018 - -Language: English - -Character set encoding: UTF-8 - -*** START OF THIS PROJECT GUTENBERG EBOOK A TALE OF TWO CITIES *** - - - - -Produced by Judith Boss - - - - - - - - -A TALE OF TWO CITIES - -A STORY OF THE FRENCH REVOLUTION - -By Charles Dickens - - -CONTENTS - - - Book the First--Recalled to Life - - Chapter I The Period - Chapter II The Mail - Chapter III The Night Shadows - Chapter IV The Preparation - Chapter V The Wine-shop - Chapter VI The Shoemaker - - - Book the Second--the Golden Thread - - Chapter I Five Years Later - Chapter II A Sight - Chapter III A Disappointment - Chapter IV Congratulatory - Chapter V The Jackal - Chapter VI Hundreds of People - Chapter VII Monseigneur in Town - Chapter VIII Monseigneur in the Country - Chapter IX The Gorgon's Head - Chapter X Two Promises - Chapter XI A Companion Picture - Chapter XII The Fellow of Delicacy - Chapter XIII The Fellow of no Delicacy - Chapter XIV The Honest Tradesman - Chapter XV Knitting - Chapter XVI Still Knitting - Chapter XVII One Night - Chapter XVIII Nine Days - Chapter XIX An Opinion - Chapter XX A Plea - Chapter XXI Echoing Footsteps - Chapter XXII The Sea Still Rises - Chapter XXIII Fire Rises - Chapter XXIV Drawn to the Loadstone Rock - - - Book the Third--the Track of a Storm - - Chapter I In Secret - Chapter II The Grindstone - Chapter III The Shadow - Chapter IV Calm in Storm - Chapter V The Wood-sawyer - Chapter VI Triumph - Chapter VII A Knock at the Door - Chapter VIII A Hand at Cards - Chapter IX The Game Made - Chapter X The Substance of the Shadow - Chapter XI Dusk - Chapter XII Darkness - Chapter XIII Fifty-two - Chapter XIV The Knitting Done - Chapter XV The Footsteps Die Out For Ever - - - - - -Book the First--Recalled to Life - - - - -I. The Period - - -It was the best of times, -it was the worst of times, -it was the age of wisdom, -it was the age of foolishness, -it was the epoch of belief, -it was the epoch of incredulity, -it was the season of Light, -it was the season of Darkness, -it was the spring of hope, -it was the winter of despair, -we had everything before us, -we had nothing before us, -we were all going direct to Heaven, -we were all going direct the other way-- -in short, the period was so far like the present period, that some of -its noisiest authorities insisted on its being received, for good or for -evil, in the superlative degree of comparison only. - -There were a king with a large jaw and a queen with a plain face, on the -throne of England; there were a king with a large jaw and a queen with -a fair face, on the throne of France. In both countries it was clearer -than crystal to the lords of the State preserves of loaves and fishes, -that things in general were settled for ever. - -It was the year of Our Lord one thousand seven hundred and seventy-five. -Spiritual revelations were conceded to England at that favoured period, -as at this. Mrs. Southcott had recently attained her five-and-twentieth -blessed birthday, of whom a prophetic private in the Life Guards had -heralded the sublime appearance by announcing that arrangements were -made for the swallowing up of London and Westminster. Even the Cock-lane -ghost had been laid only a round dozen of years, after rapping out its -messages, as the spirits of this very year last past (supernaturally -deficient in originality) rapped out theirs. Mere messages in the -earthly order of events had lately come to the English Crown and People, -from a congress of British subjects in America: which, strange -to relate, have proved more important to the human race than any -communications yet received through any of the chickens of the Cock-lane -brood. - -France, less favoured on the whole as to matters spiritual than her -sister of the shield and trident, rolled with exceeding smoothness down -hill, making paper money and spending it. Under the guidance of her -Christian pastors, she entertained herself, besides, with such humane -achievements as sentencing a youth to have his hands cut off, his tongue -torn out with pincers, and his body burned alive, because he had not -kneeled down in the rain to do honour to a dirty procession of monks -which passed within his view, at a distance of some fifty or sixty -yards. It is likely enough that, rooted in the woods of France and -Norway, there were growing trees, when that sufferer was put to death, -already marked by the Woodman, Fate, to come down and be sawn into -boards, to make a certain movable framework with a sack and a knife in -it, terrible in history. It is likely enough that in the rough outhouses -of some tillers of the heavy lands adjacent to Paris, there were -sheltered from the weather that very day, rude carts, bespattered with -rustic mire, snuffed about by pigs, and roosted in by poultry, which -the Farmer, Death, had already set apart to be his tumbrils of -the Revolution. But that Woodman and that Farmer, though they work -unceasingly, work silently, and no one heard them as they went about -with muffled tread: the rather, forasmuch as to entertain any suspicion -that they were awake, was to be atheistical and traitorous. - -In England, there was scarcely an amount of order and protection to -justify much national boasting. Daring burglaries by armed men, and -highway robberies, took place in the capital itself every night; -families were publicly cautioned not to go out of town without removing -their furniture to upholsterers' warehouses for security; the highwayman -in the dark was a City tradesman in the light, and, being recognised and -challenged by his fellow-tradesman whom he stopped in his character of -“the Captain,” gallantly shot him through the head and rode away; the -mail was waylaid by seven robbers, and the guard shot three dead, and -then got shot dead himself by the other four, “in consequence of the -failure of his ammunition:” after which the mail was robbed in peace; -that magnificent potentate, the Lord Mayor of London, was made to stand -and deliver on Turnham Green, by one highwayman, who despoiled the -illustrious creature in sight of all his retinue; prisoners in London -gaols fought battles with their turnkeys, and the majesty of the law -fired blunderbusses in among them, loaded with rounds of shot and ball; -thieves snipped off diamond crosses from the necks of noble lords at -Court drawing-rooms; musketeers went into St. Giles's, to search -for contraband goods, and the mob fired on the musketeers, and the -musketeers fired on the mob, and nobody thought any of these occurrences -much out of the common way. In the midst of them, the hangman, ever busy -and ever worse than useless, was in constant requisition; now, stringing -up long rows of miscellaneous criminals; now, hanging a housebreaker on -Saturday who had been taken on Tuesday; now, burning people in the -hand at Newgate by the dozen, and now burning pamphlets at the door of -Westminster Hall; to-day, taking the life of an atrocious murderer, -and to-morrow of a wretched pilferer who had robbed a farmer's boy of -sixpence. - -All these things, and a thousand like them, came to pass in and close -upon the dear old year one thousand seven hundred and seventy-five. -Environed by them, while the Woodman and the Farmer worked unheeded, -those two of the large jaws, and those other two of the plain and the -fair faces, trod with stir enough, and carried their divine rights -with a high hand. Thus did the year one thousand seven hundred -and seventy-five conduct their Greatnesses, and myriads of small -creatures--the creatures of this chronicle among the rest--along the -roads that lay before them. - - - - -II. The Mail - - -It was the Dover road that lay, on a Friday night late in November, -before the first of the persons with whom this history has business. -The Dover road lay, as to him, beyond the Dover mail, as it lumbered up -Shooter's Hill. He walked up hill in the mire by the side of the mail, -as the rest of the passengers did; not because they had the least relish -for walking exercise, under the circumstances, but because the hill, -and the harness, and the mud, and the mail, were all so heavy, that the -horses had three times already come to a stop, besides once drawing the -coach across the road, with the mutinous intent of taking it back -to Blackheath. Reins and whip and coachman and guard, however, in -combination, had read that article of war which forbade a purpose -otherwise strongly in favour of the argument, that some brute animals -are endued with Reason; and the team had capitulated and returned to -their duty. - -With drooping heads and tremulous tails, they mashed their way through -the thick mud, floundering and stumbling between whiles, as if they were -falling to pieces at the larger joints. As often as the driver rested -them and brought them to a stand, with a wary “Wo-ho! so-ho-then!” the -near leader violently shook his head and everything upon it--like an -unusually emphatic horse, denying that the coach could be got up the -hill. Whenever the leader made this rattle, the passenger started, as a -nervous passenger might, and was disturbed in mind. - -There was a steaming mist in all the hollows, and it had roamed in its -forlornness up the hill, like an evil spirit, seeking rest and finding -none. A clammy and intensely cold mist, it made its slow way through the -air in ripples that visibly followed and overspread one another, as the -waves of an unwholesome sea might do. It was dense enough to shut out -everything from the light of the coach-lamps but these its own workings, -and a few yards of road; and the reek of the labouring horses steamed -into it, as if they had made it all. - -Two other passengers, besides the one, were plodding up the hill by the -side of the mail. All three were wrapped to the cheekbones and over the -ears, and wore jack-boots. Not one of the three could have said, from -anything he saw, what either of the other two was like; and each was -hidden under almost as many wrappers from the eyes of the mind, as from -the eyes of the body, of his two companions. In those days, travellers -were very shy of being confidential on a short notice, for anybody on -the road might be a robber or in league with robbers. As to the latter, -when every posting-house and ale-house could produce somebody in -“the Captain's” pay, ranging from the landlord to the lowest stable -non-descript, it was the likeliest thing upon the cards. So the guard -of the Dover mail thought to himself, that Friday night in November, one -thousand seven hundred and seventy-five, lumbering up Shooter's Hill, as -he stood on his own particular perch behind the mail, beating his feet, -and keeping an eye and a hand on the arm-chest before him, where a -loaded blunderbuss lay at the top of six or eight loaded horse-pistols, -deposited on a substratum of cutlass. - -The Dover mail was in its usual genial position that the guard suspected -the passengers, the passengers suspected one another and the guard, they -all suspected everybody else, and the coachman was sure of nothing but -the horses; as to which cattle he could with a clear conscience have -taken his oath on the two Testaments that they were not fit for the -journey. - -“Wo-ho!” said the coachman. “So, then! One more pull and you're at the -top and be damned to you, for I have had trouble enough to get you to -it!--Joe!” - -“Halloa!” the guard replied. - -“What o'clock do you make it, Joe?” - -“Ten minutes, good, past eleven.” - -“My blood!” ejaculated the vexed coachman, “and not atop of Shooter's -yet! Tst! Yah! Get on with you!” - -The emphatic horse, cut short by the whip in a most decided negative, -made a decided scramble for it, and the three other horses followed -suit. Once more, the Dover mail struggled on, with the jack-boots of its -passengers squashing along by its side. They had stopped when the coach -stopped, and they kept close company with it. If any one of the three -had had the hardihood to propose to another to walk on a little ahead -into the mist and darkness, he would have put himself in a fair way of -getting shot instantly as a highwayman. - -The last burst carried the mail to the summit of the hill. The horses -stopped to breathe again, and the guard got down to skid the wheel for -the descent, and open the coach-door to let the passengers in. - -“Tst! Joe!” cried the coachman in a warning voice, looking down from his -box. - -“What do you say, Tom?” - -They both listened. - -“I say a horse at a canter coming up, Joe.” - -“_I_ say a horse at a gallop, Tom,” returned the guard, leaving his hold -of the door, and mounting nimbly to his place. “Gentlemen! In the king's -name, all of you!” - -With this hurried adjuration, he cocked his blunderbuss, and stood on -the offensive. - -The passenger booked by this history, was on the coach-step, getting in; -the two other passengers were close behind him, and about to follow. He -remained on the step, half in the coach and half out of; they remained -in the road below him. They all looked from the coachman to the guard, -and from the guard to the coachman, and listened. The coachman looked -back and the guard looked back, and even the emphatic leader pricked up -his ears and looked back, without contradicting. - -The stillness consequent on the cessation of the rumbling and labouring -of the coach, added to the stillness of the night, made it very quiet -indeed. The panting of the horses communicated a tremulous motion to -the coach, as if it were in a state of agitation. The hearts of the -passengers beat loud enough perhaps to be heard; but at any rate, the -quiet pause was audibly expressive of people out of breath, and holding -the breath, and having the pulses quickened by expectation. - -The sound of a horse at a gallop came fast and furiously up the hill. - -“So-ho!” the guard sang out, as loud as he could roar. “Yo there! Stand! -I shall fire!” - -The pace was suddenly checked, and, with much splashing and floundering, -a man's voice called from the mist, “Is that the Dover mail?” - -“Never you mind what it is!” the guard retorted. “What are you?” - -“_Is_ that the Dover mail?” - -“Why do you want to know?” - -“I want a passenger, if it is.” - -“What passenger?” - -“Mr. Jarvis Lorry.” - -Our booked passenger showed in a moment that it was his name. The guard, -the coachman, and the two other passengers eyed him distrustfully. - -“Keep where you are,” the guard called to the voice in the mist, -“because, if I should make a mistake, it could never be set right in -your lifetime. Gentleman of the name of Lorry answer straight.” - -“What is the matter?” asked the passenger, then, with mildly quavering -speech. “Who wants me? Is it Jerry?” - -(“I don't like Jerry's voice, if it is Jerry,” growled the guard to -himself. “He's hoarser than suits me, is Jerry.”) - -“Yes, Mr. Lorry.” - -“What is the matter?” - -“A despatch sent after you from over yonder. T. and Co.” - -“I know this messenger, guard,” said Mr. Lorry, getting down into the -road--assisted from behind more swiftly than politely by the other two -passengers, who immediately scrambled into the coach, shut the door, and -pulled up the window. “He may come close; there's nothing wrong.” - -“I hope there ain't, but I can't make so 'Nation sure of that,” said the -guard, in gruff soliloquy. “Hallo you!” - -“Well! And hallo you!” said Jerry, more hoarsely than before. - -“Come on at a footpace! d'ye mind me? And if you've got holsters to that -saddle o' yourn, don't let me see your hand go nigh 'em. For I'm a devil -at a quick mistake, and when I make one it takes the form of Lead. So -now let's look at you.” - -The figures of a horse and rider came slowly through the eddying mist, -and came to the side of the mail, where the passenger stood. The rider -stooped, and, casting up his eyes at the guard, handed the passenger -a small folded paper. The rider's horse was blown, and both horse and -rider were covered with mud, from the hoofs of the horse to the hat of -the man. - -“Guard!” said the passenger, in a tone of quiet business confidence. - -The watchful guard, with his right hand at the stock of his raised -blunderbuss, his left at the barrel, and his eye on the horseman, -answered curtly, “Sir.” - -“There is nothing to apprehend. I belong to Tellson's Bank. You must -know Tellson's Bank in London. I am going to Paris on business. A crown -to drink. I may read this?” - -“If so be as you're quick, sir.” - -He opened it in the light of the coach-lamp on that side, and -read--first to himself and then aloud: “'Wait at Dover for Mam'selle.' -It's not long, you see, guard. Jerry, say that my answer was, RECALLED -TO LIFE.” - -Jerry started in his saddle. “That's a Blazing strange answer, too,” - said he, at his hoarsest. - -“Take that message back, and they will know that I received this, as -well as if I wrote. Make the best of your way. Good night.” - -With those words the passenger opened the coach-door and got in; not at -all assisted by his fellow-passengers, who had expeditiously secreted -their watches and purses in their boots, and were now making a general -pretence of being asleep. With no more definite purpose than to escape -the hazard of originating any other kind of action. - -The coach lumbered on again, with heavier wreaths of mist closing round -it as it began the descent. The guard soon replaced his blunderbuss -in his arm-chest, and, having looked to the rest of its contents, and -having looked to the supplementary pistols that he wore in his belt, -looked to a smaller chest beneath his seat, in which there were a -few smith's tools, a couple of torches, and a tinder-box. For he was -furnished with that completeness that if the coach-lamps had been blown -and stormed out, which did occasionally happen, he had only to shut -himself up inside, keep the flint and steel sparks well off the straw, -and get a light with tolerable safety and ease (if he were lucky) in -five minutes. - -“Tom!” softly over the coach roof. - -“Hallo, Joe.” - -“Did you hear the message?” - -“I did, Joe.” - -“What did you make of it, Tom?” - -“Nothing at all, Joe.” - -“That's a coincidence, too,” the guard mused, “for I made the same of it -myself.” - -Jerry, left alone in the mist and darkness, dismounted meanwhile, not -only to ease his spent horse, but to wipe the mud from his face, and -shake the wet out of his hat-brim, which might be capable of -holding about half a gallon. After standing with the bridle over his -heavily-splashed arm, until the wheels of the mail were no longer within -hearing and the night was quite still again, he turned to walk down the -hill. - -“After that there gallop from Temple Bar, old lady, I won't trust your -fore-legs till I get you on the level,” said this hoarse messenger, -glancing at his mare. “'Recalled to life.' That's a Blazing strange -message. Much of that wouldn't do for you, Jerry! I say, Jerry! You'd -be in a Blazing bad way, if recalling to life was to come into fashion, -Jerry!” - - - - -III. The Night Shadows - - -A wonderful fact to reflect upon, that every human creature is -constituted to be that profound secret and mystery to every other. A -solemn consideration, when I enter a great city by night, that every -one of those darkly clustered houses encloses its own secret; that every -room in every one of them encloses its own secret; that every beating -heart in the hundreds of thousands of breasts there, is, in some of -its imaginings, a secret to the heart nearest it! Something of the -awfulness, even of Death itself, is referable to this. No more can I -turn the leaves of this dear book that I loved, and vainly hope in time -to read it all. No more can I look into the depths of this unfathomable -water, wherein, as momentary lights glanced into it, I have had glimpses -of buried treasure and other things submerged. It was appointed that the -book should shut with a spring, for ever and for ever, when I had read -but a page. It was appointed that the water should be locked in an -eternal frost, when the light was playing on its surface, and I stood -in ignorance on the shore. My friend is dead, my neighbour is dead, -my love, the darling of my soul, is dead; it is the inexorable -consolidation and perpetuation of the secret that was always in that -individuality, and which I shall carry in mine to my life's end. In -any of the burial-places of this city through which I pass, is there -a sleeper more inscrutable than its busy inhabitants are, in their -innermost personality, to me, or than I am to them? - -As to this, his natural and not to be alienated inheritance, the -messenger on horseback had exactly the same possessions as the King, the -first Minister of State, or the richest merchant in London. So with the -three passengers shut up in the narrow compass of one lumbering old mail -coach; they were mysteries to one another, as complete as if each had -been in his own coach and six, or his own coach and sixty, with the -breadth of a county between him and the next. - -The messenger rode back at an easy trot, stopping pretty often at -ale-houses by the way to drink, but evincing a tendency to keep his -own counsel, and to keep his hat cocked over his eyes. He had eyes that -assorted very well with that decoration, being of a surface black, with -no depth in the colour or form, and much too near together--as if they -were afraid of being found out in something, singly, if they kept too -far apart. They had a sinister expression, under an old cocked-hat like -a three-cornered spittoon, and over a great muffler for the chin and -throat, which descended nearly to the wearer's knees. When he stopped -for drink, he moved this muffler with his left hand, only while he -poured his liquor in with his right; as soon as that was done, he -muffled again. - -“No, Jerry, no!” said the messenger, harping on one theme as he rode. -“It wouldn't do for you, Jerry. Jerry, you honest tradesman, it wouldn't -suit _your_ line of business! Recalled--! Bust me if I don't think he'd -been a drinking!” - -His message perplexed his mind to that degree that he was fain, several -times, to take off his hat to scratch his head. Except on the crown, -which was raggedly bald, he had stiff, black hair, standing jaggedly all -over it, and growing down hill almost to his broad, blunt nose. It was -so like Smith's work, so much more like the top of a strongly spiked -wall than a head of hair, that the best of players at leap-frog might -have declined him, as the most dangerous man in the world to go over. - -While he trotted back with the message he was to deliver to the night -watchman in his box at the door of Tellson's Bank, by Temple Bar, who -was to deliver it to greater authorities within, the shadows of the -night took such shapes to him as arose out of the message, and took such -shapes to the mare as arose out of _her_ private topics of uneasiness. -They seemed to be numerous, for she shied at every shadow on the road. - -What time, the mail-coach lumbered, jolted, rattled, and bumped upon -its tedious way, with its three fellow-inscrutables inside. To whom, -likewise, the shadows of the night revealed themselves, in the forms -their dozing eyes and wandering thoughts suggested. - -Tellson's Bank had a run upon it in the mail. As the bank -passenger--with an arm drawn through the leathern strap, which did what -lay in it to keep him from pounding against the next passenger, -and driving him into his corner, whenever the coach got a special -jolt--nodded in his place, with half-shut eyes, the little -coach-windows, and the coach-lamp dimly gleaming through them, and the -bulky bundle of opposite passenger, became the bank, and did a great -stroke of business. The rattle of the harness was the chink of money, -and more drafts were honoured in five minutes than even Tellson's, with -all its foreign and home connection, ever paid in thrice the time. Then -the strong-rooms underground, at Tellson's, with such of their valuable -stores and secrets as were known to the passenger (and it was not a -little that he knew about them), opened before him, and he went in among -them with the great keys and the feebly-burning candle, and found them -safe, and strong, and sound, and still, just as he had last seen them. - -But, though the bank was almost always with him, and though the coach -(in a confused way, like the presence of pain under an opiate) was -always with him, there was another current of impression that never -ceased to run, all through the night. He was on his way to dig some one -out of a grave. - -Now, which of the multitude of faces that showed themselves before him -was the true face of the buried person, the shadows of the night did -not indicate; but they were all the faces of a man of five-and-forty by -years, and they differed principally in the passions they expressed, -and in the ghastliness of their worn and wasted state. Pride, contempt, -defiance, stubbornness, submission, lamentation, succeeded one another; -so did varieties of sunken cheek, cadaverous colour, emaciated hands -and figures. But the face was in the main one face, and every head was -prematurely white. A hundred times the dozing passenger inquired of this -spectre: - -“Buried how long?” - -The answer was always the same: “Almost eighteen years.” - -“You had abandoned all hope of being dug out?” - -“Long ago.” - -“You know that you are recalled to life?” - -“They tell me so.” - -“I hope you care to live?” - -“I can't say.” - -“Shall I show her to you? Will you come and see her?” - -The answers to this question were various and contradictory. Sometimes -the broken reply was, “Wait! It would kill me if I saw her too soon.” - Sometimes, it was given in a tender rain of tears, and then it was, -“Take me to her.” Sometimes it was staring and bewildered, and then it -was, “I don't know her. I don't understand.” - -After such imaginary discourse, the passenger in his fancy would dig, -and dig, dig--now with a spade, now with a great key, now with his -hands--to dig this wretched creature out. Got out at last, with earth -hanging about his face and hair, he would suddenly fan away to dust. The -passenger would then start to himself, and lower the window, to get the -reality of mist and rain on his cheek. - -Yet even when his eyes were opened on the mist and rain, on the moving -patch of light from the lamps, and the hedge at the roadside retreating -by jerks, the night shadows outside the coach would fall into the train -of the night shadows within. The real Banking-house by Temple Bar, the -real business of the past day, the real strong rooms, the real express -sent after him, and the real message returned, would all be there. Out -of the midst of them, the ghostly face would rise, and he would accost -it again. - -“Buried how long?” - -“Almost eighteen years.” - -“I hope you care to live?” - -“I can't say.” - -Dig--dig--dig--until an impatient movement from one of the two -passengers would admonish him to pull up the window, draw his arm -securely through the leathern strap, and speculate upon the two -slumbering forms, until his mind lost its hold of them, and they again -slid away into the bank and the grave. - -“Buried how long?” - -“Almost eighteen years.” - -“You had abandoned all hope of being dug out?” - -“Long ago.” - -The words were still in his hearing as just spoken--distinctly in -his hearing as ever spoken words had been in his life--when the weary -passenger started to the consciousness of daylight, and found that the -shadows of the night were gone. - -He lowered the window, and looked out at the rising sun. There was a -ridge of ploughed land, with a plough upon it where it had been left -last night when the horses were unyoked; beyond, a quiet coppice-wood, -in which many leaves of burning red and golden yellow still remained -upon the trees. Though the earth was cold and wet, the sky was clear, -and the sun rose bright, placid, and beautiful. - -“Eighteen years!” said the passenger, looking at the sun. “Gracious -Creator of day! To be buried alive for eighteen years!” - - - - -IV. The Preparation - - -When the mail got successfully to Dover, in the course of the forenoon, -the head drawer at the Royal George Hotel opened the coach-door as his -custom was. He did it with some flourish of ceremony, for a mail journey -from London in winter was an achievement to congratulate an adventurous -traveller upon. - -By that time, there was only one adventurous traveller left be -congratulated: for the two others had been set down at their respective -roadside destinations. The mildewy inside of the coach, with its damp -and dirty straw, its disagreeable smell, and its obscurity, was rather -like a larger dog-kennel. Mr. Lorry, the passenger, shaking himself out -of it in chains of straw, a tangle of shaggy wrapper, flapping hat, and -muddy legs, was rather like a larger sort of dog. - -“There will be a packet to Calais, tomorrow, drawer?” - -“Yes, sir, if the weather holds and the wind sets tolerable fair. The -tide will serve pretty nicely at about two in the afternoon, sir. Bed, -sir?” - -“I shall not go to bed till night; but I want a bedroom, and a barber.” - -“And then breakfast, sir? Yes, sir. That way, sir, if you please. -Show Concord! Gentleman's valise and hot water to Concord. Pull off -gentleman's boots in Concord. (You will find a fine sea-coal fire, sir.) -Fetch barber to Concord. Stir about there, now, for Concord!” - -The Concord bed-chamber being always assigned to a passenger by the -mail, and passengers by the mail being always heavily wrapped up from -head to foot, the room had the odd interest for the establishment of the -Royal George, that although but one kind of man was seen to go into it, -all kinds and varieties of men came out of it. Consequently, another -drawer, and two porters, and several maids and the landlady, were all -loitering by accident at various points of the road between the Concord -and the coffee-room, when a gentleman of sixty, formally dressed in a -brown suit of clothes, pretty well worn, but very well kept, with large -square cuffs and large flaps to the pockets, passed along on his way to -his breakfast. - -The coffee-room had no other occupant, that forenoon, than the gentleman -in brown. His breakfast-table was drawn before the fire, and as he sat, -with its light shining on him, waiting for the meal, he sat so still, -that he might have been sitting for his portrait. - -Very orderly and methodical he looked, with a hand on each knee, and a -loud watch ticking a sonorous sermon under his flapped waist-coat, -as though it pitted its gravity and longevity against the levity and -evanescence of the brisk fire. He had a good leg, and was a little vain -of it, for his brown stockings fitted sleek and close, and were of a -fine texture; his shoes and buckles, too, though plain, were trim. He -wore an odd little sleek crisp flaxen wig, setting very close to his -head: which wig, it is to be presumed, was made of hair, but which -looked far more as though it were spun from filaments of silk or glass. -His linen, though not of a fineness in accordance with his stockings, -was as white as the tops of the waves that broke upon the neighbouring -beach, or the specks of sail that glinted in the sunlight far at sea. A -face habitually suppressed and quieted, was still lighted up under the -quaint wig by a pair of moist bright eyes that it must have cost -their owner, in years gone by, some pains to drill to the composed and -reserved expression of Tellson's Bank. He had a healthy colour in his -cheeks, and his face, though lined, bore few traces of anxiety. -But, perhaps the confidential bachelor clerks in Tellson's Bank were -principally occupied with the cares of other people; and perhaps -second-hand cares, like second-hand clothes, come easily off and on. - -Completing his resemblance to a man who was sitting for his portrait, -Mr. Lorry dropped off to sleep. The arrival of his breakfast roused him, -and he said to the drawer, as he moved his chair to it: - -“I wish accommodation prepared for a young lady who may come here at any -time to-day. She may ask for Mr. Jarvis Lorry, or she may only ask for a -gentleman from Tellson's Bank. Please to let me know.” - -“Yes, sir. Tellson's Bank in London, sir?” - -“Yes.” - -“Yes, sir. We have oftentimes the honour to entertain your gentlemen in -their travelling backwards and forwards betwixt London and Paris, sir. A -vast deal of travelling, sir, in Tellson and Company's House.” - -“Yes. We are quite a French House, as well as an English one.” - -“Yes, sir. Not much in the habit of such travelling yourself, I think, -sir?” - -“Not of late years. It is fifteen years since we--since I--came last -from France.” - -“Indeed, sir? That was before my time here, sir. Before our people's -time here, sir. The George was in other hands at that time, sir.” - -“I believe so.” - -“But I would hold a pretty wager, sir, that a House like Tellson and -Company was flourishing, a matter of fifty, not to speak of fifteen -years ago?” - -“You might treble that, and say a hundred and fifty, yet not be far from -the truth.” - -“Indeed, sir!” - -Rounding his mouth and both his eyes, as he stepped backward from the -table, the waiter shifted his napkin from his right arm to his left, -dropped into a comfortable attitude, and stood surveying the guest while -he ate and drank, as from an observatory or watchtower. According to the -immemorial usage of waiters in all ages. - -When Mr. Lorry had finished his breakfast, he went out for a stroll on -the beach. The little narrow, crooked town of Dover hid itself away -from the beach, and ran its head into the chalk cliffs, like a marine -ostrich. The beach was a desert of heaps of sea and stones tumbling -wildly about, and the sea did what it liked, and what it liked was -destruction. It thundered at the town, and thundered at the cliffs, and -brought the coast down, madly. The air among the houses was of so strong -a piscatory flavour that one might have supposed sick fish went up to be -dipped in it, as sick people went down to be dipped in the sea. A little -fishing was done in the port, and a quantity of strolling about by -night, and looking seaward: particularly at those times when the tide -made, and was near flood. Small tradesmen, who did no business whatever, -sometimes unaccountably realised large fortunes, and it was remarkable -that nobody in the neighbourhood could endure a lamplighter. - -As the day declined into the afternoon, and the air, which had been -at intervals clear enough to allow the French coast to be seen, became -again charged with mist and vapour, Mr. Lorry's thoughts seemed to cloud -too. When it was dark, and he sat before the coffee-room fire, awaiting -his dinner as he had awaited his breakfast, his mind was busily digging, -digging, digging, in the live red coals. - -A bottle of good claret after dinner does a digger in the red coals no -harm, otherwise than as it has a tendency to throw him out of work. -Mr. Lorry had been idle a long time, and had just poured out his last -glassful of wine with as complete an appearance of satisfaction as is -ever to be found in an elderly gentleman of a fresh complexion who has -got to the end of a bottle, when a rattling of wheels came up the narrow -street, and rumbled into the inn-yard. - -He set down his glass untouched. “This is Mam'selle!” said he. - -In a very few minutes the waiter came in to announce that Miss Manette -had arrived from London, and would be happy to see the gentleman from -Tellson's. - -“So soon?” - -Miss Manette had taken some refreshment on the road, and required none -then, and was extremely anxious to see the gentleman from Tellson's -immediately, if it suited his pleasure and convenience. - -The gentleman from Tellson's had nothing left for it but to empty his -glass with an air of stolid desperation, settle his odd little flaxen -wig at the ears, and follow the waiter to Miss Manette's apartment. -It was a large, dark room, furnished in a funereal manner with black -horsehair, and loaded with heavy dark tables. These had been oiled and -oiled, until the two tall candles on the table in the middle of the room -were gloomily reflected on every leaf; as if _they_ were buried, in deep -graves of black mahogany, and no light to speak of could be expected -from them until they were dug out. - -The obscurity was so difficult to penetrate that Mr. Lorry, picking his -way over the well-worn Turkey carpet, supposed Miss Manette to be, for -the moment, in some adjacent room, until, having got past the two tall -candles, he saw standing to receive him by the table between them and -the fire, a young lady of not more than seventeen, in a riding-cloak, -and still holding her straw travelling-hat by its ribbon in her hand. As -his eyes rested on a short, slight, pretty figure, a quantity of golden -hair, a pair of blue eyes that met his own with an inquiring look, and -a forehead with a singular capacity (remembering how young and smooth -it was), of rifting and knitting itself into an expression that was -not quite one of perplexity, or wonder, or alarm, or merely of a bright -fixed attention, though it included all the four expressions--as his -eyes rested on these things, a sudden vivid likeness passed before him, -of a child whom he had held in his arms on the passage across that very -Channel, one cold time, when the hail drifted heavily and the sea ran -high. The likeness passed away, like a breath along the surface of -the gaunt pier-glass behind her, on the frame of which, a hospital -procession of negro cupids, several headless and all cripples, were -offering black baskets of Dead Sea fruit to black divinities of the -feminine gender--and he made his formal bow to Miss Manette. - -“Pray take a seat, sir.” In a very clear and pleasant young voice; a -little foreign in its accent, but a very little indeed. - -“I kiss your hand, miss,” said Mr. Lorry, with the manners of an earlier -date, as he made his formal bow again, and took his seat. - -“I received a letter from the Bank, sir, yesterday, informing me that -some intelligence--or discovery--” - -“The word is not material, miss; either word will do.” - -“--respecting the small property of my poor father, whom I never saw--so -long dead--” - -Mr. Lorry moved in his chair, and cast a troubled look towards the -hospital procession of negro cupids. As if _they_ had any help for -anybody in their absurd baskets! - -“--rendered it necessary that I should go to Paris, there to communicate -with a gentleman of the Bank, so good as to be despatched to Paris for -the purpose.” - -“Myself.” - -“As I was prepared to hear, sir.” - -She curtseyed to him (young ladies made curtseys in those days), with a -pretty desire to convey to him that she felt how much older and wiser he -was than she. He made her another bow. - -“I replied to the Bank, sir, that as it was considered necessary, by -those who know, and who are so kind as to advise me, that I should go to -France, and that as I am an orphan and have no friend who could go with -me, I should esteem it highly if I might be permitted to place myself, -during the journey, under that worthy gentleman's protection. The -gentleman had left London, but I think a messenger was sent after him to -beg the favour of his waiting for me here.” - -“I was happy,” said Mr. Lorry, “to be entrusted with the charge. I shall -be more happy to execute it.” - -“Sir, I thank you indeed. I thank you very gratefully. It was told me -by the Bank that the gentleman would explain to me the details of the -business, and that I must prepare myself to find them of a surprising -nature. I have done my best to prepare myself, and I naturally have a -strong and eager interest to know what they are.” - -“Naturally,” said Mr. Lorry. “Yes--I--” - -After a pause, he added, again settling the crisp flaxen wig at the -ears, “It is very difficult to begin.” - -He did not begin, but, in his indecision, met her glance. The young -forehead lifted itself into that singular expression--but it was pretty -and characteristic, besides being singular--and she raised her hand, -as if with an involuntary action she caught at, or stayed some passing -shadow. - -“Are you quite a stranger to me, sir?” - -“Am I not?” Mr. Lorry opened his hands, and extended them outwards with -an argumentative smile. - -Between the eyebrows and just over the little feminine nose, the line of -which was as delicate and fine as it was possible to be, the expression -deepened itself as she took her seat thoughtfully in the chair by which -she had hitherto remained standing. He watched her as she mused, and the -moment she raised her eyes again, went on: - -“In your adopted country, I presume, I cannot do better than address you -as a young English lady, Miss Manette?” - -“If you please, sir.” - -“Miss Manette, I am a man of business. I have a business charge to -acquit myself of. In your reception of it, don't heed me any more than -if I was a speaking machine--truly, I am not much else. I will, with -your leave, relate to you, miss, the story of one of our customers.” - -“Story!” - -He seemed wilfully to mistake the word she had repeated, when he added, -in a hurry, “Yes, customers; in the banking business we usually call -our connection our customers. He was a French gentleman; a scientific -gentleman; a man of great acquirements--a Doctor.” - -“Not of Beauvais?” - -“Why, yes, of Beauvais. Like Monsieur Manette, your father, the -gentleman was of Beauvais. Like Monsieur Manette, your father, the -gentleman was of repute in Paris. I had the honour of knowing him there. -Our relations were business relations, but confidential. I was at that -time in our French House, and had been--oh! twenty years.” - -“At that time--I may ask, at what time, sir?” - -“I speak, miss, of twenty years ago. He married--an English lady--and -I was one of the trustees. His affairs, like the affairs of many other -French gentlemen and French families, were entirely in Tellson's hands. -In a similar way I am, or I have been, trustee of one kind or other for -scores of our customers. These are mere business relations, miss; -there is no friendship in them, no particular interest, nothing like -sentiment. I have passed from one to another, in the course of my -business life, just as I pass from one of our customers to another in -the course of my business day; in short, I have no feelings; I am a mere -machine. To go on--” - -“But this is my father's story, sir; and I begin to think”--the -curiously roughened forehead was very intent upon him--“that when I was -left an orphan through my mother's surviving my father only two years, -it was you who brought me to England. I am almost sure it was you.” - -Mr. Lorry took the hesitating little hand that confidingly advanced -to take his, and he put it with some ceremony to his lips. He then -conducted the young lady straightway to her chair again, and, holding -the chair-back with his left hand, and using his right by turns to rub -his chin, pull his wig at the ears, or point what he said, stood looking -down into her face while she sat looking up into his. - -“Miss Manette, it _was_ I. And you will see how truly I spoke of myself -just now, in saying I had no feelings, and that all the relations I hold -with my fellow-creatures are mere business relations, when you reflect -that I have never seen you since. No; you have been the ward of -Tellson's House since, and I have been busy with the other business of -Tellson's House since. Feelings! I have no time for them, no chance -of them. I pass my whole life, miss, in turning an immense pecuniary -Mangle.” - -After this odd description of his daily routine of employment, Mr. Lorry -flattened his flaxen wig upon his head with both hands (which was most -unnecessary, for nothing could be flatter than its shining surface was -before), and resumed his former attitude. - -“So far, miss (as you have remarked), this is the story of your -regretted father. Now comes the difference. If your father had not died -when he did--Don't be frightened! How you start!” - -She did, indeed, start. And she caught his wrist with both her hands. - -“Pray,” said Mr. Lorry, in a soothing tone, bringing his left hand from -the back of the chair to lay it on the supplicatory fingers that clasped -him in so violent a tremble: “pray control your agitation--a matter of -business. As I was saying--” - -Her look so discomposed him that he stopped, wandered, and began anew: - -“As I was saying; if Monsieur Manette had not died; if he had suddenly -and silently disappeared; if he had been spirited away; if it had not -been difficult to guess to what dreadful place, though no art could -trace him; if he had an enemy in some compatriot who could exercise a -privilege that I in my own time have known the boldest people afraid -to speak of in a whisper, across the water there; for instance, the -privilege of filling up blank forms for the consignment of any one -to the oblivion of a prison for any length of time; if his wife had -implored the king, the queen, the court, the clergy, for any tidings of -him, and all quite in vain;--then the history of your father would have -been the history of this unfortunate gentleman, the Doctor of Beauvais.” - -“I entreat you to tell me more, sir.” - -“I will. I am going to. You can bear it?” - -“I can bear anything but the uncertainty you leave me in at this -moment.” - -“You speak collectedly, and you--_are_ collected. That's good!” (Though -his manner was less satisfied than his words.) “A matter of business. -Regard it as a matter of business--business that must be done. Now -if this doctor's wife, though a lady of great courage and spirit, -had suffered so intensely from this cause before her little child was -born--” - -“The little child was a daughter, sir.” - -“A daughter. A-a-matter of business--don't be distressed. Miss, if the -poor lady had suffered so intensely before her little child was born, -that she came to the determination of sparing the poor child the -inheritance of any part of the agony she had known the pains of, by -rearing her in the belief that her father was dead--No, don't kneel! In -Heaven's name why should you kneel to me!” - -“For the truth. O dear, good, compassionate sir, for the truth!” - -“A--a matter of business. You confuse me, and how can I transact -business if I am confused? Let us be clear-headed. If you could kindly -mention now, for instance, what nine times ninepence are, or how many -shillings in twenty guineas, it would be so encouraging. I should be so -much more at my ease about your state of mind.” - -Without directly answering to this appeal, she sat so still when he had -very gently raised her, and the hands that had not ceased to clasp -his wrists were so much more steady than they had been, that she -communicated some reassurance to Mr. Jarvis Lorry. - -“That's right, that's right. Courage! Business! You have business before -you; useful business. Miss Manette, your mother took this course with -you. And when she died--I believe broken-hearted--having never slackened -her unavailing search for your father, she left you, at two years old, -to grow to be blooming, beautiful, and happy, without the dark cloud -upon you of living in uncertainty whether your father soon wore his -heart out in prison, or wasted there through many lingering years.” - -As he said the words he looked down, with an admiring pity, on the -flowing golden hair; as if he pictured to himself that it might have -been already tinged with grey. - -“You know that your parents had no great possession, and that what -they had was secured to your mother and to you. There has been no new -discovery, of money, or of any other property; but--” - -He felt his wrist held closer, and he stopped. The expression in the -forehead, which had so particularly attracted his notice, and which was -now immovable, had deepened into one of pain and horror. - -“But he has been--been found. He is alive. Greatly changed, it is too -probable; almost a wreck, it is possible; though we will hope the best. -Still, alive. Your father has been taken to the house of an old servant -in Paris, and we are going there: I, to identify him if I can: you, to -restore him to life, love, duty, rest, comfort.” - -A shiver ran through her frame, and from it through his. She said, in a -low, distinct, awe-stricken voice, as if she were saying it in a dream, - -“I am going to see his Ghost! It will be his Ghost--not him!” - -Mr. Lorry quietly chafed the hands that held his arm. “There, there, -there! See now, see now! The best and the worst are known to you, now. -You are well on your way to the poor wronged gentleman, and, with a fair -sea voyage, and a fair land journey, you will be soon at his dear side.” - -She repeated in the same tone, sunk to a whisper, “I have been free, I -have been happy, yet his Ghost has never haunted me!” - -“Only one thing more,” said Mr. Lorry, laying stress upon it as a -wholesome means of enforcing her attention: “he has been found under -another name; his own, long forgotten or long concealed. It would be -worse than useless now to inquire which; worse than useless to seek to -know whether he has been for years overlooked, or always designedly -held prisoner. It would be worse than useless now to make any inquiries, -because it would be dangerous. Better not to mention the subject, -anywhere or in any way, and to remove him--for a while at all -events--out of France. Even I, safe as an Englishman, and even -Tellson's, important as they are to French credit, avoid all naming of -the matter. I carry about me, not a scrap of writing openly referring -to it. This is a secret service altogether. My credentials, entries, -and memoranda, are all comprehended in the one line, 'Recalled to Life;' -which may mean anything. But what is the matter! She doesn't notice a -word! Miss Manette!” - -Perfectly still and silent, and not even fallen back in her chair, she -sat under his hand, utterly insensible; with her eyes open and fixed -upon him, and with that last expression looking as if it were carved or -branded into her forehead. So close was her hold upon his arm, that he -feared to detach himself lest he should hurt her; therefore he called -out loudly for assistance without moving. - -A wild-looking woman, whom even in his agitation, Mr. Lorry observed to -be all of a red colour, and to have red hair, and to be dressed in some -extraordinary tight-fitting fashion, and to have on her head a most -wonderful bonnet like a Grenadier wooden measure, and good measure too, -or a great Stilton cheese, came running into the room in advance of the -inn servants, and soon settled the question of his detachment from the -poor young lady, by laying a brawny hand upon his chest, and sending him -flying back against the nearest wall. - -(“I really think this must be a man!” was Mr. Lorry's breathless -reflection, simultaneously with his coming against the wall.) - -“Why, look at you all!” bawled this figure, addressing the inn servants. -“Why don't you go and fetch things, instead of standing there staring -at me? I am not so much to look at, am I? Why don't you go and fetch -things? I'll let you know, if you don't bring smelling-salts, cold -water, and vinegar, quick, I will.” - -There was an immediate dispersal for these restoratives, and she -softly laid the patient on a sofa, and tended her with great skill and -gentleness: calling her “my precious!” and “my bird!” and spreading her -golden hair aside over her shoulders with great pride and care. - -“And you in brown!” she said, indignantly turning to Mr. Lorry; -“couldn't you tell her what you had to tell her, without frightening her -to death? Look at her, with her pretty pale face and her cold hands. Do -you call _that_ being a Banker?” - -Mr. Lorry was so exceedingly disconcerted by a question so hard to -answer, that he could only look on, at a distance, with much feebler -sympathy and humility, while the strong woman, having banished the inn -servants under the mysterious penalty of “letting them know” something -not mentioned if they stayed there, staring, recovered her charge by a -regular series of gradations, and coaxed her to lay her drooping head -upon her shoulder. - -“I hope she will do well now,” said Mr. Lorry. - -“No thanks to you in brown, if she does. My darling pretty!” - -“I hope,” said Mr. Lorry, after another pause of feeble sympathy and -humility, “that you accompany Miss Manette to France?” - -“A likely thing, too!” replied the strong woman. “If it was ever -intended that I should go across salt water, do you suppose Providence -would have cast my lot in an island?” - -This being another question hard to answer, Mr. Jarvis Lorry withdrew to -consider it. - - - - -V. The Wine-shop - - -A large cask of wine had been dropped and broken, in the street. The -accident had happened in getting it out of a cart; the cask had tumbled -out with a run, the hoops had burst, and it lay on the stones just -outside the door of the wine-shop, shattered like a walnut-shell. - -All the people within reach had suspended their business, or their -idleness, to run to the spot and drink the wine. The rough, irregular -stones of the street, pointing every way, and designed, one might have -thought, expressly to lame all living creatures that approached them, -had dammed it into little pools; these were surrounded, each by its own -jostling group or crowd, according to its size. Some men kneeled down, -made scoops of their two hands joined, and sipped, or tried to help -women, who bent over their shoulders, to sip, before the wine had all -run out between their fingers. Others, men and women, dipped in -the puddles with little mugs of mutilated earthenware, or even with -handkerchiefs from women's heads, which were squeezed dry into infants' -mouths; others made small mud-embankments, to stem the wine as it ran; -others, directed by lookers-on up at high windows, darted here and -there, to cut off little streams of wine that started away in new -directions; others devoted themselves to the sodden and lee-dyed -pieces of the cask, licking, and even champing the moister wine-rotted -fragments with eager relish. There was no drainage to carry off the -wine, and not only did it all get taken up, but so much mud got taken up -along with it, that there might have been a scavenger in the street, -if anybody acquainted with it could have believed in such a miraculous -presence. - -A shrill sound of laughter and of amused voices--voices of men, women, -and children--resounded in the street while this wine game lasted. There -was little roughness in the sport, and much playfulness. There was a -special companionship in it, an observable inclination on the part -of every one to join some other one, which led, especially among the -luckier or lighter-hearted, to frolicsome embraces, drinking of healths, -shaking of hands, and even joining of hands and dancing, a dozen -together. When the wine was gone, and the places where it had been -most abundant were raked into a gridiron-pattern by fingers, these -demonstrations ceased, as suddenly as they had broken out. The man who -had left his saw sticking in the firewood he was cutting, set it in -motion again; the women who had left on a door-step the little pot of -hot ashes, at which she had been trying to soften the pain in her own -starved fingers and toes, or in those of her child, returned to it; men -with bare arms, matted locks, and cadaverous faces, who had emerged into -the winter light from cellars, moved away, to descend again; and a gloom -gathered on the scene that appeared more natural to it than sunshine. - -The wine was red wine, and had stained the ground of the narrow street -in the suburb of Saint Antoine, in Paris, where it was spilled. It had -stained many hands, too, and many faces, and many naked feet, and many -wooden shoes. The hands of the man who sawed the wood, left red marks -on the billets; and the forehead of the woman who nursed her baby, was -stained with the stain of the old rag she wound about her head again. -Those who had been greedy with the staves of the cask, had acquired a -tigerish smear about the mouth; and one tall joker so besmirched, his -head more out of a long squalid bag of a nightcap than in it, scrawled -upon a wall with his finger dipped in muddy wine-lees--BLOOD. - -The time was to come, when that wine too would be spilled on the -street-stones, and when the stain of it would be red upon many there. - -And now that the cloud settled on Saint Antoine, which a momentary -gleam had driven from his sacred countenance, the darkness of it was -heavy--cold, dirt, sickness, ignorance, and want, were the lords in -waiting on the saintly presence--nobles of great power all of them; -but, most especially the last. Samples of a people that had undergone a -terrible grinding and regrinding in the mill, and certainly not in the -fabulous mill which ground old people young, shivered at every corner, -passed in and out at every doorway, looked from every window, fluttered -in every vestige of a garment that the wind shook. The mill which -had worked them down, was the mill that grinds young people old; the -children had ancient faces and grave voices; and upon them, and upon the -grown faces, and ploughed into every furrow of age and coming up afresh, -was the sigh, Hunger. It was prevalent everywhere. Hunger was pushed out -of the tall houses, in the wretched clothing that hung upon poles and -lines; Hunger was patched into them with straw and rag and wood and -paper; Hunger was repeated in every fragment of the small modicum of -firewood that the man sawed off; Hunger stared down from the smokeless -chimneys, and started up from the filthy street that had no offal, -among its refuse, of anything to eat. Hunger was the inscription on the -baker's shelves, written in every small loaf of his scanty stock of -bad bread; at the sausage-shop, in every dead-dog preparation that -was offered for sale. Hunger rattled its dry bones among the roasting -chestnuts in the turned cylinder; Hunger was shred into atomics in every -farthing porringer of husky chips of potato, fried with some reluctant -drops of oil. - -Its abiding place was in all things fitted to it. A narrow winding -street, full of offence and stench, with other narrow winding streets -diverging, all peopled by rags and nightcaps, and all smelling of rags -and nightcaps, and all visible things with a brooding look upon them -that looked ill. In the hunted air of the people there was yet some -wild-beast thought of the possibility of turning at bay. Depressed and -slinking though they were, eyes of fire were not wanting among them; nor -compressed lips, white with what they suppressed; nor foreheads knitted -into the likeness of the gallows-rope they mused about enduring, or -inflicting. The trade signs (and they were almost as many as the shops) -were, all, grim illustrations of Want. The butcher and the porkman -painted up, only the leanest scrags of meat; the baker, the coarsest of -meagre loaves. The people rudely pictured as drinking in the wine-shops, -croaked over their scanty measures of thin wine and beer, and were -gloweringly confidential together. Nothing was represented in a -flourishing condition, save tools and weapons; but, the cutler's knives -and axes were sharp and bright, the smith's hammers were heavy, and the -gunmaker's stock was murderous. The crippling stones of the pavement, -with their many little reservoirs of mud and water, had no footways, but -broke off abruptly at the doors. The kennel, to make amends, ran down -the middle of the street--when it ran at all: which was only after heavy -rains, and then it ran, by many eccentric fits, into the houses. Across -the streets, at wide intervals, one clumsy lamp was slung by a rope and -pulley; at night, when the lamplighter had let these down, and lighted, -and hoisted them again, a feeble grove of dim wicks swung in a sickly -manner overhead, as if they were at sea. Indeed they were at sea, and -the ship and crew were in peril of tempest. - -For, the time was to come, when the gaunt scarecrows of that region -should have watched the lamplighter, in their idleness and hunger, so -long, as to conceive the idea of improving on his method, and hauling -up men by those ropes and pulleys, to flare upon the darkness of their -condition. But, the time was not come yet; and every wind that blew over -France shook the rags of the scarecrows in vain, for the birds, fine of -song and feather, took no warning. - -The wine-shop was a corner shop, better than most others in its -appearance and degree, and the master of the wine-shop had stood outside -it, in a yellow waistcoat and green breeches, looking on at the struggle -for the lost wine. “It's not my affair,” said he, with a final shrug -of the shoulders. “The people from the market did it. Let them bring -another.” - -There, his eyes happening to catch the tall joker writing up his joke, -he called to him across the way: - -“Say, then, my Gaspard, what do you do there?” - -The fellow pointed to his joke with immense significance, as is often -the way with his tribe. It missed its mark, and completely failed, as is -often the way with his tribe too. - -“What now? Are you a subject for the mad hospital?” said the wine-shop -keeper, crossing the road, and obliterating the jest with a handful of -mud, picked up for the purpose, and smeared over it. “Why do you write -in the public streets? Is there--tell me thou--is there no other place -to write such words in?” - -In his expostulation he dropped his cleaner hand (perhaps accidentally, -perhaps not) upon the joker's heart. The joker rapped it with his -own, took a nimble spring upward, and came down in a fantastic dancing -attitude, with one of his stained shoes jerked off his foot into his -hand, and held out. A joker of an extremely, not to say wolfishly -practical character, he looked, under those circumstances. - -“Put it on, put it on,” said the other. “Call wine, wine; and finish -there.” With that advice, he wiped his soiled hand upon the joker's -dress, such as it was--quite deliberately, as having dirtied the hand on -his account; and then recrossed the road and entered the wine-shop. - -This wine-shop keeper was a bull-necked, martial-looking man of thirty, -and he should have been of a hot temperament, for, although it was a -bitter day, he wore no coat, but carried one slung over his shoulder. -His shirt-sleeves were rolled up, too, and his brown arms were bare to -the elbows. Neither did he wear anything more on his head than his own -crisply-curling short dark hair. He was a dark man altogether, with good -eyes and a good bold breadth between them. Good-humoured looking on -the whole, but implacable-looking, too; evidently a man of a strong -resolution and a set purpose; a man not desirable to be met, rushing -down a narrow pass with a gulf on either side, for nothing would turn -the man. - -Madame Defarge, his wife, sat in the shop behind the counter as he -came in. Madame Defarge was a stout woman of about his own age, with -a watchful eye that seldom seemed to look at anything, a large hand -heavily ringed, a steady face, strong features, and great composure of -manner. There was a character about Madame Defarge, from which one might -have predicated that she did not often make mistakes against herself -in any of the reckonings over which she presided. Madame Defarge being -sensitive to cold, was wrapped in fur, and had a quantity of bright -shawl twined about her head, though not to the concealment of her large -earrings. Her knitting was before her, but she had laid it down to pick -her teeth with a toothpick. Thus engaged, with her right elbow supported -by her left hand, Madame Defarge said nothing when her lord came in, but -coughed just one grain of cough. This, in combination with the lifting -of her darkly defined eyebrows over her toothpick by the breadth of a -line, suggested to her husband that he would do well to look round the -shop among the customers, for any new customer who had dropped in while -he stepped over the way. - -The wine-shop keeper accordingly rolled his eyes about, until they -rested upon an elderly gentleman and a young lady, who were seated in -a corner. Other company were there: two playing cards, two playing -dominoes, three standing by the counter lengthening out a short supply -of wine. As he passed behind the counter, he took notice that the -elderly gentleman said in a look to the young lady, “This is our man.” - -“What the devil do _you_ do in that galley there?” said Monsieur Defarge -to himself; “I don't know you.” - -But, he feigned not to notice the two strangers, and fell into discourse -with the triumvirate of customers who were drinking at the counter. - -“How goes it, Jacques?” said one of these three to Monsieur Defarge. “Is -all the spilt wine swallowed?” - -“Every drop, Jacques,” answered Monsieur Defarge. - -When this interchange of Christian name was effected, Madame Defarge, -picking her teeth with her toothpick, coughed another grain of cough, -and raised her eyebrows by the breadth of another line. - -“It is not often,” said the second of the three, addressing Monsieur -Defarge, “that many of these miserable beasts know the taste of wine, or -of anything but black bread and death. Is it not so, Jacques?” - -“It is so, Jacques,” Monsieur Defarge returned. - -At this second interchange of the Christian name, Madame Defarge, still -using her toothpick with profound composure, coughed another grain of -cough, and raised her eyebrows by the breadth of another line. - -The last of the three now said his say, as he put down his empty -drinking vessel and smacked his lips. - -“Ah! So much the worse! A bitter taste it is that such poor cattle -always have in their mouths, and hard lives they live, Jacques. Am I -right, Jacques?” - -“You are right, Jacques,” was the response of Monsieur Defarge. - -This third interchange of the Christian name was completed at the moment -when Madame Defarge put her toothpick by, kept her eyebrows up, and -slightly rustled in her seat. - -“Hold then! True!” muttered her husband. “Gentlemen--my wife!” - -The three customers pulled off their hats to Madame Defarge, with three -flourishes. She acknowledged their homage by bending her head, and -giving them a quick look. Then she glanced in a casual manner round the -wine-shop, took up her knitting with great apparent calmness and repose -of spirit, and became absorbed in it. - -“Gentlemen,” said her husband, who had kept his bright eye observantly -upon her, “good day. The chamber, furnished bachelor-fashion, that you -wished to see, and were inquiring for when I stepped out, is on the -fifth floor. The doorway of the staircase gives on the little courtyard -close to the left here,” pointing with his hand, “near to the window of -my establishment. But, now that I remember, one of you has already been -there, and can show the way. Gentlemen, adieu!” - -They paid for their wine, and left the place. The eyes of Monsieur -Defarge were studying his wife at her knitting when the elderly -gentleman advanced from his corner, and begged the favour of a word. - -“Willingly, sir,” said Monsieur Defarge, and quietly stepped with him to -the door. - -Their conference was very short, but very decided. Almost at the first -word, Monsieur Defarge started and became deeply attentive. It had -not lasted a minute, when he nodded and went out. The gentleman then -beckoned to the young lady, and they, too, went out. Madame Defarge -knitted with nimble fingers and steady eyebrows, and saw nothing. - -Mr. Jarvis Lorry and Miss Manette, emerging from the wine-shop thus, -joined Monsieur Defarge in the doorway to which he had directed his own -company just before. It opened from a stinking little black courtyard, -and was the general public entrance to a great pile of houses, inhabited -by a great number of people. In the gloomy tile-paved entry to the -gloomy tile-paved staircase, Monsieur Defarge bent down on one knee -to the child of his old master, and put her hand to his lips. It was -a gentle action, but not at all gently done; a very remarkable -transformation had come over him in a few seconds. He had no good-humour -in his face, nor any openness of aspect left, but had become a secret, -angry, dangerous man. - -“It is very high; it is a little difficult. Better to begin slowly.” - Thus, Monsieur Defarge, in a stern voice, to Mr. Lorry, as they began -ascending the stairs. - -“Is he alone?” the latter whispered. - -“Alone! God help him, who should be with him!” said the other, in the -same low voice. - -“Is he always alone, then?” - -“Yes.” - -“Of his own desire?” - -“Of his own necessity. As he was, when I first saw him after they -found me and demanded to know if I would take him, and, at my peril be -discreet--as he was then, so he is now.” - -“He is greatly changed?” - -“Changed!” - -The keeper of the wine-shop stopped to strike the wall with his hand, -and mutter a tremendous curse. No direct answer could have been half so -forcible. Mr. Lorry's spirits grew heavier and heavier, as he and his -two companions ascended higher and higher. - -Such a staircase, with its accessories, in the older and more crowded -parts of Paris, would be bad enough now; but, at that time, it was vile -indeed to unaccustomed and unhardened senses. Every little habitation -within the great foul nest of one high building--that is to say, -the room or rooms within every door that opened on the general -staircase--left its own heap of refuse on its own landing, besides -flinging other refuse from its own windows. The uncontrollable and -hopeless mass of decomposition so engendered, would have polluted -the air, even if poverty and deprivation had not loaded it with their -intangible impurities; the two bad sources combined made it almost -insupportable. Through such an atmosphere, by a steep dark shaft of dirt -and poison, the way lay. Yielding to his own disturbance of mind, and to -his young companion's agitation, which became greater every instant, Mr. -Jarvis Lorry twice stopped to rest. Each of these stoppages was made -at a doleful grating, by which any languishing good airs that were left -uncorrupted, seemed to escape, and all spoilt and sickly vapours seemed -to crawl in. Through the rusted bars, tastes, rather than glimpses, were -caught of the jumbled neighbourhood; and nothing within range, nearer -or lower than the summits of the two great towers of Notre-Dame, had any -promise on it of healthy life or wholesome aspirations. - -At last, the top of the staircase was gained, and they stopped for the -third time. There was yet an upper staircase, of a steeper inclination -and of contracted dimensions, to be ascended, before the garret story -was reached. The keeper of the wine-shop, always going a little in -advance, and always going on the side which Mr. Lorry took, as though he -dreaded to be asked any question by the young lady, turned himself about -here, and, carefully feeling in the pockets of the coat he carried over -his shoulder, took out a key. - -“The door is locked then, my friend?” said Mr. Lorry, surprised. - -“Ay. Yes,” was the grim reply of Monsieur Defarge. - -“You think it necessary to keep the unfortunate gentleman so retired?” - -“I think it necessary to turn the key.” Monsieur Defarge whispered it -closer in his ear, and frowned heavily. - -“Why?” - -“Why! Because he has lived so long, locked up, that he would be -frightened--rave--tear himself to pieces--die--come to I know not what -harm--if his door was left open.” - -“Is it possible!” exclaimed Mr. Lorry. - -“Is it possible!” repeated Defarge, bitterly. “Yes. And a beautiful -world we live in, when it _is_ possible, and when many other such things -are possible, and not only possible, but done--done, see you!--under -that sky there, every day. Long live the Devil. Let us go on.” - -This dialogue had been held in so very low a whisper, that not a word -of it had reached the young lady's ears. But, by this time she trembled -under such strong emotion, and her face expressed such deep anxiety, -and, above all, such dread and terror, that Mr. Lorry felt it incumbent -on him to speak a word or two of reassurance. - -“Courage, dear miss! Courage! Business! The worst will be over in a -moment; it is but passing the room-door, and the worst is over. Then, -all the good you bring to him, all the relief, all the happiness you -bring to him, begin. Let our good friend here, assist you on that side. -That's well, friend Defarge. Come, now. Business, business!” - -They went up slowly and softly. The staircase was short, and they were -soon at the top. There, as it had an abrupt turn in it, they came all at -once in sight of three men, whose heads were bent down close together at -the side of a door, and who were intently looking into the room to which -the door belonged, through some chinks or holes in the wall. On hearing -footsteps close at hand, these three turned, and rose, and showed -themselves to be the three of one name who had been drinking in the -wine-shop. - -“I forgot them in the surprise of your visit,” explained Monsieur -Defarge. “Leave us, good boys; we have business here.” - -The three glided by, and went silently down. - -There appearing to be no other door on that floor, and the keeper of -the wine-shop going straight to this one when they were left alone, Mr. -Lorry asked him in a whisper, with a little anger: - -“Do you make a show of Monsieur Manette?” - -“I show him, in the way you have seen, to a chosen few.” - -“Is that well?” - -“_I_ think it is well.” - -“Who are the few? How do you choose them?” - -“I choose them as real men, of my name--Jacques is my name--to whom the -sight is likely to do good. Enough; you are English; that is another -thing. Stay there, if you please, a little moment.” - -With an admonitory gesture to keep them back, he stooped, and looked in -through the crevice in the wall. Soon raising his head again, he struck -twice or thrice upon the door--evidently with no other object than to -make a noise there. With the same intention, he drew the key across it, -three or four times, before he put it clumsily into the lock, and turned -it as heavily as he could. - -The door slowly opened inward under his hand, and he looked into the -room and said something. A faint voice answered something. Little more -than a single syllable could have been spoken on either side. - -He looked back over his shoulder, and beckoned them to enter. Mr. Lorry -got his arm securely round the daughter's waist, and held her; for he -felt that she was sinking. - -“A-a-a-business, business!” he urged, with a moisture that was not of -business shining on his cheek. “Come in, come in!” - -“I am afraid of it,” she answered, shuddering. - -“Of it? What?” - -“I mean of him. Of my father.” - -Rendered in a manner desperate, by her state and by the beckoning of -their conductor, he drew over his neck the arm that shook upon his -shoulder, lifted her a little, and hurried her into the room. He sat her -down just within the door, and held her, clinging to him. - -Defarge drew out the key, closed the door, locked it on the inside, -took out the key again, and held it in his hand. All this he did, -methodically, and with as loud and harsh an accompaniment of noise as he -could make. Finally, he walked across the room with a measured tread to -where the window was. He stopped there, and faced round. - -The garret, built to be a depository for firewood and the like, was dim -and dark: for, the window of dormer shape, was in truth a door in the -roof, with a little crane over it for the hoisting up of stores from -the street: unglazed, and closing up the middle in two pieces, like any -other door of French construction. To exclude the cold, one half of this -door was fast closed, and the other was opened but a very little way. -Such a scanty portion of light was admitted through these means, that it -was difficult, on first coming in, to see anything; and long habit -alone could have slowly formed in any one, the ability to do any work -requiring nicety in such obscurity. Yet, work of that kind was being -done in the garret; for, with his back towards the door, and his face -towards the window where the keeper of the wine-shop stood looking at -him, a white-haired man sat on a low bench, stooping forward and very -busy, making shoes. - - - - -VI. The Shoemaker - - -“Good day!” said Monsieur Defarge, looking down at the white head that -bent low over the shoemaking. - -It was raised for a moment, and a very faint voice responded to the -salutation, as if it were at a distance: - -“Good day!” - -“You are still hard at work, I see?” - -After a long silence, the head was lifted for another moment, and the -voice replied, “Yes--I am working.” This time, a pair of haggard eyes -had looked at the questioner, before the face had dropped again. - -The faintness of the voice was pitiable and dreadful. It was not the -faintness of physical weakness, though confinement and hard fare no -doubt had their part in it. Its deplorable peculiarity was, that it was -the faintness of solitude and disuse. It was like the last feeble echo -of a sound made long and long ago. So entirely had it lost the life and -resonance of the human voice, that it affected the senses like a once -beautiful colour faded away into a poor weak stain. So sunken and -suppressed it was, that it was like a voice underground. So expressive -it was, of a hopeless and lost creature, that a famished traveller, -wearied out by lonely wandering in a wilderness, would have remembered -home and friends in such a tone before lying down to die. - -Some minutes of silent work had passed: and the haggard eyes had looked -up again: not with any interest or curiosity, but with a dull mechanical -perception, beforehand, that the spot where the only visitor they were -aware of had stood, was not yet empty. - -“I want,” said Defarge, who had not removed his gaze from the shoemaker, -“to let in a little more light here. You can bear a little more?” - -The shoemaker stopped his work; looked with a vacant air of listening, -at the floor on one side of him; then similarly, at the floor on the -other side of him; then, upward at the speaker. - -“What did you say?” - -“You can bear a little more light?” - -“I must bear it, if you let it in.” (Laying the palest shadow of a -stress upon the second word.) - -The opened half-door was opened a little further, and secured at that -angle for the time. A broad ray of light fell into the garret, and -showed the workman with an unfinished shoe upon his lap, pausing in his -labour. His few common tools and various scraps of leather were at his -feet and on his bench. He had a white beard, raggedly cut, but not very -long, a hollow face, and exceedingly bright eyes. The hollowness and -thinness of his face would have caused them to look large, under his yet -dark eyebrows and his confused white hair, though they had been really -otherwise; but, they were naturally large, and looked unnaturally so. -His yellow rags of shirt lay open at the throat, and showed his body -to be withered and worn. He, and his old canvas frock, and his loose -stockings, and all his poor tatters of clothes, had, in a long seclusion -from direct light and air, faded down to such a dull uniformity of -parchment-yellow, that it would have been hard to say which was which. - -He had put up a hand between his eyes and the light, and the very bones -of it seemed transparent. So he sat, with a steadfastly vacant gaze, -pausing in his work. He never looked at the figure before him, without -first looking down on this side of himself, then on that, as if he had -lost the habit of associating place with sound; he never spoke, without -first wandering in this manner, and forgetting to speak. - -“Are you going to finish that pair of shoes to-day?” asked Defarge, -motioning to Mr. Lorry to come forward. - -“What did you say?” - -“Do you mean to finish that pair of shoes to-day?” - -“I can't say that I mean to. I suppose so. I don't know.” - -But, the question reminded him of his work, and he bent over it again. - -Mr. Lorry came silently forward, leaving the daughter by the door. When -he had stood, for a minute or two, by the side of Defarge, the shoemaker -looked up. He showed no surprise at seeing another figure, but the -unsteady fingers of one of his hands strayed to his lips as he looked at -it (his lips and his nails were of the same pale lead-colour), and then -the hand dropped to his work, and he once more bent over the shoe. The -look and the action had occupied but an instant. - -“You have a visitor, you see,” said Monsieur Defarge. - -“What did you say?” - -“Here is a visitor.” - -The shoemaker looked up as before, but without removing a hand from his -work. - -“Come!” said Defarge. “Here is monsieur, who knows a well-made shoe when -he sees one. Show him that shoe you are working at. Take it, monsieur.” - -Mr. Lorry took it in his hand. - -“Tell monsieur what kind of shoe it is, and the maker's name.” - -There was a longer pause than usual, before the shoemaker replied: - -“I forget what it was you asked me. What did you say?” - -“I said, couldn't you describe the kind of shoe, for monsieur's -information?” - -“It is a lady's shoe. It is a young lady's walking-shoe. It is in the -present mode. I never saw the mode. I have had a pattern in my hand.” He -glanced at the shoe with some little passing touch of pride. - -“And the maker's name?” said Defarge. - -Now that he had no work to hold, he laid the knuckles of the right hand -in the hollow of the left, and then the knuckles of the left hand in the -hollow of the right, and then passed a hand across his bearded chin, and -so on in regular changes, without a moment's intermission. The task of -recalling him from the vagrancy into which he always sank when he -had spoken, was like recalling some very weak person from a swoon, or -endeavouring, in the hope of some disclosure, to stay the spirit of a -fast-dying man. - -“Did you ask me for my name?” - -“Assuredly I did.” - -“One Hundred and Five, North Tower.” - -“Is that all?” - -“One Hundred and Five, North Tower.” - -With a weary sound that was not a sigh, nor a groan, he bent to work -again, until the silence was again broken. - -“You are not a shoemaker by trade?” said Mr. Lorry, looking steadfastly -at him. - -His haggard eyes turned to Defarge as if he would have transferred the -question to him: but as no help came from that quarter, they turned back -on the questioner when they had sought the ground. - -“I am not a shoemaker by trade? No, I was not a shoemaker by trade. I-I -learnt it here. I taught myself. I asked leave to--” - -He lapsed away, even for minutes, ringing those measured changes on his -hands the whole time. His eyes came slowly back, at last, to the face -from which they had wandered; when they rested on it, he started, and -resumed, in the manner of a sleeper that moment awake, reverting to a -subject of last night. - -“I asked leave to teach myself, and I got it with much difficulty after -a long while, and I have made shoes ever since.” - -As he held out his hand for the shoe that had been taken from him, Mr. -Lorry said, still looking steadfastly in his face: - -“Monsieur Manette, do you remember nothing of me?” - -The shoe dropped to the ground, and he sat looking fixedly at the -questioner. - -“Monsieur Manette”; Mr. Lorry laid his hand upon Defarge's arm; “do you -remember nothing of this man? Look at him. Look at me. Is there no old -banker, no old business, no old servant, no old time, rising in your -mind, Monsieur Manette?” - -As the captive of many years sat looking fixedly, by turns, at Mr. -Lorry and at Defarge, some long obliterated marks of an actively intent -intelligence in the middle of the forehead, gradually forced themselves -through the black mist that had fallen on him. They were overclouded -again, they were fainter, they were gone; but they had been there. And -so exactly was the expression repeated on the fair young face of her who -had crept along the wall to a point where she could see him, and where -she now stood looking at him, with hands which at first had been only -raised in frightened compassion, if not even to keep him off and -shut out the sight of him, but which were now extending towards him, -trembling with eagerness to lay the spectral face upon her warm young -breast, and love it back to life and hope--so exactly was the expression -repeated (though in stronger characters) on her fair young face, that it -looked as though it had passed like a moving light, from him to her. - -Darkness had fallen on him in its place. He looked at the two, less and -less attentively, and his eyes in gloomy abstraction sought the ground -and looked about him in the old way. Finally, with a deep long sigh, he -took the shoe up, and resumed his work. - -“Have you recognised him, monsieur?” asked Defarge in a whisper. - -“Yes; for a moment. At first I thought it quite hopeless, but I have -unquestionably seen, for a single moment, the face that I once knew so -well. Hush! Let us draw further back. Hush!” - -She had moved from the wall of the garret, very near to the bench on -which he sat. There was something awful in his unconsciousness of the -figure that could have put out its hand and touched him as he stooped -over his labour. - -Not a word was spoken, not a sound was made. She stood, like a spirit, -beside him, and he bent over his work. - -It happened, at length, that he had occasion to change the instrument -in his hand, for his shoemaker's knife. It lay on that side of him -which was not the side on which she stood. He had taken it up, and was -stooping to work again, when his eyes caught the skirt of her dress. He -raised them, and saw her face. The two spectators started forward, -but she stayed them with a motion of her hand. She had no fear of his -striking at her with the knife, though they had. - -He stared at her with a fearful look, and after a while his lips began -to form some words, though no sound proceeded from them. By degrees, in -the pauses of his quick and laboured breathing, he was heard to say: - -“What is this?” - -With the tears streaming down her face, she put her two hands to her -lips, and kissed them to him; then clasped them on her breast, as if she -laid his ruined head there. - -“You are not the gaoler's daughter?” - -She sighed “No.” - -“Who are you?” - -Not yet trusting the tones of her voice, she sat down on the bench -beside him. He recoiled, but she laid her hand upon his arm. A strange -thrill struck him when she did so, and visibly passed over his frame; he -laid the knife down softly, as he sat staring at her. - -Her golden hair, which she wore in long curls, had been hurriedly pushed -aside, and fell down over her neck. Advancing his hand by little and -little, he took it up and looked at it. In the midst of the action -he went astray, and, with another deep sigh, fell to work at his -shoemaking. - -But not for long. Releasing his arm, she laid her hand upon his -shoulder. After looking doubtfully at it, two or three times, as if to -be sure that it was really there, he laid down his work, put his hand -to his neck, and took off a blackened string with a scrap of folded rag -attached to it. He opened this, carefully, on his knee, and it contained -a very little quantity of hair: not more than one or two long golden -hairs, which he had, in some old day, wound off upon his finger. - -He took her hair into his hand again, and looked closely at it. “It is -the same. How can it be! When was it! How was it!” - -As the concentrated expression returned to his forehead, he seemed to -become conscious that it was in hers too. He turned her full to the -light, and looked at her. - -“She had laid her head upon my shoulder, that night when I was summoned -out--she had a fear of my going, though I had none--and when I was -brought to the North Tower they found these upon my sleeve. 'You will -leave me them? They can never help me to escape in the body, though they -may in the spirit.' Those were the words I said. I remember them very -well.” - -He formed this speech with his lips many times before he could utter it. -But when he did find spoken words for it, they came to him coherently, -though slowly. - -“How was this?--_Was it you_?” - -Once more, the two spectators started, as he turned upon her with a -frightful suddenness. But she sat perfectly still in his grasp, and only -said, in a low voice, “I entreat you, good gentlemen, do not come near -us, do not speak, do not move!” - -“Hark!” he exclaimed. “Whose voice was that?” - -His hands released her as he uttered this cry, and went up to his white -hair, which they tore in a frenzy. It died out, as everything but his -shoemaking did die out of him, and he refolded his little packet and -tried to secure it in his breast; but he still looked at her, and -gloomily shook his head. - -“No, no, no; you are too young, too blooming. It can't be. See what the -prisoner is. These are not the hands she knew, this is not the face -she knew, this is not a voice she ever heard. No, no. She was--and He -was--before the slow years of the North Tower--ages ago. What is your -name, my gentle angel?” - -Hailing his softened tone and manner, his daughter fell upon her knees -before him, with her appealing hands upon his breast. - -“O, sir, at another time you shall know my name, and who my mother was, -and who my father, and how I never knew their hard, hard history. But I -cannot tell you at this time, and I cannot tell you here. All that I may -tell you, here and now, is, that I pray to you to touch me and to bless -me. Kiss me, kiss me! O my dear, my dear!” - -His cold white head mingled with her radiant hair, which warmed and -lighted it as though it were the light of Freedom shining on him. - -“If you hear in my voice--I don't know that it is so, but I hope it -is--if you hear in my voice any resemblance to a voice that once was -sweet music in your ears, weep for it, weep for it! If you touch, in -touching my hair, anything that recalls a beloved head that lay on your -breast when you were young and free, weep for it, weep for it! If, when -I hint to you of a Home that is before us, where I will be true to you -with all my duty and with all my faithful service, I bring back the -remembrance of a Home long desolate, while your poor heart pined away, -weep for it, weep for it!” - -She held him closer round the neck, and rocked him on her breast like a -child. - -“If, when I tell you, dearest dear, that your agony is over, and that I -have come here to take you from it, and that we go to England to be at -peace and at rest, I cause you to think of your useful life laid waste, -and of our native France so wicked to you, weep for it, weep for it! And -if, when I shall tell you of my name, and of my father who is living, -and of my mother who is dead, you learn that I have to kneel to my -honoured father, and implore his pardon for having never for his sake -striven all day and lain awake and wept all night, because the love of -my poor mother hid his torture from me, weep for it, weep for it! Weep -for her, then, and for me! Good gentlemen, thank God! I feel his sacred -tears upon my face, and his sobs strike against my heart. O, see! Thank -God for us, thank God!” - -He had sunk in her arms, and his face dropped on her breast: a sight so -touching, yet so terrible in the tremendous wrong and suffering which -had gone before it, that the two beholders covered their faces. - -When the quiet of the garret had been long undisturbed, and his heaving -breast and shaken form had long yielded to the calm that must follow all -storms--emblem to humanity, of the rest and silence into which the storm -called Life must hush at last--they came forward to raise the father and -daughter from the ground. He had gradually dropped to the floor, and lay -there in a lethargy, worn out. She had nestled down with him, that his -head might lie upon her arm; and her hair drooping over him curtained -him from the light. - -“If, without disturbing him,” she said, raising her hand to Mr. Lorry as -he stooped over them, after repeated blowings of his nose, “all could be -arranged for our leaving Paris at once, so that, from the very door, he -could be taken away--” - -“But, consider. Is he fit for the journey?” asked Mr. Lorry. - -“More fit for that, I think, than to remain in this city, so dreadful to -him.” - -“It is true,” said Defarge, who was kneeling to look on and hear. “More -than that; Monsieur Manette is, for all reasons, best out of France. -Say, shall I hire a carriage and post-horses?” - -“That's business,” said Mr. Lorry, resuming on the shortest notice his -methodical manners; “and if business is to be done, I had better do it.” - -“Then be so kind,” urged Miss Manette, “as to leave us here. You see how -composed he has become, and you cannot be afraid to leave him with me -now. Why should you be? If you will lock the door to secure us from -interruption, I do not doubt that you will find him, when you come back, -as quiet as you leave him. In any case, I will take care of him until -you return, and then we will remove him straight.” - -Both Mr. Lorry and Defarge were rather disinclined to this course, and -in favour of one of them remaining. But, as there were not only carriage -and horses to be seen to, but travelling papers; and as time pressed, -for the day was drawing to an end, it came at last to their hastily -dividing the business that was necessary to be done, and hurrying away -to do it. - -Then, as the darkness closed in, the daughter laid her head down on the -hard ground close at the father's side, and watched him. The darkness -deepened and deepened, and they both lay quiet, until a light gleamed -through the chinks in the wall. - -Mr. Lorry and Monsieur Defarge had made all ready for the journey, and -had brought with them, besides travelling cloaks and wrappers, bread and -meat, wine, and hot coffee. Monsieur Defarge put this provender, and the -lamp he carried, on the shoemaker's bench (there was nothing else in the -garret but a pallet bed), and he and Mr. Lorry roused the captive, and -assisted him to his feet. - -No human intelligence could have read the mysteries of his mind, in -the scared blank wonder of his face. Whether he knew what had happened, -whether he recollected what they had said to him, whether he knew that -he was free, were questions which no sagacity could have solved. They -tried speaking to him; but, he was so confused, and so very slow to -answer, that they took fright at his bewilderment, and agreed for -the time to tamper with him no more. He had a wild, lost manner of -occasionally clasping his head in his hands, that had not been seen -in him before; yet, he had some pleasure in the mere sound of his -daughter's voice, and invariably turned to it when she spoke. - -In the submissive way of one long accustomed to obey under coercion, he -ate and drank what they gave him to eat and drink, and put on the cloak -and other wrappings, that they gave him to wear. He readily responded to -his daughter's drawing her arm through his, and took--and kept--her hand -in both his own. - -They began to descend; Monsieur Defarge going first with the lamp, Mr. -Lorry closing the little procession. They had not traversed many steps -of the long main staircase when he stopped, and stared at the roof and -round at the walls. - -“You remember the place, my father? You remember coming up here?” - -“What did you say?” - -But, before she could repeat the question, he murmured an answer as if -she had repeated it. - -“Remember? No, I don't remember. It was so very long ago.” - -That he had no recollection whatever of his having been brought from his -prison to that house, was apparent to them. They heard him mutter, -“One Hundred and Five, North Tower;” and when he looked about him, it -evidently was for the strong fortress-walls which had long encompassed -him. On their reaching the courtyard he instinctively altered his -tread, as being in expectation of a drawbridge; and when there was -no drawbridge, and he saw the carriage waiting in the open street, he -dropped his daughter's hand and clasped his head again. - -No crowd was about the door; no people were discernible at any of the -many windows; not even a chance passerby was in the street. An unnatural -silence and desertion reigned there. Only one soul was to be seen, and -that was Madame Defarge--who leaned against the door-post, knitting, and -saw nothing. - -The prisoner had got into a coach, and his daughter had followed -him, when Mr. Lorry's feet were arrested on the step by his asking, -miserably, for his shoemaking tools and the unfinished shoes. Madame -Defarge immediately called to her husband that she would get them, and -went, knitting, out of the lamplight, through the courtyard. She quickly -brought them down and handed them in;--and immediately afterwards leaned -against the door-post, knitting, and saw nothing. - -Defarge got upon the box, and gave the word “To the Barrier!” The -postilion cracked his whip, and they clattered away under the feeble -over-swinging lamps. - -Under the over-swinging lamps--swinging ever brighter in the better -streets, and ever dimmer in the worse--and by lighted shops, gay crowds, -illuminated coffee-houses, and theatre-doors, to one of the city -gates. Soldiers with lanterns, at the guard-house there. “Your papers, -travellers!” “See here then, Monsieur the Officer,” said Defarge, -getting down, and taking him gravely apart, “these are the papers of -monsieur inside, with the white head. They were consigned to me, with -him, at the--” He dropped his voice, there was a flutter among the -military lanterns, and one of them being handed into the coach by an arm -in uniform, the eyes connected with the arm looked, not an every day -or an every night look, at monsieur with the white head. “It is well. -Forward!” from the uniform. “Adieu!” from Defarge. And so, under a short -grove of feebler and feebler over-swinging lamps, out under the great -grove of stars. - -Beneath that arch of unmoved and eternal lights; some, so remote from -this little earth that the learned tell us it is doubtful whether their -rays have even yet discovered it, as a point in space where anything -is suffered or done: the shadows of the night were broad and black. -All through the cold and restless interval, until dawn, they once more -whispered in the ears of Mr. Jarvis Lorry--sitting opposite the buried -man who had been dug out, and wondering what subtle powers were for ever -lost to him, and what were capable of restoration--the old inquiry: - -“I hope you care to be recalled to life?” - -And the old answer: - -“I can't say.” - - -The end of the first book. - - - - - -Book the Second--the Golden Thread - - - - -I. Five Years Later - - -Tellson's Bank by Temple Bar was an old-fashioned place, even in the -year one thousand seven hundred and eighty. It was very small, very -dark, very ugly, very incommodious. It was an old-fashioned place, -moreover, in the moral attribute that the partners in the House were -proud of its smallness, proud of its darkness, proud of its ugliness, -proud of its incommodiousness. They were even boastful of its eminence -in those particulars, and were fired by an express conviction that, if -it were less objectionable, it would be less respectable. This was -no passive belief, but an active weapon which they flashed at more -convenient places of business. Tellson's (they said) wanted -no elbow-room, Tellson's wanted no light, Tellson's wanted no -embellishment. Noakes and Co.'s might, or Snooks Brothers' might; but -Tellson's, thank Heaven--! - -Any one of these partners would have disinherited his son on the -question of rebuilding Tellson's. In this respect the House was much -on a par with the Country; which did very often disinherit its sons for -suggesting improvements in laws and customs that had long been highly -objectionable, but were only the more respectable. - -Thus it had come to pass, that Tellson's was the triumphant perfection -of inconvenience. After bursting open a door of idiotic obstinacy with -a weak rattle in its throat, you fell into Tellson's down two steps, -and came to your senses in a miserable little shop, with two little -counters, where the oldest of men made your cheque shake as if the -wind rustled it, while they examined the signature by the dingiest of -windows, which were always under a shower-bath of mud from Fleet-street, -and which were made the dingier by their own iron bars proper, and the -heavy shadow of Temple Bar. If your business necessitated your seeing -“the House,” you were put into a species of Condemned Hold at the back, -where you meditated on a misspent life, until the House came with its -hands in its pockets, and you could hardly blink at it in the dismal -twilight. Your money came out of, or went into, wormy old wooden -drawers, particles of which flew up your nose and down your throat when -they were opened and shut. Your bank-notes had a musty odour, as if they -were fast decomposing into rags again. Your plate was stowed away among -the neighbouring cesspools, and evil communications corrupted its good -polish in a day or two. Your deeds got into extemporised strong-rooms -made of kitchens and sculleries, and fretted all the fat out of their -parchments into the banking-house air. Your lighter boxes of family -papers went up-stairs into a Barmecide room, that always had a great -dining-table in it and never had a dinner, and where, even in the year -one thousand seven hundred and eighty, the first letters written to you -by your old love, or by your little children, were but newly released -from the horror of being ogled through the windows, by the heads -exposed on Temple Bar with an insensate brutality and ferocity worthy of -Abyssinia or Ashantee. - -But indeed, at that time, putting to death was a recipe much in vogue -with all trades and professions, and not least of all with Tellson's. -Death is Nature's remedy for all things, and why not Legislation's? -Accordingly, the forger was put to Death; the utterer of a bad note -was put to Death; the unlawful opener of a letter was put to Death; the -purloiner of forty shillings and sixpence was put to Death; the holder -of a horse at Tellson's door, who made off with it, was put to -Death; the coiner of a bad shilling was put to Death; the sounders of -three-fourths of the notes in the whole gamut of Crime, were put to -Death. Not that it did the least good in the way of prevention--it -might almost have been worth remarking that the fact was exactly the -reverse--but, it cleared off (as to this world) the trouble of each -particular case, and left nothing else connected with it to be looked -after. Thus, Tellson's, in its day, like greater places of business, -its contemporaries, had taken so many lives, that, if the heads laid -low before it had been ranged on Temple Bar instead of being privately -disposed of, they would probably have excluded what little light the -ground floor had, in a rather significant manner. - -Cramped in all kinds of dim cupboards and hutches at Tellson's, the -oldest of men carried on the business gravely. When they took a young -man into Tellson's London house, they hid him somewhere till he was -old. They kept him in a dark place, like a cheese, until he had the full -Tellson flavour and blue-mould upon him. Then only was he permitted to -be seen, spectacularly poring over large books, and casting his breeches -and gaiters into the general weight of the establishment. - -Outside Tellson's--never by any means in it, unless called in--was an -odd-job-man, an occasional porter and messenger, who served as the live -sign of the house. He was never absent during business hours, unless -upon an errand, and then he was represented by his son: a grisly urchin -of twelve, who was his express image. People understood that Tellson's, -in a stately way, tolerated the odd-job-man. The house had always -tolerated some person in that capacity, and time and tide had drifted -this person to the post. His surname was Cruncher, and on the youthful -occasion of his renouncing by proxy the works of darkness, in the -easterly parish church of Hounsditch, he had received the added -appellation of Jerry. - -The scene was Mr. Cruncher's private lodging in Hanging-sword-alley, -Whitefriars: the time, half-past seven of the clock on a windy March -morning, Anno Domini seventeen hundred and eighty. (Mr. Cruncher himself -always spoke of the year of our Lord as Anna Dominoes: apparently under -the impression that the Christian era dated from the invention of a -popular game, by a lady who had bestowed her name upon it.) - -Mr. Cruncher's apartments were not in a savoury neighbourhood, and were -but two in number, even if a closet with a single pane of glass in it -might be counted as one. But they were very decently kept. Early as -it was, on the windy March morning, the room in which he lay abed was -already scrubbed throughout; and between the cups and saucers arranged -for breakfast, and the lumbering deal table, a very clean white cloth -was spread. - -Mr. Cruncher reposed under a patchwork counterpane, like a Harlequin -at home. At first, he slept heavily, but, by degrees, began to roll -and surge in bed, until he rose above the surface, with his spiky hair -looking as if it must tear the sheets to ribbons. At which juncture, he -exclaimed, in a voice of dire exasperation: - -“Bust me, if she ain't at it agin!” - -A woman of orderly and industrious appearance rose from her knees in a -corner, with sufficient haste and trepidation to show that she was the -person referred to. - -“What!” said Mr. Cruncher, looking out of bed for a boot. “You're at it -agin, are you?” - -After hailing the morn with this second salutation, he threw a boot at -the woman as a third. It was a very muddy boot, and may introduce the -odd circumstance connected with Mr. Cruncher's domestic economy, that, -whereas he often came home after banking hours with clean boots, he -often got up next morning to find the same boots covered with clay. - -“What,” said Mr. Cruncher, varying his apostrophe after missing his -mark--“what are you up to, Aggerawayter?” - -“I was only saying my prayers.” - -“Saying your prayers! You're a nice woman! What do you mean by flopping -yourself down and praying agin me?” - -“I was not praying against you; I was praying for you.” - -“You weren't. And if you were, I won't be took the liberty with. Here! -your mother's a nice woman, young Jerry, going a praying agin your -father's prosperity. You've got a dutiful mother, you have, my son. -You've got a religious mother, you have, my boy: going and flopping -herself down, and praying that the bread-and-butter may be snatched out -of the mouth of her only child.” - -Master Cruncher (who was in his shirt) took this very ill, and, turning -to his mother, strongly deprecated any praying away of his personal -board. - -“And what do you suppose, you conceited female,” said Mr. Cruncher, with -unconscious inconsistency, “that the worth of _your_ prayers may be? -Name the price that you put _your_ prayers at!” - -“They only come from the heart, Jerry. They are worth no more than -that.” - -“Worth no more than that,” repeated Mr. Cruncher. “They ain't worth -much, then. Whether or no, I won't be prayed agin, I tell you. I can't -afford it. I'm not a going to be made unlucky by _your_ sneaking. If -you must go flopping yourself down, flop in favour of your husband and -child, and not in opposition to 'em. If I had had any but a unnat'ral -wife, and this poor boy had had any but a unnat'ral mother, I might -have made some money last week instead of being counter-prayed and -countermined and religiously circumwented into the worst of luck. -B-u-u-ust me!” said Mr. Cruncher, who all this time had been putting -on his clothes, “if I ain't, what with piety and one blowed thing and -another, been choused this last week into as bad luck as ever a poor -devil of a honest tradesman met with! Young Jerry, dress yourself, my -boy, and while I clean my boots keep a eye upon your mother now and -then, and if you see any signs of more flopping, give me a call. For, I -tell you,” here he addressed his wife once more, “I won't be gone agin, -in this manner. I am as rickety as a hackney-coach, I'm as sleepy as -laudanum, my lines is strained to that degree that I shouldn't know, if -it wasn't for the pain in 'em, which was me and which somebody else, yet -I'm none the better for it in pocket; and it's my suspicion that you've -been at it from morning to night to prevent me from being the better for -it in pocket, and I won't put up with it, Aggerawayter, and what do you -say now!” - -Growling, in addition, such phrases as “Ah! yes! You're religious, too. -You wouldn't put yourself in opposition to the interests of your husband -and child, would you? Not you!” and throwing off other sarcastic sparks -from the whirling grindstone of his indignation, Mr. Cruncher betook -himself to his boot-cleaning and his general preparation for business. -In the meantime, his son, whose head was garnished with tenderer spikes, -and whose young eyes stood close by one another, as his father's did, -kept the required watch upon his mother. He greatly disturbed that poor -woman at intervals, by darting out of his sleeping closet, where he made -his toilet, with a suppressed cry of “You are going to flop, mother. ---Halloa, father!” and, after raising this fictitious alarm, darting in -again with an undutiful grin. - -Mr. Cruncher's temper was not at all improved when he came to his -breakfast. He resented Mrs. Cruncher's saying grace with particular -animosity. - -“Now, Aggerawayter! What are you up to? At it again?” - -His wife explained that she had merely “asked a blessing.” - -“Don't do it!” said Mr. Crunches looking about, as if he rather expected -to see the loaf disappear under the efficacy of his wife's petitions. “I -ain't a going to be blest out of house and home. I won't have my wittles -blest off my table. Keep still!” - -Exceedingly red-eyed and grim, as if he had been up all night at a party -which had taken anything but a convivial turn, Jerry Cruncher worried -his breakfast rather than ate it, growling over it like any four-footed -inmate of a menagerie. Towards nine o'clock he smoothed his ruffled -aspect, and, presenting as respectable and business-like an exterior as -he could overlay his natural self with, issued forth to the occupation -of the day. - -It could scarcely be called a trade, in spite of his favourite -description of himself as “a honest tradesman.” His stock consisted of -a wooden stool, made out of a broken-backed chair cut down, which stool, -young Jerry, walking at his father's side, carried every morning to -beneath the banking-house window that was nearest Temple Bar: where, -with the addition of the first handful of straw that could be gleaned -from any passing vehicle to keep the cold and wet from the odd-job-man's -feet, it formed the encampment for the day. On this post of his, Mr. -Cruncher was as well known to Fleet-street and the Temple, as the Bar -itself,--and was almost as in-looking. - -Encamped at a quarter before nine, in good time to touch his -three-cornered hat to the oldest of men as they passed in to Tellson's, -Jerry took up his station on this windy March morning, with young Jerry -standing by him, when not engaged in making forays through the Bar, to -inflict bodily and mental injuries of an acute description on passing -boys who were small enough for his amiable purpose. Father and son, -extremely like each other, looking silently on at the morning traffic -in Fleet-street, with their two heads as near to one another as the two -eyes of each were, bore a considerable resemblance to a pair of monkeys. -The resemblance was not lessened by the accidental circumstance, that -the mature Jerry bit and spat out straw, while the twinkling eyes of the -youthful Jerry were as restlessly watchful of him as of everything else -in Fleet-street. - -The head of one of the regular indoor messengers attached to Tellson's -establishment was put through the door, and the word was given: - -“Porter wanted!” - -“Hooray, father! Here's an early job to begin with!” - -Having thus given his parent God speed, young Jerry seated himself on -the stool, entered on his reversionary interest in the straw his father -had been chewing, and cogitated. - -“Al-ways rusty! His fingers is al-ways rusty!” muttered young Jerry. -“Where does my father get all that iron rust from? He don't get no iron -rust here!” - - - - -II. A Sight - - -“You know the Old Bailey well, no doubt?” said one of the oldest of -clerks to Jerry the messenger. - -“Ye-es, sir,” returned Jerry, in something of a dogged manner. “I _do_ -know the Bailey.” - -“Just so. And you know Mr. Lorry.” - -“I know Mr. Lorry, sir, much better than I know the Bailey. Much -better,” said Jerry, not unlike a reluctant witness at the establishment -in question, “than I, as a honest tradesman, wish to know the Bailey.” - -“Very well. Find the door where the witnesses go in, and show the -door-keeper this note for Mr. Lorry. He will then let you in.” - -“Into the court, sir?” - -“Into the court.” - -Mr. Cruncher's eyes seemed to get a little closer to one another, and to -interchange the inquiry, “What do you think of this?” - -“Am I to wait in the court, sir?” he asked, as the result of that -conference. - -“I am going to tell you. The door-keeper will pass the note to Mr. -Lorry, and do you make any gesture that will attract Mr. Lorry's -attention, and show him where you stand. Then what you have to do, is, -to remain there until he wants you.” - -“Is that all, sir?” - -“That's all. He wishes to have a messenger at hand. This is to tell him -you are there.” - -As the ancient clerk deliberately folded and superscribed the note, -Mr. Cruncher, after surveying him in silence until he came to the -blotting-paper stage, remarked: - -“I suppose they'll be trying Forgeries this morning?” - -“Treason!” - -“That's quartering,” said Jerry. “Barbarous!” - -“It is the law,” remarked the ancient clerk, turning his surprised -spectacles upon him. “It is the law.” - -“It's hard in the law to spile a man, I think. It's hard enough to kill -him, but it's wery hard to spile him, sir.” - -“Not at all,” retained the ancient clerk. “Speak well of the law. Take -care of your chest and voice, my good friend, and leave the law to take -care of itself. I give you that advice.” - -“It's the damp, sir, what settles on my chest and voice,” said Jerry. “I -leave you to judge what a damp way of earning a living mine is.” - -“Well, well,” said the old clerk; “we all have our various ways of -gaining a livelihood. Some of us have damp ways, and some of us have dry -ways. Here is the letter. Go along.” - -Jerry took the letter, and, remarking to himself with less internal -deference than he made an outward show of, “You are a lean old one, -too,” made his bow, informed his son, in passing, of his destination, -and went his way. - -They hanged at Tyburn, in those days, so the street outside Newgate had -not obtained one infamous notoriety that has since attached to it. -But, the gaol was a vile place, in which most kinds of debauchery and -villainy were practised, and where dire diseases were bred, that came -into court with the prisoners, and sometimes rushed straight from the -dock at my Lord Chief Justice himself, and pulled him off the bench. It -had more than once happened, that the Judge in the black cap pronounced -his own doom as certainly as the prisoner's, and even died before him. -For the rest, the Old Bailey was famous as a kind of deadly inn-yard, -from which pale travellers set out continually, in carts and coaches, on -a violent passage into the other world: traversing some two miles and a -half of public street and road, and shaming few good citizens, if any. -So powerful is use, and so desirable to be good use in the beginning. It -was famous, too, for the pillory, a wise old institution, that inflicted -a punishment of which no one could foresee the extent; also, for -the whipping-post, another dear old institution, very humanising and -softening to behold in action; also, for extensive transactions in -blood-money, another fragment of ancestral wisdom, systematically -leading to the most frightful mercenary crimes that could be committed -under Heaven. Altogether, the Old Bailey, at that date, was a choice -illustration of the precept, that “Whatever is is right;” an aphorism -that would be as final as it is lazy, did it not include the troublesome -consequence, that nothing that ever was, was wrong. - -Making his way through the tainted crowd, dispersed up and down this -hideous scene of action, with the skill of a man accustomed to make his -way quietly, the messenger found out the door he sought, and handed in -his letter through a trap in it. For, people then paid to see the play -at the Old Bailey, just as they paid to see the play in Bedlam--only the -former entertainment was much the dearer. Therefore, all the Old Bailey -doors were well guarded--except, indeed, the social doors by which the -criminals got there, and those were always left wide open. - -After some delay and demur, the door grudgingly turned on its hinges a -very little way, and allowed Mr. Jerry Cruncher to squeeze himself into -court. - -“What's on?” he asked, in a whisper, of the man he found himself next -to. - -“Nothing yet.” - -“What's coming on?” - -“The Treason case.” - -“The quartering one, eh?” - -“Ah!” returned the man, with a relish; “he'll be drawn on a hurdle to -be half hanged, and then he'll be taken down and sliced before his own -face, and then his inside will be taken out and burnt while he looks on, -and then his head will be chopped off, and he'll be cut into quarters. -That's the sentence.” - -“If he's found Guilty, you mean to say?” Jerry added, by way of proviso. - -“Oh! they'll find him guilty,” said the other. “Don't you be afraid of -that.” - -Mr. Cruncher's attention was here diverted to the door-keeper, whom he -saw making his way to Mr. Lorry, with the note in his hand. Mr. Lorry -sat at a table, among the gentlemen in wigs: not far from a wigged -gentleman, the prisoner's counsel, who had a great bundle of papers -before him: and nearly opposite another wigged gentleman with his hands -in his pockets, whose whole attention, when Mr. Cruncher looked at him -then or afterwards, seemed to be concentrated on the ceiling of the -court. After some gruff coughing and rubbing of his chin and signing -with his hand, Jerry attracted the notice of Mr. Lorry, who had stood up -to look for him, and who quietly nodded and sat down again. - -“What's _he_ got to do with the case?” asked the man he had spoken with. - -“Blest if I know,” said Jerry. - -“What have _you_ got to do with it, then, if a person may inquire?” - -“Blest if I know that either,” said Jerry. - -The entrance of the Judge, and a consequent great stir and settling -down in the court, stopped the dialogue. Presently, the dock became the -central point of interest. Two gaolers, who had been standing there, -went out, and the prisoner was brought in, and put to the bar. - -Everybody present, except the one wigged gentleman who looked at the -ceiling, stared at him. All the human breath in the place, rolled -at him, like a sea, or a wind, or a fire. Eager faces strained round -pillars and corners, to get a sight of him; spectators in back rows -stood up, not to miss a hair of him; people on the floor of the court, -laid their hands on the shoulders of the people before them, to help -themselves, at anybody's cost, to a view of him--stood a-tiptoe, got -upon ledges, stood upon next to nothing, to see every inch of him. -Conspicuous among these latter, like an animated bit of the spiked wall -of Newgate, Jerry stood: aiming at the prisoner the beery breath of a -whet he had taken as he came along, and discharging it to mingle with -the waves of other beer, and gin, and tea, and coffee, and what not, -that flowed at him, and already broke upon the great windows behind him -in an impure mist and rain. - -The object of all this staring and blaring, was a young man of about -five-and-twenty, well-grown and well-looking, with a sunburnt cheek and -a dark eye. His condition was that of a young gentleman. He was plainly -dressed in black, or very dark grey, and his hair, which was long and -dark, was gathered in a ribbon at the back of his neck; more to be out -of his way than for ornament. As an emotion of the mind will express -itself through any covering of the body, so the paleness which his -situation engendered came through the brown upon his cheek, showing the -soul to be stronger than the sun. He was otherwise quite self-possessed, -bowed to the Judge, and stood quiet. - -The sort of interest with which this man was stared and breathed at, -was not a sort that elevated humanity. Had he stood in peril of a less -horrible sentence--had there been a chance of any one of its savage -details being spared--by just so much would he have lost in his -fascination. The form that was to be doomed to be so shamefully mangled, -was the sight; the immortal creature that was to be so butchered -and torn asunder, yielded the sensation. Whatever gloss the various -spectators put upon the interest, according to their several arts and -powers of self-deceit, the interest was, at the root of it, Ogreish. - -Silence in the court! Charles Darnay had yesterday pleaded Not Guilty to -an indictment denouncing him (with infinite jingle and jangle) for that -he was a false traitor to our serene, illustrious, excellent, and so -forth, prince, our Lord the King, by reason of his having, on divers -occasions, and by divers means and ways, assisted Lewis, the French -King, in his wars against our said serene, illustrious, excellent, and -so forth; that was to say, by coming and going, between the dominions of -our said serene, illustrious, excellent, and so forth, and those of the -said French Lewis, and wickedly, falsely, traitorously, and otherwise -evil-adverbiously, revealing to the said French Lewis what forces our -said serene, illustrious, excellent, and so forth, had in preparation -to send to Canada and North America. This much, Jerry, with his head -becoming more and more spiky as the law terms bristled it, made out with -huge satisfaction, and so arrived circuitously at the understanding that -the aforesaid, and over and over again aforesaid, Charles Darnay, stood -there before him upon his trial; that the jury were swearing in; and -that Mr. Attorney-General was making ready to speak. - -The accused, who was (and who knew he was) being mentally hanged, -beheaded, and quartered, by everybody there, neither flinched from -the situation, nor assumed any theatrical air in it. He was quiet and -attentive; watched the opening proceedings with a grave interest; -and stood with his hands resting on the slab of wood before him, so -composedly, that they had not displaced a leaf of the herbs with which -it was strewn. The court was all bestrewn with herbs and sprinkled with -vinegar, as a precaution against gaol air and gaol fever. - -Over the prisoner's head there was a mirror, to throw the light down -upon him. Crowds of the wicked and the wretched had been reflected in -it, and had passed from its surface and this earth's together. Haunted -in a most ghastly manner that abominable place would have been, if the -glass could ever have rendered back its reflections, as the ocean is one -day to give up its dead. Some passing thought of the infamy and disgrace -for which it had been reserved, may have struck the prisoner's mind. Be -that as it may, a change in his position making him conscious of a bar -of light across his face, he looked up; and when he saw the glass his -face flushed, and his right hand pushed the herbs away. - -It happened, that the action turned his face to that side of the court -which was on his left. About on a level with his eyes, there sat, -in that corner of the Judge's bench, two persons upon whom his look -immediately rested; so immediately, and so much to the changing of his -aspect, that all the eyes that were turned upon him, turned to them. - -The spectators saw in the two figures, a young lady of little more than -twenty, and a gentleman who was evidently her father; a man of a very -remarkable appearance in respect of the absolute whiteness of his hair, -and a certain indescribable intensity of face: not of an active kind, -but pondering and self-communing. When this expression was upon him, he -looked as if he were old; but when it was stirred and broken up--as -it was now, in a moment, on his speaking to his daughter--he became a -handsome man, not past the prime of life. - -His daughter had one of her hands drawn through his arm, as she sat by -him, and the other pressed upon it. She had drawn close to him, in her -dread of the scene, and in her pity for the prisoner. Her forehead had -been strikingly expressive of an engrossing terror and compassion -that saw nothing but the peril of the accused. This had been so very -noticeable, so very powerfully and naturally shown, that starers who -had had no pity for him were touched by her; and the whisper went about, -“Who are they?” - -Jerry, the messenger, who had made his own observations, in his own -manner, and who had been sucking the rust off his fingers in his -absorption, stretched his neck to hear who they were. The crowd about -him had pressed and passed the inquiry on to the nearest attendant, and -from him it had been more slowly pressed and passed back; at last it got -to Jerry: - -“Witnesses.” - -“For which side?” - -“Against.” - -“Against what side?” - -“The prisoner's.” - -The Judge, whose eyes had gone in the general direction, recalled them, -leaned back in his seat, and looked steadily at the man whose life was -in his hand, as Mr. Attorney-General rose to spin the rope, grind the -axe, and hammer the nails into the scaffold. - - - - -III. A Disappointment - - -Mr. Attorney-General had to inform the jury, that the prisoner before -them, though young in years, was old in the treasonable practices which -claimed the forfeit of his life. That this correspondence with the -public enemy was not a correspondence of to-day, or of yesterday, or -even of last year, or of the year before. That, it was certain the -prisoner had, for longer than that, been in the habit of passing and -repassing between France and England, on secret business of which -he could give no honest account. That, if it were in the nature of -traitorous ways to thrive (which happily it never was), the real -wickedness and guilt of his business might have remained undiscovered. -That Providence, however, had put it into the heart of a person who -was beyond fear and beyond reproach, to ferret out the nature of the -prisoner's schemes, and, struck with horror, to disclose them to his -Majesty's Chief Secretary of State and most honourable Privy Council. -That, this patriot would be produced before them. That, his position and -attitude were, on the whole, sublime. That, he had been the prisoner's -friend, but, at once in an auspicious and an evil hour detecting his -infamy, had resolved to immolate the traitor he could no longer cherish -in his bosom, on the sacred altar of his country. That, if statues -were decreed in Britain, as in ancient Greece and Rome, to public -benefactors, this shining citizen would assuredly have had one. That, as -they were not so decreed, he probably would not have one. That, Virtue, -as had been observed by the poets (in many passages which he well -knew the jury would have, word for word, at the tips of their tongues; -whereat the jury's countenances displayed a guilty consciousness that -they knew nothing about the passages), was in a manner contagious; more -especially the bright virtue known as patriotism, or love of country. -That, the lofty example of this immaculate and unimpeachable witness -for the Crown, to refer to whom however unworthily was an honour, had -communicated itself to the prisoner's servant, and had engendered in him -a holy determination to examine his master's table-drawers and pockets, -and secrete his papers. That, he (Mr. Attorney-General) was prepared to -hear some disparagement attempted of this admirable servant; but that, -in a general way, he preferred him to his (Mr. Attorney-General's) -brothers and sisters, and honoured him more than his (Mr. -Attorney-General's) father and mother. That, he called with confidence -on the jury to come and do likewise. That, the evidence of these two -witnesses, coupled with the documents of their discovering that would be -produced, would show the prisoner to have been furnished with lists of -his Majesty's forces, and of their disposition and preparation, both by -sea and land, and would leave no doubt that he had habitually conveyed -such information to a hostile power. That, these lists could not be -proved to be in the prisoner's handwriting; but that it was all the -same; that, indeed, it was rather the better for the prosecution, as -showing the prisoner to be artful in his precautions. That, the proof -would go back five years, and would show the prisoner already engaged -in these pernicious missions, within a few weeks before the date of the -very first action fought between the British troops and the Americans. -That, for these reasons, the jury, being a loyal jury (as he knew they -were), and being a responsible jury (as _they_ knew they were), must -positively find the prisoner Guilty, and make an end of him, whether -they liked it or not. That, they never could lay their heads upon their -pillows; that, they never could tolerate the idea of their wives laying -their heads upon their pillows; that, they never could endure the notion -of their children laying their heads upon their pillows; in short, that -there never more could be, for them or theirs, any laying of heads upon -pillows at all, unless the prisoner's head was taken off. That head -Mr. Attorney-General concluded by demanding of them, in the name of -everything he could think of with a round turn in it, and on the faith -of his solemn asseveration that he already considered the prisoner as -good as dead and gone. - -When the Attorney-General ceased, a buzz arose in the court as if -a cloud of great blue-flies were swarming about the prisoner, in -anticipation of what he was soon to become. When toned down again, the -unimpeachable patriot appeared in the witness-box. - -Mr. Solicitor-General then, following his leader's lead, examined the -patriot: John Barsad, gentleman, by name. The story of his pure soul was -exactly what Mr. Attorney-General had described it to be--perhaps, if -it had a fault, a little too exactly. Having released his noble bosom -of its burden, he would have modestly withdrawn himself, but that the -wigged gentleman with the papers before him, sitting not far from Mr. -Lorry, begged to ask him a few questions. The wigged gentleman sitting -opposite, still looking at the ceiling of the court. - -Had he ever been a spy himself? No, he scorned the base insinuation. -What did he live upon? His property. Where was his property? He didn't -precisely remember where it was. What was it? No business of anybody's. -Had he inherited it? Yes, he had. From whom? Distant relation. Very -distant? Rather. Ever been in prison? Certainly not. Never in a debtors' -prison? Didn't see what that had to do with it. Never in a debtors' -prison?--Come, once again. Never? Yes. How many times? Two or three -times. Not five or six? Perhaps. Of what profession? Gentleman. Ever -been kicked? Might have been. Frequently? No. Ever kicked downstairs? -Decidedly not; once received a kick on the top of a staircase, and fell -downstairs of his own accord. Kicked on that occasion for cheating at -dice? Something to that effect was said by the intoxicated liar who -committed the assault, but it was not true. Swear it was not true? -Positively. Ever live by cheating at play? Never. Ever live by play? Not -more than other gentlemen do. Ever borrow money of the prisoner? Yes. -Ever pay him? No. Was not this intimacy with the prisoner, in reality a -very slight one, forced upon the prisoner in coaches, inns, and packets? -No. Sure he saw the prisoner with these lists? Certain. Knew no more -about the lists? No. Had not procured them himself, for instance? No. -Expect to get anything by this evidence? No. Not in regular government -pay and employment, to lay traps? Oh dear no. Or to do anything? Oh dear -no. Swear that? Over and over again. No motives but motives of sheer -patriotism? None whatever. - -The virtuous servant, Roger Cly, swore his way through the case at a -great rate. He had taken service with the prisoner, in good faith and -simplicity, four years ago. He had asked the prisoner, aboard the Calais -packet, if he wanted a handy fellow, and the prisoner had engaged him. -He had not asked the prisoner to take the handy fellow as an act of -charity--never thought of such a thing. He began to have suspicions of -the prisoner, and to keep an eye upon him, soon afterwards. In arranging -his clothes, while travelling, he had seen similar lists to these in the -prisoner's pockets, over and over again. He had taken these lists from -the drawer of the prisoner's desk. He had not put them there first. He -had seen the prisoner show these identical lists to French gentlemen -at Calais, and similar lists to French gentlemen, both at Calais and -Boulogne. He loved his country, and couldn't bear it, and had given -information. He had never been suspected of stealing a silver tea-pot; -he had been maligned respecting a mustard-pot, but it turned out to be -only a plated one. He had known the last witness seven or eight years; -that was merely a coincidence. He didn't call it a particularly curious -coincidence; most coincidences were curious. Neither did he call it a -curious coincidence that true patriotism was _his_ only motive too. He -was a true Briton, and hoped there were many like him. - -The blue-flies buzzed again, and Mr. Attorney-General called Mr. Jarvis -Lorry. - -“Mr. Jarvis Lorry, are you a clerk in Tellson's bank?” - -“I am.” - -“On a certain Friday night in November one thousand seven hundred and -seventy-five, did business occasion you to travel between London and -Dover by the mail?” - -“It did.” - -“Were there any other passengers in the mail?” - -“Two.” - -“Did they alight on the road in the course of the night?” - -“They did.” - -“Mr. Lorry, look upon the prisoner. Was he one of those two passengers?” - -“I cannot undertake to say that he was.” - -“Does he resemble either of these two passengers?” - -“Both were so wrapped up, and the night was so dark, and we were all so -reserved, that I cannot undertake to say even that.” - -“Mr. Lorry, look again upon the prisoner. Supposing him wrapped up as -those two passengers were, is there anything in his bulk and stature to -render it unlikely that he was one of them?” - -“No.” - -“You will not swear, Mr. Lorry, that he was not one of them?” - -“No.” - -“So at least you say he may have been one of them?” - -“Yes. Except that I remember them both to have been--like -myself--timorous of highwaymen, and the prisoner has not a timorous -air.” - -“Did you ever see a counterfeit of timidity, Mr. Lorry?” - -“I certainly have seen that.” - -“Mr. Lorry, look once more upon the prisoner. Have you seen him, to your -certain knowledge, before?” - -“I have.” - -“When?” - -“I was returning from France a few days afterwards, and, at Calais, the -prisoner came on board the packet-ship in which I returned, and made the -voyage with me.” - -“At what hour did he come on board?” - -“At a little after midnight.” - -“In the dead of the night. Was he the only passenger who came on board -at that untimely hour?” - -“He happened to be the only one.” - -“Never mind about 'happening,' Mr. Lorry. He was the only passenger who -came on board in the dead of the night?” - -“He was.” - -“Were you travelling alone, Mr. Lorry, or with any companion?” - -“With two companions. A gentleman and lady. They are here.” - -“They are here. Had you any conversation with the prisoner?” - -“Hardly any. The weather was stormy, and the passage long and rough, and -I lay on a sofa, almost from shore to shore.” - -“Miss Manette!” - -The young lady, to whom all eyes had been turned before, and were now -turned again, stood up where she had sat. Her father rose with her, and -kept her hand drawn through his arm. - -“Miss Manette, look upon the prisoner.” - -To be confronted with such pity, and such earnest youth and beauty, was -far more trying to the accused than to be confronted with all the crowd. -Standing, as it were, apart with her on the edge of his grave, not all -the staring curiosity that looked on, could, for the moment, nerve him -to remain quite still. His hurried right hand parcelled out the herbs -before him into imaginary beds of flowers in a garden; and his efforts -to control and steady his breathing shook the lips from which the colour -rushed to his heart. The buzz of the great flies was loud again. - -“Miss Manette, have you seen the prisoner before?” - -“Yes, sir.” - -“Where?” - -“On board of the packet-ship just now referred to, sir, and on the same -occasion.” - -“You are the young lady just now referred to?” - -“O! most unhappily, I am!” - -The plaintive tone of her compassion merged into the less musical voice -of the Judge, as he said something fiercely: “Answer the questions put -to you, and make no remark upon them.” - -“Miss Manette, had you any conversation with the prisoner on that -passage across the Channel?” - -“Yes, sir.” - -“Recall it.” - -In the midst of a profound stillness, she faintly began: “When the -gentleman came on board--” - -“Do you mean the prisoner?” inquired the Judge, knitting his brows. - -“Yes, my Lord.” - -“Then say the prisoner.” - -“When the prisoner came on board, he noticed that my father,” turning -her eyes lovingly to him as he stood beside her, “was much fatigued -and in a very weak state of health. My father was so reduced that I was -afraid to take him out of the air, and I had made a bed for him on the -deck near the cabin steps, and I sat on the deck at his side to take -care of him. There were no other passengers that night, but we four. -The prisoner was so good as to beg permission to advise me how I could -shelter my father from the wind and weather, better than I had done. I -had not known how to do it well, not understanding how the wind would -set when we were out of the harbour. He did it for me. He expressed -great gentleness and kindness for my father's state, and I am sure he -felt it. That was the manner of our beginning to speak together.” - -“Let me interrupt you for a moment. Had he come on board alone?” - -“No.” - -“How many were with him?” - -“Two French gentlemen.” - -“Had they conferred together?” - -“They had conferred together until the last moment, when it was -necessary for the French gentlemen to be landed in their boat.” - -“Had any papers been handed about among them, similar to these lists?” - -“Some papers had been handed about among them, but I don't know what -papers.” - -“Like these in shape and size?” - -“Possibly, but indeed I don't know, although they stood whispering very -near to me: because they stood at the top of the cabin steps to have the -light of the lamp that was hanging there; it was a dull lamp, and they -spoke very low, and I did not hear what they said, and saw only that -they looked at papers.” - -“Now, to the prisoner's conversation, Miss Manette.” - -“The prisoner was as open in his confidence with me--which arose out -of my helpless situation--as he was kind, and good, and useful to my -father. I hope,” bursting into tears, “I may not repay him by doing him -harm to-day.” - -Buzzing from the blue-flies. - -“Miss Manette, if the prisoner does not perfectly understand that -you give the evidence which it is your duty to give--which you must -give--and which you cannot escape from giving--with great unwillingness, -he is the only person present in that condition. Please to go on.” - -“He told me that he was travelling on business of a delicate and -difficult nature, which might get people into trouble, and that he was -therefore travelling under an assumed name. He said that this business -had, within a few days, taken him to France, and might, at intervals, -take him backwards and forwards between France and England for a long -time to come.” - -“Did he say anything about America, Miss Manette? Be particular.” - -“He tried to explain to me how that quarrel had arisen, and he said -that, so far as he could judge, it was a wrong and foolish one on -England's part. He added, in a jesting way, that perhaps George -Washington might gain almost as great a name in history as George the -Third. But there was no harm in his way of saying this: it was said -laughingly, and to beguile the time.” - -Any strongly marked expression of face on the part of a chief actor in -a scene of great interest to whom many eyes are directed, will be -unconsciously imitated by the spectators. Her forehead was painfully -anxious and intent as she gave this evidence, and, in the pauses when -she stopped for the Judge to write it down, watched its effect upon -the counsel for and against. Among the lookers-on there was the same -expression in all quarters of the court; insomuch, that a great majority -of the foreheads there, might have been mirrors reflecting the witness, -when the Judge looked up from his notes to glare at that tremendous -heresy about George Washington. - -Mr. Attorney-General now signified to my Lord, that he deemed it -necessary, as a matter of precaution and form, to call the young lady's -father, Doctor Manette. Who was called accordingly. - -“Doctor Manette, look upon the prisoner. Have you ever seen him before?” - -“Once. When he called at my lodgings in London. Some three years, or -three years and a half ago.” - -“Can you identify him as your fellow-passenger on board the packet, or -speak to his conversation with your daughter?” - -“Sir, I can do neither.” - -“Is there any particular and special reason for your being unable to do -either?” - -He answered, in a low voice, “There is.” - -“Has it been your misfortune to undergo a long imprisonment, without -trial, or even accusation, in your native country, Doctor Manette?” - -He answered, in a tone that went to every heart, “A long imprisonment.” - -“Were you newly released on the occasion in question?” - -“They tell me so.” - -“Have you no remembrance of the occasion?” - -“None. My mind is a blank, from some time--I cannot even say what -time--when I employed myself, in my captivity, in making shoes, to the -time when I found myself living in London with my dear daughter -here. She had become familiar to me, when a gracious God restored -my faculties; but, I am quite unable even to say how she had become -familiar. I have no remembrance of the process.” - -Mr. Attorney-General sat down, and the father and daughter sat down -together. - -A singular circumstance then arose in the case. The object in hand being -to show that the prisoner went down, with some fellow-plotter untracked, -in the Dover mail on that Friday night in November five years ago, and -got out of the mail in the night, as a blind, at a place where he did -not remain, but from which he travelled back some dozen miles or more, -to a garrison and dockyard, and there collected information; a witness -was called to identify him as having been at the precise time required, -in the coffee-room of an hotel in that garrison-and-dockyard town, -waiting for another person. The prisoner's counsel was cross-examining -this witness with no result, except that he had never seen the prisoner -on any other occasion, when the wigged gentleman who had all this time -been looking at the ceiling of the court, wrote a word or two on a -little piece of paper, screwed it up, and tossed it to him. Opening -this piece of paper in the next pause, the counsel looked with great -attention and curiosity at the prisoner. - -“You say again you are quite sure that it was the prisoner?” - -The witness was quite sure. - -“Did you ever see anybody very like the prisoner?” - -Not so like (the witness said) as that he could be mistaken. - -“Look well upon that gentleman, my learned friend there,” pointing -to him who had tossed the paper over, “and then look well upon the -prisoner. How say you? Are they very like each other?” - -Allowing for my learned friend's appearance being careless and slovenly -if not debauched, they were sufficiently like each other to surprise, -not only the witness, but everybody present, when they were thus brought -into comparison. My Lord being prayed to bid my learned friend lay aside -his wig, and giving no very gracious consent, the likeness became -much more remarkable. My Lord inquired of Mr. Stryver (the prisoner's -counsel), whether they were next to try Mr. Carton (name of my learned -friend) for treason? But, Mr. Stryver replied to my Lord, no; but he -would ask the witness to tell him whether what happened once, might -happen twice; whether he would have been so confident if he had seen -this illustration of his rashness sooner, whether he would be so -confident, having seen it; and more. The upshot of which, was, to smash -this witness like a crockery vessel, and shiver his part of the case to -useless lumber. - -Mr. Cruncher had by this time taken quite a lunch of rust off his -fingers in his following of the evidence. He had now to attend while Mr. -Stryver fitted the prisoner's case on the jury, like a compact suit -of clothes; showing them how the patriot, Barsad, was a hired spy and -traitor, an unblushing trafficker in blood, and one of the greatest -scoundrels upon earth since accursed Judas--which he certainly did look -rather like. How the virtuous servant, Cly, was his friend and partner, -and was worthy to be; how the watchful eyes of those forgers and false -swearers had rested on the prisoner as a victim, because some family -affairs in France, he being of French extraction, did require his making -those passages across the Channel--though what those affairs were, a -consideration for others who were near and dear to him, forbade him, -even for his life, to disclose. How the evidence that had been warped -and wrested from the young lady, whose anguish in giving it they -had witnessed, came to nothing, involving the mere little innocent -gallantries and politenesses likely to pass between any young gentleman -and young lady so thrown together;--with the exception of that -reference to George Washington, which was altogether too extravagant and -impossible to be regarded in any other light than as a monstrous joke. -How it would be a weakness in the government to break down in this -attempt to practise for popularity on the lowest national antipathies -and fears, and therefore Mr. Attorney-General had made the most of it; -how, nevertheless, it rested upon nothing, save that vile and infamous -character of evidence too often disfiguring such cases, and of which the -State Trials of this country were full. But, there my Lord interposed -(with as grave a face as if it had not been true), saying that he could -not sit upon that Bench and suffer those allusions. - -Mr. Stryver then called his few witnesses, and Mr. Cruncher had next to -attend while Mr. Attorney-General turned the whole suit of clothes Mr. -Stryver had fitted on the jury, inside out; showing how Barsad and -Cly were even a hundred times better than he had thought them, and the -prisoner a hundred times worse. Lastly, came my Lord himself, turning -the suit of clothes, now inside out, now outside in, but on the whole -decidedly trimming and shaping them into grave-clothes for the prisoner. - -And now, the jury turned to consider, and the great flies swarmed again. - -Mr. Carton, who had so long sat looking at the ceiling of the court, -changed neither his place nor his attitude, even in this excitement. -While his learned friend, Mr. Stryver, massing his papers before him, -whispered with those who sat near, and from time to time glanced -anxiously at the jury; while all the spectators moved more or less, and -grouped themselves anew; while even my Lord himself arose from his seat, -and slowly paced up and down his platform, not unattended by a suspicion -in the minds of the audience that his state was feverish; this one man -sat leaning back, with his torn gown half off him, his untidy wig put -on just as it had happened to light on his head after its removal, his -hands in his pockets, and his eyes on the ceiling as they had been all -day. Something especially reckless in his demeanour, not only gave him -a disreputable look, but so diminished the strong resemblance he -undoubtedly bore to the prisoner (which his momentary earnestness, -when they were compared together, had strengthened), that many of the -lookers-on, taking note of him now, said to one another they would -hardly have thought the two were so alike. Mr. Cruncher made the -observation to his next neighbour, and added, “I'd hold half a guinea -that _he_ don't get no law-work to do. Don't look like the sort of one -to get any, do he?” - -Yet, this Mr. Carton took in more of the details of the scene than he -appeared to take in; for now, when Miss Manette's head dropped upon -her father's breast, he was the first to see it, and to say audibly: -“Officer! look to that young lady. Help the gentleman to take her out. -Don't you see she will fall!” - -There was much commiseration for her as she was removed, and much -sympathy with her father. It had evidently been a great distress to -him, to have the days of his imprisonment recalled. He had shown -strong internal agitation when he was questioned, and that pondering or -brooding look which made him old, had been upon him, like a heavy cloud, -ever since. As he passed out, the jury, who had turned back and paused a -moment, spoke, through their foreman. - -They were not agreed, and wished to retire. My Lord (perhaps with George -Washington on his mind) showed some surprise that they were not agreed, -but signified his pleasure that they should retire under watch and ward, -and retired himself. The trial had lasted all day, and the lamps in -the court were now being lighted. It began to be rumoured that the -jury would be out a long while. The spectators dropped off to get -refreshment, and the prisoner withdrew to the back of the dock, and sat -down. - -Mr. Lorry, who had gone out when the young lady and her father went out, -now reappeared, and beckoned to Jerry: who, in the slackened interest, -could easily get near him. - -“Jerry, if you wish to take something to eat, you can. But, keep in the -way. You will be sure to hear when the jury come in. Don't be a moment -behind them, for I want you to take the verdict back to the bank. You -are the quickest messenger I know, and will get to Temple Bar long -before I can.” - -Jerry had just enough forehead to knuckle, and he knuckled it in -acknowledgment of this communication and a shilling. Mr. Carton came up -at the moment, and touched Mr. Lorry on the arm. - -“How is the young lady?” - -“She is greatly distressed; but her father is comforting her, and she -feels the better for being out of court.” - -“I'll tell the prisoner so. It won't do for a respectable bank gentleman -like you, to be seen speaking to him publicly, you know.” - -Mr. Lorry reddened as if he were conscious of having debated the point -in his mind, and Mr. Carton made his way to the outside of the bar. -The way out of court lay in that direction, and Jerry followed him, all -eyes, ears, and spikes. - -“Mr. Darnay!” - -The prisoner came forward directly. - -“You will naturally be anxious to hear of the witness, Miss Manette. She -will do very well. You have seen the worst of her agitation.” - -“I am deeply sorry to have been the cause of it. Could you tell her so -for me, with my fervent acknowledgments?” - -“Yes, I could. I will, if you ask it.” - -Mr. Carton's manner was so careless as to be almost insolent. He stood, -half turned from the prisoner, lounging with his elbow against the bar. - -“I do ask it. Accept my cordial thanks.” - -“What,” said Carton, still only half turned towards him, “do you expect, -Mr. Darnay?” - -“The worst.” - -“It's the wisest thing to expect, and the likeliest. But I think their -withdrawing is in your favour.” - -Loitering on the way out of court not being allowed, Jerry heard no -more: but left them--so like each other in feature, so unlike each other -in manner--standing side by side, both reflected in the glass above -them. - -An hour and a half limped heavily away in the thief-and-rascal crowded -passages below, even though assisted off with mutton pies and ale. -The hoarse messenger, uncomfortably seated on a form after taking that -refection, had dropped into a doze, when a loud murmur and a rapid tide -of people setting up the stairs that led to the court, carried him along -with them. - -“Jerry! Jerry!” Mr. Lorry was already calling at the door when he got -there. - -“Here, sir! It's a fight to get back again. Here I am, sir!” - -Mr. Lorry handed him a paper through the throng. “Quick! Have you got -it?” - -“Yes, sir.” - -Hastily written on the paper was the word “ACQUITTED.” - -“If you had sent the message, 'Recalled to Life,' again,” muttered -Jerry, as he turned, “I should have known what you meant, this time.” - -He had no opportunity of saying, or so much as thinking, anything else, -until he was clear of the Old Bailey; for, the crowd came pouring out -with a vehemence that nearly took him off his legs, and a loud buzz -swept into the street as if the baffled blue-flies were dispersing in -search of other carrion. - - - - -IV. Congratulatory - - -From the dimly-lighted passages of the court, the last sediment of the -human stew that had been boiling there all day, was straining off, when -Doctor Manette, Lucie Manette, his daughter, Mr. Lorry, the solicitor -for the defence, and its counsel, Mr. Stryver, stood gathered round Mr. -Charles Darnay--just released--congratulating him on his escape from -death. - -It would have been difficult by a far brighter light, to recognise -in Doctor Manette, intellectual of face and upright of bearing, the -shoemaker of the garret in Paris. Yet, no one could have looked at him -twice, without looking again: even though the opportunity of observation -had not extended to the mournful cadence of his low grave voice, and -to the abstraction that overclouded him fitfully, without any apparent -reason. While one external cause, and that a reference to his long -lingering agony, would always--as on the trial--evoke this condition -from the depths of his soul, it was also in its nature to arise of -itself, and to draw a gloom over him, as incomprehensible to those -unacquainted with his story as if they had seen the shadow of the actual -Bastille thrown upon him by a summer sun, when the substance was three -hundred miles away. - -Only his daughter had the power of charming this black brooding from -his mind. She was the golden thread that united him to a Past beyond his -misery, and to a Present beyond his misery: and the sound of her voice, -the light of her face, the touch of her hand, had a strong beneficial -influence with him almost always. Not absolutely always, for she could -recall some occasions on which her power had failed; but they were few -and slight, and she believed them over. - -Mr. Darnay had kissed her hand fervently and gratefully, and had turned -to Mr. Stryver, whom he warmly thanked. Mr. Stryver, a man of little -more than thirty, but looking twenty years older than he was, stout, -loud, red, bluff, and free from any drawback of delicacy, had a pushing -way of shouldering himself (morally and physically) into companies and -conversations, that argued well for his shouldering his way up in life. - -He still had his wig and gown on, and he said, squaring himself at his -late client to that degree that he squeezed the innocent Mr. Lorry clean -out of the group: “I am glad to have brought you off with honour, Mr. -Darnay. It was an infamous prosecution, grossly infamous; but not the -less likely to succeed on that account.” - -“You have laid me under an obligation to you for life--in two senses,” - said his late client, taking his hand. - -“I have done my best for you, Mr. Darnay; and my best is as good as -another man's, I believe.” - -It clearly being incumbent on some one to say, “Much better,” Mr. Lorry -said it; perhaps not quite disinterestedly, but with the interested -object of squeezing himself back again. - -“You think so?” said Mr. Stryver. “Well! you have been present all day, -and you ought to know. You are a man of business, too.” - -“And as such,” quoth Mr. Lorry, whom the counsel learned in the law had -now shouldered back into the group, just as he had previously shouldered -him out of it--“as such I will appeal to Doctor Manette, to break up -this conference and order us all to our homes. Miss Lucie looks ill, Mr. -Darnay has had a terrible day, we are worn out.” - -“Speak for yourself, Mr. Lorry,” said Stryver; “I have a night's work to -do yet. Speak for yourself.” - -“I speak for myself,” answered Mr. Lorry, “and for Mr. Darnay, and for -Miss Lucie, and--Miss Lucie, do you not think I may speak for us all?” - He asked her the question pointedly, and with a glance at her father. - -His face had become frozen, as it were, in a very curious look at -Darnay: an intent look, deepening into a frown of dislike and distrust, -not even unmixed with fear. With this strange expression on him his -thoughts had wandered away. - -“My father,” said Lucie, softly laying her hand on his. - -He slowly shook the shadow off, and turned to her. - -“Shall we go home, my father?” - -With a long breath, he answered “Yes.” - -The friends of the acquitted prisoner had dispersed, under the -impression--which he himself had originated--that he would not be -released that night. The lights were nearly all extinguished in the -passages, the iron gates were being closed with a jar and a rattle, -and the dismal place was deserted until to-morrow morning's interest of -gallows, pillory, whipping-post, and branding-iron, should repeople it. -Walking between her father and Mr. Darnay, Lucie Manette passed into -the open air. A hackney-coach was called, and the father and daughter -departed in it. - -Mr. Stryver had left them in the passages, to shoulder his way back -to the robing-room. Another person, who had not joined the group, or -interchanged a word with any one of them, but who had been leaning -against the wall where its shadow was darkest, had silently strolled -out after the rest, and had looked on until the coach drove away. He now -stepped up to where Mr. Lorry and Mr. Darnay stood upon the pavement. - -“So, Mr. Lorry! Men of business may speak to Mr. Darnay now?” - -Nobody had made any acknowledgment of Mr. Carton's part in the day's -proceedings; nobody had known of it. He was unrobed, and was none the -better for it in appearance. - -“If you knew what a conflict goes on in the business mind, when the -business mind is divided between good-natured impulse and business -appearances, you would be amused, Mr. Darnay.” - -Mr. Lorry reddened, and said, warmly, “You have mentioned that before, -sir. We men of business, who serve a House, are not our own masters. We -have to think of the House more than ourselves.” - -“_I_ know, _I_ know,” rejoined Mr. Carton, carelessly. “Don't be -nettled, Mr. Lorry. You are as good as another, I have no doubt: better, -I dare say.” - -“And indeed, sir,” pursued Mr. Lorry, not minding him, “I really don't -know what you have to do with the matter. If you'll excuse me, as very -much your elder, for saying so, I really don't know that it is your -business.” - -“Business! Bless you, _I_ have no business,” said Mr. Carton. - -“It is a pity you have not, sir.” - -“I think so, too.” - -“If you had,” pursued Mr. Lorry, “perhaps you would attend to it.” - -“Lord love you, no!--I shouldn't,” said Mr. Carton. - -“Well, sir!” cried Mr. Lorry, thoroughly heated by his indifference, -“business is a very good thing, and a very respectable thing. And, sir, -if business imposes its restraints and its silences and impediments, Mr. -Darnay as a young gentleman of generosity knows how to make allowance -for that circumstance. Mr. Darnay, good night, God bless you, sir! -I hope you have been this day preserved for a prosperous and happy -life.--Chair there!” - -Perhaps a little angry with himself, as well as with the barrister, Mr. -Lorry bustled into the chair, and was carried off to Tellson's. Carton, -who smelt of port wine, and did not appear to be quite sober, laughed -then, and turned to Darnay: - -“This is a strange chance that throws you and me together. This must -be a strange night to you, standing alone here with your counterpart on -these street stones?” - -“I hardly seem yet,” returned Charles Darnay, “to belong to this world -again.” - -“I don't wonder at it; it's not so long since you were pretty far -advanced on your way to another. You speak faintly.” - -“I begin to think I _am_ faint.” - -“Then why the devil don't you dine? I dined, myself, while those -numskulls were deliberating which world you should belong to--this, or -some other. Let me show you the nearest tavern to dine well at.” - -Drawing his arm through his own, he took him down Ludgate-hill to -Fleet-street, and so, up a covered way, into a tavern. Here, they were -shown into a little room, where Charles Darnay was soon recruiting -his strength with a good plain dinner and good wine: while Carton sat -opposite to him at the same table, with his separate bottle of port -before him, and his fully half-insolent manner upon him. - -“Do you feel, yet, that you belong to this terrestrial scheme again, Mr. -Darnay?” - -“I am frightfully confused regarding time and place; but I am so far -mended as to feel that.” - -“It must be an immense satisfaction!” - -He said it bitterly, and filled up his glass again: which was a large -one. - -“As to me, the greatest desire I have, is to forget that I belong to it. -It has no good in it for me--except wine like this--nor I for it. So we -are not much alike in that particular. Indeed, I begin to think we are -not much alike in any particular, you and I.” - -Confused by the emotion of the day, and feeling his being there with -this Double of coarse deportment, to be like a dream, Charles Darnay was -at a loss how to answer; finally, answered not at all. - -“Now your dinner is done,” Carton presently said, “why don't you call a -health, Mr. Darnay; why don't you give your toast?” - -“What health? What toast?” - -“Why, it's on the tip of your tongue. It ought to be, it must be, I'll -swear it's there.” - -“Miss Manette, then!” - -“Miss Manette, then!” - -Looking his companion full in the face while he drank the toast, Carton -flung his glass over his shoulder against the wall, where it shivered to -pieces; then, rang the bell, and ordered in another. - -“That's a fair young lady to hand to a coach in the dark, Mr. Darnay!” - he said, filling his new goblet. - -A slight frown and a laconic “Yes,” were the answer. - -“That's a fair young lady to be pitied by and wept for by! How does it -feel? Is it worth being tried for one's life, to be the object of such -sympathy and compassion, Mr. Darnay?” - -Again Darnay answered not a word. - -“She was mightily pleased to have your message, when I gave it her. Not -that she showed she was pleased, but I suppose she was.” - -The allusion served as a timely reminder to Darnay that this -disagreeable companion had, of his own free will, assisted him in the -strait of the day. He turned the dialogue to that point, and thanked him -for it. - -“I neither want any thanks, nor merit any,” was the careless rejoinder. -“It was nothing to do, in the first place; and I don't know why I did -it, in the second. Mr. Darnay, let me ask you a question.” - -“Willingly, and a small return for your good offices.” - -“Do you think I particularly like you?” - -“Really, Mr. Carton,” returned the other, oddly disconcerted, “I have -not asked myself the question.” - -“But ask yourself the question now.” - -“You have acted as if you do; but I don't think you do.” - -“_I_ don't think I do,” said Carton. “I begin to have a very good -opinion of your understanding.” - -“Nevertheless,” pursued Darnay, rising to ring the bell, “there is -nothing in that, I hope, to prevent my calling the reckoning, and our -parting without ill-blood on either side.” - -Carton rejoining, “Nothing in life!” Darnay rang. “Do you call the whole -reckoning?” said Carton. On his answering in the affirmative, “Then -bring me another pint of this same wine, drawer, and come and wake me at -ten.” - -The bill being paid, Charles Darnay rose and wished him good night. -Without returning the wish, Carton rose too, with something of a threat -of defiance in his manner, and said, “A last word, Mr. Darnay: you think -I am drunk?” - -“I think you have been drinking, Mr. Carton.” - -“Think? You know I have been drinking.” - -“Since I must say so, I know it.” - -“Then you shall likewise know why. I am a disappointed drudge, sir. I -care for no man on earth, and no man on earth cares for me.” - -“Much to be regretted. You might have used your talents better.” - -“May be so, Mr. Darnay; may be not. Don't let your sober face elate you, -however; you don't know what it may come to. Good night!” - -When he was left alone, this strange being took up a candle, went to a -glass that hung against the wall, and surveyed himself minutely in it. - -“Do you particularly like the man?” he muttered, at his own image; “why -should you particularly like a man who resembles you? There is nothing -in you to like; you know that. Ah, confound you! What a change you have -made in yourself! A good reason for taking to a man, that he shows you -what you have fallen away from, and what you might have been! Change -places with him, and would you have been looked at by those blue eyes as -he was, and commiserated by that agitated face as he was? Come on, and -have it out in plain words! You hate the fellow.” - -He resorted to his pint of wine for consolation, drank it all in a few -minutes, and fell asleep on his arms, with his hair straggling over the -table, and a long winding-sheet in the candle dripping down upon him. - - - - -V. The Jackal - - -Those were drinking days, and most men drank hard. So very great is -the improvement Time has brought about in such habits, that a moderate -statement of the quantity of wine and punch which one man would swallow -in the course of a night, without any detriment to his reputation as a -perfect gentleman, would seem, in these days, a ridiculous exaggeration. -The learned profession of the law was certainly not behind any other -learned profession in its Bacchanalian propensities; neither was Mr. -Stryver, already fast shouldering his way to a large and lucrative -practice, behind his compeers in this particular, any more than in the -drier parts of the legal race. - -A favourite at the Old Bailey, and eke at the Sessions, Mr. Stryver had -begun cautiously to hew away the lower staves of the ladder on which -he mounted. Sessions and Old Bailey had now to summon their favourite, -specially, to their longing arms; and shouldering itself towards the -visage of the Lord Chief Justice in the Court of King's Bench, the -florid countenance of Mr. Stryver might be daily seen, bursting out of -the bed of wigs, like a great sunflower pushing its way at the sun from -among a rank garden-full of flaring companions. - -It had once been noted at the Bar, that while Mr. Stryver was a glib -man, and an unscrupulous, and a ready, and a bold, he had not that -faculty of extracting the essence from a heap of statements, which is -among the most striking and necessary of the advocate's accomplishments. -But, a remarkable improvement came upon him as to this. The more -business he got, the greater his power seemed to grow of getting at its -pith and marrow; and however late at night he sat carousing with Sydney -Carton, he always had his points at his fingers' ends in the morning. - -Sydney Carton, idlest and most unpromising of men, was Stryver's great -ally. What the two drank together, between Hilary Term and Michaelmas, -might have floated a king's ship. Stryver never had a case in hand, -anywhere, but Carton was there, with his hands in his pockets, staring -at the ceiling of the court; they went the same Circuit, and even there -they prolonged their usual orgies late into the night, and Carton was -rumoured to be seen at broad day, going home stealthily and unsteadily -to his lodgings, like a dissipated cat. At last, it began to get about, -among such as were interested in the matter, that although Sydney Carton -would never be a lion, he was an amazingly good jackal, and that he -rendered suit and service to Stryver in that humble capacity. - -“Ten o'clock, sir,” said the man at the tavern, whom he had charged to -wake him--“ten o'clock, sir.” - -“_What's_ the matter?” - -“Ten o'clock, sir.” - -“What do you mean? Ten o'clock at night?” - -“Yes, sir. Your honour told me to call you.” - -“Oh! I remember. Very well, very well.” - -After a few dull efforts to get to sleep again, which the man -dexterously combated by stirring the fire continuously for five minutes, -he got up, tossed his hat on, and walked out. He turned into the Temple, -and, having revived himself by twice pacing the pavements of King's -Bench-walk and Paper-buildings, turned into the Stryver chambers. - -The Stryver clerk, who never assisted at these conferences, had gone -home, and the Stryver principal opened the door. He had his slippers on, -and a loose bed-gown, and his throat was bare for his greater ease. He -had that rather wild, strained, seared marking about the eyes, which -may be observed in all free livers of his class, from the portrait of -Jeffries downward, and which can be traced, under various disguises of -Art, through the portraits of every Drinking Age. - -“You are a little late, Memory,” said Stryver. - -“About the usual time; it may be a quarter of an hour later.” - -They went into a dingy room lined with books and littered with papers, -where there was a blazing fire. A kettle steamed upon the hob, and in -the midst of the wreck of papers a table shone, with plenty of wine upon -it, and brandy, and rum, and sugar, and lemons. - -“You have had your bottle, I perceive, Sydney.” - -“Two to-night, I think. I have been dining with the day's client; or -seeing him dine--it's all one!” - -“That was a rare point, Sydney, that you brought to bear upon the -identification. How did you come by it? When did it strike you?” - -“I thought he was rather a handsome fellow, and I thought I should have -been much the same sort of fellow, if I had had any luck.” - -Mr. Stryver laughed till he shook his precocious paunch. - -“You and your luck, Sydney! Get to work, get to work.” - -Sullenly enough, the jackal loosened his dress, went into an adjoining -room, and came back with a large jug of cold water, a basin, and a towel -or two. Steeping the towels in the water, and partially wringing them -out, he folded them on his head in a manner hideous to behold, sat down -at the table, and said, “Now I am ready!” - -“Not much boiling down to be done to-night, Memory,” said Mr. Stryver, -gaily, as he looked among his papers. - -“How much?” - -“Only two sets of them.” - -“Give me the worst first.” - -“There they are, Sydney. Fire away!” - -The lion then composed himself on his back on a sofa on one side of the -drinking-table, while the jackal sat at his own paper-bestrewn table -proper, on the other side of it, with the bottles and glasses ready to -his hand. Both resorted to the drinking-table without stint, but each in -a different way; the lion for the most part reclining with his hands in -his waistband, looking at the fire, or occasionally flirting with some -lighter document; the jackal, with knitted brows and intent face, -so deep in his task, that his eyes did not even follow the hand he -stretched out for his glass--which often groped about, for a minute or -more, before it found the glass for his lips. Two or three times, the -matter in hand became so knotty, that the jackal found it imperative on -him to get up, and steep his towels anew. From these pilgrimages to the -jug and basin, he returned with such eccentricities of damp headgear as -no words can describe; which were made the more ludicrous by his anxious -gravity. - -At length the jackal had got together a compact repast for the lion, and -proceeded to offer it to him. The lion took it with care and caution, -made his selections from it, and his remarks upon it, and the jackal -assisted both. When the repast was fully discussed, the lion put his -hands in his waistband again, and lay down to meditate. The jackal then -invigorated himself with a bumper for his throttle, and a fresh application -to his head, and applied himself to the collection of a second meal; -this was administered to the lion in the same manner, and was not -disposed of until the clocks struck three in the morning. - -“And now we have done, Sydney, fill a bumper of punch,” said Mr. -Stryver. - -The jackal removed the towels from his head, which had been steaming -again, shook himself, yawned, shivered, and complied. - -“You were very sound, Sydney, in the matter of those crown witnesses -to-day. Every question told.” - -“I always am sound; am I not?” - -“I don't gainsay it. What has roughened your temper? Put some punch to -it and smooth it again.” - -With a deprecatory grunt, the jackal again complied. - -“The old Sydney Carton of old Shrewsbury School,” said Stryver, nodding -his head over him as he reviewed him in the present and the past, “the -old seesaw Sydney. Up one minute and down the next; now in spirits and -now in despondency!” - -“Ah!” returned the other, sighing: “yes! The same Sydney, with the same -luck. Even then, I did exercises for other boys, and seldom did my own.” - -“And why not?” - -“God knows. It was my way, I suppose.” - -He sat, with his hands in his pockets and his legs stretched out before -him, looking at the fire. - -“Carton,” said his friend, squaring himself at him with a bullying air, -as if the fire-grate had been the furnace in which sustained endeavour -was forged, and the one delicate thing to be done for the old Sydney -Carton of old Shrewsbury School was to shoulder him into it, “your way -is, and always was, a lame way. You summon no energy and purpose. Look -at me.” - -“Oh, botheration!” returned Sydney, with a lighter and more -good-humoured laugh, “don't _you_ be moral!” - -“How have I done what I have done?” said Stryver; “how do I do what I -do?” - -“Partly through paying me to help you, I suppose. But it's not worth -your while to apostrophise me, or the air, about it; what you want to -do, you do. You were always in the front rank, and I was always behind.” - -“I had to get into the front rank; I was not born there, was I?” - -“I was not present at the ceremony; but my opinion is you were,” said -Carton. At this, he laughed again, and they both laughed. - -“Before Shrewsbury, and at Shrewsbury, and ever since Shrewsbury,” - pursued Carton, “you have fallen into your rank, and I have fallen into -mine. Even when we were fellow-students in the Student-Quarter of Paris, -picking up French, and French law, and other French crumbs that we -didn't get much good of, you were always somewhere, and I was always -nowhere.” - -“And whose fault was that?” - -“Upon my soul, I am not sure that it was not yours. You were always -driving and riving and shouldering and passing, to that restless degree -that I had no chance for my life but in rust and repose. It's a gloomy -thing, however, to talk about one's own past, with the day breaking. -Turn me in some other direction before I go.” - -“Well then! Pledge me to the pretty witness,” said Stryver, holding up -his glass. “Are you turned in a pleasant direction?” - -Apparently not, for he became gloomy again. - -“Pretty witness,” he muttered, looking down into his glass. “I have had -enough of witnesses to-day and to-night; who's your pretty witness?” - -“The picturesque doctor's daughter, Miss Manette.” - -“_She_ pretty?” - -“Is she not?” - -“No.” - -“Why, man alive, she was the admiration of the whole Court!” - -“Rot the admiration of the whole Court! Who made the Old Bailey a judge -of beauty? She was a golden-haired doll!” - -“Do you know, Sydney,” said Mr. Stryver, looking at him with sharp eyes, -and slowly drawing a hand across his florid face: “do you know, I rather -thought, at the time, that you sympathised with the golden-haired doll, -and were quick to see what happened to the golden-haired doll?” - -“Quick to see what happened! If a girl, doll or no doll, swoons within a -yard or two of a man's nose, he can see it without a perspective-glass. -I pledge you, but I deny the beauty. And now I'll have no more drink; -I'll get to bed.” - -When his host followed him out on the staircase with a candle, to light -him down the stairs, the day was coldly looking in through its grimy -windows. When he got out of the house, the air was cold and sad, the -dull sky overcast, the river dark and dim, the whole scene like a -lifeless desert. And wreaths of dust were spinning round and round -before the morning blast, as if the desert-sand had risen far away, and -the first spray of it in its advance had begun to overwhelm the city. - -Waste forces within him, and a desert all around, this man stood still -on his way across a silent terrace, and saw for a moment, lying in the -wilderness before him, a mirage of honourable ambition, self-denial, and -perseverance. In the fair city of this vision, there were airy galleries -from which the loves and graces looked upon him, gardens in which the -fruits of life hung ripening, waters of Hope that sparkled in his sight. -A moment, and it was gone. Climbing to a high chamber in a well of -houses, he threw himself down in his clothes on a neglected bed, and its -pillow was wet with wasted tears. - -Sadly, sadly, the sun rose; it rose upon no sadder sight than the man of -good abilities and good emotions, incapable of their directed exercise, -incapable of his own help and his own happiness, sensible of the blight -on him, and resigning himself to let it eat him away. - - - - -VI. Hundreds of People - - -The quiet lodgings of Doctor Manette were in a quiet street-corner not -far from Soho-square. On the afternoon of a certain fine Sunday when the -waves of four months had rolled over the trial for treason, and carried -it, as to the public interest and memory, far out to sea, Mr. Jarvis -Lorry walked along the sunny streets from Clerkenwell where he lived, -on his way to dine with the Doctor. After several relapses into -business-absorption, Mr. Lorry had become the Doctor's friend, and the -quiet street-corner was the sunny part of his life. - -On this certain fine Sunday, Mr. Lorry walked towards Soho, early in -the afternoon, for three reasons of habit. Firstly, because, on fine -Sundays, he often walked out, before dinner, with the Doctor and Lucie; -secondly, because, on unfavourable Sundays, he was accustomed to be with -them as the family friend, talking, reading, looking out of window, and -generally getting through the day; thirdly, because he happened to have -his own little shrewd doubts to solve, and knew how the ways of the -Doctor's household pointed to that time as a likely time for solving -them. - -A quainter corner than the corner where the Doctor lived, was not to be -found in London. There was no way through it, and the front windows of -the Doctor's lodgings commanded a pleasant little vista of street that -had a congenial air of retirement on it. There were few buildings then, -north of the Oxford-road, and forest-trees flourished, and wild flowers -grew, and the hawthorn blossomed, in the now vanished fields. As a -consequence, country airs circulated in Soho with vigorous freedom, -instead of languishing into the parish like stray paupers without a -settlement; and there was many a good south wall, not far off, on which -the peaches ripened in their season. - -The summer light struck into the corner brilliantly in the earlier part -of the day; but, when the streets grew hot, the corner was in shadow, -though not in shadow so remote but that you could see beyond it into a -glare of brightness. It was a cool spot, staid but cheerful, a wonderful -place for echoes, and a very harbour from the raging streets. - -There ought to have been a tranquil bark in such an anchorage, and -there was. The Doctor occupied two floors of a large stiff house, where -several callings purported to be pursued by day, but whereof little was -audible any day, and which was shunned by all of them at night. In -a building at the back, attainable by a courtyard where a plane-tree -rustled its green leaves, church-organs claimed to be made, and silver -to be chased, and likewise gold to be beaten by some mysterious giant -who had a golden arm starting out of the wall of the front hall--as if -he had beaten himself precious, and menaced a similar conversion of all -visitors. Very little of these trades, or of a lonely lodger rumoured -to live up-stairs, or of a dim coach-trimming maker asserted to have -a counting-house below, was ever heard or seen. Occasionally, a stray -workman putting his coat on, traversed the hall, or a stranger peered -about there, or a distant clink was heard across the courtyard, or a -thump from the golden giant. These, however, were only the exceptions -required to prove the rule that the sparrows in the plane-tree behind -the house, and the echoes in the corner before it, had their own way -from Sunday morning unto Saturday night. - -Doctor Manette received such patients here as his old reputation, and -its revival in the floating whispers of his story, brought him. -His scientific knowledge, and his vigilance and skill in conducting -ingenious experiments, brought him otherwise into moderate request, and -he earned as much as he wanted. - -These things were within Mr. Jarvis Lorry's knowledge, thoughts, and -notice, when he rang the door-bell of the tranquil house in the corner, -on the fine Sunday afternoon. - -“Doctor Manette at home?” - -Expected home. - -“Miss Lucie at home?” - -Expected home. - -“Miss Pross at home?” - -Possibly at home, but of a certainty impossible for handmaid to -anticipate intentions of Miss Pross, as to admission or denial of the -fact. - -“As I am at home myself,” said Mr. Lorry, “I'll go upstairs.” - -Although the Doctor's daughter had known nothing of the country of her -birth, she appeared to have innately derived from it that ability to -make much of little means, which is one of its most useful and most -agreeable characteristics. Simple as the furniture was, it was set off -by so many little adornments, of no value but for their taste and fancy, -that its effect was delightful. The disposition of everything in the -rooms, from the largest object to the least; the arrangement of colours, -the elegant variety and contrast obtained by thrift in trifles, by -delicate hands, clear eyes, and good sense; were at once so pleasant in -themselves, and so expressive of their originator, that, as Mr. Lorry -stood looking about him, the very chairs and tables seemed to ask him, -with something of that peculiar expression which he knew so well by this -time, whether he approved? - -There were three rooms on a floor, and, the doors by which they -communicated being put open that the air might pass freely through them -all, Mr. Lorry, smilingly observant of that fanciful resemblance which -he detected all around him, walked from one to another. The first was -the best room, and in it were Lucie's birds, and flowers, and books, -and desk, and work-table, and box of water-colours; the second was -the Doctor's consulting-room, used also as the dining-room; the third, -changingly speckled by the rustle of the plane-tree in the yard, was the -Doctor's bedroom, and there, in a corner, stood the disused shoemaker's -bench and tray of tools, much as it had stood on the fifth floor of the -dismal house by the wine-shop, in the suburb of Saint Antoine in Paris. - -“I wonder,” said Mr. Lorry, pausing in his looking about, “that he keeps -that reminder of his sufferings about him!” - -“And why wonder at that?” was the abrupt inquiry that made him start. - -It proceeded from Miss Pross, the wild red woman, strong of hand, whose -acquaintance he had first made at the Royal George Hotel at Dover, and -had since improved. - -“I should have thought--” Mr. Lorry began. - -“Pooh! You'd have thought!” said Miss Pross; and Mr. Lorry left off. - -“How do you do?” inquired that lady then--sharply, and yet as if to -express that she bore him no malice. - -“I am pretty well, I thank you,” answered Mr. Lorry, with meekness; “how -are you?” - -“Nothing to boast of,” said Miss Pross. - -“Indeed?” - -“Ah! indeed!” said Miss Pross. “I am very much put out about my -Ladybird.” - -“Indeed?” - -“For gracious sake say something else besides 'indeed,' or you'll -fidget me to death,” said Miss Pross: whose character (dissociated from -stature) was shortness. - -“Really, then?” said Mr. Lorry, as an amendment. - -“Really, is bad enough,” returned Miss Pross, “but better. Yes, I am -very much put out.” - -“May I ask the cause?” - -“I don't want dozens of people who are not at all worthy of Ladybird, to -come here looking after her,” said Miss Pross. - -“_Do_ dozens come for that purpose?” - -“Hundreds,” said Miss Pross. - -It was characteristic of this lady (as of some other people before her -time and since) that whenever her original proposition was questioned, -she exaggerated it. - -“Dear me!” said Mr. Lorry, as the safest remark he could think of. - -“I have lived with the darling--or the darling has lived with me, and -paid me for it; which she certainly should never have done, you may take -your affidavit, if I could have afforded to keep either myself or her -for nothing--since she was ten years old. And it's really very hard,” - said Miss Pross. - -Not seeing with precision what was very hard, Mr. Lorry shook his head; -using that important part of himself as a sort of fairy cloak that would -fit anything. - -“All sorts of people who are not in the least degree worthy of the pet, -are always turning up,” said Miss Pross. “When you began it--” - -“_I_ began it, Miss Pross?” - -“Didn't you? Who brought her father to life?” - -“Oh! If _that_ was beginning it--” said Mr. Lorry. - -“It wasn't ending it, I suppose? I say, when you began it, it was hard -enough; not that I have any fault to find with Doctor Manette, except -that he is not worthy of such a daughter, which is no imputation on -him, for it was not to be expected that anybody should be, under any -circumstances. But it really is doubly and trebly hard to have crowds -and multitudes of people turning up after him (I could have forgiven -him), to take Ladybird's affections away from me.” - -Mr. Lorry knew Miss Pross to be very jealous, but he also knew her by -this time to be, beneath the service of her eccentricity, one of those -unselfish creatures--found only among women--who will, for pure love and -admiration, bind themselves willing slaves, to youth when they have lost -it, to beauty that they never had, to accomplishments that they were -never fortunate enough to gain, to bright hopes that never shone upon -their own sombre lives. He knew enough of the world to know that there -is nothing in it better than the faithful service of the heart; so -rendered and so free from any mercenary taint, he had such an exalted -respect for it, that in the retributive arrangements made by his own -mind--we all make such arrangements, more or less--he stationed Miss -Pross much nearer to the lower Angels than many ladies immeasurably -better got up both by Nature and Art, who had balances at Tellson's. - -“There never was, nor will be, but one man worthy of Ladybird,” said -Miss Pross; “and that was my brother Solomon, if he hadn't made a -mistake in life.” - -Here again: Mr. Lorry's inquiries into Miss Pross's personal history had -established the fact that her brother Solomon was a heartless scoundrel -who had stripped her of everything she possessed, as a stake to -speculate with, and had abandoned her in her poverty for evermore, with -no touch of compunction. Miss Pross's fidelity of belief in Solomon -(deducting a mere trifle for this slight mistake) was quite a serious -matter with Mr. Lorry, and had its weight in his good opinion of her. - -“As we happen to be alone for the moment, and are both people of -business,” he said, when they had got back to the drawing-room and had -sat down there in friendly relations, “let me ask you--does the Doctor, -in talking with Lucie, never refer to the shoemaking time, yet?” - -“Never.” - -“And yet keeps that bench and those tools beside him?” - -“Ah!” returned Miss Pross, shaking her head. “But I don't say he don't -refer to it within himself.” - -“Do you believe that he thinks of it much?” - -“I do,” said Miss Pross. - -“Do you imagine--” Mr. Lorry had begun, when Miss Pross took him up -short with: - -“Never imagine anything. Have no imagination at all.” - -“I stand corrected; do you suppose--you go so far as to suppose, -sometimes?” - -“Now and then,” said Miss Pross. - -“Do you suppose,” Mr. Lorry went on, with a laughing twinkle in his -bright eye, as it looked kindly at her, “that Doctor Manette has any -theory of his own, preserved through all those years, relative to -the cause of his being so oppressed; perhaps, even to the name of his -oppressor?” - -“I don't suppose anything about it but what Ladybird tells me.” - -“And that is--?” - -“That she thinks he has.” - -“Now don't be angry at my asking all these questions; because I am a -mere dull man of business, and you are a woman of business.” - -“Dull?” Miss Pross inquired, with placidity. - -Rather wishing his modest adjective away, Mr. Lorry replied, “No, no, -no. Surely not. To return to business:--Is it not remarkable that Doctor -Manette, unquestionably innocent of any crime as we are all well assured -he is, should never touch upon that question? I will not say with me, -though he had business relations with me many years ago, and we are now -intimate; I will say with the fair daughter to whom he is so devotedly -attached, and who is so devotedly attached to him? Believe me, Miss -Pross, I don't approach the topic with you, out of curiosity, but out of -zealous interest.” - -“Well! To the best of my understanding, and bad's the best, you'll tell -me,” said Miss Pross, softened by the tone of the apology, “he is afraid -of the whole subject.” - -“Afraid?” - -“It's plain enough, I should think, why he may be. It's a dreadful -remembrance. Besides that, his loss of himself grew out of it. Not -knowing how he lost himself, or how he recovered himself, he may never -feel certain of not losing himself again. That alone wouldn't make the -subject pleasant, I should think.” - -It was a profounder remark than Mr. Lorry had looked for. “True,” said -he, “and fearful to reflect upon. Yet, a doubt lurks in my mind, Miss -Pross, whether it is good for Doctor Manette to have that suppression -always shut up within him. Indeed, it is this doubt and the uneasiness -it sometimes causes me that has led me to our present confidence.” - -“Can't be helped,” said Miss Pross, shaking her head. “Touch that -string, and he instantly changes for the worse. Better leave it alone. -In short, must leave it alone, like or no like. Sometimes, he gets up in -the dead of the night, and will be heard, by us overhead there, walking -up and down, walking up and down, in his room. Ladybird has learnt to -know then that his mind is walking up and down, walking up and down, in -his old prison. She hurries to him, and they go on together, walking up -and down, walking up and down, until he is composed. But he never says -a word of the true reason of his restlessness, to her, and she finds it -best not to hint at it to him. In silence they go walking up and down -together, walking up and down together, till her love and company have -brought him to himself.” - -Notwithstanding Miss Pross's denial of her own imagination, there was a -perception of the pain of being monotonously haunted by one sad idea, -in her repetition of the phrase, walking up and down, which testified to -her possessing such a thing. - -The corner has been mentioned as a wonderful corner for echoes; it -had begun to echo so resoundingly to the tread of coming feet, that it -seemed as though the very mention of that weary pacing to and fro had -set it going. - -“Here they are!” said Miss Pross, rising to break up the conference; -“and now we shall have hundreds of people pretty soon!” - -It was such a curious corner in its acoustical properties, such a -peculiar Ear of a place, that as Mr. Lorry stood at the open window, -looking for the father and daughter whose steps he heard, he fancied -they would never approach. Not only would the echoes die away, as though -the steps had gone; but, echoes of other steps that never came would be -heard in their stead, and would die away for good when they seemed close -at hand. However, father and daughter did at last appear, and Miss Pross -was ready at the street door to receive them. - -Miss Pross was a pleasant sight, albeit wild, and red, and grim, taking -off her darling's bonnet when she came up-stairs, and touching it up -with the ends of her handkerchief, and blowing the dust off it, and -folding her mantle ready for laying by, and smoothing her rich hair with -as much pride as she could possibly have taken in her own hair if she -had been the vainest and handsomest of women. Her darling was a pleasant -sight too, embracing her and thanking her, and protesting against -her taking so much trouble for her--which last she only dared to do -playfully, or Miss Pross, sorely hurt, would have retired to her own -chamber and cried. The Doctor was a pleasant sight too, looking on at -them, and telling Miss Pross how she spoilt Lucie, in accents and with -eyes that had as much spoiling in them as Miss Pross had, and would -have had more if it were possible. Mr. Lorry was a pleasant sight too, -beaming at all this in his little wig, and thanking his bachelor -stars for having lighted him in his declining years to a Home. But, no -Hundreds of people came to see the sights, and Mr. Lorry looked in vain -for the fulfilment of Miss Pross's prediction. - -Dinner-time, and still no Hundreds of people. In the arrangements of -the little household, Miss Pross took charge of the lower regions, and -always acquitted herself marvellously. Her dinners, of a very modest -quality, were so well cooked and so well served, and so neat in their -contrivances, half English and half French, that nothing could be -better. Miss Pross's friendship being of the thoroughly practical -kind, she had ravaged Soho and the adjacent provinces, in search of -impoverished French, who, tempted by shillings and half-crowns, would -impart culinary mysteries to her. From these decayed sons and daughters -of Gaul, she had acquired such wonderful arts, that the woman and girl -who formed the staff of domestics regarded her as quite a Sorceress, -or Cinderella's Godmother: who would send out for a fowl, a rabbit, -a vegetable or two from the garden, and change them into anything she -pleased. - -On Sundays, Miss Pross dined at the Doctor's table, but on other days -persisted in taking her meals at unknown periods, either in the lower -regions, or in her own room on the second floor--a blue chamber, to -which no one but her Ladybird ever gained admittance. On this occasion, -Miss Pross, responding to Ladybird's pleasant face and pleasant efforts -to please her, unbent exceedingly; so the dinner was very pleasant, too. - -It was an oppressive day, and, after dinner, Lucie proposed that the -wine should be carried out under the plane-tree, and they should sit -there in the air. As everything turned upon her, and revolved about her, -they went out under the plane-tree, and she carried the wine down for -the special benefit of Mr. Lorry. She had installed herself, some -time before, as Mr. Lorry's cup-bearer; and while they sat under the -plane-tree, talking, she kept his glass replenished. Mysterious backs -and ends of houses peeped at them as they talked, and the plane-tree -whispered to them in its own way above their heads. - -Still, the Hundreds of people did not present themselves. Mr. Darnay -presented himself while they were sitting under the plane-tree, but he -was only One. - -Doctor Manette received him kindly, and so did Lucie. But, Miss Pross -suddenly became afflicted with a twitching in the head and body, and -retired into the house. She was not unfrequently the victim of this -disorder, and she called it, in familiar conversation, “a fit of the -jerks.” - -The Doctor was in his best condition, and looked specially young. The -resemblance between him and Lucie was very strong at such times, and as -they sat side by side, she leaning on his shoulder, and he resting -his arm on the back of her chair, it was very agreeable to trace the -likeness. - -He had been talking all day, on many subjects, and with unusual -vivacity. “Pray, Doctor Manette,” said Mr. Darnay, as they sat under the -plane-tree--and he said it in the natural pursuit of the topic in hand, -which happened to be the old buildings of London--“have you seen much of -the Tower?” - -“Lucie and I have been there; but only casually. We have seen enough of -it, to know that it teems with interest; little more.” - -“_I_ have been there, as you remember,” said Darnay, with a smile, -though reddening a little angrily, “in another character, and not in a -character that gives facilities for seeing much of it. They told me a -curious thing when I was there.” - -“What was that?” Lucie asked. - -“In making some alterations, the workmen came upon an old dungeon, which -had been, for many years, built up and forgotten. Every stone of -its inner wall was covered by inscriptions which had been carved by -prisoners--dates, names, complaints, and prayers. Upon a corner stone -in an angle of the wall, one prisoner, who seemed to have gone to -execution, had cut as his last work, three letters. They were done with -some very poor instrument, and hurriedly, with an unsteady hand. -At first, they were read as D. I. C.; but, on being more carefully -examined, the last letter was found to be G. There was no record or -legend of any prisoner with those initials, and many fruitless guesses -were made what the name could have been. At length, it was suggested -that the letters were not initials, but the complete word, DIG. The -floor was examined very carefully under the inscription, and, in the -earth beneath a stone, or tile, or some fragment of paving, were found -the ashes of a paper, mingled with the ashes of a small leathern case -or bag. What the unknown prisoner had written will never be read, but he -had written something, and hidden it away to keep it from the gaoler.” - -“My father,” exclaimed Lucie, “you are ill!” - -He had suddenly started up, with his hand to his head. His manner and -his look quite terrified them all. - -“No, my dear, not ill. There are large drops of rain falling, and they -made me start. We had better go in.” - -He recovered himself almost instantly. Rain was really falling in large -drops, and he showed the back of his hand with rain-drops on it. But, he -said not a single word in reference to the discovery that had been told -of, and, as they went into the house, the business eye of Mr. Lorry -either detected, or fancied it detected, on his face, as it turned -towards Charles Darnay, the same singular look that had been upon it -when it turned towards him in the passages of the Court House. - -He recovered himself so quickly, however, that Mr. Lorry had doubts of -his business eye. The arm of the golden giant in the hall was not more -steady than he was, when he stopped under it to remark to them that he -was not yet proof against slight surprises (if he ever would be), and -that the rain had startled him. - -Tea-time, and Miss Pross making tea, with another fit of the jerks upon -her, and yet no Hundreds of people. Mr. Carton had lounged in, but he -made only Two. - -The night was so very sultry, that although they sat with doors and -windows open, they were overpowered by heat. When the tea-table was -done with, they all moved to one of the windows, and looked out into the -heavy twilight. Lucie sat by her father; Darnay sat beside her; Carton -leaned against a window. The curtains were long and white, and some of -the thunder-gusts that whirled into the corner, caught them up to the -ceiling, and waved them like spectral wings. - -“The rain-drops are still falling, large, heavy, and few,” said Doctor -Manette. “It comes slowly.” - -“It comes surely,” said Carton. - -They spoke low, as people watching and waiting mostly do; as people in a -dark room, watching and waiting for Lightning, always do. - -There was a great hurry in the streets of people speeding away to -get shelter before the storm broke; the wonderful corner for echoes -resounded with the echoes of footsteps coming and going, yet not a -footstep was there. - -“A multitude of people, and yet a solitude!” said Darnay, when they had -listened for a while. - -“Is it not impressive, Mr. Darnay?” asked Lucie. “Sometimes, I have -sat here of an evening, until I have fancied--but even the shade of -a foolish fancy makes me shudder to-night, when all is so black and -solemn--” - -“Let us shudder too. We may know what it is.” - -“It will seem nothing to you. Such whims are only impressive as we -originate them, I think; they are not to be communicated. I have -sometimes sat alone here of an evening, listening, until I have made -the echoes out to be the echoes of all the footsteps that are coming -by-and-bye into our lives.” - -“There is a great crowd coming one day into our lives, if that be so,” - Sydney Carton struck in, in his moody way. - -The footsteps were incessant, and the hurry of them became more and more -rapid. The corner echoed and re-echoed with the tread of feet; some, -as it seemed, under the windows; some, as it seemed, in the room; some -coming, some going, some breaking off, some stopping altogether; all in -the distant streets, and not one within sight. - -“Are all these footsteps destined to come to all of us, Miss Manette, or -are we to divide them among us?” - -“I don't know, Mr. Darnay; I told you it was a foolish fancy, but you -asked for it. When I have yielded myself to it, I have been alone, and -then I have imagined them the footsteps of the people who are to come -into my life, and my father's.” - -“I take them into mine!” said Carton. “_I_ ask no questions and make no -stipulations. There is a great crowd bearing down upon us, Miss Manette, -and I see them--by the Lightning.” He added the last words, after there -had been a vivid flash which had shown him lounging in the window. - -“And I hear them!” he added again, after a peal of thunder. “Here they -come, fast, fierce, and furious!” - -It was the rush and roar of rain that he typified, and it stopped him, -for no voice could be heard in it. A memorable storm of thunder and -lightning broke with that sweep of water, and there was not a moment's -interval in crash, and fire, and rain, until after the moon rose at -midnight. - -The great bell of Saint Paul's was striking one in the cleared air, when -Mr. Lorry, escorted by Jerry, high-booted and bearing a lantern, set -forth on his return-passage to Clerkenwell. There were solitary patches -of road on the way between Soho and Clerkenwell, and Mr. Lorry, mindful -of foot-pads, always retained Jerry for this service: though it was -usually performed a good two hours earlier. - -“What a night it has been! Almost a night, Jerry,” said Mr. Lorry, “to -bring the dead out of their graves.” - -“I never see the night myself, master--nor yet I don't expect to--what -would do that,” answered Jerry. - -“Good night, Mr. Carton,” said the man of business. “Good night, Mr. -Darnay. Shall we ever see such a night again, together!” - -Perhaps. Perhaps, see the great crowd of people with its rush and roar, -bearing down upon them, too. - - - - -VII. Monseigneur in Town - - -Monseigneur, one of the great lords in power at the Court, held his -fortnightly reception in his grand hotel in Paris. Monseigneur was in -his inner room, his sanctuary of sanctuaries, the Holiest of Holiests to -the crowd of worshippers in the suite of rooms without. Monseigneur -was about to take his chocolate. Monseigneur could swallow a great many -things with ease, and was by some few sullen minds supposed to be rather -rapidly swallowing France; but, his morning's chocolate could not so -much as get into the throat of Monseigneur, without the aid of four -strong men besides the Cook. - -Yes. It took four men, all four ablaze with gorgeous decoration, and the -Chief of them unable to exist with fewer than two gold watches in his -pocket, emulative of the noble and chaste fashion set by Monseigneur, to -conduct the happy chocolate to Monseigneur's lips. One lacquey carried -the chocolate-pot into the sacred presence; a second, milled and frothed -the chocolate with the little instrument he bore for that function; -a third, presented the favoured napkin; a fourth (he of the two gold -watches), poured the chocolate out. It was impossible for Monseigneur to -dispense with one of these attendants on the chocolate and hold his high -place under the admiring Heavens. Deep would have been the blot upon -his escutcheon if his chocolate had been ignobly waited on by only three -men; he must have died of two. - -Monseigneur had been out at a little supper last night, where the Comedy -and the Grand Opera were charmingly represented. Monseigneur was out at -a little supper most nights, with fascinating company. So polite and so -impressible was Monseigneur, that the Comedy and the Grand Opera had far -more influence with him in the tiresome articles of state affairs and -state secrets, than the needs of all France. A happy circumstance -for France, as the like always is for all countries similarly -favoured!--always was for England (by way of example), in the regretted -days of the merry Stuart who sold it. - -Monseigneur had one truly noble idea of general public business, which -was, to let everything go on in its own way; of particular public -business, Monseigneur had the other truly noble idea that it must all go -his way--tend to his own power and pocket. Of his pleasures, general and -particular, Monseigneur had the other truly noble idea, that the world -was made for them. The text of his order (altered from the original -by only a pronoun, which is not much) ran: “The earth and the fulness -thereof are mine, saith Monseigneur.” - -Yet, Monseigneur had slowly found that vulgar embarrassments crept into -his affairs, both private and public; and he had, as to both classes of -affairs, allied himself perforce with a Farmer-General. As to finances -public, because Monseigneur could not make anything at all of them, and -must consequently let them out to somebody who could; as to finances -private, because Farmer-Generals were rich, and Monseigneur, after -generations of great luxury and expense, was growing poor. Hence -Monseigneur had taken his sister from a convent, while there was yet -time to ward off the impending veil, the cheapest garment she could -wear, and had bestowed her as a prize upon a very rich Farmer-General, -poor in family. Which Farmer-General, carrying an appropriate cane with -a golden apple on the top of it, was now among the company in the outer -rooms, much prostrated before by mankind--always excepting superior -mankind of the blood of Monseigneur, who, his own wife included, looked -down upon him with the loftiest contempt. - -A sumptuous man was the Farmer-General. Thirty horses stood in his -stables, twenty-four male domestics sat in his halls, six body-women -waited on his wife. As one who pretended to do nothing but plunder and -forage where he could, the Farmer-General--howsoever his matrimonial -relations conduced to social morality--was at least the greatest reality -among the personages who attended at the hotel of Monseigneur that day. - -For, the rooms, though a beautiful scene to look at, and adorned with -every device of decoration that the taste and skill of the time could -achieve, were, in truth, not a sound business; considered with any -reference to the scarecrows in the rags and nightcaps elsewhere (and not -so far off, either, but that the watching towers of Notre Dame, almost -equidistant from the two extremes, could see them both), they would -have been an exceedingly uncomfortable business--if that could have -been anybody's business, at the house of Monseigneur. Military officers -destitute of military knowledge; naval officers with no idea of a ship; -civil officers without a notion of affairs; brazen ecclesiastics, of the -worst world worldly, with sensual eyes, loose tongues, and looser lives; -all totally unfit for their several callings, all lying horribly in -pretending to belong to them, but all nearly or remotely of the order of -Monseigneur, and therefore foisted on all public employments from which -anything was to be got; these were to be told off by the score and the -score. People not immediately connected with Monseigneur or the State, -yet equally unconnected with anything that was real, or with lives -passed in travelling by any straight road to any true earthly end, were -no less abundant. Doctors who made great fortunes out of dainty remedies -for imaginary disorders that never existed, smiled upon their courtly -patients in the ante-chambers of Monseigneur. Projectors who had -discovered every kind of remedy for the little evils with which the -State was touched, except the remedy of setting to work in earnest to -root out a single sin, poured their distracting babble into any ears -they could lay hold of, at the reception of Monseigneur. Unbelieving -Philosophers who were remodelling the world with words, and making -card-towers of Babel to scale the skies with, talked with Unbelieving -Chemists who had an eye on the transmutation of metals, at this -wonderful gathering accumulated by Monseigneur. Exquisite gentlemen of -the finest breeding, which was at that remarkable time--and has been -since--to be known by its fruits of indifference to every natural -subject of human interest, were in the most exemplary state of -exhaustion, at the hotel of Monseigneur. Such homes had these various -notabilities left behind them in the fine world of Paris, that the spies -among the assembled devotees of Monseigneur--forming a goodly half -of the polite company--would have found it hard to discover among -the angels of that sphere one solitary wife, who, in her manners and -appearance, owned to being a Mother. Indeed, except for the mere act of -bringing a troublesome creature into this world--which does not go far -towards the realisation of the name of mother--there was no such thing -known to the fashion. Peasant women kept the unfashionable babies close, -and brought them up, and charming grandmammas of sixty dressed and -supped as at twenty. - -The leprosy of unreality disfigured every human creature in attendance -upon Monseigneur. In the outermost room were half a dozen exceptional -people who had had, for a few years, some vague misgiving in them that -things in general were going rather wrong. As a promising way of setting -them right, half of the half-dozen had become members of a fantastic -sect of Convulsionists, and were even then considering within themselves -whether they should foam, rage, roar, and turn cataleptic on the -spot--thereby setting up a highly intelligible finger-post to the -Future, for Monseigneur's guidance. Besides these Dervishes, were other -three who had rushed into another sect, which mended matters with a -jargon about “the Centre of Truth:” holding that Man had got out of the -Centre of Truth--which did not need much demonstration--but had not got -out of the Circumference, and that he was to be kept from flying out of -the Circumference, and was even to be shoved back into the Centre, -by fasting and seeing of spirits. Among these, accordingly, much -discoursing with spirits went on--and it did a world of good which never -became manifest. - -But, the comfort was, that all the company at the grand hotel of -Monseigneur were perfectly dressed. If the Day of Judgment had only been -ascertained to be a dress day, everybody there would have been eternally -correct. Such frizzling and powdering and sticking up of hair, such -delicate complexions artificially preserved and mended, such gallant -swords to look at, and such delicate honour to the sense of smell, would -surely keep anything going, for ever and ever. The exquisite gentlemen -of the finest breeding wore little pendent trinkets that chinked as they -languidly moved; these golden fetters rang like precious little bells; -and what with that ringing, and with the rustle of silk and brocade and -fine linen, there was a flutter in the air that fanned Saint Antoine and -his devouring hunger far away. - -Dress was the one unfailing talisman and charm used for keeping all -things in their places. Everybody was dressed for a Fancy Ball that -was never to leave off. From the Palace of the Tuileries, through -Monseigneur and the whole Court, through the Chambers, the Tribunals -of Justice, and all society (except the scarecrows), the Fancy Ball -descended to the Common Executioner: who, in pursuance of the charm, was -required to officiate “frizzled, powdered, in a gold-laced coat, pumps, -and white silk stockings.” At the gallows and the wheel--the axe was a -rarity--Monsieur Paris, as it was the episcopal mode among his brother -Professors of the provinces, Monsieur Orleans, and the rest, to call -him, presided in this dainty dress. And who among the company at -Monseigneur's reception in that seventeen hundred and eightieth year -of our Lord, could possibly doubt, that a system rooted in a frizzled -hangman, powdered, gold-laced, pumped, and white-silk stockinged, would -see the very stars out! - -Monseigneur having eased his four men of their burdens and taken his -chocolate, caused the doors of the Holiest of Holiests to be thrown -open, and issued forth. Then, what submission, what cringing and -fawning, what servility, what abject humiliation! As to bowing down in -body and spirit, nothing in that way was left for Heaven--which may have -been one among other reasons why the worshippers of Monseigneur never -troubled it. - -Bestowing a word of promise here and a smile there, a whisper on one -happy slave and a wave of the hand on another, Monseigneur affably -passed through his rooms to the remote region of the Circumference of -Truth. There, Monseigneur turned, and came back again, and so in due -course of time got himself shut up in his sanctuary by the chocolate -sprites, and was seen no more. - -The show being over, the flutter in the air became quite a little storm, -and the precious little bells went ringing downstairs. There was soon -but one person left of all the crowd, and he, with his hat under his arm -and his snuff-box in his hand, slowly passed among the mirrors on his -way out. - -“I devote you,” said this person, stopping at the last door on his way, -and turning in the direction of the sanctuary, “to the Devil!” - -With that, he shook the snuff from his fingers as if he had shaken the -dust from his feet, and quietly walked downstairs. - -He was a man of about sixty, handsomely dressed, haughty in manner, and -with a face like a fine mask. A face of a transparent paleness; every -feature in it clearly defined; one set expression on it. The nose, -beautifully formed otherwise, was very slightly pinched at the top -of each nostril. In those two compressions, or dints, the only little -change that the face ever showed, resided. They persisted in changing -colour sometimes, and they would be occasionally dilated and contracted -by something like a faint pulsation; then, they gave a look of -treachery, and cruelty, to the whole countenance. Examined with -attention, its capacity of helping such a look was to be found in the -line of the mouth, and the lines of the orbits of the eyes, being much -too horizontal and thin; still, in the effect of the face made, it was a -handsome face, and a remarkable one. - -Its owner went downstairs into the courtyard, got into his carriage, and -drove away. Not many people had talked with him at the reception; he had -stood in a little space apart, and Monseigneur might have been warmer -in his manner. It appeared, under the circumstances, rather agreeable -to him to see the common people dispersed before his horses, and -often barely escaping from being run down. His man drove as if he were -charging an enemy, and the furious recklessness of the man brought no -check into the face, or to the lips, of the master. The complaint had -sometimes made itself audible, even in that deaf city and dumb age, -that, in the narrow streets without footways, the fierce patrician -custom of hard driving endangered and maimed the mere vulgar in a -barbarous manner. But, few cared enough for that to think of it a second -time, and, in this matter, as in all others, the common wretches were -left to get out of their difficulties as they could. - -With a wild rattle and clatter, and an inhuman abandonment of -consideration not easy to be understood in these days, the carriage -dashed through streets and swept round corners, with women screaming -before it, and men clutching each other and clutching children out of -its way. At last, swooping at a street corner by a fountain, one of its -wheels came to a sickening little jolt, and there was a loud cry from a -number of voices, and the horses reared and plunged. - -But for the latter inconvenience, the carriage probably would not have -stopped; carriages were often known to drive on, and leave their wounded -behind, and why not? But the frightened valet had got down in a hurry, -and there were twenty hands at the horses' bridles. - -“What has gone wrong?” said Monsieur, calmly looking out. - -A tall man in a nightcap had caught up a bundle from among the feet of -the horses, and had laid it on the basement of the fountain, and was -down in the mud and wet, howling over it like a wild animal. - -“Pardon, Monsieur the Marquis!” said a ragged and submissive man, “it is -a child.” - -“Why does he make that abominable noise? Is it his child?” - -“Excuse me, Monsieur the Marquis--it is a pity--yes.” - -The fountain was a little removed; for the street opened, where it was, -into a space some ten or twelve yards square. As the tall man suddenly -got up from the ground, and came running at the carriage, Monsieur the -Marquis clapped his hand for an instant on his sword-hilt. - -“Killed!” shrieked the man, in wild desperation, extending both arms at -their length above his head, and staring at him. “Dead!” - -The people closed round, and looked at Monsieur the Marquis. There was -nothing revealed by the many eyes that looked at him but watchfulness -and eagerness; there was no visible menacing or anger. Neither did the -people say anything; after the first cry, they had been silent, and they -remained so. The voice of the submissive man who had spoken, was flat -and tame in its extreme submission. Monsieur the Marquis ran his eyes -over them all, as if they had been mere rats come out of their holes. - -He took out his purse. - -“It is extraordinary to me,” said he, “that you people cannot take care -of yourselves and your children. One or the other of you is for ever in -the way. How do I know what injury you have done my horses. See! Give -him that.” - -He threw out a gold coin for the valet to pick up, and all the heads -craned forward that all the eyes might look down at it as it fell. The -tall man called out again with a most unearthly cry, “Dead!” - -He was arrested by the quick arrival of another man, for whom the rest -made way. On seeing him, the miserable creature fell upon his shoulder, -sobbing and crying, and pointing to the fountain, where some women were -stooping over the motionless bundle, and moving gently about it. They -were as silent, however, as the men. - -“I know all, I know all,” said the last comer. “Be a brave man, my -Gaspard! It is better for the poor little plaything to die so, than to -live. It has died in a moment without pain. Could it have lived an hour -as happily?” - -“You are a philosopher, you there,” said the Marquis, smiling. “How do -they call you?” - -“They call me Defarge.” - -“Of what trade?” - -“Monsieur the Marquis, vendor of wine.” - -“Pick up that, philosopher and vendor of wine,” said the Marquis, -throwing him another gold coin, “and spend it as you will. The horses -there; are they right?” - -Without deigning to look at the assemblage a second time, Monsieur the -Marquis leaned back in his seat, and was just being driven away with the -air of a gentleman who had accidentally broke some common thing, and had -paid for it, and could afford to pay for it; when his ease was suddenly -disturbed by a coin flying into his carriage, and ringing on its floor. - -“Hold!” said Monsieur the Marquis. “Hold the horses! Who threw that?” - -He looked to the spot where Defarge the vendor of wine had stood, a -moment before; but the wretched father was grovelling on his face on -the pavement in that spot, and the figure that stood beside him was the -figure of a dark stout woman, knitting. - -“You dogs!” said the Marquis, but smoothly, and with an unchanged front, -except as to the spots on his nose: “I would ride over any of you very -willingly, and exterminate you from the earth. If I knew which rascal -threw at the carriage, and if that brigand were sufficiently near it, he -should be crushed under the wheels.” - -So cowed was their condition, and so long and hard their experience of -what such a man could do to them, within the law and beyond it, that not -a voice, or a hand, or even an eye was raised. Among the men, not one. -But the woman who stood knitting looked up steadily, and looked the -Marquis in the face. It was not for his dignity to notice it; his -contemptuous eyes passed over her, and over all the other rats; and he -leaned back in his seat again, and gave the word “Go on!” - -He was driven on, and other carriages came whirling by in quick -succession; the Minister, the State-Projector, the Farmer-General, the -Doctor, the Lawyer, the Ecclesiastic, the Grand Opera, the Comedy, the -whole Fancy Ball in a bright continuous flow, came whirling by. The rats -had crept out of their holes to look on, and they remained looking -on for hours; soldiers and police often passing between them and the -spectacle, and making a barrier behind which they slunk, and through -which they peeped. The father had long ago taken up his bundle and -bidden himself away with it, when the women who had tended the bundle -while it lay on the base of the fountain, sat there watching the running -of the water and the rolling of the Fancy Ball--when the one woman who -had stood conspicuous, knitting, still knitted on with the steadfastness -of Fate. The water of the fountain ran, the swift river ran, the day ran -into evening, so much life in the city ran into death according to rule, -time and tide waited for no man, the rats were sleeping close together -in their dark holes again, the Fancy Ball was lighted up at supper, all -things ran their course. - - - - -VIII. Monseigneur in the Country - - -A beautiful landscape, with the corn bright in it, but not abundant. -Patches of poor rye where corn should have been, patches of poor peas -and beans, patches of most coarse vegetable substitutes for wheat. On -inanimate nature, as on the men and women who cultivated it, a prevalent -tendency towards an appearance of vegetating unwillingly--a dejected -disposition to give up, and wither away. - -Monsieur the Marquis in his travelling carriage (which might have been -lighter), conducted by four post-horses and two postilions, fagged up -a steep hill. A blush on the countenance of Monsieur the Marquis was -no impeachment of his high breeding; it was not from within; it was -occasioned by an external circumstance beyond his control--the setting -sun. - -The sunset struck so brilliantly into the travelling carriage when it -gained the hill-top, that its occupant was steeped in crimson. “It will -die out,” said Monsieur the Marquis, glancing at his hands, “directly.” - -In effect, the sun was so low that it dipped at the moment. When the -heavy drag had been adjusted to the wheel, and the carriage slid down -hill, with a cinderous smell, in a cloud of dust, the red glow departed -quickly; the sun and the Marquis going down together, there was no glow -left when the drag was taken off. - -But, there remained a broken country, bold and open, a little village -at the bottom of the hill, a broad sweep and rise beyond it, a -church-tower, a windmill, a forest for the chase, and a crag with a -fortress on it used as a prison. Round upon all these darkening objects -as the night drew on, the Marquis looked, with the air of one who was -coming near home. - -The village had its one poor street, with its poor brewery, poor -tannery, poor tavern, poor stable-yard for relays of post-horses, poor -fountain, all usual poor appointments. It had its poor people too. All -its people were poor, and many of them were sitting at their doors, -shredding spare onions and the like for supper, while many were at the -fountain, washing leaves, and grasses, and any such small yieldings of -the earth that could be eaten. Expressive signs of what made them poor, -were not wanting; the tax for the state, the tax for the church, the tax -for the lord, tax local and tax general, were to be paid here and to be -paid there, according to solemn inscription in the little village, until -the wonder was, that there was any village left unswallowed. - -Few children were to be seen, and no dogs. As to the men and women, -their choice on earth was stated in the prospect--Life on the lowest -terms that could sustain it, down in the little village under the mill; -or captivity and Death in the dominant prison on the crag. - -Heralded by a courier in advance, and by the cracking of his postilions' -whips, which twined snake-like about their heads in the evening air, as -if he came attended by the Furies, Monsieur the Marquis drew up in -his travelling carriage at the posting-house gate. It was hard by the -fountain, and the peasants suspended their operations to look at him. -He looked at them, and saw in them, without knowing it, the slow -sure filing down of misery-worn face and figure, that was to make the -meagreness of Frenchmen an English superstition which should survive the -truth through the best part of a hundred years. - -Monsieur the Marquis cast his eyes over the submissive faces that -drooped before him, as the like of himself had drooped before -Monseigneur of the Court--only the difference was, that these faces -drooped merely to suffer and not to propitiate--when a grizzled mender -of the roads joined the group. - -“Bring me hither that fellow!” said the Marquis to the courier. - -The fellow was brought, cap in hand, and the other fellows closed round -to look and listen, in the manner of the people at the Paris fountain. - -“I passed you on the road?” - -“Monseigneur, it is true. I had the honour of being passed on the road.” - -“Coming up the hill, and at the top of the hill, both?” - -“Monseigneur, it is true.” - -“What did you look at, so fixedly?” - -“Monseigneur, I looked at the man.” - -He stooped a little, and with his tattered blue cap pointed under the -carriage. All his fellows stooped to look under the carriage. - -“What man, pig? And why look there?” - -“Pardon, Monseigneur; he swung by the chain of the shoe--the drag.” - -“Who?” demanded the traveller. - -“Monseigneur, the man.” - -“May the Devil carry away these idiots! How do you call the man? You -know all the men of this part of the country. Who was he?” - -“Your clemency, Monseigneur! He was not of this part of the country. Of -all the days of my life, I never saw him.” - -“Swinging by the chain? To be suffocated?” - -“With your gracious permission, that was the wonder of it, Monseigneur. -His head hanging over--like this!” - -He turned himself sideways to the carriage, and leaned back, with his -face thrown up to the sky, and his head hanging down; then recovered -himself, fumbled with his cap, and made a bow. - -“What was he like?” - -“Monseigneur, he was whiter than the miller. All covered with dust, -white as a spectre, tall as a spectre!” - -The picture produced an immense sensation in the little crowd; but all -eyes, without comparing notes with other eyes, looked at Monsieur -the Marquis. Perhaps, to observe whether he had any spectre on his -conscience. - -“Truly, you did well,” said the Marquis, felicitously sensible that such -vermin were not to ruffle him, “to see a thief accompanying my carriage, -and not open that great mouth of yours. Bah! Put him aside, Monsieur -Gabelle!” - -Monsieur Gabelle was the Postmaster, and some other taxing functionary -united; he had come out with great obsequiousness to assist at this -examination, and had held the examined by the drapery of his arm in an -official manner. - -“Bah! Go aside!” said Monsieur Gabelle. - -“Lay hands on this stranger if he seeks to lodge in your village -to-night, and be sure that his business is honest, Gabelle.” - -“Monseigneur, I am flattered to devote myself to your orders.” - -“Did he run away, fellow?--where is that Accursed?” - -The accursed was already under the carriage with some half-dozen -particular friends, pointing out the chain with his blue cap. Some -half-dozen other particular friends promptly hauled him out, and -presented him breathless to Monsieur the Marquis. - -“Did the man run away, Dolt, when we stopped for the drag?” - -“Monseigneur, he precipitated himself over the hill-side, head first, as -a person plunges into the river.” - -“See to it, Gabelle. Go on!” - -The half-dozen who were peering at the chain were still among the -wheels, like sheep; the wheels turned so suddenly that they were lucky -to save their skins and bones; they had very little else to save, or -they might not have been so fortunate. - -The burst with which the carriage started out of the village and up the -rise beyond, was soon checked by the steepness of the hill. Gradually, -it subsided to a foot pace, swinging and lumbering upward among the many -sweet scents of a summer night. The postilions, with a thousand gossamer -gnats circling about them in lieu of the Furies, quietly mended the -points to the lashes of their whips; the valet walked by the horses; the -courier was audible, trotting on ahead into the dull distance. - -At the steepest point of the hill there was a little burial-ground, -with a Cross and a new large figure of Our Saviour on it; it was a poor -figure in wood, done by some inexperienced rustic carver, but he had -studied the figure from the life--his own life, maybe--for it was -dreadfully spare and thin. - -To this distressful emblem of a great distress that had long been -growing worse, and was not at its worst, a woman was kneeling. She -turned her head as the carriage came up to her, rose quickly, and -presented herself at the carriage-door. - -“It is you, Monseigneur! Monseigneur, a petition.” - -With an exclamation of impatience, but with his unchangeable face, -Monseigneur looked out. - -“How, then! What is it? Always petitions!” - -“Monseigneur. For the love of the great God! My husband, the forester.” - -“What of your husband, the forester? Always the same with you people. He -cannot pay something?” - -“He has paid all, Monseigneur. He is dead.” - -“Well! He is quiet. Can I restore him to you?” - -“Alas, no, Monseigneur! But he lies yonder, under a little heap of poor -grass.” - -“Well?” - -“Monseigneur, there are so many little heaps of poor grass?” - -“Again, well?” - -She looked an old woman, but was young. Her manner was one of passionate -grief; by turns she clasped her veinous and knotted hands together -with wild energy, and laid one of them on the carriage-door--tenderly, -caressingly, as if it had been a human breast, and could be expected to -feel the appealing touch. - -“Monseigneur, hear me! Monseigneur, hear my petition! My husband died of -want; so many die of want; so many more will die of want.” - -“Again, well? Can I feed them?” - -“Monseigneur, the good God knows; but I don't ask it. My petition is, -that a morsel of stone or wood, with my husband's name, may be placed -over him to show where he lies. Otherwise, the place will be quickly -forgotten, it will never be found when I am dead of the same malady, I -shall be laid under some other heap of poor grass. Monseigneur, they -are so many, they increase so fast, there is so much want. Monseigneur! -Monseigneur!” - -The valet had put her away from the door, the carriage had broken into -a brisk trot, the postilions had quickened the pace, she was left far -behind, and Monseigneur, again escorted by the Furies, was rapidly -diminishing the league or two of distance that remained between him and -his chateau. - -The sweet scents of the summer night rose all around him, and rose, as -the rain falls, impartially, on the dusty, ragged, and toil-worn group -at the fountain not far away; to whom the mender of roads, with the aid -of the blue cap without which he was nothing, still enlarged upon his -man like a spectre, as long as they could bear it. By degrees, as they -could bear no more, they dropped off one by one, and lights twinkled -in little casements; which lights, as the casements darkened, and more -stars came out, seemed to have shot up into the sky instead of having -been extinguished. - -The shadow of a large high-roofed house, and of many over-hanging trees, -was upon Monsieur the Marquis by that time; and the shadow was exchanged -for the light of a flambeau, as his carriage stopped, and the great door -of his chateau was opened to him. - -“Monsieur Charles, whom I expect; is he arrived from England?” - -“Monseigneur, not yet.” - - - - -IX. The Gorgon's Head - - -It was a heavy mass of building, that chateau of Monsieur the Marquis, -with a large stone courtyard before it, and two stone sweeps of -staircase meeting in a stone terrace before the principal door. A stony -business altogether, with heavy stone balustrades, and stone urns, and -stone flowers, and stone faces of men, and stone heads of lions, in -all directions. As if the Gorgon's head had surveyed it, when it was -finished, two centuries ago. - -Up the broad flight of shallow steps, Monsieur the Marquis, flambeau -preceded, went from his carriage, sufficiently disturbing the darkness -to elicit loud remonstrance from an owl in the roof of the great pile -of stable building away among the trees. All else was so quiet, that the -flambeau carried up the steps, and the other flambeau held at the great -door, burnt as if they were in a close room of state, instead of being -in the open night-air. Other sound than the owl's voice there was none, -save the falling of a fountain into its stone basin; for, it was one of -those dark nights that hold their breath by the hour together, and then -heave a long low sigh, and hold their breath again. - -The great door clanged behind him, and Monsieur the Marquis crossed a -hall grim with certain old boar-spears, swords, and knives of the chase; -grimmer with certain heavy riding-rods and riding-whips, of which many a -peasant, gone to his benefactor Death, had felt the weight when his lord -was angry. - -Avoiding the larger rooms, which were dark and made fast for the night, -Monsieur the Marquis, with his flambeau-bearer going on before, went up -the staircase to a door in a corridor. This thrown open, admitted him -to his own private apartment of three rooms: his bed-chamber and two -others. High vaulted rooms with cool uncarpeted floors, great dogs upon -the hearths for the burning of wood in winter time, and all luxuries -befitting the state of a marquis in a luxurious age and country. -The fashion of the last Louis but one, of the line that was never to -break--the fourteenth Louis--was conspicuous in their rich furniture; -but, it was diversified by many objects that were illustrations of old -pages in the history of France. - -A supper-table was laid for two, in the third of the rooms; a round -room, in one of the chateau's four extinguisher-topped towers. A small -lofty room, with its window wide open, and the wooden jalousie-blinds -closed, so that the dark night only showed in slight horizontal lines of -black, alternating with their broad lines of stone colour. - -“My nephew,” said the Marquis, glancing at the supper preparation; “they -said he was not arrived.” - -Nor was he; but, he had been expected with Monseigneur. - -“Ah! It is not probable he will arrive to-night; nevertheless, leave the -table as it is. I shall be ready in a quarter of an hour.” - -In a quarter of an hour Monseigneur was ready, and sat down alone to his -sumptuous and choice supper. His chair was opposite to the window, and -he had taken his soup, and was raising his glass of Bordeaux to his -lips, when he put it down. - -“What is that?” he calmly asked, looking with attention at the -horizontal lines of black and stone colour. - -“Monseigneur? That?” - -“Outside the blinds. Open the blinds.” - -It was done. - -“Well?” - -“Monseigneur, it is nothing. The trees and the night are all that are -here.” - -The servant who spoke, had thrown the blinds wide, had looked out into -the vacant darkness, and stood with that blank behind him, looking round -for instructions. - -“Good,” said the imperturbable master. “Close them again.” - -That was done too, and the Marquis went on with his supper. He was -half way through it, when he again stopped with his glass in his hand, -hearing the sound of wheels. It came on briskly, and came up to the -front of the chateau. - -“Ask who is arrived.” - -It was the nephew of Monseigneur. He had been some few leagues behind -Monseigneur, early in the afternoon. He had diminished the distance -rapidly, but not so rapidly as to come up with Monseigneur on the road. -He had heard of Monseigneur, at the posting-houses, as being before him. - -He was to be told (said Monseigneur) that supper awaited him then and -there, and that he was prayed to come to it. In a little while he came. -He had been known in England as Charles Darnay. - -Monseigneur received him in a courtly manner, but they did not shake -hands. - -“You left Paris yesterday, sir?” he said to Monseigneur, as he took his -seat at table. - -“Yesterday. And you?” - -“I come direct.” - -“From London?” - -“Yes.” - -“You have been a long time coming,” said the Marquis, with a smile. - -“On the contrary; I come direct.” - -“Pardon me! I mean, not a long time on the journey; a long time -intending the journey.” - -“I have been detained by”--the nephew stopped a moment in his -answer--“various business.” - -“Without doubt,” said the polished uncle. - -So long as a servant was present, no other words passed between them. -When coffee had been served and they were alone together, the nephew, -looking at the uncle and meeting the eyes of the face that was like a -fine mask, opened a conversation. - -“I have come back, sir, as you anticipate, pursuing the object that -took me away. It carried me into great and unexpected peril; but it is -a sacred object, and if it had carried me to death I hope it would have -sustained me.” - -“Not to death,” said the uncle; “it is not necessary to say, to death.” - -“I doubt, sir,” returned the nephew, “whether, if it had carried me to -the utmost brink of death, you would have cared to stop me there.” - -The deepened marks in the nose, and the lengthening of the fine straight -lines in the cruel face, looked ominous as to that; the uncle made a -graceful gesture of protest, which was so clearly a slight form of good -breeding that it was not reassuring. - -“Indeed, sir,” pursued the nephew, “for anything I know, you may have -expressly worked to give a more suspicious appearance to the suspicious -circumstances that surrounded me.” - -“No, no, no,” said the uncle, pleasantly. - -“But, however that may be,” resumed the nephew, glancing at him with -deep distrust, “I know that your diplomacy would stop me by any means, -and would know no scruple as to means.” - -“My friend, I told you so,” said the uncle, with a fine pulsation in the -two marks. “Do me the favour to recall that I told you so, long ago.” - -“I recall it.” - -“Thank you,” said the Marquis--very sweetly indeed. - -His tone lingered in the air, almost like the tone of a musical -instrument. - -“In effect, sir,” pursued the nephew, “I believe it to be at once your -bad fortune, and my good fortune, that has kept me out of a prison in -France here.” - -“I do not quite understand,” returned the uncle, sipping his coffee. -“Dare I ask you to explain?” - -“I believe that if you were not in disgrace with the Court, and had not -been overshadowed by that cloud for years past, a letter de cachet would -have sent me to some fortress indefinitely.” - -“It is possible,” said the uncle, with great calmness. “For the honour -of the family, I could even resolve to incommode you to that extent. -Pray excuse me!” - -“I perceive that, happily for me, the Reception of the day before -yesterday was, as usual, a cold one,” observed the nephew. - -“I would not say happily, my friend,” returned the uncle, with refined -politeness; “I would not be sure of that. A good opportunity for -consideration, surrounded by the advantages of solitude, might influence -your destiny to far greater advantage than you influence it for -yourself. But it is useless to discuss the question. I am, as you say, -at a disadvantage. These little instruments of correction, these gentle -aids to the power and honour of families, these slight favours that -might so incommode you, are only to be obtained now by interest -and importunity. They are sought by so many, and they are granted -(comparatively) to so few! It used not to be so, but France in all such -things is changed for the worse. Our not remote ancestors held the right -of life and death over the surrounding vulgar. From this room, many such -dogs have been taken out to be hanged; in the next room (my bedroom), -one fellow, to our knowledge, was poniarded on the spot for professing -some insolent delicacy respecting his daughter--_his_ daughter? We have -lost many privileges; a new philosophy has become the mode; and the -assertion of our station, in these days, might (I do not go so far as -to say would, but might) cause us real inconvenience. All very bad, very -bad!” - -The Marquis took a gentle little pinch of snuff, and shook his head; -as elegantly despondent as he could becomingly be of a country still -containing himself, that great means of regeneration. - -“We have so asserted our station, both in the old time and in the modern -time also,” said the nephew, gloomily, “that I believe our name to be -more detested than any name in France.” - -“Let us hope so,” said the uncle. “Detestation of the high is the -involuntary homage of the low.” - -“There is not,” pursued the nephew, in his former tone, “a face I can -look at, in all this country round about us, which looks at me with any -deference on it but the dark deference of fear and slavery.” - -“A compliment,” said the Marquis, “to the grandeur of the family, -merited by the manner in which the family has sustained its grandeur. -Hah!” And he took another gentle little pinch of snuff, and lightly -crossed his legs. - -But, when his nephew, leaning an elbow on the table, covered his eyes -thoughtfully and dejectedly with his hand, the fine mask looked at -him sideways with a stronger concentration of keenness, closeness, -and dislike, than was comportable with its wearer's assumption of -indifference. - -“Repression is the only lasting philosophy. The dark deference of fear -and slavery, my friend,” observed the Marquis, “will keep the dogs -obedient to the whip, as long as this roof,” looking up to it, “shuts -out the sky.” - -That might not be so long as the Marquis supposed. If a picture of the -chateau as it was to be a very few years hence, and of fifty like it as -they too were to be a very few years hence, could have been shown to -him that night, he might have been at a loss to claim his own from -the ghastly, fire-charred, plunder-wrecked rains. As for the roof -he vaunted, he might have found _that_ shutting out the sky in a new -way--to wit, for ever, from the eyes of the bodies into which its lead -was fired, out of the barrels of a hundred thousand muskets. - -“Meanwhile,” said the Marquis, “I will preserve the honour and repose -of the family, if you will not. But you must be fatigued. Shall we -terminate our conference for the night?” - -“A moment more.” - -“An hour, if you please.” - -“Sir,” said the nephew, “we have done wrong, and are reaping the fruits -of wrong.” - -“_We_ have done wrong?” repeated the Marquis, with an inquiring smile, -and delicately pointing, first to his nephew, then to himself. - -“Our family; our honourable family, whose honour is of so much account -to both of us, in such different ways. Even in my father's time, we did -a world of wrong, injuring every human creature who came between us and -our pleasure, whatever it was. Why need I speak of my father's time, -when it is equally yours? Can I separate my father's twin-brother, joint -inheritor, and next successor, from himself?” - -“Death has done that!” said the Marquis. - -“And has left me,” answered the nephew, “bound to a system that is -frightful to me, responsible for it, but powerless in it; seeking to -execute the last request of my dear mother's lips, and obey the last -look of my dear mother's eyes, which implored me to have mercy and to -redress; and tortured by seeking assistance and power in vain.” - -“Seeking them from me, my nephew,” said the Marquis, touching him on the -breast with his forefinger--they were now standing by the hearth--“you -will for ever seek them in vain, be assured.” - -Every fine straight line in the clear whiteness of his face, was -cruelly, craftily, and closely compressed, while he stood looking -quietly at his nephew, with his snuff-box in his hand. Once again he -touched him on the breast, as though his finger were the fine point of -a small sword, with which, in delicate finesse, he ran him through the -body, and said, - -“My friend, I will die, perpetuating the system under which I have -lived.” - -When he had said it, he took a culminating pinch of snuff, and put his -box in his pocket. - -“Better to be a rational creature,” he added then, after ringing a small -bell on the table, “and accept your natural destiny. But you are lost, -Monsieur Charles, I see.” - -“This property and France are lost to me,” said the nephew, sadly; “I -renounce them.” - -“Are they both yours to renounce? France may be, but is the property? It -is scarcely worth mentioning; but, is it yet?” - -“I had no intention, in the words I used, to claim it yet. If it passed -to me from you, to-morrow--” - -“Which I have the vanity to hope is not probable.” - -“--or twenty years hence--” - -“You do me too much honour,” said the Marquis; “still, I prefer that -supposition.” - -“--I would abandon it, and live otherwise and elsewhere. It is little to -relinquish. What is it but a wilderness of misery and ruin!” - -“Hah!” said the Marquis, glancing round the luxurious room. - -“To the eye it is fair enough, here; but seen in its integrity, -under the sky, and by the daylight, it is a crumbling tower of waste, -mismanagement, extortion, debt, mortgage, oppression, hunger, nakedness, -and suffering.” - -“Hah!” said the Marquis again, in a well-satisfied manner. - -“If it ever becomes mine, it shall be put into some hands better -qualified to free it slowly (if such a thing is possible) from the -weight that drags it down, so that the miserable people who cannot leave -it and who have been long wrung to the last point of endurance, may, in -another generation, suffer less; but it is not for me. There is a curse -on it, and on all this land.” - -“And you?” said the uncle. “Forgive my curiosity; do you, under your new -philosophy, graciously intend to live?” - -“I must do, to live, what others of my countrymen, even with nobility at -their backs, may have to do some day--work.” - -“In England, for example?” - -“Yes. The family honour, sir, is safe from me in this country. The -family name can suffer from me in no other, for I bear it in no other.” - -The ringing of the bell had caused the adjoining bed-chamber to be -lighted. It now shone brightly, through the door of communication. The -Marquis looked that way, and listened for the retreating step of his -valet. - -“England is very attractive to you, seeing how indifferently you have -prospered there,” he observed then, turning his calm face to his nephew -with a smile. - -“I have already said, that for my prospering there, I am sensible I may -be indebted to you, sir. For the rest, it is my Refuge.” - -“They say, those boastful English, that it is the Refuge of many. You -know a compatriot who has found a Refuge there? A Doctor?” - -“Yes.” - -“With a daughter?” - -“Yes.” - -“Yes,” said the Marquis. “You are fatigued. Good night!” - -As he bent his head in his most courtly manner, there was a secrecy -in his smiling face, and he conveyed an air of mystery to those words, -which struck the eyes and ears of his nephew forcibly. At the same -time, the thin straight lines of the setting of the eyes, and the thin -straight lips, and the markings in the nose, curved with a sarcasm that -looked handsomely diabolic. - -“Yes,” repeated the Marquis. “A Doctor with a daughter. Yes. So -commences the new philosophy! You are fatigued. Good night!” - -It would have been of as much avail to interrogate any stone face -outside the chateau as to interrogate that face of his. The nephew -looked at him, in vain, in passing on to the door. - -“Good night!” said the uncle. “I look to the pleasure of seeing you -again in the morning. Good repose! Light Monsieur my nephew to his -chamber there!--And burn Monsieur my nephew in his bed, if you will,” he -added to himself, before he rang his little bell again, and summoned his -valet to his own bedroom. - -The valet come and gone, Monsieur the Marquis walked to and fro in his -loose chamber-robe, to prepare himself gently for sleep, that hot still -night. Rustling about the room, his softly-slippered feet making no -noise on the floor, he moved like a refined tiger:--looked like some -enchanted marquis of the impenitently wicked sort, in story, whose -periodical change into tiger form was either just going off, or just -coming on. - -He moved from end to end of his voluptuous bedroom, looking again at the -scraps of the day's journey that came unbidden into his mind; the slow -toil up the hill at sunset, the setting sun, the descent, the mill, the -prison on the crag, the little village in the hollow, the peasants at -the fountain, and the mender of roads with his blue cap pointing out the -chain under the carriage. That fountain suggested the Paris fountain, -the little bundle lying on the step, the women bending over it, and the -tall man with his arms up, crying, “Dead!” - -“I am cool now,” said Monsieur the Marquis, “and may go to bed.” - -So, leaving only one light burning on the large hearth, he let his thin -gauze curtains fall around him, and heard the night break its silence -with a long sigh as he composed himself to sleep. - -The stone faces on the outer walls stared blindly at the black night -for three heavy hours; for three heavy hours, the horses in the stables -rattled at their racks, the dogs barked, and the owl made a noise with -very little resemblance in it to the noise conventionally assigned to -the owl by men-poets. But it is the obstinate custom of such creatures -hardly ever to say what is set down for them. - -For three heavy hours, the stone faces of the chateau, lion and human, -stared blindly at the night. Dead darkness lay on all the landscape, -dead darkness added its own hush to the hushing dust on all the roads. -The burial-place had got to the pass that its little heaps of poor grass -were undistinguishable from one another; the figure on the Cross might -have come down, for anything that could be seen of it. In the village, -taxers and taxed were fast asleep. Dreaming, perhaps, of banquets, as -the starved usually do, and of ease and rest, as the driven slave and -the yoked ox may, its lean inhabitants slept soundly, and were fed and -freed. - -The fountain in the village flowed unseen and unheard, and the fountain -at the chateau dropped unseen and unheard--both melting away, like the -minutes that were falling from the spring of Time--through three dark -hours. Then, the grey water of both began to be ghostly in the light, -and the eyes of the stone faces of the chateau were opened. - -Lighter and lighter, until at last the sun touched the tops of the still -trees, and poured its radiance over the hill. In the glow, the water -of the chateau fountain seemed to turn to blood, and the stone faces -crimsoned. The carol of the birds was loud and high, and, on the -weather-beaten sill of the great window of the bed-chamber of Monsieur -the Marquis, one little bird sang its sweetest song with all its might. -At this, the nearest stone face seemed to stare amazed, and, with open -mouth and dropped under-jaw, looked awe-stricken. - -Now, the sun was full up, and movement began in the village. Casement -windows opened, crazy doors were unbarred, and people came forth -shivering--chilled, as yet, by the new sweet air. Then began the rarely -lightened toil of the day among the village population. Some, to the -fountain; some, to the fields; men and women here, to dig and delve; men -and women there, to see to the poor live stock, and lead the bony cows -out, to such pasture as could be found by the roadside. In the church -and at the Cross, a kneeling figure or two; attendant on the latter -prayers, the led cow, trying for a breakfast among the weeds at its -foot. - -The chateau awoke later, as became its quality, but awoke gradually and -surely. First, the lonely boar-spears and knives of the chase had been -reddened as of old; then, had gleamed trenchant in the morning sunshine; -now, doors and windows were thrown open, horses in their stables looked -round over their shoulders at the light and freshness pouring in at -doorways, leaves sparkled and rustled at iron-grated windows, dogs -pulled hard at their chains, and reared impatient to be loosed. - -All these trivial incidents belonged to the routine of life, and the -return of morning. Surely, not so the ringing of the great bell of the -chateau, nor the running up and down the stairs; nor the hurried -figures on the terrace; nor the booting and tramping here and there and -everywhere, nor the quick saddling of horses and riding away? - -What winds conveyed this hurry to the grizzled mender of roads, already -at work on the hill-top beyond the village, with his day's dinner (not -much to carry) lying in a bundle that it was worth no crow's while to -peck at, on a heap of stones? Had the birds, carrying some grains of it -to a distance, dropped one over him as they sow chance seeds? Whether or -no, the mender of roads ran, on the sultry morning, as if for his life, -down the hill, knee-high in dust, and never stopped till he got to the -fountain. - -All the people of the village were at the fountain, standing about -in their depressed manner, and whispering low, but showing no other -emotions than grim curiosity and surprise. The led cows, hastily brought -in and tethered to anything that would hold them, were looking stupidly -on, or lying down chewing the cud of nothing particularly repaying their -trouble, which they had picked up in their interrupted saunter. Some of -the people of the chateau, and some of those of the posting-house, and -all the taxing authorities, were armed more or less, and were crowded -on the other side of the little street in a purposeless way, that was -highly fraught with nothing. Already, the mender of roads had penetrated -into the midst of a group of fifty particular friends, and was smiting -himself in the breast with his blue cap. What did all this portend, -and what portended the swift hoisting-up of Monsieur Gabelle behind -a servant on horseback, and the conveying away of the said Gabelle -(double-laden though the horse was), at a gallop, like a new version of -the German ballad of Leonora? - -It portended that there was one stone face too many, up at the chateau. - -The Gorgon had surveyed the building again in the night, and had added -the one stone face wanting; the stone face for which it had waited -through about two hundred years. - -It lay back on the pillow of Monsieur the Marquis. It was like a fine -mask, suddenly startled, made angry, and petrified. Driven home into the -heart of the stone figure attached to it, was a knife. Round its hilt -was a frill of paper, on which was scrawled: - -“Drive him fast to his tomb. This, from Jacques.” - - - - -X. Two Promises - - -More months, to the number of twelve, had come and gone, and Mr. Charles -Darnay was established in England as a higher teacher of the French -language who was conversant with French literature. In this age, he -would have been a Professor; in that age, he was a Tutor. He read with -young men who could find any leisure and interest for the study of a -living tongue spoken all over the world, and he cultivated a taste for -its stores of knowledge and fancy. He could write of them, besides, in -sound English, and render them into sound English. Such masters were not -at that time easily found; Princes that had been, and Kings that were -to be, were not yet of the Teacher class, and no ruined nobility had -dropped out of Tellson's ledgers, to turn cooks and carpenters. As a -tutor, whose attainments made the student's way unusually pleasant and -profitable, and as an elegant translator who brought something to his -work besides mere dictionary knowledge, young Mr. Darnay soon became -known and encouraged. He was well acquainted, more-over, with the -circumstances of his country, and those were of ever-growing interest. -So, with great perseverance and untiring industry, he prospered. - -In London, he had expected neither to walk on pavements of gold, nor -to lie on beds of roses; if he had had any such exalted expectation, he -would not have prospered. He had expected labour, and he found it, and -did it and made the best of it. In this, his prosperity consisted. - -A certain portion of his time was passed at Cambridge, where he -read with undergraduates as a sort of tolerated smuggler who drove a -contraband trade in European languages, instead of conveying Greek -and Latin through the Custom-house. The rest of his time he passed in -London. - -Now, from the days when it was always summer in Eden, to these days -when it is mostly winter in fallen latitudes, the world of a man has -invariably gone one way--Charles Darnay's way--the way of the love of a -woman. - -He had loved Lucie Manette from the hour of his danger. He had never -heard a sound so sweet and dear as the sound of her compassionate voice; -he had never seen a face so tenderly beautiful, as hers when it was -confronted with his own on the edge of the grave that had been dug for -him. But, he had not yet spoken to her on the subject; the assassination -at the deserted chateau far away beyond the heaving water and the long, -long, dusty roads--the solid stone chateau which had itself become the -mere mist of a dream--had been done a year, and he had never yet, by so -much as a single spoken word, disclosed to her the state of his heart. - -That he had his reasons for this, he knew full well. It was again a -summer day when, lately arrived in London from his college occupation, -he turned into the quiet corner in Soho, bent on seeking an opportunity -of opening his mind to Doctor Manette. It was the close of the summer -day, and he knew Lucie to be out with Miss Pross. - -He found the Doctor reading in his arm-chair at a window. The energy -which had at once supported him under his old sufferings and aggravated -their sharpness, had been gradually restored to him. He was now a -very energetic man indeed, with great firmness of purpose, strength -of resolution, and vigour of action. In his recovered energy he was -sometimes a little fitful and sudden, as he had at first been in the -exercise of his other recovered faculties; but, this had never been -frequently observable, and had grown more and more rare. - -He studied much, slept little, sustained a great deal of fatigue with -ease, and was equably cheerful. To him, now entered Charles Darnay, at -sight of whom he laid aside his book and held out his hand. - -“Charles Darnay! I rejoice to see you. We have been counting on your -return these three or four days past. Mr. Stryver and Sydney Carton were -both here yesterday, and both made you out to be more than due.” - -“I am obliged to them for their interest in the matter,” he answered, -a little coldly as to them, though very warmly as to the Doctor. “Miss -Manette--” - -“Is well,” said the Doctor, as he stopped short, “and your return will -delight us all. She has gone out on some household matters, but will -soon be home.” - -“Doctor Manette, I knew she was from home. I took the opportunity of her -being from home, to beg to speak to you.” - -There was a blank silence. - -“Yes?” said the Doctor, with evident constraint. “Bring your chair here, -and speak on.” - -He complied as to the chair, but appeared to find the speaking on less -easy. - -“I have had the happiness, Doctor Manette, of being so intimate here,” - so he at length began, “for some year and a half, that I hope the topic -on which I am about to touch may not--” - -He was stayed by the Doctor's putting out his hand to stop him. When he -had kept it so a little while, he said, drawing it back: - -“Is Lucie the topic?” - -“She is.” - -“It is hard for me to speak of her at any time. It is very hard for me -to hear her spoken of in that tone of yours, Charles Darnay.” - -“It is a tone of fervent admiration, true homage, and deep love, Doctor -Manette!” he said deferentially. - -There was another blank silence before her father rejoined: - -“I believe it. I do you justice; I believe it.” - -His constraint was so manifest, and it was so manifest, too, that it -originated in an unwillingness to approach the subject, that Charles -Darnay hesitated. - -“Shall I go on, sir?” - -Another blank. - -“Yes, go on.” - -“You anticipate what I would say, though you cannot know how earnestly -I say it, how earnestly I feel it, without knowing my secret heart, and -the hopes and fears and anxieties with which it has long been -laden. Dear Doctor Manette, I love your daughter fondly, dearly, -disinterestedly, devotedly. If ever there were love in the world, I love -her. You have loved yourself; let your old love speak for me!” - -The Doctor sat with his face turned away, and his eyes bent on the -ground. At the last words, he stretched out his hand again, hurriedly, -and cried: - -“Not that, sir! Let that be! I adjure you, do not recall that!” - -His cry was so like a cry of actual pain, that it rang in Charles -Darnay's ears long after he had ceased. He motioned with the hand he had -extended, and it seemed to be an appeal to Darnay to pause. The latter -so received it, and remained silent. - -“I ask your pardon,” said the Doctor, in a subdued tone, after some -moments. “I do not doubt your loving Lucie; you may be satisfied of it.” - -He turned towards him in his chair, but did not look at him, or -raise his eyes. His chin dropped upon his hand, and his white hair -overshadowed his face: - -“Have you spoken to Lucie?” - -“No.” - -“Nor written?” - -“Never.” - -“It would be ungenerous to affect not to know that your self-denial is -to be referred to your consideration for her father. Her father thanks -you.” - -He offered his hand; but his eyes did not go with it. - -“I know,” said Darnay, respectfully, “how can I fail to know, Doctor -Manette, I who have seen you together from day to day, that between -you and Miss Manette there is an affection so unusual, so touching, so -belonging to the circumstances in which it has been nurtured, that it -can have few parallels, even in the tenderness between a father and -child. I know, Doctor Manette--how can I fail to know--that, mingled -with the affection and duty of a daughter who has become a woman, there -is, in her heart, towards you, all the love and reliance of infancy -itself. I know that, as in her childhood she had no parent, so she is -now devoted to you with all the constancy and fervour of her present -years and character, united to the trustfulness and attachment of the -early days in which you were lost to her. I know perfectly well that if -you had been restored to her from the world beyond this life, you could -hardly be invested, in her sight, with a more sacred character than that -in which you are always with her. I know that when she is clinging to -you, the hands of baby, girl, and woman, all in one, are round your -neck. I know that in loving you she sees and loves her mother at her -own age, sees and loves you at my age, loves her mother broken-hearted, -loves you through your dreadful trial and in your blessed restoration. I -have known this, night and day, since I have known you in your home.” - -Her father sat silent, with his face bent down. His breathing was a -little quickened; but he repressed all other signs of agitation. - -“Dear Doctor Manette, always knowing this, always seeing her and you -with this hallowed light about you, I have forborne, and forborne, as -long as it was in the nature of man to do it. I have felt, and do even -now feel, that to bring my love--even mine--between you, is to touch -your history with something not quite so good as itself. But I love her. -Heaven is my witness that I love her!” - -“I believe it,” answered her father, mournfully. “I have thought so -before now. I believe it.” - -“But, do not believe,” said Darnay, upon whose ear the mournful voice -struck with a reproachful sound, “that if my fortune were so cast as -that, being one day so happy as to make her my wife, I must at any time -put any separation between her and you, I could or would breathe a -word of what I now say. Besides that I should know it to be hopeless, I -should know it to be a baseness. If I had any such possibility, even at -a remote distance of years, harboured in my thoughts, and hidden in my -heart--if it ever had been there--if it ever could be there--I could not -now touch this honoured hand.” - -He laid his own upon it as he spoke. - -“No, dear Doctor Manette. Like you, a voluntary exile from France; like -you, driven from it by its distractions, oppressions, and miseries; like -you, striving to live away from it by my own exertions, and trusting -in a happier future; I look only to sharing your fortunes, sharing your -life and home, and being faithful to you to the death. Not to divide -with Lucie her privilege as your child, companion, and friend; but to -come in aid of it, and bind her closer to you, if such a thing can be.” - -His touch still lingered on her father's hand. Answering the touch for a -moment, but not coldly, her father rested his hands upon the arms of -his chair, and looked up for the first time since the beginning of the -conference. A struggle was evidently in his face; a struggle with that -occasional look which had a tendency in it to dark doubt and dread. - -“You speak so feelingly and so manfully, Charles Darnay, that I thank -you with all my heart, and will open all my heart--or nearly so. Have -you any reason to believe that Lucie loves you?” - -“None. As yet, none.” - -“Is it the immediate object of this confidence, that you may at once -ascertain that, with my knowledge?” - -“Not even so. I might not have the hopefulness to do it for weeks; I -might (mistaken or not mistaken) have that hopefulness to-morrow.” - -“Do you seek any guidance from me?” - -“I ask none, sir. But I have thought it possible that you might have it -in your power, if you should deem it right, to give me some.” - -“Do you seek any promise from me?” - -“I do seek that.” - -“What is it?” - -“I well understand that, without you, I could have no hope. I well -understand that, even if Miss Manette held me at this moment in her -innocent heart--do not think I have the presumption to assume so much--I -could retain no place in it against her love for her father.” - -“If that be so, do you see what, on the other hand, is involved in it?” - -“I understand equally well, that a word from her father in any suitor's -favour, would outweigh herself and all the world. For which reason, -Doctor Manette,” said Darnay, modestly but firmly, “I would not ask that -word, to save my life.” - -“I am sure of it. Charles Darnay, mysteries arise out of close love, as -well as out of wide division; in the former case, they are subtle and -delicate, and difficult to penetrate. My daughter Lucie is, in this one -respect, such a mystery to me; I can make no guess at the state of her -heart.” - -“May I ask, sir, if you think she is--” As he hesitated, her father -supplied the rest. - -“Is sought by any other suitor?” - -“It is what I meant to say.” - -Her father considered a little before he answered: - -“You have seen Mr. Carton here, yourself. Mr. Stryver is here too, -occasionally. If it be at all, it can only be by one of these.” - -“Or both,” said Darnay. - -“I had not thought of both; I should not think either, likely. You want -a promise from me. Tell me what it is.” - -“It is, that if Miss Manette should bring to you at any time, on her own -part, such a confidence as I have ventured to lay before you, you will -bear testimony to what I have said, and to your belief in it. I hope you -may be able to think so well of me, as to urge no influence against -me. I say nothing more of my stake in this; this is what I ask. The -condition on which I ask it, and which you have an undoubted right to -require, I will observe immediately.” - -“I give the promise,” said the Doctor, “without any condition. I believe -your object to be, purely and truthfully, as you have stated it. I -believe your intention is to perpetuate, and not to weaken, the ties -between me and my other and far dearer self. If she should ever tell me -that you are essential to her perfect happiness, I will give her to you. -If there were--Charles Darnay, if there were--” - -The young man had taken his hand gratefully; their hands were joined as -the Doctor spoke: - -“--any fancies, any reasons, any apprehensions, anything whatsoever, -new or old, against the man she really loved--the direct responsibility -thereof not lying on his head--they should all be obliterated for her -sake. She is everything to me; more to me than suffering, more to me -than wrong, more to me--Well! This is idle talk.” - -So strange was the way in which he faded into silence, and so strange -his fixed look when he had ceased to speak, that Darnay felt his own -hand turn cold in the hand that slowly released and dropped it. - -“You said something to me,” said Doctor Manette, breaking into a smile. -“What was it you said to me?” - -He was at a loss how to answer, until he remembered having spoken of a -condition. Relieved as his mind reverted to that, he answered: - -“Your confidence in me ought to be returned with full confidence on my -part. My present name, though but slightly changed from my mother's, is -not, as you will remember, my own. I wish to tell you what that is, and -why I am in England.” - -“Stop!” said the Doctor of Beauvais. - -“I wish it, that I may the better deserve your confidence, and have no -secret from you.” - -“Stop!” - -For an instant, the Doctor even had his two hands at his ears; for -another instant, even had his two hands laid on Darnay's lips. - -“Tell me when I ask you, not now. If your suit should prosper, if Lucie -should love you, you shall tell me on your marriage morning. Do you -promise?” - -“Willingly. - -“Give me your hand. She will be home directly, and it is better she -should not see us together to-night. Go! God bless you!” - -It was dark when Charles Darnay left him, and it was an hour later and -darker when Lucie came home; she hurried into the room alone--for -Miss Pross had gone straight up-stairs--and was surprised to find his -reading-chair empty. - -“My father!” she called to him. “Father dear!” - -Nothing was said in answer, but she heard a low hammering sound in his -bedroom. Passing lightly across the intermediate room, she looked in at -his door and came running back frightened, crying to herself, with her -blood all chilled, “What shall I do! What shall I do!” - -Her uncertainty lasted but a moment; she hurried back, and tapped at -his door, and softly called to him. The noise ceased at the sound of -her voice, and he presently came out to her, and they walked up and down -together for a long time. - -She came down from her bed, to look at him in his sleep that night. He -slept heavily, and his tray of shoemaking tools, and his old unfinished -work, were all as usual. - - - - -XI. A Companion Picture - - -“Sydney,” said Mr. Stryver, on that self-same night, or morning, to his -jackal; “mix another bowl of punch; I have something to say to you.” - -Sydney had been working double tides that night, and the night before, -and the night before that, and a good many nights in succession, making -a grand clearance among Mr. Stryver's papers before the setting in -of the long vacation. The clearance was effected at last; the Stryver -arrears were handsomely fetched up; everything was got rid of until -November should come with its fogs atmospheric, and fogs legal, and -bring grist to the mill again. - -Sydney was none the livelier and none the soberer for so much -application. It had taken a deal of extra wet-towelling to pull him -through the night; a correspondingly extra quantity of wine had preceded -the towelling; and he was in a very damaged condition, as he now pulled -his turban off and threw it into the basin in which he had steeped it at -intervals for the last six hours. - -“Are you mixing that other bowl of punch?” said Stryver the portly, with -his hands in his waistband, glancing round from the sofa where he lay on -his back. - -“I am.” - -“Now, look here! I am going to tell you something that will rather -surprise you, and that perhaps will make you think me not quite as -shrewd as you usually do think me. I intend to marry.” - -“_Do_ you?” - -“Yes. And not for money. What do you say now?” - -“I don't feel disposed to say much. Who is she?” - -“Guess.” - -“Do I know her?” - -“Guess.” - -“I am not going to guess, at five o'clock in the morning, with my brains -frying and sputtering in my head. If you want me to guess, you must ask -me to dinner.” - -“Well then, I'll tell you,” said Stryver, coming slowly into a sitting -posture. “Sydney, I rather despair of making myself intelligible to you, -because you are such an insensible dog.” - -“And you,” returned Sydney, busy concocting the punch, “are such a -sensitive and poetical spirit--” - -“Come!” rejoined Stryver, laughing boastfully, “though I don't prefer -any claim to being the soul of Romance (for I hope I know better), still -I am a tenderer sort of fellow than _you_.” - -“You are a luckier, if you mean that.” - -“I don't mean that. I mean I am a man of more--more--” - -“Say gallantry, while you are about it,” suggested Carton. - -“Well! I'll say gallantry. My meaning is that I am a man,” said Stryver, -inflating himself at his friend as he made the punch, “who cares more to -be agreeable, who takes more pains to be agreeable, who knows better how -to be agreeable, in a woman's society, than you do.” - -“Go on,” said Sydney Carton. - -“No; but before I go on,” said Stryver, shaking his head in his bullying -way, “I'll have this out with you. You've been at Doctor Manette's house -as much as I have, or more than I have. Why, I have been ashamed of your -moroseness there! Your manners have been of that silent and sullen and -hangdog kind, that, upon my life and soul, I have been ashamed of you, -Sydney!” - -“It should be very beneficial to a man in your practice at the bar, to -be ashamed of anything,” returned Sydney; “you ought to be much obliged -to me.” - -“You shall not get off in that way,” rejoined Stryver, shouldering the -rejoinder at him; “no, Sydney, it's my duty to tell you--and I tell you -to your face to do you good--that you are a devilish ill-conditioned -fellow in that sort of society. You are a disagreeable fellow.” - -Sydney drank a bumper of the punch he had made, and laughed. - -“Look at me!” said Stryver, squaring himself; “I have less need to make -myself agreeable than you have, being more independent in circumstances. -Why do I do it?” - -“I never saw you do it yet,” muttered Carton. - -“I do it because it's politic; I do it on principle. And look at me! I -get on.” - -“You don't get on with your account of your matrimonial intentions,” - answered Carton, with a careless air; “I wish you would keep to that. As -to me--will you never understand that I am incorrigible?” - -He asked the question with some appearance of scorn. - -“You have no business to be incorrigible,” was his friend's answer, -delivered in no very soothing tone. - -“I have no business to be, at all, that I know of,” said Sydney Carton. -“Who is the lady?” - -“Now, don't let my announcement of the name make you uncomfortable, -Sydney,” said Mr. Stryver, preparing him with ostentatious friendliness -for the disclosure he was about to make, “because I know you don't mean -half you say; and if you meant it all, it would be of no importance. I -make this little preface, because you once mentioned the young lady to -me in slighting terms.” - -“I did?” - -“Certainly; and in these chambers.” - -Sydney Carton looked at his punch and looked at his complacent friend; -drank his punch and looked at his complacent friend. - -“You made mention of the young lady as a golden-haired doll. The young -lady is Miss Manette. If you had been a fellow of any sensitiveness or -delicacy of feeling in that kind of way, Sydney, I might have been a -little resentful of your employing such a designation; but you are not. -You want that sense altogether; therefore I am no more annoyed when I -think of the expression, than I should be annoyed by a man's opinion of -a picture of mine, who had no eye for pictures: or of a piece of music -of mine, who had no ear for music.” - -Sydney Carton drank the punch at a great rate; drank it by bumpers, -looking at his friend. - -“Now you know all about it, Syd,” said Mr. Stryver. “I don't care about -fortune: she is a charming creature, and I have made up my mind to -please myself: on the whole, I think I can afford to please myself. She -will have in me a man already pretty well off, and a rapidly rising man, -and a man of some distinction: it is a piece of good fortune for her, -but she is worthy of good fortune. Are you astonished?” - -Carton, still drinking the punch, rejoined, “Why should I be -astonished?” - -“You approve?” - -Carton, still drinking the punch, rejoined, “Why should I not approve?” - -“Well!” said his friend Stryver, “you take it more easily than I fancied -you would, and are less mercenary on my behalf than I thought you would -be; though, to be sure, you know well enough by this time that your -ancient chum is a man of a pretty strong will. Yes, Sydney, I have had -enough of this style of life, with no other as a change from it; I -feel that it is a pleasant thing for a man to have a home when he feels -inclined to go to it (when he doesn't, he can stay away), and I feel -that Miss Manette will tell well in any station, and will always do me -credit. So I have made up my mind. And now, Sydney, old boy, I want to -say a word to _you_ about _your_ prospects. You are in a bad way, you -know; you really are in a bad way. You don't know the value of money, -you live hard, you'll knock up one of these days, and be ill and poor; -you really ought to think about a nurse.” - -The prosperous patronage with which he said it, made him look twice as -big as he was, and four times as offensive. - -“Now, let me recommend you,” pursued Stryver, “to look it in the face. -I have looked it in the face, in my different way; look it in the face, -you, in your different way. Marry. Provide somebody to take care of -you. Never mind your having no enjoyment of women's society, nor -understanding of it, nor tact for it. Find out somebody. Find out some -respectable woman with a little property--somebody in the landlady way, -or lodging-letting way--and marry her, against a rainy day. That's the -kind of thing for _you_. Now think of it, Sydney.” - -“I'll think of it,” said Sydney. - - - - -XII. The Fellow of Delicacy - - -Mr. Stryver having made up his mind to that magnanimous bestowal of good -fortune on the Doctor's daughter, resolved to make her happiness known -to her before he left town for the Long Vacation. After some mental -debating of the point, he came to the conclusion that it would be as -well to get all the preliminaries done with, and they could then arrange -at their leisure whether he should give her his hand a week or two -before Michaelmas Term, or in the little Christmas vacation between it -and Hilary. - -As to the strength of his case, he had not a doubt about it, but clearly -saw his way to the verdict. Argued with the jury on substantial worldly -grounds--the only grounds ever worth taking into account--it was a -plain case, and had not a weak spot in it. He called himself for the -plaintiff, there was no getting over his evidence, the counsel for -the defendant threw up his brief, and the jury did not even turn to -consider. After trying it, Stryver, C. J., was satisfied that no plainer -case could be. - -Accordingly, Mr. Stryver inaugurated the Long Vacation with a formal -proposal to take Miss Manette to Vauxhall Gardens; that failing, to -Ranelagh; that unaccountably failing too, it behoved him to present -himself in Soho, and there declare his noble mind. - -Towards Soho, therefore, Mr. Stryver shouldered his way from the Temple, -while the bloom of the Long Vacation's infancy was still upon it. -Anybody who had seen him projecting himself into Soho while he was yet -on Saint Dunstan's side of Temple Bar, bursting in his full-blown way -along the pavement, to the jostlement of all weaker people, might have -seen how safe and strong he was. - -His way taking him past Tellson's, and he both banking at Tellson's and -knowing Mr. Lorry as the intimate friend of the Manettes, it entered Mr. -Stryver's mind to enter the bank, and reveal to Mr. Lorry the brightness -of the Soho horizon. So, he pushed open the door with the weak rattle -in its throat, stumbled down the two steps, got past the two ancient -cashiers, and shouldered himself into the musty back closet where Mr. -Lorry sat at great books ruled for figures, with perpendicular iron -bars to his window as if that were ruled for figures too, and everything -under the clouds were a sum. - -“Halloa!” said Mr. Stryver. “How do you do? I hope you are well!” - -It was Stryver's grand peculiarity that he always seemed too big for any -place, or space. He was so much too big for Tellson's, that old clerks -in distant corners looked up with looks of remonstrance, as though he -squeezed them against the wall. The House itself, magnificently reading -the paper quite in the far-off perspective, lowered displeased, as if -the Stryver head had been butted into its responsible waistcoat. - -The discreet Mr. Lorry said, in a sample tone of the voice he would -recommend under the circumstances, “How do you do, Mr. Stryver? How do -you do, sir?” and shook hands. There was a peculiarity in his manner -of shaking hands, always to be seen in any clerk at Tellson's who shook -hands with a customer when the House pervaded the air. He shook in a -self-abnegating way, as one who shook for Tellson and Co. - -“Can I do anything for you, Mr. Stryver?” asked Mr. Lorry, in his -business character. - -“Why, no, thank you; this is a private visit to yourself, Mr. Lorry; I -have come for a private word.” - -“Oh indeed!” said Mr. Lorry, bending down his ear, while his eye strayed -to the House afar off. - -“I am going,” said Mr. Stryver, leaning his arms confidentially on the -desk: whereupon, although it was a large double one, there appeared to -be not half desk enough for him: “I am going to make an offer of myself -in marriage to your agreeable little friend, Miss Manette, Mr. Lorry.” - -“Oh dear me!” cried Mr. Lorry, rubbing his chin, and looking at his -visitor dubiously. - -“Oh dear me, sir?” repeated Stryver, drawing back. “Oh dear you, sir? -What may your meaning be, Mr. Lorry?” - -“My meaning,” answered the man of business, “is, of course, friendly and -appreciative, and that it does you the greatest credit, and--in short, -my meaning is everything you could desire. But--really, you know, Mr. -Stryver--” Mr. Lorry paused, and shook his head at him in the oddest -manner, as if he were compelled against his will to add, internally, -“you know there really is so much too much of you!” - -“Well!” said Stryver, slapping the desk with his contentious hand, -opening his eyes wider, and taking a long breath, “if I understand you, -Mr. Lorry, I'll be hanged!” - -Mr. Lorry adjusted his little wig at both ears as a means towards that -end, and bit the feather of a pen. - -“D--n it all, sir!” said Stryver, staring at him, “am I not eligible?” - -“Oh dear yes! Yes. Oh yes, you're eligible!” said Mr. Lorry. “If you say -eligible, you are eligible.” - -“Am I not prosperous?” asked Stryver. - -“Oh! if you come to prosperous, you are prosperous,” said Mr. Lorry. - -“And advancing?” - -“If you come to advancing you know,” said Mr. Lorry, delighted to be -able to make another admission, “nobody can doubt that.” - -“Then what on earth is your meaning, Mr. Lorry?” demanded Stryver, -perceptibly crestfallen. - -“Well! I--Were you going there now?” asked Mr. Lorry. - -“Straight!” said Stryver, with a plump of his fist on the desk. - -“Then I think I wouldn't, if I was you.” - -“Why?” said Stryver. “Now, I'll put you in a corner,” forensically -shaking a forefinger at him. “You are a man of business and bound to -have a reason. State your reason. Why wouldn't you go?” - -“Because,” said Mr. Lorry, “I wouldn't go on such an object without -having some cause to believe that I should succeed.” - -“D--n _me_!” cried Stryver, “but this beats everything.” - -Mr. Lorry glanced at the distant House, and glanced at the angry -Stryver. - -“Here's a man of business--a man of years--a man of experience--_in_ -a Bank,” said Stryver; “and having summed up three leading reasons for -complete success, he says there's no reason at all! Says it with his -head on!” Mr. Stryver remarked upon the peculiarity as if it would have -been infinitely less remarkable if he had said it with his head off. - -“When I speak of success, I speak of success with the young lady; and -when I speak of causes and reasons to make success probable, I speak of -causes and reasons that will tell as such with the young lady. The young -lady, my good sir,” said Mr. Lorry, mildly tapping the Stryver arm, “the -young lady. The young lady goes before all.” - -“Then you mean to tell me, Mr. Lorry,” said Stryver, squaring his -elbows, “that it is your deliberate opinion that the young lady at -present in question is a mincing Fool?” - -“Not exactly so. I mean to tell you, Mr. Stryver,” said Mr. Lorry, -reddening, “that I will hear no disrespectful word of that young lady -from any lips; and that if I knew any man--which I hope I do not--whose -taste was so coarse, and whose temper was so overbearing, that he could -not restrain himself from speaking disrespectfully of that young lady at -this desk, not even Tellson's should prevent my giving him a piece of my -mind.” - -The necessity of being angry in a suppressed tone had put Mr. Stryver's -blood-vessels into a dangerous state when it was his turn to be angry; -Mr. Lorry's veins, methodical as their courses could usually be, were in -no better state now it was his turn. - -“That is what I mean to tell you, sir,” said Mr. Lorry. “Pray let there -be no mistake about it.” - -Mr. Stryver sucked the end of a ruler for a little while, and then stood -hitting a tune out of his teeth with it, which probably gave him the -toothache. He broke the awkward silence by saying: - -“This is something new to me, Mr. Lorry. You deliberately advise me not -to go up to Soho and offer myself--_my_self, Stryver of the King's Bench -bar?” - -“Do you ask me for my advice, Mr. Stryver?” - -“Yes, I do.” - -“Very good. Then I give it, and you have repeated it correctly.” - -“And all I can say of it is,” laughed Stryver with a vexed laugh, “that -this--ha, ha!--beats everything past, present, and to come.” - -“Now understand me,” pursued Mr. Lorry. “As a man of business, I am -not justified in saying anything about this matter, for, as a man of -business, I know nothing of it. But, as an old fellow, who has carried -Miss Manette in his arms, who is the trusted friend of Miss Manette and -of her father too, and who has a great affection for them both, I have -spoken. The confidence is not of my seeking, recollect. Now, you think I -may not be right?” - -“Not I!” said Stryver, whistling. “I can't undertake to find third -parties in common sense; I can only find it for myself. I suppose sense -in certain quarters; you suppose mincing bread-and-butter nonsense. It's -new to me, but you are right, I dare say.” - -“What I suppose, Mr. Stryver, I claim to characterise for myself--And -understand me, sir,” said Mr. Lorry, quickly flushing again, “I -will not--not even at Tellson's--have it characterised for me by any -gentleman breathing.” - -“There! I beg your pardon!” said Stryver. - -“Granted. Thank you. Well, Mr. Stryver, I was about to say:--it might be -painful to you to find yourself mistaken, it might be painful to Doctor -Manette to have the task of being explicit with you, it might be very -painful to Miss Manette to have the task of being explicit with you. You -know the terms upon which I have the honour and happiness to stand with -the family. If you please, committing you in no way, representing you -in no way, I will undertake to correct my advice by the exercise of a -little new observation and judgment expressly brought to bear upon -it. If you should then be dissatisfied with it, you can but test its -soundness for yourself; if, on the other hand, you should be satisfied -with it, and it should be what it now is, it may spare all sides what is -best spared. What do you say?” - -“How long would you keep me in town?” - -“Oh! It is only a question of a few hours. I could go to Soho in the -evening, and come to your chambers afterwards.” - -“Then I say yes,” said Stryver: “I won't go up there now, I am not so -hot upon it as that comes to; I say yes, and I shall expect you to look -in to-night. Good morning.” - -Then Mr. Stryver turned and burst out of the Bank, causing such a -concussion of air on his passage through, that to stand up against it -bowing behind the two counters, required the utmost remaining strength -of the two ancient clerks. Those venerable and feeble persons were -always seen by the public in the act of bowing, and were popularly -believed, when they had bowed a customer out, still to keep on bowing in -the empty office until they bowed another customer in. - -The barrister was keen enough to divine that the banker would not have -gone so far in his expression of opinion on any less solid ground than -moral certainty. Unprepared as he was for the large pill he had to -swallow, he got it down. “And now,” said Mr. Stryver, shaking his -forensic forefinger at the Temple in general, when it was down, “my way -out of this, is, to put you all in the wrong.” - -It was a bit of the art of an Old Bailey tactician, in which he found -great relief. “You shall not put me in the wrong, young lady,” said Mr. -Stryver; “I'll do that for you.” - -Accordingly, when Mr. Lorry called that night as late as ten o'clock, -Mr. Stryver, among a quantity of books and papers littered out for the -purpose, seemed to have nothing less on his mind than the subject of -the morning. He even showed surprise when he saw Mr. Lorry, and was -altogether in an absent and preoccupied state. - -“Well!” said that good-natured emissary, after a full half-hour of -bootless attempts to bring him round to the question. “I have been to -Soho.” - -“To Soho?” repeated Mr. Stryver, coldly. “Oh, to be sure! What am I -thinking of!” - -“And I have no doubt,” said Mr. Lorry, “that I was right in the -conversation we had. My opinion is confirmed, and I reiterate my -advice.” - -“I assure you,” returned Mr. Stryver, in the friendliest way, “that I -am sorry for it on your account, and sorry for it on the poor father's -account. I know this must always be a sore subject with the family; let -us say no more about it.” - -“I don't understand you,” said Mr. Lorry. - -“I dare say not,” rejoined Stryver, nodding his head in a smoothing and -final way; “no matter, no matter.” - -“But it does matter,” Mr. Lorry urged. - -“No it doesn't; I assure you it doesn't. Having supposed that there was -sense where there is no sense, and a laudable ambition where there is -not a laudable ambition, I am well out of my mistake, and no harm is -done. Young women have committed similar follies often before, and have -repented them in poverty and obscurity often before. In an unselfish -aspect, I am sorry that the thing is dropped, because it would have been -a bad thing for me in a worldly point of view; in a selfish aspect, I am -glad that the thing has dropped, because it would have been a bad thing -for me in a worldly point of view--it is hardly necessary to say I could -have gained nothing by it. There is no harm at all done. I have not -proposed to the young lady, and, between ourselves, I am by no means -certain, on reflection, that I ever should have committed myself to -that extent. Mr. Lorry, you cannot control the mincing vanities and -giddinesses of empty-headed girls; you must not expect to do it, or you -will always be disappointed. Now, pray say no more about it. I tell you, -I regret it on account of others, but I am satisfied on my own account. -And I am really very much obliged to you for allowing me to sound you, -and for giving me your advice; you know the young lady better than I do; -you were right, it never would have done.” - -Mr. Lorry was so taken aback, that he looked quite stupidly at Mr. -Stryver shouldering him towards the door, with an appearance of -showering generosity, forbearance, and goodwill, on his erring head. -“Make the best of it, my dear sir,” said Stryver; “say no more about it; -thank you again for allowing me to sound you; good night!” - -Mr. Lorry was out in the night, before he knew where he was. Mr. Stryver -was lying back on his sofa, winking at his ceiling. - - - - -XIII. The Fellow of No Delicacy - - -If Sydney Carton ever shone anywhere, he certainly never shone in the -house of Doctor Manette. He had been there often, during a whole year, -and had always been the same moody and morose lounger there. When he -cared to talk, he talked well; but, the cloud of caring for nothing, -which overshadowed him with such a fatal darkness, was very rarely -pierced by the light within him. - -And yet he did care something for the streets that environed that house, -and for the senseless stones that made their pavements. Many a night -he vaguely and unhappily wandered there, when wine had brought no -transitory gladness to him; many a dreary daybreak revealed his solitary -figure lingering there, and still lingering there when the first beams -of the sun brought into strong relief, removed beauties of architecture -in spires of churches and lofty buildings, as perhaps the quiet time -brought some sense of better things, else forgotten and unattainable, -into his mind. Of late, the neglected bed in the Temple Court had known -him more scantily than ever; and often when he had thrown himself upon -it no longer than a few minutes, he had got up again, and haunted that -neighbourhood. - -On a day in August, when Mr. Stryver (after notifying to his jackal -that “he had thought better of that marrying matter”) had carried his -delicacy into Devonshire, and when the sight and scent of flowers in the -City streets had some waifs of goodness in them for the worst, of health -for the sickliest, and of youth for the oldest, Sydney's feet still trod -those stones. From being irresolute and purposeless, his feet became -animated by an intention, and, in the working out of that intention, -they took him to the Doctor's door. - -He was shown up-stairs, and found Lucie at her work, alone. She had -never been quite at her ease with him, and received him with some little -embarrassment as he seated himself near her table. But, looking up at -his face in the interchange of the first few common-places, she observed -a change in it. - -“I fear you are not well, Mr. Carton!” - -“No. But the life I lead, Miss Manette, is not conducive to health. What -is to be expected of, or by, such profligates?” - -“Is it not--forgive me; I have begun the question on my lips--a pity to -live no better life?” - -“God knows it is a shame!” - -“Then why not change it?” - -Looking gently at him again, she was surprised and saddened to see that -there were tears in his eyes. There were tears in his voice too, as he -answered: - -“It is too late for that. I shall never be better than I am. I shall -sink lower, and be worse.” - -He leaned an elbow on her table, and covered his eyes with his hand. The -table trembled in the silence that followed. - -She had never seen him softened, and was much distressed. He knew her to -be so, without looking at her, and said: - -“Pray forgive me, Miss Manette. I break down before the knowledge of -what I want to say to you. Will you hear me?” - -“If it will do you any good, Mr. Carton, if it would make you happier, -it would make me very glad!” - -“God bless you for your sweet compassion!” - -He unshaded his face after a little while, and spoke steadily. - -“Don't be afraid to hear me. Don't shrink from anything I say. I am like -one who died young. All my life might have been.” - -“No, Mr. Carton. I am sure that the best part of it might still be; I am -sure that you might be much, much worthier of yourself.” - -“Say of you, Miss Manette, and although I know better--although in the -mystery of my own wretched heart I know better--I shall never forget -it!” - -She was pale and trembling. He came to her relief with a fixed despair -of himself which made the interview unlike any other that could have -been holden. - -“If it had been possible, Miss Manette, that you could have returned the -love of the man you see before yourself--flung away, wasted, drunken, -poor creature of misuse as you know him to be--he would have been -conscious this day and hour, in spite of his happiness, that he would -bring you to misery, bring you to sorrow and repentance, blight you, -disgrace you, pull you down with him. I know very well that you can have -no tenderness for me; I ask for none; I am even thankful that it cannot -be.” - -“Without it, can I not save you, Mr. Carton? Can I not recall -you--forgive me again!--to a better course? Can I in no way repay your -confidence? I know this is a confidence,” she modestly said, after a -little hesitation, and in earnest tears, “I know you would say this to -no one else. Can I turn it to no good account for yourself, Mr. Carton?” - -He shook his head. - -“To none. No, Miss Manette, to none. If you will hear me through a very -little more, all you can ever do for me is done. I wish you to know that -you have been the last dream of my soul. In my degradation I have not -been so degraded but that the sight of you with your father, and of this -home made such a home by you, has stirred old shadows that I thought had -died out of me. Since I knew you, I have been troubled by a remorse that -I thought would never reproach me again, and have heard whispers from -old voices impelling me upward, that I thought were silent for ever. I -have had unformed ideas of striving afresh, beginning anew, shaking off -sloth and sensuality, and fighting out the abandoned fight. A dream, all -a dream, that ends in nothing, and leaves the sleeper where he lay down, -but I wish you to know that you inspired it.” - -“Will nothing of it remain? O Mr. Carton, think again! Try again!” - -“No, Miss Manette; all through it, I have known myself to be quite -undeserving. And yet I have had the weakness, and have still the -weakness, to wish you to know with what a sudden mastery you kindled me, -heap of ashes that I am, into fire--a fire, however, inseparable in -its nature from myself, quickening nothing, lighting nothing, doing no -service, idly burning away.” - -“Since it is my misfortune, Mr. Carton, to have made you more unhappy -than you were before you knew me--” - -“Don't say that, Miss Manette, for you would have reclaimed me, if -anything could. You will not be the cause of my becoming worse.” - -“Since the state of your mind that you describe, is, at all events, -attributable to some influence of mine--this is what I mean, if I can -make it plain--can I use no influence to serve you? Have I no power for -good, with you, at all?” - -“The utmost good that I am capable of now, Miss Manette, I have come -here to realise. Let me carry through the rest of my misdirected life, -the remembrance that I opened my heart to you, last of all the world; -and that there was something left in me at this time which you could -deplore and pity.” - -“Which I entreated you to believe, again and again, most fervently, with -all my heart, was capable of better things, Mr. Carton!” - -“Entreat me to believe it no more, Miss Manette. I have proved myself, -and I know better. I distress you; I draw fast to an end. Will you let -me believe, when I recall this day, that the last confidence of my life -was reposed in your pure and innocent breast, and that it lies there -alone, and will be shared by no one?” - -“If that will be a consolation to you, yes.” - -“Not even by the dearest one ever to be known to you?” - -“Mr. Carton,” she answered, after an agitated pause, “the secret is -yours, not mine; and I promise to respect it.” - -“Thank you. And again, God bless you.” - -He put her hand to his lips, and moved towards the door. - -“Be under no apprehension, Miss Manette, of my ever resuming this -conversation by so much as a passing word. I will never refer to it -again. If I were dead, that could not be surer than it is henceforth. In -the hour of my death, I shall hold sacred the one good remembrance--and -shall thank and bless you for it--that my last avowal of myself was made -to you, and that my name, and faults, and miseries were gently carried -in your heart. May it otherwise be light and happy!” - -He was so unlike what he had ever shown himself to be, and it was so -sad to think how much he had thrown away, and how much he every day kept -down and perverted, that Lucie Manette wept mournfully for him as he -stood looking back at her. - -“Be comforted!” he said, “I am not worth such feeling, Miss Manette. An -hour or two hence, and the low companions and low habits that I scorn -but yield to, will render me less worth such tears as those, than any -wretch who creeps along the streets. Be comforted! But, within myself, I -shall always be, towards you, what I am now, though outwardly I shall be -what you have heretofore seen me. The last supplication but one I make -to you, is, that you will believe this of me.” - -“I will, Mr. Carton.” - -“My last supplication of all, is this; and with it, I will relieve -you of a visitor with whom I well know you have nothing in unison, and -between whom and you there is an impassable space. It is useless to say -it, I know, but it rises out of my soul. For you, and for any dear to -you, I would do anything. If my career were of that better kind that -there was any opportunity or capacity of sacrifice in it, I would -embrace any sacrifice for you and for those dear to you. Try to hold -me in your mind, at some quiet times, as ardent and sincere in this one -thing. The time will come, the time will not be long in coming, when new -ties will be formed about you--ties that will bind you yet more tenderly -and strongly to the home you so adorn--the dearest ties that will ever -grace and gladden you. O Miss Manette, when the little picture of a -happy father's face looks up in yours, when you see your own bright -beauty springing up anew at your feet, think now and then that there is -a man who would give his life, to keep a life you love beside you!” - -He said, “Farewell!” said a last “God bless you!” and left her. - - - - -XIV. The Honest Tradesman - - -To the eyes of Mr. Jeremiah Cruncher, sitting on his stool in -Fleet-street with his grisly urchin beside him, a vast number and -variety of objects in movement were every day presented. Who could sit -upon anything in Fleet-street during the busy hours of the day, and -not be dazed and deafened by two immense processions, one ever tending -westward with the sun, the other ever tending eastward from the sun, -both ever tending to the plains beyond the range of red and purple where -the sun goes down! - -With his straw in his mouth, Mr. Cruncher sat watching the two streams, -like the heathen rustic who has for several centuries been on duty -watching one stream--saving that Jerry had no expectation of their ever -running dry. Nor would it have been an expectation of a hopeful kind, -since a small part of his income was derived from the pilotage of timid -women (mostly of a full habit and past the middle term of life) from -Tellson's side of the tides to the opposite shore. Brief as such -companionship was in every separate instance, Mr. Cruncher never failed -to become so interested in the lady as to express a strong desire to -have the honour of drinking her very good health. And it was from -the gifts bestowed upon him towards the execution of this benevolent -purpose, that he recruited his finances, as just now observed. - -Time was, when a poet sat upon a stool in a public place, and mused in -the sight of men. Mr. Cruncher, sitting on a stool in a public place, -but not being a poet, mused as little as possible, and looked about him. - -It fell out that he was thus engaged in a season when crowds were -few, and belated women few, and when his affairs in general were so -unprosperous as to awaken a strong suspicion in his breast that Mrs. -Cruncher must have been “flopping” in some pointed manner, when an -unusual concourse pouring down Fleet-street westward, attracted his -attention. Looking that way, Mr. Cruncher made out that some kind of -funeral was coming along, and that there was popular objection to this -funeral, which engendered uproar. - -“Young Jerry,” said Mr. Cruncher, turning to his offspring, “it's a -buryin'.” - -“Hooroar, father!” cried Young Jerry. - -The young gentleman uttered this exultant sound with mysterious -significance. The elder gentleman took the cry so ill, that he watched -his opportunity, and smote the young gentleman on the ear. - -“What d'ye mean? What are you hooroaring at? What do you want to conwey -to your own father, you young Rip? This boy is a getting too many for -_me_!” said Mr. Cruncher, surveying him. “Him and his hooroars! Don't -let me hear no more of you, or you shall feel some more of me. D'ye -hear?” - -“I warn't doing no harm,” Young Jerry protested, rubbing his cheek. - -“Drop it then,” said Mr. Cruncher; “I won't have none of _your_ no -harms. Get a top of that there seat, and look at the crowd.” - -His son obeyed, and the crowd approached; they were bawling and hissing -round a dingy hearse and dingy mourning coach, in which mourning coach -there was only one mourner, dressed in the dingy trappings that were -considered essential to the dignity of the position. The position -appeared by no means to please him, however, with an increasing rabble -surrounding the coach, deriding him, making grimaces at him, and -incessantly groaning and calling out: “Yah! Spies! Tst! Yaha! Spies!” - with many compliments too numerous and forcible to repeat. - -Funerals had at all times a remarkable attraction for Mr. Cruncher; he -always pricked up his senses, and became excited, when a funeral passed -Tellson's. Naturally, therefore, a funeral with this uncommon attendance -excited him greatly, and he asked of the first man who ran against him: - -“What is it, brother? What's it about?” - -“_I_ don't know,” said the man. “Spies! Yaha! Tst! Spies!” - -He asked another man. “Who is it?” - -“_I_ don't know,” returned the man, clapping his hands to his mouth -nevertheless, and vociferating in a surprising heat and with the -greatest ardour, “Spies! Yaha! Tst, tst! Spi--ies!” - -At length, a person better informed on the merits of the case, tumbled -against him, and from this person he learned that the funeral was the -funeral of one Roger Cly. - -“Was he a spy?” asked Mr. Cruncher. - -“Old Bailey spy,” returned his informant. “Yaha! Tst! Yah! Old Bailey -Spi--i--ies!” - -“Why, to be sure!” exclaimed Jerry, recalling the Trial at which he had -assisted. “I've seen him. Dead, is he?” - -“Dead as mutton,” returned the other, “and can't be too dead. Have 'em -out, there! Spies! Pull 'em out, there! Spies!” - -The idea was so acceptable in the prevalent absence of any idea, -that the crowd caught it up with eagerness, and loudly repeating the -suggestion to have 'em out, and to pull 'em out, mobbed the two vehicles -so closely that they came to a stop. On the crowd's opening the coach -doors, the one mourner scuffled out by himself and was in their hands -for a moment; but he was so alert, and made such good use of his time, -that in another moment he was scouring away up a bye-street, after -shedding his cloak, hat, long hatband, white pocket-handkerchief, and -other symbolical tears. - -These, the people tore to pieces and scattered far and wide with great -enjoyment, while the tradesmen hurriedly shut up their shops; for a -crowd in those times stopped at nothing, and was a monster much dreaded. -They had already got the length of opening the hearse to take the coffin -out, when some brighter genius proposed instead, its being escorted to -its destination amidst general rejoicing. Practical suggestions being -much needed, this suggestion, too, was received with acclamation, and -the coach was immediately filled with eight inside and a dozen out, -while as many people got on the roof of the hearse as could by any -exercise of ingenuity stick upon it. Among the first of these volunteers -was Jerry Cruncher himself, who modestly concealed his spiky head from -the observation of Tellson's, in the further corner of the mourning -coach. - -The officiating undertakers made some protest against these changes in -the ceremonies; but, the river being alarmingly near, and several voices -remarking on the efficacy of cold immersion in bringing refractory -members of the profession to reason, the protest was faint and brief. -The remodelled procession started, with a chimney-sweep driving the -hearse--advised by the regular driver, who was perched beside him, under -close inspection, for the purpose--and with a pieman, also attended -by his cabinet minister, driving the mourning coach. A bear-leader, a -popular street character of the time, was impressed as an additional -ornament, before the cavalcade had gone far down the Strand; and his -bear, who was black and very mangy, gave quite an Undertaking air to -that part of the procession in which he walked. - -Thus, with beer-drinking, pipe-smoking, song-roaring, and infinite -caricaturing of woe, the disorderly procession went its way, recruiting -at every step, and all the shops shutting up before it. Its destination -was the old church of Saint Pancras, far off in the fields. It got there -in course of time; insisted on pouring into the burial-ground; finally, -accomplished the interment of the deceased Roger Cly in its own way, and -highly to its own satisfaction. - -The dead man disposed of, and the crowd being under the necessity of -providing some other entertainment for itself, another brighter -genius (or perhaps the same) conceived the humour of impeaching casual -passers-by, as Old Bailey spies, and wreaking vengeance on them. Chase -was given to some scores of inoffensive persons who had never been near -the Old Bailey in their lives, in the realisation of this fancy, and -they were roughly hustled and maltreated. The transition to the sport of -window-breaking, and thence to the plundering of public-houses, was easy -and natural. At last, after several hours, when sundry summer-houses had -been pulled down, and some area-railings had been torn up, to arm -the more belligerent spirits, a rumour got about that the Guards were -coming. Before this rumour, the crowd gradually melted away, and perhaps -the Guards came, and perhaps they never came, and this was the usual -progress of a mob. - -Mr. Cruncher did not assist at the closing sports, but had remained -behind in the churchyard, to confer and condole with the undertakers. -The place had a soothing influence on him. He procured a pipe from a -neighbouring public-house, and smoked it, looking in at the railings and -maturely considering the spot. - -“Jerry,” said Mr. Cruncher, apostrophising himself in his usual way, -“you see that there Cly that day, and you see with your own eyes that he -was a young 'un and a straight made 'un.” - -Having smoked his pipe out, and ruminated a little longer, he turned -himself about, that he might appear, before the hour of closing, on his -station at Tellson's. Whether his meditations on mortality had touched -his liver, or whether his general health had been previously at all -amiss, or whether he desired to show a little attention to an eminent -man, is not so much to the purpose, as that he made a short call upon -his medical adviser--a distinguished surgeon--on his way back. - -Young Jerry relieved his father with dutiful interest, and reported No -job in his absence. The bank closed, the ancient clerks came out, the -usual watch was set, and Mr. Cruncher and his son went home to tea. - -“Now, I tell you where it is!” said Mr. Cruncher to his wife, on -entering. “If, as a honest tradesman, my wenturs goes wrong to-night, I -shall make sure that you've been praying again me, and I shall work you -for it just the same as if I seen you do it.” - -The dejected Mrs. Cruncher shook her head. - -“Why, you're at it afore my face!” said Mr. Cruncher, with signs of -angry apprehension. - -“I am saying nothing.” - -“Well, then; don't meditate nothing. You might as well flop as meditate. -You may as well go again me one way as another. Drop it altogether.” - -“Yes, Jerry.” - -“Yes, Jerry,” repeated Mr. Cruncher sitting down to tea. “Ah! It _is_ -yes, Jerry. That's about it. You may say yes, Jerry.” - -Mr. Cruncher had no particular meaning in these sulky corroborations, -but made use of them, as people not unfrequently do, to express general -ironical dissatisfaction. - -“You and your yes, Jerry,” said Mr. Cruncher, taking a bite out of his -bread-and-butter, and seeming to help it down with a large invisible -oyster out of his saucer. “Ah! I think so. I believe you.” - -“You are going out to-night?” asked his decent wife, when he took -another bite. - -“Yes, I am.” - -“May I go with you, father?” asked his son, briskly. - -“No, you mayn't. I'm a going--as your mother knows--a fishing. That's -where I'm going to. Going a fishing.” - -“Your fishing-rod gets rayther rusty; don't it, father?” - -“Never you mind.” - -“Shall you bring any fish home, father?” - -“If I don't, you'll have short commons, to-morrow,” returned that -gentleman, shaking his head; “that's questions enough for you; I ain't a -going out, till you've been long abed.” - -He devoted himself during the remainder of the evening to keeping a -most vigilant watch on Mrs. Cruncher, and sullenly holding her in -conversation that she might be prevented from meditating any petitions -to his disadvantage. With this view, he urged his son to hold her in -conversation also, and led the unfortunate woman a hard life by dwelling -on any causes of complaint he could bring against her, rather than -he would leave her for a moment to her own reflections. The devoutest -person could have rendered no greater homage to the efficacy of an -honest prayer than he did in this distrust of his wife. It was as if a -professed unbeliever in ghosts should be frightened by a ghost story. - -“And mind you!” said Mr. Cruncher. “No games to-morrow! If I, as a -honest tradesman, succeed in providing a jinte of meat or two, none -of your not touching of it, and sticking to bread. If I, as a honest -tradesman, am able to provide a little beer, none of your declaring -on water. When you go to Rome, do as Rome does. Rome will be a ugly -customer to you, if you don't. _I_'m your Rome, you know.” - -Then he began grumbling again: - -“With your flying into the face of your own wittles and drink! I don't -know how scarce you mayn't make the wittles and drink here, by your -flopping tricks and your unfeeling conduct. Look at your boy: he _is_ -your'n, ain't he? He's as thin as a lath. Do you call yourself a mother, -and not know that a mother's first duty is to blow her boy out?” - -This touched Young Jerry on a tender place; who adjured his mother to -perform her first duty, and, whatever else she did or neglected, above -all things to lay especial stress on the discharge of that maternal -function so affectingly and delicately indicated by his other parent. - -Thus the evening wore away with the Cruncher family, until Young Jerry -was ordered to bed, and his mother, laid under similar injunctions, -obeyed them. Mr. Cruncher beguiled the earlier watches of the night with -solitary pipes, and did not start upon his excursion until nearly one -o'clock. Towards that small and ghostly hour, he rose up from his chair, -took a key out of his pocket, opened a locked cupboard, and brought -forth a sack, a crowbar of convenient size, a rope and chain, and other -fishing tackle of that nature. Disposing these articles about him -in skilful manner, he bestowed a parting defiance on Mrs. Cruncher, -extinguished the light, and went out. - -Young Jerry, who had only made a feint of undressing when he went to -bed, was not long after his father. Under cover of the darkness he -followed out of the room, followed down the stairs, followed down the -court, followed out into the streets. He was in no uneasiness concerning -his getting into the house again, for it was full of lodgers, and the -door stood ajar all night. - -Impelled by a laudable ambition to study the art and mystery of his -father's honest calling, Young Jerry, keeping as close to house fronts, -walls, and doorways, as his eyes were close to one another, held his -honoured parent in view. The honoured parent steering Northward, had not -gone far, when he was joined by another disciple of Izaak Walton, and -the two trudged on together. - -Within half an hour from the first starting, they were beyond the -winking lamps, and the more than winking watchmen, and were out upon a -lonely road. Another fisherman was picked up here--and that so silently, -that if Young Jerry had been superstitious, he might have supposed the -second follower of the gentle craft to have, all of a sudden, split -himself into two. - -The three went on, and Young Jerry went on, until the three stopped -under a bank overhanging the road. Upon the top of the bank was a low -brick wall, surmounted by an iron railing. In the shadow of bank and -wall the three turned out of the road, and up a blind lane, of which -the wall--there, risen to some eight or ten feet high--formed one side. -Crouching down in a corner, peeping up the lane, the next object that -Young Jerry saw, was the form of his honoured parent, pretty well -defined against a watery and clouded moon, nimbly scaling an iron gate. -He was soon over, and then the second fisherman got over, and then the -third. They all dropped softly on the ground within the gate, and lay -there a little--listening perhaps. Then, they moved away on their hands -and knees. - -It was now Young Jerry's turn to approach the gate: which he did, -holding his breath. Crouching down again in a corner there, and looking -in, he made out the three fishermen creeping through some rank grass! -and all the gravestones in the churchyard--it was a large churchyard -that they were in--looking on like ghosts in white, while the church -tower itself looked on like the ghost of a monstrous giant. They did not -creep far, before they stopped and stood upright. And then they began to -fish. - -They fished with a spade, at first. Presently the honoured parent -appeared to be adjusting some instrument like a great corkscrew. -Whatever tools they worked with, they worked hard, until the awful -striking of the church clock so terrified Young Jerry, that he made off, -with his hair as stiff as his father's. - -But, his long-cherished desire to know more about these matters, not -only stopped him in his running away, but lured him back again. They -were still fishing perseveringly, when he peeped in at the gate for -the second time; but, now they seemed to have got a bite. There was a -screwing and complaining sound down below, and their bent figures were -strained, as if by a weight. By slow degrees the weight broke away the -earth upon it, and came to the surface. Young Jerry very well knew what -it would be; but, when he saw it, and saw his honoured parent about to -wrench it open, he was so frightened, being new to the sight, that he -made off again, and never stopped until he had run a mile or more. - -He would not have stopped then, for anything less necessary than breath, -it being a spectral sort of race that he ran, and one highly desirable -to get to the end of. He had a strong idea that the coffin he had seen -was running after him; and, pictured as hopping on behind him, bolt -upright, upon its narrow end, always on the point of overtaking him -and hopping on at his side--perhaps taking his arm--it was a pursuer to -shun. It was an inconsistent and ubiquitous fiend too, for, while it -was making the whole night behind him dreadful, he darted out into the -roadway to avoid dark alleys, fearful of its coming hopping out of them -like a dropsical boy's kite without tail and wings. It hid in doorways -too, rubbing its horrible shoulders against doors, and drawing them up -to its ears, as if it were laughing. It got into shadows on the road, -and lay cunningly on its back to trip him up. All this time it was -incessantly hopping on behind and gaining on him, so that when the boy -got to his own door he had reason for being half dead. And even then -it would not leave him, but followed him upstairs with a bump on every -stair, scrambled into bed with him, and bumped down, dead and heavy, on -his breast when he fell asleep. - -From his oppressed slumber, Young Jerry in his closet was awakened after -daybreak and before sunrise, by the presence of his father in the -family room. Something had gone wrong with him; at least, so Young Jerry -inferred, from the circumstance of his holding Mrs. Cruncher by the -ears, and knocking the back of her head against the head-board of the -bed. - -“I told you I would,” said Mr. Cruncher, “and I did.” - -“Jerry, Jerry, Jerry!” his wife implored. - -“You oppose yourself to the profit of the business,” said Jerry, “and me -and my partners suffer. You was to honour and obey; why the devil don't -you?” - -“I try to be a good wife, Jerry,” the poor woman protested, with tears. - -“Is it being a good wife to oppose your husband's business? Is it -honouring your husband to dishonour his business? Is it obeying your -husband to disobey him on the wital subject of his business?” - -“You hadn't taken to the dreadful business then, Jerry.” - -“It's enough for you,” retorted Mr. Cruncher, “to be the wife of a -honest tradesman, and not to occupy your female mind with calculations -when he took to his trade or when he didn't. A honouring and obeying -wife would let his trade alone altogether. Call yourself a religious -woman? If you're a religious woman, give me a irreligious one! You have -no more nat'ral sense of duty than the bed of this here Thames river has -of a pile, and similarly it must be knocked into you.” - -The altercation was conducted in a low tone of voice, and terminated in -the honest tradesman's kicking off his clay-soiled boots, and lying down -at his length on the floor. After taking a timid peep at him lying on -his back, with his rusty hands under his head for a pillow, his son lay -down too, and fell asleep again. - -There was no fish for breakfast, and not much of anything else. Mr. -Cruncher was out of spirits, and out of temper, and kept an iron pot-lid -by him as a projectile for the correction of Mrs. Cruncher, in case -he should observe any symptoms of her saying Grace. He was brushed -and washed at the usual hour, and set off with his son to pursue his -ostensible calling. - -Young Jerry, walking with the stool under his arm at his father's side -along sunny and crowded Fleet-street, was a very different Young Jerry -from him of the previous night, running home through darkness and -solitude from his grim pursuer. His cunning was fresh with the day, -and his qualms were gone with the night--in which particulars it is not -improbable that he had compeers in Fleet-street and the City of London, -that fine morning. - -“Father,” said Young Jerry, as they walked along: taking care to keep -at arm's length and to have the stool well between them: “what's a -Resurrection-Man?” - -Mr. Cruncher came to a stop on the pavement before he answered, “How -should I know?” - -“I thought you knowed everything, father,” said the artless boy. - -“Hem! Well,” returned Mr. Cruncher, going on again, and lifting off his -hat to give his spikes free play, “he's a tradesman.” - -“What's his goods, father?” asked the brisk Young Jerry. - -“His goods,” said Mr. Cruncher, after turning it over in his mind, “is a -branch of Scientific goods.” - -“Persons' bodies, ain't it, father?” asked the lively boy. - -“I believe it is something of that sort,” said Mr. Cruncher. - -“Oh, father, I should so like to be a Resurrection-Man when I'm quite -growed up!” - -Mr. Cruncher was soothed, but shook his head in a dubious and moral way. -“It depends upon how you dewelop your talents. Be careful to dewelop -your talents, and never to say no more than you can help to nobody, and -there's no telling at the present time what you may not come to be fit -for.” As Young Jerry, thus encouraged, went on a few yards in advance, -to plant the stool in the shadow of the Bar, Mr. Cruncher added to -himself: “Jerry, you honest tradesman, there's hopes wot that boy will -yet be a blessing to you, and a recompense to you for his mother!” - - - - -XV. Knitting - - -There had been earlier drinking than usual in the wine-shop of Monsieur -Defarge. As early as six o'clock in the morning, sallow faces peeping -through its barred windows had descried other faces within, bending over -measures of wine. Monsieur Defarge sold a very thin wine at the best -of times, but it would seem to have been an unusually thin wine that -he sold at this time. A sour wine, moreover, or a souring, for its -influence on the mood of those who drank it was to make them gloomy. No -vivacious Bacchanalian flame leaped out of the pressed grape of Monsieur -Defarge: but, a smouldering fire that burnt in the dark, lay hidden in -the dregs of it. - -This had been the third morning in succession, on which there had been -early drinking at the wine-shop of Monsieur Defarge. It had begun -on Monday, and here was Wednesday come. There had been more of early -brooding than drinking; for, many men had listened and whispered and -slunk about there from the time of the opening of the door, who could -not have laid a piece of money on the counter to save their souls. These -were to the full as interested in the place, however, as if they could -have commanded whole barrels of wine; and they glided from seat to seat, -and from corner to corner, swallowing talk in lieu of drink, with greedy -looks. - -Notwithstanding an unusual flow of company, the master of the wine-shop -was not visible. He was not missed; for, nobody who crossed the -threshold looked for him, nobody asked for him, nobody wondered to see -only Madame Defarge in her seat, presiding over the distribution of -wine, with a bowl of battered small coins before her, as much defaced -and beaten out of their original impress as the small coinage of -humanity from whose ragged pockets they had come. - -A suspended interest and a prevalent absence of mind, were perhaps -observed by the spies who looked in at the wine-shop, as they looked in -at every place, high and low, from the king's palace to the criminal's -gaol. Games at cards languished, players at dominoes musingly built -towers with them, drinkers drew figures on the tables with spilt drops -of wine, Madame Defarge herself picked out the pattern on her sleeve -with her toothpick, and saw and heard something inaudible and invisible -a long way off. - -Thus, Saint Antoine in this vinous feature of his, until midday. It was -high noontide, when two dusty men passed through his streets and under -his swinging lamps: of whom, one was Monsieur Defarge: the other a -mender of roads in a blue cap. All adust and athirst, the two entered -the wine-shop. Their arrival had lighted a kind of fire in the breast -of Saint Antoine, fast spreading as they came along, which stirred and -flickered in flames of faces at most doors and windows. Yet, no one had -followed them, and no man spoke when they entered the wine-shop, though -the eyes of every man there were turned upon them. - -“Good day, gentlemen!” said Monsieur Defarge. - -It may have been a signal for loosening the general tongue. It elicited -an answering chorus of “Good day!” - -“It is bad weather, gentlemen,” said Defarge, shaking his head. - -Upon which, every man looked at his neighbour, and then all cast down -their eyes and sat silent. Except one man, who got up and went out. - -“My wife,” said Defarge aloud, addressing Madame Defarge: “I have -travelled certain leagues with this good mender of roads, called -Jacques. I met him--by accident--a day and half's journey out of Paris. -He is a good child, this mender of roads, called Jacques. Give him to -drink, my wife!” - -A second man got up and went out. Madame Defarge set wine before the -mender of roads called Jacques, who doffed his blue cap to the company, -and drank. In the breast of his blouse he carried some coarse dark -bread; he ate of this between whiles, and sat munching and drinking near -Madame Defarge's counter. A third man got up and went out. - -Defarge refreshed himself with a draught of wine--but, he took less -than was given to the stranger, as being himself a man to whom it was no -rarity--and stood waiting until the countryman had made his breakfast. -He looked at no one present, and no one now looked at him; not even -Madame Defarge, who had taken up her knitting, and was at work. - -“Have you finished your repast, friend?” he asked, in due season. - -“Yes, thank you.” - -“Come, then! You shall see the apartment that I told you you could -occupy. It will suit you to a marvel.” - -Out of the wine-shop into the street, out of the street into a -courtyard, out of the courtyard up a steep staircase, out of the -staircase into a garret--formerly the garret where a white-haired man -sat on a low bench, stooping forward and very busy, making shoes. - -No white-haired man was there now; but, the three men were there who had -gone out of the wine-shop singly. And between them and the white-haired -man afar off, was the one small link, that they had once looked in at -him through the chinks in the wall. - -Defarge closed the door carefully, and spoke in a subdued voice: - -“Jacques One, Jacques Two, Jacques Three! This is the witness -encountered by appointment, by me, Jacques Four. He will tell you all. -Speak, Jacques Five!” - -The mender of roads, blue cap in hand, wiped his swarthy forehead with -it, and said, “Where shall I commence, monsieur?” - -“Commence,” was Monsieur Defarge's not unreasonable reply, “at the -commencement.” - -“I saw him then, messieurs,” began the mender of roads, “a year ago this -running summer, underneath the carriage of the Marquis, hanging by the -chain. Behold the manner of it. I leaving my work on the road, the sun -going to bed, the carriage of the Marquis slowly ascending the hill, he -hanging by the chain--like this.” - -Again the mender of roads went through the whole performance; in which -he ought to have been perfect by that time, seeing that it had been -the infallible resource and indispensable entertainment of his village -during a whole year. - -Jacques One struck in, and asked if he had ever seen the man before? - -“Never,” answered the mender of roads, recovering his perpendicular. - -Jacques Three demanded how he afterwards recognised him then? - -“By his tall figure,” said the mender of roads, softly, and with his -finger at his nose. “When Monsieur the Marquis demands that evening, -'Say, what is he like?' I make response, 'Tall as a spectre.'” - -“You should have said, short as a dwarf,” returned Jacques Two. - -“But what did I know? The deed was not then accomplished, neither did he -confide in me. Observe! Under those circumstances even, I do not -offer my testimony. Monsieur the Marquis indicates me with his finger, -standing near our little fountain, and says, 'To me! Bring that rascal!' -My faith, messieurs, I offer nothing.” - -“He is right there, Jacques,” murmured Defarge, to him who had -interrupted. “Go on!” - -“Good!” said the mender of roads, with an air of mystery. “The tall man -is lost, and he is sought--how many months? Nine, ten, eleven?” - -“No matter, the number,” said Defarge. “He is well hidden, but at last -he is unluckily found. Go on!” - -“I am again at work upon the hill-side, and the sun is again about to -go to bed. I am collecting my tools to descend to my cottage down in the -village below, where it is already dark, when I raise my eyes, and see -coming over the hill six soldiers. In the midst of them is a tall man -with his arms bound--tied to his sides--like this!” - -With the aid of his indispensable cap, he represented a man with his -elbows bound fast at his hips, with cords that were knotted behind him. - -“I stand aside, messieurs, by my heap of stones, to see the soldiers -and their prisoner pass (for it is a solitary road, that, where any -spectacle is well worth looking at), and at first, as they approach, I -see no more than that they are six soldiers with a tall man bound, and -that they are almost black to my sight--except on the side of the sun -going to bed, where they have a red edge, messieurs. Also, I see that -their long shadows are on the hollow ridge on the opposite side of the -road, and are on the hill above it, and are like the shadows of giants. -Also, I see that they are covered with dust, and that the dust moves -with them as they come, tramp, tramp! But when they advance quite near -to me, I recognise the tall man, and he recognises me. Ah, but he would -be well content to precipitate himself over the hill-side once again, as -on the evening when he and I first encountered, close to the same spot!” - -He described it as if he were there, and it was evident that he saw it -vividly; perhaps he had not seen much in his life. - -“I do not show the soldiers that I recognise the tall man; he does not -show the soldiers that he recognises me; we do it, and we know it, with -our eyes. 'Come on!' says the chief of that company, pointing to the -village, 'bring him fast to his tomb!' and they bring him faster. I -follow. His arms are swelled because of being bound so tight, his wooden -shoes are large and clumsy, and he is lame. Because he is lame, and -consequently slow, they drive him with their guns--like this!” - -He imitated the action of a man's being impelled forward by the -butt-ends of muskets. - -“As they descend the hill like madmen running a race, he falls. They -laugh and pick him up again. His face is bleeding and covered with dust, -but he cannot touch it; thereupon they laugh again. They bring him into -the village; all the village runs to look; they take him past the mill, -and up to the prison; all the village sees the prison gate open in the -darkness of the night, and swallow him--like this!” - -He opened his mouth as wide as he could, and shut it with a sounding -snap of his teeth. Observant of his unwillingness to mar the effect by -opening it again, Defarge said, “Go on, Jacques.” - -“All the village,” pursued the mender of roads, on tiptoe and in a low -voice, “withdraws; all the village whispers by the fountain; all the -village sleeps; all the village dreams of that unhappy one, within the -locks and bars of the prison on the crag, and never to come out of it, -except to perish. In the morning, with my tools upon my shoulder, eating -my morsel of black bread as I go, I make a circuit by the prison, on -my way to my work. There I see him, high up, behind the bars of a lofty -iron cage, bloody and dusty as last night, looking through. He has no -hand free, to wave to me; I dare not call to him; he regards me like a -dead man.” - -Defarge and the three glanced darkly at one another. The looks of all -of them were dark, repressed, and revengeful, as they listened to the -countryman's story; the manner of all of them, while it was secret, was -authoritative too. They had the air of a rough tribunal; Jacques One -and Two sitting on the old pallet-bed, each with his chin resting on -his hand, and his eyes intent on the road-mender; Jacques Three, equally -intent, on one knee behind them, with his agitated hand always gliding -over the network of fine nerves about his mouth and nose; Defarge -standing between them and the narrator, whom he had stationed in the -light of the window, by turns looking from him to them, and from them to -him. - -“Go on, Jacques,” said Defarge. - -“He remains up there in his iron cage some days. The village looks -at him by stealth, for it is afraid. But it always looks up, from a -distance, at the prison on the crag; and in the evening, when the work -of the day is achieved and it assembles to gossip at the fountain, all -faces are turned towards the prison. Formerly, they were turned towards -the posting-house; now, they are turned towards the prison. They -whisper at the fountain, that although condemned to death he will not be -executed; they say that petitions have been presented in Paris, showing -that he was enraged and made mad by the death of his child; they say -that a petition has been presented to the King himself. What do I know? -It is possible. Perhaps yes, perhaps no.” - -“Listen then, Jacques,” Number One of that name sternly interposed. -“Know that a petition was presented to the King and Queen. All here, -yourself excepted, saw the King take it, in his carriage in the street, -sitting beside the Queen. It is Defarge whom you see here, who, at the -hazard of his life, darted out before the horses, with the petition in -his hand.” - -“And once again listen, Jacques!” said the kneeling Number Three: -his fingers ever wandering over and over those fine nerves, with a -strikingly greedy air, as if he hungered for something--that was neither -food nor drink; “the guard, horse and foot, surrounded the petitioner, -and struck him blows. You hear?” - -“I hear, messieurs.” - -“Go on then,” said Defarge. - -“Again; on the other hand, they whisper at the fountain,” resumed the -countryman, “that he is brought down into our country to be executed on -the spot, and that he will very certainly be executed. They even whisper -that because he has slain Monseigneur, and because Monseigneur was the -father of his tenants--serfs--what you will--he will be executed as a -parricide. One old man says at the fountain, that his right hand, armed -with the knife, will be burnt off before his face; that, into wounds -which will be made in his arms, his breast, and his legs, there will be -poured boiling oil, melted lead, hot resin, wax, and sulphur; finally, -that he will be torn limb from limb by four strong horses. That old man -says, all this was actually done to a prisoner who made an attempt on -the life of the late King, Louis Fifteen. But how do I know if he lies? -I am not a scholar.” - -“Listen once again then, Jacques!” said the man with the restless hand -and the craving air. “The name of that prisoner was Damiens, and it was -all done in open day, in the open streets of this city of Paris; and -nothing was more noticed in the vast concourse that saw it done, than -the crowd of ladies of quality and fashion, who were full of eager -attention to the last--to the last, Jacques, prolonged until nightfall, -when he had lost two legs and an arm, and still breathed! And it was -done--why, how old are you?” - -“Thirty-five,” said the mender of roads, who looked sixty. - -“It was done when you were more than ten years old; you might have seen -it.” - -“Enough!” said Defarge, with grim impatience. “Long live the Devil! Go -on.” - -“Well! Some whisper this, some whisper that; they speak of nothing else; -even the fountain appears to fall to that tune. At length, on Sunday -night when all the village is asleep, come soldiers, winding down from -the prison, and their guns ring on the stones of the little street. -Workmen dig, workmen hammer, soldiers laugh and sing; in the morning, by -the fountain, there is raised a gallows forty feet high, poisoning the -water.” - -The mender of roads looked _through_ rather than _at_ the low ceiling, -and pointed as if he saw the gallows somewhere in the sky. - -“All work is stopped, all assemble there, nobody leads the cows out, -the cows are there with the rest. At midday, the roll of drums. Soldiers -have marched into the prison in the night, and he is in the midst -of many soldiers. He is bound as before, and in his mouth there is -a gag--tied so, with a tight string, making him look almost as if he -laughed.” He suggested it, by creasing his face with his two thumbs, -from the corners of his mouth to his ears. “On the top of the gallows is -fixed the knife, blade upwards, with its point in the air. He is hanged -there forty feet high--and is left hanging, poisoning the water.” - -They looked at one another, as he used his blue cap to wipe his face, -on which the perspiration had started afresh while he recalled the -spectacle. - -“It is frightful, messieurs. How can the women and the children draw -water! Who can gossip of an evening, under that shadow! Under it, have -I said? When I left the village, Monday evening as the sun was going to -bed, and looked back from the hill, the shadow struck across the church, -across the mill, across the prison--seemed to strike across the earth, -messieurs, to where the sky rests upon it!” - -The hungry man gnawed one of his fingers as he looked at the other -three, and his finger quivered with the craving that was on him. - -“That's all, messieurs. I left at sunset (as I had been warned to do), -and I walked on, that night and half next day, until I met (as I was -warned I should) this comrade. With him, I came on, now riding and now -walking, through the rest of yesterday and through last night. And here -you see me!” - -After a gloomy silence, the first Jacques said, “Good! You have acted -and recounted faithfully. Will you wait for us a little, outside the -door?” - -“Very willingly,” said the mender of roads. Whom Defarge escorted to the -top of the stairs, and, leaving seated there, returned. - -The three had risen, and their heads were together when he came back to -the garret. - -“How say you, Jacques?” demanded Number One. “To be registered?” - -“To be registered, as doomed to destruction,” returned Defarge. - -“Magnificent!” croaked the man with the craving. - -“The chateau, and all the race?” inquired the first. - -“The chateau and all the race,” returned Defarge. “Extermination.” - -The hungry man repeated, in a rapturous croak, “Magnificent!” and began -gnawing another finger. - -“Are you sure,” asked Jacques Two, of Defarge, “that no embarrassment -can arise from our manner of keeping the register? Without doubt it is -safe, for no one beyond ourselves can decipher it; but shall we always -be able to decipher it--or, I ought to say, will she?” - -“Jacques,” returned Defarge, drawing himself up, “if madame my wife -undertook to keep the register in her memory alone, she would not lose -a word of it--not a syllable of it. Knitted, in her own stitches and her -own symbols, it will always be as plain to her as the sun. Confide in -Madame Defarge. It would be easier for the weakest poltroon that lives, -to erase himself from existence, than to erase one letter of his name or -crimes from the knitted register of Madame Defarge.” - -There was a murmur of confidence and approval, and then the man who -hungered, asked: “Is this rustic to be sent back soon? I hope so. He is -very simple; is he not a little dangerous?” - -“He knows nothing,” said Defarge; “at least nothing more than would -easily elevate himself to a gallows of the same height. I charge myself -with him; let him remain with me; I will take care of him, and set him -on his road. He wishes to see the fine world--the King, the Queen, and -Court; let him see them on Sunday.” - -“What?” exclaimed the hungry man, staring. “Is it a good sign, that he -wishes to see Royalty and Nobility?” - -“Jacques,” said Defarge; “judiciously show a cat milk, if you wish her -to thirst for it. Judiciously show a dog his natural prey, if you wish -him to bring it down one day.” - -Nothing more was said, and the mender of roads, being found already -dozing on the topmost stair, was advised to lay himself down on the -pallet-bed and take some rest. He needed no persuasion, and was soon -asleep. - -Worse quarters than Defarge's wine-shop, could easily have been found -in Paris for a provincial slave of that degree. Saving for a mysterious -dread of madame by which he was constantly haunted, his life was very -new and agreeable. But, madame sat all day at her counter, so expressly -unconscious of him, and so particularly determined not to perceive that -his being there had any connection with anything below the surface, that -he shook in his wooden shoes whenever his eye lighted on her. For, he -contended with himself that it was impossible to foresee what that lady -might pretend next; and he felt assured that if she should take it -into her brightly ornamented head to pretend that she had seen him do a -murder and afterwards flay the victim, she would infallibly go through -with it until the play was played out. - -Therefore, when Sunday came, the mender of roads was not enchanted -(though he said he was) to find that madame was to accompany monsieur -and himself to Versailles. It was additionally disconcerting to have -madame knitting all the way there, in a public conveyance; it was -additionally disconcerting yet, to have madame in the crowd in the -afternoon, still with her knitting in her hands as the crowd waited to -see the carriage of the King and Queen. - -“You work hard, madame,” said a man near her. - -“Yes,” answered Madame Defarge; “I have a good deal to do.” - -“What do you make, madame?” - -“Many things.” - -“For instance--” - -“For instance,” returned Madame Defarge, composedly, “shrouds.” - -The man moved a little further away, as soon as he could, and the mender -of roads fanned himself with his blue cap: feeling it mightily close -and oppressive. If he needed a King and Queen to restore him, he was -fortunate in having his remedy at hand; for, soon the large-faced King -and the fair-faced Queen came in their golden coach, attended by the -shining Bull's Eye of their Court, a glittering multitude of laughing -ladies and fine lords; and in jewels and silks and powder and splendour -and elegantly spurning figures and handsomely disdainful faces of both -sexes, the mender of roads bathed himself, so much to his temporary -intoxication, that he cried Long live the King, Long live the Queen, -Long live everybody and everything! as if he had never heard of -ubiquitous Jacques in his time. Then, there were gardens, courtyards, -terraces, fountains, green banks, more King and Queen, more Bull's Eye, -more lords and ladies, more Long live they all! until he absolutely wept -with sentiment. During the whole of this scene, which lasted some three -hours, he had plenty of shouting and weeping and sentimental company, -and throughout Defarge held him by the collar, as if to restrain him -from flying at the objects of his brief devotion and tearing them to -pieces. - -“Bravo!” said Defarge, clapping him on the back when it was over, like a -patron; “you are a good boy!” - -The mender of roads was now coming to himself, and was mistrustful of -having made a mistake in his late demonstrations; but no. - -“You are the fellow we want,” said Defarge, in his ear; “you make -these fools believe that it will last for ever. Then, they are the more -insolent, and it is the nearer ended.” - -“Hey!” cried the mender of roads, reflectively; “that's true.” - -“These fools know nothing. While they despise your breath, and would -stop it for ever and ever, in you or in a hundred like you rather than -in one of their own horses or dogs, they only know what your breath -tells them. Let it deceive them, then, a little longer; it cannot -deceive them too much.” - -Madame Defarge looked superciliously at the client, and nodded in -confirmation. - -“As to you,” said she, “you would shout and shed tears for anything, if -it made a show and a noise. Say! Would you not?” - -“Truly, madame, I think so. For the moment.” - -“If you were shown a great heap of dolls, and were set upon them to -pluck them to pieces and despoil them for your own advantage, you would -pick out the richest and gayest. Say! Would you not?” - -“Truly yes, madame.” - -“Yes. And if you were shown a flock of birds, unable to fly, and were -set upon them to strip them of their feathers for your own advantage, -you would set upon the birds of the finest feathers; would you not?” - -“It is true, madame.” - -“You have seen both dolls and birds to-day,” said Madame Defarge, with -a wave of her hand towards the place where they had last been apparent; -“now, go home!” - - - - -XVI. Still Knitting - - -Madame Defarge and monsieur her husband returned amicably to the -bosom of Saint Antoine, while a speck in a blue cap toiled through the -darkness, and through the dust, and down the weary miles of avenue by -the wayside, slowly tending towards that point of the compass where -the chateau of Monsieur the Marquis, now in his grave, listened to -the whispering trees. Such ample leisure had the stone faces, now, -for listening to the trees and to the fountain, that the few village -scarecrows who, in their quest for herbs to eat and fragments of dead -stick to burn, strayed within sight of the great stone courtyard and -terrace staircase, had it borne in upon their starved fancy that -the expression of the faces was altered. A rumour just lived in the -village--had a faint and bare existence there, as its people had--that -when the knife struck home, the faces changed, from faces of pride to -faces of anger and pain; also, that when that dangling figure was hauled -up forty feet above the fountain, they changed again, and bore a cruel -look of being avenged, which they would henceforth bear for ever. In the -stone face over the great window of the bed-chamber where the murder -was done, two fine dints were pointed out in the sculptured nose, which -everybody recognised, and which nobody had seen of old; and on the -scarce occasions when two or three ragged peasants emerged from the -crowd to take a hurried peep at Monsieur the Marquis petrified, a -skinny finger would not have pointed to it for a minute, before they all -started away among the moss and leaves, like the more fortunate hares -who could find a living there. - -Chateau and hut, stone face and dangling figure, the red stain on the -stone floor, and the pure water in the village well--thousands of acres -of land--a whole province of France--all France itself--lay under the -night sky, concentrated into a faint hair-breadth line. So does a whole -world, with all its greatnesses and littlenesses, lie in a twinkling -star. And as mere human knowledge can split a ray of light and analyse -the manner of its composition, so, sublimer intelligences may read in -the feeble shining of this earth of ours, every thought and act, every -vice and virtue, of every responsible creature on it. - -The Defarges, husband and wife, came lumbering under the starlight, -in their public vehicle, to that gate of Paris whereunto their -journey naturally tended. There was the usual stoppage at the barrier -guardhouse, and the usual lanterns came glancing forth for the usual -examination and inquiry. Monsieur Defarge alighted; knowing one or two -of the soldiery there, and one of the police. The latter he was intimate -with, and affectionately embraced. - -When Saint Antoine had again enfolded the Defarges in his dusky wings, -and they, having finally alighted near the Saint's boundaries, were -picking their way on foot through the black mud and offal of his -streets, Madame Defarge spoke to her husband: - -“Say then, my friend; what did Jacques of the police tell thee?” - -“Very little to-night, but all he knows. There is another spy -commissioned for our quarter. There may be many more, for all that he -can say, but he knows of one.” - -“Eh well!” said Madame Defarge, raising her eyebrows with a cool -business air. “It is necessary to register him. How do they call that -man?” - -“He is English.” - -“So much the better. His name?” - -“Barsad,” said Defarge, making it French by pronunciation. But, he had -been so careful to get it accurately, that he then spelt it with perfect -correctness. - -“Barsad,” repeated madame. “Good. Christian name?” - -“John.” - -“John Barsad,” repeated madame, after murmuring it once to herself. -“Good. His appearance; is it known?” - -“Age, about forty years; height, about five feet nine; black hair; -complexion dark; generally, rather handsome visage; eyes dark, face -thin, long, and sallow; nose aquiline, but not straight, having a -peculiar inclination towards the left cheek; expression, therefore, -sinister.” - -“Eh my faith. It is a portrait!” said madame, laughing. “He shall be -registered to-morrow.” - -They turned into the wine-shop, which was closed (for it was midnight), -and where Madame Defarge immediately took her post at her desk, counted -the small moneys that had been taken during her absence, examined the -stock, went through the entries in the book, made other entries of -her own, checked the serving man in every possible way, and finally -dismissed him to bed. Then she turned out the contents of the bowl -of money for the second time, and began knotting them up in her -handkerchief, in a chain of separate knots, for safe keeping through the -night. All this while, Defarge, with his pipe in his mouth, walked -up and down, complacently admiring, but never interfering; in which -condition, indeed, as to the business and his domestic affairs, he -walked up and down through life. - -The night was hot, and the shop, close shut and surrounded by so foul a -neighbourhood, was ill-smelling. Monsieur Defarge's olfactory sense was -by no means delicate, but the stock of wine smelt much stronger than -it ever tasted, and so did the stock of rum and brandy and aniseed. He -whiffed the compound of scents away, as he put down his smoked-out pipe. - -“You are fatigued,” said madame, raising her glance as she knotted the -money. “There are only the usual odours.” - -“I am a little tired,” her husband acknowledged. - -“You are a little depressed, too,” said madame, whose quick eyes had -never been so intent on the accounts, but they had had a ray or two for -him. “Oh, the men, the men!” - -“But my dear!” began Defarge. - -“But my dear!” repeated madame, nodding firmly; “but my dear! You are -faint of heart to-night, my dear!” - -“Well, then,” said Defarge, as if a thought were wrung out of his -breast, “it _is_ a long time.” - -“It is a long time,” repeated his wife; “and when is it not a long time? -Vengeance and retribution require a long time; it is the rule.” - -“It does not take a long time to strike a man with Lightning,” said -Defarge. - -“How long,” demanded madame, composedly, “does it take to make and store -the lightning? Tell me.” - -Defarge raised his head thoughtfully, as if there were something in that -too. - -“It does not take a long time,” said madame, “for an earthquake to -swallow a town. Eh well! Tell me how long it takes to prepare the -earthquake?” - -“A long time, I suppose,” said Defarge. - -“But when it is ready, it takes place, and grinds to pieces everything -before it. In the meantime, it is always preparing, though it is not -seen or heard. That is your consolation. Keep it.” - -She tied a knot with flashing eyes, as if it throttled a foe. - -“I tell thee,” said madame, extending her right hand, for emphasis, -“that although it is a long time on the road, it is on the road and -coming. I tell thee it never retreats, and never stops. I tell thee it -is always advancing. Look around and consider the lives of all the world -that we know, consider the faces of all the world that we know, consider -the rage and discontent to which the Jacquerie addresses itself with -more and more of certainty every hour. Can such things last? Bah! I mock -you.” - -“My brave wife,” returned Defarge, standing before her with his head -a little bent, and his hands clasped at his back, like a docile and -attentive pupil before his catechist, “I do not question all this. But -it has lasted a long time, and it is possible--you know well, my wife, -it is possible--that it may not come, during our lives.” - -“Eh well! How then?” demanded madame, tying another knot, as if there -were another enemy strangled. - -“Well!” said Defarge, with a half complaining and half apologetic shrug. -“We shall not see the triumph.” - -“We shall have helped it,” returned madame, with her extended hand in -strong action. “Nothing that we do, is done in vain. I believe, with all -my soul, that we shall see the triumph. But even if not, even if I knew -certainly not, show me the neck of an aristocrat and tyrant, and still I -would--” - -Then madame, with her teeth set, tied a very terrible knot indeed. - -“Hold!” cried Defarge, reddening a little as if he felt charged with -cowardice; “I too, my dear, will stop at nothing.” - -“Yes! But it is your weakness that you sometimes need to see your victim -and your opportunity, to sustain you. Sustain yourself without that. -When the time comes, let loose a tiger and a devil; but wait for the -time with the tiger and the devil chained--not shown--yet always ready.” - -Madame enforced the conclusion of this piece of advice by striking her -little counter with her chain of money as if she knocked its brains -out, and then gathering the heavy handkerchief under her arm in a serene -manner, and observing that it was time to go to bed. - -Next noontide saw the admirable woman in her usual place in the -wine-shop, knitting away assiduously. A rose lay beside her, and if she -now and then glanced at the flower, it was with no infraction of her -usual preoccupied air. There were a few customers, drinking or not -drinking, standing or seated, sprinkled about. The day was very hot, -and heaps of flies, who were extending their inquisitive and adventurous -perquisitions into all the glutinous little glasses near madame, fell -dead at the bottom. Their decease made no impression on the other flies -out promenading, who looked at them in the coolest manner (as if they -themselves were elephants, or something as far removed), until they met -the same fate. Curious to consider how heedless flies are!--perhaps they -thought as much at Court that sunny summer day. - -A figure entering at the door threw a shadow on Madame Defarge which she -felt to be a new one. She laid down her knitting, and began to pin her -rose in her head-dress, before she looked at the figure. - -It was curious. The moment Madame Defarge took up the rose, the -customers ceased talking, and began gradually to drop out of the -wine-shop. - -“Good day, madame,” said the new-comer. - -“Good day, monsieur.” - -She said it aloud, but added to herself, as she resumed her knitting: -“Hah! Good day, age about forty, height about five feet nine, black -hair, generally rather handsome visage, complexion dark, eyes dark, -thin, long and sallow face, aquiline nose but not straight, having a -peculiar inclination towards the left cheek which imparts a sinister -expression! Good day, one and all!” - -“Have the goodness to give me a little glass of old cognac, and a -mouthful of cool fresh water, madame.” - -Madame complied with a polite air. - -“Marvellous cognac this, madame!” - -It was the first time it had ever been so complimented, and Madame -Defarge knew enough of its antecedents to know better. She said, -however, that the cognac was flattered, and took up her knitting. The -visitor watched her fingers for a few moments, and took the opportunity -of observing the place in general. - -“You knit with great skill, madame.” - -“I am accustomed to it.” - -“A pretty pattern too!” - -“_You_ think so?” said madame, looking at him with a smile. - -“Decidedly. May one ask what it is for?” - -“Pastime,” said madame, still looking at him with a smile while her -fingers moved nimbly. - -“Not for use?” - -“That depends. I may find a use for it one day. If I do--Well,” said -madame, drawing a breath and nodding her head with a stern kind of -coquetry, “I'll use it!” - -It was remarkable; but, the taste of Saint Antoine seemed to be -decidedly opposed to a rose on the head-dress of Madame Defarge. Two -men had entered separately, and had been about to order drink, when, -catching sight of that novelty, they faltered, made a pretence of -looking about as if for some friend who was not there, and went away. -Nor, of those who had been there when this visitor entered, was there -one left. They had all dropped off. The spy had kept his eyes open, -but had been able to detect no sign. They had lounged away in a -poverty-stricken, purposeless, accidental manner, quite natural and -unimpeachable. - -“_John_,” thought madame, checking off her work as her fingers knitted, -and her eyes looked at the stranger. “Stay long enough, and I shall knit -'BARSAD' before you go.” - -“You have a husband, madame?” - -“I have.” - -“Children?” - -“No children.” - -“Business seems bad?” - -“Business is very bad; the people are so poor.” - -“Ah, the unfortunate, miserable people! So oppressed, too--as you say.” - -“As _you_ say,” madame retorted, correcting him, and deftly knitting an -extra something into his name that boded him no good. - -“Pardon me; certainly it was I who said so, but you naturally think so. -Of course.” - -“_I_ think?” returned madame, in a high voice. “I and my husband have -enough to do to keep this wine-shop open, without thinking. All we -think, here, is how to live. That is the subject _we_ think of, and -it gives us, from morning to night, enough to think about, without -embarrassing our heads concerning others. _I_ think for others? No, no.” - -The spy, who was there to pick up any crumbs he could find or make, did -not allow his baffled state to express itself in his sinister face; but, -stood with an air of gossiping gallantry, leaning his elbow on Madame -Defarge's little counter, and occasionally sipping his cognac. - -“A bad business this, madame, of Gaspard's execution. Ah! the poor -Gaspard!” With a sigh of great compassion. - -“My faith!” returned madame, coolly and lightly, “if people use knives -for such purposes, they have to pay for it. He knew beforehand what the -price of his luxury was; he has paid the price.” - -“I believe,” said the spy, dropping his soft voice to a tone -that invited confidence, and expressing an injured revolutionary -susceptibility in every muscle of his wicked face: “I believe there -is much compassion and anger in this neighbourhood, touching the poor -fellow? Between ourselves.” - -“Is there?” asked madame, vacantly. - -“Is there not?” - -“--Here is my husband!” said Madame Defarge. - -As the keeper of the wine-shop entered at the door, the spy saluted -him by touching his hat, and saying, with an engaging smile, “Good day, -Jacques!” Defarge stopped short, and stared at him. - -“Good day, Jacques!” the spy repeated; with not quite so much -confidence, or quite so easy a smile under the stare. - -“You deceive yourself, monsieur,” returned the keeper of the wine-shop. -“You mistake me for another. That is not my name. I am Ernest Defarge.” - -“It is all the same,” said the spy, airily, but discomfited too: “good -day!” - -“Good day!” answered Defarge, drily. - -“I was saying to madame, with whom I had the pleasure of chatting when -you entered, that they tell me there is--and no wonder!--much sympathy -and anger in Saint Antoine, touching the unhappy fate of poor Gaspard.” - -“No one has told me so,” said Defarge, shaking his head. “I know nothing -of it.” - -Having said it, he passed behind the little counter, and stood with his -hand on the back of his wife's chair, looking over that barrier at the -person to whom they were both opposed, and whom either of them would -have shot with the greatest satisfaction. - -The spy, well used to his business, did not change his unconscious -attitude, but drained his little glass of cognac, took a sip of fresh -water, and asked for another glass of cognac. Madame Defarge poured it -out for him, took to her knitting again, and hummed a little song over -it. - -“You seem to know this quarter well; that is to say, better than I do?” - observed Defarge. - -“Not at all, but I hope to know it better. I am so profoundly interested -in its miserable inhabitants.” - -“Hah!” muttered Defarge. - -“The pleasure of conversing with you, Monsieur Defarge, recalls to me,” - pursued the spy, “that I have the honour of cherishing some interesting -associations with your name.” - -“Indeed!” said Defarge, with much indifference. - -“Yes, indeed. When Doctor Manette was released, you, his old domestic, -had the charge of him, I know. He was delivered to you. You see I am -informed of the circumstances?” - -“Such is the fact, certainly,” said Defarge. He had had it conveyed -to him, in an accidental touch of his wife's elbow as she knitted and -warbled, that he would do best to answer, but always with brevity. - -“It was to you,” said the spy, “that his daughter came; and it was -from your care that his daughter took him, accompanied by a neat brown -monsieur; how is he called?--in a little wig--Lorry--of the bank of -Tellson and Company--over to England.” - -“Such is the fact,” repeated Defarge. - -“Very interesting remembrances!” said the spy. “I have known Doctor -Manette and his daughter, in England.” - -“Yes?” said Defarge. - -“You don't hear much about them now?” said the spy. - -“No,” said Defarge. - -“In effect,” madame struck in, looking up from her work and her little -song, “we never hear about them. We received the news of their safe -arrival, and perhaps another letter, or perhaps two; but, since then, -they have gradually taken their road in life--we, ours--and we have held -no correspondence.” - -“Perfectly so, madame,” replied the spy. “She is going to be married.” - -“Going?” echoed madame. “She was pretty enough to have been married long -ago. You English are cold, it seems to me.” - -“Oh! You know I am English.” - -“I perceive your tongue is,” returned madame; “and what the tongue is, I -suppose the man is.” - -He did not take the identification as a compliment; but he made the best -of it, and turned it off with a laugh. After sipping his cognac to the -end, he added: - -“Yes, Miss Manette is going to be married. But not to an Englishman; to -one who, like herself, is French by birth. And speaking of Gaspard (ah, -poor Gaspard! It was cruel, cruel!), it is a curious thing that she is -going to marry the nephew of Monsieur the Marquis, for whom Gaspard -was exalted to that height of so many feet; in other words, the present -Marquis. But he lives unknown in England, he is no Marquis there; he is -Mr. Charles Darnay. D'Aulnais is the name of his mother's family.” - -Madame Defarge knitted steadily, but the intelligence had a palpable -effect upon her husband. Do what he would, behind the little counter, -as to the striking of a light and the lighting of his pipe, he was -troubled, and his hand was not trustworthy. The spy would have been no -spy if he had failed to see it, or to record it in his mind. - -Having made, at least, this one hit, whatever it might prove to be -worth, and no customers coming in to help him to any other, Mr. Barsad -paid for what he had drunk, and took his leave: taking occasion to say, -in a genteel manner, before he departed, that he looked forward to the -pleasure of seeing Monsieur and Madame Defarge again. For some minutes -after he had emerged into the outer presence of Saint Antoine, the -husband and wife remained exactly as he had left them, lest he should -come back. - -“Can it be true,” said Defarge, in a low voice, looking down at his wife -as he stood smoking with his hand on the back of her chair: “what he has -said of Ma'amselle Manette?” - -“As he has said it,” returned madame, lifting her eyebrows a little, “it -is probably false. But it may be true.” - -“If it is--” Defarge began, and stopped. - -“If it is?” repeated his wife. - -“--And if it does come, while we live to see it triumph--I hope, for her -sake, Destiny will keep her husband out of France.” - -“Her husband's destiny,” said Madame Defarge, with her usual composure, -“will take him where he is to go, and will lead him to the end that is -to end him. That is all I know.” - -“But it is very strange--now, at least, is it not very strange”--said -Defarge, rather pleading with his wife to induce her to admit it, -“that, after all our sympathy for Monsieur her father, and herself, her -husband's name should be proscribed under your hand at this moment, by -the side of that infernal dog's who has just left us?” - -“Stranger things than that will happen when it does come,” answered -madame. “I have them both here, of a certainty; and they are both here -for their merits; that is enough.” - -She rolled up her knitting when she had said those words, and presently -took the rose out of the handkerchief that was wound about her head. -Either Saint Antoine had an instinctive sense that the objectionable -decoration was gone, or Saint Antoine was on the watch for its -disappearance; howbeit, the Saint took courage to lounge in, very -shortly afterwards, and the wine-shop recovered its habitual aspect. - -In the evening, at which season of all others Saint Antoine turned -himself inside out, and sat on door-steps and window-ledges, and came -to the corners of vile streets and courts, for a breath of air, Madame -Defarge with her work in her hand was accustomed to pass from place -to place and from group to group: a Missionary--there were many like -her--such as the world will do well never to breed again. All the women -knitted. They knitted worthless things; but, the mechanical work was a -mechanical substitute for eating and drinking; the hands moved for the -jaws and the digestive apparatus: if the bony fingers had been still, -the stomachs would have been more famine-pinched. - -But, as the fingers went, the eyes went, and the thoughts. And as Madame -Defarge moved on from group to group, all three went quicker and fiercer -among every little knot of women that she had spoken with, and left -behind. - -Her husband smoked at his door, looking after her with admiration. “A -great woman,” said he, “a strong woman, a grand woman, a frightfully -grand woman!” - -Darkness closed around, and then came the ringing of church bells and -the distant beating of the military drums in the Palace Courtyard, as -the women sat knitting, knitting. Darkness encompassed them. Another -darkness was closing in as surely, when the church bells, then ringing -pleasantly in many an airy steeple over France, should be melted into -thundering cannon; when the military drums should be beating to drown a -wretched voice, that night all potent as the voice of Power and Plenty, -Freedom and Life. So much was closing in about the women who sat -knitting, knitting, that they their very selves were closing in around -a structure yet unbuilt, where they were to sit knitting, knitting, -counting dropping heads. - - - - -XVII. One Night - - -Never did the sun go down with a brighter glory on the quiet corner in -Soho, than one memorable evening when the Doctor and his daughter sat -under the plane-tree together. Never did the moon rise with a milder -radiance over great London, than on that night when it found them still -seated under the tree, and shone upon their faces through its leaves. - -Lucie was to be married to-morrow. She had reserved this last evening -for her father, and they sat alone under the plane-tree. - -“You are happy, my dear father?” - -“Quite, my child.” - -They had said little, though they had been there a long time. When it -was yet light enough to work and read, she had neither engaged herself -in her usual work, nor had she read to him. She had employed herself in -both ways, at his side under the tree, many and many a time; but, this -time was not quite like any other, and nothing could make it so. - -“And I am very happy to-night, dear father. I am deeply happy in the -love that Heaven has so blessed--my love for Charles, and Charles's love -for me. But, if my life were not to be still consecrated to you, or -if my marriage were so arranged as that it would part us, even by -the length of a few of these streets, I should be more unhappy and -self-reproachful now than I can tell you. Even as it is--” - -Even as it was, she could not command her voice. - -In the sad moonlight, she clasped him by the neck, and laid her face -upon his breast. In the moonlight which is always sad, as the light of -the sun itself is--as the light called human life is--at its coming and -its going. - -“Dearest dear! Can you tell me, this last time, that you feel quite, -quite sure, no new affections of mine, and no new duties of mine, will -ever interpose between us? _I_ know it well, but do you know it? In your -own heart, do you feel quite certain?” - -Her father answered, with a cheerful firmness of conviction he could -scarcely have assumed, “Quite sure, my darling! More than that,” he -added, as he tenderly kissed her: “my future is far brighter, Lucie, -seen through your marriage, than it could have been--nay, than it ever -was--without it.” - -“If I could hope _that_, my father!--” - -“Believe it, love! Indeed it is so. Consider how natural and how plain -it is, my dear, that it should be so. You, devoted and young, cannot -fully appreciate the anxiety I have felt that your life should not be -wasted--” - -She moved her hand towards his lips, but he took it in his, and repeated -the word. - -“--wasted, my child--should not be wasted, struck aside from the -natural order of things--for my sake. Your unselfishness cannot entirely -comprehend how much my mind has gone on this; but, only ask yourself, -how could my happiness be perfect, while yours was incomplete?” - -“If I had never seen Charles, my father, I should have been quite happy -with you.” - -He smiled at her unconscious admission that she would have been unhappy -without Charles, having seen him; and replied: - -“My child, you did see him, and it is Charles. If it had not been -Charles, it would have been another. Or, if it had been no other, I -should have been the cause, and then the dark part of my life would have -cast its shadow beyond myself, and would have fallen on you.” - -It was the first time, except at the trial, of her ever hearing him -refer to the period of his suffering. It gave her a strange and new -sensation while his words were in her ears; and she remembered it long -afterwards. - -“See!” said the Doctor of Beauvais, raising his hand towards the moon. -“I have looked at her from my prison-window, when I could not bear her -light. I have looked at her when it has been such torture to me to think -of her shining upon what I had lost, that I have beaten my head against -my prison-walls. I have looked at her, in a state so dull and lethargic, -that I have thought of nothing but the number of horizontal lines I -could draw across her at the full, and the number of perpendicular lines -with which I could intersect them.” He added in his inward and pondering -manner, as he looked at the moon, “It was twenty either way, I remember, -and the twentieth was difficult to squeeze in.” - -The strange thrill with which she heard him go back to that time, -deepened as he dwelt upon it; but, there was nothing to shock her in -the manner of his reference. He only seemed to contrast his present -cheerfulness and felicity with the dire endurance that was over. - -“I have looked at her, speculating thousands of times upon the unborn -child from whom I had been rent. Whether it was alive. Whether it had -been born alive, or the poor mother's shock had killed it. Whether it -was a son who would some day avenge his father. (There was a time in my -imprisonment, when my desire for vengeance was unbearable.) Whether it -was a son who would never know his father's story; who might even live -to weigh the possibility of his father's having disappeared of his own -will and act. Whether it was a daughter who would grow to be a woman.” - -She drew closer to him, and kissed his cheek and his hand. - -“I have pictured my daughter, to myself, as perfectly forgetful of -me--rather, altogether ignorant of me, and unconscious of me. I have -cast up the years of her age, year after year. I have seen her married -to a man who knew nothing of my fate. I have altogether perished from -the remembrance of the living, and in the next generation my place was a -blank.” - -“My father! Even to hear that you had such thoughts of a daughter who -never existed, strikes to my heart as if I had been that child.” - -“You, Lucie? It is out of the Consolation and restoration you have -brought to me, that these remembrances arise, and pass between us and -the moon on this last night.--What did I say just now?” - -“She knew nothing of you. She cared nothing for you.” - -“So! But on other moonlight nights, when the sadness and the silence -have touched me in a different way--have affected me with something as -like a sorrowful sense of peace, as any emotion that had pain for its -foundations could--I have imagined her as coming to me in my cell, and -leading me out into the freedom beyond the fortress. I have seen her -image in the moonlight often, as I now see you; except that I never held -her in my arms; it stood between the little grated window and the door. -But, you understand that that was not the child I am speaking of?” - -“The figure was not; the--the--image; the fancy?” - -“No. That was another thing. It stood before my disturbed sense of -sight, but it never moved. The phantom that my mind pursued, was another -and more real child. Of her outward appearance I know no more than -that she was like her mother. The other had that likeness too--as you -have--but was not the same. Can you follow me, Lucie? Hardly, I think? -I doubt you must have been a solitary prisoner to understand these -perplexed distinctions.” - -His collected and calm manner could not prevent her blood from running -cold, as he thus tried to anatomise his old condition. - -“In that more peaceful state, I have imagined her, in the moonlight, -coming to me and taking me out to show me that the home of her married -life was full of her loving remembrance of her lost father. My picture -was in her room, and I was in her prayers. Her life was active, -cheerful, useful; but my poor history pervaded it all.” - -“I was that child, my father, I was not half so good, but in my love -that was I.” - -“And she showed me her children,” said the Doctor of Beauvais, “and -they had heard of me, and had been taught to pity me. When they passed -a prison of the State, they kept far from its frowning walls, and looked -up at its bars, and spoke in whispers. She could never deliver me; I -imagined that she always brought me back after showing me such things. -But then, blessed with the relief of tears, I fell upon my knees, and -blessed her.” - -“I am that child, I hope, my father. O my dear, my dear, will you bless -me as fervently to-morrow?” - -“Lucie, I recall these old troubles in the reason that I have to-night -for loving you better than words can tell, and thanking God for my great -happiness. My thoughts, when they were wildest, never rose near the -happiness that I have known with you, and that we have before us.” - -He embraced her, solemnly commended her to Heaven, and humbly thanked -Heaven for having bestowed her on him. By-and-bye, they went into the -house. - -There was no one bidden to the marriage but Mr. Lorry; there was even to -be no bridesmaid but the gaunt Miss Pross. The marriage was to make no -change in their place of residence; they had been able to extend it, -by taking to themselves the upper rooms formerly belonging to the -apocryphal invisible lodger, and they desired nothing more. - -Doctor Manette was very cheerful at the little supper. They were only -three at table, and Miss Pross made the third. He regretted that Charles -was not there; was more than half disposed to object to the loving -little plot that kept him away; and drank to him affectionately. - -So, the time came for him to bid Lucie good night, and they separated. -But, in the stillness of the third hour of the morning, Lucie came -downstairs again, and stole into his room; not free from unshaped fears, -beforehand. - -All things, however, were in their places; all was quiet; and he lay -asleep, his white hair picturesque on the untroubled pillow, and his -hands lying quiet on the coverlet. She put her needless candle in the -shadow at a distance, crept up to his bed, and put her lips to his; -then, leaned over him, and looked at him. - -Into his handsome face, the bitter waters of captivity had worn; but, he -covered up their tracks with a determination so strong, that he held the -mastery of them even in his sleep. A more remarkable face in its quiet, -resolute, and guarded struggle with an unseen assailant, was not to be -beheld in all the wide dominions of sleep, that night. - -She timidly laid her hand on his dear breast, and put up a prayer that -she might ever be as true to him as her love aspired to be, and as his -sorrows deserved. Then, she withdrew her hand, and kissed his lips once -more, and went away. So, the sunrise came, and the shadows of the leaves -of the plane-tree moved upon his face, as softly as her lips had moved -in praying for him. - - - - -XVIII. Nine Days - - -The marriage-day was shining brightly, and they were ready outside the -closed door of the Doctor's room, where he was speaking with Charles -Darnay. They were ready to go to church; the beautiful bride, Mr. -Lorry, and Miss Pross--to whom the event, through a gradual process of -reconcilement to the inevitable, would have been one of absolute bliss, -but for the yet lingering consideration that her brother Solomon should -have been the bridegroom. - -“And so,” said Mr. Lorry, who could not sufficiently admire the bride, -and who had been moving round her to take in every point of her quiet, -pretty dress; “and so it was for this, my sweet Lucie, that I brought -you across the Channel, such a baby! Lord bless me! How little I thought -what I was doing! How lightly I valued the obligation I was conferring -on my friend Mr. Charles!” - -“You didn't mean it,” remarked the matter-of-fact Miss Pross, “and -therefore how could you know it? Nonsense!” - -“Really? Well; but don't cry,” said the gentle Mr. Lorry. - -“I am not crying,” said Miss Pross; “_you_ are.” - -“I, my Pross?” (By this time, Mr. Lorry dared to be pleasant with her, -on occasion.) - -“You were, just now; I saw you do it, and I don't wonder at it. Such -a present of plate as you have made 'em, is enough to bring tears into -anybody's eyes. There's not a fork or a spoon in the collection,” said -Miss Pross, “that I didn't cry over, last night after the box came, till -I couldn't see it.” - -“I am highly gratified,” said Mr. Lorry, “though, upon my honour, I -had no intention of rendering those trifling articles of remembrance -invisible to any one. Dear me! This is an occasion that makes a man -speculate on all he has lost. Dear, dear, dear! To think that there -might have been a Mrs. Lorry, any time these fifty years almost!” - -“Not at all!” From Miss Pross. - -“You think there never might have been a Mrs. Lorry?” asked the -gentleman of that name. - -“Pooh!” rejoined Miss Pross; “you were a bachelor in your cradle.” - -“Well!” observed Mr. Lorry, beamingly adjusting his little wig, “that -seems probable, too.” - -“And you were cut out for a bachelor,” pursued Miss Pross, “before you -were put in your cradle.” - -“Then, I think,” said Mr. Lorry, “that I was very unhandsomely dealt -with, and that I ought to have had a voice in the selection of my -pattern. Enough! Now, my dear Lucie,” drawing his arm soothingly round -her waist, “I hear them moving in the next room, and Miss Pross and -I, as two formal folks of business, are anxious not to lose the final -opportunity of saying something to you that you wish to hear. You leave -your good father, my dear, in hands as earnest and as loving as your -own; he shall be taken every conceivable care of; during the next -fortnight, while you are in Warwickshire and thereabouts, even Tellson's -shall go to the wall (comparatively speaking) before him. And when, at -the fortnight's end, he comes to join you and your beloved husband, on -your other fortnight's trip in Wales, you shall say that we have sent -him to you in the best health and in the happiest frame. Now, I hear -Somebody's step coming to the door. Let me kiss my dear girl with an -old-fashioned bachelor blessing, before Somebody comes to claim his -own.” - -For a moment, he held the fair face from him to look at the -well-remembered expression on the forehead, and then laid the bright -golden hair against his little brown wig, with a genuine tenderness and -delicacy which, if such things be old-fashioned, were as old as Adam. - -The door of the Doctor's room opened, and he came out with Charles -Darnay. He was so deadly pale--which had not been the case when they -went in together--that no vestige of colour was to be seen in his face. -But, in the composure of his manner he was unaltered, except that to the -shrewd glance of Mr. Lorry it disclosed some shadowy indication that the -old air of avoidance and dread had lately passed over him, like a cold -wind. - -He gave his arm to his daughter, and took her down-stairs to the chariot -which Mr. Lorry had hired in honour of the day. The rest followed in -another carriage, and soon, in a neighbouring church, where no strange -eyes looked on, Charles Darnay and Lucie Manette were happily married. - -Besides the glancing tears that shone among the smiles of the little -group when it was done, some diamonds, very bright and sparkling, -glanced on the bride's hand, which were newly released from the -dark obscurity of one of Mr. Lorry's pockets. They returned home to -breakfast, and all went well, and in due course the golden hair that had -mingled with the poor shoemaker's white locks in the Paris garret, were -mingled with them again in the morning sunlight, on the threshold of the -door at parting. - -It was a hard parting, though it was not for long. But her father -cheered her, and said at last, gently disengaging himself from her -enfolding arms, “Take her, Charles! She is yours!” - -And her agitated hand waved to them from a chaise window, and she was -gone. - -The corner being out of the way of the idle and curious, and the -preparations having been very simple and few, the Doctor, Mr. Lorry, -and Miss Pross, were left quite alone. It was when they turned into -the welcome shade of the cool old hall, that Mr. Lorry observed a great -change to have come over the Doctor; as if the golden arm uplifted -there, had struck him a poisoned blow. - -He had naturally repressed much, and some revulsion might have been -expected in him when the occasion for repression was gone. But, it was -the old scared lost look that troubled Mr. Lorry; and through his absent -manner of clasping his head and drearily wandering away into his own -room when they got up-stairs, Mr. Lorry was reminded of Defarge the -wine-shop keeper, and the starlight ride. - -“I think,” he whispered to Miss Pross, after anxious consideration, “I -think we had best not speak to him just now, or at all disturb him. -I must look in at Tellson's; so I will go there at once and come back -presently. Then, we will take him a ride into the country, and dine -there, and all will be well.” - -It was easier for Mr. Lorry to look in at Tellson's, than to look out of -Tellson's. He was detained two hours. When he came back, he ascended the -old staircase alone, having asked no question of the servant; going thus -into the Doctor's rooms, he was stopped by a low sound of knocking. - -“Good God!” he said, with a start. “What's that?” - -Miss Pross, with a terrified face, was at his ear. “O me, O me! All is -lost!” cried she, wringing her hands. “What is to be told to Ladybird? -He doesn't know me, and is making shoes!” - -Mr. Lorry said what he could to calm her, and went himself into the -Doctor's room. The bench was turned towards the light, as it had been -when he had seen the shoemaker at his work before, and his head was bent -down, and he was very busy. - -“Doctor Manette. My dear friend, Doctor Manette!” - -The Doctor looked at him for a moment--half inquiringly, half as if he -were angry at being spoken to--and bent over his work again. - -He had laid aside his coat and waistcoat; his shirt was open at the -throat, as it used to be when he did that work; and even the old -haggard, faded surface of face had come back to him. He worked -hard--impatiently--as if in some sense of having been interrupted. - -Mr. Lorry glanced at the work in his hand, and observed that it was a -shoe of the old size and shape. He took up another that was lying by -him, and asked what it was. - -“A young lady's walking shoe,” he muttered, without looking up. “It -ought to have been finished long ago. Let it be.” - -“But, Doctor Manette. Look at me!” - -He obeyed, in the old mechanically submissive manner, without pausing in -his work. - -“You know me, my dear friend? Think again. This is not your proper -occupation. Think, dear friend!” - -Nothing would induce him to speak more. He looked up, for an instant at -a time, when he was requested to do so; but, no persuasion would extract -a word from him. He worked, and worked, and worked, in silence, and -words fell on him as they would have fallen on an echoless wall, or on -the air. The only ray of hope that Mr. Lorry could discover, was, that -he sometimes furtively looked up without being asked. In that, there -seemed a faint expression of curiosity or perplexity--as though he were -trying to reconcile some doubts in his mind. - -Two things at once impressed themselves on Mr. Lorry, as important above -all others; the first, that this must be kept secret from Lucie; -the second, that it must be kept secret from all who knew him. In -conjunction with Miss Pross, he took immediate steps towards the latter -precaution, by giving out that the Doctor was not well, and required a -few days of complete rest. In aid of the kind deception to be practised -on his daughter, Miss Pross was to write, describing his having been -called away professionally, and referring to an imaginary letter of -two or three hurried lines in his own hand, represented to have been -addressed to her by the same post. - -These measures, advisable to be taken in any case, Mr. Lorry took in -the hope of his coming to himself. If that should happen soon, he kept -another course in reserve; which was, to have a certain opinion that he -thought the best, on the Doctor's case. - -In the hope of his recovery, and of resort to this third course -being thereby rendered practicable, Mr. Lorry resolved to watch him -attentively, with as little appearance as possible of doing so. He -therefore made arrangements to absent himself from Tellson's for the -first time in his life, and took his post by the window in the same -room. - -He was not long in discovering that it was worse than useless to speak -to him, since, on being pressed, he became worried. He abandoned that -attempt on the first day, and resolved merely to keep himself always -before him, as a silent protest against the delusion into which he had -fallen, or was falling. He remained, therefore, in his seat near the -window, reading and writing, and expressing in as many pleasant and -natural ways as he could think of, that it was a free place. - -Doctor Manette took what was given him to eat and drink, and worked on, -that first day, until it was too dark to see--worked on, half an hour -after Mr. Lorry could not have seen, for his life, to read or write. -When he put his tools aside as useless, until morning, Mr. Lorry rose -and said to him: - -“Will you go out?” - -He looked down at the floor on either side of him in the old manner, -looked up in the old manner, and repeated in the old low voice: - -“Out?” - -“Yes; for a walk with me. Why not?” - -He made no effort to say why not, and said not a word more. But, Mr. -Lorry thought he saw, as he leaned forward on his bench in the dusk, -with his elbows on his knees and his head in his hands, that he was in -some misty way asking himself, “Why not?” The sagacity of the man of -business perceived an advantage here, and determined to hold it. - -Miss Pross and he divided the night into two watches, and observed him -at intervals from the adjoining room. He paced up and down for a long -time before he lay down; but, when he did finally lay himself down, he -fell asleep. In the morning, he was up betimes, and went straight to his -bench and to work. - -On this second day, Mr. Lorry saluted him cheerfully by his name, -and spoke to him on topics that had been of late familiar to them. He -returned no reply, but it was evident that he heard what was said, and -that he thought about it, however confusedly. This encouraged Mr. Lorry -to have Miss Pross in with her work, several times during the day; -at those times, they quietly spoke of Lucie, and of her father then -present, precisely in the usual manner, and as if there were nothing -amiss. This was done without any demonstrative accompaniment, not long -enough, or often enough to harass him; and it lightened Mr. Lorry's -friendly heart to believe that he looked up oftener, and that he -appeared to be stirred by some perception of inconsistencies surrounding -him. - -When it fell dark again, Mr. Lorry asked him as before: - -“Dear Doctor, will you go out?” - -As before, he repeated, “Out?” - -“Yes; for a walk with me. Why not?” - -This time, Mr. Lorry feigned to go out when he could extract no answer -from him, and, after remaining absent for an hour, returned. In the -meanwhile, the Doctor had removed to the seat in the window, and had -sat there looking down at the plane-tree; but, on Mr. Lorry's return, he -slipped away to his bench. - -The time went very slowly on, and Mr. Lorry's hope darkened, and his -heart grew heavier again, and grew yet heavier and heavier every day. -The third day came and went, the fourth, the fifth. Five days, six days, -seven days, eight days, nine days. - -With a hope ever darkening, and with a heart always growing heavier and -heavier, Mr. Lorry passed through this anxious time. The secret was -well kept, and Lucie was unconscious and happy; but he could not fail to -observe that the shoemaker, whose hand had been a little out at first, -was growing dreadfully skilful, and that he had never been so intent on -his work, and that his hands had never been so nimble and expert, as in -the dusk of the ninth evening. - - - - -XIX. An Opinion - - -Worn out by anxious watching, Mr. Lorry fell asleep at his post. On the -tenth morning of his suspense, he was startled by the shining of the sun -into the room where a heavy slumber had overtaken him when it was dark -night. - -He rubbed his eyes and roused himself; but he doubted, when he had -done so, whether he was not still asleep. For, going to the door of the -Doctor's room and looking in, he perceived that the shoemaker's bench -and tools were put aside again, and that the Doctor himself sat reading -at the window. He was in his usual morning dress, and his face (which -Mr. Lorry could distinctly see), though still very pale, was calmly -studious and attentive. - -Even when he had satisfied himself that he was awake, Mr. Lorry felt -giddily uncertain for some few moments whether the late shoemaking might -not be a disturbed dream of his own; for, did not his eyes show him his -friend before him in his accustomed clothing and aspect, and employed -as usual; and was there any sign within their range, that the change of -which he had so strong an impression had actually happened? - -It was but the inquiry of his first confusion and astonishment, the -answer being obvious. If the impression were not produced by a real -corresponding and sufficient cause, how came he, Jarvis Lorry, there? -How came he to have fallen asleep, in his clothes, on the sofa in Doctor -Manette's consulting-room, and to be debating these points outside the -Doctor's bedroom door in the early morning? - -Within a few minutes, Miss Pross stood whispering at his side. If he -had had any particle of doubt left, her talk would of necessity have -resolved it; but he was by that time clear-headed, and had none. -He advised that they should let the time go by until the regular -breakfast-hour, and should then meet the Doctor as if nothing unusual -had occurred. If he appeared to be in his customary state of mind, Mr. -Lorry would then cautiously proceed to seek direction and guidance from -the opinion he had been, in his anxiety, so anxious to obtain. - -Miss Pross, submitting herself to his judgment, the scheme was worked -out with care. Having abundance of time for his usual methodical -toilette, Mr. Lorry presented himself at the breakfast-hour in his usual -white linen, and with his usual neat leg. The Doctor was summoned in the -usual way, and came to breakfast. - -So far as it was possible to comprehend him without overstepping those -delicate and gradual approaches which Mr. Lorry felt to be the only safe -advance, he at first supposed that his daughter's marriage had taken -place yesterday. An incidental allusion, purposely thrown out, to -the day of the week, and the day of the month, set him thinking and -counting, and evidently made him uneasy. In all other respects, however, -he was so composedly himself, that Mr. Lorry determined to have the aid -he sought. And that aid was his own. - -Therefore, when the breakfast was done and cleared away, and he and the -Doctor were left together, Mr. Lorry said, feelingly: - -“My dear Manette, I am anxious to have your opinion, in confidence, on a -very curious case in which I am deeply interested; that is to say, it is -very curious to me; perhaps, to your better information it may be less -so.” - -Glancing at his hands, which were discoloured by his late work, the -Doctor looked troubled, and listened attentively. He had already glanced -at his hands more than once. - -“Doctor Manette,” said Mr. Lorry, touching him affectionately on the -arm, “the case is the case of a particularly dear friend of mine. Pray -give your mind to it, and advise me well for his sake--and above all, -for his daughter's--his daughter's, my dear Manette.” - -“If I understand,” said the Doctor, in a subdued tone, “some mental -shock--?” - -“Yes!” - -“Be explicit,” said the Doctor. “Spare no detail.” - -Mr. Lorry saw that they understood one another, and proceeded. - -“My dear Manette, it is the case of an old and a prolonged shock, -of great acuteness and severity to the affections, the feelings, -the--the--as you express it--the mind. The mind. It is the case of a -shock under which the sufferer was borne down, one cannot say for how -long, because I believe he cannot calculate the time himself, and there -are no other means of getting at it. It is the case of a shock from -which the sufferer recovered, by a process that he cannot trace -himself--as I once heard him publicly relate in a striking manner. It is -the case of a shock from which he has recovered, so completely, as to -be a highly intelligent man, capable of close application of mind, and -great exertion of body, and of constantly making fresh additions to his -stock of knowledge, which was already very large. But, unfortunately, -there has been,” he paused and took a deep breath--“a slight relapse.” - -The Doctor, in a low voice, asked, “Of how long duration?” - -“Nine days and nights.” - -“How did it show itself? I infer,” glancing at his hands again, “in the -resumption of some old pursuit connected with the shock?” - -“That is the fact.” - -“Now, did you ever see him,” asked the Doctor, distinctly and -collectedly, though in the same low voice, “engaged in that pursuit -originally?” - -“Once.” - -“And when the relapse fell on him, was he in most respects--or in all -respects--as he was then?” - -“I think in all respects.” - -“You spoke of his daughter. Does his daughter know of the relapse?” - -“No. It has been kept from her, and I hope will always be kept from her. -It is known only to myself, and to one other who may be trusted.” - -The Doctor grasped his hand, and murmured, “That was very kind. That was -very thoughtful!” Mr. Lorry grasped his hand in return, and neither of -the two spoke for a little while. - -“Now, my dear Manette,” said Mr. Lorry, at length, in his most -considerate and most affectionate way, “I am a mere man of business, -and unfit to cope with such intricate and difficult matters. I do not -possess the kind of information necessary; I do not possess the kind of -intelligence; I want guiding. There is no man in this world on whom -I could so rely for right guidance, as on you. Tell me, how does this -relapse come about? Is there danger of another? Could a repetition of it -be prevented? How should a repetition of it be treated? How does it come -about at all? What can I do for my friend? No man ever can have been -more desirous in his heart to serve a friend, than I am to serve mine, -if I knew how. - -“But I don't know how to originate, in such a case. If your sagacity, -knowledge, and experience, could put me on the right track, I might be -able to do so much; unenlightened and undirected, I can do so little. -Pray discuss it with me; pray enable me to see it a little more clearly, -and teach me how to be a little more useful.” - -Doctor Manette sat meditating after these earnest words were spoken, and -Mr. Lorry did not press him. - -“I think it probable,” said the Doctor, breaking silence with an effort, -“that the relapse you have described, my dear friend, was not quite -unforeseen by its subject.” - -“Was it dreaded by him?” Mr. Lorry ventured to ask. - -“Very much.” He said it with an involuntary shudder. - -“You have no idea how such an apprehension weighs on the sufferer's -mind, and how difficult--how almost impossible--it is, for him to force -himself to utter a word upon the topic that oppresses him.” - -“Would he,” asked Mr. Lorry, “be sensibly relieved if he could prevail -upon himself to impart that secret brooding to any one, when it is on -him?” - -“I think so. But it is, as I have told you, next to impossible. I even -believe it--in some cases--to be quite impossible.” - -“Now,” said Mr. Lorry, gently laying his hand on the Doctor's arm again, -after a short silence on both sides, “to what would you refer this -attack?” - -“I believe,” returned Doctor Manette, “that there had been a strong and -extraordinary revival of the train of thought and remembrance that -was the first cause of the malady. Some intense associations of a most -distressing nature were vividly recalled, I think. It is probable that -there had long been a dread lurking in his mind, that those associations -would be recalled--say, under certain circumstances--say, on a -particular occasion. He tried to prepare himself in vain; perhaps the -effort to prepare himself made him less able to bear it.” - -“Would he remember what took place in the relapse?” asked Mr. Lorry, -with natural hesitation. - -The Doctor looked desolately round the room, shook his head, and -answered, in a low voice, “Not at all.” - -“Now, as to the future,” hinted Mr. Lorry. - -“As to the future,” said the Doctor, recovering firmness, “I should have -great hope. As it pleased Heaven in its mercy to restore him so soon, I -should have great hope. He, yielding under the pressure of a complicated -something, long dreaded and long vaguely foreseen and contended against, -and recovering after the cloud had burst and passed, I should hope that -the worst was over.” - -“Well, well! That's good comfort. I am thankful!” said Mr. Lorry. - -“I am thankful!” repeated the Doctor, bending his head with reverence. - -“There are two other points,” said Mr. Lorry, “on which I am anxious to -be instructed. I may go on?” - -“You cannot do your friend a better service.” The Doctor gave him his -hand. - -“To the first, then. He is of a studious habit, and unusually energetic; -he applies himself with great ardour to the acquisition of professional -knowledge, to the conducting of experiments, to many things. Now, does -he do too much?” - -“I think not. It may be the character of his mind, to be always in -singular need of occupation. That may be, in part, natural to it; in -part, the result of affliction. The less it was occupied with healthy -things, the more it would be in danger of turning in the unhealthy -direction. He may have observed himself, and made the discovery.” - -“You are sure that he is not under too great a strain?” - -“I think I am quite sure of it.” - -“My dear Manette, if he were overworked now--” - -“My dear Lorry, I doubt if that could easily be. There has been a -violent stress in one direction, and it needs a counterweight.” - -“Excuse me, as a persistent man of business. Assuming for a moment, -that he _was_ overworked; it would show itself in some renewal of this -disorder?” - -“I do not think so. I do not think,” said Doctor Manette with the -firmness of self-conviction, “that anything but the one train of -association would renew it. I think that, henceforth, nothing but some -extraordinary jarring of that chord could renew it. After what has -happened, and after his recovery, I find it difficult to imagine any -such violent sounding of that string again. I trust, and I almost -believe, that the circumstances likely to renew it are exhausted.” - -He spoke with the diffidence of a man who knew how slight a thing -would overset the delicate organisation of the mind, and yet with the -confidence of a man who had slowly won his assurance out of personal -endurance and distress. It was not for his friend to abate that -confidence. He professed himself more relieved and encouraged than he -really was, and approached his second and last point. He felt it to -be the most difficult of all; but, remembering his old Sunday morning -conversation with Miss Pross, and remembering what he had seen in the -last nine days, he knew that he must face it. - -“The occupation resumed under the influence of this passing affliction -so happily recovered from,” said Mr. Lorry, clearing his throat, “we -will call--Blacksmith's work, Blacksmith's work. We will say, to put a -case and for the sake of illustration, that he had been used, in his bad -time, to work at a little forge. We will say that he was unexpectedly -found at his forge again. Is it not a pity that he should keep it by -him?” - -The Doctor shaded his forehead with his hand, and beat his foot -nervously on the ground. - -“He has always kept it by him,” said Mr. Lorry, with an anxious look at -his friend. “Now, would it not be better that he should let it go?” - -Still, the Doctor, with shaded forehead, beat his foot nervously on the -ground. - -“You do not find it easy to advise me?” said Mr. Lorry. “I quite -understand it to be a nice question. And yet I think--” And there he -shook his head, and stopped. - -“You see,” said Doctor Manette, turning to him after an uneasy pause, -“it is very hard to explain, consistently, the innermost workings -of this poor man's mind. He once yearned so frightfully for that -occupation, and it was so welcome when it came; no doubt it relieved -his pain so much, by substituting the perplexity of the fingers for -the perplexity of the brain, and by substituting, as he became more -practised, the ingenuity of the hands, for the ingenuity of the mental -torture; that he has never been able to bear the thought of putting it -quite out of his reach. Even now, when I believe he is more hopeful of -himself than he has ever been, and even speaks of himself with a kind -of confidence, the idea that he might need that old employment, and not -find it, gives him a sudden sense of terror, like that which one may -fancy strikes to the heart of a lost child.” - -He looked like his illustration, as he raised his eyes to Mr. Lorry's -face. - -“But may not--mind! I ask for information, as a plodding man of business -who only deals with such material objects as guineas, shillings, and -bank-notes--may not the retention of the thing involve the retention of -the idea? If the thing were gone, my dear Manette, might not the fear go -with it? In short, is it not a concession to the misgiving, to keep the -forge?” - -There was another silence. - -“You see, too,” said the Doctor, tremulously, “it is such an old -companion.” - -“I would not keep it,” said Mr. Lorry, shaking his head; for he gained -in firmness as he saw the Doctor disquieted. “I would recommend him to -sacrifice it. I only want your authority. I am sure it does no good. -Come! Give me your authority, like a dear good man. For his daughter's -sake, my dear Manette!” - -Very strange to see what a struggle there was within him! - -“In her name, then, let it be done; I sanction it. But, I would not take -it away while he was present. Let it be removed when he is not there; -let him miss his old companion after an absence.” - -Mr. Lorry readily engaged for that, and the conference was ended. They -passed the day in the country, and the Doctor was quite restored. On the -three following days he remained perfectly well, and on the fourteenth -day he went away to join Lucie and her husband. The precaution that -had been taken to account for his silence, Mr. Lorry had previously -explained to him, and he had written to Lucie in accordance with it, and -she had no suspicions. - -On the night of the day on which he left the house, Mr. Lorry went into -his room with a chopper, saw, chisel, and hammer, attended by Miss Pross -carrying a light. There, with closed doors, and in a mysterious and -guilty manner, Mr. Lorry hacked the shoemaker's bench to pieces, while -Miss Pross held the candle as if she were assisting at a murder--for -which, indeed, in her grimness, she was no unsuitable figure. The -burning of the body (previously reduced to pieces convenient for the -purpose) was commenced without delay in the kitchen fire; and the tools, -shoes, and leather, were buried in the garden. So wicked do destruction -and secrecy appear to honest minds, that Mr. Lorry and Miss Pross, -while engaged in the commission of their deed and in the removal of its -traces, almost felt, and almost looked, like accomplices in a horrible -crime. - - - - -XX. A Plea - - -When the newly-married pair came home, the first person who appeared, to -offer his congratulations, was Sydney Carton. They had not been at home -many hours, when he presented himself. He was not improved in habits, or -in looks, or in manner; but there was a certain rugged air of fidelity -about him, which was new to the observation of Charles Darnay. - -He watched his opportunity of taking Darnay aside into a window, and of -speaking to him when no one overheard. - -“Mr. Darnay,” said Carton, “I wish we might be friends.” - -“We are already friends, I hope.” - -“You are good enough to say so, as a fashion of speech; but, I don't -mean any fashion of speech. Indeed, when I say I wish we might be -friends, I scarcely mean quite that, either.” - -Charles Darnay--as was natural--asked him, in all good-humour and -good-fellowship, what he did mean? - -“Upon my life,” said Carton, smiling, “I find that easier to comprehend -in my own mind, than to convey to yours. However, let me try. You -remember a certain famous occasion when I was more drunk than--than -usual?” - -“I remember a certain famous occasion when you forced me to confess that -you had been drinking.” - -“I remember it too. The curse of those occasions is heavy upon me, for I -always remember them. I hope it may be taken into account one day, -when all days are at an end for me! Don't be alarmed; I am not going to -preach.” - -“I am not at all alarmed. Earnestness in you, is anything but alarming -to me.” - -“Ah!” said Carton, with a careless wave of his hand, as if he waved that -away. “On the drunken occasion in question (one of a large number, as -you know), I was insufferable about liking you, and not liking you. I -wish you would forget it.” - -“I forgot it long ago.” - -“Fashion of speech again! But, Mr. Darnay, oblivion is not so easy to -me, as you represent it to be to you. I have by no means forgotten it, -and a light answer does not help me to forget it.” - -“If it was a light answer,” returned Darnay, “I beg your forgiveness -for it. I had no other object than to turn a slight thing, which, to my -surprise, seems to trouble you too much, aside. I declare to you, on the -faith of a gentleman, that I have long dismissed it from my mind. Good -Heaven, what was there to dismiss! Have I had nothing more important to -remember, in the great service you rendered me that day?” - -“As to the great service,” said Carton, “I am bound to avow to you, when -you speak of it in that way, that it was mere professional claptrap, I -don't know that I cared what became of you, when I rendered it.--Mind! I -say when I rendered it; I am speaking of the past.” - -“You make light of the obligation,” returned Darnay, “but I will not -quarrel with _your_ light answer.” - -“Genuine truth, Mr. Darnay, trust me! I have gone aside from my purpose; -I was speaking about our being friends. Now, you know me; you know I am -incapable of all the higher and better flights of men. If you doubt it, -ask Stryver, and he'll tell you so.” - -“I prefer to form my own opinion, without the aid of his.” - -“Well! At any rate you know me as a dissolute dog, who has never done -any good, and never will.” - -“I don't know that you 'never will.'” - -“But I do, and you must take my word for it. Well! If you could endure -to have such a worthless fellow, and a fellow of such indifferent -reputation, coming and going at odd times, I should ask that I might be -permitted to come and go as a privileged person here; that I might -be regarded as an useless (and I would add, if it were not for the -resemblance I detected between you and me, an unornamental) piece of -furniture, tolerated for its old service, and taken no notice of. I -doubt if I should abuse the permission. It is a hundred to one if I -should avail myself of it four times in a year. It would satisfy me, I -dare say, to know that I had it.” - -“Will you try?” - -“That is another way of saying that I am placed on the footing I have -indicated. I thank you, Darnay. I may use that freedom with your name?” - -“I think so, Carton, by this time.” - -They shook hands upon it, and Sydney turned away. Within a minute -afterwards, he was, to all outward appearance, as unsubstantial as ever. - -When he was gone, and in the course of an evening passed with Miss -Pross, the Doctor, and Mr. Lorry, Charles Darnay made some mention of -this conversation in general terms, and spoke of Sydney Carton as a -problem of carelessness and recklessness. He spoke of him, in short, not -bitterly or meaning to bear hard upon him, but as anybody might who saw -him as he showed himself. - -He had no idea that this could dwell in the thoughts of his fair young -wife; but, when he afterwards joined her in their own rooms, he found -her waiting for him with the old pretty lifting of the forehead strongly -marked. - -“We are thoughtful to-night!” said Darnay, drawing his arm about her. - -“Yes, dearest Charles,” with her hands on his breast, and the inquiring -and attentive expression fixed upon him; “we are rather thoughtful -to-night, for we have something on our mind to-night.” - -“What is it, my Lucie?” - -“Will you promise not to press one question on me, if I beg you not to -ask it?” - -“Will I promise? What will I not promise to my Love?” - -What, indeed, with his hand putting aside the golden hair from the -cheek, and his other hand against the heart that beat for him! - -“I think, Charles, poor Mr. Carton deserves more consideration and -respect than you expressed for him to-night.” - -“Indeed, my own? Why so?” - -“That is what you are not to ask me. But I think--I know--he does.” - -“If you know it, it is enough. What would you have me do, my Life?” - -“I would ask you, dearest, to be very generous with him always, and very -lenient on his faults when he is not by. I would ask you to believe that -he has a heart he very, very seldom reveals, and that there are deep -wounds in it. My dear, I have seen it bleeding.” - -“It is a painful reflection to me,” said Charles Darnay, quite -astounded, “that I should have done him any wrong. I never thought this -of him.” - -“My husband, it is so. I fear he is not to be reclaimed; there is -scarcely a hope that anything in his character or fortunes is reparable -now. But, I am sure that he is capable of good things, gentle things, -even magnanimous things.” - -She looked so beautiful in the purity of her faith in this lost man, -that her husband could have looked at her as she was for hours. - -“And, O my dearest Love!” she urged, clinging nearer to him, laying her -head upon his breast, and raising her eyes to his, “remember how strong -we are in our happiness, and how weak he is in his misery!” - -The supplication touched him home. “I will always remember it, dear -Heart! I will remember it as long as I live.” - -He bent over the golden head, and put the rosy lips to his, and folded -her in his arms. If one forlorn wanderer then pacing the dark streets, -could have heard her innocent disclosure, and could have seen the drops -of pity kissed away by her husband from the soft blue eyes so loving of -that husband, he might have cried to the night--and the words would not -have parted from his lips for the first time-- - -“God bless her for her sweet compassion!” - - - - -XXI. Echoing Footsteps - - -A wonderful corner for echoes, it has been remarked, that corner where -the Doctor lived. Ever busily winding the golden thread which bound -her husband, and her father, and herself, and her old directress and -companion, in a life of quiet bliss, Lucie sat in the still house in -the tranquilly resounding corner, listening to the echoing footsteps of -years. - -At first, there were times, though she was a perfectly happy young wife, -when her work would slowly fall from her hands, and her eyes would be -dimmed. For, there was something coming in the echoes, something light, -afar off, and scarcely audible yet, that stirred her heart too much. -Fluttering hopes and doubts--hopes, of a love as yet unknown to her: -doubts, of her remaining upon earth, to enjoy that new delight--divided -her breast. Among the echoes then, there would arise the sound of -footsteps at her own early grave; and thoughts of the husband who would -be left so desolate, and who would mourn for her so much, swelled to her -eyes, and broke like waves. - -That time passed, and her little Lucie lay on her bosom. Then, among the -advancing echoes, there was the tread of her tiny feet and the sound of -her prattling words. Let greater echoes resound as they would, the young -mother at the cradle side could always hear those coming. They came, and -the shady house was sunny with a child's laugh, and the Divine friend of -children, to whom in her trouble she had confided hers, seemed to take -her child in his arms, as He took the child of old, and made it a sacred -joy to her. - -Ever busily winding the golden thread that bound them all together, -weaving the service of her happy influence through the tissue of all -their lives, and making it predominate nowhere, Lucie heard in the -echoes of years none but friendly and soothing sounds. Her husband's -step was strong and prosperous among them; her father's firm and equal. -Lo, Miss Pross, in harness of string, awakening the echoes, as an -unruly charger, whip-corrected, snorting and pawing the earth under the -plane-tree in the garden! - -Even when there were sounds of sorrow among the rest, they were not -harsh nor cruel. Even when golden hair, like her own, lay in a halo on a -pillow round the worn face of a little boy, and he said, with a radiant -smile, “Dear papa and mamma, I am very sorry to leave you both, and to -leave my pretty sister; but I am called, and I must go!” those were not -tears all of agony that wetted his young mother's cheek, as the spirit -departed from her embrace that had been entrusted to it. Suffer them and -forbid them not. They see my Father's face. O Father, blessed words! - -Thus, the rustling of an Angel's wings got blended with the other -echoes, and they were not wholly of earth, but had in them that breath -of Heaven. Sighs of the winds that blew over a little garden-tomb were -mingled with them also, and both were audible to Lucie, in a hushed -murmur--like the breathing of a summer sea asleep upon a sandy shore--as -the little Lucie, comically studious at the task of the morning, or -dressing a doll at her mother's footstool, chattered in the tongues of -the Two Cities that were blended in her life. - -The Echoes rarely answered to the actual tread of Sydney Carton. Some -half-dozen times a year, at most, he claimed his privilege of coming in -uninvited, and would sit among them through the evening, as he had once -done often. He never came there heated with wine. And one other thing -regarding him was whispered in the echoes, which has been whispered by -all true echoes for ages and ages. - -No man ever really loved a woman, lost her, and knew her with a -blameless though an unchanged mind, when she was a wife and a mother, -but her children had a strange sympathy with him--an instinctive -delicacy of pity for him. What fine hidden sensibilities are touched in -such a case, no echoes tell; but it is so, and it was so here. Carton -was the first stranger to whom little Lucie held out her chubby arms, -and he kept his place with her as she grew. The little boy had spoken of -him, almost at the last. “Poor Carton! Kiss him for me!” - -Mr. Stryver shouldered his way through the law, like some great engine -forcing itself through turbid water, and dragged his useful friend in -his wake, like a boat towed astern. As the boat so favoured is usually -in a rough plight, and mostly under water, so, Sydney had a swamped -life of it. But, easy and strong custom, unhappily so much easier and -stronger in him than any stimulating sense of desert or disgrace, made -it the life he was to lead; and he no more thought of emerging from his -state of lion's jackal, than any real jackal may be supposed to think of -rising to be a lion. Stryver was rich; had married a florid widow with -property and three boys, who had nothing particularly shining about them -but the straight hair of their dumpling heads. - -These three young gentlemen, Mr. Stryver, exuding patronage of the most -offensive quality from every pore, had walked before him like three -sheep to the quiet corner in Soho, and had offered as pupils to -Lucie's husband: delicately saying “Halloa! here are three lumps of -bread-and-cheese towards your matrimonial picnic, Darnay!” The polite -rejection of the three lumps of bread-and-cheese had quite bloated Mr. -Stryver with indignation, which he afterwards turned to account in the -training of the young gentlemen, by directing them to beware of the -pride of Beggars, like that tutor-fellow. He was also in the habit of -declaiming to Mrs. Stryver, over his full-bodied wine, on the arts -Mrs. Darnay had once put in practice to “catch” him, and on the -diamond-cut-diamond arts in himself, madam, which had rendered him “not -to be caught.” Some of his King's Bench familiars, who were occasionally -parties to the full-bodied wine and the lie, excused him for the -latter by saying that he had told it so often, that he believed -it himself--which is surely such an incorrigible aggravation of an -originally bad offence, as to justify any such offender's being carried -off to some suitably retired spot, and there hanged out of the way. - -These were among the echoes to which Lucie, sometimes pensive, sometimes -amused and laughing, listened in the echoing corner, until her little -daughter was six years old. How near to her heart the echoes of her -child's tread came, and those of her own dear father's, always active -and self-possessed, and those of her dear husband's, need not be told. -Nor, how the lightest echo of their united home, directed by herself -with such a wise and elegant thrift that it was more abundant than any -waste, was music to her. Nor, how there were echoes all about her, sweet -in her ears, of the many times her father had told her that he found her -more devoted to him married (if that could be) than single, and of the -many times her husband had said to her that no cares and duties seemed -to divide her love for him or her help to him, and asked her “What is -the magic secret, my darling, of your being everything to all of us, -as if there were only one of us, yet never seeming to be hurried, or to -have too much to do?” - -But, there were other echoes, from a distance, that rumbled menacingly -in the corner all through this space of time. And it was now, about -little Lucie's sixth birthday, that they began to have an awful sound, -as of a great storm in France with a dreadful sea rising. - -On a night in mid-July, one thousand seven hundred and eighty-nine, Mr. -Lorry came in late, from Tellson's, and sat himself down by Lucie and -her husband in the dark window. It was a hot, wild night, and they were -all three reminded of the old Sunday night when they had looked at the -lightning from the same place. - -“I began to think,” said Mr. Lorry, pushing his brown wig back, “that -I should have to pass the night at Tellson's. We have been so full of -business all day, that we have not known what to do first, or which way -to turn. There is such an uneasiness in Paris, that we have actually a -run of confidence upon us! Our customers over there, seem not to be able -to confide their property to us fast enough. There is positively a mania -among some of them for sending it to England.” - -“That has a bad look,” said Darnay-- - -“A bad look, you say, my dear Darnay? Yes, but we don't know what reason -there is in it. People are so unreasonable! Some of us at Tellson's are -getting old, and we really can't be troubled out of the ordinary course -without due occasion.” - -“Still,” said Darnay, “you know how gloomy and threatening the sky is.” - -“I know that, to be sure,” assented Mr. Lorry, trying to persuade -himself that his sweet temper was soured, and that he grumbled, “but I -am determined to be peevish after my long day's botheration. Where is -Manette?” - -“Here he is,” said the Doctor, entering the dark room at the moment. - -“I am quite glad you are at home; for these hurries and forebodings by -which I have been surrounded all day long, have made me nervous without -reason. You are not going out, I hope?” - -“No; I am going to play backgammon with you, if you like,” said the -Doctor. - -“I don't think I do like, if I may speak my mind. I am not fit to be -pitted against you to-night. Is the teaboard still there, Lucie? I can't -see.” - -“Of course, it has been kept for you.” - -“Thank ye, my dear. The precious child is safe in bed?” - -“And sleeping soundly.” - -“That's right; all safe and well! I don't know why anything should be -otherwise than safe and well here, thank God; but I have been so put out -all day, and I am not as young as I was! My tea, my dear! Thank ye. Now, -come and take your place in the circle, and let us sit quiet, and hear -the echoes about which you have your theory.” - -“Not a theory; it was a fancy.” - -“A fancy, then, my wise pet,” said Mr. Lorry, patting her hand. “They -are very numerous and very loud, though, are they not? Only hear them!” - -Headlong, mad, and dangerous footsteps to force their way into anybody's -life, footsteps not easily made clean again if once stained red, the -footsteps raging in Saint Antoine afar off, as the little circle sat in -the dark London window. - -Saint Antoine had been, that morning, a vast dusky mass of scarecrows -heaving to and fro, with frequent gleams of light above the billowy -heads, where steel blades and bayonets shone in the sun. A tremendous -roar arose from the throat of Saint Antoine, and a forest of naked arms -struggled in the air like shrivelled branches of trees in a winter wind: -all the fingers convulsively clutching at every weapon or semblance of a -weapon that was thrown up from the depths below, no matter how far off. - -Who gave them out, whence they last came, where they began, through what -agency they crookedly quivered and jerked, scores at a time, over the -heads of the crowd, like a kind of lightning, no eye in the throng could -have told; but, muskets were being distributed--so were cartridges, -powder, and ball, bars of iron and wood, knives, axes, pikes, every -weapon that distracted ingenuity could discover or devise. People who -could lay hold of nothing else, set themselves with bleeding hands to -force stones and bricks out of their places in walls. Every pulse and -heart in Saint Antoine was on high-fever strain and at high-fever heat. -Every living creature there held life as of no account, and was demented -with a passionate readiness to sacrifice it. - -As a whirlpool of boiling waters has a centre point, so, all this raging -circled round Defarge's wine-shop, and every human drop in the caldron -had a tendency to be sucked towards the vortex where Defarge himself, -already begrimed with gunpowder and sweat, issued orders, issued arms, -thrust this man back, dragged this man forward, disarmed one to arm -another, laboured and strove in the thickest of the uproar. - -“Keep near to me, Jacques Three,” cried Defarge; “and do you, Jacques -One and Two, separate and put yourselves at the head of as many of these -patriots as you can. Where is my wife?” - -“Eh, well! Here you see me!” said madame, composed as ever, but not -knitting to-day. Madame's resolute right hand was occupied with an axe, -in place of the usual softer implements, and in her girdle were a pistol -and a cruel knife. - -“Where do you go, my wife?” - -“I go,” said madame, “with you at present. You shall see me at the head -of women, by-and-bye.” - -“Come, then!” cried Defarge, in a resounding voice. “Patriots and -friends, we are ready! The Bastille!” - -With a roar that sounded as if all the breath in France had been shaped -into the detested word, the living sea rose, wave on wave, depth on -depth, and overflowed the city to that point. Alarm-bells ringing, drums -beating, the sea raging and thundering on its new beach, the attack -began. - -Deep ditches, double drawbridge, massive stone walls, eight great -towers, cannon, muskets, fire and smoke. Through the fire and through -the smoke--in the fire and in the smoke, for the sea cast him up against -a cannon, and on the instant he became a cannonier--Defarge of the -wine-shop worked like a manful soldier, Two fierce hours. - -Deep ditch, single drawbridge, massive stone walls, eight great towers, -cannon, muskets, fire and smoke. One drawbridge down! “Work, comrades -all, work! Work, Jacques One, Jacques Two, Jacques One Thousand, Jacques -Two Thousand, Jacques Five-and-Twenty Thousand; in the name of all -the Angels or the Devils--which you prefer--work!” Thus Defarge of the -wine-shop, still at his gun, which had long grown hot. - -“To me, women!” cried madame his wife. “What! We can kill as well as -the men when the place is taken!” And to her, with a shrill thirsty -cry, trooping women variously armed, but all armed alike in hunger and -revenge. - -Cannon, muskets, fire and smoke; but, still the deep ditch, the single -drawbridge, the massive stone walls, and the eight great towers. Slight -displacements of the raging sea, made by the falling wounded. Flashing -weapons, blazing torches, smoking waggonloads of wet straw, hard work -at neighbouring barricades in all directions, shrieks, volleys, -execrations, bravery without stint, boom smash and rattle, and the -furious sounding of the living sea; but, still the deep ditch, and the -single drawbridge, and the massive stone walls, and the eight great -towers, and still Defarge of the wine-shop at his gun, grown doubly hot -by the service of Four fierce hours. - -A white flag from within the fortress, and a parley--this dimly -perceptible through the raging storm, nothing audible in it--suddenly -the sea rose immeasurably wider and higher, and swept Defarge of the -wine-shop over the lowered drawbridge, past the massive stone outer -walls, in among the eight great towers surrendered! - -So resistless was the force of the ocean bearing him on, that even to -draw his breath or turn his head was as impracticable as if he had been -struggling in the surf at the South Sea, until he was landed in the -outer courtyard of the Bastille. There, against an angle of a wall, he -made a struggle to look about him. Jacques Three was nearly at his side; -Madame Defarge, still heading some of her women, was visible in the -inner distance, and her knife was in her hand. Everywhere was tumult, -exultation, deafening and maniacal bewilderment, astounding noise, yet -furious dumb-show. - -“The Prisoners!” - -“The Records!” - -“The secret cells!” - -“The instruments of torture!” - -“The Prisoners!” - -Of all these cries, and ten thousand incoherences, “The Prisoners!” was -the cry most taken up by the sea that rushed in, as if there were an -eternity of people, as well as of time and space. When the foremost -billows rolled past, bearing the prison officers with them, and -threatening them all with instant death if any secret nook remained -undisclosed, Defarge laid his strong hand on the breast of one of -these men--a man with a grey head, who had a lighted torch in his -hand--separated him from the rest, and got him between himself and the -wall. - -“Show me the North Tower!” said Defarge. “Quick!” - -“I will faithfully,” replied the man, “if you will come with me. But -there is no one there.” - -“What is the meaning of One Hundred and Five, North Tower?” asked -Defarge. “Quick!” - -“The meaning, monsieur?” - -“Does it mean a captive, or a place of captivity? Or do you mean that I -shall strike you dead?” - -“Kill him!” croaked Jacques Three, who had come close up. - -“Monsieur, it is a cell.” - -“Show it me!” - -“Pass this way, then.” - -Jacques Three, with his usual craving on him, and evidently disappointed -by the dialogue taking a turn that did not seem to promise bloodshed, -held by Defarge's arm as he held by the turnkey's. Their three heads had -been close together during this brief discourse, and it had been as much -as they could do to hear one another, even then: so tremendous was the -noise of the living ocean, in its irruption into the Fortress, and -its inundation of the courts and passages and staircases. All around -outside, too, it beat the walls with a deep, hoarse roar, from which, -occasionally, some partial shouts of tumult broke and leaped into the -air like spray. - -Through gloomy vaults where the light of day had never shone, past -hideous doors of dark dens and cages, down cavernous flights of steps, -and again up steep rugged ascents of stone and brick, more like dry -waterfalls than staircases, Defarge, the turnkey, and Jacques Three, -linked hand and arm, went with all the speed they could make. Here and -there, especially at first, the inundation started on them and swept by; -but when they had done descending, and were winding and climbing up a -tower, they were alone. Hemmed in here by the massive thickness of walls -and arches, the storm within the fortress and without was only audible -to them in a dull, subdued way, as if the noise out of which they had -come had almost destroyed their sense of hearing. - -The turnkey stopped at a low door, put a key in a clashing lock, swung -the door slowly open, and said, as they all bent their heads and passed -in: - -“One hundred and five, North Tower!” - -There was a small, heavily-grated, unglazed window high in the wall, -with a stone screen before it, so that the sky could be only seen by -stooping low and looking up. There was a small chimney, heavily barred -across, a few feet within. There was a heap of old feathery wood-ashes -on the hearth. There was a stool, and table, and a straw bed. There were -the four blackened walls, and a rusted iron ring in one of them. - -“Pass that torch slowly along these walls, that I may see them,” said -Defarge to the turnkey. - -The man obeyed, and Defarge followed the light closely with his eyes. - -“Stop!--Look here, Jacques!” - -“A. M.!” croaked Jacques Three, as he read greedily. - -“Alexandre Manette,” said Defarge in his ear, following the letters -with his swart forefinger, deeply engrained with gunpowder. “And here he -wrote 'a poor physician.' And it was he, without doubt, who scratched -a calendar on this stone. What is that in your hand? A crowbar? Give it -me!” - -He had still the linstock of his gun in his own hand. He made a sudden -exchange of the two instruments, and turning on the worm-eaten stool and -table, beat them to pieces in a few blows. - -“Hold the light higher!” he said, wrathfully, to the turnkey. “Look -among those fragments with care, Jacques. And see! Here is my knife,” - throwing it to him; “rip open that bed, and search the straw. Hold the -light higher, you!” - -With a menacing look at the turnkey he crawled upon the hearth, and, -peering up the chimney, struck and prised at its sides with the crowbar, -and worked at the iron grating across it. In a few minutes, some mortar -and dust came dropping down, which he averted his face to avoid; and -in it, and in the old wood-ashes, and in a crevice in the chimney -into which his weapon had slipped or wrought itself, he groped with a -cautious touch. - -“Nothing in the wood, and nothing in the straw, Jacques?” - -“Nothing.” - -“Let us collect them together, in the middle of the cell. So! Light -them, you!” - -The turnkey fired the little pile, which blazed high and hot. Stooping -again to come out at the low-arched door, they left it burning, and -retraced their way to the courtyard; seeming to recover their sense -of hearing as they came down, until they were in the raging flood once -more. - -They found it surging and tossing, in quest of Defarge himself. Saint -Antoine was clamorous to have its wine-shop keeper foremost in the guard -upon the governor who had defended the Bastille and shot the people. -Otherwise, the governor would not be marched to the Hotel de Ville for -judgment. Otherwise, the governor would escape, and the people's -blood (suddenly of some value, after many years of worthlessness) be -unavenged. - -In the howling universe of passion and contention that seemed to -encompass this grim old officer conspicuous in his grey coat and red -decoration, there was but one quite steady figure, and that was a -woman's. “See, there is my husband!” she cried, pointing him out. -“See Defarge!” She stood immovable close to the grim old officer, and -remained immovable close to him; remained immovable close to him through -the streets, as Defarge and the rest bore him along; remained immovable -close to him when he was got near his destination, and began to -be struck at from behind; remained immovable close to him when the -long-gathering rain of stabs and blows fell heavy; was so close to him -when he dropped dead under it, that, suddenly animated, she put her foot -upon his neck, and with her cruel knife--long ready--hewed off his head. - -The hour was come, when Saint Antoine was to execute his horrible idea -of hoisting up men for lamps to show what he could be and do. Saint -Antoine's blood was up, and the blood of tyranny and domination by the -iron hand was down--down on the steps of the Hotel de Ville where the -governor's body lay--down on the sole of the shoe of Madame Defarge -where she had trodden on the body to steady it for mutilation. “Lower -the lamp yonder!” cried Saint Antoine, after glaring round for a new -means of death; “here is one of his soldiers to be left on guard!” The -swinging sentinel was posted, and the sea rushed on. - -The sea of black and threatening waters, and of destructive upheaving -of wave against wave, whose depths were yet unfathomed and whose forces -were yet unknown. The remorseless sea of turbulently swaying shapes, -voices of vengeance, and faces hardened in the furnaces of suffering -until the touch of pity could make no mark on them. - -But, in the ocean of faces where every fierce and furious expression was -in vivid life, there were two groups of faces--each seven in number--so -fixedly contrasting with the rest, that never did sea roll which bore -more memorable wrecks with it. Seven faces of prisoners, suddenly -released by the storm that had burst their tomb, were carried high -overhead: all scared, all lost, all wondering and amazed, as if the Last -Day were come, and those who rejoiced around them were lost spirits. -Other seven faces there were, carried higher, seven dead faces, whose -drooping eyelids and half-seen eyes awaited the Last Day. Impassive -faces, yet with a suspended--not an abolished--expression on them; -faces, rather, in a fearful pause, as having yet to raise the dropped -lids of the eyes, and bear witness with the bloodless lips, “THOU DIDST -IT!” - -Seven prisoners released, seven gory heads on pikes, the keys of the -accursed fortress of the eight strong towers, some discovered letters -and other memorials of prisoners of old time, long dead of broken -hearts,--such, and such--like, the loudly echoing footsteps of Saint -Antoine escort through the Paris streets in mid-July, one thousand seven -hundred and eighty-nine. Now, Heaven defeat the fancy of Lucie Darnay, -and keep these feet far out of her life! For, they are headlong, mad, -and dangerous; and in the years so long after the breaking of the cask -at Defarge's wine-shop door, they are not easily purified when once -stained red. - - - - -XXII. The Sea Still Rises - - -Haggard Saint Antoine had had only one exultant week, in which to soften -his modicum of hard and bitter bread to such extent as he could, with -the relish of fraternal embraces and congratulations, when Madame -Defarge sat at her counter, as usual, presiding over the customers. -Madame Defarge wore no rose in her head, for the great brotherhood of -Spies had become, even in one short week, extremely chary of trusting -themselves to the saint's mercies. The lamps across his streets had a -portentously elastic swing with them. - -Madame Defarge, with her arms folded, sat in the morning light and heat, -contemplating the wine-shop and the street. In both, there were several -knots of loungers, squalid and miserable, but now with a manifest sense -of power enthroned on their distress. The raggedest nightcap, awry on -the wretchedest head, had this crooked significance in it: “I know how -hard it has grown for me, the wearer of this, to support life in myself; -but do you know how easy it has grown for me, the wearer of this, to -destroy life in you?” Every lean bare arm, that had been without work -before, had this work always ready for it now, that it could strike. -The fingers of the knitting women were vicious, with the experience that -they could tear. There was a change in the appearance of Saint Antoine; -the image had been hammering into this for hundreds of years, and the -last finishing blows had told mightily on the expression. - -Madame Defarge sat observing it, with such suppressed approval as was -to be desired in the leader of the Saint Antoine women. One of her -sisterhood knitted beside her. The short, rather plump wife of a starved -grocer, and the mother of two children withal, this lieutenant had -already earned the complimentary name of The Vengeance. - -“Hark!” said The Vengeance. “Listen, then! Who comes?” - -As if a train of powder laid from the outermost bound of Saint Antoine -Quarter to the wine-shop door, had been suddenly fired, a fast-spreading -murmur came rushing along. - -“It is Defarge,” said madame. “Silence, patriots!” - -Defarge came in breathless, pulled off a red cap he wore, and looked -around him! “Listen, everywhere!” said madame again. “Listen to him!” - Defarge stood, panting, against a background of eager eyes and open -mouths, formed outside the door; all those within the wine-shop had -sprung to their feet. - -“Say then, my husband. What is it?” - -“News from the other world!” - -“How, then?” cried madame, contemptuously. “The other world?” - -“Does everybody here recall old Foulon, who told the famished people -that they might eat grass, and who died, and went to Hell?” - -“Everybody!” from all throats. - -“The news is of him. He is among us!” - -“Among us!” from the universal throat again. “And dead?” - -“Not dead! He feared us so much--and with reason--that he caused himself -to be represented as dead, and had a grand mock-funeral. But they have -found him alive, hiding in the country, and have brought him in. I have -seen him but now, on his way to the Hotel de Ville, a prisoner. I have -said that he had reason to fear us. Say all! _Had_ he reason?” - -Wretched old sinner of more than threescore years and ten, if he had -never known it yet, he would have known it in his heart of hearts if he -could have heard the answering cry. - -A moment of profound silence followed. Defarge and his wife looked -steadfastly at one another. The Vengeance stooped, and the jar of a drum -was heard as she moved it at her feet behind the counter. - -“Patriots!” said Defarge, in a determined voice, “are we ready?” - -Instantly Madame Defarge's knife was in her girdle; the drum was beating -in the streets, as if it and a drummer had flown together by magic; and -The Vengeance, uttering terrific shrieks, and flinging her arms about -her head like all the forty Furies at once, was tearing from house to -house, rousing the women. - -The men were terrible, in the bloody-minded anger with which they looked -from windows, caught up what arms they had, and came pouring down into -the streets; but, the women were a sight to chill the boldest. From -such household occupations as their bare poverty yielded, from their -children, from their aged and their sick crouching on the bare ground -famished and naked, they ran out with streaming hair, urging one -another, and themselves, to madness with the wildest cries and actions. -Villain Foulon taken, my sister! Old Foulon taken, my mother! Miscreant -Foulon taken, my daughter! Then, a score of others ran into the midst of -these, beating their breasts, tearing their hair, and screaming, Foulon -alive! Foulon who told the starving people they might eat grass! Foulon -who told my old father that he might eat grass, when I had no bread -to give him! Foulon who told my baby it might suck grass, when these -breasts were dry with want! O mother of God, this Foulon! O Heaven our -suffering! Hear me, my dead baby and my withered father: I swear on my -knees, on these stones, to avenge you on Foulon! Husbands, and brothers, -and young men, Give us the blood of Foulon, Give us the head of Foulon, -Give us the heart of Foulon, Give us the body and soul of Foulon, Rend -Foulon to pieces, and dig him into the ground, that grass may grow from -him! With these cries, numbers of the women, lashed into blind frenzy, -whirled about, striking and tearing at their own friends until they -dropped into a passionate swoon, and were only saved by the men -belonging to them from being trampled under foot. - -Nevertheless, not a moment was lost; not a moment! This Foulon was at -the Hotel de Ville, and might be loosed. Never, if Saint Antoine knew -his own sufferings, insults, and wrongs! Armed men and women flocked out -of the Quarter so fast, and drew even these last dregs after them with -such a force of suction, that within a quarter of an hour there was not -a human creature in Saint Antoine's bosom but a few old crones and the -wailing children. - -No. They were all by that time choking the Hall of Examination where -this old man, ugly and wicked, was, and overflowing into the adjacent -open space and streets. The Defarges, husband and wife, The Vengeance, -and Jacques Three, were in the first press, and at no great distance -from him in the Hall. - -“See!” cried madame, pointing with her knife. “See the old villain bound -with ropes. That was well done to tie a bunch of grass upon his back. -Ha, ha! That was well done. Let him eat it now!” Madame put her knife -under her arm, and clapped her hands as at a play. - -The people immediately behind Madame Defarge, explaining the cause of -her satisfaction to those behind them, and those again explaining to -others, and those to others, the neighbouring streets resounded with the -clapping of hands. Similarly, during two or three hours of drawl, -and the winnowing of many bushels of words, Madame Defarge's frequent -expressions of impatience were taken up, with marvellous quickness, at -a distance: the more readily, because certain men who had by some -wonderful exercise of agility climbed up the external architecture -to look in from the windows, knew Madame Defarge well, and acted as a -telegraph between her and the crowd outside the building. - -At length the sun rose so high that it struck a kindly ray as of hope or -protection, directly down upon the old prisoner's head. The favour was -too much to bear; in an instant the barrier of dust and chaff that had -stood surprisingly long, went to the winds, and Saint Antoine had got -him! - -It was known directly, to the furthest confines of the crowd. Defarge -had but sprung over a railing and a table, and folded the miserable -wretch in a deadly embrace--Madame Defarge had but followed and turned -her hand in one of the ropes with which he was tied--The Vengeance and -Jacques Three were not yet up with them, and the men at the windows -had not yet swooped into the Hall, like birds of prey from their high -perches--when the cry seemed to go up, all over the city, “Bring him -out! Bring him to the lamp!” - -Down, and up, and head foremost on the steps of the building; now, on -his knees; now, on his feet; now, on his back; dragged, and struck at, -and stifled by the bunches of grass and straw that were thrust into his -face by hundreds of hands; torn, bruised, panting, bleeding, yet always -entreating and beseeching for mercy; now full of vehement agony of -action, with a small clear space about him as the people drew one -another back that they might see; now, a log of dead wood drawn through -a forest of legs; he was hauled to the nearest street corner where one -of the fatal lamps swung, and there Madame Defarge let him go--as a cat -might have done to a mouse--and silently and composedly looked at him -while they made ready, and while he besought her: the women passionately -screeching at him all the time, and the men sternly calling out to have -him killed with grass in his mouth. Once, he went aloft, and the rope -broke, and they caught him shrieking; twice, he went aloft, and the rope -broke, and they caught him shrieking; then, the rope was merciful, and -held him, and his head was soon upon a pike, with grass enough in the -mouth for all Saint Antoine to dance at the sight of. - -Nor was this the end of the day's bad work, for Saint Antoine so shouted -and danced his angry blood up, that it boiled again, on hearing when -the day closed in that the son-in-law of the despatched, another of the -people's enemies and insulters, was coming into Paris under a guard -five hundred strong, in cavalry alone. Saint Antoine wrote his crimes -on flaring sheets of paper, seized him--would have torn him out of the -breast of an army to bear Foulon company--set his head and heart on -pikes, and carried the three spoils of the day, in Wolf-procession -through the streets. - -Not before dark night did the men and women come back to the children, -wailing and breadless. Then, the miserable bakers' shops were beset by -long files of them, patiently waiting to buy bad bread; and while -they waited with stomachs faint and empty, they beguiled the time by -embracing one another on the triumphs of the day, and achieving them -again in gossip. Gradually, these strings of ragged people shortened and -frayed away; and then poor lights began to shine in high windows, and -slender fires were made in the streets, at which neighbours cooked in -common, afterwards supping at their doors. - -Scanty and insufficient suppers those, and innocent of meat, as of -most other sauce to wretched bread. Yet, human fellowship infused -some nourishment into the flinty viands, and struck some sparks of -cheerfulness out of them. Fathers and mothers who had had their full -share in the worst of the day, played gently with their meagre children; -and lovers, with such a world around them and before them, loved and -hoped. - -It was almost morning, when Defarge's wine-shop parted with its last -knot of customers, and Monsieur Defarge said to madame his wife, in -husky tones, while fastening the door: - -“At last it is come, my dear!” - -“Eh well!” returned madame. “Almost.” - -Saint Antoine slept, the Defarges slept: even The Vengeance slept with -her starved grocer, and the drum was at rest. The drum's was the -only voice in Saint Antoine that blood and hurry had not changed. The -Vengeance, as custodian of the drum, could have wakened him up and had -the same speech out of him as before the Bastille fell, or old Foulon -was seized; not so with the hoarse tones of the men and women in Saint -Antoine's bosom. - - - - -XXIII. Fire Rises - - -There was a change on the village where the fountain fell, and where -the mender of roads went forth daily to hammer out of the stones on the -highway such morsels of bread as might serve for patches to hold his -poor ignorant soul and his poor reduced body together. The prison on the -crag was not so dominant as of yore; there were soldiers to guard it, -but not many; there were officers to guard the soldiers, but not one of -them knew what his men would do--beyond this: that it would probably not -be what he was ordered. - -Far and wide lay a ruined country, yielding nothing but desolation. -Every green leaf, every blade of grass and blade of grain, was as -shrivelled and poor as the miserable people. Everything was bowed down, -dejected, oppressed, and broken. Habitations, fences, domesticated -animals, men, women, children, and the soil that bore them--all worn -out. - -Monseigneur (often a most worthy individual gentleman) was a national -blessing, gave a chivalrous tone to things, was a polite example of -luxurious and shining life, and a great deal more to equal purpose; -nevertheless, Monseigneur as a class had, somehow or other, brought -things to this. Strange that Creation, designed expressly for -Monseigneur, should be so soon wrung dry and squeezed out! There must -be something short-sighted in the eternal arrangements, surely! Thus it -was, however; and the last drop of blood having been extracted from the -flints, and the last screw of the rack having been turned so often that -its purchase crumbled, and it now turned and turned with nothing -to bite, Monseigneur began to run away from a phenomenon so low and -unaccountable. - -But, this was not the change on the village, and on many a village like -it. For scores of years gone by, Monseigneur had squeezed it and wrung -it, and had seldom graced it with his presence except for the pleasures -of the chase--now, found in hunting the people; now, found in hunting -the beasts, for whose preservation Monseigneur made edifying spaces -of barbarous and barren wilderness. No. The change consisted in -the appearance of strange faces of low caste, rather than in the -disappearance of the high caste, chiselled, and otherwise beautified and -beautifying features of Monseigneur. - -For, in these times, as the mender of roads worked, solitary, in the -dust, not often troubling himself to reflect that dust he was and -to dust he must return, being for the most part too much occupied in -thinking how little he had for supper and how much more he would eat if -he had it--in these times, as he raised his eyes from his lonely labour, -and viewed the prospect, he would see some rough figure approaching on -foot, the like of which was once a rarity in those parts, but was now -a frequent presence. As it advanced, the mender of roads would discern -without surprise, that it was a shaggy-haired man, of almost barbarian -aspect, tall, in wooden shoes that were clumsy even to the eyes of a -mender of roads, grim, rough, swart, steeped in the mud and dust of many -highways, dank with the marshy moisture of many low grounds, sprinkled -with the thorns and leaves and moss of many byways through woods. - -Such a man came upon him, like a ghost, at noon in the July weather, -as he sat on his heap of stones under a bank, taking such shelter as he -could get from a shower of hail. - -The man looked at him, looked at the village in the hollow, at the mill, -and at the prison on the crag. When he had identified these objects -in what benighted mind he had, he said, in a dialect that was just -intelligible: - -“How goes it, Jacques?” - -“All well, Jacques.” - -“Touch then!” - -They joined hands, and the man sat down on the heap of stones. - -“No dinner?” - -“Nothing but supper now,” said the mender of roads, with a hungry face. - -“It is the fashion,” growled the man. “I meet no dinner anywhere.” - -He took out a blackened pipe, filled it, lighted it with flint and -steel, pulled at it until it was in a bright glow: then, suddenly held -it from him and dropped something into it from between his finger and -thumb, that blazed and went out in a puff of smoke. - -“Touch then.” It was the turn of the mender of roads to say it this -time, after observing these operations. They again joined hands. - -“To-night?” said the mender of roads. - -“To-night,” said the man, putting the pipe in his mouth. - -“Where?” - -“Here.” - -He and the mender of roads sat on the heap of stones looking silently at -one another, with the hail driving in between them like a pigmy charge -of bayonets, until the sky began to clear over the village. - -“Show me!” said the traveller then, moving to the brow of the hill. - -“See!” returned the mender of roads, with extended finger. “You go down -here, and straight through the street, and past the fountain--” - -“To the Devil with all that!” interrupted the other, rolling his eye -over the landscape. “_I_ go through no streets and past no fountains. -Well?” - -“Well! About two leagues beyond the summit of that hill above the -village.” - -“Good. When do you cease to work?” - -“At sunset.” - -“Will you wake me, before departing? I have walked two nights without -resting. Let me finish my pipe, and I shall sleep like a child. Will you -wake me?” - -“Surely.” - -The wayfarer smoked his pipe out, put it in his breast, slipped off his -great wooden shoes, and lay down on his back on the heap of stones. He -was fast asleep directly. - -As the road-mender plied his dusty labour, and the hail-clouds, rolling -away, revealed bright bars and streaks of sky which were responded to -by silver gleams upon the landscape, the little man (who wore a red cap -now, in place of his blue one) seemed fascinated by the figure on the -heap of stones. His eyes were so often turned towards it, that he used -his tools mechanically, and, one would have said, to very poor account. -The bronze face, the shaggy black hair and beard, the coarse woollen -red cap, the rough medley dress of home-spun stuff and hairy skins of -beasts, the powerful frame attenuated by spare living, and the sullen -and desperate compression of the lips in sleep, inspired the mender -of roads with awe. The traveller had travelled far, and his feet were -footsore, and his ankles chafed and bleeding; his great shoes, stuffed -with leaves and grass, had been heavy to drag over the many long -leagues, and his clothes were chafed into holes, as he himself was into -sores. Stooping down beside him, the road-mender tried to get a peep at -secret weapons in his breast or where not; but, in vain, for he slept -with his arms crossed upon him, and set as resolutely as his lips. -Fortified towns with their stockades, guard-houses, gates, trenches, and -drawbridges, seemed to the mender of roads, to be so much air as against -this figure. And when he lifted his eyes from it to the horizon and -looked around, he saw in his small fancy similar figures, stopped by no -obstacle, tending to centres all over France. - -The man slept on, indifferent to showers of hail and intervals of -brightness, to sunshine on his face and shadow, to the paltering lumps -of dull ice on his body and the diamonds into which the sun changed -them, until the sun was low in the west, and the sky was glowing. Then, -the mender of roads having got his tools together and all things ready -to go down into the village, roused him. - -“Good!” said the sleeper, rising on his elbow. “Two leagues beyond the -summit of the hill?” - -“About.” - -“About. Good!” - -The mender of roads went home, with the dust going on before him -according to the set of the wind, and was soon at the fountain, -squeezing himself in among the lean kine brought there to drink, and -appearing even to whisper to them in his whispering to all the village. -When the village had taken its poor supper, it did not creep to bed, -as it usually did, but came out of doors again, and remained there. A -curious contagion of whispering was upon it, and also, when it gathered -together at the fountain in the dark, another curious contagion of -looking expectantly at the sky in one direction only. Monsieur Gabelle, -chief functionary of the place, became uneasy; went out on his house-top -alone, and looked in that direction too; glanced down from behind his -chimneys at the darkening faces by the fountain below, and sent word to -the sacristan who kept the keys of the church, that there might be need -to ring the tocsin by-and-bye. - -The night deepened. The trees environing the old chateau, keeping its -solitary state apart, moved in a rising wind, as though they threatened -the pile of building massive and dark in the gloom. Up the two terrace -flights of steps the rain ran wildly, and beat at the great door, like a -swift messenger rousing those within; uneasy rushes of wind went through -the hall, among the old spears and knives, and passed lamenting up the -stairs, and shook the curtains of the bed where the last Marquis -had slept. East, West, North, and South, through the woods, four -heavy-treading, unkempt figures crushed the high grass and cracked the -branches, striding on cautiously to come together in the courtyard. Four -lights broke out there, and moved away in different directions, and all -was black again. - -But, not for long. Presently, the chateau began to make itself strangely -visible by some light of its own, as though it were growing luminous. -Then, a flickering streak played behind the architecture of the front, -picking out transparent places, and showing where balustrades, arches, -and windows were. Then it soared higher, and grew broader and brighter. -Soon, from a score of the great windows, flames burst forth, and the -stone faces awakened, stared out of fire. - -A faint murmur arose about the house from the few people who were left -there, and there was a saddling of a horse and riding away. There was -spurring and splashing through the darkness, and bridle was drawn in the -space by the village fountain, and the horse in a foam stood at Monsieur -Gabelle's door. “Help, Gabelle! Help, every one!” The tocsin rang -impatiently, but other help (if that were any) there was none. The -mender of roads, and two hundred and fifty particular friends, stood -with folded arms at the fountain, looking at the pillar of fire in the -sky. “It must be forty feet high,” said they, grimly; and never moved. - -The rider from the chateau, and the horse in a foam, clattered away -through the village, and galloped up the stony steep, to the prison on -the crag. At the gate, a group of officers were looking at the fire; -removed from them, a group of soldiers. “Help, gentlemen--officers! The -chateau is on fire; valuable objects may be saved from the flames by -timely aid! Help, help!” The officers looked towards the soldiers who -looked at the fire; gave no orders; and answered, with shrugs and biting -of lips, “It must burn.” - -As the rider rattled down the hill again and through the street, the -village was illuminating. The mender of roads, and the two hundred and -fifty particular friends, inspired as one man and woman by the idea of -lighting up, had darted into their houses, and were putting candles in -every dull little pane of glass. The general scarcity of everything, -occasioned candles to be borrowed in a rather peremptory manner of -Monsieur Gabelle; and in a moment of reluctance and hesitation on -that functionary's part, the mender of roads, once so submissive to -authority, had remarked that carriages were good to make bonfires with, -and that post-horses would roast. - -The chateau was left to itself to flame and burn. In the roaring and -raging of the conflagration, a red-hot wind, driving straight from the -infernal regions, seemed to be blowing the edifice away. With the rising -and falling of the blaze, the stone faces showed as if they were in -torment. When great masses of stone and timber fell, the face with the -two dints in the nose became obscured: anon struggled out of the smoke -again, as if it were the face of the cruel Marquis, burning at the stake -and contending with the fire. - -The chateau burned; the nearest trees, laid hold of by the fire, -scorched and shrivelled; trees at a distance, fired by the four fierce -figures, begirt the blazing edifice with a new forest of smoke. Molten -lead and iron boiled in the marble basin of the fountain; the water ran -dry; the extinguisher tops of the towers vanished like ice before the -heat, and trickled down into four rugged wells of flame. Great rents and -splits branched out in the solid walls, like crystallisation; stupefied -birds wheeled about and dropped into the furnace; four fierce figures -trudged away, East, West, North, and South, along the night-enshrouded -roads, guided by the beacon they had lighted, towards their next -destination. The illuminated village had seized hold of the tocsin, and, -abolishing the lawful ringer, rang for joy. - -Not only that; but the village, light-headed with famine, fire, and -bell-ringing, and bethinking itself that Monsieur Gabelle had to do with -the collection of rent and taxes--though it was but a small instalment -of taxes, and no rent at all, that Gabelle had got in those latter -days--became impatient for an interview with him, and, surrounding his -house, summoned him to come forth for personal conference. Whereupon, -Monsieur Gabelle did heavily bar his door, and retire to hold counsel -with himself. The result of that conference was, that Gabelle again -withdrew himself to his housetop behind his stack of chimneys; this time -resolved, if his door were broken in (he was a small Southern man -of retaliative temperament), to pitch himself head foremost over the -parapet, and crush a man or two below. - -Probably, Monsieur Gabelle passed a long night up there, with the -distant chateau for fire and candle, and the beating at his door, -combined with the joy-ringing, for music; not to mention his having an -ill-omened lamp slung across the road before his posting-house gate, -which the village showed a lively inclination to displace in his favour. -A trying suspense, to be passing a whole summer night on the brink of -the black ocean, ready to take that plunge into it upon which Monsieur -Gabelle had resolved! But, the friendly dawn appearing at last, and the -rush-candles of the village guttering out, the people happily dispersed, -and Monsieur Gabelle came down bringing his life with him for that -while. - -Within a hundred miles, and in the light of other fires, there were -other functionaries less fortunate, that night and other nights, whom -the rising sun found hanging across once-peaceful streets, where they -had been born and bred; also, there were other villagers and townspeople -less fortunate than the mender of roads and his fellows, upon whom the -functionaries and soldiery turned with success, and whom they strung up -in their turn. But, the fierce figures were steadily wending East, West, -North, and South, be that as it would; and whosoever hung, fire burned. -The altitude of the gallows that would turn to water and quench it, -no functionary, by any stretch of mathematics, was able to calculate -successfully. - - - - -XXIV. Drawn to the Loadstone Rock - - -In such risings of fire and risings of sea--the firm earth shaken by -the rushes of an angry ocean which had now no ebb, but was always on the -flow, higher and higher, to the terror and wonder of the beholders on -the shore--three years of tempest were consumed. Three more birthdays -of little Lucie had been woven by the golden thread into the peaceful -tissue of the life of her home. - -Many a night and many a day had its inmates listened to the echoes in -the corner, with hearts that failed them when they heard the thronging -feet. For, the footsteps had become to their minds as the footsteps of -a people, tumultuous under a red flag and with their country declared in -danger, changed into wild beasts, by terrible enchantment long persisted -in. - -Monseigneur, as a class, had dissociated himself from the phenomenon of -his not being appreciated: of his being so little wanted in France, as -to incur considerable danger of receiving his dismissal from it, and -this life together. Like the fabled rustic who raised the Devil with -infinite pains, and was so terrified at the sight of him that he could -ask the Enemy no question, but immediately fled; so, Monseigneur, after -boldly reading the Lord's Prayer backwards for a great number of years, -and performing many other potent spells for compelling the Evil One, no -sooner beheld him in his terrors than he took to his noble heels. - -The shining Bull's Eye of the Court was gone, or it would have been the -mark for a hurricane of national bullets. It had never been a good -eye to see with--had long had the mote in it of Lucifer's pride, -Sardanapalus's luxury, and a mole's blindness--but it had dropped -out and was gone. The Court, from that exclusive inner circle to its -outermost rotten ring of intrigue, corruption, and dissimulation, was -all gone together. Royalty was gone; had been besieged in its Palace and -“suspended,” when the last tidings came over. - -The August of the year one thousand seven hundred and ninety-two was -come, and Monseigneur was by this time scattered far and wide. - -As was natural, the head-quarters and great gathering-place of -Monseigneur, in London, was Tellson's Bank. Spirits are supposed to -haunt the places where their bodies most resorted, and Monseigneur -without a guinea haunted the spot where his guineas used to be. -Moreover, it was the spot to which such French intelligence as was most -to be relied upon, came quickest. Again: Tellson's was a munificent -house, and extended great liberality to old customers who had fallen -from their high estate. Again: those nobles who had seen the coming -storm in time, and anticipating plunder or confiscation, had made -provident remittances to Tellson's, were always to be heard of there -by their needy brethren. To which it must be added that every new-comer -from France reported himself and his tidings at Tellson's, almost as -a matter of course. For such variety of reasons, Tellson's was at that -time, as to French intelligence, a kind of High Exchange; and this -was so well known to the public, and the inquiries made there were in -consequence so numerous, that Tellson's sometimes wrote the latest news -out in a line or so and posted it in the Bank windows, for all who ran -through Temple Bar to read. - -On a steaming, misty afternoon, Mr. Lorry sat at his desk, and Charles -Darnay stood leaning on it, talking with him in a low voice. The -penitential den once set apart for interviews with the House, was now -the news-Exchange, and was filled to overflowing. It was within half an -hour or so of the time of closing. - -“But, although you are the youngest man that ever lived,” said Charles -Darnay, rather hesitating, “I must still suggest to you--” - -“I understand. That I am too old?” said Mr. Lorry. - -“Unsettled weather, a long journey, uncertain means of travelling, a -disorganised country, a city that may not be even safe for you.” - -“My dear Charles,” said Mr. Lorry, with cheerful confidence, “you touch -some of the reasons for my going: not for my staying away. It is safe -enough for me; nobody will care to interfere with an old fellow of hard -upon fourscore when there are so many people there much better worth -interfering with. As to its being a disorganised city, if it were not a -disorganised city there would be no occasion to send somebody from our -House here to our House there, who knows the city and the business, of -old, and is in Tellson's confidence. As to the uncertain travelling, the -long journey, and the winter weather, if I were not prepared to submit -myself to a few inconveniences for the sake of Tellson's, after all -these years, who ought to be?” - -“I wish I were going myself,” said Charles Darnay, somewhat restlessly, -and like one thinking aloud. - -“Indeed! You are a pretty fellow to object and advise!” exclaimed Mr. -Lorry. “You wish you were going yourself? And you a Frenchman born? You -are a wise counsellor.” - -“My dear Mr. Lorry, it is because I am a Frenchman born, that the -thought (which I did not mean to utter here, however) has passed through -my mind often. One cannot help thinking, having had some sympathy for -the miserable people, and having abandoned something to them,” he spoke -here in his former thoughtful manner, “that one might be listened to, -and might have the power to persuade to some restraint. Only last night, -after you had left us, when I was talking to Lucie--” - -“When you were talking to Lucie,” Mr. Lorry repeated. “Yes. I wonder you -are not ashamed to mention the name of Lucie! Wishing you were going to -France at this time of day!” - -“However, I am not going,” said Charles Darnay, with a smile. “It is -more to the purpose that you say you are.” - -“And I am, in plain reality. The truth is, my dear Charles,” Mr. Lorry -glanced at the distant House, and lowered his voice, “you can have no -conception of the difficulty with which our business is transacted, and -of the peril in which our books and papers over yonder are involved. The -Lord above knows what the compromising consequences would be to numbers -of people, if some of our documents were seized or destroyed; and they -might be, at any time, you know, for who can say that Paris is not set -afire to-day, or sacked to-morrow! Now, a judicious selection from these -with the least possible delay, and the burying of them, or otherwise -getting of them out of harm's way, is within the power (without loss of -precious time) of scarcely any one but myself, if any one. And shall -I hang back, when Tellson's knows this and says this--Tellson's, whose -bread I have eaten these sixty years--because I am a little stiff about -the joints? Why, I am a boy, sir, to half a dozen old codgers here!” - -“How I admire the gallantry of your youthful spirit, Mr. Lorry.” - -“Tut! Nonsense, sir!--And, my dear Charles,” said Mr. Lorry, glancing at -the House again, “you are to remember, that getting things out of -Paris at this present time, no matter what things, is next to an -impossibility. Papers and precious matters were this very day brought -to us here (I speak in strict confidence; it is not business-like to -whisper it, even to you), by the strangest bearers you can imagine, -every one of whom had his head hanging on by a single hair as he passed -the Barriers. At another time, our parcels would come and go, as easily -as in business-like Old England; but now, everything is stopped.” - -“And do you really go to-night?” - -“I really go to-night, for the case has become too pressing to admit of -delay.” - -“And do you take no one with you?” - -“All sorts of people have been proposed to me, but I will have nothing -to say to any of them. I intend to take Jerry. Jerry has been my -bodyguard on Sunday nights for a long time past and I am used to him. -Nobody will suspect Jerry of being anything but an English bull-dog, or -of having any design in his head but to fly at anybody who touches his -master.” - -“I must say again that I heartily admire your gallantry and -youthfulness.” - -“I must say again, nonsense, nonsense! When I have executed this little -commission, I shall, perhaps, accept Tellson's proposal to retire and -live at my ease. Time enough, then, to think about growing old.” - -This dialogue had taken place at Mr. Lorry's usual desk, with -Monseigneur swarming within a yard or two of it, boastful of what he -would do to avenge himself on the rascal-people before long. It was too -much the way of Monseigneur under his reverses as a refugee, and it -was much too much the way of native British orthodoxy, to talk of this -terrible Revolution as if it were the only harvest ever known under -the skies that had not been sown--as if nothing had ever been done, or -omitted to be done, that had led to it--as if observers of the wretched -millions in France, and of the misused and perverted resources that -should have made them prosperous, had not seen it inevitably coming, -years before, and had not in plain words recorded what they saw. Such -vapouring, combined with the extravagant plots of Monseigneur for the -restoration of a state of things that had utterly exhausted itself, -and worn out Heaven and earth as well as itself, was hard to be endured -without some remonstrance by any sane man who knew the truth. And it was -such vapouring all about his ears, like a troublesome confusion of blood -in his own head, added to a latent uneasiness in his mind, which had -already made Charles Darnay restless, and which still kept him so. - -Among the talkers, was Stryver, of the King's Bench Bar, far on his -way to state promotion, and, therefore, loud on the theme: broaching -to Monseigneur, his devices for blowing the people up and exterminating -them from the face of the earth, and doing without them: and for -accomplishing many similar objects akin in their nature to the abolition -of eagles by sprinkling salt on the tails of the race. Him, Darnay heard -with a particular feeling of objection; and Darnay stood divided between -going away that he might hear no more, and remaining to interpose his -word, when the thing that was to be, went on to shape itself out. - -The House approached Mr. Lorry, and laying a soiled and unopened letter -before him, asked if he had yet discovered any traces of the person to -whom it was addressed? The House laid the letter down so close to Darnay -that he saw the direction--the more quickly because it was his own right -name. The address, turned into English, ran: - -“Very pressing. To Monsieur heretofore the Marquis St. Evremonde, of -France. Confided to the cares of Messrs. Tellson and Co., Bankers, -London, England.” - -On the marriage morning, Doctor Manette had made it his one urgent and -express request to Charles Darnay, that the secret of this name should -be--unless he, the Doctor, dissolved the obligation--kept inviolate -between them. Nobody else knew it to be his name; his own wife had no -suspicion of the fact; Mr. Lorry could have none. - -“No,” said Mr. Lorry, in reply to the House; “I have referred it, -I think, to everybody now here, and no one can tell me where this -gentleman is to be found.” - -The hands of the clock verging upon the hour of closing the Bank, there -was a general set of the current of talkers past Mr. Lorry's desk. He -held the letter out inquiringly; and Monseigneur looked at it, in the -person of this plotting and indignant refugee; and Monseigneur looked at -it in the person of that plotting and indignant refugee; and This, That, -and The Other, all had something disparaging to say, in French or in -English, concerning the Marquis who was not to be found. - -“Nephew, I believe--but in any case degenerate successor--of the -polished Marquis who was murdered,” said one. “Happy to say, I never -knew him.” - -“A craven who abandoned his post,” said another--this Monseigneur had -been got out of Paris, legs uppermost and half suffocated, in a load of -hay--“some years ago.” - -“Infected with the new doctrines,” said a third, eyeing the direction -through his glass in passing; “set himself in opposition to the last -Marquis, abandoned the estates when he inherited them, and left them to -the ruffian herd. They will recompense him now, I hope, as he deserves.” - -“Hey?” cried the blatant Stryver. “Did he though? Is that the sort of -fellow? Let us look at his infamous name. D--n the fellow!” - -Darnay, unable to restrain himself any longer, touched Mr. Stryver on -the shoulder, and said: - -“I know the fellow.” - -“Do you, by Jupiter?” said Stryver. “I am sorry for it.” - -“Why?” - -“Why, Mr. Darnay? D'ye hear what he did? Don't ask, why, in these -times.” - -“But I do ask why?” - -“Then I tell you again, Mr. Darnay, I am sorry for it. I am sorry to -hear you putting any such extraordinary questions. Here is a fellow, -who, infected by the most pestilent and blasphemous code of devilry that -ever was known, abandoned his property to the vilest scum of the earth -that ever did murder by wholesale, and you ask me why I am sorry that a -man who instructs youth knows him? Well, but I'll answer you. I am sorry -because I believe there is contamination in such a scoundrel. That's -why.” - -Mindful of the secret, Darnay with great difficulty checked himself, and -said: “You may not understand the gentleman.” - -“I understand how to put _you_ in a corner, Mr. Darnay,” said Bully -Stryver, “and I'll do it. If this fellow is a gentleman, I _don't_ -understand him. You may tell him so, with my compliments. You may also -tell him, from me, that after abandoning his worldly goods and position -to this butcherly mob, I wonder he is not at the head of them. But, no, -gentlemen,” said Stryver, looking all round, and snapping his fingers, -“I know something of human nature, and I tell you that you'll never -find a fellow like this fellow, trusting himself to the mercies of such -precious _protégés_. No, gentlemen; he'll always show 'em a clean pair -of heels very early in the scuffle, and sneak away.” - -With those words, and a final snap of his fingers, Mr. Stryver -shouldered himself into Fleet-street, amidst the general approbation of -his hearers. Mr. Lorry and Charles Darnay were left alone at the desk, -in the general departure from the Bank. - -“Will you take charge of the letter?” said Mr. Lorry. “You know where to -deliver it?” - -“I do.” - -“Will you undertake to explain, that we suppose it to have been -addressed here, on the chance of our knowing where to forward it, and -that it has been here some time?” - -“I will do so. Do you start for Paris from here?” - -“From here, at eight.” - -“I will come back, to see you off.” - -Very ill at ease with himself, and with Stryver and most other men, -Darnay made the best of his way into the quiet of the Temple, opened the -letter, and read it. These were its contents: - - -“Prison of the Abbaye, Paris. - -“June 21, 1792. “MONSIEUR HERETOFORE THE MARQUIS. - -“After having long been in danger of my life at the hands of the -village, I have been seized, with great violence and indignity, and -brought a long journey on foot to Paris. On the road I have suffered a -great deal. Nor is that all; my house has been destroyed--razed to the -ground. - -“The crime for which I am imprisoned, Monsieur heretofore the Marquis, -and for which I shall be summoned before the tribunal, and shall lose my -life (without your so generous help), is, they tell me, treason against -the majesty of the people, in that I have acted against them for an -emigrant. It is in vain I represent that I have acted for them, and not -against, according to your commands. It is in vain I represent that, -before the sequestration of emigrant property, I had remitted the -imposts they had ceased to pay; that I had collected no rent; that I had -had recourse to no process. The only response is, that I have acted for -an emigrant, and where is that emigrant? - -“Ah! most gracious Monsieur heretofore the Marquis, where is that -emigrant? I cry in my sleep where is he? I demand of Heaven, will he -not come to deliver me? No answer. Ah Monsieur heretofore the Marquis, -I send my desolate cry across the sea, hoping it may perhaps reach your -ears through the great bank of Tilson known at Paris! - -“For the love of Heaven, of justice, of generosity, of the honour of -your noble name, I supplicate you, Monsieur heretofore the Marquis, to -succour and release me. My fault is, that I have been true to you. Oh -Monsieur heretofore the Marquis, I pray you be you true to me! - -“From this prison here of horror, whence I every hour tend nearer and -nearer to destruction, I send you, Monsieur heretofore the Marquis, the -assurance of my dolorous and unhappy service. - -“Your afflicted, - -“Gabelle.” - - -The latent uneasiness in Darnay's mind was roused to vigourous life -by this letter. The peril of an old servant and a good one, whose -only crime was fidelity to himself and his family, stared him so -reproachfully in the face, that, as he walked to and fro in the Temple -considering what to do, he almost hid his face from the passersby. - -He knew very well, that in his horror of the deed which had culminated -the bad deeds and bad reputation of the old family house, in his -resentful suspicions of his uncle, and in the aversion with which his -conscience regarded the crumbling fabric that he was supposed to uphold, -he had acted imperfectly. He knew very well, that in his love for Lucie, -his renunciation of his social place, though by no means new to his own -mind, had been hurried and incomplete. He knew that he ought to have -systematically worked it out and supervised it, and that he had meant to -do it, and that it had never been done. - -The happiness of his own chosen English home, the necessity of being -always actively employed, the swift changes and troubles of the time -which had followed on one another so fast, that the events of this week -annihilated the immature plans of last week, and the events of the week -following made all new again; he knew very well, that to the force of -these circumstances he had yielded:--not without disquiet, but still -without continuous and accumulating resistance. That he had watched -the times for a time of action, and that they had shifted and struggled -until the time had gone by, and the nobility were trooping from -France by every highway and byway, and their property was in course of -confiscation and destruction, and their very names were blotting out, -was as well known to himself as it could be to any new authority in -France that might impeach him for it. - -But, he had oppressed no man, he had imprisoned no man; he was so -far from having harshly exacted payment of his dues, that he had -relinquished them of his own will, thrown himself on a world with no -favour in it, won his own private place there, and earned his own -bread. Monsieur Gabelle had held the impoverished and involved estate -on written instructions, to spare the people, to give them what little -there was to give--such fuel as the heavy creditors would let them have -in the winter, and such produce as could be saved from the same grip in -the summer--and no doubt he had put the fact in plea and proof, for his -own safety, so that it could not but appear now. - -This favoured the desperate resolution Charles Darnay had begun to make, -that he would go to Paris. - -Yes. Like the mariner in the old story, the winds and streams had driven -him within the influence of the Loadstone Rock, and it was drawing him -to itself, and he must go. Everything that arose before his mind drifted -him on, faster and faster, more and more steadily, to the terrible -attraction. His latent uneasiness had been, that bad aims were being -worked out in his own unhappy land by bad instruments, and that he who -could not fail to know that he was better than they, was not there, -trying to do something to stay bloodshed, and assert the claims of mercy -and humanity. With this uneasiness half stifled, and half reproaching -him, he had been brought to the pointed comparison of himself with the -brave old gentleman in whom duty was so strong; upon that comparison -(injurious to himself) had instantly followed the sneers of Monseigneur, -which had stung him bitterly, and those of Stryver, which above all were -coarse and galling, for old reasons. Upon those, had followed Gabelle's -letter: the appeal of an innocent prisoner, in danger of death, to his -justice, honour, and good name. - -His resolution was made. He must go to Paris. - -Yes. The Loadstone Rock was drawing him, and he must sail on, until he -struck. He knew of no rock; he saw hardly any danger. The intention -with which he had done what he had done, even although he had left -it incomplete, presented it before him in an aspect that would be -gratefully acknowledged in France on his presenting himself to assert -it. Then, that glorious vision of doing good, which is so often the -sanguine mirage of so many good minds, arose before him, and he even -saw himself in the illusion with some influence to guide this raging -Revolution that was running so fearfully wild. - -As he walked to and fro with his resolution made, he considered that -neither Lucie nor her father must know of it until he was gone. -Lucie should be spared the pain of separation; and her father, always -reluctant to turn his thoughts towards the dangerous ground of old, -should come to the knowledge of the step, as a step taken, and not in -the balance of suspense and doubt. How much of the incompleteness of his -situation was referable to her father, through the painful anxiety -to avoid reviving old associations of France in his mind, he did not -discuss with himself. But, that circumstance too, had had its influence -in his course. - -He walked to and fro, with thoughts very busy, until it was time to -return to Tellson's and take leave of Mr. Lorry. As soon as he arrived -in Paris he would present himself to this old friend, but he must say -nothing of his intention now. - -A carriage with post-horses was ready at the Bank door, and Jerry was -booted and equipped. - -“I have delivered that letter,” said Charles Darnay to Mr. Lorry. “I -would not consent to your being charged with any written answer, but -perhaps you will take a verbal one?” - -“That I will, and readily,” said Mr. Lorry, “if it is not dangerous.” - -“Not at all. Though it is to a prisoner in the Abbaye.” - -“What is his name?” said Mr. Lorry, with his open pocket-book in his -hand. - -“Gabelle.” - -“Gabelle. And what is the message to the unfortunate Gabelle in prison?” - -“Simply, 'that he has received the letter, and will come.'” - -“Any time mentioned?” - -“He will start upon his journey to-morrow night.” - -“Any person mentioned?” - -“No.” - -He helped Mr. Lorry to wrap himself in a number of coats and cloaks, -and went out with him from the warm atmosphere of the old Bank, into the -misty air of Fleet-street. “My love to Lucie, and to little Lucie,” said -Mr. Lorry at parting, “and take precious care of them till I come back.” - Charles Darnay shook his head and doubtfully smiled, as the carriage -rolled away. - -That night--it was the fourteenth of August--he sat up late, and wrote -two fervent letters; one was to Lucie, explaining the strong obligation -he was under to go to Paris, and showing her, at length, the reasons -that he had, for feeling confident that he could become involved in no -personal danger there; the other was to the Doctor, confiding Lucie and -their dear child to his care, and dwelling on the same topics with the -strongest assurances. To both, he wrote that he would despatch letters -in proof of his safety, immediately after his arrival. - -It was a hard day, that day of being among them, with the first -reservation of their joint lives on his mind. It was a hard matter to -preserve the innocent deceit of which they were profoundly unsuspicious. -But, an affectionate glance at his wife, so happy and busy, made him -resolute not to tell her what impended (he had been half moved to do it, -so strange it was to him to act in anything without her quiet aid), and -the day passed quickly. Early in the evening he embraced her, and her -scarcely less dear namesake, pretending that he would return by-and-bye -(an imaginary engagement took him out, and he had secreted a valise -of clothes ready), and so he emerged into the heavy mist of the heavy -streets, with a heavier heart. - -The unseen force was drawing him fast to itself, now, and all the tides -and winds were setting straight and strong towards it. He left his -two letters with a trusty porter, to be delivered half an hour before -midnight, and no sooner; took horse for Dover; and began his journey. -“For the love of Heaven, of justice, of generosity, of the honour of -your noble name!” was the poor prisoner's cry with which he strengthened -his sinking heart, as he left all that was dear on earth behind him, and -floated away for the Loadstone Rock. - - -The end of the second book. - - - - - -Book the Third--the Track of a Storm - - - - -I. In Secret - - -The traveller fared slowly on his way, who fared towards Paris from -England in the autumn of the year one thousand seven hundred and -ninety-two. More than enough of bad roads, bad equipages, and bad -horses, he would have encountered to delay him, though the fallen and -unfortunate King of France had been upon his throne in all his glory; -but, the changed times were fraught with other obstacles than -these. Every town-gate and village taxing-house had its band of -citizen-patriots, with their national muskets in a most explosive state -of readiness, who stopped all comers and goers, cross-questioned them, -inspected their papers, looked for their names in lists of their own, -turned them back, or sent them on, or stopped them and laid them in -hold, as their capricious judgment or fancy deemed best for the dawning -Republic One and Indivisible, of Liberty, Equality, Fraternity, or -Death. - -A very few French leagues of his journey were accomplished, when Charles -Darnay began to perceive that for him along these country roads there -was no hope of return until he should have been declared a good citizen -at Paris. Whatever might befall now, he must on to his journey's end. -Not a mean village closed upon him, not a common barrier dropped across -the road behind him, but he knew it to be another iron door in -the series that was barred between him and England. The universal -watchfulness so encompassed him, that if he had been taken in a net, -or were being forwarded to his destination in a cage, he could not have -felt his freedom more completely gone. - -This universal watchfulness not only stopped him on the highway twenty -times in a stage, but retarded his progress twenty times in a day, by -riding after him and taking him back, riding before him and stopping him -by anticipation, riding with him and keeping him in charge. He had been -days upon his journey in France alone, when he went to bed tired out, in -a little town on the high road, still a long way from Paris. - -Nothing but the production of the afflicted Gabelle's letter from his -prison of the Abbaye would have got him on so far. His difficulty at the -guard-house in this small place had been such, that he felt his journey -to have come to a crisis. And he was, therefore, as little surprised as -a man could be, to find himself awakened at the small inn to which he -had been remitted until morning, in the middle of the night. - -Awakened by a timid local functionary and three armed patriots in rough -red caps and with pipes in their mouths, who sat down on the bed. - -“Emigrant,” said the functionary, “I am going to send you on to Paris, -under an escort.” - -“Citizen, I desire nothing more than to get to Paris, though I could -dispense with the escort.” - -“Silence!” growled a red-cap, striking at the coverlet with the butt-end -of his musket. “Peace, aristocrat!” - -“It is as the good patriot says,” observed the timid functionary. “You -are an aristocrat, and must have an escort--and must pay for it.” - -“I have no choice,” said Charles Darnay. - -“Choice! Listen to him!” cried the same scowling red-cap. “As if it was -not a favour to be protected from the lamp-iron!” - -“It is always as the good patriot says,” observed the functionary. “Rise -and dress yourself, emigrant.” - -Darnay complied, and was taken back to the guard-house, where other -patriots in rough red caps were smoking, drinking, and sleeping, by -a watch-fire. Here he paid a heavy price for his escort, and hence he -started with it on the wet, wet roads at three o'clock in the morning. - -The escort were two mounted patriots in red caps and tri-coloured -cockades, armed with national muskets and sabres, who rode one on either -side of him. - -The escorted governed his own horse, but a loose line was attached to -his bridle, the end of which one of the patriots kept girded round his -wrist. In this state they set forth with the sharp rain driving in their -faces: clattering at a heavy dragoon trot over the uneven town pavement, -and out upon the mire-deep roads. In this state they traversed without -change, except of horses and pace, all the mire-deep leagues that lay -between them and the capital. - -They travelled in the night, halting an hour or two after daybreak, and -lying by until the twilight fell. The escort were so wretchedly clothed, -that they twisted straw round their bare legs, and thatched their ragged -shoulders to keep the wet off. Apart from the personal discomfort of -being so attended, and apart from such considerations of present danger -as arose from one of the patriots being chronically drunk, and carrying -his musket very recklessly, Charles Darnay did not allow the restraint -that was laid upon him to awaken any serious fears in his breast; for, -he reasoned with himself that it could have no reference to the merits -of an individual case that was not yet stated, and of representations, -confirmable by the prisoner in the Abbaye, that were not yet made. - -But when they came to the town of Beauvais--which they did at eventide, -when the streets were filled with people--he could not conceal from -himself that the aspect of affairs was very alarming. An ominous crowd -gathered to see him dismount of the posting-yard, and many voices called -out loudly, “Down with the emigrant!” - -He stopped in the act of swinging himself out of his saddle, and, -resuming it as his safest place, said: - -“Emigrant, my friends! Do you not see me here, in France, of my own -will?” - -“You are a cursed emigrant,” cried a farrier, making at him in a -furious manner through the press, hammer in hand; “and you are a cursed -aristocrat!” - -The postmaster interposed himself between this man and the rider's -bridle (at which he was evidently making), and soothingly said, “Let him -be; let him be! He will be judged at Paris.” - -“Judged!” repeated the farrier, swinging his hammer. “Ay! and condemned -as a traitor.” At this the crowd roared approval. - -Checking the postmaster, who was for turning his horse's head to the -yard (the drunken patriot sat composedly in his saddle looking on, with -the line round his wrist), Darnay said, as soon as he could make his -voice heard: - -“Friends, you deceive yourselves, or you are deceived. I am not a -traitor.” - -“He lies!” cried the smith. “He is a traitor since the decree. His life -is forfeit to the people. His cursed life is not his own!” - -At the instant when Darnay saw a rush in the eyes of the crowd, which -another instant would have brought upon him, the postmaster turned his -horse into the yard, the escort rode in close upon his horse's flanks, -and the postmaster shut and barred the crazy double gates. The farrier -struck a blow upon them with his hammer, and the crowd groaned; but, no -more was done. - -“What is this decree that the smith spoke of?” Darnay asked the -postmaster, when he had thanked him, and stood beside him in the yard. - -“Truly, a decree for selling the property of emigrants.” - -“When passed?” - -“On the fourteenth.” - -“The day I left England!” - -“Everybody says it is but one of several, and that there will be -others--if there are not already--banishing all emigrants, and -condemning all to death who return. That is what he meant when he said -your life was not your own.” - -“But there are no such decrees yet?” - -“What do I know!” said the postmaster, shrugging his shoulders; “there -may be, or there will be. It is all the same. What would you have?” - -They rested on some straw in a loft until the middle of the night, and -then rode forward again when all the town was asleep. Among the many -wild changes observable on familiar things which made this wild ride -unreal, not the least was the seeming rarity of sleep. After long and -lonely spurring over dreary roads, they would come to a cluster of poor -cottages, not steeped in darkness, but all glittering with lights, and -would find the people, in a ghostly manner in the dead of the night, -circling hand in hand round a shrivelled tree of Liberty, or all drawn -up together singing a Liberty song. Happily, however, there was sleep in -Beauvais that night to help them out of it and they passed on once more -into solitude and loneliness: jingling through the untimely cold and -wet, among impoverished fields that had yielded no fruits of the earth -that year, diversified by the blackened remains of burnt houses, and by -the sudden emergence from ambuscade, and sharp reining up across their -way, of patriot patrols on the watch on all the roads. - -Daylight at last found them before the wall of Paris. The barrier was -closed and strongly guarded when they rode up to it. - -“Where are the papers of this prisoner?” demanded a resolute-looking man -in authority, who was summoned out by the guard. - -Naturally struck by the disagreeable word, Charles Darnay requested the -speaker to take notice that he was a free traveller and French citizen, -in charge of an escort which the disturbed state of the country had -imposed upon him, and which he had paid for. - -“Where,” repeated the same personage, without taking any heed of him -whatever, “are the papers of this prisoner?” - -The drunken patriot had them in his cap, and produced them. Casting his -eyes over Gabelle's letter, the same personage in authority showed some -disorder and surprise, and looked at Darnay with a close attention. - -He left escort and escorted without saying a word, however, and went -into the guard-room; meanwhile, they sat upon their horses outside the -gate. Looking about him while in this state of suspense, Charles -Darnay observed that the gate was held by a mixed guard of soldiers and -patriots, the latter far outnumbering the former; and that while ingress -into the city for peasants' carts bringing in supplies, and for similar -traffic and traffickers, was easy enough, egress, even for the homeliest -people, was very difficult. A numerous medley of men and women, not -to mention beasts and vehicles of various sorts, was waiting to issue -forth; but, the previous identification was so strict, that they -filtered through the barrier very slowly. Some of these people knew -their turn for examination to be so far off, that they lay down on the -ground to sleep or smoke, while others talked together, or loitered -about. The red cap and tri-colour cockade were universal, both among men -and women. - -When he had sat in his saddle some half-hour, taking note of these -things, Darnay found himself confronted by the same man in authority, -who directed the guard to open the barrier. Then he delivered to the -escort, drunk and sober, a receipt for the escorted, and requested him -to dismount. He did so, and the two patriots, leading his tired horse, -turned and rode away without entering the city. - -He accompanied his conductor into a guard-room, smelling of common wine -and tobacco, where certain soldiers and patriots, asleep and awake, -drunk and sober, and in various neutral states between sleeping and -waking, drunkenness and sobriety, were standing and lying about. The -light in the guard-house, half derived from the waning oil-lamps of -the night, and half from the overcast day, was in a correspondingly -uncertain condition. Some registers were lying open on a desk, and an -officer of a coarse, dark aspect, presided over these. - -“Citizen Defarge,” said he to Darnay's conductor, as he took a slip of -paper to write on. “Is this the emigrant Evremonde?” - -“This is the man.” - -“Your age, Evremonde?” - -“Thirty-seven.” - -“Married, Evremonde?” - -“Yes.” - -“Where married?” - -“In England.” - -“Without doubt. Where is your wife, Evremonde?” - -“In England.” - -“Without doubt. You are consigned, Evremonde, to the prison of La -Force.” - -“Just Heaven!” exclaimed Darnay. “Under what law, and for what offence?” - -The officer looked up from his slip of paper for a moment. - -“We have new laws, Evremonde, and new offences, since you were here.” He -said it with a hard smile, and went on writing. - -“I entreat you to observe that I have come here voluntarily, in response -to that written appeal of a fellow-countryman which lies before you. I -demand no more than the opportunity to do so without delay. Is not that -my right?” - -“Emigrants have no rights, Evremonde,” was the stolid reply. The officer -wrote until he had finished, read over to himself what he had written, -sanded it, and handed it to Defarge, with the words “In secret.” - -Defarge motioned with the paper to the prisoner that he must accompany -him. The prisoner obeyed, and a guard of two armed patriots attended -them. - -“Is it you,” said Defarge, in a low voice, as they went down the -guardhouse steps and turned into Paris, “who married the daughter of -Doctor Manette, once a prisoner in the Bastille that is no more?” - -“Yes,” replied Darnay, looking at him with surprise. - -“My name is Defarge, and I keep a wine-shop in the Quarter Saint -Antoine. Possibly you have heard of me.” - -“My wife came to your house to reclaim her father? Yes!” - -The word “wife” seemed to serve as a gloomy reminder to Defarge, to say -with sudden impatience, “In the name of that sharp female newly-born, -and called La Guillotine, why did you come to France?” - -“You heard me say why, a minute ago. Do you not believe it is the -truth?” - -“A bad truth for you,” said Defarge, speaking with knitted brows, and -looking straight before him. - -“Indeed I am lost here. All here is so unprecedented, so changed, so -sudden and unfair, that I am absolutely lost. Will you render me a -little help?” - -“None.” Defarge spoke, always looking straight before him. - -“Will you answer me a single question?” - -“Perhaps. According to its nature. You can say what it is.” - -“In this prison that I am going to so unjustly, shall I have some free -communication with the world outside?” - -“You will see.” - -“I am not to be buried there, prejudged, and without any means of -presenting my case?” - -“You will see. But, what then? Other people have been similarly buried -in worse prisons, before now.” - -“But never by me, Citizen Defarge.” - -Defarge glanced darkly at him for answer, and walked on in a steady -and set silence. The deeper he sank into this silence, the fainter hope -there was--or so Darnay thought--of his softening in any slight degree. -He, therefore, made haste to say: - -“It is of the utmost importance to me (you know, Citizen, even better -than I, of how much importance), that I should be able to communicate to -Mr. Lorry of Tellson's Bank, an English gentleman who is now in Paris, -the simple fact, without comment, that I have been thrown into the -prison of La Force. Will you cause that to be done for me?” - -“I will do,” Defarge doggedly rejoined, “nothing for you. My duty is to -my country and the People. I am the sworn servant of both, against you. -I will do nothing for you.” - -Charles Darnay felt it hopeless to entreat him further, and his pride -was touched besides. As they walked on in silence, he could not but see -how used the people were to the spectacle of prisoners passing along the -streets. The very children scarcely noticed him. A few passers turned -their heads, and a few shook their fingers at him as an aristocrat; -otherwise, that a man in good clothes should be going to prison, was no -more remarkable than that a labourer in working clothes should be -going to work. In one narrow, dark, and dirty street through which they -passed, an excited orator, mounted on a stool, was addressing an excited -audience on the crimes against the people, of the king and the royal -family. The few words that he caught from this man's lips, first made -it known to Charles Darnay that the king was in prison, and that the -foreign ambassadors had one and all left Paris. On the road (except at -Beauvais) he had heard absolutely nothing. The escort and the universal -watchfulness had completely isolated him. - -That he had fallen among far greater dangers than those which had -developed themselves when he left England, he of course knew now. That -perils had thickened about him fast, and might thicken faster and faster -yet, he of course knew now. He could not but admit to himself that he -might not have made this journey, if he could have foreseen the events -of a few days. And yet his misgivings were not so dark as, imagined by -the light of this later time, they would appear. Troubled as the future -was, it was the unknown future, and in its obscurity there was ignorant -hope. The horrible massacre, days and nights long, which, within a few -rounds of the clock, was to set a great mark of blood upon the blessed -garnering time of harvest, was as far out of his knowledge as if it had -been a hundred thousand years away. The “sharp female newly-born, and -called La Guillotine,” was hardly known to him, or to the generality -of people, by name. The frightful deeds that were to be soon done, were -probably unimagined at that time in the brains of the doers. How could -they have a place in the shadowy conceptions of a gentle mind? - -Of unjust treatment in detention and hardship, and in cruel separation -from his wife and child, he foreshadowed the likelihood, or the -certainty; but, beyond this, he dreaded nothing distinctly. With this on -his mind, which was enough to carry into a dreary prison courtyard, he -arrived at the prison of La Force. - -A man with a bloated face opened the strong wicket, to whom Defarge -presented “The Emigrant Evremonde.” - -“What the Devil! How many more of them!” exclaimed the man with the -bloated face. - -Defarge took his receipt without noticing the exclamation, and withdrew, -with his two fellow-patriots. - -“What the Devil, I say again!” exclaimed the gaoler, left with his wife. -“How many more!” - -The gaoler's wife, being provided with no answer to the question, merely -replied, “One must have patience, my dear!” Three turnkeys who entered -responsive to a bell she rang, echoed the sentiment, and one added, “For -the love of Liberty;” which sounded in that place like an inappropriate -conclusion. - -The prison of La Force was a gloomy prison, dark and filthy, and with a -horrible smell of foul sleep in it. Extraordinary how soon the noisome -flavour of imprisoned sleep, becomes manifest in all such places that -are ill cared for! - -“In secret, too,” grumbled the gaoler, looking at the written paper. “As -if I was not already full to bursting!” - -He stuck the paper on a file, in an ill-humour, and Charles Darnay -awaited his further pleasure for half an hour: sometimes, pacing to and -fro in the strong arched room: sometimes, resting on a stone seat: in -either case detained to be imprinted on the memory of the chief and his -subordinates. - -“Come!” said the chief, at length taking up his keys, “come with me, -emigrant.” - -Through the dismal prison twilight, his new charge accompanied him by -corridor and staircase, many doors clanging and locking behind them, -until they came into a large, low, vaulted chamber, crowded with -prisoners of both sexes. The women were seated at a long table, reading -and writing, knitting, sewing, and embroidering; the men were for the -most part standing behind their chairs, or lingering up and down the -room. - -In the instinctive association of prisoners with shameful crime and -disgrace, the new-comer recoiled from this company. But the crowning -unreality of his long unreal ride, was, their all at once rising to -receive him, with every refinement of manner known to the time, and with -all the engaging graces and courtesies of life. - -So strangely clouded were these refinements by the prison manners and -gloom, so spectral did they become in the inappropriate squalor and -misery through which they were seen, that Charles Darnay seemed to stand -in a company of the dead. Ghosts all! The ghost of beauty, the ghost -of stateliness, the ghost of elegance, the ghost of pride, the ghost of -frivolity, the ghost of wit, the ghost of youth, the ghost of age, all -waiting their dismissal from the desolate shore, all turning on him eyes -that were changed by the death they had died in coming there. - -It struck him motionless. The gaoler standing at his side, and the other -gaolers moving about, who would have been well enough as to appearance -in the ordinary exercise of their functions, looked so extravagantly -coarse contrasted with sorrowing mothers and blooming daughters who were -there--with the apparitions of the coquette, the young beauty, and the -mature woman delicately bred--that the inversion of all experience and -likelihood which the scene of shadows presented, was heightened to its -utmost. Surely, ghosts all. Surely, the long unreal ride some progress -of disease that had brought him to these gloomy shades! - -“In the name of the assembled companions in misfortune,” said a -gentleman of courtly appearance and address, coming forward, “I have the -honour of giving you welcome to La Force, and of condoling with you -on the calamity that has brought you among us. May it soon terminate -happily! It would be an impertinence elsewhere, but it is not so here, -to ask your name and condition?” - -Charles Darnay roused himself, and gave the required information, in -words as suitable as he could find. - -“But I hope,” said the gentleman, following the chief gaoler with his -eyes, who moved across the room, “that you are not in secret?” - -“I do not understand the meaning of the term, but I have heard them say -so.” - -“Ah, what a pity! We so much regret it! But take courage; several -members of our society have been in secret, at first, and it has lasted -but a short time.” Then he added, raising his voice, “I grieve to inform -the society--in secret.” - -There was a murmur of commiseration as Charles Darnay crossed the room -to a grated door where the gaoler awaited him, and many voices--among -which, the soft and compassionate voices of women were conspicuous--gave -him good wishes and encouragement. He turned at the grated door, to -render the thanks of his heart; it closed under the gaoler's hand; and -the apparitions vanished from his sight forever. - -The wicket opened on a stone staircase, leading upward. When they had -ascended forty steps (the prisoner of half an hour already counted -them), the gaoler opened a low black door, and they passed into a -solitary cell. It struck cold and damp, but was not dark. - -“Yours,” said the gaoler. - -“Why am I confined alone?” - -“How do I know!” - -“I can buy pen, ink, and paper?” - -“Such are not my orders. You will be visited, and can ask then. At -present, you may buy your food, and nothing more.” - -There were in the cell, a chair, a table, and a straw mattress. As -the gaoler made a general inspection of these objects, and of the four -walls, before going out, a wandering fancy wandered through the mind of -the prisoner leaning against the wall opposite to him, that this gaoler -was so unwholesomely bloated, both in face and person, as to look like -a man who had been drowned and filled with water. When the gaoler was -gone, he thought in the same wandering way, “Now am I left, as if I were -dead.” Stopping then, to look down at the mattress, he turned from it -with a sick feeling, and thought, “And here in these crawling creatures -is the first condition of the body after death.” - -“Five paces by four and a half, five paces by four and a half, five -paces by four and a half.” The prisoner walked to and fro in his cell, -counting its measurement, and the roar of the city arose like muffled -drums with a wild swell of voices added to them. “He made shoes, he made -shoes, he made shoes.” The prisoner counted the measurement again, and -paced faster, to draw his mind with him from that latter repetition. -“The ghosts that vanished when the wicket closed. There was one among -them, the appearance of a lady dressed in black, who was leaning in the -embrasure of a window, and she had a light shining upon her golden -hair, and she looked like * * * * Let us ride on again, for God's sake, -through the illuminated villages with the people all awake! * * * * He -made shoes, he made shoes, he made shoes. * * * * Five paces by four and -a half.” With such scraps tossing and rolling upward from the depths of -his mind, the prisoner walked faster and faster, obstinately counting -and counting; and the roar of the city changed to this extent--that it -still rolled in like muffled drums, but with the wail of voices that he -knew, in the swell that rose above them. - - - - -II. The Grindstone - - -Tellson's Bank, established in the Saint Germain Quarter of Paris, was -in a wing of a large house, approached by a courtyard and shut off from -the street by a high wall and a strong gate. The house belonged to -a great nobleman who had lived in it until he made a flight from the -troubles, in his own cook's dress, and got across the borders. A -mere beast of the chase flying from hunters, he was still in his -metempsychosis no other than the same Monseigneur, the preparation -of whose chocolate for whose lips had once occupied three strong men -besides the cook in question. - -Monseigneur gone, and the three strong men absolving themselves from the -sin of having drawn his high wages, by being more than ready and -willing to cut his throat on the altar of the dawning Republic one and -indivisible of Liberty, Equality, Fraternity, or Death, Monseigneur's -house had been first sequestrated, and then confiscated. For, all -things moved so fast, and decree followed decree with that fierce -precipitation, that now upon the third night of the autumn month -of September, patriot emissaries of the law were in possession of -Monseigneur's house, and had marked it with the tri-colour, and were -drinking brandy in its state apartments. - -A place of business in London like Tellson's place of business in Paris, -would soon have driven the House out of its mind and into the Gazette. -For, what would staid British responsibility and respectability have -said to orange-trees in boxes in a Bank courtyard, and even to a Cupid -over the counter? Yet such things were. Tellson's had whitewashed the -Cupid, but he was still to be seen on the ceiling, in the coolest -linen, aiming (as he very often does) at money from morning to -night. Bankruptcy must inevitably have come of this young Pagan, in -Lombard-street, London, and also of a curtained alcove in the rear of -the immortal boy, and also of a looking-glass let into the wall, and -also of clerks not at all old, who danced in public on the slightest -provocation. Yet, a French Tellson's could get on with these things -exceedingly well, and, as long as the times held together, no man had -taken fright at them, and drawn out his money. - -What money would be drawn out of Tellson's henceforth, and what would -lie there, lost and forgotten; what plate and jewels would tarnish in -Tellson's hiding-places, while the depositors rusted in prisons, -and when they should have violently perished; how many accounts with -Tellson's never to be balanced in this world, must be carried over into -the next; no man could have said, that night, any more than Mr. Jarvis -Lorry could, though he thought heavily of these questions. He sat by -a newly-lighted wood fire (the blighted and unfruitful year was -prematurely cold), and on his honest and courageous face there was a -deeper shade than the pendent lamp could throw, or any object in the -room distortedly reflect--a shade of horror. - -He occupied rooms in the Bank, in his fidelity to the House of which -he had grown to be a part, like strong root-ivy. It chanced that they -derived a kind of security from the patriotic occupation of the main -building, but the true-hearted old gentleman never calculated about -that. All such circumstances were indifferent to him, so that he did -his duty. On the opposite side of the courtyard, under a colonnade, -was extensive standing--for carriages--where, indeed, some carriages -of Monseigneur yet stood. Against two of the pillars were fastened two -great flaring flambeaux, and in the light of these, standing out in the -open air, was a large grindstone: a roughly mounted thing which appeared -to have hurriedly been brought there from some neighbouring smithy, -or other workshop. Rising and looking out of window at these harmless -objects, Mr. Lorry shivered, and retired to his seat by the fire. He had -opened, not only the glass window, but the lattice blind outside it, and -he had closed both again, and he shivered through his frame. - -From the streets beyond the high wall and the strong gate, there came -the usual night hum of the city, with now and then an indescribable ring -in it, weird and unearthly, as if some unwonted sounds of a terrible -nature were going up to Heaven. - -“Thank God,” said Mr. Lorry, clasping his hands, “that no one near and -dear to me is in this dreadful town to-night. May He have mercy on all -who are in danger!” - -Soon afterwards, the bell at the great gate sounded, and he thought, -“They have come back!” and sat listening. But, there was no loud -irruption into the courtyard, as he had expected, and he heard the gate -clash again, and all was quiet. - -The nervousness and dread that were upon him inspired that vague -uneasiness respecting the Bank, which a great change would naturally -awaken, with such feelings roused. It was well guarded, and he got up to -go among the trusty people who were watching it, when his door suddenly -opened, and two figures rushed in, at sight of which he fell back in -amazement. - -Lucie and her father! Lucie with her arms stretched out to him, and with -that old look of earnestness so concentrated and intensified, that it -seemed as though it had been stamped upon her face expressly to give -force and power to it in this one passage of her life. - -“What is this?” cried Mr. Lorry, breathless and confused. “What is the -matter? Lucie! Manette! What has happened? What has brought you here? -What is it?” - -With the look fixed upon him, in her paleness and wildness, she panted -out in his arms, imploringly, “O my dear friend! My husband!” - -“Your husband, Lucie?” - -“Charles.” - -“What of Charles?” - -“Here. - -“Here, in Paris?” - -“Has been here some days--three or four--I don't know how many--I can't -collect my thoughts. An errand of generosity brought him here unknown to -us; he was stopped at the barrier, and sent to prison.” - -The old man uttered an irrepressible cry. Almost at the same moment, the -bell of the great gate rang again, and a loud noise of feet and voices -came pouring into the courtyard. - -“What is that noise?” said the Doctor, turning towards the window. - -“Don't look!” cried Mr. Lorry. “Don't look out! Manette, for your life, -don't touch the blind!” - -The Doctor turned, with his hand upon the fastening of the window, and -said, with a cool, bold smile: - -“My dear friend, I have a charmed life in this city. I have been -a Bastille prisoner. There is no patriot in Paris--in Paris? In -France--who, knowing me to have been a prisoner in the Bastille, would -touch me, except to overwhelm me with embraces, or carry me in triumph. -My old pain has given me a power that has brought us through the -barrier, and gained us news of Charles there, and brought us here. I -knew it would be so; I knew I could help Charles out of all danger; I -told Lucie so.--What is that noise?” His hand was again upon the window. - -“Don't look!” cried Mr. Lorry, absolutely desperate. “No, Lucie, my -dear, nor you!” He got his arm round her, and held her. “Don't be so -terrified, my love. I solemnly swear to you that I know of no harm -having happened to Charles; that I had no suspicion even of his being in -this fatal place. What prison is he in?” - -“La Force!” - -“La Force! Lucie, my child, if ever you were brave and serviceable in -your life--and you were always both--you will compose yourself now, to -do exactly as I bid you; for more depends upon it than you can think, or -I can say. There is no help for you in any action on your part to-night; -you cannot possibly stir out. I say this, because what I must bid you -to do for Charles's sake, is the hardest thing to do of all. You must -instantly be obedient, still, and quiet. You must let me put you in a -room at the back here. You must leave your father and me alone for -two minutes, and as there are Life and Death in the world you must not -delay.” - -“I will be submissive to you. I see in your face that you know I can do -nothing else than this. I know you are true.” - -The old man kissed her, and hurried her into his room, and turned the -key; then, came hurrying back to the Doctor, and opened the window and -partly opened the blind, and put his hand upon the Doctor's arm, and -looked out with him into the courtyard. - -Looked out upon a throng of men and women: not enough in number, or near -enough, to fill the courtyard: not more than forty or fifty in all. The -people in possession of the house had let them in at the gate, and they -had rushed in to work at the grindstone; it had evidently been set up -there for their purpose, as in a convenient and retired spot. - -But, such awful workers, and such awful work! - -The grindstone had a double handle, and, turning at it madly were two -men, whose faces, as their long hair flapped back when the whirlings of -the grindstone brought their faces up, were more horrible and cruel than -the visages of the wildest savages in their most barbarous disguise. -False eyebrows and false moustaches were stuck upon them, and their -hideous countenances were all bloody and sweaty, and all awry with -howling, and all staring and glaring with beastly excitement and want of -sleep. As these ruffians turned and turned, their matted locks now flung -forward over their eyes, now flung backward over their necks, some women -held wine to their mouths that they might drink; and what with dropping -blood, and what with dropping wine, and what with the stream of sparks -struck out of the stone, all their wicked atmosphere seemed gore and -fire. The eye could not detect one creature in the group free from -the smear of blood. Shouldering one another to get next at the -sharpening-stone, were men stripped to the waist, with the stain all -over their limbs and bodies; men in all sorts of rags, with the stain -upon those rags; men devilishly set off with spoils of women's lace -and silk and ribbon, with the stain dyeing those trifles through -and through. Hatchets, knives, bayonets, swords, all brought to be -sharpened, were all red with it. Some of the hacked swords were tied to -the wrists of those who carried them, with strips of linen and fragments -of dress: ligatures various in kind, but all deep of the one colour. And -as the frantic wielders of these weapons snatched them from the stream -of sparks and tore away into the streets, the same red hue was red in -their frenzied eyes;--eyes which any unbrutalised beholder would have -given twenty years of life, to petrify with a well-directed gun. - -All this was seen in a moment, as the vision of a drowning man, or of -any human creature at any very great pass, could see a world if it -were there. They drew back from the window, and the Doctor looked for -explanation in his friend's ashy face. - -“They are,” Mr. Lorry whispered the words, glancing fearfully round at -the locked room, “murdering the prisoners. If you are sure of what you -say; if you really have the power you think you have--as I believe you -have--make yourself known to these devils, and get taken to La Force. It -may be too late, I don't know, but let it not be a minute later!” - -Doctor Manette pressed his hand, hastened bareheaded out of the room, -and was in the courtyard when Mr. Lorry regained the blind. - -His streaming white hair, his remarkable face, and the impetuous -confidence of his manner, as he put the weapons aside like water, -carried him in an instant to the heart of the concourse at the stone. -For a few moments there was a pause, and a hurry, and a murmur, and -the unintelligible sound of his voice; and then Mr. Lorry saw him, -surrounded by all, and in the midst of a line of twenty men long, all -linked shoulder to shoulder, and hand to shoulder, hurried out with -cries of--“Live the Bastille prisoner! Help for the Bastille prisoner's -kindred in La Force! Room for the Bastille prisoner in front there! Save -the prisoner Evremonde at La Force!” and a thousand answering shouts. - -He closed the lattice again with a fluttering heart, closed the window -and the curtain, hastened to Lucie, and told her that her father was -assisted by the people, and gone in search of her husband. He found -her child and Miss Pross with her; but, it never occurred to him to be -surprised by their appearance until a long time afterwards, when he sat -watching them in such quiet as the night knew. - -Lucie had, by that time, fallen into a stupor on the floor at his feet, -clinging to his hand. Miss Pross had laid the child down on his own -bed, and her head had gradually fallen on the pillow beside her pretty -charge. O the long, long night, with the moans of the poor wife! And O -the long, long night, with no return of her father and no tidings! - -Twice more in the darkness the bell at the great gate sounded, and the -irruption was repeated, and the grindstone whirled and spluttered. -“What is it?” cried Lucie, affrighted. “Hush! The soldiers' swords are -sharpened there,” said Mr. Lorry. “The place is national property now, -and used as a kind of armoury, my love.” - -Twice more in all; but, the last spell of work was feeble and fitful. -Soon afterwards the day began to dawn, and he softly detached himself -from the clasping hand, and cautiously looked out again. A man, so -besmeared that he might have been a sorely wounded soldier creeping back -to consciousness on a field of slain, was rising from the pavement by -the side of the grindstone, and looking about him with a vacant air. -Shortly, this worn-out murderer descried in the imperfect light one of -the carriages of Monseigneur, and, staggering to that gorgeous vehicle, -climbed in at the door, and shut himself up to take his rest on its -dainty cushions. - -The great grindstone, Earth, had turned when Mr. Lorry looked out again, -and the sun was red on the courtyard. But, the lesser grindstone stood -alone there in the calm morning air, with a red upon it that the sun had -never given, and would never take away. - - - - -III. The Shadow - - -One of the first considerations which arose in the business mind of Mr. -Lorry when business hours came round, was this:--that he had no right to -imperil Tellson's by sheltering the wife of an emigrant prisoner under -the Bank roof. His own possessions, safety, life, he would have hazarded -for Lucie and her child, without a moment's demur; but the great trust -he held was not his own, and as to that business charge he was a strict -man of business. - -At first, his mind reverted to Defarge, and he thought of finding out -the wine-shop again and taking counsel with its master in reference to -the safest dwelling-place in the distracted state of the city. But, the -same consideration that suggested him, repudiated him; he lived in the -most violent Quarter, and doubtless was influential there, and deep in -its dangerous workings. - -Noon coming, and the Doctor not returning, and every minute's delay -tending to compromise Tellson's, Mr. Lorry advised with Lucie. She said -that her father had spoken of hiring a lodging for a short term, in that -Quarter, near the Banking-house. As there was no business objection to -this, and as he foresaw that even if it were all well with Charles, and -he were to be released, he could not hope to leave the city, Mr. Lorry -went out in quest of such a lodging, and found a suitable one, high up -in a removed by-street where the closed blinds in all the other windows -of a high melancholy square of buildings marked deserted homes. - -To this lodging he at once removed Lucie and her child, and Miss Pross: -giving them what comfort he could, and much more than he had himself. -He left Jerry with them, as a figure to fill a doorway that would bear -considerable knocking on the head, and returned to his own occupations. -A disturbed and doleful mind he brought to bear upon them, and slowly -and heavily the day lagged on with him. - -It wore itself out, and wore him out with it, until the Bank closed. He -was again alone in his room of the previous night, considering what to -do next, when he heard a foot upon the stair. In a few moments, a -man stood in his presence, who, with a keenly observant look at him, -addressed him by his name. - -“Your servant,” said Mr. Lorry. “Do you know me?” - -He was a strongly made man with dark curling hair, from forty-five -to fifty years of age. For answer he repeated, without any change of -emphasis, the words: - -“Do you know me?” - -“I have seen you somewhere.” - -“Perhaps at my wine-shop?” - -Much interested and agitated, Mr. Lorry said: “You come from Doctor -Manette?” - -“Yes. I come from Doctor Manette.” - -“And what says he? What does he send me?” - -Defarge gave into his anxious hand, an open scrap of paper. It bore the -words in the Doctor's writing: - - “Charles is safe, but I cannot safely leave this place yet. - I have obtained the favour that the bearer has a short note - from Charles to his wife. Let the bearer see his wife.” - -It was dated from La Force, within an hour. - -“Will you accompany me,” said Mr. Lorry, joyfully relieved after reading -this note aloud, “to where his wife resides?” - -“Yes,” returned Defarge. - -Scarcely noticing as yet, in what a curiously reserved and mechanical -way Defarge spoke, Mr. Lorry put on his hat and they went down into the -courtyard. There, they found two women; one, knitting. - -“Madame Defarge, surely!” said Mr. Lorry, who had left her in exactly -the same attitude some seventeen years ago. - -“It is she,” observed her husband. - -“Does Madame go with us?” inquired Mr. Lorry, seeing that she moved as -they moved. - -“Yes. That she may be able to recognise the faces and know the persons. -It is for their safety.” - -Beginning to be struck by Defarge's manner, Mr. Lorry looked dubiously -at him, and led the way. Both the women followed; the second woman being -The Vengeance. - -They passed through the intervening streets as quickly as they might, -ascended the staircase of the new domicile, were admitted by Jerry, -and found Lucie weeping, alone. She was thrown into a transport by the -tidings Mr. Lorry gave her of her husband, and clasped the hand that -delivered his note--little thinking what it had been doing near him in -the night, and might, but for a chance, have done to him. - - “DEAREST,--Take courage. I am well, and your father has - influence around me. You cannot answer this. - Kiss our child for me.” - -That was all the writing. It was so much, however, to her who received -it, that she turned from Defarge to his wife, and kissed one of the -hands that knitted. It was a passionate, loving, thankful, womanly -action, but the hand made no response--dropped cold and heavy, and took -to its knitting again. - -There was something in its touch that gave Lucie a check. She stopped in -the act of putting the note in her bosom, and, with her hands yet at her -neck, looked terrified at Madame Defarge. Madame Defarge met the lifted -eyebrows and forehead with a cold, impassive stare. - -“My dear,” said Mr. Lorry, striking in to explain; “there are frequent -risings in the streets; and, although it is not likely they will ever -trouble you, Madame Defarge wishes to see those whom she has the power -to protect at such times, to the end that she may know them--that she -may identify them. I believe,” said Mr. Lorry, rather halting in his -reassuring words, as the stony manner of all the three impressed itself -upon him more and more, “I state the case, Citizen Defarge?” - -Defarge looked gloomily at his wife, and gave no other answer than a -gruff sound of acquiescence. - -“You had better, Lucie,” said Mr. Lorry, doing all he could to -propitiate, by tone and manner, “have the dear child here, and our -good Pross. Our good Pross, Defarge, is an English lady, and knows no -French.” - -The lady in question, whose rooted conviction that she was more than a -match for any foreigner, was not to be shaken by distress and, danger, -appeared with folded arms, and observed in English to The Vengeance, -whom her eyes first encountered, “Well, I am sure, Boldface! I hope -_you_ are pretty well!” She also bestowed a British cough on Madame -Defarge; but, neither of the two took much heed of her. - -“Is that his child?” said Madame Defarge, stopping in her work for the -first time, and pointing her knitting-needle at little Lucie as if it -were the finger of Fate. - -“Yes, madame,” answered Mr. Lorry; “this is our poor prisoner's darling -daughter, and only child.” - -The shadow attendant on Madame Defarge and her party seemed to fall so -threatening and dark on the child, that her mother instinctively -kneeled on the ground beside her, and held her to her breast. The -shadow attendant on Madame Defarge and her party seemed then to fall, -threatening and dark, on both the mother and the child. - -“It is enough, my husband,” said Madame Defarge. “I have seen them. We -may go.” - -But, the suppressed manner had enough of menace in it--not visible and -presented, but indistinct and withheld--to alarm Lucie into saying, as -she laid her appealing hand on Madame Defarge's dress: - -“You will be good to my poor husband. You will do him no harm. You will -help me to see him if you can?” - -“Your husband is not my business here,” returned Madame Defarge, looking -down at her with perfect composure. “It is the daughter of your father -who is my business here.” - -“For my sake, then, be merciful to my husband. For my child's sake! She -will put her hands together and pray you to be merciful. We are more -afraid of you than of these others.” - -Madame Defarge received it as a compliment, and looked at her husband. -Defarge, who had been uneasily biting his thumb-nail and looking at her, -collected his face into a sterner expression. - -“What is it that your husband says in that little letter?” asked Madame -Defarge, with a lowering smile. “Influence; he says something touching -influence?” - -“That my father,” said Lucie, hurriedly taking the paper from her -breast, but with her alarmed eyes on her questioner and not on it, “has -much influence around him.” - -“Surely it will release him!” said Madame Defarge. “Let it do so.” - -“As a wife and mother,” cried Lucie, most earnestly, “I implore you to -have pity on me and not to exercise any power that you possess, against -my innocent husband, but to use it in his behalf. O sister-woman, think -of me. As a wife and mother!” - -Madame Defarge looked, coldly as ever, at the suppliant, and said, -turning to her friend The Vengeance: - -“The wives and mothers we have been used to see, since we were as little -as this child, and much less, have not been greatly considered? We have -known _their_ husbands and fathers laid in prison and kept from them, -often enough? All our lives, we have seen our sister-women suffer, in -themselves and in their children, poverty, nakedness, hunger, thirst, -sickness, misery, oppression and neglect of all kinds?” - -“We have seen nothing else,” returned The Vengeance. - -“We have borne this a long time,” said Madame Defarge, turning her eyes -again upon Lucie. “Judge you! Is it likely that the trouble of one wife -and mother would be much to us now?” - -She resumed her knitting and went out. The Vengeance followed. Defarge -went last, and closed the door. - -“Courage, my dear Lucie,” said Mr. Lorry, as he raised her. “Courage, -courage! So far all goes well with us--much, much better than it has of -late gone with many poor souls. Cheer up, and have a thankful heart.” - -“I am not thankless, I hope, but that dreadful woman seems to throw a -shadow on me and on all my hopes.” - -“Tut, tut!” said Mr. Lorry; “what is this despondency in the brave -little breast? A shadow indeed! No substance in it, Lucie.” - -But the shadow of the manner of these Defarges was dark upon himself, -for all that, and in his secret mind it troubled him greatly. - - - - -IV. Calm in Storm - - -Doctor Manette did not return until the morning of the fourth day of his -absence. So much of what had happened in that dreadful time as could be -kept from the knowledge of Lucie was so well concealed from her, that -not until long afterwards, when France and she were far apart, did she -know that eleven hundred defenceless prisoners of both sexes and all -ages had been killed by the populace; that four days and nights had been -darkened by this deed of horror; and that the air around her had been -tainted by the slain. She only knew that there had been an attack upon -the prisons, that all political prisoners had been in danger, and that -some had been dragged out by the crowd and murdered. - -To Mr. Lorry, the Doctor communicated under an injunction of secrecy on -which he had no need to dwell, that the crowd had taken him through a -scene of carnage to the prison of La Force. That, in the prison he had -found a self-appointed Tribunal sitting, before which the prisoners were -brought singly, and by which they were rapidly ordered to be put forth -to be massacred, or to be released, or (in a few cases) to be sent back -to their cells. That, presented by his conductors to this Tribunal, he -had announced himself by name and profession as having been for eighteen -years a secret and unaccused prisoner in the Bastille; that, one of the -body so sitting in judgment had risen and identified him, and that this -man was Defarge. - -That, hereupon he had ascertained, through the registers on the table, -that his son-in-law was among the living prisoners, and had pleaded hard -to the Tribunal--of whom some members were asleep and some awake, some -dirty with murder and some clean, some sober and some not--for his life -and liberty. That, in the first frantic greetings lavished on himself as -a notable sufferer under the overthrown system, it had been accorded -to him to have Charles Darnay brought before the lawless Court, and -examined. That, he seemed on the point of being at once released, when -the tide in his favour met with some unexplained check (not intelligible -to the Doctor), which led to a few words of secret conference. That, -the man sitting as President had then informed Doctor Manette that -the prisoner must remain in custody, but should, for his sake, be held -inviolate in safe custody. That, immediately, on a signal, the prisoner -was removed to the interior of the prison again; but, that he, the -Doctor, had then so strongly pleaded for permission to remain and -assure himself that his son-in-law was, through no malice or mischance, -delivered to the concourse whose murderous yells outside the gate had -often drowned the proceedings, that he had obtained the permission, and -had remained in that Hall of Blood until the danger was over. - -The sights he had seen there, with brief snatches of food and sleep by -intervals, shall remain untold. The mad joy over the prisoners who were -saved, had astounded him scarcely less than the mad ferocity against -those who were cut to pieces. One prisoner there was, he said, who had -been discharged into the street free, but at whom a mistaken savage had -thrust a pike as he passed out. Being besought to go to him and dress -the wound, the Doctor had passed out at the same gate, and had found him -in the arms of a company of Samaritans, who were seated on the bodies -of their victims. With an inconsistency as monstrous as anything in this -awful nightmare, they had helped the healer, and tended the wounded man -with the gentlest solicitude--had made a litter for him and escorted him -carefully from the spot--had then caught up their weapons and plunged -anew into a butchery so dreadful, that the Doctor had covered his eyes -with his hands, and swooned away in the midst of it. - -As Mr. Lorry received these confidences, and as he watched the face of -his friend now sixty-two years of age, a misgiving arose within him that -such dread experiences would revive the old danger. - -But, he had never seen his friend in his present aspect: he had never -at all known him in his present character. For the first time the Doctor -felt, now, that his suffering was strength and power. For the first time -he felt that in that sharp fire, he had slowly forged the iron which -could break the prison door of his daughter's husband, and deliver him. -“It all tended to a good end, my friend; it was not mere waste and ruin. -As my beloved child was helpful in restoring me to myself, I will be -helpful now in restoring the dearest part of herself to her; by the aid -of Heaven I will do it!” Thus, Doctor Manette. And when Jarvis Lorry saw -the kindled eyes, the resolute face, the calm strong look and bearing -of the man whose life always seemed to him to have been stopped, like a -clock, for so many years, and then set going again with an energy which -had lain dormant during the cessation of its usefulness, he believed. - -Greater things than the Doctor had at that time to contend with, would -have yielded before his persevering purpose. While he kept himself -in his place, as a physician, whose business was with all degrees -of mankind, bond and free, rich and poor, bad and good, he used his -personal influence so wisely, that he was soon the inspecting physician -of three prisons, and among them of La Force. He could now assure Lucie -that her husband was no longer confined alone, but was mixed with the -general body of prisoners; he saw her husband weekly, and brought sweet -messages to her, straight from his lips; sometimes her husband himself -sent a letter to her (though never by the Doctor's hand), but she was -not permitted to write to him: for, among the many wild suspicions of -plots in the prisons, the wildest of all pointed at emigrants who were -known to have made friends or permanent connections abroad. - -This new life of the Doctor's was an anxious life, no doubt; still, the -sagacious Mr. Lorry saw that there was a new sustaining pride in it. -Nothing unbecoming tinged the pride; it was a natural and worthy one; -but he observed it as a curiosity. The Doctor knew, that up to that -time, his imprisonment had been associated in the minds of his daughter -and his friend, with his personal affliction, deprivation, and weakness. -Now that this was changed, and he knew himself to be invested through -that old trial with forces to which they both looked for Charles's -ultimate safety and deliverance, he became so far exalted by the change, -that he took the lead and direction, and required them as the weak, to -trust to him as the strong. The preceding relative positions of himself -and Lucie were reversed, yet only as the liveliest gratitude and -affection could reverse them, for he could have had no pride but in -rendering some service to her who had rendered so much to him. “All -curious to see,” thought Mr. Lorry, in his amiably shrewd way, “but all -natural and right; so, take the lead, my dear friend, and keep it; it -couldn't be in better hands.” - -But, though the Doctor tried hard, and never ceased trying, to get -Charles Darnay set at liberty, or at least to get him brought to trial, -the public current of the time set too strong and fast for him. The new -era began; the king was tried, doomed, and beheaded; the Republic of -Liberty, Equality, Fraternity, or Death, declared for victory or death -against the world in arms; the black flag waved night and day from the -great towers of Notre Dame; three hundred thousand men, summoned to rise -against the tyrants of the earth, rose from all the varying soils -of France, as if the dragon's teeth had been sown broadcast, and -had yielded fruit equally on hill and plain, on rock, in gravel, and -alluvial mud, under the bright sky of the South and under the clouds of -the North, in fell and forest, in the vineyards and the olive-grounds -and among the cropped grass and the stubble of the corn, along the -fruitful banks of the broad rivers, and in the sand of the sea-shore. -What private solicitude could rear itself against the deluge of the Year -One of Liberty--the deluge rising from below, not falling from above, -and with the windows of Heaven shut, not opened! - -There was no pause, no pity, no peace, no interval of relenting rest, no -measurement of time. Though days and nights circled as regularly as when -time was young, and the evening and morning were the first day, other -count of time there was none. Hold of it was lost in the raging fever -of a nation, as it is in the fever of one patient. Now, breaking the -unnatural silence of a whole city, the executioner showed the people the -head of the king--and now, it seemed almost in the same breath, the -head of his fair wife which had had eight weary months of imprisoned -widowhood and misery, to turn it grey. - -And yet, observing the strange law of contradiction which obtains in -all such cases, the time was long, while it flamed by so fast. A -revolutionary tribunal in the capital, and forty or fifty thousand -revolutionary committees all over the land; a law of the Suspected, -which struck away all security for liberty or life, and delivered over -any good and innocent person to any bad and guilty one; prisons gorged -with people who had committed no offence, and could obtain no hearing; -these things became the established order and nature of appointed -things, and seemed to be ancient usage before they were many weeks old. -Above all, one hideous figure grew as familiar as if it had been before -the general gaze from the foundations of the world--the figure of the -sharp female called La Guillotine. - -It was the popular theme for jests; it was the best cure for headache, -it infallibly prevented the hair from turning grey, it imparted a -peculiar delicacy to the complexion, it was the National Razor which -shaved close: who kissed La Guillotine, looked through the little window -and sneezed into the sack. It was the sign of the regeneration of the -human race. It superseded the Cross. Models of it were worn on breasts -from which the Cross was discarded, and it was bowed down to and -believed in where the Cross was denied. - -It sheared off heads so many, that it, and the ground it most polluted, -were a rotten red. It was taken to pieces, like a toy-puzzle for a young -Devil, and was put together again when the occasion wanted it. It hushed -the eloquent, struck down the powerful, abolished the beautiful and -good. Twenty-two friends of high public mark, twenty-one living and one -dead, it had lopped the heads off, in one morning, in as many minutes. -The name of the strong man of Old Scripture had descended to the chief -functionary who worked it; but, so armed, he was stronger than his -namesake, and blinder, and tore away the gates of God's own Temple every -day. - -Among these terrors, and the brood belonging to them, the Doctor walked -with a steady head: confident in his power, cautiously persistent in his -end, never doubting that he would save Lucie's husband at last. Yet the -current of the time swept by, so strong and deep, and carried the time -away so fiercely, that Charles had lain in prison one year and three -months when the Doctor was thus steady and confident. So much more -wicked and distracted had the Revolution grown in that December month, -that the rivers of the South were encumbered with the bodies of the -violently drowned by night, and prisoners were shot in lines and squares -under the southern wintry sun. Still, the Doctor walked among the -terrors with a steady head. No man better known than he, in Paris at -that day; no man in a stranger situation. Silent, humane, indispensable -in hospital and prison, using his art equally among assassins and -victims, he was a man apart. In the exercise of his skill, the -appearance and the story of the Bastille Captive removed him from all -other men. He was not suspected or brought in question, any more than if -he had indeed been recalled to life some eighteen years before, or were -a Spirit moving among mortals. - - - - -V. The Wood-Sawyer - - -One year and three months. During all that time Lucie was never -sure, from hour to hour, but that the Guillotine would strike off her -husband's head next day. Every day, through the stony streets, the -tumbrils now jolted heavily, filled with Condemned. Lovely girls; bright -women, brown-haired, black-haired, and grey; youths; stalwart men and -old; gentle born and peasant born; all red wine for La Guillotine, all -daily brought into light from the dark cellars of the loathsome prisons, -and carried to her through the streets to slake her devouring thirst. -Liberty, equality, fraternity, or death;--the last, much the easiest to -bestow, O Guillotine! - -If the suddenness of her calamity, and the whirling wheels of the time, -had stunned the Doctor's daughter into awaiting the result in idle -despair, it would but have been with her as it was with many. But, from -the hour when she had taken the white head to her fresh young bosom in -the garret of Saint Antoine, she had been true to her duties. She was -truest to them in the season of trial, as all the quietly loyal and good -will always be. - -As soon as they were established in their new residence, and her father -had entered on the routine of his avocations, she arranged the little -household as exactly as if her husband had been there. Everything had -its appointed place and its appointed time. Little Lucie she taught, -as regularly, as if they had all been united in their English home. The -slight devices with which she cheated herself into the show of a belief -that they would soon be reunited--the little preparations for his speedy -return, the setting aside of his chair and his books--these, and the -solemn prayer at night for one dear prisoner especially, among the many -unhappy souls in prison and the shadow of death--were almost the only -outspoken reliefs of her heavy mind. - -She did not greatly alter in appearance. The plain dark dresses, akin to -mourning dresses, which she and her child wore, were as neat and as well -attended to as the brighter clothes of happy days. She lost her colour, -and the old and intent expression was a constant, not an occasional, -thing; otherwise, she remained very pretty and comely. Sometimes, at -night on kissing her father, she would burst into the grief she had -repressed all day, and would say that her sole reliance, under Heaven, -was on him. He always resolutely answered: “Nothing can happen to him -without my knowledge, and I know that I can save him, Lucie.” - -They had not made the round of their changed life many weeks, when her -father said to her, on coming home one evening: - -“My dear, there is an upper window in the prison, to which Charles can -sometimes gain access at three in the afternoon. When he can get to -it--which depends on many uncertainties and incidents--he might see you -in the street, he thinks, if you stood in a certain place that I can -show you. But you will not be able to see him, my poor child, and even -if you could, it would be unsafe for you to make a sign of recognition.” - -“O show me the place, my father, and I will go there every day.” - -From that time, in all weathers, she waited there two hours. As the -clock struck two, she was there, and at four she turned resignedly away. -When it was not too wet or inclement for her child to be with her, they -went together; at other times she was alone; but, she never missed a -single day. - -It was the dark and dirty corner of a small winding street. The hovel -of a cutter of wood into lengths for burning, was the only house at that -end; all else was wall. On the third day of her being there, he noticed -her. - -“Good day, citizeness.” - -“Good day, citizen.” - -This mode of address was now prescribed by decree. It had been -established voluntarily some time ago, among the more thorough patriots; -but, was now law for everybody. - -“Walking here again, citizeness?” - -“You see me, citizen!” - -The wood-sawyer, who was a little man with a redundancy of gesture (he -had once been a mender of roads), cast a glance at the prison, pointed -at the prison, and putting his ten fingers before his face to represent -bars, peeped through them jocosely. - -“But it's not my business,” said he. And went on sawing his wood. - -Next day he was looking out for her, and accosted her the moment she -appeared. - -“What? Walking here again, citizeness?” - -“Yes, citizen.” - -“Ah! A child too! Your mother, is it not, my little citizeness?” - -“Do I say yes, mamma?” whispered little Lucie, drawing close to her. - -“Yes, dearest.” - -“Yes, citizen.” - -“Ah! But it's not my business. My work is my business. See my saw! I -call it my Little Guillotine. La, la, la; La, la, la! And off his head -comes!” - -The billet fell as he spoke, and he threw it into a basket. - -“I call myself the Samson of the firewood guillotine. See here again! -Loo, loo, loo; Loo, loo, loo! And off _her_ head comes! Now, a child. -Tickle, tickle; Pickle, pickle! And off _its_ head comes. All the -family!” - -Lucie shuddered as he threw two more billets into his basket, but it was -impossible to be there while the wood-sawyer was at work, and not be in -his sight. Thenceforth, to secure his good will, she always spoke to him -first, and often gave him drink-money, which he readily received. - -He was an inquisitive fellow, and sometimes when she had quite forgotten -him in gazing at the prison roof and grates, and in lifting her heart -up to her husband, she would come to herself to find him looking at her, -with his knee on his bench and his saw stopped in its work. “But it's -not my business!” he would generally say at those times, and would -briskly fall to his sawing again. - -In all weathers, in the snow and frost of winter, in the bitter winds of -spring, in the hot sunshine of summer, in the rains of autumn, and again -in the snow and frost of winter, Lucie passed two hours of every day at -this place; and every day on leaving it, she kissed the prison wall. -Her husband saw her (so she learned from her father) it might be once in -five or six times: it might be twice or thrice running: it might be, not -for a week or a fortnight together. It was enough that he could and did -see her when the chances served, and on that possibility she would have -waited out the day, seven days a week. - -These occupations brought her round to the December month, wherein her -father walked among the terrors with a steady head. On a lightly-snowing -afternoon she arrived at the usual corner. It was a day of some wild -rejoicing, and a festival. She had seen the houses, as she came along, -decorated with little pikes, and with little red caps stuck upon them; -also, with tricoloured ribbons; also, with the standard inscription -(tricoloured letters were the favourite), Republic One and Indivisible. -Liberty, Equality, Fraternity, or Death! - -The miserable shop of the wood-sawyer was so small, that its whole -surface furnished very indifferent space for this legend. He had got -somebody to scrawl it up for him, however, who had squeezed Death in -with most inappropriate difficulty. On his house-top, he displayed pike -and cap, as a good citizen must, and in a window he had stationed his -saw inscribed as his “Little Sainte Guillotine”--for the great sharp -female was by that time popularly canonised. His shop was shut and he -was not there, which was a relief to Lucie, and left her quite alone. - -But, he was not far off, for presently she heard a troubled movement -and a shouting coming along, which filled her with fear. A moment -afterwards, and a throng of people came pouring round the corner by the -prison wall, in the midst of whom was the wood-sawyer hand in hand with -The Vengeance. There could not be fewer than five hundred people, and -they were dancing like five thousand demons. There was no other music -than their own singing. They danced to the popular Revolution song, -keeping a ferocious time that was like a gnashing of teeth in unison. -Men and women danced together, women danced together, men danced -together, as hazard had brought them together. At first, they were a -mere storm of coarse red caps and coarse woollen rags; but, as they -filled the place, and stopped to dance about Lucie, some ghastly -apparition of a dance-figure gone raving mad arose among them. They -advanced, retreated, struck at one another's hands, clutched at one -another's heads, spun round alone, caught one another and spun round -in pairs, until many of them dropped. While those were down, the rest -linked hand in hand, and all spun round together: then the ring broke, -and in separate rings of two and four they turned and turned until they -all stopped at once, began again, struck, clutched, and tore, and then -reversed the spin, and all spun round another way. Suddenly they stopped -again, paused, struck out the time afresh, formed into lines the width -of the public way, and, with their heads low down and their hands high -up, swooped screaming off. No fight could have been half so terrible -as this dance. It was so emphatically a fallen sport--a something, once -innocent, delivered over to all devilry--a healthy pastime changed into -a means of angering the blood, bewildering the senses, and steeling the -heart. Such grace as was visible in it, made it the uglier, showing how -warped and perverted all things good by nature were become. The maidenly -bosom bared to this, the pretty almost-child's head thus distracted, the -delicate foot mincing in this slough of blood and dirt, were types of -the disjointed time. - -This was the Carmagnole. As it passed, leaving Lucie frightened and -bewildered in the doorway of the wood-sawyer's house, the feathery snow -fell as quietly and lay as white and soft, as if it had never been. - -“O my father!” for he stood before her when she lifted up the eyes she -had momentarily darkened with her hand; “such a cruel, bad sight.” - -“I know, my dear, I know. I have seen it many times. Don't be -frightened! Not one of them would harm you.” - -“I am not frightened for myself, my father. But when I think of my -husband, and the mercies of these people--” - -“We will set him above their mercies very soon. I left him climbing to -the window, and I came to tell you. There is no one here to see. You may -kiss your hand towards that highest shelving roof.” - -“I do so, father, and I send him my Soul with it!” - -“You cannot see him, my poor dear?” - -“No, father,” said Lucie, yearning and weeping as she kissed her hand, -“no.” - -A footstep in the snow. Madame Defarge. “I salute you, citizeness,” - from the Doctor. “I salute you, citizen.” This in passing. Nothing more. -Madame Defarge gone, like a shadow over the white road. - -“Give me your arm, my love. Pass from here with an air of cheerfulness -and courage, for his sake. That was well done;” they had left the spot; -“it shall not be in vain. Charles is summoned for to-morrow.” - -“For to-morrow!” - -“There is no time to lose. I am well prepared, but there are precautions -to be taken, that could not be taken until he was actually summoned -before the Tribunal. He has not received the notice yet, but I know -that he will presently be summoned for to-morrow, and removed to the -Conciergerie; I have timely information. You are not afraid?” - -She could scarcely answer, “I trust in you.” - -“Do so, implicitly. Your suspense is nearly ended, my darling; he shall -be restored to you within a few hours; I have encompassed him with every -protection. I must see Lorry.” - -He stopped. There was a heavy lumbering of wheels within hearing. They -both knew too well what it meant. One. Two. Three. Three tumbrils faring -away with their dread loads over the hushing snow. - -“I must see Lorry,” the Doctor repeated, turning her another way. - -The staunch old gentleman was still in his trust; had never left it. He -and his books were in frequent requisition as to property confiscated -and made national. What he could save for the owners, he saved. No -better man living to hold fast by what Tellson's had in keeping, and to -hold his peace. - -A murky red and yellow sky, and a rising mist from the Seine, denoted -the approach of darkness. It was almost dark when they arrived at the -Bank. The stately residence of Monseigneur was altogether blighted and -deserted. Above a heap of dust and ashes in the court, ran the letters: -National Property. Republic One and Indivisible. Liberty, Equality, -Fraternity, or Death! - -Who could that be with Mr. Lorry--the owner of the riding-coat upon the -chair--who must not be seen? From whom newly arrived, did he come out, -agitated and surprised, to take his favourite in his arms? To whom did -he appear to repeat her faltering words, when, raising his voice and -turning his head towards the door of the room from which he had issued, -he said: “Removed to the Conciergerie, and summoned for to-morrow?” - - - - -VI. Triumph - - -The dread tribunal of five Judges, Public Prosecutor, and determined -Jury, sat every day. Their lists went forth every evening, and were -read out by the gaolers of the various prisons to their prisoners. The -standard gaoler-joke was, “Come out and listen to the Evening Paper, you -inside there!” - -“Charles Evremonde, called Darnay!” - -So at last began the Evening Paper at La Force. - -When a name was called, its owner stepped apart into a spot reserved -for those who were announced as being thus fatally recorded. Charles -Evremonde, called Darnay, had reason to know the usage; he had seen -hundreds pass away so. - -His bloated gaoler, who wore spectacles to read with, glanced over them -to assure himself that he had taken his place, and went through the -list, making a similar short pause at each name. There were twenty-three -names, but only twenty were responded to; for one of the prisoners so -summoned had died in gaol and been forgotten, and two had already been -guillotined and forgotten. The list was read, in the vaulted chamber -where Darnay had seen the associated prisoners on the night of his -arrival. Every one of those had perished in the massacre; every human -creature he had since cared for and parted with, had died on the -scaffold. - -There were hurried words of farewell and kindness, but the parting was -soon over. It was the incident of every day, and the society of La Force -were engaged in the preparation of some games of forfeits and a little -concert, for that evening. They crowded to the grates and shed tears -there; but, twenty places in the projected entertainments had to be -refilled, and the time was, at best, short to the lock-up hour, when the -common rooms and corridors would be delivered over to the great dogs -who kept watch there through the night. The prisoners were far from -insensible or unfeeling; their ways arose out of the condition of the -time. Similarly, though with a subtle difference, a species of fervour -or intoxication, known, without doubt, to have led some persons to -brave the guillotine unnecessarily, and to die by it, was not mere -boastfulness, but a wild infection of the wildly shaken public mind. In -seasons of pestilence, some of us will have a secret attraction to the -disease--a terrible passing inclination to die of it. And all of us have -like wonders hidden in our breasts, only needing circumstances to evoke -them. - -The passage to the Conciergerie was short and dark; the night in its -vermin-haunted cells was long and cold. Next day, fifteen prisoners were -put to the bar before Charles Darnay's name was called. All the fifteen -were condemned, and the trials of the whole occupied an hour and a half. - -“Charles Evremonde, called Darnay,” was at length arraigned. - -His judges sat upon the Bench in feathered hats; but the rough red cap -and tricoloured cockade was the head-dress otherwise prevailing. Looking -at the Jury and the turbulent audience, he might have thought that the -usual order of things was reversed, and that the felons were trying the -honest men. The lowest, cruelest, and worst populace of a city, never -without its quantity of low, cruel, and bad, were the directing -spirits of the scene: noisily commenting, applauding, disapproving, -anticipating, and precipitating the result, without a check. Of the men, -the greater part were armed in various ways; of the women, some wore -knives, some daggers, some ate and drank as they looked on, many -knitted. Among these last, was one, with a spare piece of knitting under -her arm as she worked. She was in a front row, by the side of a man whom -he had never seen since his arrival at the Barrier, but whom he directly -remembered as Defarge. He noticed that she once or twice whispered in -his ear, and that she seemed to be his wife; but, what he most noticed -in the two figures was, that although they were posted as close to -himself as they could be, they never looked towards him. They seemed to -be waiting for something with a dogged determination, and they looked at -the Jury, but at nothing else. Under the President sat Doctor Manette, -in his usual quiet dress. As well as the prisoner could see, he and Mr. -Lorry were the only men there, unconnected with the Tribunal, who -wore their usual clothes, and had not assumed the coarse garb of the -Carmagnole. - -Charles Evremonde, called Darnay, was accused by the public prosecutor -as an emigrant, whose life was forfeit to the Republic, under the decree -which banished all emigrants on pain of Death. It was nothing that the -decree bore date since his return to France. There he was, and there was -the decree; he had been taken in France, and his head was demanded. - -“Take off his head!” cried the audience. “An enemy to the Republic!” - -The President rang his bell to silence those cries, and asked the -prisoner whether it was not true that he had lived many years in -England? - -Undoubtedly it was. - -Was he not an emigrant then? What did he call himself? - -Not an emigrant, he hoped, within the sense and spirit of the law. - -Why not? the President desired to know. - -Because he had voluntarily relinquished a title that was distasteful -to him, and a station that was distasteful to him, and had left -his country--he submitted before the word emigrant in the present -acceptation by the Tribunal was in use--to live by his own industry in -England, rather than on the industry of the overladen people of France. - -What proof had he of this? - -He handed in the names of two witnesses; Theophile Gabelle, and -Alexandre Manette. - -But he had married in England? the President reminded him. - -True, but not an English woman. - -A citizeness of France? - -Yes. By birth. - -Her name and family? - -“Lucie Manette, only daughter of Doctor Manette, the good physician who -sits there.” - -This answer had a happy effect upon the audience. Cries in exaltation -of the well-known good physician rent the hall. So capriciously were -the people moved, that tears immediately rolled down several ferocious -countenances which had been glaring at the prisoner a moment before, as -if with impatience to pluck him out into the streets and kill him. - -On these few steps of his dangerous way, Charles Darnay had set his foot -according to Doctor Manette's reiterated instructions. The same cautious -counsel directed every step that lay before him, and had prepared every -inch of his road. - -The President asked, why had he returned to France when he did, and not -sooner? - -He had not returned sooner, he replied, simply because he had no means -of living in France, save those he had resigned; whereas, in England, -he lived by giving instruction in the French language and literature. -He had returned when he did, on the pressing and written entreaty of -a French citizen, who represented that his life was endangered by his -absence. He had come back, to save a citizen's life, and to bear his -testimony, at whatever personal hazard, to the truth. Was that criminal -in the eyes of the Republic? - -The populace cried enthusiastically, “No!” and the President rang his -bell to quiet them. Which it did not, for they continued to cry “No!” - until they left off, of their own will. - -The President required the name of that citizen. The accused explained -that the citizen was his first witness. He also referred with confidence -to the citizen's letter, which had been taken from him at the Barrier, -but which he did not doubt would be found among the papers then before -the President. - -The Doctor had taken care that it should be there--had assured him that -it would be there--and at this stage of the proceedings it was produced -and read. Citizen Gabelle was called to confirm it, and did so. Citizen -Gabelle hinted, with infinite delicacy and politeness, that in the -pressure of business imposed on the Tribunal by the multitude of -enemies of the Republic with which it had to deal, he had been slightly -overlooked in his prison of the Abbaye--in fact, had rather passed out -of the Tribunal's patriotic remembrance--until three days ago; when he -had been summoned before it, and had been set at liberty on the Jury's -declaring themselves satisfied that the accusation against him was -answered, as to himself, by the surrender of the citizen Evremonde, -called Darnay. - -Doctor Manette was next questioned. His high personal popularity, -and the clearness of his answers, made a great impression; but, as he -proceeded, as he showed that the Accused was his first friend on his -release from his long imprisonment; that, the accused had remained in -England, always faithful and devoted to his daughter and himself in -their exile; that, so far from being in favour with the Aristocrat -government there, he had actually been tried for his life by it, as -the foe of England and friend of the United States--as he brought these -circumstances into view, with the greatest discretion and with the -straightforward force of truth and earnestness, the Jury and the -populace became one. At last, when he appealed by name to Monsieur -Lorry, an English gentleman then and there present, who, like himself, -had been a witness on that English trial and could corroborate his -account of it, the Jury declared that they had heard enough, and that -they were ready with their votes if the President were content to -receive them. - -At every vote (the Jurymen voted aloud and individually), the populace -set up a shout of applause. All the voices were in the prisoner's -favour, and the President declared him free. - -Then, began one of those extraordinary scenes with which the populace -sometimes gratified their fickleness, or their better impulses towards -generosity and mercy, or which they regarded as some set-off against -their swollen account of cruel rage. No man can decide now to which of -these motives such extraordinary scenes were referable; it is probable, -to a blending of all the three, with the second predominating. No sooner -was the acquittal pronounced, than tears were shed as freely as blood -at another time, and such fraternal embraces were bestowed upon the -prisoner by as many of both sexes as could rush at him, that after -his long and unwholesome confinement he was in danger of fainting from -exhaustion; none the less because he knew very well, that the very same -people, carried by another current, would have rushed at him with -the very same intensity, to rend him to pieces and strew him over the -streets. - -His removal, to make way for other accused persons who were to be tried, -rescued him from these caresses for the moment. Five were to be tried -together, next, as enemies of the Republic, forasmuch as they had not -assisted it by word or deed. So quick was the Tribunal to compensate -itself and the nation for a chance lost, that these five came down to -him before he left the place, condemned to die within twenty-four -hours. The first of them told him so, with the customary prison sign -of Death--a raised finger--and they all added in words, “Long live the -Republic!” - -The five had had, it is true, no audience to lengthen their proceedings, -for when he and Doctor Manette emerged from the gate, there was a great -crowd about it, in which there seemed to be every face he had seen in -Court--except two, for which he looked in vain. On his coming out, the -concourse made at him anew, weeping, embracing, and shouting, all by -turns and all together, until the very tide of the river on the bank of -which the mad scene was acted, seemed to run mad, like the people on the -shore. - -They put him into a great chair they had among them, and which they had -taken either out of the Court itself, or one of its rooms or passages. -Over the chair they had thrown a red flag, and to the back of it they -had bound a pike with a red cap on its top. In this car of triumph, not -even the Doctor's entreaties could prevent his being carried to his home -on men's shoulders, with a confused sea of red caps heaving about him, -and casting up to sight from the stormy deep such wrecks of faces, that -he more than once misdoubted his mind being in confusion, and that he -was in the tumbril on his way to the Guillotine. - -In wild dreamlike procession, embracing whom they met and pointing -him out, they carried him on. Reddening the snowy streets with the -prevailing Republican colour, in winding and tramping through them, as -they had reddened them below the snow with a deeper dye, they carried -him thus into the courtyard of the building where he lived. Her father -had gone on before, to prepare her, and when her husband stood upon his -feet, she dropped insensible in his arms. - -As he held her to his heart and turned her beautiful head between his -face and the brawling crowd, so that his tears and her lips might come -together unseen, a few of the people fell to dancing. Instantly, all the -rest fell to dancing, and the courtyard overflowed with the Carmagnole. -Then, they elevated into the vacant chair a young woman from the -crowd to be carried as the Goddess of Liberty, and then swelling and -overflowing out into the adjacent streets, and along the river's bank, -and over the bridge, the Carmagnole absorbed them every one and whirled -them away. - -After grasping the Doctor's hand, as he stood victorious and proud -before him; after grasping the hand of Mr. Lorry, who came panting in -breathless from his struggle against the waterspout of the Carmagnole; -after kissing little Lucie, who was lifted up to clasp her arms round -his neck; and after embracing the ever zealous and faithful Pross who -lifted her; he took his wife in his arms, and carried her up to their -rooms. - -“Lucie! My own! I am safe.” - -“O dearest Charles, let me thank God for this on my knees as I have -prayed to Him.” - -They all reverently bowed their heads and hearts. When she was again in -his arms, he said to her: - -“And now speak to your father, dearest. No other man in all this France -could have done what he has done for me.” - -She laid her head upon her father's breast, as she had laid his poor -head on her own breast, long, long ago. He was happy in the return he -had made her, he was recompensed for his suffering, he was proud of his -strength. “You must not be weak, my darling,” he remonstrated; “don't -tremble so. I have saved him.” - - - - -VII. A Knock at the Door - - -“I have saved him.” It was not another of the dreams in which he had -often come back; he was really here. And yet his wife trembled, and a -vague but heavy fear was upon her. - -All the air round was so thick and dark, the people were so passionately -revengeful and fitful, the innocent were so constantly put to death on -vague suspicion and black malice, it was so impossible to forget that -many as blameless as her husband and as dear to others as he was to -her, every day shared the fate from which he had been clutched, that her -heart could not be as lightened of its load as she felt it ought to be. -The shadows of the wintry afternoon were beginning to fall, and even now -the dreadful carts were rolling through the streets. Her mind pursued -them, looking for him among the Condemned; and then she clung closer to -his real presence and trembled more. - -Her father, cheering her, showed a compassionate superiority to this -woman's weakness, which was wonderful to see. No garret, no shoemaking, -no One Hundred and Five, North Tower, now! He had accomplished the task -he had set himself, his promise was redeemed, he had saved Charles. Let -them all lean upon him. - -Their housekeeping was of a very frugal kind: not only because that was -the safest way of life, involving the least offence to the people, but -because they were not rich, and Charles, throughout his imprisonment, -had had to pay heavily for his bad food, and for his guard, and towards -the living of the poorer prisoners. Partly on this account, and -partly to avoid a domestic spy, they kept no servant; the citizen and -citizeness who acted as porters at the courtyard gate, rendered them -occasional service; and Jerry (almost wholly transferred to them by -Mr. Lorry) had become their daily retainer, and had his bed there every -night. - -It was an ordinance of the Republic One and Indivisible of Liberty, -Equality, Fraternity, or Death, that on the door or doorpost of every -house, the name of every inmate must be legibly inscribed in letters -of a certain size, at a certain convenient height from the ground. Mr. -Jerry Cruncher's name, therefore, duly embellished the doorpost down -below; and, as the afternoon shadows deepened, the owner of that name -himself appeared, from overlooking a painter whom Doctor Manette had -employed to add to the list the name of Charles Evremonde, called -Darnay. - -In the universal fear and distrust that darkened the time, all the usual -harmless ways of life were changed. In the Doctor's little household, as -in very many others, the articles of daily consumption that were wanted -were purchased every evening, in small quantities and at various small -shops. To avoid attracting notice, and to give as little occasion as -possible for talk and envy, was the general desire. - -For some months past, Miss Pross and Mr. Cruncher had discharged the -office of purveyors; the former carrying the money; the latter, the -basket. Every afternoon at about the time when the public lamps were -lighted, they fared forth on this duty, and made and brought home -such purchases as were needful. Although Miss Pross, through her long -association with a French family, might have known as much of their -language as of her own, if she had had a mind, she had no mind in that -direction; consequently she knew no more of that “nonsense” (as she was -pleased to call it) than Mr. Cruncher did. So her manner of marketing -was to plump a noun-substantive at the head of a shopkeeper without any -introduction in the nature of an article, and, if it happened not to be -the name of the thing she wanted, to look round for that thing, lay hold -of it, and hold on by it until the bargain was concluded. She always -made a bargain for it, by holding up, as a statement of its just price, -one finger less than the merchant held up, whatever his number might be. - -“Now, Mr. Cruncher,” said Miss Pross, whose eyes were red with felicity; -“if you are ready, I am.” - -Jerry hoarsely professed himself at Miss Pross's service. He had worn -all his rust off long ago, but nothing would file his spiky head down. - -“There's all manner of things wanted,” said Miss Pross, “and we shall -have a precious time of it. We want wine, among the rest. Nice toasts -these Redheads will be drinking, wherever we buy it.” - -“It will be much the same to your knowledge, miss, I should think,” - retorted Jerry, “whether they drink your health or the Old Un's.” - -“Who's he?” said Miss Pross. - -Mr. Cruncher, with some diffidence, explained himself as meaning “Old -Nick's.” - -“Ha!” said Miss Pross, “it doesn't need an interpreter to explain the -meaning of these creatures. They have but one, and it's Midnight Murder, -and Mischief.” - -“Hush, dear! Pray, pray, be cautious!” cried Lucie. - -“Yes, yes, yes, I'll be cautious,” said Miss Pross; “but I may say -among ourselves, that I do hope there will be no oniony and tobaccoey -smotherings in the form of embracings all round, going on in the -streets. Now, Ladybird, never you stir from that fire till I come back! -Take care of the dear husband you have recovered, and don't move your -pretty head from his shoulder as you have it now, till you see me again! -May I ask a question, Doctor Manette, before I go?” - -“I think you may take that liberty,” the Doctor answered, smiling. - -“For gracious sake, don't talk about Liberty; we have quite enough of -that,” said Miss Pross. - -“Hush, dear! Again?” Lucie remonstrated. - -“Well, my sweet,” said Miss Pross, nodding her head emphatically, “the -short and the long of it is, that I am a subject of His Most Gracious -Majesty King George the Third;” Miss Pross curtseyed at the name; “and -as such, my maxim is, Confound their politics, Frustrate their knavish -tricks, On him our hopes we fix, God save the King!” - -Mr. Cruncher, in an access of loyalty, growlingly repeated the words -after Miss Pross, like somebody at church. - -“I am glad you have so much of the Englishman in you, though I wish you -had never taken that cold in your voice,” said Miss Pross, approvingly. -“But the question, Doctor Manette. Is there”--it was the good creature's -way to affect to make light of anything that was a great anxiety -with them all, and to come at it in this chance manner--“is there any -prospect yet, of our getting out of this place?” - -“I fear not yet. It would be dangerous for Charles yet.” - -“Heigh-ho-hum!” said Miss Pross, cheerfully repressing a sigh as she -glanced at her darling's golden hair in the light of the fire, “then we -must have patience and wait: that's all. We must hold up our heads and -fight low, as my brother Solomon used to say. Now, Mr. Cruncher!--Don't -you move, Ladybird!” - -They went out, leaving Lucie, and her husband, her father, and the -child, by a bright fire. Mr. Lorry was expected back presently from the -Banking House. Miss Pross had lighted the lamp, but had put it aside in -a corner, that they might enjoy the fire-light undisturbed. Little Lucie -sat by her grandfather with her hands clasped through his arm: and he, -in a tone not rising much above a whisper, began to tell her a story of -a great and powerful Fairy who had opened a prison-wall and let out -a captive who had once done the Fairy a service. All was subdued and -quiet, and Lucie was more at ease than she had been. - -“What is that?” she cried, all at once. - -“My dear!” said her father, stopping in his story, and laying his hand -on hers, “command yourself. What a disordered state you are in! The -least thing--nothing--startles you! _You_, your father's daughter!” - -“I thought, my father,” said Lucie, excusing herself, with a pale face -and in a faltering voice, “that I heard strange feet upon the stairs.” - -“My love, the staircase is as still as Death.” - -As he said the word, a blow was struck upon the door. - -“Oh father, father. What can this be! Hide Charles. Save him!” - -“My child,” said the Doctor, rising, and laying his hand upon her -shoulder, “I _have_ saved him. What weakness is this, my dear! Let me go -to the door.” - -He took the lamp in his hand, crossed the two intervening outer rooms, -and opened it. A rude clattering of feet over the floor, and four rough -men in red caps, armed with sabres and pistols, entered the room. - -“The Citizen Evremonde, called Darnay,” said the first. - -“Who seeks him?” answered Darnay. - -“I seek him. We seek him. I know you, Evremonde; I saw you before the -Tribunal to-day. You are again the prisoner of the Republic.” - -The four surrounded him, where he stood with his wife and child clinging -to him. - -“Tell me how and why am I again a prisoner?” - -“It is enough that you return straight to the Conciergerie, and will -know to-morrow. You are summoned for to-morrow.” - -Doctor Manette, whom this visitation had so turned into stone, that he -stood with the lamp in his hand, as if he were a statue made to hold it, -moved after these words were spoken, put the lamp down, and confronting -the speaker, and taking him, not ungently, by the loose front of his red -woollen shirt, said: - -“You know him, you have said. Do you know me?” - -“Yes, I know you, Citizen Doctor.” - -“We all know you, Citizen Doctor,” said the other three. - -He looked abstractedly from one to another, and said, in a lower voice, -after a pause: - -“Will you answer his question to me then? How does this happen?” - -“Citizen Doctor,” said the first, reluctantly, “he has been denounced to -the Section of Saint Antoine. This citizen,” pointing out the second who -had entered, “is from Saint Antoine.” - -The citizen here indicated nodded his head, and added: - -“He is accused by Saint Antoine.” - -“Of what?” asked the Doctor. - -“Citizen Doctor,” said the first, with his former reluctance, “ask no -more. If the Republic demands sacrifices from you, without doubt you as -a good patriot will be happy to make them. The Republic goes before all. -The People is supreme. Evremonde, we are pressed.” - -“One word,” the Doctor entreated. “Will you tell me who denounced him?” - -“It is against rule,” answered the first; “but you can ask Him of Saint -Antoine here.” - -The Doctor turned his eyes upon that man. Who moved uneasily on his -feet, rubbed his beard a little, and at length said: - -“Well! Truly it is against rule. But he is denounced--and gravely--by -the Citizen and Citizeness Defarge. And by one other.” - -“What other?” - -“Do _you_ ask, Citizen Doctor?” - -“Yes.” - -“Then,” said he of Saint Antoine, with a strange look, “you will be -answered to-morrow. Now, I am dumb!” - - - - -VIII. A Hand at Cards - - -Happily unconscious of the new calamity at home, Miss Pross threaded her -way along the narrow streets and crossed the river by the bridge of the -Pont-Neuf, reckoning in her mind the number of indispensable purchases -she had to make. Mr. Cruncher, with the basket, walked at her side. They -both looked to the right and to the left into most of the shops they -passed, had a wary eye for all gregarious assemblages of people, and -turned out of their road to avoid any very excited group of talkers. It -was a raw evening, and the misty river, blurred to the eye with blazing -lights and to the ear with harsh noises, showed where the barges were -stationed in which the smiths worked, making guns for the Army of the -Republic. Woe to the man who played tricks with _that_ Army, or got -undeserved promotion in it! Better for him that his beard had never -grown, for the National Razor shaved him close. - -Having purchased a few small articles of grocery, and a measure of oil -for the lamp, Miss Pross bethought herself of the wine they wanted. -After peeping into several wine-shops, she stopped at the sign of the -Good Republican Brutus of Antiquity, not far from the National Palace, -once (and twice) the Tuileries, where the aspect of things rather -took her fancy. It had a quieter look than any other place of the same -description they had passed, and, though red with patriotic caps, was -not so red as the rest. Sounding Mr. Cruncher, and finding him of her -opinion, Miss Pross resorted to the Good Republican Brutus of Antiquity, -attended by her cavalier. - -Slightly observant of the smoky lights; of the people, pipe in mouth, -playing with limp cards and yellow dominoes; of the one bare-breasted, -bare-armed, soot-begrimed workman reading a journal aloud, and of -the others listening to him; of the weapons worn, or laid aside to be -resumed; of the two or three customers fallen forward asleep, who in the -popular high-shouldered shaggy black spencer looked, in that attitude, -like slumbering bears or dogs; the two outlandish customers approached -the counter, and showed what they wanted. - -As their wine was measuring out, a man parted from another man in a -corner, and rose to depart. In going, he had to face Miss Pross. No -sooner did he face her, than Miss Pross uttered a scream, and clapped -her hands. - -In a moment, the whole company were on their feet. That somebody was -assassinated by somebody vindicating a difference of opinion was the -likeliest occurrence. Everybody looked to see somebody fall, but only -saw a man and a woman standing staring at each other; the man with all -the outward aspect of a Frenchman and a thorough Republican; the woman, -evidently English. - -What was said in this disappointing anti-climax, by the disciples of the -Good Republican Brutus of Antiquity, except that it was something very -voluble and loud, would have been as so much Hebrew or Chaldean to Miss -Pross and her protector, though they had been all ears. But, they had no -ears for anything in their surprise. For, it must be recorded, that -not only was Miss Pross lost in amazement and agitation, but, -Mr. Cruncher--though it seemed on his own separate and individual -account--was in a state of the greatest wonder. - -“What is the matter?” said the man who had caused Miss Pross to scream; -speaking in a vexed, abrupt voice (though in a low tone), and in -English. - -“Oh, Solomon, dear Solomon!” cried Miss Pross, clapping her hands again. -“After not setting eyes upon you or hearing of you for so long a time, -do I find you here!” - -“Don't call me Solomon. Do you want to be the death of me?” asked the -man, in a furtive, frightened way. - -“Brother, brother!” cried Miss Pross, bursting into tears. “Have I ever -been so hard with you that you ask me such a cruel question?” - -“Then hold your meddlesome tongue,” said Solomon, “and come out, if you -want to speak to me. Pay for your wine, and come out. Who's this man?” - -Miss Pross, shaking her loving and dejected head at her by no means -affectionate brother, said through her tears, “Mr. Cruncher.” - -“Let him come out too,” said Solomon. “Does he think me a ghost?” - -Apparently, Mr. Cruncher did, to judge from his looks. He said not a -word, however, and Miss Pross, exploring the depths of her reticule -through her tears with great difficulty paid for her wine. As she did -so, Solomon turned to the followers of the Good Republican Brutus -of Antiquity, and offered a few words of explanation in the French -language, which caused them all to relapse into their former places and -pursuits. - -“Now,” said Solomon, stopping at the dark street corner, “what do you -want?” - -“How dreadfully unkind in a brother nothing has ever turned my love away -from!” cried Miss Pross, “to give me such a greeting, and show me no -affection.” - -“There. Confound it! There,” said Solomon, making a dab at Miss Pross's -lips with his own. “Now are you content?” - -Miss Pross only shook her head and wept in silence. - -“If you expect me to be surprised,” said her brother Solomon, “I am not -surprised; I knew you were here; I know of most people who are here. If -you really don't want to endanger my existence--which I half believe you -do--go your ways as soon as possible, and let me go mine. I am busy. I -am an official.” - -“My English brother Solomon,” mourned Miss Pross, casting up her -tear-fraught eyes, “that had the makings in him of one of the best and -greatest of men in his native country, an official among foreigners, and -such foreigners! I would almost sooner have seen the dear boy lying in -his--” - -“I said so!” cried her brother, interrupting. “I knew it. You want to be -the death of me. I shall be rendered Suspected, by my own sister. Just -as I am getting on!” - -“The gracious and merciful Heavens forbid!” cried Miss Pross. “Far -rather would I never see you again, dear Solomon, though I have ever -loved you truly, and ever shall. Say but one affectionate word to me, -and tell me there is nothing angry or estranged between us, and I will -detain you no longer.” - -Good Miss Pross! As if the estrangement between them had come of any -culpability of hers. As if Mr. Lorry had not known it for a fact, years -ago, in the quiet corner in Soho, that this precious brother had spent -her money and left her! - -He was saying the affectionate word, however, with a far more grudging -condescension and patronage than he could have shown if their relative -merits and positions had been reversed (which is invariably the case, -all the world over), when Mr. Cruncher, touching him on the shoulder, -hoarsely and unexpectedly interposed with the following singular -question: - -“I say! Might I ask the favour? As to whether your name is John Solomon, -or Solomon John?” - -The official turned towards him with sudden distrust. He had not -previously uttered a word. - -“Come!” said Mr. Cruncher. “Speak out, you know.” (Which, by the way, -was more than he could do himself.) “John Solomon, or Solomon John? She -calls you Solomon, and she must know, being your sister. And _I_ know -you're John, you know. Which of the two goes first? And regarding that -name of Pross, likewise. That warn't your name over the water.” - -“What do you mean?” - -“Well, I don't know all I mean, for I can't call to mind what your name -was, over the water.” - -“No?” - -“No. But I'll swear it was a name of two syllables.” - -“Indeed?” - -“Yes. T'other one's was one syllable. I know you. You was a spy--witness -at the Bailey. What, in the name of the Father of Lies, own father to -yourself, was you called at that time?” - -“Barsad,” said another voice, striking in. - -“That's the name for a thousand pound!” cried Jerry. - -The speaker who struck in, was Sydney Carton. He had his hands behind -him under the skirts of his riding-coat, and he stood at Mr. Cruncher's -elbow as negligently as he might have stood at the Old Bailey itself. - -“Don't be alarmed, my dear Miss Pross. I arrived at Mr. Lorry's, to his -surprise, yesterday evening; we agreed that I would not present myself -elsewhere until all was well, or unless I could be useful; I present -myself here, to beg a little talk with your brother. I wish you had a -better employed brother than Mr. Barsad. I wish for your sake Mr. Barsad -was not a Sheep of the Prisons.” - -Sheep was a cant word of the time for a spy, under the gaolers. The spy, -who was pale, turned paler, and asked him how he dared-- - -“I'll tell you,” said Sydney. “I lighted on you, Mr. Barsad, coming out -of the prison of the Conciergerie while I was contemplating the walls, -an hour or more ago. You have a face to be remembered, and I remember -faces well. Made curious by seeing you in that connection, and having -a reason, to which you are no stranger, for associating you with -the misfortunes of a friend now very unfortunate, I walked in your -direction. I walked into the wine-shop here, close after you, and -sat near you. I had no difficulty in deducing from your unreserved -conversation, and the rumour openly going about among your admirers, the -nature of your calling. And gradually, what I had done at random, seemed -to shape itself into a purpose, Mr. Barsad.” - -“What purpose?” the spy asked. - -“It would be troublesome, and might be dangerous, to explain in the -street. Could you favour me, in confidence, with some minutes of your -company--at the office of Tellson's Bank, for instance?” - -“Under a threat?” - -“Oh! Did I say that?” - -“Then, why should I go there?” - -“Really, Mr. Barsad, I can't say, if you can't.” - -“Do you mean that you won't say, sir?” the spy irresolutely asked. - -“You apprehend me very clearly, Mr. Barsad. I won't.” - -Carton's negligent recklessness of manner came powerfully in aid of his -quickness and skill, in such a business as he had in his secret mind, -and with such a man as he had to do with. His practised eye saw it, and -made the most of it. - -“Now, I told you so,” said the spy, casting a reproachful look at his -sister; “if any trouble comes of this, it's your doing.” - -“Come, come, Mr. Barsad!” exclaimed Sydney. “Don't be ungrateful. -But for my great respect for your sister, I might not have led up so -pleasantly to a little proposal that I wish to make for our mutual -satisfaction. Do you go with me to the Bank?” - -“I'll hear what you have got to say. Yes, I'll go with you.” - -“I propose that we first conduct your sister safely to the corner of her -own street. Let me take your arm, Miss Pross. This is not a good city, -at this time, for you to be out in, unprotected; and as your escort -knows Mr. Barsad, I will invite him to Mr. Lorry's with us. Are we -ready? Come then!” - -Miss Pross recalled soon afterwards, and to the end of her life -remembered, that as she pressed her hands on Sydney's arm and looked up -in his face, imploring him to do no hurt to Solomon, there was a braced -purpose in the arm and a kind of inspiration in the eyes, which not only -contradicted his light manner, but changed and raised the man. She was -too much occupied then with fears for the brother who so little deserved -her affection, and with Sydney's friendly reassurances, adequately to -heed what she observed. - -They left her at the corner of the street, and Carton led the way to Mr. -Lorry's, which was within a few minutes' walk. John Barsad, or Solomon -Pross, walked at his side. - -Mr. Lorry had just finished his dinner, and was sitting before a cheery -little log or two of fire--perhaps looking into their blaze for the -picture of that younger elderly gentleman from Tellson's, who had looked -into the red coals at the Royal George at Dover, now a good many years -ago. He turned his head as they entered, and showed the surprise with -which he saw a stranger. - -“Miss Pross's brother, sir,” said Sydney. “Mr. Barsad.” - -“Barsad?” repeated the old gentleman, “Barsad? I have an association -with the name--and with the face.” - -“I told you you had a remarkable face, Mr. Barsad,” observed Carton, -coolly. “Pray sit down.” - -As he took a chair himself, he supplied the link that Mr. Lorry wanted, -by saying to him with a frown, “Witness at that trial.” Mr. Lorry -immediately remembered, and regarded his new visitor with an undisguised -look of abhorrence. - -“Mr. Barsad has been recognised by Miss Pross as the affectionate -brother you have heard of,” said Sydney, “and has acknowledged the -relationship. I pass to worse news. Darnay has been arrested again.” - -Struck with consternation, the old gentleman exclaimed, “What do you -tell me! I left him safe and free within these two hours, and am about -to return to him!” - -“Arrested for all that. When was it done, Mr. Barsad?” - -“Just now, if at all.” - -“Mr. Barsad is the best authority possible, sir,” said Sydney, “and I -have it from Mr. Barsad's communication to a friend and brother Sheep -over a bottle of wine, that the arrest has taken place. He left the -messengers at the gate, and saw them admitted by the porter. There is no -earthly doubt that he is retaken.” - -Mr. Lorry's business eye read in the speaker's face that it was loss -of time to dwell upon the point. Confused, but sensible that something -might depend on his presence of mind, he commanded himself, and was -silently attentive. - -“Now, I trust,” said Sydney to him, “that the name and influence of -Doctor Manette may stand him in as good stead to-morrow--you said he -would be before the Tribunal again to-morrow, Mr. Barsad?--” - -“Yes; I believe so.” - -“--In as good stead to-morrow as to-day. But it may not be so. I own -to you, I am shaken, Mr. Lorry, by Doctor Manette's not having had the -power to prevent this arrest.” - -“He may not have known of it beforehand,” said Mr. Lorry. - -“But that very circumstance would be alarming, when we remember how -identified he is with his son-in-law.” - -“That's true,” Mr. Lorry acknowledged, with his troubled hand at his -chin, and his troubled eyes on Carton. - -“In short,” said Sydney, “this is a desperate time, when desperate games -are played for desperate stakes. Let the Doctor play the winning game; I -will play the losing one. No man's life here is worth purchase. Any one -carried home by the people to-day, may be condemned tomorrow. Now, the -stake I have resolved to play for, in case of the worst, is a friend -in the Conciergerie. And the friend I purpose to myself to win, is Mr. -Barsad.” - -“You need have good cards, sir,” said the spy. - -“I'll run them over. I'll see what I hold,--Mr. Lorry, you know what a -brute I am; I wish you'd give me a little brandy.” - -It was put before him, and he drank off a glassful--drank off another -glassful--pushed the bottle thoughtfully away. - -“Mr. Barsad,” he went on, in the tone of one who really was looking -over a hand at cards: “Sheep of the prisons, emissary of Republican -committees, now turnkey, now prisoner, always spy and secret informer, -so much the more valuable here for being English that an Englishman -is less open to suspicion of subornation in those characters than a -Frenchman, represents himself to his employers under a false name. -That's a very good card. Mr. Barsad, now in the employ of the republican -French government, was formerly in the employ of the aristocratic -English government, the enemy of France and freedom. That's an excellent -card. Inference clear as day in this region of suspicion, that Mr. -Barsad, still in the pay of the aristocratic English government, is the -spy of Pitt, the treacherous foe of the Republic crouching in its bosom, -the English traitor and agent of all mischief so much spoken of and so -difficult to find. That's a card not to be beaten. Have you followed my -hand, Mr. Barsad?” - -“Not to understand your play,” returned the spy, somewhat uneasily. - -“I play my Ace, Denunciation of Mr. Barsad to the nearest Section -Committee. Look over your hand, Mr. Barsad, and see what you have. Don't -hurry.” - -He drew the bottle near, poured out another glassful of brandy, and -drank it off. He saw that the spy was fearful of his drinking himself -into a fit state for the immediate denunciation of him. Seeing it, he -poured out and drank another glassful. - -“Look over your hand carefully, Mr. Barsad. Take time.” - -It was a poorer hand than he suspected. Mr. Barsad saw losing cards -in it that Sydney Carton knew nothing of. Thrown out of his honourable -employment in England, through too much unsuccessful hard swearing -there--not because he was not wanted there; our English reasons for -vaunting our superiority to secrecy and spies are of very modern -date--he knew that he had crossed the Channel, and accepted service in -France: first, as a tempter and an eavesdropper among his own countrymen -there: gradually, as a tempter and an eavesdropper among the natives. He -knew that under the overthrown government he had been a spy upon Saint -Antoine and Defarge's wine-shop; had received from the watchful police -such heads of information concerning Doctor Manette's imprisonment, -release, and history, as should serve him for an introduction to -familiar conversation with the Defarges; and tried them on Madame -Defarge, and had broken down with them signally. He always remembered -with fear and trembling, that that terrible woman had knitted when he -talked with her, and had looked ominously at him as her fingers moved. -He had since seen her, in the Section of Saint Antoine, over and over -again produce her knitted registers, and denounce people whose lives the -guillotine then surely swallowed up. He knew, as every one employed as -he was did, that he was never safe; that flight was impossible; that -he was tied fast under the shadow of the axe; and that in spite of -his utmost tergiversation and treachery in furtherance of the reigning -terror, a word might bring it down upon him. Once denounced, and on such -grave grounds as had just now been suggested to his mind, he foresaw -that the dreadful woman of whose unrelenting character he had seen many -proofs, would produce against him that fatal register, and would quash -his last chance of life. Besides that all secret men are men soon -terrified, here were surely cards enough of one black suit, to justify -the holder in growing rather livid as he turned them over. - -“You scarcely seem to like your hand,” said Sydney, with the greatest -composure. “Do you play?” - -“I think, sir,” said the spy, in the meanest manner, as he turned to Mr. -Lorry, “I may appeal to a gentleman of your years and benevolence, to -put it to this other gentleman, so much your junior, whether he can -under any circumstances reconcile it to his station to play that Ace -of which he has spoken. I admit that _I_ am a spy, and that it is -considered a discreditable station--though it must be filled by -somebody; but this gentleman is no spy, and why should he so demean -himself as to make himself one?” - -“I play my Ace, Mr. Barsad,” said Carton, taking the answer on himself, -and looking at his watch, “without any scruple, in a very few minutes.” - -“I should have hoped, gentlemen both,” said the spy, always striving to -hook Mr. Lorry into the discussion, “that your respect for my sister--” - -“I could not better testify my respect for your sister than by finally -relieving her of her brother,” said Sydney Carton. - -“You think not, sir?” - -“I have thoroughly made up my mind about it.” - -The smooth manner of the spy, curiously in dissonance with his -ostentatiously rough dress, and probably with his usual demeanour, -received such a check from the inscrutability of Carton,--who was a -mystery to wiser and honester men than he,--that it faltered here and -failed him. While he was at a loss, Carton said, resuming his former air -of contemplating cards: - -“And indeed, now I think again, I have a strong impression that I -have another good card here, not yet enumerated. That friend and -fellow-Sheep, who spoke of himself as pasturing in the country prisons; -who was he?” - -“French. You don't know him,” said the spy, quickly. - -“French, eh?” repeated Carton, musing, and not appearing to notice him -at all, though he echoed his word. “Well; he may be.” - -“Is, I assure you,” said the spy; “though it's not important.” - -“Though it's not important,” repeated Carton, in the same mechanical -way--“though it's not important--No, it's not important. No. Yet I know -the face.” - -“I think not. I am sure not. It can't be,” said the spy. - -“It-can't-be,” muttered Sydney Carton, retrospectively, and idling his -glass (which fortunately was a small one) again. “Can't-be. Spoke good -French. Yet like a foreigner, I thought?” - -“Provincial,” said the spy. - -“No. Foreign!” cried Carton, striking his open hand on the table, as a -light broke clearly on his mind. “Cly! Disguised, but the same man. We -had that man before us at the Old Bailey.” - -“Now, there you are hasty, sir,” said Barsad, with a smile that gave his -aquiline nose an extra inclination to one side; “there you really give -me an advantage over you. Cly (who I will unreservedly admit, at this -distance of time, was a partner of mine) has been dead several years. I -attended him in his last illness. He was buried in London, at the church -of Saint Pancras-in-the-Fields. His unpopularity with the blackguard -multitude at the moment prevented my following his remains, but I helped -to lay him in his coffin.” - -Here, Mr. Lorry became aware, from where he sat, of a most remarkable -goblin shadow on the wall. Tracing it to its source, he discovered it -to be caused by a sudden extraordinary rising and stiffening of all the -risen and stiff hair on Mr. Cruncher's head. - -“Let us be reasonable,” said the spy, “and let us be fair. To show you -how mistaken you are, and what an unfounded assumption yours is, I will -lay before you a certificate of Cly's burial, which I happened to have -carried in my pocket-book,” with a hurried hand he produced and opened -it, “ever since. There it is. Oh, look at it, look at it! You may take -it in your hand; it's no forgery.” - -Here, Mr. Lorry perceived the reflection on the wall to elongate, and -Mr. Cruncher rose and stepped forward. His hair could not have been more -violently on end, if it had been that moment dressed by the Cow with the -crumpled horn in the house that Jack built. - -Unseen by the spy, Mr. Cruncher stood at his side, and touched him on -the shoulder like a ghostly bailiff. - -“That there Roger Cly, master,” said Mr. Cruncher, with a taciturn and -iron-bound visage. “So _you_ put him in his coffin?” - -“I did.” - -“Who took him out of it?” - -Barsad leaned back in his chair, and stammered, “What do you mean?” - -“I mean,” said Mr. Cruncher, “that he warn't never in it. No! Not he! -I'll have my head took off, if he was ever in it.” - -The spy looked round at the two gentlemen; they both looked in -unspeakable astonishment at Jerry. - -“I tell you,” said Jerry, “that you buried paving-stones and earth in -that there coffin. Don't go and tell me that you buried Cly. It was a -take in. Me and two more knows it.” - -“How do you know it?” - -“What's that to you? Ecod!” growled Mr. Cruncher, “it's you I have got a -old grudge again, is it, with your shameful impositions upon tradesmen! -I'd catch hold of your throat and choke you for half a guinea.” - -Sydney Carton, who, with Mr. Lorry, had been lost in amazement at -this turn of the business, here requested Mr. Cruncher to moderate and -explain himself. - -“At another time, sir,” he returned, evasively, “the present time is -ill-conwenient for explainin'. What I stand to, is, that he knows well -wot that there Cly was never in that there coffin. Let him say he was, -in so much as a word of one syllable, and I'll either catch hold of his -throat and choke him for half a guinea;” Mr. Cruncher dwelt upon this as -quite a liberal offer; “or I'll out and announce him.” - -“Humph! I see one thing,” said Carton. “I hold another card, Mr. Barsad. -Impossible, here in raging Paris, with Suspicion filling the air, for -you to outlive denunciation, when you are in communication with another -aristocratic spy of the same antecedents as yourself, who, moreover, has -the mystery about him of having feigned death and come to life again! -A plot in the prisons, of the foreigner against the Republic. A strong -card--a certain Guillotine card! Do you play?” - -“No!” returned the spy. “I throw up. I confess that we were so unpopular -with the outrageous mob, that I only got away from England at the risk -of being ducked to death, and that Cly was so ferreted up and down, that -he never would have got away at all but for that sham. Though how this -man knows it was a sham, is a wonder of wonders to me.” - -“Never you trouble your head about this man,” retorted the contentious -Mr. Cruncher; “you'll have trouble enough with giving your attention to -that gentleman. And look here! Once more!”--Mr. Cruncher could not -be restrained from making rather an ostentatious parade of his -liberality--“I'd catch hold of your throat and choke you for half a -guinea.” - -The Sheep of the prisons turned from him to Sydney Carton, and said, -with more decision, “It has come to a point. I go on duty soon, and -can't overstay my time. You told me you had a proposal; what is it? -Now, it is of no use asking too much of me. Ask me to do anything in my -office, putting my head in great extra danger, and I had better trust my -life to the chances of a refusal than the chances of consent. In short, -I should make that choice. You talk of desperation. We are all desperate -here. Remember! I may denounce you if I think proper, and I can swear my -way through stone walls, and so can others. Now, what do you want with -me?” - -“Not very much. You are a turnkey at the Conciergerie?” - -“I tell you once for all, there is no such thing as an escape possible,” - said the spy, firmly. - -“Why need you tell me what I have not asked? You are a turnkey at the -Conciergerie?” - -“I am sometimes.” - -“You can be when you choose?” - -“I can pass in and out when I choose.” - -Sydney Carton filled another glass with brandy, poured it slowly out -upon the hearth, and watched it as it dropped. It being all spent, he -said, rising: - -“So far, we have spoken before these two, because it was as well that -the merits of the cards should not rest solely between you and me. Come -into the dark room here, and let us have one final word alone.” - - - - -IX. The Game Made - - -While Sydney Carton and the Sheep of the prisons were in the adjoining -dark room, speaking so low that not a sound was heard, Mr. Lorry looked -at Jerry in considerable doubt and mistrust. That honest tradesman's -manner of receiving the look, did not inspire confidence; he changed the -leg on which he rested, as often as if he had fifty of those limbs, -and were trying them all; he examined his finger-nails with a very -questionable closeness of attention; and whenever Mr. Lorry's eye caught -his, he was taken with that peculiar kind of short cough requiring the -hollow of a hand before it, which is seldom, if ever, known to be an -infirmity attendant on perfect openness of character. - -“Jerry,” said Mr. Lorry. “Come here.” - -Mr. Cruncher came forward sideways, with one of his shoulders in advance -of him. - -“What have you been, besides a messenger?” - -After some cogitation, accompanied with an intent look at his patron, -Mr. Cruncher conceived the luminous idea of replying, “Agicultooral -character.” - -“My mind misgives me much,” said Mr. Lorry, angrily shaking a forefinger -at him, “that you have used the respectable and great house of Tellson's -as a blind, and that you have had an unlawful occupation of an infamous -description. If you have, don't expect me to befriend you when you -get back to England. If you have, don't expect me to keep your secret. -Tellson's shall not be imposed upon.” - -“I hope, sir,” pleaded the abashed Mr. Cruncher, “that a gentleman like -yourself wot I've had the honour of odd jobbing till I'm grey at it, -would think twice about harming of me, even if it wos so--I don't say it -is, but even if it wos. And which it is to be took into account that if -it wos, it wouldn't, even then, be all o' one side. There'd be two sides -to it. There might be medical doctors at the present hour, a picking -up their guineas where a honest tradesman don't pick up his -fardens--fardens! no, nor yet his half fardens--half fardens! no, nor -yet his quarter--a banking away like smoke at Tellson's, and a cocking -their medical eyes at that tradesman on the sly, a going in and going -out to their own carriages--ah! equally like smoke, if not more so. -Well, that 'ud be imposing, too, on Tellson's. For you cannot sarse the -goose and not the gander. And here's Mrs. Cruncher, or leastways wos -in the Old England times, and would be to-morrow, if cause given, -a floppin' again the business to that degree as is ruinating--stark -ruinating! Whereas them medical doctors' wives don't flop--catch 'em at -it! Or, if they flop, their floppings goes in favour of more patients, -and how can you rightly have one without t'other? Then, wot with -undertakers, and wot with parish clerks, and wot with sextons, and wot -with private watchmen (all awaricious and all in it), a man wouldn't get -much by it, even if it wos so. And wot little a man did get, would never -prosper with him, Mr. Lorry. He'd never have no good of it; he'd want -all along to be out of the line, if he, could see his way out, being -once in--even if it wos so.” - -“Ugh!” cried Mr. Lorry, rather relenting, nevertheless, “I am shocked at -the sight of you.” - -“Now, what I would humbly offer to you, sir,” pursued Mr. Cruncher, -“even if it wos so, which I don't say it is--” - -“Don't prevaricate,” said Mr. Lorry. - -“No, I will _not_, sir,” returned Mr. Crunches as if nothing were -further from his thoughts or practice--“which I don't say it is--wot I -would humbly offer to you, sir, would be this. Upon that there stool, at -that there Bar, sets that there boy of mine, brought up and growed up to -be a man, wot will errand you, message you, general-light-job you, till -your heels is where your head is, if such should be your wishes. If it -wos so, which I still don't say it is (for I will not prewaricate to -you, sir), let that there boy keep his father's place, and take care of -his mother; don't blow upon that boy's father--do not do it, sir--and -let that father go into the line of the reg'lar diggin', and make amends -for what he would have undug--if it wos so--by diggin' of 'em in with -a will, and with conwictions respectin' the futur' keepin' of 'em safe. -That, Mr. Lorry,” said Mr. Cruncher, wiping his forehead with his -arm, as an announcement that he had arrived at the peroration of his -discourse, “is wot I would respectfully offer to you, sir. A man don't -see all this here a goin' on dreadful round him, in the way of Subjects -without heads, dear me, plentiful enough fur to bring the price down -to porterage and hardly that, without havin' his serious thoughts of -things. And these here would be mine, if it wos so, entreatin' of you -fur to bear in mind that wot I said just now, I up and said in the good -cause when I might have kep' it back.” - -“That at least is true,” said Mr. Lorry. “Say no more now. It may be -that I shall yet stand your friend, if you deserve it, and repent in -action--not in words. I want no more words.” - -Mr. Cruncher knuckled his forehead, as Sydney Carton and the spy -returned from the dark room. “Adieu, Mr. Barsad,” said the former; “our -arrangement thus made, you have nothing to fear from me.” - -He sat down in a chair on the hearth, over against Mr. Lorry. When they -were alone, Mr. Lorry asked him what he had done? - -“Not much. If it should go ill with the prisoner, I have ensured access -to him, once.” - -Mr. Lorry's countenance fell. - -“It is all I could do,” said Carton. “To propose too much, would be -to put this man's head under the axe, and, as he himself said, nothing -worse could happen to him if he were denounced. It was obviously the -weakness of the position. There is no help for it.” - -“But access to him,” said Mr. Lorry, “if it should go ill before the -Tribunal, will not save him.” - -“I never said it would.” - -Mr. Lorry's eyes gradually sought the fire; his sympathy with his -darling, and the heavy disappointment of his second arrest, gradually -weakened them; he was an old man now, overborne with anxiety of late, -and his tears fell. - -“You are a good man and a true friend,” said Carton, in an altered -voice. “Forgive me if I notice that you are affected. I could not see my -father weep, and sit by, careless. And I could not respect your -sorrow more, if you were my father. You are free from that misfortune, -however.” - -Though he said the last words, with a slip into his usual manner, there -was a true feeling and respect both in his tone and in his touch, -that Mr. Lorry, who had never seen the better side of him, was wholly -unprepared for. He gave him his hand, and Carton gently pressed it. - -“To return to poor Darnay,” said Carton. “Don't tell Her of this -interview, or this arrangement. It would not enable Her to go to see -him. She might think it was contrived, in case of the worse, to convey -to him the means of anticipating the sentence.” - -Mr. Lorry had not thought of that, and he looked quickly at Carton to -see if it were in his mind. It seemed to be; he returned the look, and -evidently understood it. - -“She might think a thousand things,” Carton said, “and any of them would -only add to her trouble. Don't speak of me to her. As I said to you when -I first came, I had better not see her. I can put my hand out, to do any -little helpful work for her that my hand can find to do, without that. -You are going to her, I hope? She must be very desolate to-night.” - -“I am going now, directly.” - -“I am glad of that. She has such a strong attachment to you and reliance -on you. How does she look?” - -“Anxious and unhappy, but very beautiful.” - -“Ah!” - -It was a long, grieving sound, like a sigh--almost like a sob. It -attracted Mr. Lorry's eyes to Carton's face, which was turned to the -fire. A light, or a shade (the old gentleman could not have said which), -passed from it as swiftly as a change will sweep over a hill-side on a -wild bright day, and he lifted his foot to put back one of the little -flaming logs, which was tumbling forward. He wore the white riding-coat -and top-boots, then in vogue, and the light of the fire touching their -light surfaces made him look very pale, with his long brown hair, -all untrimmed, hanging loose about him. His indifference to fire was -sufficiently remarkable to elicit a word of remonstrance from Mr. Lorry; -his boot was still upon the hot embers of the flaming log, when it had -broken under the weight of his foot. - -“I forgot it,” he said. - -Mr. Lorry's eyes were again attracted to his face. Taking note of the -wasted air which clouded the naturally handsome features, and having -the expression of prisoners' faces fresh in his mind, he was strongly -reminded of that expression. - -“And your duties here have drawn to an end, sir?” said Carton, turning -to him. - -“Yes. As I was telling you last night when Lucie came in so -unexpectedly, I have at length done all that I can do here. I hoped to -have left them in perfect safety, and then to have quitted Paris. I have -my Leave to Pass. I was ready to go.” - -They were both silent. - -“Yours is a long life to look back upon, sir?” said Carton, wistfully. - -“I am in my seventy-eighth year.” - -“You have been useful all your life; steadily and constantly occupied; -trusted, respected, and looked up to?” - -“I have been a man of business, ever since I have been a man. Indeed, I -may say that I was a man of business when a boy.” - -“See what a place you fill at seventy-eight. How many people will miss -you when you leave it empty!” - -“A solitary old bachelor,” answered Mr. Lorry, shaking his head. “There -is nobody to weep for me.” - -“How can you say that? Wouldn't She weep for you? Wouldn't her child?” - -“Yes, yes, thank God. I didn't quite mean what I said.” - -“It _is_ a thing to thank God for; is it not?” - -“Surely, surely.” - -“If you could say, with truth, to your own solitary heart, to-night, -'I have secured to myself the love and attachment, the gratitude or -respect, of no human creature; I have won myself a tender place in no -regard; I have done nothing good or serviceable to be remembered by!' -your seventy-eight years would be seventy-eight heavy curses; would they -not?” - -“You say truly, Mr. Carton; I think they would be.” - -Sydney turned his eyes again upon the fire, and, after a silence of a -few moments, said: - -“I should like to ask you:--Does your childhood seem far off? Do the -days when you sat at your mother's knee, seem days of very long ago?” - -Responding to his softened manner, Mr. Lorry answered: - -“Twenty years back, yes; at this time of my life, no. For, as I draw -closer and closer to the end, I travel in the circle, nearer and -nearer to the beginning. It seems to be one of the kind smoothings and -preparings of the way. My heart is touched now, by many remembrances -that had long fallen asleep, of my pretty young mother (and I so old!), -and by many associations of the days when what we call the World was not -so real with me, and my faults were not confirmed in me.” - -“I understand the feeling!” exclaimed Carton, with a bright flush. “And -you are the better for it?” - -“I hope so.” - -Carton terminated the conversation here, by rising to help him on with -his outer coat; “But you,” said Mr. Lorry, reverting to the theme, “you -are young.” - -“Yes,” said Carton. “I am not old, but my young way was never the way to -age. Enough of me.” - -“And of me, I am sure,” said Mr. Lorry. “Are you going out?” - -“I'll walk with you to her gate. You know my vagabond and restless -habits. If I should prowl about the streets a long time, don't be -uneasy; I shall reappear in the morning. You go to the Court to-morrow?” - -“Yes, unhappily.” - -“I shall be there, but only as one of the crowd. My Spy will find a -place for me. Take my arm, sir.” - -Mr. Lorry did so, and they went down-stairs and out in the streets. A -few minutes brought them to Mr. Lorry's destination. Carton left him -there; but lingered at a little distance, and turned back to the gate -again when it was shut, and touched it. He had heard of her going to -the prison every day. “She came out here,” he said, looking about him, -“turned this way, must have trod on these stones often. Let me follow in -her steps.” - -It was ten o'clock at night when he stood before the prison of La Force, -where she had stood hundreds of times. A little wood-sawyer, having -closed his shop, was smoking his pipe at his shop-door. - -“Good night, citizen,” said Sydney Carton, pausing in going by; for, the -man eyed him inquisitively. - -“Good night, citizen.” - -“How goes the Republic?” - -“You mean the Guillotine. Not ill. Sixty-three to-day. We shall mount -to a hundred soon. Samson and his men complain sometimes, of being -exhausted. Ha, ha, ha! He is so droll, that Samson. Such a Barber!” - -“Do you often go to see him--” - -“Shave? Always. Every day. What a barber! You have seen him at work?” - -“Never.” - -“Go and see him when he has a good batch. Figure this to yourself, -citizen; he shaved the sixty-three to-day, in less than two pipes! Less -than two pipes. Word of honour!” - -As the grinning little man held out the pipe he was smoking, to explain -how he timed the executioner, Carton was so sensible of a rising desire -to strike the life out of him, that he turned away. - -“But you are not English,” said the wood-sawyer, “though you wear -English dress?” - -“Yes,” said Carton, pausing again, and answering over his shoulder. - -“You speak like a Frenchman.” - -“I am an old student here.” - -“Aha, a perfect Frenchman! Good night, Englishman.” - -“Good night, citizen.” - -“But go and see that droll dog,” the little man persisted, calling after -him. “And take a pipe with you!” - -Sydney had not gone far out of sight, when he stopped in the middle of -the street under a glimmering lamp, and wrote with his pencil on a scrap -of paper. Then, traversing with the decided step of one who remembered -the way well, several dark and dirty streets--much dirtier than usual, -for the best public thoroughfares remained uncleansed in those times of -terror--he stopped at a chemist's shop, which the owner was closing with -his own hands. A small, dim, crooked shop, kept in a tortuous, up-hill -thoroughfare, by a small, dim, crooked man. - -Giving this citizen, too, good night, as he confronted him at his -counter, he laid the scrap of paper before him. “Whew!” the chemist -whistled softly, as he read it. “Hi! hi! hi!” - -Sydney Carton took no heed, and the chemist said: - -“For you, citizen?” - -“For me.” - -“You will be careful to keep them separate, citizen? You know the -consequences of mixing them?” - -“Perfectly.” - -Certain small packets were made and given to him. He put them, one by -one, in the breast of his inner coat, counted out the money for them, -and deliberately left the shop. “There is nothing more to do,” said he, -glancing upward at the moon, “until to-morrow. I can't sleep.” - -It was not a reckless manner, the manner in which he said these words -aloud under the fast-sailing clouds, nor was it more expressive of -negligence than defiance. It was the settled manner of a tired man, who -had wandered and struggled and got lost, but who at length struck into -his road and saw its end. - -Long ago, when he had been famous among his earliest competitors as a -youth of great promise, he had followed his father to the grave. His -mother had died, years before. These solemn words, which had been -read at his father's grave, arose in his mind as he went down the dark -streets, among the heavy shadows, with the moon and the clouds sailing -on high above him. “I am the resurrection and the life, saith the Lord: -he that believeth in me, though he were dead, yet shall he live: and -whosoever liveth and believeth in me, shall never die.” - -In a city dominated by the axe, alone at night, with natural sorrow -rising in him for the sixty-three who had been that day put to death, -and for to-morrow's victims then awaiting their doom in the prisons, -and still of to-morrow's and to-morrow's, the chain of association that -brought the words home, like a rusty old ship's anchor from the deep, -might have been easily found. He did not seek it, but repeated them and -went on. - -With a solemn interest in the lighted windows where the people were -going to rest, forgetful through a few calm hours of the horrors -surrounding them; in the towers of the churches, where no prayers -were said, for the popular revulsion had even travelled that length -of self-destruction from years of priestly impostors, plunderers, and -profligates; in the distant burial-places, reserved, as they wrote upon -the gates, for Eternal Sleep; in the abounding gaols; and in the streets -along which the sixties rolled to a death which had become so common and -material, that no sorrowful story of a haunting Spirit ever arose among -the people out of all the working of the Guillotine; with a solemn -interest in the whole life and death of the city settling down to its -short nightly pause in fury; Sydney Carton crossed the Seine again for -the lighter streets. - -Few coaches were abroad, for riders in coaches were liable to be -suspected, and gentility hid its head in red nightcaps, and put on heavy -shoes, and trudged. But, the theatres were all well filled, and the -people poured cheerfully out as he passed, and went chatting home. At -one of the theatre doors, there was a little girl with a mother, looking -for a way across the street through the mud. He carried the child over, -and before the timid arm was loosed from his neck asked her for a kiss. - -“I am the resurrection and the life, saith the Lord: he that believeth -in me, though he were dead, yet shall he live: and whosoever liveth and -believeth in me, shall never die.” - -Now, that the streets were quiet, and the night wore on, the words -were in the echoes of his feet, and were in the air. Perfectly calm -and steady, he sometimes repeated them to himself as he walked; but, he -heard them always. - -The night wore out, and, as he stood upon the bridge listening to the -water as it splashed the river-walls of the Island of Paris, where the -picturesque confusion of houses and cathedral shone bright in the light -of the moon, the day came coldly, looking like a dead face out of the -sky. Then, the night, with the moon and the stars, turned pale and died, -and for a little while it seemed as if Creation were delivered over to -Death's dominion. - -But, the glorious sun, rising, seemed to strike those words, that burden -of the night, straight and warm to his heart in its long bright rays. -And looking along them, with reverently shaded eyes, a bridge of light -appeared to span the air between him and the sun, while the river -sparkled under it. - -The strong tide, so swift, so deep, and certain, was like a congenial -friend, in the morning stillness. He walked by the stream, far from the -houses, and in the light and warmth of the sun fell asleep on the -bank. When he awoke and was afoot again, he lingered there yet a little -longer, watching an eddy that turned and turned purposeless, until the -stream absorbed it, and carried it on to the sea.--“Like me.” - -A trading-boat, with a sail of the softened colour of a dead leaf, then -glided into his view, floated by him, and died away. As its silent track -in the water disappeared, the prayer that had broken up out of his heart -for a merciful consideration of all his poor blindnesses and errors, -ended in the words, “I am the resurrection and the life.” - -Mr. Lorry was already out when he got back, and it was easy to surmise -where the good old man was gone. Sydney Carton drank nothing but a -little coffee, ate some bread, and, having washed and changed to refresh -himself, went out to the place of trial. - -The court was all astir and a-buzz, when the black sheep--whom many fell -away from in dread--pressed him into an obscure corner among the crowd. -Mr. Lorry was there, and Doctor Manette was there. She was there, -sitting beside her father. - -When her husband was brought in, she turned a look upon him, so -sustaining, so encouraging, so full of admiring love and pitying -tenderness, yet so courageous for his sake, that it called the healthy -blood into his face, brightened his glance, and animated his heart. If -there had been any eyes to notice the influence of her look, on Sydney -Carton, it would have been seen to be the same influence exactly. - -Before that unjust Tribunal, there was little or no order of procedure, -ensuring to any accused person any reasonable hearing. There could have -been no such Revolution, if all laws, forms, and ceremonies, had not -first been so monstrously abused, that the suicidal vengeance of the -Revolution was to scatter them all to the winds. - -Every eye was turned to the jury. The same determined patriots and good -republicans as yesterday and the day before, and to-morrow and the day -after. Eager and prominent among them, one man with a craving face, and -his fingers perpetually hovering about his lips, whose appearance -gave great satisfaction to the spectators. A life-thirsting, -cannibal-looking, bloody-minded juryman, the Jacques Three of St. -Antoine. The whole jury, as a jury of dogs empannelled to try the deer. - -Every eye then turned to the five judges and the public prosecutor. -No favourable leaning in that quarter to-day. A fell, uncompromising, -murderous business-meaning there. Every eye then sought some other eye -in the crowd, and gleamed at it approvingly; and heads nodded at one -another, before bending forward with a strained attention. - -Charles Evremonde, called Darnay. Released yesterday. Reaccused and -retaken yesterday. Indictment delivered to him last night. Suspected and -Denounced enemy of the Republic, Aristocrat, one of a family of tyrants, -one of a race proscribed, for that they had used their abolished -privileges to the infamous oppression of the people. Charles Evremonde, -called Darnay, in right of such proscription, absolutely Dead in Law. - -To this effect, in as few or fewer words, the Public Prosecutor. - -The President asked, was the Accused openly denounced or secretly? - -“Openly, President.” - -“By whom?” - -“Three voices. Ernest Defarge, wine-vendor of St. Antoine.” - -“Good.” - -“Therese Defarge, his wife.” - -“Good.” - -“Alexandre Manette, physician.” - -A great uproar took place in the court, and in the midst of it, Doctor -Manette was seen, pale and trembling, standing where he had been seated. - -“President, I indignantly protest to you that this is a forgery and -a fraud. You know the accused to be the husband of my daughter. My -daughter, and those dear to her, are far dearer to me than my life. Who -and where is the false conspirator who says that I denounce the husband -of my child!” - -“Citizen Manette, be tranquil. To fail in submission to the authority of -the Tribunal would be to put yourself out of Law. As to what is dearer -to you than life, nothing can be so dear to a good citizen as the -Republic.” - -Loud acclamations hailed this rebuke. The President rang his bell, and -with warmth resumed. - -“If the Republic should demand of you the sacrifice of your child -herself, you would have no duty but to sacrifice her. Listen to what is -to follow. In the meanwhile, be silent!” - -Frantic acclamations were again raised. Doctor Manette sat down, with -his eyes looking around, and his lips trembling; his daughter drew -closer to him. The craving man on the jury rubbed his hands together, -and restored the usual hand to his mouth. - -Defarge was produced, when the court was quiet enough to admit of his -being heard, and rapidly expounded the story of the imprisonment, and of -his having been a mere boy in the Doctor's service, and of the release, -and of the state of the prisoner when released and delivered to him. -This short examination followed, for the court was quick with its work. - -“You did good service at the taking of the Bastille, citizen?” - -“I believe so.” - -Here, an excited woman screeched from the crowd: “You were one of the -best patriots there. Why not say so? You were a cannonier that day -there, and you were among the first to enter the accursed fortress when -it fell. Patriots, I speak the truth!” - -It was The Vengeance who, amidst the warm commendations of the audience, -thus assisted the proceedings. The President rang his bell; but, The -Vengeance, warming with encouragement, shrieked, “I defy that bell!” - wherein she was likewise much commended. - -“Inform the Tribunal of what you did that day within the Bastille, -citizen.” - -“I knew,” said Defarge, looking down at his wife, who stood at the -bottom of the steps on which he was raised, looking steadily up at him; -“I knew that this prisoner, of whom I speak, had been confined in a cell -known as One Hundred and Five, North Tower. I knew it from himself. He -knew himself by no other name than One Hundred and Five, North Tower, -when he made shoes under my care. As I serve my gun that day, I resolve, -when the place shall fall, to examine that cell. It falls. I mount to -the cell, with a fellow-citizen who is one of the Jury, directed by a -gaoler. I examine it, very closely. In a hole in the chimney, where a -stone has been worked out and replaced, I find a written paper. This is -that written paper. I have made it my business to examine some specimens -of the writing of Doctor Manette. This is the writing of Doctor Manette. -I confide this paper, in the writing of Doctor Manette, to the hands of -the President.” - -“Let it be read.” - -In a dead silence and stillness--the prisoner under trial looking -lovingly at his wife, his wife only looking from him to look with -solicitude at her father, Doctor Manette keeping his eyes fixed on the -reader, Madame Defarge never taking hers from the prisoner, Defarge -never taking his from his feasting wife, and all the other eyes there -intent upon the Doctor, who saw none of them--the paper was read, as -follows. - - - - -X. The Substance of the Shadow - - -“I, Alexandre Manette, unfortunate physician, native of Beauvais, and -afterwards resident in Paris, write this melancholy paper in my doleful -cell in the Bastille, during the last month of the year, 1767. I write -it at stolen intervals, under every difficulty. I design to secrete it -in the wall of the chimney, where I have slowly and laboriously made a -place of concealment for it. Some pitying hand may find it there, when I -and my sorrows are dust. - -“These words are formed by the rusty iron point with which I write with -difficulty in scrapings of soot and charcoal from the chimney, mixed -with blood, in the last month of the tenth year of my captivity. Hope -has quite departed from my breast. I know from terrible warnings I have -noted in myself that my reason will not long remain unimpaired, but I -solemnly declare that I am at this time in the possession of my right -mind--that my memory is exact and circumstantial--and that I write the -truth as I shall answer for these my last recorded words, whether they -be ever read by men or not, at the Eternal Judgment-seat. - -“One cloudy moonlight night, in the third week of December (I think the -twenty-second of the month) in the year 1757, I was walking on a retired -part of the quay by the Seine for the refreshment of the frosty air, -at an hour's distance from my place of residence in the Street of the -School of Medicine, when a carriage came along behind me, driven very -fast. As I stood aside to let that carriage pass, apprehensive that it -might otherwise run me down, a head was put out at the window, and a -voice called to the driver to stop. - -“The carriage stopped as soon as the driver could rein in his horses, -and the same voice called to me by my name. I answered. The carriage -was then so far in advance of me that two gentlemen had time to open the -door and alight before I came up with it. - -“I observed that they were both wrapped in cloaks, and appeared to -conceal themselves. As they stood side by side near the carriage door, -I also observed that they both looked of about my own age, or rather -younger, and that they were greatly alike, in stature, manner, voice, -and (as far as I could see) face too. - -“'You are Doctor Manette?' said one. - -“I am.” - -“'Doctor Manette, formerly of Beauvais,' said the other; 'the young -physician, originally an expert surgeon, who within the last year or two -has made a rising reputation in Paris?' - -“'Gentlemen,' I returned, 'I am that Doctor Manette of whom you speak so -graciously.' - -“'We have been to your residence,' said the first, 'and not being -so fortunate as to find you there, and being informed that you were -probably walking in this direction, we followed, in the hope of -overtaking you. Will you please to enter the carriage?' - -“The manner of both was imperious, and they both moved, as these words -were spoken, so as to place me between themselves and the carriage door. -They were armed. I was not. - -“'Gentlemen,' said I, 'pardon me; but I usually inquire who does me -the honour to seek my assistance, and what is the nature of the case to -which I am summoned.' - -“The reply to this was made by him who had spoken second. 'Doctor, -your clients are people of condition. As to the nature of the case, -our confidence in your skill assures us that you will ascertain it for -yourself better than we can describe it. Enough. Will you please to -enter the carriage?' - -“I could do nothing but comply, and I entered it in silence. They both -entered after me--the last springing in, after putting up the steps. The -carriage turned about, and drove on at its former speed. - -“I repeat this conversation exactly as it occurred. I have no doubt that -it is, word for word, the same. I describe everything exactly as it took -place, constraining my mind not to wander from the task. Where I make -the broken marks that follow here, I leave off for the time, and put my -paper in its hiding-place. - - ***** - -“The carriage left the streets behind, passed the North Barrier, and -emerged upon the country road. At two-thirds of a league from the -Barrier--I did not estimate the distance at that time, but afterwards -when I traversed it--it struck out of the main avenue, and presently -stopped at a solitary house, We all three alighted, and walked, by -a damp soft footpath in a garden where a neglected fountain had -overflowed, to the door of the house. It was not opened immediately, in -answer to the ringing of the bell, and one of my two conductors struck -the man who opened it, with his heavy riding glove, across the face. - -“There was nothing in this action to attract my particular attention, -for I had seen common people struck more commonly than dogs. But, the -other of the two, being angry likewise, struck the man in like manner -with his arm; the look and bearing of the brothers were then so exactly -alike, that I then first perceived them to be twin brothers. - -“From the time of our alighting at the outer gate (which we found -locked, and which one of the brothers had opened to admit us, and had -relocked), I had heard cries proceeding from an upper chamber. I was -conducted to this chamber straight, the cries growing louder as we -ascended the stairs, and I found a patient in a high fever of the brain, -lying on a bed. - -“The patient was a woman of great beauty, and young; assuredly not much -past twenty. Her hair was torn and ragged, and her arms were bound to -her sides with sashes and handkerchiefs. I noticed that these bonds were -all portions of a gentleman's dress. On one of them, which was a fringed -scarf for a dress of ceremony, I saw the armorial bearings of a Noble, -and the letter E. - -“I saw this, within the first minute of my contemplation of the patient; -for, in her restless strivings she had turned over on her face on the -edge of the bed, had drawn the end of the scarf into her mouth, and was -in danger of suffocation. My first act was to put out my hand to relieve -her breathing; and in moving the scarf aside, the embroidery in the -corner caught my sight. - -“I turned her gently over, placed my hands upon her breast to calm her -and keep her down, and looked into her face. Her eyes were dilated and -wild, and she constantly uttered piercing shrieks, and repeated the -words, 'My husband, my father, and my brother!' and then counted up to -twelve, and said, 'Hush!' For an instant, and no more, she would pause -to listen, and then the piercing shrieks would begin again, and she -would repeat the cry, 'My husband, my father, and my brother!' and -would count up to twelve, and say, 'Hush!' There was no variation in the -order, or the manner. There was no cessation, but the regular moment's -pause, in the utterance of these sounds. - -“'How long,' I asked, 'has this lasted?' - -“To distinguish the brothers, I will call them the elder and the -younger; by the elder, I mean him who exercised the most authority. It -was the elder who replied, 'Since about this hour last night.' - -“'She has a husband, a father, and a brother?' - -“'A brother.' - -“'I do not address her brother?' - -“He answered with great contempt, 'No.' - -“'She has some recent association with the number twelve?' - -“The younger brother impatiently rejoined, 'With twelve o'clock?' - -“'See, gentlemen,' said I, still keeping my hands upon her breast, 'how -useless I am, as you have brought me! If I had known what I was coming -to see, I could have come provided. As it is, time must be lost. There -are no medicines to be obtained in this lonely place.' - -“The elder brother looked to the younger, who said haughtily, 'There is -a case of medicines here;' and brought it from a closet, and put it on -the table. - - ***** - -“I opened some of the bottles, smelt them, and put the stoppers to my -lips. If I had wanted to use anything save narcotic medicines that were -poisons in themselves, I would not have administered any of those. - -“'Do you doubt them?' asked the younger brother. - -“'You see, monsieur, I am going to use them,' I replied, and said no -more. - -“I made the patient swallow, with great difficulty, and after many -efforts, the dose that I desired to give. As I intended to repeat it -after a while, and as it was necessary to watch its influence, I then -sat down by the side of the bed. There was a timid and suppressed woman -in attendance (wife of the man down-stairs), who had retreated into -a corner. The house was damp and decayed, indifferently -furnished--evidently, recently occupied and temporarily used. Some thick -old hangings had been nailed up before the windows, to deaden the -sound of the shrieks. They continued to be uttered in their regular -succession, with the cry, 'My husband, my father, and my brother!' the -counting up to twelve, and 'Hush!' The frenzy was so violent, that I had -not unfastened the bandages restraining the arms; but, I had looked to -them, to see that they were not painful. The only spark of encouragement -in the case, was, that my hand upon the sufferer's breast had this much -soothing influence, that for minutes at a time it tranquillised the -figure. It had no effect upon the cries; no pendulum could be more -regular. - -“For the reason that my hand had this effect (I assume), I had sat by -the side of the bed for half an hour, with the two brothers looking on, -before the elder said: - -“'There is another patient.' - -“I was startled, and asked, 'Is it a pressing case?' - -“'You had better see,' he carelessly answered; and took up a light. - - ***** - -“The other patient lay in a back room across a second staircase, which -was a species of loft over a stable. There was a low plastered ceiling -to a part of it; the rest was open, to the ridge of the tiled roof, and -there were beams across. Hay and straw were stored in that portion of -the place, fagots for firing, and a heap of apples in sand. I had to -pass through that part, to get at the other. My memory is circumstantial -and unshaken. I try it with these details, and I see them all, in -this my cell in the Bastille, near the close of the tenth year of my -captivity, as I saw them all that night. - -“On some hay on the ground, with a cushion thrown under his head, lay a -handsome peasant boy--a boy of not more than seventeen at the most. -He lay on his back, with his teeth set, his right hand clenched on his -breast, and his glaring eyes looking straight upward. I could not see -where his wound was, as I kneeled on one knee over him; but, I could see -that he was dying of a wound from a sharp point. - -“'I am a doctor, my poor fellow,' said I. 'Let me examine it.' - -“'I do not want it examined,' he answered; 'let it be.' - -“It was under his hand, and I soothed him to let me move his hand away. -The wound was a sword-thrust, received from twenty to twenty-four hours -before, but no skill could have saved him if it had been looked to -without delay. He was then dying fast. As I turned my eyes to the elder -brother, I saw him looking down at this handsome boy whose life was -ebbing out, as if he were a wounded bird, or hare, or rabbit; not at all -as if he were a fellow-creature. - -“'How has this been done, monsieur?' said I. - -“'A crazed young common dog! A serf! Forced my brother to draw upon him, -and has fallen by my brother's sword--like a gentleman.' - -“There was no touch of pity, sorrow, or kindred humanity, in this -answer. The speaker seemed to acknowledge that it was inconvenient to -have that different order of creature dying there, and that it would -have been better if he had died in the usual obscure routine of his -vermin kind. He was quite incapable of any compassionate feeling about -the boy, or about his fate. - -“The boy's eyes had slowly moved to him as he had spoken, and they now -slowly moved to me. - -“'Doctor, they are very proud, these Nobles; but we common dogs are -proud too, sometimes. They plunder us, outrage us, beat us, kill us; but -we have a little pride left, sometimes. She--have you seen her, Doctor?' - -“The shrieks and the cries were audible there, though subdued by the -distance. He referred to them, as if she were lying in our presence. - -“I said, 'I have seen her.' - -“'She is my sister, Doctor. They have had their shameful rights, these -Nobles, in the modesty and virtue of our sisters, many years, but we -have had good girls among us. I know it, and have heard my father say -so. She was a good girl. She was betrothed to a good young man, too: a -tenant of his. We were all tenants of his--that man's who stands there. -The other is his brother, the worst of a bad race.' - -“It was with the greatest difficulty that the boy gathered bodily force -to speak; but, his spirit spoke with a dreadful emphasis. - -“'We were so robbed by that man who stands there, as all we common dogs -are by those superior Beings--taxed by him without mercy, obliged to -work for him without pay, obliged to grind our corn at his mill, obliged -to feed scores of his tame birds on our wretched crops, and forbidden -for our lives to keep a single tame bird of our own, pillaged and -plundered to that degree that when we chanced to have a bit of meat, we -ate it in fear, with the door barred and the shutters closed, that his -people should not see it and take it from us--I say, we were so robbed, -and hunted, and were made so poor, that our father told us it was a -dreadful thing to bring a child into the world, and that what we should -most pray for, was, that our women might be barren and our miserable -race die out!' - -“I had never before seen the sense of being oppressed, bursting forth -like a fire. I had supposed that it must be latent in the people -somewhere; but, I had never seen it break out, until I saw it in the -dying boy. - -“'Nevertheless, Doctor, my sister married. He was ailing at that time, -poor fellow, and she married her lover, that she might tend and comfort -him in our cottage--our dog-hut, as that man would call it. She had not -been married many weeks, when that man's brother saw her and admired -her, and asked that man to lend her to him--for what are husbands among -us! He was willing enough, but my sister was good and virtuous, and -hated his brother with a hatred as strong as mine. What did the two -then, to persuade her husband to use his influence with her, to make her -willing?' - -“The boy's eyes, which had been fixed on mine, slowly turned to the -looker-on, and I saw in the two faces that all he said was true. The two -opposing kinds of pride confronting one another, I can see, even in this -Bastille; the gentleman's, all negligent indifference; the peasant's, all -trodden-down sentiment, and passionate revenge. - -“'You know, Doctor, that it is among the Rights of these Nobles to -harness us common dogs to carts, and drive us. They so harnessed him and -drove him. You know that it is among their Rights to keep us in their -grounds all night, quieting the frogs, in order that their noble sleep -may not be disturbed. They kept him out in the unwholesome mists at -night, and ordered him back into his harness in the day. But he was -not persuaded. No! Taken out of harness one day at noon, to feed--if he -could find food--he sobbed twelve times, once for every stroke of the -bell, and died on her bosom.' - -“Nothing human could have held life in the boy but his determination to -tell all his wrong. He forced back the gathering shadows of death, as -he forced his clenched right hand to remain clenched, and to cover his -wound. - -“'Then, with that man's permission and even with his aid, his -brother took her away; in spite of what I know she must have told his -brother--and what that is, will not be long unknown to you, Doctor, if -it is now--his brother took her away--for his pleasure and diversion, -for a little while. I saw her pass me on the road. When I took the -tidings home, our father's heart burst; he never spoke one of the words -that filled it. I took my young sister (for I have another) to a place -beyond the reach of this man, and where, at least, she will never be -_his_ vassal. Then, I tracked the brother here, and last night climbed -in--a common dog, but sword in hand.--Where is the loft window? It was -somewhere here?' - -“The room was darkening to his sight; the world was narrowing around -him. I glanced about me, and saw that the hay and straw were trampled -over the floor, as if there had been a struggle. - -“'She heard me, and ran in. I told her not to come near us till he was -dead. He came in and first tossed me some pieces of money; then struck -at me with a whip. But I, though a common dog, so struck at him as to -make him draw. Let him break into as many pieces as he will, the sword -that he stained with my common blood; he drew to defend himself--thrust -at me with all his skill for his life.' - -“My glance had fallen, but a few moments before, on the fragments of -a broken sword, lying among the hay. That weapon was a gentleman's. In -another place, lay an old sword that seemed to have been a soldier's. - -“'Now, lift me up, Doctor; lift me up. Where is he?' - -“'He is not here,' I said, supporting the boy, and thinking that he -referred to the brother. - -“'He! Proud as these nobles are, he is afraid to see me. Where is the -man who was here? Turn my face to him.' - -“I did so, raising the boy's head against my knee. But, invested for the -moment with extraordinary power, he raised himself completely: obliging -me to rise too, or I could not have still supported him. - -“'Marquis,' said the boy, turned to him with his eyes opened wide, and -his right hand raised, 'in the days when all these things are to be -answered for, I summon you and yours, to the last of your bad race, to -answer for them. I mark this cross of blood upon you, as a sign that -I do it. In the days when all these things are to be answered for, -I summon your brother, the worst of the bad race, to answer for them -separately. I mark this cross of blood upon him, as a sign that I do -it.' - -“Twice, he put his hand to the wound in his breast, and with his -forefinger drew a cross in the air. He stood for an instant with the -finger yet raised, and as it dropped, he dropped with it, and I laid him -down dead. - - ***** - -“When I returned to the bedside of the young woman, I found her raving -in precisely the same order of continuity. I knew that this might last -for many hours, and that it would probably end in the silence of the -grave. - -“I repeated the medicines I had given her, and I sat at the side of -the bed until the night was far advanced. She never abated the piercing -quality of her shrieks, never stumbled in the distinctness or the order -of her words. They were always 'My husband, my father, and my brother! -One, two, three, four, five, six, seven, eight, nine, ten, eleven, -twelve. Hush!' - -“This lasted twenty-six hours from the time when I first saw her. I had -come and gone twice, and was again sitting by her, when she began to -falter. I did what little could be done to assist that opportunity, and -by-and-bye she sank into a lethargy, and lay like the dead. - -“It was as if the wind and rain had lulled at last, after a long and -fearful storm. I released her arms, and called the woman to assist me to -compose her figure and the dress she had torn. It was then that I knew -her condition to be that of one in whom the first expectations of being -a mother have arisen; and it was then that I lost the little hope I had -had of her. - -“'Is she dead?' asked the Marquis, whom I will still describe as the -elder brother, coming booted into the room from his horse. - -“'Not dead,' said I; 'but like to die.' - -“'What strength there is in these common bodies!' he said, looking down -at her with some curiosity. - -“'There is prodigious strength,' I answered him, 'in sorrow and -despair.' - -“He first laughed at my words, and then frowned at them. He moved a -chair with his foot near to mine, ordered the woman away, and said in a -subdued voice, - -“'Doctor, finding my brother in this difficulty with these hinds, I -recommended that your aid should be invited. Your reputation is high, -and, as a young man with your fortune to make, you are probably mindful -of your interest. The things that you see here, are things to be seen, -and not spoken of.' - -“I listened to the patient's breathing, and avoided answering. - -“'Do you honour me with your attention, Doctor?' - -“'Monsieur,' said I, 'in my profession, the communications of patients -are always received in confidence.' I was guarded in my answer, for I -was troubled in my mind with what I had heard and seen. - -“Her breathing was so difficult to trace, that I carefully tried the -pulse and the heart. There was life, and no more. Looking round as I -resumed my seat, I found both the brothers intent upon me. - - ***** - -“I write with so much difficulty, the cold is so severe, I am so -fearful of being detected and consigned to an underground cell and total -darkness, that I must abridge this narrative. There is no confusion or -failure in my memory; it can recall, and could detail, every word that -was ever spoken between me and those brothers. - -“She lingered for a week. Towards the last, I could understand some few -syllables that she said to me, by placing my ear close to her lips. She -asked me where she was, and I told her; who I was, and I told her. It -was in vain that I asked her for her family name. She faintly shook her -head upon the pillow, and kept her secret, as the boy had done. - -“I had no opportunity of asking her any question, until I had told the -brothers she was sinking fast, and could not live another day. Until -then, though no one was ever presented to her consciousness save the -woman and myself, one or other of them had always jealously sat behind -the curtain at the head of the bed when I was there. But when it came to -that, they seemed careless what communication I might hold with her; as -if--the thought passed through my mind--I were dying too. - -“I always observed that their pride bitterly resented the younger -brother's (as I call him) having crossed swords with a peasant, and that -peasant a boy. The only consideration that appeared to affect the mind -of either of them was the consideration that this was highly degrading -to the family, and was ridiculous. As often as I caught the younger -brother's eyes, their expression reminded me that he disliked me deeply, -for knowing what I knew from the boy. He was smoother and more polite to -me than the elder; but I saw this. I also saw that I was an incumbrance -in the mind of the elder, too. - -“My patient died, two hours before midnight--at a time, by my watch, -answering almost to the minute when I had first seen her. I was alone -with her, when her forlorn young head drooped gently on one side, and -all her earthly wrongs and sorrows ended. - -“The brothers were waiting in a room down-stairs, impatient to ride -away. I had heard them, alone at the bedside, striking their boots with -their riding-whips, and loitering up and down. - -“'At last she is dead?' said the elder, when I went in. - -“'She is dead,' said I. - -“'I congratulate you, my brother,' were his words as he turned round. - -“He had before offered me money, which I had postponed taking. He now -gave me a rouleau of gold. I took it from his hand, but laid it on -the table. I had considered the question, and had resolved to accept -nothing. - -“'Pray excuse me,' said I. 'Under the circumstances, no.' - -“They exchanged looks, but bent their heads to me as I bent mine to -them, and we parted without another word on either side. - - ***** - -“I am weary, weary, weary--worn down by misery. I cannot read what I -have written with this gaunt hand. - -“Early in the morning, the rouleau of gold was left at my door in a -little box, with my name on the outside. From the first, I had anxiously -considered what I ought to do. I decided, that day, to write privately -to the Minister, stating the nature of the two cases to which I had been -summoned, and the place to which I had gone: in effect, stating all the -circumstances. I knew what Court influence was, and what the immunities -of the Nobles were, and I expected that the matter would never be -heard of; but, I wished to relieve my own mind. I had kept the matter a -profound secret, even from my wife; and this, too, I resolved to state -in my letter. I had no apprehension whatever of my real danger; but -I was conscious that there might be danger for others, if others were -compromised by possessing the knowledge that I possessed. - -“I was much engaged that day, and could not complete my letter that -night. I rose long before my usual time next morning to finish it. -It was the last day of the year. The letter was lying before me just -completed, when I was told that a lady waited, who wished to see me. - - ***** - -“I am growing more and more unequal to the task I have set myself. It is -so cold, so dark, my senses are so benumbed, and the gloom upon me is so -dreadful. - -“The lady was young, engaging, and handsome, but not marked for long -life. She was in great agitation. She presented herself to me as the -wife of the Marquis St. Evremonde. I connected the title by which the -boy had addressed the elder brother, with the initial letter embroidered -on the scarf, and had no difficulty in arriving at the conclusion that I -had seen that nobleman very lately. - -“My memory is still accurate, but I cannot write the words of our -conversation. I suspect that I am watched more closely than I was, and I -know not at what times I may be watched. She had in part suspected, and -in part discovered, the main facts of the cruel story, of her husband's -share in it, and my being resorted to. She did not know that the girl -was dead. Her hope had been, she said in great distress, to show her, -in secret, a woman's sympathy. Her hope had been to avert the wrath of -Heaven from a House that had long been hateful to the suffering many. - -“She had reasons for believing that there was a young sister living, and -her greatest desire was, to help that sister. I could tell her nothing -but that there was such a sister; beyond that, I knew nothing. Her -inducement to come to me, relying on my confidence, had been the hope -that I could tell her the name and place of abode. Whereas, to this -wretched hour I am ignorant of both. - - ***** - -“These scraps of paper fail me. One was taken from me, with a warning, -yesterday. I must finish my record to-day. - -“She was a good, compassionate lady, and not happy in her marriage. How -could she be! The brother distrusted and disliked her, and his influence -was all opposed to her; she stood in dread of him, and in dread of her -husband too. When I handed her down to the door, there was a child, a -pretty boy from two to three years old, in her carriage. - -“'For his sake, Doctor,' she said, pointing to him in tears, 'I would do -all I can to make what poor amends I can. He will never prosper in his -inheritance otherwise. I have a presentiment that if no other innocent -atonement is made for this, it will one day be required of him. What -I have left to call my own--it is little beyond the worth of a few -jewels--I will make it the first charge of his life to bestow, with the -compassion and lamenting of his dead mother, on this injured family, if -the sister can be discovered.' - -“She kissed the boy, and said, caressing him, 'It is for thine own dear -sake. Thou wilt be faithful, little Charles?' The child answered her -bravely, 'Yes!' I kissed her hand, and she took him in her arms, and -went away caressing him. I never saw her more. - -“As she had mentioned her husband's name in the faith that I knew it, -I added no mention of it to my letter. I sealed my letter, and, not -trusting it out of my own hands, delivered it myself that day. - -“That night, the last night of the year, towards nine o'clock, a man in -a black dress rang at my gate, demanded to see me, and softly followed -my servant, Ernest Defarge, a youth, up-stairs. When my servant came -into the room where I sat with my wife--O my wife, beloved of my heart! -My fair young English wife!--we saw the man, who was supposed to be at -the gate, standing silent behind him. - -“An urgent case in the Rue St. Honore, he said. It would not detain me, -he had a coach in waiting. - -“It brought me here, it brought me to my grave. When I was clear of the -house, a black muffler was drawn tightly over my mouth from behind, and -my arms were pinioned. The two brothers crossed the road from a dark -corner, and identified me with a single gesture. The Marquis took from -his pocket the letter I had written, showed it me, burnt it in the light -of a lantern that was held, and extinguished the ashes with his foot. -Not a word was spoken. I was brought here, I was brought to my living -grave. - -“If it had pleased _God_ to put it in the hard heart of either of the -brothers, in all these frightful years, to grant me any tidings of -my dearest wife--so much as to let me know by a word whether alive or -dead--I might have thought that He had not quite abandoned them. But, -now I believe that the mark of the red cross is fatal to them, and that -they have no part in His mercies. And them and their descendants, to the -last of their race, I, Alexandre Manette, unhappy prisoner, do this last -night of the year 1767, in my unbearable agony, denounce to the times -when all these things shall be answered for. I denounce them to Heaven -and to earth.” - -A terrible sound arose when the reading of this document was done. A -sound of craving and eagerness that had nothing articulate in it but -blood. The narrative called up the most revengeful passions of the time, -and there was not a head in the nation but must have dropped before it. - -Little need, in presence of that tribunal and that auditory, to show -how the Defarges had not made the paper public, with the other captured -Bastille memorials borne in procession, and had kept it, biding their -time. Little need to show that this detested family name had long been -anathematised by Saint Antoine, and was wrought into the fatal register. -The man never trod ground whose virtues and services would have -sustained him in that place that day, against such denunciation. - -And all the worse for the doomed man, that the denouncer was a -well-known citizen, his own attached friend, the father of his wife. One -of the frenzied aspirations of the populace was, for imitations of -the questionable public virtues of antiquity, and for sacrifices and -self-immolations on the people's altar. Therefore when the President -said (else had his own head quivered on his shoulders), that the good -physician of the Republic would deserve better still of the Republic by -rooting out an obnoxious family of Aristocrats, and would doubtless feel -a sacred glow and joy in making his daughter a widow and her child an -orphan, there was wild excitement, patriotic fervour, not a touch of -human sympathy. - -“Much influence around him, has that Doctor?” murmured Madame Defarge, -smiling to The Vengeance. “Save him now, my Doctor, save him!” - -At every juryman's vote, there was a roar. Another and another. Roar and -roar. - -Unanimously voted. At heart and by descent an Aristocrat, an enemy -of the Republic, a notorious oppressor of the People. Back to the -Conciergerie, and Death within four-and-twenty hours! - - - - -XI. Dusk - - -The wretched wife of the innocent man thus doomed to die, fell under -the sentence, as if she had been mortally stricken. But, she uttered no -sound; and so strong was the voice within her, representing that it was -she of all the world who must uphold him in his misery and not augment -it, that it quickly raised her, even from that shock. - -The Judges having to take part in a public demonstration out of doors, -the Tribunal adjourned. The quick noise and movement of the court's -emptying itself by many passages had not ceased, when Lucie stood -stretching out her arms towards her husband, with nothing in her face -but love and consolation. - -“If I might touch him! If I might embrace him once! O, good citizens, if -you would have so much compassion for us!” - -There was but a gaoler left, along with two of the four men who had -taken him last night, and Barsad. The people had all poured out to the -show in the streets. Barsad proposed to the rest, “Let her embrace -him then; it is but a moment.” It was silently acquiesced in, and they -passed her over the seats in the hall to a raised place, where he, by -leaning over the dock, could fold her in his arms. - -“Farewell, dear darling of my soul. My parting blessing on my love. We -shall meet again, where the weary are at rest!” - -They were her husband's words, as he held her to his bosom. - -“I can bear it, dear Charles. I am supported from above: don't suffer -for me. A parting blessing for our child.” - -“I send it to her by you. I kiss her by you. I say farewell to her by -you.” - -“My husband. No! A moment!” He was tearing himself apart from her. -“We shall not be separated long. I feel that this will break my heart -by-and-bye; but I will do my duty while I can, and when I leave her, God -will raise up friends for her, as He did for me.” - -Her father had followed her, and would have fallen on his knees to both -of them, but that Darnay put out a hand and seized him, crying: - -“No, no! What have you done, what have you done, that you should kneel -to us! We know now, what a struggle you made of old. We know, now what -you underwent when you suspected my descent, and when you knew it. We -know now, the natural antipathy you strove against, and conquered, for -her dear sake. We thank you with all our hearts, and all our love and -duty. Heaven be with you!” - -Her father's only answer was to draw his hands through his white hair, -and wring them with a shriek of anguish. - -“It could not be otherwise,” said the prisoner. “All things have worked -together as they have fallen out. It was the always-vain endeavour to -discharge my poor mother's trust that first brought my fatal presence -near you. Good could never come of such evil, a happier end was not in -nature to so unhappy a beginning. Be comforted, and forgive me. Heaven -bless you!” - -As he was drawn away, his wife released him, and stood looking after him -with her hands touching one another in the attitude of prayer, and -with a radiant look upon her face, in which there was even a comforting -smile. As he went out at the prisoners' door, she turned, laid her head -lovingly on her father's breast, tried to speak to him, and fell at his -feet. - -Then, issuing from the obscure corner from which he had never moved, -Sydney Carton came and took her up. Only her father and Mr. Lorry were -with her. His arm trembled as it raised her, and supported her head. -Yet, there was an air about him that was not all of pity--that had a -flush of pride in it. - -“Shall I take her to a coach? I shall never feel her weight.” - -He carried her lightly to the door, and laid her tenderly down in a -coach. Her father and their old friend got into it, and he took his seat -beside the driver. - -When they arrived at the gateway where he had paused in the dark not -many hours before, to picture to himself on which of the rough stones of -the street her feet had trodden, he lifted her again, and carried her up -the staircase to their rooms. There, he laid her down on a couch, where -her child and Miss Pross wept over her. - -“Don't recall her to herself,” he said, softly, to the latter, “she is -better so. Don't revive her to consciousness, while she only faints.” - -“Oh, Carton, Carton, dear Carton!” cried little Lucie, springing up and -throwing her arms passionately round him, in a burst of grief. “Now that -you have come, I think you will do something to help mamma, something to -save papa! O, look at her, dear Carton! Can you, of all the people who -love her, bear to see her so?” - -He bent over the child, and laid her blooming cheek against his face. He -put her gently from him, and looked at her unconscious mother. - -“Before I go,” he said, and paused--“I may kiss her?” - -It was remembered afterwards that when he bent down and touched her face -with his lips, he murmured some words. The child, who was nearest to -him, told them afterwards, and told her grandchildren when she was a -handsome old lady, that she heard him say, “A life you love.” - -When he had gone out into the next room, he turned suddenly on Mr. Lorry -and her father, who were following, and said to the latter: - -“You had great influence but yesterday, Doctor Manette; let it at least -be tried. These judges, and all the men in power, are very friendly to -you, and very recognisant of your services; are they not?” - -“Nothing connected with Charles was concealed from me. I had the -strongest assurances that I should save him; and I did.” He returned the -answer in great trouble, and very slowly. - -“Try them again. The hours between this and to-morrow afternoon are few -and short, but try.” - -“I intend to try. I will not rest a moment.” - -“That's well. I have known such energy as yours do great things before -now--though never,” he added, with a smile and a sigh together, “such -great things as this. But try! Of little worth as life is when we misuse -it, it is worth that effort. It would cost nothing to lay down if it -were not.” - -“I will go,” said Doctor Manette, “to the Prosecutor and the President -straight, and I will go to others whom it is better not to name. I will -write too, and--But stay! There is a Celebration in the streets, and no -one will be accessible until dark.” - -“That's true. Well! It is a forlorn hope at the best, and not much the -forlorner for being delayed till dark. I should like to know how you -speed; though, mind! I expect nothing! When are you likely to have seen -these dread powers, Doctor Manette?” - -“Immediately after dark, I should hope. Within an hour or two from -this.” - -“It will be dark soon after four. Let us stretch the hour or two. If I -go to Mr. Lorry's at nine, shall I hear what you have done, either from -our friend or from yourself?” - -“Yes.” - -“May you prosper!” - -Mr. Lorry followed Sydney to the outer door, and, touching him on the -shoulder as he was going away, caused him to turn. - -“I have no hope,” said Mr. Lorry, in a low and sorrowful whisper. - -“Nor have I.” - -“If any one of these men, or all of these men, were disposed to spare -him--which is a large supposition; for what is his life, or any man's -to them!--I doubt if they durst spare him after the demonstration in the -court.” - -“And so do I. I heard the fall of the axe in that sound.” - -Mr. Lorry leaned his arm upon the door-post, and bowed his face upon it. - -“Don't despond,” said Carton, very gently; “don't grieve. I encouraged -Doctor Manette in this idea, because I felt that it might one day be -consolatory to her. Otherwise, she might think 'his life was wantonly -thrown away or wasted,' and that might trouble her.” - -“Yes, yes, yes,” returned Mr. Lorry, drying his eyes, “you are right. -But he will perish; there is no real hope.” - -“Yes. He will perish: there is no real hope,” echoed Carton. - -And walked with a settled step, down-stairs. - - - - -XII. Darkness - - -Sydney Carton paused in the street, not quite decided where to go. “At -Tellson's banking-house at nine,” he said, with a musing face. “Shall I -do well, in the mean time, to show myself? I think so. It is best that -these people should know there is such a man as I here; it is a sound -precaution, and may be a necessary preparation. But care, care, care! -Let me think it out!” - -Checking his steps which had begun to tend towards an object, he took a -turn or two in the already darkening street, and traced the thought -in his mind to its possible consequences. His first impression was -confirmed. “It is best,” he said, finally resolved, “that these people -should know there is such a man as I here.” And he turned his face -towards Saint Antoine. - -Defarge had described himself, that day, as the keeper of a wine-shop in -the Saint Antoine suburb. It was not difficult for one who knew the city -well, to find his house without asking any question. Having ascertained -its situation, Carton came out of those closer streets again, and dined -at a place of refreshment and fell sound asleep after dinner. For the -first time in many years, he had no strong drink. Since last night he -had taken nothing but a little light thin wine, and last night he had -dropped the brandy slowly down on Mr. Lorry's hearth like a man who had -done with it. - -It was as late as seven o'clock when he awoke refreshed, and went out -into the streets again. As he passed along towards Saint Antoine, he -stopped at a shop-window where there was a mirror, and slightly altered -the disordered arrangement of his loose cravat, and his coat-collar, and -his wild hair. This done, he went on direct to Defarge's, and went in. - -There happened to be no customer in the shop but Jacques Three, of the -restless fingers and the croaking voice. This man, whom he had seen upon -the Jury, stood drinking at the little counter, in conversation with the -Defarges, man and wife. The Vengeance assisted in the conversation, like -a regular member of the establishment. - -As Carton walked in, took his seat and asked (in very indifferent -French) for a small measure of wine, Madame Defarge cast a careless -glance at him, and then a keener, and then a keener, and then advanced -to him herself, and asked him what it was he had ordered. - -He repeated what he had already said. - -“English?” asked Madame Defarge, inquisitively raising her dark -eyebrows. - -After looking at her, as if the sound of even a single French word were -slow to express itself to him, he answered, in his former strong foreign -accent. “Yes, madame, yes. I am English!” - -Madame Defarge returned to her counter to get the wine, and, as he -took up a Jacobin journal and feigned to pore over it puzzling out its -meaning, he heard her say, “I swear to you, like Evremonde!” - -Defarge brought him the wine, and gave him Good Evening. - -“How?” - -“Good evening.” - -“Oh! Good evening, citizen,” filling his glass. “Ah! and good wine. I -drink to the Republic.” - -Defarge went back to the counter, and said, “Certainly, a little like.” - Madame sternly retorted, “I tell you a good deal like.” Jacques Three -pacifically remarked, “He is so much in your mind, see you, madame.” - The amiable Vengeance added, with a laugh, “Yes, my faith! And you -are looking forward with so much pleasure to seeing him once more -to-morrow!” - -Carton followed the lines and words of his paper, with a slow -forefinger, and with a studious and absorbed face. They were all leaning -their arms on the counter close together, speaking low. After a silence -of a few moments, during which they all looked towards him without -disturbing his outward attention from the Jacobin editor, they resumed -their conversation. - -“It is true what madame says,” observed Jacques Three. “Why stop? There -is great force in that. Why stop?” - -“Well, well,” reasoned Defarge, “but one must stop somewhere. After all, -the question is still where?” - -“At extermination,” said madame. - -“Magnificent!” croaked Jacques Three. The Vengeance, also, highly -approved. - -“Extermination is good doctrine, my wife,” said Defarge, rather -troubled; “in general, I say nothing against it. But this Doctor has -suffered much; you have seen him to-day; you have observed his face when -the paper was read.” - -“I have observed his face!” repeated madame, contemptuously and angrily. -“Yes. I have observed his face. I have observed his face to be not the -face of a true friend of the Republic. Let him take care of his face!” - -“And you have observed, my wife,” said Defarge, in a deprecatory manner, -“the anguish of his daughter, which must be a dreadful anguish to him!” - -“I have observed his daughter,” repeated madame; “yes, I have observed -his daughter, more times than one. I have observed her to-day, and I -have observed her other days. I have observed her in the court, and -I have observed her in the street by the prison. Let me but lift my -finger--!” She seemed to raise it (the listener's eyes were always on -his paper), and to let it fall with a rattle on the ledge before her, as -if the axe had dropped. - -“The citizeness is superb!” croaked the Juryman. - -“She is an Angel!” said The Vengeance, and embraced her. - -“As to thee,” pursued madame, implacably, addressing her husband, “if it -depended on thee--which, happily, it does not--thou wouldst rescue this -man even now.” - -“No!” protested Defarge. “Not if to lift this glass would do it! But I -would leave the matter there. I say, stop there.” - -“See you then, Jacques,” said Madame Defarge, wrathfully; “and see you, -too, my little Vengeance; see you both! Listen! For other crimes as -tyrants and oppressors, I have this race a long time on my register, -doomed to destruction and extermination. Ask my husband, is that so.” - -“It is so,” assented Defarge, without being asked. - -“In the beginning of the great days, when the Bastille falls, he finds -this paper of to-day, and he brings it home, and in the middle of the -night when this place is clear and shut, we read it, here on this spot, -by the light of this lamp. Ask him, is that so.” - -“It is so,” assented Defarge. - -“That night, I tell him, when the paper is read through, and the lamp is -burnt out, and the day is gleaming in above those shutters and between -those iron bars, that I have now a secret to communicate. Ask him, is -that so.” - -“It is so,” assented Defarge again. - -“I communicate to him that secret. I smite this bosom with these two -hands as I smite it now, and I tell him, 'Defarge, I was brought up -among the fishermen of the sea-shore, and that peasant family so injured -by the two Evremonde brothers, as that Bastille paper describes, is my -family. Defarge, that sister of the mortally wounded boy upon the ground -was my sister, that husband was my sister's husband, that unborn child -was their child, that brother was my brother, that father was my father, -those dead are my dead, and that summons to answer for those things -descends to me!' Ask him, is that so.” - -“It is so,” assented Defarge once more. - -“Then tell Wind and Fire where to stop,” returned madame; “but don't -tell me.” - -Both her hearers derived a horrible enjoyment from the deadly nature -of her wrath--the listener could feel how white she was, without seeing -her--and both highly commended it. Defarge, a weak minority, interposed -a few words for the memory of the compassionate wife of the Marquis; but -only elicited from his own wife a repetition of her last reply. “Tell -the Wind and the Fire where to stop; not me!” - -Customers entered, and the group was broken up. The English customer -paid for what he had had, perplexedly counted his change, and asked, as -a stranger, to be directed towards the National Palace. Madame Defarge -took him to the door, and put her arm on his, in pointing out the road. -The English customer was not without his reflections then, that it might -be a good deed to seize that arm, lift it, and strike under it sharp and -deep. - -But, he went his way, and was soon swallowed up in the shadow of the -prison wall. At the appointed hour, he emerged from it to present -himself in Mr. Lorry's room again, where he found the old gentleman -walking to and fro in restless anxiety. He said he had been with Lucie -until just now, and had only left her for a few minutes, to come and -keep his appointment. Her father had not been seen, since he quitted the -banking-house towards four o'clock. She had some faint hopes that his -mediation might save Charles, but they were very slight. He had been -more than five hours gone: where could he be? - -Mr. Lorry waited until ten; but, Doctor Manette not returning, and -he being unwilling to leave Lucie any longer, it was arranged that he -should go back to her, and come to the banking-house again at midnight. -In the meanwhile, Carton would wait alone by the fire for the Doctor. - -He waited and waited, and the clock struck twelve; but Doctor Manette -did not come back. Mr. Lorry returned, and found no tidings of him, and -brought none. Where could he be? - -They were discussing this question, and were almost building up some -weak structure of hope on his prolonged absence, when they heard him on -the stairs. The instant he entered the room, it was plain that all was -lost. - -Whether he had really been to any one, or whether he had been all that -time traversing the streets, was never known. As he stood staring at -them, they asked him no question, for his face told them everything. - -“I cannot find it,” said he, “and I must have it. Where is it?” - -His head and throat were bare, and, as he spoke with a helpless look -straying all around, he took his coat off, and let it drop on the floor. - -“Where is my bench? I have been looking everywhere for my bench, and I -can't find it. What have they done with my work? Time presses: I must -finish those shoes.” - -They looked at one another, and their hearts died within them. - -“Come, come!” said he, in a whimpering miserable way; “let me get to -work. Give me my work.” - -Receiving no answer, he tore his hair, and beat his feet upon the -ground, like a distracted child. - -“Don't torture a poor forlorn wretch,” he implored them, with a dreadful -cry; “but give me my work! What is to become of us, if those shoes are -not done to-night?” - -Lost, utterly lost! - -It was so clearly beyond hope to reason with him, or try to restore him, -that--as if by agreement--they each put a hand upon his shoulder, and -soothed him to sit down before the fire, with a promise that he should -have his work presently. He sank into the chair, and brooded over the -embers, and shed tears. As if all that had happened since the garret -time were a momentary fancy, or a dream, Mr. Lorry saw him shrink into -the exact figure that Defarge had had in keeping. - -Affected, and impressed with terror as they both were, by this spectacle -of ruin, it was not a time to yield to such emotions. His lonely -daughter, bereft of her final hope and reliance, appealed to them both -too strongly. Again, as if by agreement, they looked at one another with -one meaning in their faces. Carton was the first to speak: - -“The last chance is gone: it was not much. Yes; he had better be taken -to her. But, before you go, will you, for a moment, steadily attend to -me? Don't ask me why I make the stipulations I am going to make, and -exact the promise I am going to exact; I have a reason--a good one.” - -“I do not doubt it,” answered Mr. Lorry. “Say on.” - -The figure in the chair between them, was all the time monotonously -rocking itself to and fro, and moaning. They spoke in such a tone as -they would have used if they had been watching by a sick-bed in the -night. - -Carton stooped to pick up the coat, which lay almost entangling his -feet. As he did so, a small case in which the Doctor was accustomed to -carry the lists of his day's duties, fell lightly on the floor. Carton -took it up, and there was a folded paper in it. “We should look -at this!” he said. Mr. Lorry nodded his consent. He opened it, and -exclaimed, “Thank _God!_” - -“What is it?” asked Mr. Lorry, eagerly. - -“A moment! Let me speak of it in its place. First,” he put his hand in -his coat, and took another paper from it, “that is the certificate which -enables me to pass out of this city. Look at it. You see--Sydney Carton, -an Englishman?” - -Mr. Lorry held it open in his hand, gazing in his earnest face. - -“Keep it for me until to-morrow. I shall see him to-morrow, you -remember, and I had better not take it into the prison.” - -“Why not?” - -“I don't know; I prefer not to do so. Now, take this paper that Doctor -Manette has carried about him. It is a similar certificate, enabling him -and his daughter and her child, at any time, to pass the barrier and the -frontier! You see?” - -“Yes!” - -“Perhaps he obtained it as his last and utmost precaution against evil, -yesterday. When is it dated? But no matter; don't stay to look; put it -up carefully with mine and your own. Now, observe! I never doubted until -within this hour or two, that he had, or could have such a paper. It is -good, until recalled. But it may be soon recalled, and, I have reason to -think, will be.” - -“They are not in danger?” - -“They are in great danger. They are in danger of denunciation by Madame -Defarge. I know it from her own lips. I have overheard words of that -woman's, to-night, which have presented their danger to me in strong -colours. I have lost no time, and since then, I have seen the spy. He -confirms me. He knows that a wood-sawyer, living by the prison wall, -is under the control of the Defarges, and has been rehearsed by -Madame Defarge as to his having seen Her”--he never mentioned Lucie's -name--“making signs and signals to prisoners. It is easy to foresee that -the pretence will be the common one, a prison plot, and that it will -involve her life--and perhaps her child's--and perhaps her father's--for -both have been seen with her at that place. Don't look so horrified. You -will save them all.” - -“Heaven grant I may, Carton! But how?” - -“I am going to tell you how. It will depend on you, and it could depend -on no better man. This new denunciation will certainly not take place -until after to-morrow; probably not until two or three days afterwards; -more probably a week afterwards. You know it is a capital crime, to -mourn for, or sympathise with, a victim of the Guillotine. She and her -father would unquestionably be guilty of this crime, and this woman (the -inveteracy of whose pursuit cannot be described) would wait to add that -strength to her case, and make herself doubly sure. You follow me?” - -“So attentively, and with so much confidence in what you say, that for -the moment I lose sight,” touching the back of the Doctor's chair, “even -of this distress.” - -“You have money, and can buy the means of travelling to the seacoast -as quickly as the journey can be made. Your preparations have been -completed for some days, to return to England. Early to-morrow have your -horses ready, so that they may be in starting trim at two o'clock in the -afternoon.” - -“It shall be done!” - -His manner was so fervent and inspiring, that Mr. Lorry caught the -flame, and was as quick as youth. - -“You are a noble heart. Did I say we could depend upon no better man? -Tell her, to-night, what you know of her danger as involving her child -and her father. Dwell upon that, for she would lay her own fair head -beside her husband's cheerfully.” He faltered for an instant; then went -on as before. “For the sake of her child and her father, press upon her -the necessity of leaving Paris, with them and you, at that hour. Tell -her that it was her husband's last arrangement. Tell her that more -depends upon it than she dare believe, or hope. You think that her -father, even in this sad state, will submit himself to her; do you not?” - -“I am sure of it.” - -“I thought so. Quietly and steadily have all these arrangements made in -the courtyard here, even to the taking of your own seat in the carriage. -The moment I come to you, take me in, and drive away.” - -“I understand that I wait for you under all circumstances?” - -“You have my certificate in your hand with the rest, you know, and will -reserve my place. Wait for nothing but to have my place occupied, and -then for England!” - -“Why, then,” said Mr. Lorry, grasping his eager but so firm and steady -hand, “it does not all depend on one old man, but I shall have a young -and ardent man at my side.” - -“By the help of Heaven you shall! Promise me solemnly that nothing will -influence you to alter the course on which we now stand pledged to one -another.” - -“Nothing, Carton.” - -“Remember these words to-morrow: change the course, or delay in it--for -any reason--and no life can possibly be saved, and many lives must -inevitably be sacrificed.” - -“I will remember them. I hope to do my part faithfully.” - -“And I hope to do mine. Now, good bye!” - -Though he said it with a grave smile of earnestness, and though he even -put the old man's hand to his lips, he did not part from him then. He -helped him so far to arouse the rocking figure before the dying embers, -as to get a cloak and hat put upon it, and to tempt it forth to find -where the bench and work were hidden that it still moaningly besought -to have. He walked on the other side of it and protected it to the -courtyard of the house where the afflicted heart--so happy in -the memorable time when he had revealed his own desolate heart to -it--outwatched the awful night. He entered the courtyard and remained -there for a few moments alone, looking up at the light in the window of -her room. Before he went away, he breathed a blessing towards it, and a -Farewell. - - - - -XIII. Fifty-two - - -In the black prison of the Conciergerie, the doomed of the day awaited -their fate. They were in number as the weeks of the year. Fifty-two were -to roll that afternoon on the life-tide of the city to the boundless -everlasting sea. Before their cells were quit of them, new occupants -were appointed; before their blood ran into the blood spilled yesterday, -the blood that was to mingle with theirs to-morrow was already set -apart. - -Two score and twelve were told off. From the farmer-general of seventy, -whose riches could not buy his life, to the seamstress of twenty, whose -poverty and obscurity could not save her. Physical diseases, engendered -in the vices and neglects of men, will seize on victims of all degrees; -and the frightful moral disorder, born of unspeakable suffering, -intolerable oppression, and heartless indifference, smote equally -without distinction. - -Charles Darnay, alone in a cell, had sustained himself with no -flattering delusion since he came to it from the Tribunal. In every line -of the narrative he had heard, he had heard his condemnation. He had -fully comprehended that no personal influence could possibly save him, -that he was virtually sentenced by the millions, and that units could -avail him nothing. - -Nevertheless, it was not easy, with the face of his beloved wife fresh -before him, to compose his mind to what it must bear. His hold on life -was strong, and it was very, very hard, to loosen; by gradual efforts -and degrees unclosed a little here, it clenched the tighter there; and -when he brought his strength to bear on that hand and it yielded, -this was closed again. There was a hurry, too, in all his thoughts, -a turbulent and heated working of his heart, that contended against -resignation. If, for a moment, he did feel resigned, then his wife and -child who had to live after him, seemed to protest and to make it a -selfish thing. - -But, all this was at first. Before long, the consideration that there -was no disgrace in the fate he must meet, and that numbers went the same -road wrongfully, and trod it firmly every day, sprang up to stimulate -him. Next followed the thought that much of the future peace of mind -enjoyable by the dear ones, depended on his quiet fortitude. So, -by degrees he calmed into the better state, when he could raise his -thoughts much higher, and draw comfort down. - -Before it had set in dark on the night of his condemnation, he had -travelled thus far on his last way. Being allowed to purchase the means -of writing, and a light, he sat down to write until such time as the -prison lamps should be extinguished. - -He wrote a long letter to Lucie, showing her that he had known nothing -of her father's imprisonment, until he had heard of it from herself, -and that he had been as ignorant as she of his father's and uncle's -responsibility for that misery, until the paper had been read. He had -already explained to her that his concealment from herself of the name -he had relinquished, was the one condition--fully intelligible now--that -her father had attached to their betrothal, and was the one promise he -had still exacted on the morning of their marriage. He entreated her, -for her father's sake, never to seek to know whether her father had -become oblivious of the existence of the paper, or had had it recalled -to him (for the moment, or for good), by the story of the Tower, on -that old Sunday under the dear old plane-tree in the garden. If he had -preserved any definite remembrance of it, there could be no doubt that -he had supposed it destroyed with the Bastille, when he had found no -mention of it among the relics of prisoners which the populace had -discovered there, and which had been described to all the world. He -besought her--though he added that he knew it was needless--to console -her father, by impressing him through every tender means she could think -of, with the truth that he had done nothing for which he could justly -reproach himself, but had uniformly forgotten himself for their joint -sakes. Next to her preservation of his own last grateful love and -blessing, and her overcoming of her sorrow, to devote herself to their -dear child, he adjured her, as they would meet in Heaven, to comfort her -father. - -To her father himself, he wrote in the same strain; but, he told her -father that he expressly confided his wife and child to his care. And -he told him this, very strongly, with the hope of rousing him from any -despondency or dangerous retrospect towards which he foresaw he might be -tending. - -To Mr. Lorry, he commended them all, and explained his worldly affairs. -That done, with many added sentences of grateful friendship and warm -attachment, all was done. He never thought of Carton. His mind was so -full of the others, that he never once thought of him. - -He had time to finish these letters before the lights were put out. When -he lay down on his straw bed, he thought he had done with this world. - -But, it beckoned him back in his sleep, and showed itself in shining -forms. Free and happy, back in the old house in Soho (though it had -nothing in it like the real house), unaccountably released and light of -heart, he was with Lucie again, and she told him it was all a dream, and -he had never gone away. A pause of forgetfulness, and then he had even -suffered, and had come back to her, dead and at peace, and yet there -was no difference in him. Another pause of oblivion, and he awoke in the -sombre morning, unconscious where he was or what had happened, until it -flashed upon his mind, “this is the day of my death!” - -Thus, had he come through the hours, to the day when the fifty-two heads -were to fall. And now, while he was composed, and hoped that he could -meet the end with quiet heroism, a new action began in his waking -thoughts, which was very difficult to master. - -He had never seen the instrument that was to terminate his life. How -high it was from the ground, how many steps it had, where he would be -stood, how he would be touched, whether the touching hands would be dyed -red, which way his face would be turned, whether he would be the first, -or might be the last: these and many similar questions, in nowise -directed by his will, obtruded themselves over and over again, countless -times. Neither were they connected with fear: he was conscious of no -fear. Rather, they originated in a strange besetting desire to know what -to do when the time came; a desire gigantically disproportionate to the -few swift moments to which it referred; a wondering that was more like -the wondering of some other spirit within his, than his own. - -The hours went on as he walked to and fro, and the clocks struck the -numbers he would never hear again. Nine gone for ever, ten gone for -ever, eleven gone for ever, twelve coming on to pass away. After a hard -contest with that eccentric action of thought which had last perplexed -him, he had got the better of it. He walked up and down, softly -repeating their names to himself. The worst of the strife was over. -He could walk up and down, free from distracting fancies, praying for -himself and for them. - -Twelve gone for ever. - -He had been apprised that the final hour was Three, and he knew he would -be summoned some time earlier, inasmuch as the tumbrils jolted heavily -and slowly through the streets. Therefore, he resolved to keep Two -before his mind, as the hour, and so to strengthen himself in the -interval that he might be able, after that time, to strengthen others. - -Walking regularly to and fro with his arms folded on his breast, a very -different man from the prisoner, who had walked to and fro at La Force, -he heard One struck away from him, without surprise. The hour had -measured like most other hours. Devoutly thankful to Heaven for his -recovered self-possession, he thought, “There is but another now,” and -turned to walk again. - -Footsteps in the stone passage outside the door. He stopped. - -The key was put in the lock, and turned. Before the door was opened, or -as it opened, a man said in a low voice, in English: “He has never seen -me here; I have kept out of his way. Go you in alone; I wait near. Lose -no time!” - -The door was quickly opened and closed, and there stood before him -face to face, quiet, intent upon him, with the light of a smile on his -features, and a cautionary finger on his lip, Sydney Carton. - -There was something so bright and remarkable in his look, that, for the -first moment, the prisoner misdoubted him to be an apparition of his own -imagining. But, he spoke, and it was his voice; he took the prisoner's -hand, and it was his real grasp. - -“Of all the people upon earth, you least expected to see me?” he said. - -“I could not believe it to be you. I can scarcely believe it now. You -are not”--the apprehension came suddenly into his mind--“a prisoner?” - -“No. I am accidentally possessed of a power over one of the keepers -here, and in virtue of it I stand before you. I come from her--your -wife, dear Darnay.” - -The prisoner wrung his hand. - -“I bring you a request from her.” - -“What is it?” - -“A most earnest, pressing, and emphatic entreaty, addressed to you -in the most pathetic tones of the voice so dear to you, that you well -remember.” - -The prisoner turned his face partly aside. - -“You have no time to ask me why I bring it, or what it means; I have -no time to tell you. You must comply with it--take off those boots you -wear, and draw on these of mine.” - -There was a chair against the wall of the cell, behind the prisoner. -Carton, pressing forward, had already, with the speed of lightning, got -him down into it, and stood over him, barefoot. - -“Draw on these boots of mine. Put your hands to them; put your will to -them. Quick!” - -“Carton, there is no escaping from this place; it never can be done. You -will only die with me. It is madness.” - -“It would be madness if I asked you to escape; but do I? When I ask you -to pass out at that door, tell me it is madness and remain here. Change -that cravat for this of mine, that coat for this of mine. While you do -it, let me take this ribbon from your hair, and shake out your hair like -this of mine!” - -With wonderful quickness, and with a strength both of will and action, -that appeared quite supernatural, he forced all these changes upon him. -The prisoner was like a young child in his hands. - -“Carton! Dear Carton! It is madness. It cannot be accomplished, it never -can be done, it has been attempted, and has always failed. I implore you -not to add your death to the bitterness of mine.” - -“Do I ask you, my dear Darnay, to pass the door? When I ask that, -refuse. There are pen and ink and paper on this table. Is your hand -steady enough to write?” - -“It was when you came in.” - -“Steady it again, and write what I shall dictate. Quick, friend, quick!” - -Pressing his hand to his bewildered head, Darnay sat down at the table. -Carton, with his right hand in his breast, stood close beside him. - -“Write exactly as I speak.” - -“To whom do I address it?” - -“To no one.” Carton still had his hand in his breast. - -“Do I date it?” - -“No.” - -The prisoner looked up, at each question. Carton, standing over him with -his hand in his breast, looked down. - -“'If you remember,'” said Carton, dictating, “'the words that passed -between us, long ago, you will readily comprehend this when you see it. -You do remember them, I know. It is not in your nature to forget them.'” - -He was drawing his hand from his breast; the prisoner chancing to look -up in his hurried wonder as he wrote, the hand stopped, closing upon -something. - -“Have you written 'forget them'?” Carton asked. - -“I have. Is that a weapon in your hand?” - -“No; I am not armed.” - -“What is it in your hand?” - -“You shall know directly. Write on; there are but a few words more.” He -dictated again. “'I am thankful that the time has come, when I can prove -them. That I do so is no subject for regret or grief.'” As he said these -words with his eyes fixed on the writer, his hand slowly and softly -moved down close to the writer's face. - -The pen dropped from Darnay's fingers on the table, and he looked about -him vacantly. - -“What vapour is that?” he asked. - -“Vapour?” - -“Something that crossed me?” - -“I am conscious of nothing; there can be nothing here. Take up the pen -and finish. Hurry, hurry!” - -As if his memory were impaired, or his faculties disordered, the -prisoner made an effort to rally his attention. As he looked at Carton -with clouded eyes and with an altered manner of breathing, Carton--his -hand again in his breast--looked steadily at him. - -“Hurry, hurry!” - -The prisoner bent over the paper, once more. - -“'If it had been otherwise;'” Carton's hand was again watchfully and -softly stealing down; “'I never should have used the longer opportunity. -If it had been otherwise;'” the hand was at the prisoner's face; “'I -should but have had so much the more to answer for. If it had been -otherwise--'” Carton looked at the pen and saw it was trailing off into -unintelligible signs. - -Carton's hand moved back to his breast no more. The prisoner sprang up -with a reproachful look, but Carton's hand was close and firm at his -nostrils, and Carton's left arm caught him round the waist. For a few -seconds he faintly struggled with the man who had come to lay down his -life for him; but, within a minute or so, he was stretched insensible on -the ground. - -Quickly, but with hands as true to the purpose as his heart was, Carton -dressed himself in the clothes the prisoner had laid aside, combed back -his hair, and tied it with the ribbon the prisoner had worn. Then, he -softly called, “Enter there! Come in!” and the Spy presented himself. - -“You see?” said Carton, looking up, as he kneeled on one knee beside the -insensible figure, putting the paper in the breast: “is your hazard very -great?” - -“Mr. Carton,” the Spy answered, with a timid snap of his fingers, “my -hazard is not _that_, in the thick of business here, if you are true to -the whole of your bargain.” - -“Don't fear me. I will be true to the death.” - -“You must be, Mr. Carton, if the tale of fifty-two is to be right. Being -made right by you in that dress, I shall have no fear.” - -“Have no fear! I shall soon be out of the way of harming you, and the -rest will soon be far from here, please God! Now, get assistance and -take me to the coach.” - -“You?” said the Spy nervously. - -“Him, man, with whom I have exchanged. You go out at the gate by which -you brought me in?” - -“Of course.” - -“I was weak and faint when you brought me in, and I am fainter now you -take me out. The parting interview has overpowered me. Such a thing has -happened here, often, and too often. Your life is in your own hands. -Quick! Call assistance!” - -“You swear not to betray me?” said the trembling Spy, as he paused for a -last moment. - -“Man, man!” returned Carton, stamping his foot; “have I sworn by no -solemn vow already, to go through with this, that you waste the precious -moments now? Take him yourself to the courtyard you know of, place -him yourself in the carriage, show him yourself to Mr. Lorry, tell him -yourself to give him no restorative but air, and to remember my words of -last night, and his promise of last night, and drive away!” - -The Spy withdrew, and Carton seated himself at the table, resting his -forehead on his hands. The Spy returned immediately, with two men. - -“How, then?” said one of them, contemplating the fallen figure. “So -afflicted to find that his friend has drawn a prize in the lottery of -Sainte Guillotine?” - -“A good patriot,” said the other, “could hardly have been more afflicted -if the Aristocrat had drawn a blank.” - -They raised the unconscious figure, placed it on a litter they had -brought to the door, and bent to carry it away. - -“The time is short, Evremonde,” said the Spy, in a warning voice. - -“I know it well,” answered Carton. “Be careful of my friend, I entreat -you, and leave me.” - -“Come, then, my children,” said Barsad. “Lift him, and come away!” - -The door closed, and Carton was left alone. Straining his powers of -listening to the utmost, he listened for any sound that might denote -suspicion or alarm. There was none. Keys turned, doors clashed, -footsteps passed along distant passages: no cry was raised, or hurry -made, that seemed unusual. Breathing more freely in a little while, he -sat down at the table, and listened again until the clock struck Two. - -Sounds that he was not afraid of, for he divined their meaning, then -began to be audible. Several doors were opened in succession, and -finally his own. A gaoler, with a list in his hand, looked in, merely -saying, “Follow me, Evremonde!” and he followed into a large dark room, -at a distance. It was a dark winter day, and what with the shadows -within, and what with the shadows without, he could but dimly discern -the others who were brought there to have their arms bound. Some were -standing; some seated. Some were lamenting, and in restless motion; -but, these were few. The great majority were silent and still, looking -fixedly at the ground. - -As he stood by the wall in a dim corner, while some of the fifty-two -were brought in after him, one man stopped in passing, to embrace him, -as having a knowledge of him. It thrilled him with a great dread of -discovery; but the man went on. A very few moments after that, a young -woman, with a slight girlish form, a sweet spare face in which there was -no vestige of colour, and large widely opened patient eyes, rose from -the seat where he had observed her sitting, and came to speak to him. - -“Citizen Evremonde,” she said, touching him with her cold hand. “I am a -poor little seamstress, who was with you in La Force.” - -He murmured for answer: “True. I forget what you were accused of?” - -“Plots. Though the just Heaven knows that I am innocent of any. Is it -likely? Who would think of plotting with a poor little weak creature -like me?” - -The forlorn smile with which she said it, so touched him, that tears -started from his eyes. - -“I am not afraid to die, Citizen Evremonde, but I have done nothing. I -am not unwilling to die, if the Republic which is to do so much good -to us poor, will profit by my death; but I do not know how that can be, -Citizen Evremonde. Such a poor weak little creature!” - -As the last thing on earth that his heart was to warm and soften to, it -warmed and softened to this pitiable girl. - -“I heard you were released, Citizen Evremonde. I hoped it was true?” - -“It was. But, I was again taken and condemned.” - -“If I may ride with you, Citizen Evremonde, will you let me hold your -hand? I am not afraid, but I am little and weak, and it will give me -more courage.” - -As the patient eyes were lifted to his face, he saw a sudden doubt in -them, and then astonishment. He pressed the work-worn, hunger-worn young -fingers, and touched his lips. - -“Are you dying for him?” she whispered. - -“And his wife and child. Hush! Yes.” - -“O you will let me hold your brave hand, stranger?” - -“Hush! Yes, my poor sister; to the last.” - - ***** - -The same shadows that are falling on the prison, are falling, in that -same hour of the early afternoon, on the Barrier with the crowd about -it, when a coach going out of Paris drives up to be examined. - -“Who goes here? Whom have we within? Papers!” - -The papers are handed out, and read. - -“Alexandre Manette. Physician. French. Which is he?” - -This is he; this helpless, inarticulately murmuring, wandering old man -pointed out. - -“Apparently the Citizen-Doctor is not in his right mind? The -Revolution-fever will have been too much for him?” - -Greatly too much for him. - -“Hah! Many suffer with it. Lucie. His daughter. French. Which is she?” - -This is she. - -“Apparently it must be. Lucie, the wife of Evremonde; is it not?” - -It is. - -“Hah! Evremonde has an assignation elsewhere. Lucie, her child. English. -This is she?” - -She and no other. - -“Kiss me, child of Evremonde. Now, thou hast kissed a good Republican; -something new in thy family; remember it! Sydney Carton. Advocate. -English. Which is he?” - -He lies here, in this corner of the carriage. He, too, is pointed out. - -“Apparently the English advocate is in a swoon?” - -It is hoped he will recover in the fresher air. It is represented that -he is not in strong health, and has separated sadly from a friend who is -under the displeasure of the Republic. - -“Is that all? It is not a great deal, that! Many are under the -displeasure of the Republic, and must look out at the little window. -Jarvis Lorry. Banker. English. Which is he?” - -“I am he. Necessarily, being the last.” - -It is Jarvis Lorry who has replied to all the previous questions. It -is Jarvis Lorry who has alighted and stands with his hand on the coach -door, replying to a group of officials. They leisurely walk round the -carriage and leisurely mount the box, to look at what little luggage it -carries on the roof; the country-people hanging about, press nearer to -the coach doors and greedily stare in; a little child, carried by its -mother, has its short arm held out for it, that it may touch the wife of -an aristocrat who has gone to the Guillotine. - -“Behold your papers, Jarvis Lorry, countersigned.” - -“One can depart, citizen?” - -“One can depart. Forward, my postilions! A good journey!” - -“I salute you, citizens.--And the first danger passed!” - -These are again the words of Jarvis Lorry, as he clasps his hands, and -looks upward. There is terror in the carriage, there is weeping, there -is the heavy breathing of the insensible traveller. - -“Are we not going too slowly? Can they not be induced to go faster?” - asks Lucie, clinging to the old man. - -“It would seem like flight, my darling. I must not urge them too much; -it would rouse suspicion.” - -“Look back, look back, and see if we are pursued!” - -“The road is clear, my dearest. So far, we are not pursued.” - -Houses in twos and threes pass by us, solitary farms, ruinous buildings, -dye-works, tanneries, and the like, open country, avenues of leafless -trees. The hard uneven pavement is under us, the soft deep mud is on -either side. Sometimes, we strike into the skirting mud, to avoid the -stones that clatter us and shake us; sometimes, we stick in ruts and -sloughs there. The agony of our impatience is then so great, that in our -wild alarm and hurry we are for getting out and running--hiding--doing -anything but stopping. - -Out of the open country, in again among ruinous buildings, solitary -farms, dye-works, tanneries, and the like, cottages in twos and threes, -avenues of leafless trees. Have these men deceived us, and taken us back -by another road? Is not this the same place twice over? Thank Heaven, -no. A village. Look back, look back, and see if we are pursued! Hush! -the posting-house. - -Leisurely, our four horses are taken out; leisurely, the coach stands in -the little street, bereft of horses, and with no likelihood upon it -of ever moving again; leisurely, the new horses come into visible -existence, one by one; leisurely, the new postilions follow, sucking and -plaiting the lashes of their whips; leisurely, the old postilions count -their money, make wrong additions, and arrive at dissatisfied results. -All the time, our overfraught hearts are beating at a rate that would -far outstrip the fastest gallop of the fastest horses ever foaled. - -At length the new postilions are in their saddles, and the old are left -behind. We are through the village, up the hill, and down the hill, and -on the low watery grounds. Suddenly, the postilions exchange speech with -animated gesticulation, and the horses are pulled up, almost on their -haunches. We are pursued? - -“Ho! Within the carriage there. Speak then!” - -“What is it?” asks Mr. Lorry, looking out at window. - -“How many did they say?” - -“I do not understand you.” - -“--At the last post. How many to the Guillotine to-day?” - -“Fifty-two.” - -“I said so! A brave number! My fellow-citizen here would have it -forty-two; ten more heads are worth having. The Guillotine goes -handsomely. I love it. Hi forward. Whoop!” - -The night comes on dark. He moves more; he is beginning to revive, and -to speak intelligibly; he thinks they are still together; he asks him, -by his name, what he has in his hand. O pity us, kind Heaven, and help -us! Look out, look out, and see if we are pursued. - -The wind is rushing after us, and the clouds are flying after us, and -the moon is plunging after us, and the whole wild night is in pursuit of -us; but, so far, we are pursued by nothing else. - - - - -XIV. The Knitting Done - - -In that same juncture of time when the Fifty-Two awaited their fate -Madame Defarge held darkly ominous council with The Vengeance and -Jacques Three of the Revolutionary Jury. Not in the wine-shop did Madame -Defarge confer with these ministers, but in the shed of the wood-sawyer, -erst a mender of roads. The sawyer himself did not participate in the -conference, but abided at a little distance, like an outer satellite who -was not to speak until required, or to offer an opinion until invited. - -“But our Defarge,” said Jacques Three, “is undoubtedly a good -Republican? Eh?” - -“There is no better,” the voluble Vengeance protested in her shrill -notes, “in France.” - -“Peace, little Vengeance,” said Madame Defarge, laying her hand with -a slight frown on her lieutenant's lips, “hear me speak. My husband, -fellow-citizen, is a good Republican and a bold man; he has deserved -well of the Republic, and possesses its confidence. But my husband has -his weaknesses, and he is so weak as to relent towards this Doctor.” - -“It is a great pity,” croaked Jacques Three, dubiously shaking his head, -with his cruel fingers at his hungry mouth; “it is not quite like a good -citizen; it is a thing to regret.” - -“See you,” said madame, “I care nothing for this Doctor, I. He may wear -his head or lose it, for any interest I have in him; it is all one to -me. But, the Evremonde people are to be exterminated, and the wife and -child must follow the husband and father.” - -“She has a fine head for it,” croaked Jacques Three. “I have seen blue -eyes and golden hair there, and they looked charming when Samson held -them up.” Ogre that he was, he spoke like an epicure. - -Madame Defarge cast down her eyes, and reflected a little. - -“The child also,” observed Jacques Three, with a meditative enjoyment -of his words, “has golden hair and blue eyes. And we seldom have a child -there. It is a pretty sight!” - -“In a word,” said Madame Defarge, coming out of her short abstraction, -“I cannot trust my husband in this matter. Not only do I feel, since -last night, that I dare not confide to him the details of my projects; -but also I feel that if I delay, there is danger of his giving warning, -and then they might escape.” - -“That must never be,” croaked Jacques Three; “no one must escape. We -have not half enough as it is. We ought to have six score a day.” - -“In a word,” Madame Defarge went on, “my husband has not my reason for -pursuing this family to annihilation, and I have not his reason for -regarding this Doctor with any sensibility. I must act for myself, -therefore. Come hither, little citizen.” - -The wood-sawyer, who held her in the respect, and himself in the -submission, of mortal fear, advanced with his hand to his red cap. - -“Touching those signals, little citizen,” said Madame Defarge, sternly, -“that she made to the prisoners; you are ready to bear witness to them -this very day?” - -“Ay, ay, why not!” cried the sawyer. “Every day, in all weathers, from -two to four, always signalling, sometimes with the little one, sometimes -without. I know what I know. I have seen with my eyes.” - -He made all manner of gestures while he spoke, as if in incidental -imitation of some few of the great diversity of signals that he had -never seen. - -“Clearly plots,” said Jacques Three. “Transparently!” - -“There is no doubt of the Jury?” inquired Madame Defarge, letting her -eyes turn to him with a gloomy smile. - -“Rely upon the patriotic Jury, dear citizeness. I answer for my -fellow-Jurymen.” - -“Now, let me see,” said Madame Defarge, pondering again. “Yet once more! -Can I spare this Doctor to my husband? I have no feeling either way. Can -I spare him?” - -“He would count as one head,” observed Jacques Three, in a low voice. -“We really have not heads enough; it would be a pity, I think.” - -“He was signalling with her when I saw her,” argued Madame Defarge; “I -cannot speak of one without the other; and I must not be silent, and -trust the case wholly to him, this little citizen here. For, I am not a -bad witness.” - -The Vengeance and Jacques Three vied with each other in their fervent -protestations that she was the most admirable and marvellous of -witnesses. The little citizen, not to be outdone, declared her to be a -celestial witness. - -“He must take his chance,” said Madame Defarge. “No, I cannot spare -him! You are engaged at three o'clock; you are going to see the batch of -to-day executed.--You?” - -The question was addressed to the wood-sawyer, who hurriedly replied in -the affirmative: seizing the occasion to add that he was the most ardent -of Republicans, and that he would be in effect the most desolate of -Republicans, if anything prevented him from enjoying the pleasure of -smoking his afternoon pipe in the contemplation of the droll national -barber. He was so very demonstrative herein, that he might have been -suspected (perhaps was, by the dark eyes that looked contemptuously at -him out of Madame Defarge's head) of having his small individual fears -for his own personal safety, every hour in the day. - -“I,” said madame, “am equally engaged at the same place. After it is -over--say at eight to-night--come you to me, in Saint Antoine, and we -will give information against these people at my Section.” - -The wood-sawyer said he would be proud and flattered to attend the -citizeness. The citizeness looking at him, he became embarrassed, evaded -her glance as a small dog would have done, retreated among his wood, and -hid his confusion over the handle of his saw. - -Madame Defarge beckoned the Juryman and The Vengeance a little nearer to -the door, and there expounded her further views to them thus: - -“She will now be at home, awaiting the moment of his death. She will -be mourning and grieving. She will be in a state of mind to impeach the -justice of the Republic. She will be full of sympathy with its enemies. -I will go to her.” - -“What an admirable woman; what an adorable woman!” exclaimed Jacques -Three, rapturously. “Ah, my cherished!” cried The Vengeance; and -embraced her. - -“Take you my knitting,” said Madame Defarge, placing it in her -lieutenant's hands, “and have it ready for me in my usual seat. Keep -me my usual chair. Go you there, straight, for there will probably be a -greater concourse than usual, to-day.” - -“I willingly obey the orders of my Chief,” said The Vengeance with -alacrity, and kissing her cheek. “You will not be late?” - -“I shall be there before the commencement.” - -“And before the tumbrils arrive. Be sure you are there, my soul,” said -The Vengeance, calling after her, for she had already turned into the -street, “before the tumbrils arrive!” - -Madame Defarge slightly waved her hand, to imply that she heard, and -might be relied upon to arrive in good time, and so went through the -mud, and round the corner of the prison wall. The Vengeance and the -Juryman, looking after her as she walked away, were highly appreciative -of her fine figure, and her superb moral endowments. - -There were many women at that time, upon whom the time laid a dreadfully -disfiguring hand; but, there was not one among them more to be dreaded -than this ruthless woman, now taking her way along the streets. Of a -strong and fearless character, of shrewd sense and readiness, of great -determination, of that kind of beauty which not only seems to impart -to its possessor firmness and animosity, but to strike into others an -instinctive recognition of those qualities; the troubled time would have -heaved her up, under any circumstances. But, imbued from her childhood -with a brooding sense of wrong, and an inveterate hatred of a class, -opportunity had developed her into a tigress. She was absolutely without -pity. If she had ever had the virtue in her, it had quite gone out of -her. - -It was nothing to her, that an innocent man was to die for the sins of -his forefathers; she saw, not him, but them. It was nothing to her, that -his wife was to be made a widow and his daughter an orphan; that was -insufficient punishment, because they were her natural enemies and -her prey, and as such had no right to live. To appeal to her, was made -hopeless by her having no sense of pity, even for herself. If she had -been laid low in the streets, in any of the many encounters in which -she had been engaged, she would not have pitied herself; nor, if she had -been ordered to the axe to-morrow, would she have gone to it with any -softer feeling than a fierce desire to change places with the man who -sent her there. - -Such a heart Madame Defarge carried under her rough robe. Carelessly -worn, it was a becoming robe enough, in a certain weird way, and her -dark hair looked rich under her coarse red cap. Lying hidden in her -bosom, was a loaded pistol. Lying hidden at her waist, was a sharpened -dagger. Thus accoutred, and walking with the confident tread of such -a character, and with the supple freedom of a woman who had habitually -walked in her girlhood, bare-foot and bare-legged, on the brown -sea-sand, Madame Defarge took her way along the streets. - -Now, when the journey of the travelling coach, at that very moment -waiting for the completion of its load, had been planned out last night, -the difficulty of taking Miss Pross in it had much engaged Mr. Lorry's -attention. It was not merely desirable to avoid overloading the coach, -but it was of the highest importance that the time occupied in examining -it and its passengers, should be reduced to the utmost; since their -escape might depend on the saving of only a few seconds here and there. -Finally, he had proposed, after anxious consideration, that Miss Pross -and Jerry, who were at liberty to leave the city, should leave it at -three o'clock in the lightest-wheeled conveyance known to that period. -Unencumbered with luggage, they would soon overtake the coach, and, -passing it and preceding it on the road, would order its horses in -advance, and greatly facilitate its progress during the precious hours -of the night, when delay was the most to be dreaded. - -Seeing in this arrangement the hope of rendering real service in that -pressing emergency, Miss Pross hailed it with joy. She and Jerry had -beheld the coach start, had known who it was that Solomon brought, had -passed some ten minutes in tortures of suspense, and were now concluding -their arrangements to follow the coach, even as Madame Defarge, -taking her way through the streets, now drew nearer and nearer to the -else-deserted lodging in which they held their consultation. - -“Now what do you think, Mr. Cruncher,” said Miss Pross, whose agitation -was so great that she could hardly speak, or stand, or move, or live: -“what do you think of our not starting from this courtyard? Another -carriage having already gone from here to-day, it might awaken -suspicion.” - -“My opinion, miss,” returned Mr. Cruncher, “is as you're right. Likewise -wot I'll stand by you, right or wrong.” - -“I am so distracted with fear and hope for our precious creatures,” said -Miss Pross, wildly crying, “that I am incapable of forming any plan. Are -_you_ capable of forming any plan, my dear good Mr. Cruncher?” - -“Respectin' a future spear o' life, miss,” returned Mr. Cruncher, “I -hope so. Respectin' any present use o' this here blessed old head o' -mine, I think not. Would you do me the favour, miss, to take notice o' -two promises and wows wot it is my wishes fur to record in this here -crisis?” - -“Oh, for gracious sake!” cried Miss Pross, still wildly crying, “record -them at once, and get them out of the way, like an excellent man.” - -“First,” said Mr. Cruncher, who was all in a tremble, and who spoke with -an ashy and solemn visage, “them poor things well out o' this, never no -more will I do it, never no more!” - -“I am quite sure, Mr. Cruncher,” returned Miss Pross, “that you -never will do it again, whatever it is, and I beg you not to think it -necessary to mention more particularly what it is.” - -“No, miss,” returned Jerry, “it shall not be named to you. Second: them -poor things well out o' this, and never no more will I interfere with -Mrs. Cruncher's flopping, never no more!” - -“Whatever housekeeping arrangement that may be,” said Miss Pross, -striving to dry her eyes and compose herself, “I have no doubt it -is best that Mrs. Cruncher should have it entirely under her own -superintendence.--O my poor darlings!” - -“I go so far as to say, miss, moreover,” proceeded Mr. Cruncher, with a -most alarming tendency to hold forth as from a pulpit--“and let my words -be took down and took to Mrs. Cruncher through yourself--that wot my -opinions respectin' flopping has undergone a change, and that wot I only -hope with all my heart as Mrs. Cruncher may be a flopping at the present -time.” - -“There, there, there! I hope she is, my dear man,” cried the distracted -Miss Pross, “and I hope she finds it answering her expectations.” - -“Forbid it,” proceeded Mr. Cruncher, with additional solemnity, -additional slowness, and additional tendency to hold forth and hold -out, “as anything wot I have ever said or done should be wisited on my -earnest wishes for them poor creeturs now! Forbid it as we shouldn't all -flop (if it was anyways conwenient) to get 'em out o' this here dismal -risk! Forbid it, miss! Wot I say, for-_bid_ it!” This was Mr. Cruncher's -conclusion after a protracted but vain endeavour to find a better one. - -And still Madame Defarge, pursuing her way along the streets, came -nearer and nearer. - -“If we ever get back to our native land,” said Miss Pross, “you may rely -upon my telling Mrs. Cruncher as much as I may be able to remember and -understand of what you have so impressively said; and at all events -you may be sure that I shall bear witness to your being thoroughly in -earnest at this dreadful time. Now, pray let us think! My esteemed Mr. -Cruncher, let us think!” - -Still, Madame Defarge, pursuing her way along the streets, came nearer -and nearer. - -“If you were to go before,” said Miss Pross, “and stop the vehicle and -horses from coming here, and were to wait somewhere for me; wouldn't -that be best?” - -Mr. Cruncher thought it might be best. - -“Where could you wait for me?” asked Miss Pross. - -Mr. Cruncher was so bewildered that he could think of no locality but -Temple Bar. Alas! Temple Bar was hundreds of miles away, and Madame -Defarge was drawing very near indeed. - -“By the cathedral door,” said Miss Pross. “Would it be much out of -the way, to take me in, near the great cathedral door between the two -towers?” - -“No, miss,” answered Mr. Cruncher. - -“Then, like the best of men,” said Miss Pross, “go to the posting-house -straight, and make that change.” - -“I am doubtful,” said Mr. Cruncher, hesitating and shaking his head, -“about leaving of you, you see. We don't know what may happen.” - -“Heaven knows we don't,” returned Miss Pross, “but have no fear for me. -Take me in at the cathedral, at Three o'Clock, or as near it as you can, -and I am sure it will be better than our going from here. I feel certain -of it. There! Bless you, Mr. Cruncher! Think-not of me, but of the lives -that may depend on both of us!” - -This exordium, and Miss Pross's two hands in quite agonised entreaty -clasping his, decided Mr. Cruncher. With an encouraging nod or two, he -immediately went out to alter the arrangements, and left her by herself -to follow as she had proposed. - -The having originated a precaution which was already in course of -execution, was a great relief to Miss Pross. The necessity of composing -her appearance so that it should attract no special notice in the -streets, was another relief. She looked at her watch, and it was twenty -minutes past two. She had no time to lose, but must get ready at once. - -Afraid, in her extreme perturbation, of the loneliness of the deserted -rooms, and of half-imagined faces peeping from behind every open door -in them, Miss Pross got a basin of cold water and began laving her eyes, -which were swollen and red. Haunted by her feverish apprehensions, she -could not bear to have her sight obscured for a minute at a time by the -dripping water, but constantly paused and looked round to see that there -was no one watching her. In one of those pauses she recoiled and cried -out, for she saw a figure standing in the room. - -The basin fell to the ground broken, and the water flowed to the feet of -Madame Defarge. By strange stern ways, and through much staining blood, -those feet had come to meet that water. - -Madame Defarge looked coldly at her, and said, “The wife of Evremonde; -where is she?” - -It flashed upon Miss Pross's mind that the doors were all standing open, -and would suggest the flight. Her first act was to shut them. There were -four in the room, and she shut them all. She then placed herself before -the door of the chamber which Lucie had occupied. - -Madame Defarge's dark eyes followed her through this rapid movement, -and rested on her when it was finished. Miss Pross had nothing beautiful -about her; years had not tamed the wildness, or softened the grimness, -of her appearance; but, she too was a determined woman in her different -way, and she measured Madame Defarge with her eyes, every inch. - -“You might, from your appearance, be the wife of Lucifer,” said Miss -Pross, in her breathing. “Nevertheless, you shall not get the better of -me. I am an Englishwoman.” - -Madame Defarge looked at her scornfully, but still with something of -Miss Pross's own perception that they two were at bay. She saw a tight, -hard, wiry woman before her, as Mr. Lorry had seen in the same figure a -woman with a strong hand, in the years gone by. She knew full well that -Miss Pross was the family's devoted friend; Miss Pross knew full well -that Madame Defarge was the family's malevolent enemy. - -“On my way yonder,” said Madame Defarge, with a slight movement of -her hand towards the fatal spot, “where they reserve my chair and my -knitting for me, I am come to make my compliments to her in passing. I -wish to see her.” - -“I know that your intentions are evil,” said Miss Pross, “and you may -depend upon it, I'll hold my own against them.” - -Each spoke in her own language; neither understood the other's words; -both were very watchful, and intent to deduce from look and manner, what -the unintelligible words meant. - -“It will do her no good to keep herself concealed from me at this -moment,” said Madame Defarge. “Good patriots will know what that means. -Let me see her. Go tell her that I wish to see her. Do you hear?” - -“If those eyes of yours were bed-winches,” returned Miss Pross, “and I -was an English four-poster, they shouldn't loose a splinter of me. No, -you wicked foreign woman; I am your match.” - -Madame Defarge was not likely to follow these idiomatic remarks in -detail; but, she so far understood them as to perceive that she was set -at naught. - -“Woman imbecile and pig-like!” said Madame Defarge, frowning. “I take no -answer from you. I demand to see her. Either tell her that I demand -to see her, or stand out of the way of the door and let me go to her!” - This, with an angry explanatory wave of her right arm. - -“I little thought,” said Miss Pross, “that I should ever want to -understand your nonsensical language; but I would give all I have, -except the clothes I wear, to know whether you suspect the truth, or any -part of it.” - -Neither of them for a single moment released the other's eyes. Madame -Defarge had not moved from the spot where she stood when Miss Pross -first became aware of her; but, she now advanced one step. - -“I am a Briton,” said Miss Pross, “I am desperate. I don't care an -English Twopence for myself. I know that the longer I keep you here, the -greater hope there is for my Ladybird. I'll not leave a handful of that -dark hair upon your head, if you lay a finger on me!” - -Thus Miss Pross, with a shake of her head and a flash of her eyes -between every rapid sentence, and every rapid sentence a whole breath. -Thus Miss Pross, who had never struck a blow in her life. - -But, her courage was of that emotional nature that it brought the -irrepressible tears into her eyes. This was a courage that Madame -Defarge so little comprehended as to mistake for weakness. “Ha, ha!” she -laughed, “you poor wretch! What are you worth! I address myself to that -Doctor.” Then she raised her voice and called out, “Citizen Doctor! Wife -of Evremonde! Child of Evremonde! Any person but this miserable fool, -answer the Citizeness Defarge!” - -Perhaps the following silence, perhaps some latent disclosure in the -expression of Miss Pross's face, perhaps a sudden misgiving apart from -either suggestion, whispered to Madame Defarge that they were gone. -Three of the doors she opened swiftly, and looked in. - -“Those rooms are all in disorder, there has been hurried packing, there -are odds and ends upon the ground. There is no one in that room behind -you! Let me look.” - -“Never!” said Miss Pross, who understood the request as perfectly as -Madame Defarge understood the answer. - -“If they are not in that room, they are gone, and can be pursued and -brought back,” said Madame Defarge to herself. - -“As long as you don't know whether they are in that room or not, you are -uncertain what to do,” said Miss Pross to herself; “and you shall not -know that, if I can prevent your knowing it; and know that, or not know -that, you shall not leave here while I can hold you.” - -“I have been in the streets from the first, nothing has stopped me, -I will tear you to pieces, but I will have you from that door,” said -Madame Defarge. - -“We are alone at the top of a high house in a solitary courtyard, we are -not likely to be heard, and I pray for bodily strength to keep you here, -while every minute you are here is worth a hundred thousand guineas to -my darling,” said Miss Pross. - -Madame Defarge made at the door. Miss Pross, on the instinct of the -moment, seized her round the waist in both her arms, and held her tight. -It was in vain for Madame Defarge to struggle and to strike; Miss Pross, -with the vigorous tenacity of love, always so much stronger than hate, -clasped her tight, and even lifted her from the floor in the struggle -that they had. The two hands of Madame Defarge buffeted and tore her -face; but, Miss Pross, with her head down, held her round the waist, and -clung to her with more than the hold of a drowning woman. - -Soon, Madame Defarge's hands ceased to strike, and felt at her encircled -waist. “It is under my arm,” said Miss Pross, in smothered tones, “you -shall not draw it. I am stronger than you, I bless Heaven for it. I hold -you till one or other of us faints or dies!” - -Madame Defarge's hands were at her bosom. Miss Pross looked up, saw -what it was, struck at it, struck out a flash and a crash, and stood -alone--blinded with smoke. - -All this was in a second. As the smoke cleared, leaving an awful -stillness, it passed out on the air, like the soul of the furious woman -whose body lay lifeless on the ground. - -In the first fright and horror of her situation, Miss Pross passed the -body as far from it as she could, and ran down the stairs to call for -fruitless help. Happily, she bethought herself of the consequences of -what she did, in time to check herself and go back. It was dreadful to -go in at the door again; but, she did go in, and even went near it, to -get the bonnet and other things that she must wear. These she put on, -out on the staircase, first shutting and locking the door and taking -away the key. She then sat down on the stairs a few moments to breathe -and to cry, and then got up and hurried away. - -By good fortune she had a veil on her bonnet, or she could hardly have -gone along the streets without being stopped. By good fortune, too, she -was naturally so peculiar in appearance as not to show disfigurement -like any other woman. She needed both advantages, for the marks of -gripping fingers were deep in her face, and her hair was torn, and her -dress (hastily composed with unsteady hands) was clutched and dragged a -hundred ways. - -In crossing the bridge, she dropped the door key in the river. Arriving -at the cathedral some few minutes before her escort, and waiting there, -she thought, what if the key were already taken in a net, what if -it were identified, what if the door were opened and the remains -discovered, what if she were stopped at the gate, sent to prison, and -charged with murder! In the midst of these fluttering thoughts, the -escort appeared, took her in, and took her away. - -“Is there any noise in the streets?” she asked him. - -“The usual noises,” Mr. Cruncher replied; and looked surprised by the -question and by her aspect. - -“I don't hear you,” said Miss Pross. “What do you say?” - -It was in vain for Mr. Cruncher to repeat what he said; Miss Pross could -not hear him. “So I'll nod my head,” thought Mr. Cruncher, amazed, “at -all events she'll see that.” And she did. - -“Is there any noise in the streets now?” asked Miss Pross again, -presently. - -Again Mr. Cruncher nodded his head. - -“I don't hear it.” - -“Gone deaf in an hour?” said Mr. Cruncher, ruminating, with his mind -much disturbed; “wot's come to her?” - -“I feel,” said Miss Pross, “as if there had been a flash and a crash, -and that crash was the last thing I should ever hear in this life.” - -“Blest if she ain't in a queer condition!” said Mr. Cruncher, more and -more disturbed. “Wot can she have been a takin', to keep her courage up? -Hark! There's the roll of them dreadful carts! You can hear that, miss?” - -“I can hear,” said Miss Pross, seeing that he spoke to her, “nothing. O, -my good man, there was first a great crash, and then a great stillness, -and that stillness seems to be fixed and unchangeable, never to be -broken any more as long as my life lasts.” - -“If she don't hear the roll of those dreadful carts, now very nigh their -journey's end,” said Mr. Cruncher, glancing over his shoulder, “it's my -opinion that indeed she never will hear anything else in this world.” - -And indeed she never did. - - - - -XV. The Footsteps Die Out For Ever - - -Along the Paris streets, the death-carts rumble, hollow and harsh. Six -tumbrils carry the day's wine to La Guillotine. All the devouring and -insatiate Monsters imagined since imagination could record itself, -are fused in the one realisation, Guillotine. And yet there is not in -France, with its rich variety of soil and climate, a blade, a leaf, -a root, a sprig, a peppercorn, which will grow to maturity under -conditions more certain than those that have produced this horror. Crush -humanity out of shape once more, under similar hammers, and it will -twist itself into the same tortured forms. Sow the same seed of -rapacious license and oppression over again, and it will surely yield -the same fruit according to its kind. - -Six tumbrils roll along the streets. Change these back again to what -they were, thou powerful enchanter, Time, and they shall be seen to be -the carriages of absolute monarchs, the equipages of feudal nobles, the -toilettes of flaring Jezebels, the churches that are not my father's -house but dens of thieves, the huts of millions of starving peasants! -No; the great magician who majestically works out the appointed order -of the Creator, never reverses his transformations. “If thou be changed -into this shape by the will of God,” say the seers to the enchanted, in -the wise Arabian stories, “then remain so! But, if thou wear this -form through mere passing conjuration, then resume thy former aspect!” - Changeless and hopeless, the tumbrils roll along. - -As the sombre wheels of the six carts go round, they seem to plough up -a long crooked furrow among the populace in the streets. Ridges of faces -are thrown to this side and to that, and the ploughs go steadily onward. -So used are the regular inhabitants of the houses to the spectacle, that -in many windows there are no people, and in some the occupation of the -hands is not so much as suspended, while the eyes survey the faces in -the tumbrils. Here and there, the inmate has visitors to see the sight; -then he points his finger, with something of the complacency of a -curator or authorised exponent, to this cart and to this, and seems to -tell who sat here yesterday, and who there the day before. - -Of the riders in the tumbrils, some observe these things, and all -things on their last roadside, with an impassive stare; others, with -a lingering interest in the ways of life and men. Some, seated with -drooping heads, are sunk in silent despair; again, there are some so -heedful of their looks that they cast upon the multitude such glances as -they have seen in theatres, and in pictures. Several close their eyes, -and think, or try to get their straying thoughts together. Only one, and -he a miserable creature, of a crazed aspect, is so shattered and made -drunk by horror, that he sings, and tries to dance. Not one of the whole -number appeals by look or gesture, to the pity of the people. - -There is a guard of sundry horsemen riding abreast of the tumbrils, -and faces are often turned up to some of them, and they are asked some -question. It would seem to be always the same question, for, it is -always followed by a press of people towards the third cart. The -horsemen abreast of that cart, frequently point out one man in it with -their swords. The leading curiosity is, to know which is he; he stands -at the back of the tumbril with his head bent down, to converse with a -mere girl who sits on the side of the cart, and holds his hand. He has -no curiosity or care for the scene about him, and always speaks to the -girl. Here and there in the long street of St. Honore, cries are raised -against him. If they move him at all, it is only to a quiet smile, as he -shakes his hair a little more loosely about his face. He cannot easily -touch his face, his arms being bound. - -On the steps of a church, awaiting the coming-up of the tumbrils, stands -the Spy and prison-sheep. He looks into the first of them: not there. -He looks into the second: not there. He already asks himself, “Has he -sacrificed me?” when his face clears, as he looks into the third. - -“Which is Evremonde?” says a man behind him. - -“That. At the back there.” - -“With his hand in the girl's?” - -“Yes.” - -The man cries, “Down, Evremonde! To the Guillotine all aristocrats! -Down, Evremonde!” - -“Hush, hush!” the Spy entreats him, timidly. - -“And why not, citizen?” - -“He is going to pay the forfeit: it will be paid in five minutes more. -Let him be at peace.” - -But the man continuing to exclaim, “Down, Evremonde!” the face of -Evremonde is for a moment turned towards him. Evremonde then sees the -Spy, and looks attentively at him, and goes his way. - -The clocks are on the stroke of three, and the furrow ploughed among the -populace is turning round, to come on into the place of execution, and -end. The ridges thrown to this side and to that, now crumble in and -close behind the last plough as it passes on, for all are following -to the Guillotine. In front of it, seated in chairs, as in a garden of -public diversion, are a number of women, busily knitting. On one of the -fore-most chairs, stands The Vengeance, looking about for her friend. - -“Therese!” she cries, in her shrill tones. “Who has seen her? Therese -Defarge!” - -“She never missed before,” says a knitting-woman of the sisterhood. - -“No; nor will she miss now,” cries The Vengeance, petulantly. “Therese.” - -“Louder,” the woman recommends. - -Ay! Louder, Vengeance, much louder, and still she will scarcely hear -thee. Louder yet, Vengeance, with a little oath or so added, and yet -it will hardly bring her. Send other women up and down to seek her, -lingering somewhere; and yet, although the messengers have done dread -deeds, it is questionable whether of their own wills they will go far -enough to find her! - -“Bad Fortune!” cries The Vengeance, stamping her foot in the chair, “and -here are the tumbrils! And Evremonde will be despatched in a wink, and -she not here! See her knitting in my hand, and her empty chair ready for -her. I cry with vexation and disappointment!” - -As The Vengeance descends from her elevation to do it, the tumbrils -begin to discharge their loads. The ministers of Sainte Guillotine are -robed and ready. Crash!--A head is held up, and the knitting-women who -scarcely lifted their eyes to look at it a moment ago when it could -think and speak, count One. - -The second tumbril empties and moves on; the third comes up. Crash!--And -the knitting-women, never faltering or pausing in their Work, count Two. - -The supposed Evremonde descends, and the seamstress is lifted out next -after him. He has not relinquished her patient hand in getting out, but -still holds it as he promised. He gently places her with her back to the -crashing engine that constantly whirrs up and falls, and she looks into -his face and thanks him. - -“But for you, dear stranger, I should not be so composed, for I am -naturally a poor little thing, faint of heart; nor should I have been -able to raise my thoughts to Him who was put to death, that we might -have hope and comfort here to-day. I think you were sent to me by -Heaven.” - -“Or you to me,” says Sydney Carton. “Keep your eyes upon me, dear child, -and mind no other object.” - -“I mind nothing while I hold your hand. I shall mind nothing when I let -it go, if they are rapid.” - -“They will be rapid. Fear not!” - -The two stand in the fast-thinning throng of victims, but they speak as -if they were alone. Eye to eye, voice to voice, hand to hand, heart to -heart, these two children of the Universal Mother, else so wide apart -and differing, have come together on the dark highway, to repair home -together, and to rest in her bosom. - -“Brave and generous friend, will you let me ask you one last question? I -am very ignorant, and it troubles me--just a little.” - -“Tell me what it is.” - -“I have a cousin, an only relative and an orphan, like myself, whom I -love very dearly. She is five years younger than I, and she lives in a -farmer's house in the south country. Poverty parted us, and she knows -nothing of my fate--for I cannot write--and if I could, how should I -tell her! It is better as it is.” - -“Yes, yes: better as it is.” - -“What I have been thinking as we came along, and what I am still -thinking now, as I look into your kind strong face which gives me so -much support, is this:--If the Republic really does good to the poor, -and they come to be less hungry, and in all ways to suffer less, she may -live a long time: she may even live to be old.” - -“What then, my gentle sister?” - -“Do you think:” the uncomplaining eyes in which there is so much -endurance, fill with tears, and the lips part a little more and tremble: -“that it will seem long to me, while I wait for her in the better land -where I trust both you and I will be mercifully sheltered?” - -“It cannot be, my child; there is no Time there, and no trouble there.” - -“You comfort me so much! I am so ignorant. Am I to kiss you now? Is the -moment come?” - -“Yes.” - -She kisses his lips; he kisses hers; they solemnly bless each other. -The spare hand does not tremble as he releases it; nothing worse than -a sweet, bright constancy is in the patient face. She goes next before -him--is gone; the knitting-women count Twenty-Two. - -“I am the Resurrection and the Life, saith the Lord: he that believeth -in me, though he were dead, yet shall he live: and whosoever liveth and -believeth in me shall never die.” - -The murmuring of many voices, the upturning of many faces, the pressing -on of many footsteps in the outskirts of the crowd, so that it swells -forward in a mass, like one great heave of water, all flashes away. -Twenty-Three. - - ***** - -They said of him, about the city that night, that it was the -peacefullest man's face ever beheld there. Many added that he looked -sublime and prophetic. - -One of the most remarkable sufferers by the same axe--a woman--had asked -at the foot of the same scaffold, not long before, to be allowed to -write down the thoughts that were inspiring her. If he had given any -utterance to his, and they were prophetic, they would have been these: - -“I see Barsad, and Cly, Defarge, The Vengeance, the Juryman, the Judge, -long ranks of the new oppressors who have risen on the destruction of -the old, perishing by this retributive instrument, before it shall cease -out of its present use. I see a beautiful city and a brilliant people -rising from this abyss, and, in their struggles to be truly free, in -their triumphs and defeats, through long years to come, I see the evil -of this time and of the previous time of which this is the natural -birth, gradually making expiation for itself and wearing out. - -“I see the lives for which I lay down my life, peaceful, useful, -prosperous and happy, in that England which I shall see no more. I see -Her with a child upon her bosom, who bears my name. I see her father, -aged and bent, but otherwise restored, and faithful to all men in his -healing office, and at peace. I see the good old man, so long their -friend, in ten years' time enriching them with all he has, and passing -tranquilly to his reward. - -“I see that I hold a sanctuary in their hearts, and in the hearts of -their descendants, generations hence. I see her, an old woman, weeping -for me on the anniversary of this day. I see her and her husband, their -course done, lying side by side in their last earthly bed, and I know -that each was not more honoured and held sacred in the other's soul, -than I was in the souls of both. - -“I see that child who lay upon her bosom and who bore my name, a man -winning his way up in that path of life which once was mine. I see him -winning it so well, that my name is made illustrious there by the -light of his. I see the blots I threw upon it, faded away. I see him, -fore-most of just judges and honoured men, bringing a boy of my name, -with a forehead that I know and golden hair, to this place--then fair to -look upon, with not a trace of this day's disfigurement--and I hear him -tell the child my story, with a tender and a faltering voice. - -“It is a far, far better thing that I do, than I have ever done; it is a -far, far better rest that I go to than I have ever known.” - - - - - - - - - - - -End of the Project Gutenberg EBook of A Tale of Two Cities, by Charles Dickens - -*** END OF THIS PROJECT GUTENBERG EBOOK A TALE OF TWO CITIES *** - -***** This file should be named 98-0.txt or 98-0.zip ***** -This and all associated files of various formats will be found in: - http://www.gutenberg.org/9/98/ - -Produced by Judith Boss - -Updated editions will replace the previous one--the old editions -will be renamed. - -Creating the works from public domain print editions means that no -one owns a United States copyright in these works, so the Foundation -(and you!) can copy and distribute it in the United States without -permission and without paying copyright royalties. Special rules, -set forth in the General Terms of Use part of this license, apply to -copying and distributing Project Gutenberg-tm electronic works to -protect the PROJECT GUTENBERG-tm concept and trademark. Project -Gutenberg is a registered trademark, and may not be used if you -charge for the eBooks, unless you receive specific permission. If you -do not charge anything for copies of this eBook, complying with the -rules is very easy. You may use this eBook for nearly any purpose -such as creation of derivative works, reports, performances and -research. They may be modified and printed and given away--you may do -practically ANYTHING with public domain eBooks. Redistribution is -subject to the trademark license, especially commercial -redistribution. - - - -*** START: FULL LICENSE *** - -THE FULL PROJECT GUTENBERG LICENSE -PLEASE READ THIS BEFORE YOU DISTRIBUTE OR USE THIS WORK - -To protect the Project Gutenberg-tm mission of promoting the free -distribution of electronic works, by using or distributing this work -(or any other work associated in any way with the phrase “Project -Gutenberg”), you agree to comply with all the terms of the Full Project -Gutenberg-tm License (available with this file or online at -http://gutenberg.org/license). - - -Section 1. General Terms of Use and Redistributing Project Gutenberg-tm -electronic works - -1.A. By reading or using any part of this Project Gutenberg-tm -electronic work, you indicate that you have read, understand, agree to -and accept all the terms of this license and intellectual property -(trademark/copyright) agreement. If you do not agree to abide by all -the terms of this agreement, you must cease using and return or destroy -all copies of Project Gutenberg-tm electronic works in your possession. -If you paid a fee for obtaining a copy of or access to a Project -Gutenberg-tm electronic work and you do not agree to be bound by the -terms of this agreement, you may obtain a refund from the person or -entity to whom you paid the fee as set forth in paragraph 1.E.8. - -1.B. “Project Gutenberg” is a registered trademark. It may only be -used on or associated in any way with an electronic work by people who -agree to be bound by the terms of this agreement. There are a few -things that you can do with most Project Gutenberg-tm electronic works -even without complying with the full terms of this agreement. See -paragraph 1.C below. There are a lot of things you can do with Project -Gutenberg-tm electronic works if you follow the terms of this agreement -and help preserve free future access to Project Gutenberg-tm electronic -works. See paragraph 1.E below. - -1.C. The Project Gutenberg Literary Archive Foundation (“the Foundation” - or PGLAF), owns a compilation copyright in the collection of Project -Gutenberg-tm electronic works. Nearly all the individual works in the -collection are in the public domain in the United States. If an -individual work is in the public domain in the United States and you are -located in the United States, we do not claim a right to prevent you from -copying, distributing, performing, displaying or creating derivative -works based on the work as long as all references to Project Gutenberg -are removed. Of course, we hope that you will support the Project -Gutenberg-tm mission of promoting free access to electronic works by -freely sharing Project Gutenberg-tm works in compliance with the terms of -this agreement for keeping the Project Gutenberg-tm name associated with -the work. You can easily comply with the terms of this agreement by -keeping this work in the same format with its attached full Project -Gutenberg-tm License when you share it without charge with others. - -1.D. The copyright laws of the place where you are located also govern -what you can do with this work. Copyright laws in most countries are in -a constant state of change. If you are outside the United States, check -the laws of your country in addition to the terms of this agreement -before downloading, copying, displaying, performing, distributing or -creating derivative works based on this work or any other Project -Gutenberg-tm work. The Foundation makes no representations concerning -the copyright status of any work in any country outside the United -States. - -1.E. Unless you have removed all references to Project Gutenberg: - -1.E.1. The following sentence, with active links to, or other immediate -access to, the full Project Gutenberg-tm License must appear prominently -whenever any copy of a Project Gutenberg-tm work (any work on which the -phrase “Project Gutenberg” appears, or with which the phrase “Project -Gutenberg” is associated) is accessed, displayed, performed, viewed, -copied or distributed: - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - -1.E.2. If an individual Project Gutenberg-tm electronic work is derived -from the public domain (does not contain a notice indicating that it is -posted with permission of the copyright holder), the work can be copied -and distributed to anyone in the United States without paying any fees -or charges. If you are redistributing or providing access to a work -with the phrase “Project Gutenberg” associated with or appearing on the -work, you must comply either with the requirements of paragraphs 1.E.1 -through 1.E.7 or obtain permission for the use of the work and the -Project Gutenberg-tm trademark as set forth in paragraphs 1.E.8 or -1.E.9. - -1.E.3. If an individual Project Gutenberg-tm electronic work is posted -with the permission of the copyright holder, your use and distribution -must comply with both paragraphs 1.E.1 through 1.E.7 and any additional -terms imposed by the copyright holder. Additional terms will be linked -to the Project Gutenberg-tm License for all works posted with the -permission of the copyright holder found at the beginning of this work. - -1.E.4. Do not unlink or detach or remove the full Project Gutenberg-tm -License terms from this work, or any files containing a part of this -work or any other work associated with Project Gutenberg-tm. - -1.E.5. Do not copy, display, perform, distribute or redistribute this -electronic work, or any part of this electronic work, without -prominently displaying the sentence set forth in paragraph 1.E.1 with -active links or immediate access to the full terms of the Project -Gutenberg-tm License. - -1.E.6. You may convert to and distribute this work in any binary, -compressed, marked up, nonproprietary or proprietary form, including any -word processing or hypertext form. However, if you provide access to or -distribute copies of a Project Gutenberg-tm work in a format other than -“Plain Vanilla ASCII” or other format used in the official version -posted on the official Project Gutenberg-tm web site (www.gutenberg.org), -you must, at no additional cost, fee or expense to the user, provide a -copy, a means of exporting a copy, or a means of obtaining a copy upon -request, of the work in its original “Plain Vanilla ASCII” or other -form. Any alternate format must include the full Project Gutenberg-tm -License as specified in paragraph 1.E.1. - -1.E.7. Do not charge a fee for access to, viewing, displaying, -performing, copying or distributing any Project Gutenberg-tm works -unless you comply with paragraph 1.E.8 or 1.E.9. - -1.E.8. You may charge a reasonable fee for copies of or providing -access to or distributing Project Gutenberg-tm electronic works provided -that - -- You pay a royalty fee of 20% of the gross profits you derive from - the use of Project Gutenberg-tm works calculated using the method - you already use to calculate your applicable taxes. The fee is - owed to the owner of the Project Gutenberg-tm trademark, but he - has agreed to donate royalties under this paragraph to the - Project Gutenberg Literary Archive Foundation. Royalty payments - must be paid within 60 days following each date on which you - prepare (or are legally required to prepare) your periodic tax - returns. Royalty payments should be clearly marked as such and - sent to the Project Gutenberg Literary Archive Foundation at the - address specified in Section 4, “Information about donations to - the Project Gutenberg Literary Archive Foundation.” - -- You provide a full refund of any money paid by a user who notifies - you in writing (or by e-mail) within 30 days of receipt that s/he - does not agree to the terms of the full Project Gutenberg-tm - License. You must require such a user to return or - destroy all copies of the works possessed in a physical medium - and discontinue all use of and all access to other copies of - Project Gutenberg-tm works. - -- You provide, in accordance with paragraph 1.F.3, a full refund of any - money paid for a work or a replacement copy, if a defect in the - electronic work is discovered and reported to you within 90 days - of receipt of the work. - -- You comply with all other terms of this agreement for free - distribution of Project Gutenberg-tm works. - -1.E.9. If you wish to charge a fee or distribute a Project Gutenberg-tm -electronic work or group of works on different terms than are set -forth in this agreement, you must obtain permission in writing from -both the Project Gutenberg Literary Archive Foundation and Michael -Hart, the owner of the Project Gutenberg-tm trademark. Contact the -Foundation as set forth in Section 3 below. - -1.F. - -1.F.1. Project Gutenberg volunteers and employees expend considerable -effort to identify, do copyright research on, transcribe and proofread -public domain works in creating the Project Gutenberg-tm -collection. Despite these efforts, Project Gutenberg-tm electronic -works, and the medium on which they may be stored, may contain -“Defects,” such as, but not limited to, incomplete, inaccurate or -corrupt data, transcription errors, a copyright or other intellectual -property infringement, a defective or damaged disk or other medium, a -computer virus, or computer codes that damage or cannot be read by -your equipment. - -1.F.2. LIMITED WARRANTY, DISCLAIMER OF DAMAGES - Except for the “Right -of Replacement or Refund” described in paragraph 1.F.3, the Project -Gutenberg Literary Archive Foundation, the owner of the Project -Gutenberg-tm trademark, and any other party distributing a Project -Gutenberg-tm electronic work under this agreement, disclaim all -liability to you for damages, costs and expenses, including legal -fees. YOU AGREE THAT YOU HAVE NO REMEDIES FOR NEGLIGENCE, STRICT -LIABILITY, BREACH OF WARRANTY OR BREACH OF CONTRACT EXCEPT THOSE -PROVIDED IN PARAGRAPH F3. YOU AGREE THAT THE FOUNDATION, THE -TRADEMARK OWNER, AND ANY DISTRIBUTOR UNDER THIS AGREEMENT WILL NOT BE -LIABLE TO YOU FOR ACTUAL, DIRECT, INDIRECT, CONSEQUENTIAL, PUNITIVE OR -INCIDENTAL DAMAGES EVEN IF YOU GIVE NOTICE OF THE POSSIBILITY OF SUCH -DAMAGE. - -1.F.3. LIMITED RIGHT OF REPLACEMENT OR REFUND - If you discover a -defect in this electronic work within 90 days of receiving it, you can -receive a refund of the money (if any) you paid for it by sending a -written explanation to the person you received the work from. If you -received the work on a physical medium, you must return the medium with -your written explanation. The person or entity that provided you with -the defective work may elect to provide a replacement copy in lieu of a -refund. If you received the work electronically, the person or entity -providing it to you may choose to give you a second opportunity to -receive the work electronically in lieu of a refund. If the second copy -is also defective, you may demand a refund in writing without further -opportunities to fix the problem. - -1.F.4. Except for the limited right of replacement or refund set forth -in paragraph 1.F.3, this work is provided to you 'AS-IS' WITH NO OTHER -WARRANTIES OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO -WARRANTIES OF MERCHANTIBILITY OR FITNESS FOR ANY PURPOSE. - -1.F.5. Some states do not allow disclaimers of certain implied -warranties or the exclusion or limitation of certain types of damages. -If any disclaimer or limitation set forth in this agreement violates the -law of the state applicable to this agreement, the agreement shall be -interpreted to make the maximum disclaimer or limitation permitted by -the applicable state law. The invalidity or unenforceability of any -provision of this agreement shall not void the remaining provisions. - -1.F.6. INDEMNITY - You agree to indemnify and hold the Foundation, the -trademark owner, any agent or employee of the Foundation, anyone -providing copies of Project Gutenberg-tm electronic works in accordance -with this agreement, and any volunteers associated with the production, -promotion and distribution of Project Gutenberg-tm electronic works, -harmless from all liability, costs and expenses, including legal fees, -that arise directly or indirectly from any of the following which you do -or cause to occur: (a) distribution of this or any Project Gutenberg-tm -work, (b) alteration, modification, or additions or deletions to any -Project Gutenberg-tm work, and (c) any Defect you cause. - - -Section 2. Information about the Mission of Project Gutenberg-tm - -Project Gutenberg-tm is synonymous with the free distribution of -electronic works in formats readable by the widest variety of computers -including obsolete, old, middle-aged and new computers. It exists -because of the efforts of hundreds of volunteers and donations from -people in all walks of life. - -Volunteers and financial support to provide volunteers with the -assistance they need, are critical to reaching Project Gutenberg-tm's -goals and ensuring that the Project Gutenberg-tm collection will -remain freely available for generations to come. In 2001, the Project -Gutenberg Literary Archive Foundation was created to provide a secure -and permanent future for Project Gutenberg-tm and future generations. -To learn more about the Project Gutenberg Literary Archive Foundation -and how your efforts and donations can help, see Sections 3 and 4 -and the Foundation web page at http://www.pglaf.org. - - -Section 3. Information about the Project Gutenberg Literary Archive -Foundation - -The Project Gutenberg Literary Archive Foundation is a non profit -501(c)(3) educational corporation organized under the laws of the -state of Mississippi and granted tax exempt status by the Internal -Revenue Service. The Foundation's EIN or federal tax identification -number is 64-6221541. Its 501(c)(3) letter is posted at -http://pglaf.org/fundraising. Contributions to the Project Gutenberg -Literary Archive Foundation are tax deductible to the full extent -permitted by U.S. federal laws and your state's laws. - -The Foundation's principal office is located at 4557 Melan Dr. S. -Fairbanks, AK, 99712., but its volunteers and employees are scattered -throughout numerous locations. Its business office is located at -809 North 1500 West, Salt Lake City, UT 84116, (801) 596-1887, email -business@pglaf.org. Email contact links and up to date contact -information can be found at the Foundation's web site and official -page at http://pglaf.org - -For additional contact information: - Dr. Gregory B. Newby - Chief Executive and Director - gbnewby@pglaf.org - - -Section 4. Information about Donations to the Project Gutenberg -Literary Archive Foundation - -Project Gutenberg-tm depends upon and cannot survive without wide -spread public support and donations to carry out its mission of -increasing the number of public domain and licensed works that can be -freely distributed in machine readable form accessible by the widest -array of equipment including outdated equipment. Many small donations -($1 to $5,000) are particularly important to maintaining tax exempt -status with the IRS. - -The Foundation is committed to complying with the laws regulating -charities and charitable donations in all 50 states of the United -States. Compliance requirements are not uniform and it takes a -considerable effort, much paperwork and many fees to meet and keep up -with these requirements. We do not solicit donations in locations -where we have not received written confirmation of compliance. To -SEND DONATIONS or determine the status of compliance for any -particular state visit http://pglaf.org - -While we cannot and do not solicit contributions from states where we -have not met the solicitation requirements, we know of no prohibition -against accepting unsolicited donations from donors in such states who -approach us with offers to donate. - -International donations are gratefully accepted, but we cannot make -any statements concerning tax treatment of donations received from -outside the United States. U.S. laws alone swamp our small staff. - -Please check the Project Gutenberg Web pages for current donation -methods and addresses. Donations are accepted in a number of other -ways including checks, online payments and credit card donations. -To donate, please visit: http://pglaf.org/donate - - -Section 5. General Information About Project Gutenberg-tm electronic -works. - -Professor Michael S. Hart is the originator of the Project Gutenberg-tm -concept of a library of electronic works that could be freely shared -with anyone. For thirty years, he produced and distributed Project -Gutenberg-tm eBooks with only a loose network of volunteer support. - - -Project Gutenberg-tm eBooks are often created from several printed -editions, all of which are confirmed as Public Domain in the U.S. -unless a copyright notice is included. Thus, we do not necessarily -keep eBooks in compliance with any particular paper edition. - - -Most people start at our Web site which has the main PG search facility: - - http://www.gutenberg.org - -This Web site includes information about Project Gutenberg-tm, -including how to make donations to the Project Gutenberg Literary -Archive Foundation, how to help produce our new eBooks, and how to -subscribe to our email newsletter to hear about new eBooks. diff --git a/DataStructureNotes/mix.txt b/DataStructureNotes/mix.txt deleted file mode 100644 index fe58238..0000000 --- a/DataStructureNotes/mix.txt +++ /dev/null @@ -1,143606 +0,0 @@ -The Project Gutenberg EBook of A Tale of Two Cities, by Charles Dickens - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - - -Title: A Tale of Two Cities - A Story of the French Revolution - -Author: Charles Dickens - -Release Date: January, 1994 [EBook #98] -Posting Date: November 28, 2009 -Last Updated: March 4, 2018 - -Language: English - -Character set encoding: UTF-8 - -*** START OF THIS PROJECT GUTENBERG EBOOK A TALE OF TWO CITIES *** - - - - -Produced by Judith Boss - - - - - - - - -A TALE OF TWO CITIES - -A STORY OF THE FRENCH REVOLUTION - -By Charles Dickens - - -CONTENTS - - - Book the First--Recalled to Life - - Chapter I The Period - Chapter II The Mail - Chapter III The Night Shadows - Chapter IV The Preparation - Chapter V The Wine-shop - Chapter VI The Shoemaker - - - Book the Second--the Golden Thread - - Chapter I Five Years Later - Chapter II A Sight - Chapter III A Disappointment - Chapter IV Congratulatory - Chapter V The Jackal - Chapter VI Hundreds of People - Chapter VII Monseigneur in Town - Chapter VIII Monseigneur in the Country - Chapter IX The Gorgon's Head - Chapter X Two Promises - Chapter XI A Companion Picture - Chapter XII The Fellow of Delicacy - Chapter XIII The Fellow of no Delicacy - Chapter XIV The Honest Tradesman - Chapter XV Knitting - Chapter XVI Still Knitting - Chapter XVII One Night - Chapter XVIII Nine Days - Chapter XIX An Opinion - Chapter XX A Plea - Chapter XXI Echoing Footsteps - Chapter XXII The Sea Still Rises - Chapter XXIII Fire Rises - Chapter XXIV Drawn to the Loadstone Rock - - - Book the Third--the Track of a Storm - - Chapter I In Secret - Chapter II The Grindstone - Chapter III The Shadow - Chapter IV Calm in Storm - Chapter V The Wood-sawyer - Chapter VI Triumph - Chapter VII A Knock at the Door - Chapter VIII A Hand at Cards - Chapter IX The Game Made - Chapter X The Substance of the Shadow - Chapter XI Dusk - Chapter XII Darkness - Chapter XIII Fifty-two - Chapter XIV The Knitting Done - Chapter XV The Footsteps Die Out For Ever - - - - - -Book the First--Recalled to Life - - - - -I. The Period - - -It was the best of times, -it was the worst of times, -it was the age of wisdom, -it was the age of foolishness, -it was the epoch of belief, -it was the epoch of incredulity, -it was the season of Light, -it was the season of Darkness, -it was the spring of hope, -it was the winter of despair, -we had everything before us, -we had nothing before us, -we were all going direct to Heaven, -we were all going direct the other way-- -in short, the period was so far like the present period, that some of -its noisiest authorities insisted on its being received, for good or for -evil, in the superlative degree of comparison only. - -There were a king with a large jaw and a queen with a plain face, on the -throne of England; there were a king with a large jaw and a queen with -a fair face, on the throne of France. In both countries it was clearer -than crystal to the lords of the State preserves of loaves and fishes, -that things in general were settled for ever. - -It was the year of Our Lord one thousand seven hundred and seventy-five. -Spiritual revelations were conceded to England at that favoured period, -as at this. Mrs. Southcott had recently attained her five-and-twentieth -blessed birthday, of whom a prophetic private in the Life Guards had -heralded the sublime appearance by announcing that arrangements were -made for the swallowing up of London and Westminster. Even the Cock-lane -ghost had been laid only a round dozen of years, after rapping out its -messages, as the spirits of this very year last past (supernaturally -deficient in originality) rapped out theirs. Mere messages in the -earthly order of events had lately come to the English Crown and People, -from a congress of British subjects in America: which, strange -to relate, have proved more important to the human race than any -communications yet received through any of the chickens of the Cock-lane -brood. - -France, less favoured on the whole as to matters spiritual than her -sister of the shield and trident, rolled with exceeding smoothness down -hill, making paper money and spending it. Under the guidance of her -Christian pastors, she entertained herself, besides, with such humane -achievements as sentencing a youth to have his hands cut off, his tongue -torn out with pincers, and his body burned alive, because he had not -kneeled down in the rain to do honour to a dirty procession of monks -which passed within his view, at a distance of some fifty or sixty -yards. It is likely enough that, rooted in the woods of France and -Norway, there were growing trees, when that sufferer was put to death, -already marked by the Woodman, Fate, to come down and be sawn into -boards, to make a certain movable framework with a sack and a knife in -it, terrible in history. It is likely enough that in the rough outhouses -of some tillers of the heavy lands adjacent to Paris, there were -sheltered from the weather that very day, rude carts, bespattered with -rustic mire, snuffed about by pigs, and roosted in by poultry, which -the Farmer, Death, had already set apart to be his tumbrils of -the Revolution. But that Woodman and that Farmer, though they work -unceasingly, work silently, and no one heard them as they went about -with muffled tread: the rather, forasmuch as to entertain any suspicion -that they were awake, was to be atheistical and traitorous. - -In England, there was scarcely an amount of order and protection to -justify much national boasting. Daring burglaries by armed men, and -highway robberies, took place in the capital itself every night; -families were publicly cautioned not to go out of town without removing -their furniture to upholsterers' warehouses for security; the highwayman -in the dark was a City tradesman in the light, and, being recognised and -challenged by his fellow-tradesman whom he stopped in his character of -“the Captain,” gallantly shot him through the head and rode away; the -mail was waylaid by seven robbers, and the guard shot three dead, and -then got shot dead himself by the other four, “in consequence of the -failure of his ammunition:” after which the mail was robbed in peace; -that magnificent potentate, the Lord Mayor of London, was made to stand -and deliver on Turnham Green, by one highwayman, who despoiled the -illustrious creature in sight of all his retinue; prisoners in London -gaols fought battles with their turnkeys, and the majesty of the law -fired blunderbusses in among them, loaded with rounds of shot and ball; -thieves snipped off diamond crosses from the necks of noble lords at -Court drawing-rooms; musketeers went into St. Giles's, to search -for contraband goods, and the mob fired on the musketeers, and the -musketeers fired on the mob, and nobody thought any of these occurrences -much out of the common way. In the midst of them, the hangman, ever busy -and ever worse than useless, was in constant requisition; now, stringing -up long rows of miscellaneous criminals; now, hanging a housebreaker on -Saturday who had been taken on Tuesday; now, burning people in the -hand at Newgate by the dozen, and now burning pamphlets at the door of -Westminster Hall; to-day, taking the life of an atrocious murderer, -and to-morrow of a wretched pilferer who had robbed a farmer's boy of -sixpence. - -All these things, and a thousand like them, came to pass in and close -upon the dear old year one thousand seven hundred and seventy-five. -Environed by them, while the Woodman and the Farmer worked unheeded, -those two of the large jaws, and those other two of the plain and the -fair faces, trod with stir enough, and carried their divine rights -with a high hand. Thus did the year one thousand seven hundred -and seventy-five conduct their Greatnesses, and myriads of small -creatures--the creatures of this chronicle among the rest--along the -roads that lay before them. - - - - -II. The Mail - - -It was the Dover road that lay, on a Friday night late in November, -before the first of the persons with whom this history has business. -The Dover road lay, as to him, beyond the Dover mail, as it lumbered up -Shooter's Hill. He walked up hill in the mire by the side of the mail, -as the rest of the passengers did; not because they had the least relish -for walking exercise, under the circumstances, but because the hill, -and the harness, and the mud, and the mail, were all so heavy, that the -horses had three times already come to a stop, besides once drawing the -coach across the road, with the mutinous intent of taking it back -to Blackheath. Reins and whip and coachman and guard, however, in -combination, had read that article of war which forbade a purpose -otherwise strongly in favour of the argument, that some brute animals -are endued with Reason; and the team had capitulated and returned to -their duty. - -With drooping heads and tremulous tails, they mashed their way through -the thick mud, floundering and stumbling between whiles, as if they were -falling to pieces at the larger joints. As often as the driver rested -them and brought them to a stand, with a wary “Wo-ho! so-ho-then!” the -near leader violently shook his head and everything upon it--like an -unusually emphatic horse, denying that the coach could be got up the -hill. Whenever the leader made this rattle, the passenger started, as a -nervous passenger might, and was disturbed in mind. - -There was a steaming mist in all the hollows, and it had roamed in its -forlornness up the hill, like an evil spirit, seeking rest and finding -none. A clammy and intensely cold mist, it made its slow way through the -air in ripples that visibly followed and overspread one another, as the -waves of an unwholesome sea might do. It was dense enough to shut out -everything from the light of the coach-lamps but these its own workings, -and a few yards of road; and the reek of the labouring horses steamed -into it, as if they had made it all. - -Two other passengers, besides the one, were plodding up the hill by the -side of the mail. All three were wrapped to the cheekbones and over the -ears, and wore jack-boots. Not one of the three could have said, from -anything he saw, what either of the other two was like; and each was -hidden under almost as many wrappers from the eyes of the mind, as from -the eyes of the body, of his two companions. In those days, travellers -were very shy of being confidential on a short notice, for anybody on -the road might be a robber or in league with robbers. As to the latter, -when every posting-house and ale-house could produce somebody in -“the Captain's” pay, ranging from the landlord to the lowest stable -non-descript, it was the likeliest thing upon the cards. So the guard -of the Dover mail thought to himself, that Friday night in November, one -thousand seven hundred and seventy-five, lumbering up Shooter's Hill, as -he stood on his own particular perch behind the mail, beating his feet, -and keeping an eye and a hand on the arm-chest before him, where a -loaded blunderbuss lay at the top of six or eight loaded horse-pistols, -deposited on a substratum of cutlass. - -The Dover mail was in its usual genial position that the guard suspected -the passengers, the passengers suspected one another and the guard, they -all suspected everybody else, and the coachman was sure of nothing but -the horses; as to which cattle he could with a clear conscience have -taken his oath on the two Testaments that they were not fit for the -journey. - -“Wo-ho!” said the coachman. “So, then! One more pull and you're at the -top and be damned to you, for I have had trouble enough to get you to -it!--Joe!” - -“Halloa!” the guard replied. - -“What o'clock do you make it, Joe?” - -“Ten minutes, good, past eleven.” - -“My blood!” ejaculated the vexed coachman, “and not atop of Shooter's -yet! Tst! Yah! Get on with you!” - -The emphatic horse, cut short by the whip in a most decided negative, -made a decided scramble for it, and the three other horses followed -suit. Once more, the Dover mail struggled on, with the jack-boots of its -passengers squashing along by its side. They had stopped when the coach -stopped, and they kept close company with it. If any one of the three -had had the hardihood to propose to another to walk on a little ahead -into the mist and darkness, he would have put himself in a fair way of -getting shot instantly as a highwayman. - -The last burst carried the mail to the summit of the hill. The horses -stopped to breathe again, and the guard got down to skid the wheel for -the descent, and open the coach-door to let the passengers in. - -“Tst! Joe!” cried the coachman in a warning voice, looking down from his -box. - -“What do you say, Tom?” - -They both listened. - -“I say a horse at a canter coming up, Joe.” - -“_I_ say a horse at a gallop, Tom,” returned the guard, leaving his hold -of the door, and mounting nimbly to his place. “Gentlemen! In the king's -name, all of you!” - -With this hurried adjuration, he cocked his blunderbuss, and stood on -the offensive. - -The passenger booked by this history, was on the coach-step, getting in; -the two other passengers were close behind him, and about to follow. He -remained on the step, half in the coach and half out of; they remained -in the road below him. They all looked from the coachman to the guard, -and from the guard to the coachman, and listened. The coachman looked -back and the guard looked back, and even the emphatic leader pricked up -his ears and looked back, without contradicting. - -The stillness consequent on the cessation of the rumbling and labouring -of the coach, added to the stillness of the night, made it very quiet -indeed. The panting of the horses communicated a tremulous motion to -the coach, as if it were in a state of agitation. The hearts of the -passengers beat loud enough perhaps to be heard; but at any rate, the -quiet pause was audibly expressive of people out of breath, and holding -the breath, and having the pulses quickened by expectation. - -The sound of a horse at a gallop came fast and furiously up the hill. - -“So-ho!” the guard sang out, as loud as he could roar. “Yo there! Stand! -I shall fire!” - -The pace was suddenly checked, and, with much splashing and floundering, -a man's voice called from the mist, “Is that the Dover mail?” - -“Never you mind what it is!” the guard retorted. “What are you?” - -“_Is_ that the Dover mail?” - -“Why do you want to know?” - -“I want a passenger, if it is.” - -“What passenger?” - -“Mr. Jarvis Lorry.” - -Our booked passenger showed in a moment that it was his name. The guard, -the coachman, and the two other passengers eyed him distrustfully. - -“Keep where you are,” the guard called to the voice in the mist, -“because, if I should make a mistake, it could never be set right in -your lifetime. Gentleman of the name of Lorry answer straight.” - -“What is the matter?” asked the passenger, then, with mildly quavering -speech. “Who wants me? Is it Jerry?” - -(“I don't like Jerry's voice, if it is Jerry,” growled the guard to -himself. “He's hoarser than suits me, is Jerry.”) - -“Yes, Mr. Lorry.” - -“What is the matter?” - -“A despatch sent after you from over yonder. T. and Co.” - -“I know this messenger, guard,” said Mr. Lorry, getting down into the -road--assisted from behind more swiftly than politely by the other two -passengers, who immediately scrambled into the coach, shut the door, and -pulled up the window. “He may come close; there's nothing wrong.” - -“I hope there ain't, but I can't make so 'Nation sure of that,” said the -guard, in gruff soliloquy. “Hallo you!” - -“Well! And hallo you!” said Jerry, more hoarsely than before. - -“Come on at a footpace! d'ye mind me? And if you've got holsters to that -saddle o' yourn, don't let me see your hand go nigh 'em. For I'm a devil -at a quick mistake, and when I make one it takes the form of Lead. So -now let's look at you.” - -The figures of a horse and rider came slowly through the eddying mist, -and came to the side of the mail, where the passenger stood. The rider -stooped, and, casting up his eyes at the guard, handed the passenger -a small folded paper. The rider's horse was blown, and both horse and -rider were covered with mud, from the hoofs of the horse to the hat of -the man. - -“Guard!” said the passenger, in a tone of quiet business confidence. - -The watchful guard, with his right hand at the stock of his raised -blunderbuss, his left at the barrel, and his eye on the horseman, -answered curtly, “Sir.” - -“There is nothing to apprehend. I belong to Tellson's Bank. You must -know Tellson's Bank in London. I am going to Paris on business. A crown -to drink. I may read this?” - -“If so be as you're quick, sir.” - -He opened it in the light of the coach-lamp on that side, and -read--first to himself and then aloud: “'Wait at Dover for Mam'selle.' -It's not long, you see, guard. Jerry, say that my answer was, RECALLED -TO LIFE.” - -Jerry started in his saddle. “That's a Blazing strange answer, too,” - said he, at his hoarsest. - -“Take that message back, and they will know that I received this, as -well as if I wrote. Make the best of your way. Good night.” - -With those words the passenger opened the coach-door and got in; not at -all assisted by his fellow-passengers, who had expeditiously secreted -their watches and purses in their boots, and were now making a general -pretence of being asleep. With no more definite purpose than to escape -the hazard of originating any other kind of action. - -The coach lumbered on again, with heavier wreaths of mist closing round -it as it began the descent. The guard soon replaced his blunderbuss -in his arm-chest, and, having looked to the rest of its contents, and -having looked to the supplementary pistols that he wore in his belt, -looked to a smaller chest beneath his seat, in which there were a -few smith's tools, a couple of torches, and a tinder-box. For he was -furnished with that completeness that if the coach-lamps had been blown -and stormed out, which did occasionally happen, he had only to shut -himself up inside, keep the flint and steel sparks well off the straw, -and get a light with tolerable safety and ease (if he were lucky) in -five minutes. - -“Tom!” softly over the coach roof. - -“Hallo, Joe.” - -“Did you hear the message?” - -“I did, Joe.” - -“What did you make of it, Tom?” - -“Nothing at all, Joe.” - -“That's a coincidence, too,” the guard mused, “for I made the same of it -myself.” - -Jerry, left alone in the mist and darkness, dismounted meanwhile, not -only to ease his spent horse, but to wipe the mud from his face, and -shake the wet out of his hat-brim, which might be capable of -holding about half a gallon. After standing with the bridle over his -heavily-splashed arm, until the wheels of the mail were no longer within -hearing and the night was quite still again, he turned to walk down the -hill. - -“After that there gallop from Temple Bar, old lady, I won't trust your -fore-legs till I get you on the level,” said this hoarse messenger, -glancing at his mare. “'Recalled to life.' That's a Blazing strange -message. Much of that wouldn't do for you, Jerry! I say, Jerry! You'd -be in a Blazing bad way, if recalling to life was to come into fashion, -Jerry!” - - - - -III. The Night Shadows - - -A wonderful fact to reflect upon, that every human creature is -constituted to be that profound secret and mystery to every other. A -solemn consideration, when I enter a great city by night, that every -one of those darkly clustered houses encloses its own secret; that every -room in every one of them encloses its own secret; that every beating -heart in the hundreds of thousands of breasts there, is, in some of -its imaginings, a secret to the heart nearest it! Something of the -awfulness, even of Death itself, is referable to this. No more can I -turn the leaves of this dear book that I loved, and vainly hope in time -to read it all. No more can I look into the depths of this unfathomable -water, wherein, as momentary lights glanced into it, I have had glimpses -of buried treasure and other things submerged. It was appointed that the -book should shut with a spring, for ever and for ever, when I had read -but a page. It was appointed that the water should be locked in an -eternal frost, when the light was playing on its surface, and I stood -in ignorance on the shore. My friend is dead, my neighbour is dead, -my love, the darling of my soul, is dead; it is the inexorable -consolidation and perpetuation of the secret that was always in that -individuality, and which I shall carry in mine to my life's end. In -any of the burial-places of this city through which I pass, is there -a sleeper more inscrutable than its busy inhabitants are, in their -innermost personality, to me, or than I am to them? - -As to this, his natural and not to be alienated inheritance, the -messenger on horseback had exactly the same possessions as the King, the -first Minister of State, or the richest merchant in London. So with the -three passengers shut up in the narrow compass of one lumbering old mail -coach; they were mysteries to one another, as complete as if each had -been in his own coach and six, or his own coach and sixty, with the -breadth of a county between him and the next. - -The messenger rode back at an easy trot, stopping pretty often at -ale-houses by the way to drink, but evincing a tendency to keep his -own counsel, and to keep his hat cocked over his eyes. He had eyes that -assorted very well with that decoration, being of a surface black, with -no depth in the colour or form, and much too near together--as if they -were afraid of being found out in something, singly, if they kept too -far apart. They had a sinister expression, under an old cocked-hat like -a three-cornered spittoon, and over a great muffler for the chin and -throat, which descended nearly to the wearer's knees. When he stopped -for drink, he moved this muffler with his left hand, only while he -poured his liquor in with his right; as soon as that was done, he -muffled again. - -“No, Jerry, no!” said the messenger, harping on one theme as he rode. -“It wouldn't do for you, Jerry. Jerry, you honest tradesman, it wouldn't -suit _your_ line of business! Recalled--! Bust me if I don't think he'd -been a drinking!” - -His message perplexed his mind to that degree that he was fain, several -times, to take off his hat to scratch his head. Except on the crown, -which was raggedly bald, he had stiff, black hair, standing jaggedly all -over it, and growing down hill almost to his broad, blunt nose. It was -so like Smith's work, so much more like the top of a strongly spiked -wall than a head of hair, that the best of players at leap-frog might -have declined him, as the most dangerous man in the world to go over. - -While he trotted back with the message he was to deliver to the night -watchman in his box at the door of Tellson's Bank, by Temple Bar, who -was to deliver it to greater authorities within, the shadows of the -night took such shapes to him as arose out of the message, and took such -shapes to the mare as arose out of _her_ private topics of uneasiness. -They seemed to be numerous, for she shied at every shadow on the road. - -What time, the mail-coach lumbered, jolted, rattled, and bumped upon -its tedious way, with its three fellow-inscrutables inside. To whom, -likewise, the shadows of the night revealed themselves, in the forms -their dozing eyes and wandering thoughts suggested. - -Tellson's Bank had a run upon it in the mail. As the bank -passenger--with an arm drawn through the leathern strap, which did what -lay in it to keep him from pounding against the next passenger, -and driving him into his corner, whenever the coach got a special -jolt--nodded in his place, with half-shut eyes, the little -coach-windows, and the coach-lamp dimly gleaming through them, and the -bulky bundle of opposite passenger, became the bank, and did a great -stroke of business. The rattle of the harness was the chink of money, -and more drafts were honoured in five minutes than even Tellson's, with -all its foreign and home connection, ever paid in thrice the time. Then -the strong-rooms underground, at Tellson's, with such of their valuable -stores and secrets as were known to the passenger (and it was not a -little that he knew about them), opened before him, and he went in among -them with the great keys and the feebly-burning candle, and found them -safe, and strong, and sound, and still, just as he had last seen them. - -But, though the bank was almost always with him, and though the coach -(in a confused way, like the presence of pain under an opiate) was -always with him, there was another current of impression that never -ceased to run, all through the night. He was on his way to dig some one -out of a grave. - -Now, which of the multitude of faces that showed themselves before him -was the true face of the buried person, the shadows of the night did -not indicate; but they were all the faces of a man of five-and-forty by -years, and they differed principally in the passions they expressed, -and in the ghastliness of their worn and wasted state. Pride, contempt, -defiance, stubbornness, submission, lamentation, succeeded one another; -so did varieties of sunken cheek, cadaverous colour, emaciated hands -and figures. But the face was in the main one face, and every head was -prematurely white. A hundred times the dozing passenger inquired of this -spectre: - -“Buried how long?” - -The answer was always the same: “Almost eighteen years.” - -“You had abandoned all hope of being dug out?” - -“Long ago.” - -“You know that you are recalled to life?” - -“They tell me so.” - -“I hope you care to live?” - -“I can't say.” - -“Shall I show her to you? Will you come and see her?” - -The answers to this question were various and contradictory. Sometimes -the broken reply was, “Wait! It would kill me if I saw her too soon.” - Sometimes, it was given in a tender rain of tears, and then it was, -“Take me to her.” Sometimes it was staring and bewildered, and then it -was, “I don't know her. I don't understand.” - -After such imaginary discourse, the passenger in his fancy would dig, -and dig, dig--now with a spade, now with a great key, now with his -hands--to dig this wretched creature out. Got out at last, with earth -hanging about his face and hair, he would suddenly fan away to dust. The -passenger would then start to himself, and lower the window, to get the -reality of mist and rain on his cheek. - -Yet even when his eyes were opened on the mist and rain, on the moving -patch of light from the lamps, and the hedge at the roadside retreating -by jerks, the night shadows outside the coach would fall into the train -of the night shadows within. The real Banking-house by Temple Bar, the -real business of the past day, the real strong rooms, the real express -sent after him, and the real message returned, would all be there. Out -of the midst of them, the ghostly face would rise, and he would accost -it again. - -“Buried how long?” - -“Almost eighteen years.” - -“I hope you care to live?” - -“I can't say.” - -Dig--dig--dig--until an impatient movement from one of the two -passengers would admonish him to pull up the window, draw his arm -securely through the leathern strap, and speculate upon the two -slumbering forms, until his mind lost its hold of them, and they again -slid away into the bank and the grave. - -“Buried how long?” - -“Almost eighteen years.” - -“You had abandoned all hope of being dug out?” - -“Long ago.” - -The words were still in his hearing as just spoken--distinctly in -his hearing as ever spoken words had been in his life--when the weary -passenger started to the consciousness of daylight, and found that the -shadows of the night were gone. - -He lowered the window, and looked out at the rising sun. There was a -ridge of ploughed land, with a plough upon it where it had been left -last night when the horses were unyoked; beyond, a quiet coppice-wood, -in which many leaves of burning red and golden yellow still remained -upon the trees. Though the earth was cold and wet, the sky was clear, -and the sun rose bright, placid, and beautiful. - -“Eighteen years!” said the passenger, looking at the sun. “Gracious -Creator of day! To be buried alive for eighteen years!” - - - - -IV. The Preparation - - -When the mail got successfully to Dover, in the course of the forenoon, -the head drawer at the Royal George Hotel opened the coach-door as his -custom was. He did it with some flourish of ceremony, for a mail journey -from London in winter was an achievement to congratulate an adventurous -traveller upon. - -By that time, there was only one adventurous traveller left be -congratulated: for the two others had been set down at their respective -roadside destinations. The mildewy inside of the coach, with its damp -and dirty straw, its disagreeable smell, and its obscurity, was rather -like a larger dog-kennel. Mr. Lorry, the passenger, shaking himself out -of it in chains of straw, a tangle of shaggy wrapper, flapping hat, and -muddy legs, was rather like a larger sort of dog. - -“There will be a packet to Calais, tomorrow, drawer?” - -“Yes, sir, if the weather holds and the wind sets tolerable fair. The -tide will serve pretty nicely at about two in the afternoon, sir. Bed, -sir?” - -“I shall not go to bed till night; but I want a bedroom, and a barber.” - -“And then breakfast, sir? Yes, sir. That way, sir, if you please. -Show Concord! Gentleman's valise and hot water to Concord. Pull off -gentleman's boots in Concord. (You will find a fine sea-coal fire, sir.) -Fetch barber to Concord. Stir about there, now, for Concord!” - -The Concord bed-chamber being always assigned to a passenger by the -mail, and passengers by the mail being always heavily wrapped up from -head to foot, the room had the odd interest for the establishment of the -Royal George, that although but one kind of man was seen to go into it, -all kinds and varieties of men came out of it. Consequently, another -drawer, and two porters, and several maids and the landlady, were all -loitering by accident at various points of the road between the Concord -and the coffee-room, when a gentleman of sixty, formally dressed in a -brown suit of clothes, pretty well worn, but very well kept, with large -square cuffs and large flaps to the pockets, passed along on his way to -his breakfast. - -The coffee-room had no other occupant, that forenoon, than the gentleman -in brown. His breakfast-table was drawn before the fire, and as he sat, -with its light shining on him, waiting for the meal, he sat so still, -that he might have been sitting for his portrait. - -Very orderly and methodical he looked, with a hand on each knee, and a -loud watch ticking a sonorous sermon under his flapped waist-coat, -as though it pitted its gravity and longevity against the levity and -evanescence of the brisk fire. He had a good leg, and was a little vain -of it, for his brown stockings fitted sleek and close, and were of a -fine texture; his shoes and buckles, too, though plain, were trim. He -wore an odd little sleek crisp flaxen wig, setting very close to his -head: which wig, it is to be presumed, was made of hair, but which -looked far more as though it were spun from filaments of silk or glass. -His linen, though not of a fineness in accordance with his stockings, -was as white as the tops of the waves that broke upon the neighbouring -beach, or the specks of sail that glinted in the sunlight far at sea. A -face habitually suppressed and quieted, was still lighted up under the -quaint wig by a pair of moist bright eyes that it must have cost -their owner, in years gone by, some pains to drill to the composed and -reserved expression of Tellson's Bank. He had a healthy colour in his -cheeks, and his face, though lined, bore few traces of anxiety. -But, perhaps the confidential bachelor clerks in Tellson's Bank were -principally occupied with the cares of other people; and perhaps -second-hand cares, like second-hand clothes, come easily off and on. - -Completing his resemblance to a man who was sitting for his portrait, -Mr. Lorry dropped off to sleep. The arrival of his breakfast roused him, -and he said to the drawer, as he moved his chair to it: - -“I wish accommodation prepared for a young lady who may come here at any -time to-day. She may ask for Mr. Jarvis Lorry, or she may only ask for a -gentleman from Tellson's Bank. Please to let me know.” - -“Yes, sir. Tellson's Bank in London, sir?” - -“Yes.” - -“Yes, sir. We have oftentimes the honour to entertain your gentlemen in -their travelling backwards and forwards betwixt London and Paris, sir. A -vast deal of travelling, sir, in Tellson and Company's House.” - -“Yes. We are quite a French House, as well as an English one.” - -“Yes, sir. Not much in the habit of such travelling yourself, I think, -sir?” - -“Not of late years. It is fifteen years since we--since I--came last -from France.” - -“Indeed, sir? That was before my time here, sir. Before our people's -time here, sir. The George was in other hands at that time, sir.” - -“I believe so.” - -“But I would hold a pretty wager, sir, that a House like Tellson and -Company was flourishing, a matter of fifty, not to speak of fifteen -years ago?” - -“You might treble that, and say a hundred and fifty, yet not be far from -the truth.” - -“Indeed, sir!” - -Rounding his mouth and both his eyes, as he stepped backward from the -table, the waiter shifted his napkin from his right arm to his left, -dropped into a comfortable attitude, and stood surveying the guest while -he ate and drank, as from an observatory or watchtower. According to the -immemorial usage of waiters in all ages. - -When Mr. Lorry had finished his breakfast, he went out for a stroll on -the beach. The little narrow, crooked town of Dover hid itself away -from the beach, and ran its head into the chalk cliffs, like a marine -ostrich. The beach was a desert of heaps of sea and stones tumbling -wildly about, and the sea did what it liked, and what it liked was -destruction. It thundered at the town, and thundered at the cliffs, and -brought the coast down, madly. The air among the houses was of so strong -a piscatory flavour that one might have supposed sick fish went up to be -dipped in it, as sick people went down to be dipped in the sea. A little -fishing was done in the port, and a quantity of strolling about by -night, and looking seaward: particularly at those times when the tide -made, and was near flood. Small tradesmen, who did no business whatever, -sometimes unaccountably realised large fortunes, and it was remarkable -that nobody in the neighbourhood could endure a lamplighter. - -As the day declined into the afternoon, and the air, which had been -at intervals clear enough to allow the French coast to be seen, became -again charged with mist and vapour, Mr. Lorry's thoughts seemed to cloud -too. When it was dark, and he sat before the coffee-room fire, awaiting -his dinner as he had awaited his breakfast, his mind was busily digging, -digging, digging, in the live red coals. - -A bottle of good claret after dinner does a digger in the red coals no -harm, otherwise than as it has a tendency to throw him out of work. -Mr. Lorry had been idle a long time, and had just poured out his last -glassful of wine with as complete an appearance of satisfaction as is -ever to be found in an elderly gentleman of a fresh complexion who has -got to the end of a bottle, when a rattling of wheels came up the narrow -street, and rumbled into the inn-yard. - -He set down his glass untouched. “This is Mam'selle!” said he. - -In a very few minutes the waiter came in to announce that Miss Manette -had arrived from London, and would be happy to see the gentleman from -Tellson's. - -“So soon?” - -Miss Manette had taken some refreshment on the road, and required none -then, and was extremely anxious to see the gentleman from Tellson's -immediately, if it suited his pleasure and convenience. - -The gentleman from Tellson's had nothing left for it but to empty his -glass with an air of stolid desperation, settle his odd little flaxen -wig at the ears, and follow the waiter to Miss Manette's apartment. -It was a large, dark room, furnished in a funereal manner with black -horsehair, and loaded with heavy dark tables. These had been oiled and -oiled, until the two tall candles on the table in the middle of the room -were gloomily reflected on every leaf; as if _they_ were buried, in deep -graves of black mahogany, and no light to speak of could be expected -from them until they were dug out. - -The obscurity was so difficult to penetrate that Mr. Lorry, picking his -way over the well-worn Turkey carpet, supposed Miss Manette to be, for -the moment, in some adjacent room, until, having got past the two tall -candles, he saw standing to receive him by the table between them and -the fire, a young lady of not more than seventeen, in a riding-cloak, -and still holding her straw travelling-hat by its ribbon in her hand. As -his eyes rested on a short, slight, pretty figure, a quantity of golden -hair, a pair of blue eyes that met his own with an inquiring look, and -a forehead with a singular capacity (remembering how young and smooth -it was), of rifting and knitting itself into an expression that was -not quite one of perplexity, or wonder, or alarm, or merely of a bright -fixed attention, though it included all the four expressions--as his -eyes rested on these things, a sudden vivid likeness passed before him, -of a child whom he had held in his arms on the passage across that very -Channel, one cold time, when the hail drifted heavily and the sea ran -high. The likeness passed away, like a breath along the surface of -the gaunt pier-glass behind her, on the frame of which, a hospital -procession of negro cupids, several headless and all cripples, were -offering black baskets of Dead Sea fruit to black divinities of the -feminine gender--and he made his formal bow to Miss Manette. - -“Pray take a seat, sir.” In a very clear and pleasant young voice; a -little foreign in its accent, but a very little indeed. - -“I kiss your hand, miss,” said Mr. Lorry, with the manners of an earlier -date, as he made his formal bow again, and took his seat. - -“I received a letter from the Bank, sir, yesterday, informing me that -some intelligence--or discovery--” - -“The word is not material, miss; either word will do.” - -“--respecting the small property of my poor father, whom I never saw--so -long dead--” - -Mr. Lorry moved in his chair, and cast a troubled look towards the -hospital procession of negro cupids. As if _they_ had any help for -anybody in their absurd baskets! - -“--rendered it necessary that I should go to Paris, there to communicate -with a gentleman of the Bank, so good as to be despatched to Paris for -the purpose.” - -“Myself.” - -“As I was prepared to hear, sir.” - -She curtseyed to him (young ladies made curtseys in those days), with a -pretty desire to convey to him that she felt how much older and wiser he -was than she. He made her another bow. - -“I replied to the Bank, sir, that as it was considered necessary, by -those who know, and who are so kind as to advise me, that I should go to -France, and that as I am an orphan and have no friend who could go with -me, I should esteem it highly if I might be permitted to place myself, -during the journey, under that worthy gentleman's protection. The -gentleman had left London, but I think a messenger was sent after him to -beg the favour of his waiting for me here.” - -“I was happy,” said Mr. Lorry, “to be entrusted with the charge. I shall -be more happy to execute it.” - -“Sir, I thank you indeed. I thank you very gratefully. It was told me -by the Bank that the gentleman would explain to me the details of the -business, and that I must prepare myself to find them of a surprising -nature. I have done my best to prepare myself, and I naturally have a -strong and eager interest to know what they are.” - -“Naturally,” said Mr. Lorry. “Yes--I--” - -After a pause, he added, again settling the crisp flaxen wig at the -ears, “It is very difficult to begin.” - -He did not begin, but, in his indecision, met her glance. The young -forehead lifted itself into that singular expression--but it was pretty -and characteristic, besides being singular--and she raised her hand, -as if with an involuntary action she caught at, or stayed some passing -shadow. - -“Are you quite a stranger to me, sir?” - -“Am I not?” Mr. Lorry opened his hands, and extended them outwards with -an argumentative smile. - -Between the eyebrows and just over the little feminine nose, the line of -which was as delicate and fine as it was possible to be, the expression -deepened itself as she took her seat thoughtfully in the chair by which -she had hitherto remained standing. He watched her as she mused, and the -moment she raised her eyes again, went on: - -“In your adopted country, I presume, I cannot do better than address you -as a young English lady, Miss Manette?” - -“If you please, sir.” - -“Miss Manette, I am a man of business. I have a business charge to -acquit myself of. In your reception of it, don't heed me any more than -if I was a speaking machine--truly, I am not much else. I will, with -your leave, relate to you, miss, the story of one of our customers.” - -“Story!” - -He seemed wilfully to mistake the word she had repeated, when he added, -in a hurry, “Yes, customers; in the banking business we usually call -our connection our customers. He was a French gentleman; a scientific -gentleman; a man of great acquirements--a Doctor.” - -“Not of Beauvais?” - -“Why, yes, of Beauvais. Like Monsieur Manette, your father, the -gentleman was of Beauvais. Like Monsieur Manette, your father, the -gentleman was of repute in Paris. I had the honour of knowing him there. -Our relations were business relations, but confidential. I was at that -time in our French House, and had been--oh! twenty years.” - -“At that time--I may ask, at what time, sir?” - -“I speak, miss, of twenty years ago. He married--an English lady--and -I was one of the trustees. His affairs, like the affairs of many other -French gentlemen and French families, were entirely in Tellson's hands. -In a similar way I am, or I have been, trustee of one kind or other for -scores of our customers. These are mere business relations, miss; -there is no friendship in them, no particular interest, nothing like -sentiment. I have passed from one to another, in the course of my -business life, just as I pass from one of our customers to another in -the course of my business day; in short, I have no feelings; I am a mere -machine. To go on--” - -“But this is my father's story, sir; and I begin to think”--the -curiously roughened forehead was very intent upon him--“that when I was -left an orphan through my mother's surviving my father only two years, -it was you who brought me to England. I am almost sure it was you.” - -Mr. Lorry took the hesitating little hand that confidingly advanced -to take his, and he put it with some ceremony to his lips. He then -conducted the young lady straightway to her chair again, and, holding -the chair-back with his left hand, and using his right by turns to rub -his chin, pull his wig at the ears, or point what he said, stood looking -down into her face while she sat looking up into his. - -“Miss Manette, it _was_ I. And you will see how truly I spoke of myself -just now, in saying I had no feelings, and that all the relations I hold -with my fellow-creatures are mere business relations, when you reflect -that I have never seen you since. No; you have been the ward of -Tellson's House since, and I have been busy with the other business of -Tellson's House since. Feelings! I have no time for them, no chance -of them. I pass my whole life, miss, in turning an immense pecuniary -Mangle.” - -After this odd description of his daily routine of employment, Mr. Lorry -flattened his flaxen wig upon his head with both hands (which was most -unnecessary, for nothing could be flatter than its shining surface was -before), and resumed his former attitude. - -“So far, miss (as you have remarked), this is the story of your -regretted father. Now comes the difference. If your father had not died -when he did--Don't be frightened! How you start!” - -She did, indeed, start. And she caught his wrist with both her hands. - -“Pray,” said Mr. Lorry, in a soothing tone, bringing his left hand from -the back of the chair to lay it on the supplicatory fingers that clasped -him in so violent a tremble: “pray control your agitation--a matter of -business. As I was saying--” - -Her look so discomposed him that he stopped, wandered, and began anew: - -“As I was saying; if Monsieur Manette had not died; if he had suddenly -and silently disappeared; if he had been spirited away; if it had not -been difficult to guess to what dreadful place, though no art could -trace him; if he had an enemy in some compatriot who could exercise a -privilege that I in my own time have known the boldest people afraid -to speak of in a whisper, across the water there; for instance, the -privilege of filling up blank forms for the consignment of any one -to the oblivion of a prison for any length of time; if his wife had -implored the king, the queen, the court, the clergy, for any tidings of -him, and all quite in vain;--then the history of your father would have -been the history of this unfortunate gentleman, the Doctor of Beauvais.” - -“I entreat you to tell me more, sir.” - -“I will. I am going to. You can bear it?” - -“I can bear anything but the uncertainty you leave me in at this -moment.” - -“You speak collectedly, and you--_are_ collected. That's good!” (Though -his manner was less satisfied than his words.) “A matter of business. -Regard it as a matter of business--business that must be done. Now -if this doctor's wife, though a lady of great courage and spirit, -had suffered so intensely from this cause before her little child was -born--” - -“The little child was a daughter, sir.” - -“A daughter. A-a-matter of business--don't be distressed. Miss, if the -poor lady had suffered so intensely before her little child was born, -that she came to the determination of sparing the poor child the -inheritance of any part of the agony she had known the pains of, by -rearing her in the belief that her father was dead--No, don't kneel! In -Heaven's name why should you kneel to me!” - -“For the truth. O dear, good, compassionate sir, for the truth!” - -“A--a matter of business. You confuse me, and how can I transact -business if I am confused? Let us be clear-headed. If you could kindly -mention now, for instance, what nine times ninepence are, or how many -shillings in twenty guineas, it would be so encouraging. I should be so -much more at my ease about your state of mind.” - -Without directly answering to this appeal, she sat so still when he had -very gently raised her, and the hands that had not ceased to clasp -his wrists were so much more steady than they had been, that she -communicated some reassurance to Mr. Jarvis Lorry. - -“That's right, that's right. Courage! Business! You have business before -you; useful business. Miss Manette, your mother took this course with -you. And when she died--I believe broken-hearted--having never slackened -her unavailing search for your father, she left you, at two years old, -to grow to be blooming, beautiful, and happy, without the dark cloud -upon you of living in uncertainty whether your father soon wore his -heart out in prison, or wasted there through many lingering years.” - -As he said the words he looked down, with an admiring pity, on the -flowing golden hair; as if he pictured to himself that it might have -been already tinged with grey. - -“You know that your parents had no great possession, and that what -they had was secured to your mother and to you. There has been no new -discovery, of money, or of any other property; but--” - -He felt his wrist held closer, and he stopped. The expression in the -forehead, which had so particularly attracted his notice, and which was -now immovable, had deepened into one of pain and horror. - -“But he has been--been found. He is alive. Greatly changed, it is too -probable; almost a wreck, it is possible; though we will hope the best. -Still, alive. Your father has been taken to the house of an old servant -in Paris, and we are going there: I, to identify him if I can: you, to -restore him to life, love, duty, rest, comfort.” - -A shiver ran through her frame, and from it through his. She said, in a -low, distinct, awe-stricken voice, as if she were saying it in a dream, - -“I am going to see his Ghost! It will be his Ghost--not him!” - -Mr. Lorry quietly chafed the hands that held his arm. “There, there, -there! See now, see now! The best and the worst are known to you, now. -You are well on your way to the poor wronged gentleman, and, with a fair -sea voyage, and a fair land journey, you will be soon at his dear side.” - -She repeated in the same tone, sunk to a whisper, “I have been free, I -have been happy, yet his Ghost has never haunted me!” - -“Only one thing more,” said Mr. Lorry, laying stress upon it as a -wholesome means of enforcing her attention: “he has been found under -another name; his own, long forgotten or long concealed. It would be -worse than useless now to inquire which; worse than useless to seek to -know whether he has been for years overlooked, or always designedly -held prisoner. It would be worse than useless now to make any inquiries, -because it would be dangerous. Better not to mention the subject, -anywhere or in any way, and to remove him--for a while at all -events--out of France. Even I, safe as an Englishman, and even -Tellson's, important as they are to French credit, avoid all naming of -the matter. I carry about me, not a scrap of writing openly referring -to it. This is a secret service altogether. My credentials, entries, -and memoranda, are all comprehended in the one line, 'Recalled to Life;' -which may mean anything. But what is the matter! She doesn't notice a -word! Miss Manette!” - -Perfectly still and silent, and not even fallen back in her chair, she -sat under his hand, utterly insensible; with her eyes open and fixed -upon him, and with that last expression looking as if it were carved or -branded into her forehead. So close was her hold upon his arm, that he -feared to detach himself lest he should hurt her; therefore he called -out loudly for assistance without moving. - -A wild-looking woman, whom even in his agitation, Mr. Lorry observed to -be all of a red colour, and to have red hair, and to be dressed in some -extraordinary tight-fitting fashion, and to have on her head a most -wonderful bonnet like a Grenadier wooden measure, and good measure too, -or a great Stilton cheese, came running into the room in advance of the -inn servants, and soon settled the question of his detachment from the -poor young lady, by laying a brawny hand upon his chest, and sending him -flying back against the nearest wall. - -(“I really think this must be a man!” was Mr. Lorry's breathless -reflection, simultaneously with his coming against the wall.) - -“Why, look at you all!” bawled this figure, addressing the inn servants. -“Why don't you go and fetch things, instead of standing there staring -at me? I am not so much to look at, am I? Why don't you go and fetch -things? I'll let you know, if you don't bring smelling-salts, cold -water, and vinegar, quick, I will.” - -There was an immediate dispersal for these restoratives, and she -softly laid the patient on a sofa, and tended her with great skill and -gentleness: calling her “my precious!” and “my bird!” and spreading her -golden hair aside over her shoulders with great pride and care. - -“And you in brown!” she said, indignantly turning to Mr. Lorry; -“couldn't you tell her what you had to tell her, without frightening her -to death? Look at her, with her pretty pale face and her cold hands. Do -you call _that_ being a Banker?” - -Mr. Lorry was so exceedingly disconcerted by a question so hard to -answer, that he could only look on, at a distance, with much feebler -sympathy and humility, while the strong woman, having banished the inn -servants under the mysterious penalty of “letting them know” something -not mentioned if they stayed there, staring, recovered her charge by a -regular series of gradations, and coaxed her to lay her drooping head -upon her shoulder. - -“I hope she will do well now,” said Mr. Lorry. - -“No thanks to you in brown, if she does. My darling pretty!” - -“I hope,” said Mr. Lorry, after another pause of feeble sympathy and -humility, “that you accompany Miss Manette to France?” - -“A likely thing, too!” replied the strong woman. “If it was ever -intended that I should go across salt water, do you suppose Providence -would have cast my lot in an island?” - -This being another question hard to answer, Mr. Jarvis Lorry withdrew to -consider it. - - - - -V. The Wine-shop - - -A large cask of wine had been dropped and broken, in the street. The -accident had happened in getting it out of a cart; the cask had tumbled -out with a run, the hoops had burst, and it lay on the stones just -outside the door of the wine-shop, shattered like a walnut-shell. - -All the people within reach had suspended their business, or their -idleness, to run to the spot and drink the wine. The rough, irregular -stones of the street, pointing every way, and designed, one might have -thought, expressly to lame all living creatures that approached them, -had dammed it into little pools; these were surrounded, each by its own -jostling group or crowd, according to its size. Some men kneeled down, -made scoops of their two hands joined, and sipped, or tried to help -women, who bent over their shoulders, to sip, before the wine had all -run out between their fingers. Others, men and women, dipped in -the puddles with little mugs of mutilated earthenware, or even with -handkerchiefs from women's heads, which were squeezed dry into infants' -mouths; others made small mud-embankments, to stem the wine as it ran; -others, directed by lookers-on up at high windows, darted here and -there, to cut off little streams of wine that started away in new -directions; others devoted themselves to the sodden and lee-dyed -pieces of the cask, licking, and even champing the moister wine-rotted -fragments with eager relish. There was no drainage to carry off the -wine, and not only did it all get taken up, but so much mud got taken up -along with it, that there might have been a scavenger in the street, -if anybody acquainted with it could have believed in such a miraculous -presence. - -A shrill sound of laughter and of amused voices--voices of men, women, -and children--resounded in the street while this wine game lasted. There -was little roughness in the sport, and much playfulness. There was a -special companionship in it, an observable inclination on the part -of every one to join some other one, which led, especially among the -luckier or lighter-hearted, to frolicsome embraces, drinking of healths, -shaking of hands, and even joining of hands and dancing, a dozen -together. When the wine was gone, and the places where it had been -most abundant were raked into a gridiron-pattern by fingers, these -demonstrations ceased, as suddenly as they had broken out. The man who -had left his saw sticking in the firewood he was cutting, set it in -motion again; the women who had left on a door-step the little pot of -hot ashes, at which she had been trying to soften the pain in her own -starved fingers and toes, or in those of her child, returned to it; men -with bare arms, matted locks, and cadaverous faces, who had emerged into -the winter light from cellars, moved away, to descend again; and a gloom -gathered on the scene that appeared more natural to it than sunshine. - -The wine was red wine, and had stained the ground of the narrow street -in the suburb of Saint Antoine, in Paris, where it was spilled. It had -stained many hands, too, and many faces, and many naked feet, and many -wooden shoes. The hands of the man who sawed the wood, left red marks -on the billets; and the forehead of the woman who nursed her baby, was -stained with the stain of the old rag she wound about her head again. -Those who had been greedy with the staves of the cask, had acquired a -tigerish smear about the mouth; and one tall joker so besmirched, his -head more out of a long squalid bag of a nightcap than in it, scrawled -upon a wall with his finger dipped in muddy wine-lees--BLOOD. - -The time was to come, when that wine too would be spilled on the -street-stones, and when the stain of it would be red upon many there. - -And now that the cloud settled on Saint Antoine, which a momentary -gleam had driven from his sacred countenance, the darkness of it was -heavy--cold, dirt, sickness, ignorance, and want, were the lords in -waiting on the saintly presence--nobles of great power all of them; -but, most especially the last. Samples of a people that had undergone a -terrible grinding and regrinding in the mill, and certainly not in the -fabulous mill which ground old people young, shivered at every corner, -passed in and out at every doorway, looked from every window, fluttered -in every vestige of a garment that the wind shook. The mill which -had worked them down, was the mill that grinds young people old; the -children had ancient faces and grave voices; and upon them, and upon the -grown faces, and ploughed into every furrow of age and coming up afresh, -was the sigh, Hunger. It was prevalent everywhere. Hunger was pushed out -of the tall houses, in the wretched clothing that hung upon poles and -lines; Hunger was patched into them with straw and rag and wood and -paper; Hunger was repeated in every fragment of the small modicum of -firewood that the man sawed off; Hunger stared down from the smokeless -chimneys, and started up from the filthy street that had no offal, -among its refuse, of anything to eat. Hunger was the inscription on the -baker's shelves, written in every small loaf of his scanty stock of -bad bread; at the sausage-shop, in every dead-dog preparation that -was offered for sale. Hunger rattled its dry bones among the roasting -chestnuts in the turned cylinder; Hunger was shred into atomics in every -farthing porringer of husky chips of potato, fried with some reluctant -drops of oil. - -Its abiding place was in all things fitted to it. A narrow winding -street, full of offence and stench, with other narrow winding streets -diverging, all peopled by rags and nightcaps, and all smelling of rags -and nightcaps, and all visible things with a brooding look upon them -that looked ill. In the hunted air of the people there was yet some -wild-beast thought of the possibility of turning at bay. Depressed and -slinking though they were, eyes of fire were not wanting among them; nor -compressed lips, white with what they suppressed; nor foreheads knitted -into the likeness of the gallows-rope they mused about enduring, or -inflicting. The trade signs (and they were almost as many as the shops) -were, all, grim illustrations of Want. The butcher and the porkman -painted up, only the leanest scrags of meat; the baker, the coarsest of -meagre loaves. The people rudely pictured as drinking in the wine-shops, -croaked over their scanty measures of thin wine and beer, and were -gloweringly confidential together. Nothing was represented in a -flourishing condition, save tools and weapons; but, the cutler's knives -and axes were sharp and bright, the smith's hammers were heavy, and the -gunmaker's stock was murderous. The crippling stones of the pavement, -with their many little reservoirs of mud and water, had no footways, but -broke off abruptly at the doors. The kennel, to make amends, ran down -the middle of the street--when it ran at all: which was only after heavy -rains, and then it ran, by many eccentric fits, into the houses. Across -the streets, at wide intervals, one clumsy lamp was slung by a rope and -pulley; at night, when the lamplighter had let these down, and lighted, -and hoisted them again, a feeble grove of dim wicks swung in a sickly -manner overhead, as if they were at sea. Indeed they were at sea, and -the ship and crew were in peril of tempest. - -For, the time was to come, when the gaunt scarecrows of that region -should have watched the lamplighter, in their idleness and hunger, so -long, as to conceive the idea of improving on his method, and hauling -up men by those ropes and pulleys, to flare upon the darkness of their -condition. But, the time was not come yet; and every wind that blew over -France shook the rags of the scarecrows in vain, for the birds, fine of -song and feather, took no warning. - -The wine-shop was a corner shop, better than most others in its -appearance and degree, and the master of the wine-shop had stood outside -it, in a yellow waistcoat and green breeches, looking on at the struggle -for the lost wine. “It's not my affair,” said he, with a final shrug -of the shoulders. “The people from the market did it. Let them bring -another.” - -There, his eyes happening to catch the tall joker writing up his joke, -he called to him across the way: - -“Say, then, my Gaspard, what do you do there?” - -The fellow pointed to his joke with immense significance, as is often -the way with his tribe. It missed its mark, and completely failed, as is -often the way with his tribe too. - -“What now? Are you a subject for the mad hospital?” said the wine-shop -keeper, crossing the road, and obliterating the jest with a handful of -mud, picked up for the purpose, and smeared over it. “Why do you write -in the public streets? Is there--tell me thou--is there no other place -to write such words in?” - -In his expostulation he dropped his cleaner hand (perhaps accidentally, -perhaps not) upon the joker's heart. The joker rapped it with his -own, took a nimble spring upward, and came down in a fantastic dancing -attitude, with one of his stained shoes jerked off his foot into his -hand, and held out. A joker of an extremely, not to say wolfishly -practical character, he looked, under those circumstances. - -“Put it on, put it on,” said the other. “Call wine, wine; and finish -there.” With that advice, he wiped his soiled hand upon the joker's -dress, such as it was--quite deliberately, as having dirtied the hand on -his account; and then recrossed the road and entered the wine-shop. - -This wine-shop keeper was a bull-necked, martial-looking man of thirty, -and he should have been of a hot temperament, for, although it was a -bitter day, he wore no coat, but carried one slung over his shoulder. -His shirt-sleeves were rolled up, too, and his brown arms were bare to -the elbows. Neither did he wear anything more on his head than his own -crisply-curling short dark hair. He was a dark man altogether, with good -eyes and a good bold breadth between them. Good-humoured looking on -the whole, but implacable-looking, too; evidently a man of a strong -resolution and a set purpose; a man not desirable to be met, rushing -down a narrow pass with a gulf on either side, for nothing would turn -the man. - -Madame Defarge, his wife, sat in the shop behind the counter as he -came in. Madame Defarge was a stout woman of about his own age, with -a watchful eye that seldom seemed to look at anything, a large hand -heavily ringed, a steady face, strong features, and great composure of -manner. There was a character about Madame Defarge, from which one might -have predicated that she did not often make mistakes against herself -in any of the reckonings over which she presided. Madame Defarge being -sensitive to cold, was wrapped in fur, and had a quantity of bright -shawl twined about her head, though not to the concealment of her large -earrings. Her knitting was before her, but she had laid it down to pick -her teeth with a toothpick. Thus engaged, with her right elbow supported -by her left hand, Madame Defarge said nothing when her lord came in, but -coughed just one grain of cough. This, in combination with the lifting -of her darkly defined eyebrows over her toothpick by the breadth of a -line, suggested to her husband that he would do well to look round the -shop among the customers, for any new customer who had dropped in while -he stepped over the way. - -The wine-shop keeper accordingly rolled his eyes about, until they -rested upon an elderly gentleman and a young lady, who were seated in -a corner. Other company were there: two playing cards, two playing -dominoes, three standing by the counter lengthening out a short supply -of wine. As he passed behind the counter, he took notice that the -elderly gentleman said in a look to the young lady, “This is our man.” - -“What the devil do _you_ do in that galley there?” said Monsieur Defarge -to himself; “I don't know you.” - -But, he feigned not to notice the two strangers, and fell into discourse -with the triumvirate of customers who were drinking at the counter. - -“How goes it, Jacques?” said one of these three to Monsieur Defarge. “Is -all the spilt wine swallowed?” - -“Every drop, Jacques,” answered Monsieur Defarge. - -When this interchange of Christian name was effected, Madame Defarge, -picking her teeth with her toothpick, coughed another grain of cough, -and raised her eyebrows by the breadth of another line. - -“It is not often,” said the second of the three, addressing Monsieur -Defarge, “that many of these miserable beasts know the taste of wine, or -of anything but black bread and death. Is it not so, Jacques?” - -“It is so, Jacques,” Monsieur Defarge returned. - -At this second interchange of the Christian name, Madame Defarge, still -using her toothpick with profound composure, coughed another grain of -cough, and raised her eyebrows by the breadth of another line. - -The last of the three now said his say, as he put down his empty -drinking vessel and smacked his lips. - -“Ah! So much the worse! A bitter taste it is that such poor cattle -always have in their mouths, and hard lives they live, Jacques. Am I -right, Jacques?” - -“You are right, Jacques,” was the response of Monsieur Defarge. - -This third interchange of the Christian name was completed at the moment -when Madame Defarge put her toothpick by, kept her eyebrows up, and -slightly rustled in her seat. - -“Hold then! True!” muttered her husband. “Gentlemen--my wife!” - -The three customers pulled off their hats to Madame Defarge, with three -flourishes. She acknowledged their homage by bending her head, and -giving them a quick look. Then she glanced in a casual manner round the -wine-shop, took up her knitting with great apparent calmness and repose -of spirit, and became absorbed in it. - -“Gentlemen,” said her husband, who had kept his bright eye observantly -upon her, “good day. The chamber, furnished bachelor-fashion, that you -wished to see, and were inquiring for when I stepped out, is on the -fifth floor. The doorway of the staircase gives on the little courtyard -close to the left here,” pointing with his hand, “near to the window of -my establishment. But, now that I remember, one of you has already been -there, and can show the way. Gentlemen, adieu!” - -They paid for their wine, and left the place. The eyes of Monsieur -Defarge were studying his wife at her knitting when the elderly -gentleman advanced from his corner, and begged the favour of a word. - -“Willingly, sir,” said Monsieur Defarge, and quietly stepped with him to -the door. - -Their conference was very short, but very decided. Almost at the first -word, Monsieur Defarge started and became deeply attentive. It had -not lasted a minute, when he nodded and went out. The gentleman then -beckoned to the young lady, and they, too, went out. Madame Defarge -knitted with nimble fingers and steady eyebrows, and saw nothing. - -Mr. Jarvis Lorry and Miss Manette, emerging from the wine-shop thus, -joined Monsieur Defarge in the doorway to which he had directed his own -company just before. It opened from a stinking little black courtyard, -and was the general public entrance to a great pile of houses, inhabited -by a great number of people. In the gloomy tile-paved entry to the -gloomy tile-paved staircase, Monsieur Defarge bent down on one knee -to the child of his old master, and put her hand to his lips. It was -a gentle action, but not at all gently done; a very remarkable -transformation had come over him in a few seconds. He had no good-humour -in his face, nor any openness of aspect left, but had become a secret, -angry, dangerous man. - -“It is very high; it is a little difficult. Better to begin slowly.” - Thus, Monsieur Defarge, in a stern voice, to Mr. Lorry, as they began -ascending the stairs. - -“Is he alone?” the latter whispered. - -“Alone! God help him, who should be with him!” said the other, in the -same low voice. - -“Is he always alone, then?” - -“Yes.” - -“Of his own desire?” - -“Of his own necessity. As he was, when I first saw him after they -found me and demanded to know if I would take him, and, at my peril be -discreet--as he was then, so he is now.” - -“He is greatly changed?” - -“Changed!” - -The keeper of the wine-shop stopped to strike the wall with his hand, -and mutter a tremendous curse. No direct answer could have been half so -forcible. Mr. Lorry's spirits grew heavier and heavier, as he and his -two companions ascended higher and higher. - -Such a staircase, with its accessories, in the older and more crowded -parts of Paris, would be bad enough now; but, at that time, it was vile -indeed to unaccustomed and unhardened senses. Every little habitation -within the great foul nest of one high building--that is to say, -the room or rooms within every door that opened on the general -staircase--left its own heap of refuse on its own landing, besides -flinging other refuse from its own windows. The uncontrollable and -hopeless mass of decomposition so engendered, would have polluted -the air, even if poverty and deprivation had not loaded it with their -intangible impurities; the two bad sources combined made it almost -insupportable. Through such an atmosphere, by a steep dark shaft of dirt -and poison, the way lay. Yielding to his own disturbance of mind, and to -his young companion's agitation, which became greater every instant, Mr. -Jarvis Lorry twice stopped to rest. Each of these stoppages was made -at a doleful grating, by which any languishing good airs that were left -uncorrupted, seemed to escape, and all spoilt and sickly vapours seemed -to crawl in. Through the rusted bars, tastes, rather than glimpses, were -caught of the jumbled neighbourhood; and nothing within range, nearer -or lower than the summits of the two great towers of Notre-Dame, had any -promise on it of healthy life or wholesome aspirations. - -At last, the top of the staircase was gained, and they stopped for the -third time. There was yet an upper staircase, of a steeper inclination -and of contracted dimensions, to be ascended, before the garret story -was reached. The keeper of the wine-shop, always going a little in -advance, and always going on the side which Mr. Lorry took, as though he -dreaded to be asked any question by the young lady, turned himself about -here, and, carefully feeling in the pockets of the coat he carried over -his shoulder, took out a key. - -“The door is locked then, my friend?” said Mr. Lorry, surprised. - -“Ay. Yes,” was the grim reply of Monsieur Defarge. - -“You think it necessary to keep the unfortunate gentleman so retired?” - -“I think it necessary to turn the key.” Monsieur Defarge whispered it -closer in his ear, and frowned heavily. - -“Why?” - -“Why! Because he has lived so long, locked up, that he would be -frightened--rave--tear himself to pieces--die--come to I know not what -harm--if his door was left open.” - -“Is it possible!” exclaimed Mr. Lorry. - -“Is it possible!” repeated Defarge, bitterly. “Yes. And a beautiful -world we live in, when it _is_ possible, and when many other such things -are possible, and not only possible, but done--done, see you!--under -that sky there, every day. Long live the Devil. Let us go on.” - -This dialogue had been held in so very low a whisper, that not a word -of it had reached the young lady's ears. But, by this time she trembled -under such strong emotion, and her face expressed such deep anxiety, -and, above all, such dread and terror, that Mr. Lorry felt it incumbent -on him to speak a word or two of reassurance. - -“Courage, dear miss! Courage! Business! The worst will be over in a -moment; it is but passing the room-door, and the worst is over. Then, -all the good you bring to him, all the relief, all the happiness you -bring to him, begin. Let our good friend here, assist you on that side. -That's well, friend Defarge. Come, now. Business, business!” - -They went up slowly and softly. The staircase was short, and they were -soon at the top. There, as it had an abrupt turn in it, they came all at -once in sight of three men, whose heads were bent down close together at -the side of a door, and who were intently looking into the room to which -the door belonged, through some chinks or holes in the wall. On hearing -footsteps close at hand, these three turned, and rose, and showed -themselves to be the three of one name who had been drinking in the -wine-shop. - -“I forgot them in the surprise of your visit,” explained Monsieur -Defarge. “Leave us, good boys; we have business here.” - -The three glided by, and went silently down. - -There appearing to be no other door on that floor, and the keeper of -the wine-shop going straight to this one when they were left alone, Mr. -Lorry asked him in a whisper, with a little anger: - -“Do you make a show of Monsieur Manette?” - -“I show him, in the way you have seen, to a chosen few.” - -“Is that well?” - -“_I_ think it is well.” - -“Who are the few? How do you choose them?” - -“I choose them as real men, of my name--Jacques is my name--to whom the -sight is likely to do good. Enough; you are English; that is another -thing. Stay there, if you please, a little moment.” - -With an admonitory gesture to keep them back, he stooped, and looked in -through the crevice in the wall. Soon raising his head again, he struck -twice or thrice upon the door--evidently with no other object than to -make a noise there. With the same intention, he drew the key across it, -three or four times, before he put it clumsily into the lock, and turned -it as heavily as he could. - -The door slowly opened inward under his hand, and he looked into the -room and said something. A faint voice answered something. Little more -than a single syllable could have been spoken on either side. - -He looked back over his shoulder, and beckoned them to enter. Mr. Lorry -got his arm securely round the daughter's waist, and held her; for he -felt that she was sinking. - -“A-a-a-business, business!” he urged, with a moisture that was not of -business shining on his cheek. “Come in, come in!” - -“I am afraid of it,” she answered, shuddering. - -“Of it? What?” - -“I mean of him. Of my father.” - -Rendered in a manner desperate, by her state and by the beckoning of -their conductor, he drew over his neck the arm that shook upon his -shoulder, lifted her a little, and hurried her into the room. He sat her -down just within the door, and held her, clinging to him. - -Defarge drew out the key, closed the door, locked it on the inside, -took out the key again, and held it in his hand. All this he did, -methodically, and with as loud and harsh an accompaniment of noise as he -could make. Finally, he walked across the room with a measured tread to -where the window was. He stopped there, and faced round. - -The garret, built to be a depository for firewood and the like, was dim -and dark: for, the window of dormer shape, was in truth a door in the -roof, with a little crane over it for the hoisting up of stores from -the street: unglazed, and closing up the middle in two pieces, like any -other door of French construction. To exclude the cold, one half of this -door was fast closed, and the other was opened but a very little way. -Such a scanty portion of light was admitted through these means, that it -was difficult, on first coming in, to see anything; and long habit -alone could have slowly formed in any one, the ability to do any work -requiring nicety in such obscurity. Yet, work of that kind was being -done in the garret; for, with his back towards the door, and his face -towards the window where the keeper of the wine-shop stood looking at -him, a white-haired man sat on a low bench, stooping forward and very -busy, making shoes. - - - - -VI. The Shoemaker - - -“Good day!” said Monsieur Defarge, looking down at the white head that -bent low over the shoemaking. - -It was raised for a moment, and a very faint voice responded to the -salutation, as if it were at a distance: - -“Good day!” - -“You are still hard at work, I see?” - -After a long silence, the head was lifted for another moment, and the -voice replied, “Yes--I am working.” This time, a pair of haggard eyes -had looked at the questioner, before the face had dropped again. - -The faintness of the voice was pitiable and dreadful. It was not the -faintness of physical weakness, though confinement and hard fare no -doubt had their part in it. Its deplorable peculiarity was, that it was -the faintness of solitude and disuse. It was like the last feeble echo -of a sound made long and long ago. So entirely had it lost the life and -resonance of the human voice, that it affected the senses like a once -beautiful colour faded away into a poor weak stain. So sunken and -suppressed it was, that it was like a voice underground. So expressive -it was, of a hopeless and lost creature, that a famished traveller, -wearied out by lonely wandering in a wilderness, would have remembered -home and friends in such a tone before lying down to die. - -Some minutes of silent work had passed: and the haggard eyes had looked -up again: not with any interest or curiosity, but with a dull mechanical -perception, beforehand, that the spot where the only visitor they were -aware of had stood, was not yet empty. - -“I want,” said Defarge, who had not removed his gaze from the shoemaker, -“to let in a little more light here. You can bear a little more?” - -The shoemaker stopped his work; looked with a vacant air of listening, -at the floor on one side of him; then similarly, at the floor on the -other side of him; then, upward at the speaker. - -“What did you say?” - -“You can bear a little more light?” - -“I must bear it, if you let it in.” (Laying the palest shadow of a -stress upon the second word.) - -The opened half-door was opened a little further, and secured at that -angle for the time. A broad ray of light fell into the garret, and -showed the workman with an unfinished shoe upon his lap, pausing in his -labour. His few common tools and various scraps of leather were at his -feet and on his bench. He had a white beard, raggedly cut, but not very -long, a hollow face, and exceedingly bright eyes. The hollowness and -thinness of his face would have caused them to look large, under his yet -dark eyebrows and his confused white hair, though they had been really -otherwise; but, they were naturally large, and looked unnaturally so. -His yellow rags of shirt lay open at the throat, and showed his body -to be withered and worn. He, and his old canvas frock, and his loose -stockings, and all his poor tatters of clothes, had, in a long seclusion -from direct light and air, faded down to such a dull uniformity of -parchment-yellow, that it would have been hard to say which was which. - -He had put up a hand between his eyes and the light, and the very bones -of it seemed transparent. So he sat, with a steadfastly vacant gaze, -pausing in his work. He never looked at the figure before him, without -first looking down on this side of himself, then on that, as if he had -lost the habit of associating place with sound; he never spoke, without -first wandering in this manner, and forgetting to speak. - -“Are you going to finish that pair of shoes to-day?” asked Defarge, -motioning to Mr. Lorry to come forward. - -“What did you say?” - -“Do you mean to finish that pair of shoes to-day?” - -“I can't say that I mean to. I suppose so. I don't know.” - -But, the question reminded him of his work, and he bent over it again. - -Mr. Lorry came silently forward, leaving the daughter by the door. When -he had stood, for a minute or two, by the side of Defarge, the shoemaker -looked up. He showed no surprise at seeing another figure, but the -unsteady fingers of one of his hands strayed to his lips as he looked at -it (his lips and his nails were of the same pale lead-colour), and then -the hand dropped to his work, and he once more bent over the shoe. The -look and the action had occupied but an instant. - -“You have a visitor, you see,” said Monsieur Defarge. - -“What did you say?” - -“Here is a visitor.” - -The shoemaker looked up as before, but without removing a hand from his -work. - -“Come!” said Defarge. “Here is monsieur, who knows a well-made shoe when -he sees one. Show him that shoe you are working at. Take it, monsieur.” - -Mr. Lorry took it in his hand. - -“Tell monsieur what kind of shoe it is, and the maker's name.” - -There was a longer pause than usual, before the shoemaker replied: - -“I forget what it was you asked me. What did you say?” - -“I said, couldn't you describe the kind of shoe, for monsieur's -information?” - -“It is a lady's shoe. It is a young lady's walking-shoe. It is in the -present mode. I never saw the mode. I have had a pattern in my hand.” He -glanced at the shoe with some little passing touch of pride. - -“And the maker's name?” said Defarge. - -Now that he had no work to hold, he laid the knuckles of the right hand -in the hollow of the left, and then the knuckles of the left hand in the -hollow of the right, and then passed a hand across his bearded chin, and -so on in regular changes, without a moment's intermission. The task of -recalling him from the vagrancy into which he always sank when he -had spoken, was like recalling some very weak person from a swoon, or -endeavouring, in the hope of some disclosure, to stay the spirit of a -fast-dying man. - -“Did you ask me for my name?” - -“Assuredly I did.” - -“One Hundred and Five, North Tower.” - -“Is that all?” - -“One Hundred and Five, North Tower.” - -With a weary sound that was not a sigh, nor a groan, he bent to work -again, until the silence was again broken. - -“You are not a shoemaker by trade?” said Mr. Lorry, looking steadfastly -at him. - -His haggard eyes turned to Defarge as if he would have transferred the -question to him: but as no help came from that quarter, they turned back -on the questioner when they had sought the ground. - -“I am not a shoemaker by trade? No, I was not a shoemaker by trade. I-I -learnt it here. I taught myself. I asked leave to--” - -He lapsed away, even for minutes, ringing those measured changes on his -hands the whole time. His eyes came slowly back, at last, to the face -from which they had wandered; when they rested on it, he started, and -resumed, in the manner of a sleeper that moment awake, reverting to a -subject of last night. - -“I asked leave to teach myself, and I got it with much difficulty after -a long while, and I have made shoes ever since.” - -As he held out his hand for the shoe that had been taken from him, Mr. -Lorry said, still looking steadfastly in his face: - -“Monsieur Manette, do you remember nothing of me?” - -The shoe dropped to the ground, and he sat looking fixedly at the -questioner. - -“Monsieur Manette”; Mr. Lorry laid his hand upon Defarge's arm; “do you -remember nothing of this man? Look at him. Look at me. Is there no old -banker, no old business, no old servant, no old time, rising in your -mind, Monsieur Manette?” - -As the captive of many years sat looking fixedly, by turns, at Mr. -Lorry and at Defarge, some long obliterated marks of an actively intent -intelligence in the middle of the forehead, gradually forced themselves -through the black mist that had fallen on him. They were overclouded -again, they were fainter, they were gone; but they had been there. And -so exactly was the expression repeated on the fair young face of her who -had crept along the wall to a point where she could see him, and where -she now stood looking at him, with hands which at first had been only -raised in frightened compassion, if not even to keep him off and -shut out the sight of him, but which were now extending towards him, -trembling with eagerness to lay the spectral face upon her warm young -breast, and love it back to life and hope--so exactly was the expression -repeated (though in stronger characters) on her fair young face, that it -looked as though it had passed like a moving light, from him to her. - -Darkness had fallen on him in its place. He looked at the two, less and -less attentively, and his eyes in gloomy abstraction sought the ground -and looked about him in the old way. Finally, with a deep long sigh, he -took the shoe up, and resumed his work. - -“Have you recognised him, monsieur?” asked Defarge in a whisper. - -“Yes; for a moment. At first I thought it quite hopeless, but I have -unquestionably seen, for a single moment, the face that I once knew so -well. Hush! Let us draw further back. Hush!” - -She had moved from the wall of the garret, very near to the bench on -which he sat. There was something awful in his unconsciousness of the -figure that could have put out its hand and touched him as he stooped -over his labour. - -Not a word was spoken, not a sound was made. She stood, like a spirit, -beside him, and he bent over his work. - -It happened, at length, that he had occasion to change the instrument -in his hand, for his shoemaker's knife. It lay on that side of him -which was not the side on which she stood. He had taken it up, and was -stooping to work again, when his eyes caught the skirt of her dress. He -raised them, and saw her face. The two spectators started forward, -but she stayed them with a motion of her hand. She had no fear of his -striking at her with the knife, though they had. - -He stared at her with a fearful look, and after a while his lips began -to form some words, though no sound proceeded from them. By degrees, in -the pauses of his quick and laboured breathing, he was heard to say: - -“What is this?” - -With the tears streaming down her face, she put her two hands to her -lips, and kissed them to him; then clasped them on her breast, as if she -laid his ruined head there. - -“You are not the gaoler's daughter?” - -She sighed “No.” - -“Who are you?” - -Not yet trusting the tones of her voice, she sat down on the bench -beside him. He recoiled, but she laid her hand upon his arm. A strange -thrill struck him when she did so, and visibly passed over his frame; he -laid the knife down softly, as he sat staring at her. - -Her golden hair, which she wore in long curls, had been hurriedly pushed -aside, and fell down over her neck. Advancing his hand by little and -little, he took it up and looked at it. In the midst of the action -he went astray, and, with another deep sigh, fell to work at his -shoemaking. - -But not for long. Releasing his arm, she laid her hand upon his -shoulder. After looking doubtfully at it, two or three times, as if to -be sure that it was really there, he laid down his work, put his hand -to his neck, and took off a blackened string with a scrap of folded rag -attached to it. He opened this, carefully, on his knee, and it contained -a very little quantity of hair: not more than one or two long golden -hairs, which he had, in some old day, wound off upon his finger. - -He took her hair into his hand again, and looked closely at it. “It is -the same. How can it be! When was it! How was it!” - -As the concentrated expression returned to his forehead, he seemed to -become conscious that it was in hers too. He turned her full to the -light, and looked at her. - -“She had laid her head upon my shoulder, that night when I was summoned -out--she had a fear of my going, though I had none--and when I was -brought to the North Tower they found these upon my sleeve. 'You will -leave me them? They can never help me to escape in the body, though they -may in the spirit.' Those were the words I said. I remember them very -well.” - -He formed this speech with his lips many times before he could utter it. -But when he did find spoken words for it, they came to him coherently, -though slowly. - -“How was this?--_Was it you_?” - -Once more, the two spectators started, as he turned upon her with a -frightful suddenness. But she sat perfectly still in his grasp, and only -said, in a low voice, “I entreat you, good gentlemen, do not come near -us, do not speak, do not move!” - -“Hark!” he exclaimed. “Whose voice was that?” - -His hands released her as he uttered this cry, and went up to his white -hair, which they tore in a frenzy. It died out, as everything but his -shoemaking did die out of him, and he refolded his little packet and -tried to secure it in his breast; but he still looked at her, and -gloomily shook his head. - -“No, no, no; you are too young, too blooming. It can't be. See what the -prisoner is. These are not the hands she knew, this is not the face -she knew, this is not a voice she ever heard. No, no. She was--and He -was--before the slow years of the North Tower--ages ago. What is your -name, my gentle angel?” - -Hailing his softened tone and manner, his daughter fell upon her knees -before him, with her appealing hands upon his breast. - -“O, sir, at another time you shall know my name, and who my mother was, -and who my father, and how I never knew their hard, hard history. But I -cannot tell you at this time, and I cannot tell you here. All that I may -tell you, here and now, is, that I pray to you to touch me and to bless -me. Kiss me, kiss me! O my dear, my dear!” - -His cold white head mingled with her radiant hair, which warmed and -lighted it as though it were the light of Freedom shining on him. - -“If you hear in my voice--I don't know that it is so, but I hope it -is--if you hear in my voice any resemblance to a voice that once was -sweet music in your ears, weep for it, weep for it! If you touch, in -touching my hair, anything that recalls a beloved head that lay on your -breast when you were young and free, weep for it, weep for it! If, when -I hint to you of a Home that is before us, where I will be true to you -with all my duty and with all my faithful service, I bring back the -remembrance of a Home long desolate, while your poor heart pined away, -weep for it, weep for it!” - -She held him closer round the neck, and rocked him on her breast like a -child. - -“If, when I tell you, dearest dear, that your agony is over, and that I -have come here to take you from it, and that we go to England to be at -peace and at rest, I cause you to think of your useful life laid waste, -and of our native France so wicked to you, weep for it, weep for it! And -if, when I shall tell you of my name, and of my father who is living, -and of my mother who is dead, you learn that I have to kneel to my -honoured father, and implore his pardon for having never for his sake -striven all day and lain awake and wept all night, because the love of -my poor mother hid his torture from me, weep for it, weep for it! Weep -for her, then, and for me! Good gentlemen, thank God! I feel his sacred -tears upon my face, and his sobs strike against my heart. O, see! Thank -God for us, thank God!” - -He had sunk in her arms, and his face dropped on her breast: a sight so -touching, yet so terrible in the tremendous wrong and suffering which -had gone before it, that the two beholders covered their faces. - -When the quiet of the garret had been long undisturbed, and his heaving -breast and shaken form had long yielded to the calm that must follow all -storms--emblem to humanity, of the rest and silence into which the storm -called Life must hush at last--they came forward to raise the father and -daughter from the ground. He had gradually dropped to the floor, and lay -there in a lethargy, worn out. She had nestled down with him, that his -head might lie upon her arm; and her hair drooping over him curtained -him from the light. - -“If, without disturbing him,” she said, raising her hand to Mr. Lorry as -he stooped over them, after repeated blowings of his nose, “all could be -arranged for our leaving Paris at once, so that, from the very door, he -could be taken away--” - -“But, consider. Is he fit for the journey?” asked Mr. Lorry. - -“More fit for that, I think, than to remain in this city, so dreadful to -him.” - -“It is true,” said Defarge, who was kneeling to look on and hear. “More -than that; Monsieur Manette is, for all reasons, best out of France. -Say, shall I hire a carriage and post-horses?” - -“That's business,” said Mr. Lorry, resuming on the shortest notice his -methodical manners; “and if business is to be done, I had better do it.” - -“Then be so kind,” urged Miss Manette, “as to leave us here. You see how -composed he has become, and you cannot be afraid to leave him with me -now. Why should you be? If you will lock the door to secure us from -interruption, I do not doubt that you will find him, when you come back, -as quiet as you leave him. In any case, I will take care of him until -you return, and then we will remove him straight.” - -Both Mr. Lorry and Defarge were rather disinclined to this course, and -in favour of one of them remaining. But, as there were not only carriage -and horses to be seen to, but travelling papers; and as time pressed, -for the day was drawing to an end, it came at last to their hastily -dividing the business that was necessary to be done, and hurrying away -to do it. - -Then, as the darkness closed in, the daughter laid her head down on the -hard ground close at the father's side, and watched him. The darkness -deepened and deepened, and they both lay quiet, until a light gleamed -through the chinks in the wall. - -Mr. Lorry and Monsieur Defarge had made all ready for the journey, and -had brought with them, besides travelling cloaks and wrappers, bread and -meat, wine, and hot coffee. Monsieur Defarge put this provender, and the -lamp he carried, on the shoemaker's bench (there was nothing else in the -garret but a pallet bed), and he and Mr. Lorry roused the captive, and -assisted him to his feet. - -No human intelligence could have read the mysteries of his mind, in -the scared blank wonder of his face. Whether he knew what had happened, -whether he recollected what they had said to him, whether he knew that -he was free, were questions which no sagacity could have solved. They -tried speaking to him; but, he was so confused, and so very slow to -answer, that they took fright at his bewilderment, and agreed for -the time to tamper with him no more. He had a wild, lost manner of -occasionally clasping his head in his hands, that had not been seen -in him before; yet, he had some pleasure in the mere sound of his -daughter's voice, and invariably turned to it when she spoke. - -In the submissive way of one long accustomed to obey under coercion, he -ate and drank what they gave him to eat and drink, and put on the cloak -and other wrappings, that they gave him to wear. He readily responded to -his daughter's drawing her arm through his, and took--and kept--her hand -in both his own. - -They began to descend; Monsieur Defarge going first with the lamp, Mr. -Lorry closing the little procession. They had not traversed many steps -of the long main staircase when he stopped, and stared at the roof and -round at the walls. - -“You remember the place, my father? You remember coming up here?” - -“What did you say?” - -But, before she could repeat the question, he murmured an answer as if -she had repeated it. - -“Remember? No, I don't remember. It was so very long ago.” - -That he had no recollection whatever of his having been brought from his -prison to that house, was apparent to them. They heard him mutter, -“One Hundred and Five, North Tower;” and when he looked about him, it -evidently was for the strong fortress-walls which had long encompassed -him. On their reaching the courtyard he instinctively altered his -tread, as being in expectation of a drawbridge; and when there was -no drawbridge, and he saw the carriage waiting in the open street, he -dropped his daughter's hand and clasped his head again. - -No crowd was about the door; no people were discernible at any of the -many windows; not even a chance passerby was in the street. An unnatural -silence and desertion reigned there. Only one soul was to be seen, and -that was Madame Defarge--who leaned against the door-post, knitting, and -saw nothing. - -The prisoner had got into a coach, and his daughter had followed -him, when Mr. Lorry's feet were arrested on the step by his asking, -miserably, for his shoemaking tools and the unfinished shoes. Madame -Defarge immediately called to her husband that she would get them, and -went, knitting, out of the lamplight, through the courtyard. She quickly -brought them down and handed them in;--and immediately afterwards leaned -against the door-post, knitting, and saw nothing. - -Defarge got upon the box, and gave the word “To the Barrier!” The -postilion cracked his whip, and they clattered away under the feeble -over-swinging lamps. - -Under the over-swinging lamps--swinging ever brighter in the better -streets, and ever dimmer in the worse--and by lighted shops, gay crowds, -illuminated coffee-houses, and theatre-doors, to one of the city -gates. Soldiers with lanterns, at the guard-house there. “Your papers, -travellers!” “See here then, Monsieur the Officer,” said Defarge, -getting down, and taking him gravely apart, “these are the papers of -monsieur inside, with the white head. They were consigned to me, with -him, at the--” He dropped his voice, there was a flutter among the -military lanterns, and one of them being handed into the coach by an arm -in uniform, the eyes connected with the arm looked, not an every day -or an every night look, at monsieur with the white head. “It is well. -Forward!” from the uniform. “Adieu!” from Defarge. And so, under a short -grove of feebler and feebler over-swinging lamps, out under the great -grove of stars. - -Beneath that arch of unmoved and eternal lights; some, so remote from -this little earth that the learned tell us it is doubtful whether their -rays have even yet discovered it, as a point in space where anything -is suffered or done: the shadows of the night were broad and black. -All through the cold and restless interval, until dawn, they once more -whispered in the ears of Mr. Jarvis Lorry--sitting opposite the buried -man who had been dug out, and wondering what subtle powers were for ever -lost to him, and what were capable of restoration--the old inquiry: - -“I hope you care to be recalled to life?” - -And the old answer: - -“I can't say.” - - -The end of the first book. - - - - - -Book the Second--the Golden Thread - - - - -I. Five Years Later - - -Tellson's Bank by Temple Bar was an old-fashioned place, even in the -year one thousand seven hundred and eighty. It was very small, very -dark, very ugly, very incommodious. It was an old-fashioned place, -moreover, in the moral attribute that the partners in the House were -proud of its smallness, proud of its darkness, proud of its ugliness, -proud of its incommodiousness. They were even boastful of its eminence -in those particulars, and were fired by an express conviction that, if -it were less objectionable, it would be less respectable. This was -no passive belief, but an active weapon which they flashed at more -convenient places of business. Tellson's (they said) wanted -no elbow-room, Tellson's wanted no light, Tellson's wanted no -embellishment. Noakes and Co.'s might, or Snooks Brothers' might; but -Tellson's, thank Heaven--! - -Any one of these partners would have disinherited his son on the -question of rebuilding Tellson's. In this respect the House was much -on a par with the Country; which did very often disinherit its sons for -suggesting improvements in laws and customs that had long been highly -objectionable, but were only the more respectable. - -Thus it had come to pass, that Tellson's was the triumphant perfection -of inconvenience. After bursting open a door of idiotic obstinacy with -a weak rattle in its throat, you fell into Tellson's down two steps, -and came to your senses in a miserable little shop, with two little -counters, where the oldest of men made your cheque shake as if the -wind rustled it, while they examined the signature by the dingiest of -windows, which were always under a shower-bath of mud from Fleet-street, -and which were made the dingier by their own iron bars proper, and the -heavy shadow of Temple Bar. If your business necessitated your seeing -“the House,” you were put into a species of Condemned Hold at the back, -where you meditated on a misspent life, until the House came with its -hands in its pockets, and you could hardly blink at it in the dismal -twilight. Your money came out of, or went into, wormy old wooden -drawers, particles of which flew up your nose and down your throat when -they were opened and shut. Your bank-notes had a musty odour, as if they -were fast decomposing into rags again. Your plate was stowed away among -the neighbouring cesspools, and evil communications corrupted its good -polish in a day or two. Your deeds got into extemporised strong-rooms -made of kitchens and sculleries, and fretted all the fat out of their -parchments into the banking-house air. Your lighter boxes of family -papers went up-stairs into a Barmecide room, that always had a great -dining-table in it and never had a dinner, and where, even in the year -one thousand seven hundred and eighty, the first letters written to you -by your old love, or by your little children, were but newly released -from the horror of being ogled through the windows, by the heads -exposed on Temple Bar with an insensate brutality and ferocity worthy of -Abyssinia or Ashantee. - -But indeed, at that time, putting to death was a recipe much in vogue -with all trades and professions, and not least of all with Tellson's. -Death is Nature's remedy for all things, and why not Legislation's? -Accordingly, the forger was put to Death; the utterer of a bad note -was put to Death; the unlawful opener of a letter was put to Death; the -purloiner of forty shillings and sixpence was put to Death; the holder -of a horse at Tellson's door, who made off with it, was put to -Death; the coiner of a bad shilling was put to Death; the sounders of -three-fourths of the notes in the whole gamut of Crime, were put to -Death. Not that it did the least good in the way of prevention--it -might almost have been worth remarking that the fact was exactly the -reverse--but, it cleared off (as to this world) the trouble of each -particular case, and left nothing else connected with it to be looked -after. Thus, Tellson's, in its day, like greater places of business, -its contemporaries, had taken so many lives, that, if the heads laid -low before it had been ranged on Temple Bar instead of being privately -disposed of, they would probably have excluded what little light the -ground floor had, in a rather significant manner. - -Cramped in all kinds of dim cupboards and hutches at Tellson's, the -oldest of men carried on the business gravely. When they took a young -man into Tellson's London house, they hid him somewhere till he was -old. They kept him in a dark place, like a cheese, until he had the full -Tellson flavour and blue-mould upon him. Then only was he permitted to -be seen, spectacularly poring over large books, and casting his breeches -and gaiters into the general weight of the establishment. - -Outside Tellson's--never by any means in it, unless called in--was an -odd-job-man, an occasional porter and messenger, who served as the live -sign of the house. He was never absent during business hours, unless -upon an errand, and then he was represented by his son: a grisly urchin -of twelve, who was his express image. People understood that Tellson's, -in a stately way, tolerated the odd-job-man. The house had always -tolerated some person in that capacity, and time and tide had drifted -this person to the post. His surname was Cruncher, and on the youthful -occasion of his renouncing by proxy the works of darkness, in the -easterly parish church of Hounsditch, he had received the added -appellation of Jerry. - -The scene was Mr. Cruncher's private lodging in Hanging-sword-alley, -Whitefriars: the time, half-past seven of the clock on a windy March -morning, Anno Domini seventeen hundred and eighty. (Mr. Cruncher himself -always spoke of the year of our Lord as Anna Dominoes: apparently under -the impression that the Christian era dated from the invention of a -popular game, by a lady who had bestowed her name upon it.) - -Mr. Cruncher's apartments were not in a savoury neighbourhood, and were -but two in number, even if a closet with a single pane of glass in it -might be counted as one. But they were very decently kept. Early as -it was, on the windy March morning, the room in which he lay abed was -already scrubbed throughout; and between the cups and saucers arranged -for breakfast, and the lumbering deal table, a very clean white cloth -was spread. - -Mr. Cruncher reposed under a patchwork counterpane, like a Harlequin -at home. At first, he slept heavily, but, by degrees, began to roll -and surge in bed, until he rose above the surface, with his spiky hair -looking as if it must tear the sheets to ribbons. At which juncture, he -exclaimed, in a voice of dire exasperation: - -“Bust me, if she ain't at it agin!” - -A woman of orderly and industrious appearance rose from her knees in a -corner, with sufficient haste and trepidation to show that she was the -person referred to. - -“What!” said Mr. Cruncher, looking out of bed for a boot. “You're at it -agin, are you?” - -After hailing the morn with this second salutation, he threw a boot at -the woman as a third. It was a very muddy boot, and may introduce the -odd circumstance connected with Mr. Cruncher's domestic economy, that, -whereas he often came home after banking hours with clean boots, he -often got up next morning to find the same boots covered with clay. - -“What,” said Mr. Cruncher, varying his apostrophe after missing his -mark--“what are you up to, Aggerawayter?” - -“I was only saying my prayers.” - -“Saying your prayers! You're a nice woman! What do you mean by flopping -yourself down and praying agin me?” - -“I was not praying against you; I was praying for you.” - -“You weren't. And if you were, I won't be took the liberty with. Here! -your mother's a nice woman, young Jerry, going a praying agin your -father's prosperity. You've got a dutiful mother, you have, my son. -You've got a religious mother, you have, my boy: going and flopping -herself down, and praying that the bread-and-butter may be snatched out -of the mouth of her only child.” - -Master Cruncher (who was in his shirt) took this very ill, and, turning -to his mother, strongly deprecated any praying away of his personal -board. - -“And what do you suppose, you conceited female,” said Mr. Cruncher, with -unconscious inconsistency, “that the worth of _your_ prayers may be? -Name the price that you put _your_ prayers at!” - -“They only come from the heart, Jerry. They are worth no more than -that.” - -“Worth no more than that,” repeated Mr. Cruncher. “They ain't worth -much, then. Whether or no, I won't be prayed agin, I tell you. I can't -afford it. I'm not a going to be made unlucky by _your_ sneaking. If -you must go flopping yourself down, flop in favour of your husband and -child, and not in opposition to 'em. If I had had any but a unnat'ral -wife, and this poor boy had had any but a unnat'ral mother, I might -have made some money last week instead of being counter-prayed and -countermined and religiously circumwented into the worst of luck. -B-u-u-ust me!” said Mr. Cruncher, who all this time had been putting -on his clothes, “if I ain't, what with piety and one blowed thing and -another, been choused this last week into as bad luck as ever a poor -devil of a honest tradesman met with! Young Jerry, dress yourself, my -boy, and while I clean my boots keep a eye upon your mother now and -then, and if you see any signs of more flopping, give me a call. For, I -tell you,” here he addressed his wife once more, “I won't be gone agin, -in this manner. I am as rickety as a hackney-coach, I'm as sleepy as -laudanum, my lines is strained to that degree that I shouldn't know, if -it wasn't for the pain in 'em, which was me and which somebody else, yet -I'm none the better for it in pocket; and it's my suspicion that you've -been at it from morning to night to prevent me from being the better for -it in pocket, and I won't put up with it, Aggerawayter, and what do you -say now!” - -Growling, in addition, such phrases as “Ah! yes! You're religious, too. -You wouldn't put yourself in opposition to the interests of your husband -and child, would you? Not you!” and throwing off other sarcastic sparks -from the whirling grindstone of his indignation, Mr. Cruncher betook -himself to his boot-cleaning and his general preparation for business. -In the meantime, his son, whose head was garnished with tenderer spikes, -and whose young eyes stood close by one another, as his father's did, -kept the required watch upon his mother. He greatly disturbed that poor -woman at intervals, by darting out of his sleeping closet, where he made -his toilet, with a suppressed cry of “You are going to flop, mother. ---Halloa, father!” and, after raising this fictitious alarm, darting in -again with an undutiful grin. - -Mr. Cruncher's temper was not at all improved when he came to his -breakfast. He resented Mrs. Cruncher's saying grace with particular -animosity. - -“Now, Aggerawayter! What are you up to? At it again?” - -His wife explained that she had merely “asked a blessing.” - -“Don't do it!” said Mr. Crunches looking about, as if he rather expected -to see the loaf disappear under the efficacy of his wife's petitions. “I -ain't a going to be blest out of house and home. I won't have my wittles -blest off my table. Keep still!” - -Exceedingly red-eyed and grim, as if he had been up all night at a party -which had taken anything but a convivial turn, Jerry Cruncher worried -his breakfast rather than ate it, growling over it like any four-footed -inmate of a menagerie. Towards nine o'clock he smoothed his ruffled -aspect, and, presenting as respectable and business-like an exterior as -he could overlay his natural self with, issued forth to the occupation -of the day. - -It could scarcely be called a trade, in spite of his favourite -description of himself as “a honest tradesman.” His stock consisted of -a wooden stool, made out of a broken-backed chair cut down, which stool, -young Jerry, walking at his father's side, carried every morning to -beneath the banking-house window that was nearest Temple Bar: where, -with the addition of the first handful of straw that could be gleaned -from any passing vehicle to keep the cold and wet from the odd-job-man's -feet, it formed the encampment for the day. On this post of his, Mr. -Cruncher was as well known to Fleet-street and the Temple, as the Bar -itself,--and was almost as in-looking. - -Encamped at a quarter before nine, in good time to touch his -three-cornered hat to the oldest of men as they passed in to Tellson's, -Jerry took up his station on this windy March morning, with young Jerry -standing by him, when not engaged in making forays through the Bar, to -inflict bodily and mental injuries of an acute description on passing -boys who were small enough for his amiable purpose. Father and son, -extremely like each other, looking silently on at the morning traffic -in Fleet-street, with their two heads as near to one another as the two -eyes of each were, bore a considerable resemblance to a pair of monkeys. -The resemblance was not lessened by the accidental circumstance, that -the mature Jerry bit and spat out straw, while the twinkling eyes of the -youthful Jerry were as restlessly watchful of him as of everything else -in Fleet-street. - -The head of one of the regular indoor messengers attached to Tellson's -establishment was put through the door, and the word was given: - -“Porter wanted!” - -“Hooray, father! Here's an early job to begin with!” - -Having thus given his parent God speed, young Jerry seated himself on -the stool, entered on his reversionary interest in the straw his father -had been chewing, and cogitated. - -“Al-ways rusty! His fingers is al-ways rusty!” muttered young Jerry. -“Where does my father get all that iron rust from? He don't get no iron -rust here!” - - - - -II. A Sight - - -“You know the Old Bailey well, no doubt?” said one of the oldest of -clerks to Jerry the messenger. - -“Ye-es, sir,” returned Jerry, in something of a dogged manner. “I _do_ -know the Bailey.” - -“Just so. And you know Mr. Lorry.” - -“I know Mr. Lorry, sir, much better than I know the Bailey. Much -better,” said Jerry, not unlike a reluctant witness at the establishment -in question, “than I, as a honest tradesman, wish to know the Bailey.” - -“Very well. Find the door where the witnesses go in, and show the -door-keeper this note for Mr. Lorry. He will then let you in.” - -“Into the court, sir?” - -“Into the court.” - -Mr. Cruncher's eyes seemed to get a little closer to one another, and to -interchange the inquiry, “What do you think of this?” - -“Am I to wait in the court, sir?” he asked, as the result of that -conference. - -“I am going to tell you. The door-keeper will pass the note to Mr. -Lorry, and do you make any gesture that will attract Mr. Lorry's -attention, and show him where you stand. Then what you have to do, is, -to remain there until he wants you.” - -“Is that all, sir?” - -“That's all. He wishes to have a messenger at hand. This is to tell him -you are there.” - -As the ancient clerk deliberately folded and superscribed the note, -Mr. Cruncher, after surveying him in silence until he came to the -blotting-paper stage, remarked: - -“I suppose they'll be trying Forgeries this morning?” - -“Treason!” - -“That's quartering,” said Jerry. “Barbarous!” - -“It is the law,” remarked the ancient clerk, turning his surprised -spectacles upon him. “It is the law.” - -“It's hard in the law to spile a man, I think. It's hard enough to kill -him, but it's wery hard to spile him, sir.” - -“Not at all,” retained the ancient clerk. “Speak well of the law. Take -care of your chest and voice, my good friend, and leave the law to take -care of itself. I give you that advice.” - -“It's the damp, sir, what settles on my chest and voice,” said Jerry. “I -leave you to judge what a damp way of earning a living mine is.” - -“Well, well,” said the old clerk; “we all have our various ways of -gaining a livelihood. Some of us have damp ways, and some of us have dry -ways. Here is the letter. Go along.” - -Jerry took the letter, and, remarking to himself with less internal -deference than he made an outward show of, “You are a lean old one, -too,” made his bow, informed his son, in passing, of his destination, -and went his way. - -They hanged at Tyburn, in those days, so the street outside Newgate had -not obtained one infamous notoriety that has since attached to it. -But, the gaol was a vile place, in which most kinds of debauchery and -villainy were practised, and where dire diseases were bred, that came -into court with the prisoners, and sometimes rushed straight from the -dock at my Lord Chief Justice himself, and pulled him off the bench. It -had more than once happened, that the Judge in the black cap pronounced -his own doom as certainly as the prisoner's, and even died before him. -For the rest, the Old Bailey was famous as a kind of deadly inn-yard, -from which pale travellers set out continually, in carts and coaches, on -a violent passage into the other world: traversing some two miles and a -half of public street and road, and shaming few good citizens, if any. -So powerful is use, and so desirable to be good use in the beginning. It -was famous, too, for the pillory, a wise old institution, that inflicted -a punishment of which no one could foresee the extent; also, for -the whipping-post, another dear old institution, very humanising and -softening to behold in action; also, for extensive transactions in -blood-money, another fragment of ancestral wisdom, systematically -leading to the most frightful mercenary crimes that could be committed -under Heaven. Altogether, the Old Bailey, at that date, was a choice -illustration of the precept, that “Whatever is is right;” an aphorism -that would be as final as it is lazy, did it not include the troublesome -consequence, that nothing that ever was, was wrong. - -Making his way through the tainted crowd, dispersed up and down this -hideous scene of action, with the skill of a man accustomed to make his -way quietly, the messenger found out the door he sought, and handed in -his letter through a trap in it. For, people then paid to see the play -at the Old Bailey, just as they paid to see the play in Bedlam--only the -former entertainment was much the dearer. Therefore, all the Old Bailey -doors were well guarded--except, indeed, the social doors by which the -criminals got there, and those were always left wide open. - -After some delay and demur, the door grudgingly turned on its hinges a -very little way, and allowed Mr. Jerry Cruncher to squeeze himself into -court. - -“What's on?” he asked, in a whisper, of the man he found himself next -to. - -“Nothing yet.” - -“What's coming on?” - -“The Treason case.” - -“The quartering one, eh?” - -“Ah!” returned the man, with a relish; “he'll be drawn on a hurdle to -be half hanged, and then he'll be taken down and sliced before his own -face, and then his inside will be taken out and burnt while he looks on, -and then his head will be chopped off, and he'll be cut into quarters. -That's the sentence.” - -“If he's found Guilty, you mean to say?” Jerry added, by way of proviso. - -“Oh! they'll find him guilty,” said the other. “Don't you be afraid of -that.” - -Mr. Cruncher's attention was here diverted to the door-keeper, whom he -saw making his way to Mr. Lorry, with the note in his hand. Mr. Lorry -sat at a table, among the gentlemen in wigs: not far from a wigged -gentleman, the prisoner's counsel, who had a great bundle of papers -before him: and nearly opposite another wigged gentleman with his hands -in his pockets, whose whole attention, when Mr. Cruncher looked at him -then or afterwards, seemed to be concentrated on the ceiling of the -court. After some gruff coughing and rubbing of his chin and signing -with his hand, Jerry attracted the notice of Mr. Lorry, who had stood up -to look for him, and who quietly nodded and sat down again. - -“What's _he_ got to do with the case?” asked the man he had spoken with. - -“Blest if I know,” said Jerry. - -“What have _you_ got to do with it, then, if a person may inquire?” - -“Blest if I know that either,” said Jerry. - -The entrance of the Judge, and a consequent great stir and settling -down in the court, stopped the dialogue. Presently, the dock became the -central point of interest. Two gaolers, who had been standing there, -went out, and the prisoner was brought in, and put to the bar. - -Everybody present, except the one wigged gentleman who looked at the -ceiling, stared at him. All the human breath in the place, rolled -at him, like a sea, or a wind, or a fire. Eager faces strained round -pillars and corners, to get a sight of him; spectators in back rows -stood up, not to miss a hair of him; people on the floor of the court, -laid their hands on the shoulders of the people before them, to help -themselves, at anybody's cost, to a view of him--stood a-tiptoe, got -upon ledges, stood upon next to nothing, to see every inch of him. -Conspicuous among these latter, like an animated bit of the spiked wall -of Newgate, Jerry stood: aiming at the prisoner the beery breath of a -whet he had taken as he came along, and discharging it to mingle with -the waves of other beer, and gin, and tea, and coffee, and what not, -that flowed at him, and already broke upon the great windows behind him -in an impure mist and rain. - -The object of all this staring and blaring, was a young man of about -five-and-twenty, well-grown and well-looking, with a sunburnt cheek and -a dark eye. His condition was that of a young gentleman. He was plainly -dressed in black, or very dark grey, and his hair, which was long and -dark, was gathered in a ribbon at the back of his neck; more to be out -of his way than for ornament. As an emotion of the mind will express -itself through any covering of the body, so the paleness which his -situation engendered came through the brown upon his cheek, showing the -soul to be stronger than the sun. He was otherwise quite self-possessed, -bowed to the Judge, and stood quiet. - -The sort of interest with which this man was stared and breathed at, -was not a sort that elevated humanity. Had he stood in peril of a less -horrible sentence--had there been a chance of any one of its savage -details being spared--by just so much would he have lost in his -fascination. The form that was to be doomed to be so shamefully mangled, -was the sight; the immortal creature that was to be so butchered -and torn asunder, yielded the sensation. Whatever gloss the various -spectators put upon the interest, according to their several arts and -powers of self-deceit, the interest was, at the root of it, Ogreish. - -Silence in the court! Charles Darnay had yesterday pleaded Not Guilty to -an indictment denouncing him (with infinite jingle and jangle) for that -he was a false traitor to our serene, illustrious, excellent, and so -forth, prince, our Lord the King, by reason of his having, on divers -occasions, and by divers means and ways, assisted Lewis, the French -King, in his wars against our said serene, illustrious, excellent, and -so forth; that was to say, by coming and going, between the dominions of -our said serene, illustrious, excellent, and so forth, and those of the -said French Lewis, and wickedly, falsely, traitorously, and otherwise -evil-adverbiously, revealing to the said French Lewis what forces our -said serene, illustrious, excellent, and so forth, had in preparation -to send to Canada and North America. This much, Jerry, with his head -becoming more and more spiky as the law terms bristled it, made out with -huge satisfaction, and so arrived circuitously at the understanding that -the aforesaid, and over and over again aforesaid, Charles Darnay, stood -there before him upon his trial; that the jury were swearing in; and -that Mr. Attorney-General was making ready to speak. - -The accused, who was (and who knew he was) being mentally hanged, -beheaded, and quartered, by everybody there, neither flinched from -the situation, nor assumed any theatrical air in it. He was quiet and -attentive; watched the opening proceedings with a grave interest; -and stood with his hands resting on the slab of wood before him, so -composedly, that they had not displaced a leaf of the herbs with which -it was strewn. The court was all bestrewn with herbs and sprinkled with -vinegar, as a precaution against gaol air and gaol fever. - -Over the prisoner's head there was a mirror, to throw the light down -upon him. Crowds of the wicked and the wretched had been reflected in -it, and had passed from its surface and this earth's together. Haunted -in a most ghastly manner that abominable place would have been, if the -glass could ever have rendered back its reflections, as the ocean is one -day to give up its dead. Some passing thought of the infamy and disgrace -for which it had been reserved, may have struck the prisoner's mind. Be -that as it may, a change in his position making him conscious of a bar -of light across his face, he looked up; and when he saw the glass his -face flushed, and his right hand pushed the herbs away. - -It happened, that the action turned his face to that side of the court -which was on his left. About on a level with his eyes, there sat, -in that corner of the Judge's bench, two persons upon whom his look -immediately rested; so immediately, and so much to the changing of his -aspect, that all the eyes that were turned upon him, turned to them. - -The spectators saw in the two figures, a young lady of little more than -twenty, and a gentleman who was evidently her father; a man of a very -remarkable appearance in respect of the absolute whiteness of his hair, -and a certain indescribable intensity of face: not of an active kind, -but pondering and self-communing. When this expression was upon him, he -looked as if he were old; but when it was stirred and broken up--as -it was now, in a moment, on his speaking to his daughter--he became a -handsome man, not past the prime of life. - -His daughter had one of her hands drawn through his arm, as she sat by -him, and the other pressed upon it. She had drawn close to him, in her -dread of the scene, and in her pity for the prisoner. Her forehead had -been strikingly expressive of an engrossing terror and compassion -that saw nothing but the peril of the accused. This had been so very -noticeable, so very powerfully and naturally shown, that starers who -had had no pity for him were touched by her; and the whisper went about, -“Who are they?” - -Jerry, the messenger, who had made his own observations, in his own -manner, and who had been sucking the rust off his fingers in his -absorption, stretched his neck to hear who they were. The crowd about -him had pressed and passed the inquiry on to the nearest attendant, and -from him it had been more slowly pressed and passed back; at last it got -to Jerry: - -“Witnesses.” - -“For which side?” - -“Against.” - -“Against what side?” - -“The prisoner's.” - -The Judge, whose eyes had gone in the general direction, recalled them, -leaned back in his seat, and looked steadily at the man whose life was -in his hand, as Mr. Attorney-General rose to spin the rope, grind the -axe, and hammer the nails into the scaffold. - - - - -III. A Disappointment - - -Mr. Attorney-General had to inform the jury, that the prisoner before -them, though young in years, was old in the treasonable practices which -claimed the forfeit of his life. That this correspondence with the -public enemy was not a correspondence of to-day, or of yesterday, or -even of last year, or of the year before. That, it was certain the -prisoner had, for longer than that, been in the habit of passing and -repassing between France and England, on secret business of which -he could give no honest account. That, if it were in the nature of -traitorous ways to thrive (which happily it never was), the real -wickedness and guilt of his business might have remained undiscovered. -That Providence, however, had put it into the heart of a person who -was beyond fear and beyond reproach, to ferret out the nature of the -prisoner's schemes, and, struck with horror, to disclose them to his -Majesty's Chief Secretary of State and most honourable Privy Council. -That, this patriot would be produced before them. That, his position and -attitude were, on the whole, sublime. That, he had been the prisoner's -friend, but, at once in an auspicious and an evil hour detecting his -infamy, had resolved to immolate the traitor he could no longer cherish -in his bosom, on the sacred altar of his country. That, if statues -were decreed in Britain, as in ancient Greece and Rome, to public -benefactors, this shining citizen would assuredly have had one. That, as -they were not so decreed, he probably would not have one. That, Virtue, -as had been observed by the poets (in many passages which he well -knew the jury would have, word for word, at the tips of their tongues; -whereat the jury's countenances displayed a guilty consciousness that -they knew nothing about the passages), was in a manner contagious; more -especially the bright virtue known as patriotism, or love of country. -That, the lofty example of this immaculate and unimpeachable witness -for the Crown, to refer to whom however unworthily was an honour, had -communicated itself to the prisoner's servant, and had engendered in him -a holy determination to examine his master's table-drawers and pockets, -and secrete his papers. That, he (Mr. Attorney-General) was prepared to -hear some disparagement attempted of this admirable servant; but that, -in a general way, he preferred him to his (Mr. Attorney-General's) -brothers and sisters, and honoured him more than his (Mr. -Attorney-General's) father and mother. That, he called with confidence -on the jury to come and do likewise. That, the evidence of these two -witnesses, coupled with the documents of their discovering that would be -produced, would show the prisoner to have been furnished with lists of -his Majesty's forces, and of their disposition and preparation, both by -sea and land, and would leave no doubt that he had habitually conveyed -such information to a hostile power. That, these lists could not be -proved to be in the prisoner's handwriting; but that it was all the -same; that, indeed, it was rather the better for the prosecution, as -showing the prisoner to be artful in his precautions. That, the proof -would go back five years, and would show the prisoner already engaged -in these pernicious missions, within a few weeks before the date of the -very first action fought between the British troops and the Americans. -That, for these reasons, the jury, being a loyal jury (as he knew they -were), and being a responsible jury (as _they_ knew they were), must -positively find the prisoner Guilty, and make an end of him, whether -they liked it or not. That, they never could lay their heads upon their -pillows; that, they never could tolerate the idea of their wives laying -their heads upon their pillows; that, they never could endure the notion -of their children laying their heads upon their pillows; in short, that -there never more could be, for them or theirs, any laying of heads upon -pillows at all, unless the prisoner's head was taken off. That head -Mr. Attorney-General concluded by demanding of them, in the name of -everything he could think of with a round turn in it, and on the faith -of his solemn asseveration that he already considered the prisoner as -good as dead and gone. - -When the Attorney-General ceased, a buzz arose in the court as if -a cloud of great blue-flies were swarming about the prisoner, in -anticipation of what he was soon to become. When toned down again, the -unimpeachable patriot appeared in the witness-box. - -Mr. Solicitor-General then, following his leader's lead, examined the -patriot: John Barsad, gentleman, by name. The story of his pure soul was -exactly what Mr. Attorney-General had described it to be--perhaps, if -it had a fault, a little too exactly. Having released his noble bosom -of its burden, he would have modestly withdrawn himself, but that the -wigged gentleman with the papers before him, sitting not far from Mr. -Lorry, begged to ask him a few questions. The wigged gentleman sitting -opposite, still looking at the ceiling of the court. - -Had he ever been a spy himself? No, he scorned the base insinuation. -What did he live upon? His property. Where was his property? He didn't -precisely remember where it was. What was it? No business of anybody's. -Had he inherited it? Yes, he had. From whom? Distant relation. Very -distant? Rather. Ever been in prison? Certainly not. Never in a debtors' -prison? Didn't see what that had to do with it. Never in a debtors' -prison?--Come, once again. Never? Yes. How many times? Two or three -times. Not five or six? Perhaps. Of what profession? Gentleman. Ever -been kicked? Might have been. Frequently? No. Ever kicked downstairs? -Decidedly not; once received a kick on the top of a staircase, and fell -downstairs of his own accord. Kicked on that occasion for cheating at -dice? Something to that effect was said by the intoxicated liar who -committed the assault, but it was not true. Swear it was not true? -Positively. Ever live by cheating at play? Never. Ever live by play? Not -more than other gentlemen do. Ever borrow money of the prisoner? Yes. -Ever pay him? No. Was not this intimacy with the prisoner, in reality a -very slight one, forced upon the prisoner in coaches, inns, and packets? -No. Sure he saw the prisoner with these lists? Certain. Knew no more -about the lists? No. Had not procured them himself, for instance? No. -Expect to get anything by this evidence? No. Not in regular government -pay and employment, to lay traps? Oh dear no. Or to do anything? Oh dear -no. Swear that? Over and over again. No motives but motives of sheer -patriotism? None whatever. - -The virtuous servant, Roger Cly, swore his way through the case at a -great rate. He had taken service with the prisoner, in good faith and -simplicity, four years ago. He had asked the prisoner, aboard the Calais -packet, if he wanted a handy fellow, and the prisoner had engaged him. -He had not asked the prisoner to take the handy fellow as an act of -charity--never thought of such a thing. He began to have suspicions of -the prisoner, and to keep an eye upon him, soon afterwards. In arranging -his clothes, while travelling, he had seen similar lists to these in the -prisoner's pockets, over and over again. He had taken these lists from -the drawer of the prisoner's desk. He had not put them there first. He -had seen the prisoner show these identical lists to French gentlemen -at Calais, and similar lists to French gentlemen, both at Calais and -Boulogne. He loved his country, and couldn't bear it, and had given -information. He had never been suspected of stealing a silver tea-pot; -he had been maligned respecting a mustard-pot, but it turned out to be -only a plated one. He had known the last witness seven or eight years; -that was merely a coincidence. He didn't call it a particularly curious -coincidence; most coincidences were curious. Neither did he call it a -curious coincidence that true patriotism was _his_ only motive too. He -was a true Briton, and hoped there were many like him. - -The blue-flies buzzed again, and Mr. Attorney-General called Mr. Jarvis -Lorry. - -“Mr. Jarvis Lorry, are you a clerk in Tellson's bank?” - -“I am.” - -“On a certain Friday night in November one thousand seven hundred and -seventy-five, did business occasion you to travel between London and -Dover by the mail?” - -“It did.” - -“Were there any other passengers in the mail?” - -“Two.” - -“Did they alight on the road in the course of the night?” - -“They did.” - -“Mr. Lorry, look upon the prisoner. Was he one of those two passengers?” - -“I cannot undertake to say that he was.” - -“Does he resemble either of these two passengers?” - -“Both were so wrapped up, and the night was so dark, and we were all so -reserved, that I cannot undertake to say even that.” - -“Mr. Lorry, look again upon the prisoner. Supposing him wrapped up as -those two passengers were, is there anything in his bulk and stature to -render it unlikely that he was one of them?” - -“No.” - -“You will not swear, Mr. Lorry, that he was not one of them?” - -“No.” - -“So at least you say he may have been one of them?” - -“Yes. Except that I remember them both to have been--like -myself--timorous of highwaymen, and the prisoner has not a timorous -air.” - -“Did you ever see a counterfeit of timidity, Mr. Lorry?” - -“I certainly have seen that.” - -“Mr. Lorry, look once more upon the prisoner. Have you seen him, to your -certain knowledge, before?” - -“I have.” - -“When?” - -“I was returning from France a few days afterwards, and, at Calais, the -prisoner came on board the packet-ship in which I returned, and made the -voyage with me.” - -“At what hour did he come on board?” - -“At a little after midnight.” - -“In the dead of the night. Was he the only passenger who came on board -at that untimely hour?” - -“He happened to be the only one.” - -“Never mind about 'happening,' Mr. Lorry. He was the only passenger who -came on board in the dead of the night?” - -“He was.” - -“Were you travelling alone, Mr. Lorry, or with any companion?” - -“With two companions. A gentleman and lady. They are here.” - -“They are here. Had you any conversation with the prisoner?” - -“Hardly any. The weather was stormy, and the passage long and rough, and -I lay on a sofa, almost from shore to shore.” - -“Miss Manette!” - -The young lady, to whom all eyes had been turned before, and were now -turned again, stood up where she had sat. Her father rose with her, and -kept her hand drawn through his arm. - -“Miss Manette, look upon the prisoner.” - -To be confronted with such pity, and such earnest youth and beauty, was -far more trying to the accused than to be confronted with all the crowd. -Standing, as it were, apart with her on the edge of his grave, not all -the staring curiosity that looked on, could, for the moment, nerve him -to remain quite still. His hurried right hand parcelled out the herbs -before him into imaginary beds of flowers in a garden; and his efforts -to control and steady his breathing shook the lips from which the colour -rushed to his heart. The buzz of the great flies was loud again. - -“Miss Manette, have you seen the prisoner before?” - -“Yes, sir.” - -“Where?” - -“On board of the packet-ship just now referred to, sir, and on the same -occasion.” - -“You are the young lady just now referred to?” - -“O! most unhappily, I am!” - -The plaintive tone of her compassion merged into the less musical voice -of the Judge, as he said something fiercely: “Answer the questions put -to you, and make no remark upon them.” - -“Miss Manette, had you any conversation with the prisoner on that -passage across the Channel?” - -“Yes, sir.” - -“Recall it.” - -In the midst of a profound stillness, she faintly began: “When the -gentleman came on board--” - -“Do you mean the prisoner?” inquired the Judge, knitting his brows. - -“Yes, my Lord.” - -“Then say the prisoner.” - -“When the prisoner came on board, he noticed that my father,” turning -her eyes lovingly to him as he stood beside her, “was much fatigued -and in a very weak state of health. My father was so reduced that I was -afraid to take him out of the air, and I had made a bed for him on the -deck near the cabin steps, and I sat on the deck at his side to take -care of him. There were no other passengers that night, but we four. -The prisoner was so good as to beg permission to advise me how I could -shelter my father from the wind and weather, better than I had done. I -had not known how to do it well, not understanding how the wind would -set when we were out of the harbour. He did it for me. He expressed -great gentleness and kindness for my father's state, and I am sure he -felt it. That was the manner of our beginning to speak together.” - -“Let me interrupt you for a moment. Had he come on board alone?” - -“No.” - -“How many were with him?” - -“Two French gentlemen.” - -“Had they conferred together?” - -“They had conferred together until the last moment, when it was -necessary for the French gentlemen to be landed in their boat.” - -“Had any papers been handed about among them, similar to these lists?” - -“Some papers had been handed about among them, but I don't know what -papers.” - -“Like these in shape and size?” - -“Possibly, but indeed I don't know, although they stood whispering very -near to me: because they stood at the top of the cabin steps to have the -light of the lamp that was hanging there; it was a dull lamp, and they -spoke very low, and I did not hear what they said, and saw only that -they looked at papers.” - -“Now, to the prisoner's conversation, Miss Manette.” - -“The prisoner was as open in his confidence with me--which arose out -of my helpless situation--as he was kind, and good, and useful to my -father. I hope,” bursting into tears, “I may not repay him by doing him -harm to-day.” - -Buzzing from the blue-flies. - -“Miss Manette, if the prisoner does not perfectly understand that -you give the evidence which it is your duty to give--which you must -give--and which you cannot escape from giving--with great unwillingness, -he is the only person present in that condition. Please to go on.” - -“He told me that he was travelling on business of a delicate and -difficult nature, which might get people into trouble, and that he was -therefore travelling under an assumed name. He said that this business -had, within a few days, taken him to France, and might, at intervals, -take him backwards and forwards between France and England for a long -time to come.” - -“Did he say anything about America, Miss Manette? Be particular.” - -“He tried to explain to me how that quarrel had arisen, and he said -that, so far as he could judge, it was a wrong and foolish one on -England's part. He added, in a jesting way, that perhaps George -Washington might gain almost as great a name in history as George the -Third. But there was no harm in his way of saying this: it was said -laughingly, and to beguile the time.” - -Any strongly marked expression of face on the part of a chief actor in -a scene of great interest to whom many eyes are directed, will be -unconsciously imitated by the spectators. Her forehead was painfully -anxious and intent as she gave this evidence, and, in the pauses when -she stopped for the Judge to write it down, watched its effect upon -the counsel for and against. Among the lookers-on there was the same -expression in all quarters of the court; insomuch, that a great majority -of the foreheads there, might have been mirrors reflecting the witness, -when the Judge looked up from his notes to glare at that tremendous -heresy about George Washington. - -Mr. Attorney-General now signified to my Lord, that he deemed it -necessary, as a matter of precaution and form, to call the young lady's -father, Doctor Manette. Who was called accordingly. - -“Doctor Manette, look upon the prisoner. Have you ever seen him before?” - -“Once. When he called at my lodgings in London. Some three years, or -three years and a half ago.” - -“Can you identify him as your fellow-passenger on board the packet, or -speak to his conversation with your daughter?” - -“Sir, I can do neither.” - -“Is there any particular and special reason for your being unable to do -either?” - -He answered, in a low voice, “There is.” - -“Has it been your misfortune to undergo a long imprisonment, without -trial, or even accusation, in your native country, Doctor Manette?” - -He answered, in a tone that went to every heart, “A long imprisonment.” - -“Were you newly released on the occasion in question?” - -“They tell me so.” - -“Have you no remembrance of the occasion?” - -“None. My mind is a blank, from some time--I cannot even say what -time--when I employed myself, in my captivity, in making shoes, to the -time when I found myself living in London with my dear daughter -here. She had become familiar to me, when a gracious God restored -my faculties; but, I am quite unable even to say how she had become -familiar. I have no remembrance of the process.” - -Mr. Attorney-General sat down, and the father and daughter sat down -together. - -A singular circumstance then arose in the case. The object in hand being -to show that the prisoner went down, with some fellow-plotter untracked, -in the Dover mail on that Friday night in November five years ago, and -got out of the mail in the night, as a blind, at a place where he did -not remain, but from which he travelled back some dozen miles or more, -to a garrison and dockyard, and there collected information; a witness -was called to identify him as having been at the precise time required, -in the coffee-room of an hotel in that garrison-and-dockyard town, -waiting for another person. The prisoner's counsel was cross-examining -this witness with no result, except that he had never seen the prisoner -on any other occasion, when the wigged gentleman who had all this time -been looking at the ceiling of the court, wrote a word or two on a -little piece of paper, screwed it up, and tossed it to him. Opening -this piece of paper in the next pause, the counsel looked with great -attention and curiosity at the prisoner. - -“You say again you are quite sure that it was the prisoner?” - -The witness was quite sure. - -“Did you ever see anybody very like the prisoner?” - -Not so like (the witness said) as that he could be mistaken. - -“Look well upon that gentleman, my learned friend there,” pointing -to him who had tossed the paper over, “and then look well upon the -prisoner. How say you? Are they very like each other?” - -Allowing for my learned friend's appearance being careless and slovenly -if not debauched, they were sufficiently like each other to surprise, -not only the witness, but everybody present, when they were thus brought -into comparison. My Lord being prayed to bid my learned friend lay aside -his wig, and giving no very gracious consent, the likeness became -much more remarkable. My Lord inquired of Mr. Stryver (the prisoner's -counsel), whether they were next to try Mr. Carton (name of my learned -friend) for treason? But, Mr. Stryver replied to my Lord, no; but he -would ask the witness to tell him whether what happened once, might -happen twice; whether he would have been so confident if he had seen -this illustration of his rashness sooner, whether he would be so -confident, having seen it; and more. The upshot of which, was, to smash -this witness like a crockery vessel, and shiver his part of the case to -useless lumber. - -Mr. Cruncher had by this time taken quite a lunch of rust off his -fingers in his following of the evidence. He had now to attend while Mr. -Stryver fitted the prisoner's case on the jury, like a compact suit -of clothes; showing them how the patriot, Barsad, was a hired spy and -traitor, an unblushing trafficker in blood, and one of the greatest -scoundrels upon earth since accursed Judas--which he certainly did look -rather like. How the virtuous servant, Cly, was his friend and partner, -and was worthy to be; how the watchful eyes of those forgers and false -swearers had rested on the prisoner as a victim, because some family -affairs in France, he being of French extraction, did require his making -those passages across the Channel--though what those affairs were, a -consideration for others who were near and dear to him, forbade him, -even for his life, to disclose. How the evidence that had been warped -and wrested from the young lady, whose anguish in giving it they -had witnessed, came to nothing, involving the mere little innocent -gallantries and politenesses likely to pass between any young gentleman -and young lady so thrown together;--with the exception of that -reference to George Washington, which was altogether too extravagant and -impossible to be regarded in any other light than as a monstrous joke. -How it would be a weakness in the government to break down in this -attempt to practise for popularity on the lowest national antipathies -and fears, and therefore Mr. Attorney-General had made the most of it; -how, nevertheless, it rested upon nothing, save that vile and infamous -character of evidence too often disfiguring such cases, and of which the -State Trials of this country were full. But, there my Lord interposed -(with as grave a face as if it had not been true), saying that he could -not sit upon that Bench and suffer those allusions. - -Mr. Stryver then called his few witnesses, and Mr. Cruncher had next to -attend while Mr. Attorney-General turned the whole suit of clothes Mr. -Stryver had fitted on the jury, inside out; showing how Barsad and -Cly were even a hundred times better than he had thought them, and the -prisoner a hundred times worse. Lastly, came my Lord himself, turning -the suit of clothes, now inside out, now outside in, but on the whole -decidedly trimming and shaping them into grave-clothes for the prisoner. - -And now, the jury turned to consider, and the great flies swarmed again. - -Mr. Carton, who had so long sat looking at the ceiling of the court, -changed neither his place nor his attitude, even in this excitement. -While his learned friend, Mr. Stryver, massing his papers before him, -whispered with those who sat near, and from time to time glanced -anxiously at the jury; while all the spectators moved more or less, and -grouped themselves anew; while even my Lord himself arose from his seat, -and slowly paced up and down his platform, not unattended by a suspicion -in the minds of the audience that his state was feverish; this one man -sat leaning back, with his torn gown half off him, his untidy wig put -on just as it had happened to light on his head after its removal, his -hands in his pockets, and his eyes on the ceiling as they had been all -day. Something especially reckless in his demeanour, not only gave him -a disreputable look, but so diminished the strong resemblance he -undoubtedly bore to the prisoner (which his momentary earnestness, -when they were compared together, had strengthened), that many of the -lookers-on, taking note of him now, said to one another they would -hardly have thought the two were so alike. Mr. Cruncher made the -observation to his next neighbour, and added, “I'd hold half a guinea -that _he_ don't get no law-work to do. Don't look like the sort of one -to get any, do he?” - -Yet, this Mr. Carton took in more of the details of the scene than he -appeared to take in; for now, when Miss Manette's head dropped upon -her father's breast, he was the first to see it, and to say audibly: -“Officer! look to that young lady. Help the gentleman to take her out. -Don't you see she will fall!” - -There was much commiseration for her as she was removed, and much -sympathy with her father. It had evidently been a great distress to -him, to have the days of his imprisonment recalled. He had shown -strong internal agitation when he was questioned, and that pondering or -brooding look which made him old, had been upon him, like a heavy cloud, -ever since. As he passed out, the jury, who had turned back and paused a -moment, spoke, through their foreman. - -They were not agreed, and wished to retire. My Lord (perhaps with George -Washington on his mind) showed some surprise that they were not agreed, -but signified his pleasure that they should retire under watch and ward, -and retired himself. The trial had lasted all day, and the lamps in -the court were now being lighted. It began to be rumoured that the -jury would be out a long while. The spectators dropped off to get -refreshment, and the prisoner withdrew to the back of the dock, and sat -down. - -Mr. Lorry, who had gone out when the young lady and her father went out, -now reappeared, and beckoned to Jerry: who, in the slackened interest, -could easily get near him. - -“Jerry, if you wish to take something to eat, you can. But, keep in the -way. You will be sure to hear when the jury come in. Don't be a moment -behind them, for I want you to take the verdict back to the bank. You -are the quickest messenger I know, and will get to Temple Bar long -before I can.” - -Jerry had just enough forehead to knuckle, and he knuckled it in -acknowledgment of this communication and a shilling. Mr. Carton came up -at the moment, and touched Mr. Lorry on the arm. - -“How is the young lady?” - -“She is greatly distressed; but her father is comforting her, and she -feels the better for being out of court.” - -“I'll tell the prisoner so. It won't do for a respectable bank gentleman -like you, to be seen speaking to him publicly, you know.” - -Mr. Lorry reddened as if he were conscious of having debated the point -in his mind, and Mr. Carton made his way to the outside of the bar. -The way out of court lay in that direction, and Jerry followed him, all -eyes, ears, and spikes. - -“Mr. Darnay!” - -The prisoner came forward directly. - -“You will naturally be anxious to hear of the witness, Miss Manette. She -will do very well. You have seen the worst of her agitation.” - -“I am deeply sorry to have been the cause of it. Could you tell her so -for me, with my fervent acknowledgments?” - -“Yes, I could. I will, if you ask it.” - -Mr. Carton's manner was so careless as to be almost insolent. He stood, -half turned from the prisoner, lounging with his elbow against the bar. - -“I do ask it. Accept my cordial thanks.” - -“What,” said Carton, still only half turned towards him, “do you expect, -Mr. Darnay?” - -“The worst.” - -“It's the wisest thing to expect, and the likeliest. But I think their -withdrawing is in your favour.” - -Loitering on the way out of court not being allowed, Jerry heard no -more: but left them--so like each other in feature, so unlike each other -in manner--standing side by side, both reflected in the glass above -them. - -An hour and a half limped heavily away in the thief-and-rascal crowded -passages below, even though assisted off with mutton pies and ale. -The hoarse messenger, uncomfortably seated on a form after taking that -refection, had dropped into a doze, when a loud murmur and a rapid tide -of people setting up the stairs that led to the court, carried him along -with them. - -“Jerry! Jerry!” Mr. Lorry was already calling at the door when he got -there. - -“Here, sir! It's a fight to get back again. Here I am, sir!” - -Mr. Lorry handed him a paper through the throng. “Quick! Have you got -it?” - -“Yes, sir.” - -Hastily written on the paper was the word “ACQUITTED.” - -“If you had sent the message, 'Recalled to Life,' again,” muttered -Jerry, as he turned, “I should have known what you meant, this time.” - -He had no opportunity of saying, or so much as thinking, anything else, -until he was clear of the Old Bailey; for, the crowd came pouring out -with a vehemence that nearly took him off his legs, and a loud buzz -swept into the street as if the baffled blue-flies were dispersing in -search of other carrion. - - - - -IV. Congratulatory - - -From the dimly-lighted passages of the court, the last sediment of the -human stew that had been boiling there all day, was straining off, when -Doctor Manette, Lucie Manette, his daughter, Mr. Lorry, the solicitor -for the defence, and its counsel, Mr. Stryver, stood gathered round Mr. -Charles Darnay--just released--congratulating him on his escape from -death. - -It would have been difficult by a far brighter light, to recognise -in Doctor Manette, intellectual of face and upright of bearing, the -shoemaker of the garret in Paris. Yet, no one could have looked at him -twice, without looking again: even though the opportunity of observation -had not extended to the mournful cadence of his low grave voice, and -to the abstraction that overclouded him fitfully, without any apparent -reason. While one external cause, and that a reference to his long -lingering agony, would always--as on the trial--evoke this condition -from the depths of his soul, it was also in its nature to arise of -itself, and to draw a gloom over him, as incomprehensible to those -unacquainted with his story as if they had seen the shadow of the actual -Bastille thrown upon him by a summer sun, when the substance was three -hundred miles away. - -Only his daughter had the power of charming this black brooding from -his mind. She was the golden thread that united him to a Past beyond his -misery, and to a Present beyond his misery: and the sound of her voice, -the light of her face, the touch of her hand, had a strong beneficial -influence with him almost always. Not absolutely always, for she could -recall some occasions on which her power had failed; but they were few -and slight, and she believed them over. - -Mr. Darnay had kissed her hand fervently and gratefully, and had turned -to Mr. Stryver, whom he warmly thanked. Mr. Stryver, a man of little -more than thirty, but looking twenty years older than he was, stout, -loud, red, bluff, and free from any drawback of delicacy, had a pushing -way of shouldering himself (morally and physically) into companies and -conversations, that argued well for his shouldering his way up in life. - -He still had his wig and gown on, and he said, squaring himself at his -late client to that degree that he squeezed the innocent Mr. Lorry clean -out of the group: “I am glad to have brought you off with honour, Mr. -Darnay. It was an infamous prosecution, grossly infamous; but not the -less likely to succeed on that account.” - -“You have laid me under an obligation to you for life--in two senses,” - said his late client, taking his hand. - -“I have done my best for you, Mr. Darnay; and my best is as good as -another man's, I believe.” - -It clearly being incumbent on some one to say, “Much better,” Mr. Lorry -said it; perhaps not quite disinterestedly, but with the interested -object of squeezing himself back again. - -“You think so?” said Mr. Stryver. “Well! you have been present all day, -and you ought to know. You are a man of business, too.” - -“And as such,” quoth Mr. Lorry, whom the counsel learned in the law had -now shouldered back into the group, just as he had previously shouldered -him out of it--“as such I will appeal to Doctor Manette, to break up -this conference and order us all to our homes. Miss Lucie looks ill, Mr. -Darnay has had a terrible day, we are worn out.” - -“Speak for yourself, Mr. Lorry,” said Stryver; “I have a night's work to -do yet. Speak for yourself.” - -“I speak for myself,” answered Mr. Lorry, “and for Mr. Darnay, and for -Miss Lucie, and--Miss Lucie, do you not think I may speak for us all?” - He asked her the question pointedly, and with a glance at her father. - -His face had become frozen, as it were, in a very curious look at -Darnay: an intent look, deepening into a frown of dislike and distrust, -not even unmixed with fear. With this strange expression on him his -thoughts had wandered away. - -“My father,” said Lucie, softly laying her hand on his. - -He slowly shook the shadow off, and turned to her. - -“Shall we go home, my father?” - -With a long breath, he answered “Yes.” - -The friends of the acquitted prisoner had dispersed, under the -impression--which he himself had originated--that he would not be -released that night. The lights were nearly all extinguished in the -passages, the iron gates were being closed with a jar and a rattle, -and the dismal place was deserted until to-morrow morning's interest of -gallows, pillory, whipping-post, and branding-iron, should repeople it. -Walking between her father and Mr. Darnay, Lucie Manette passed into -the open air. A hackney-coach was called, and the father and daughter -departed in it. - -Mr. Stryver had left them in the passages, to shoulder his way back -to the robing-room. Another person, who had not joined the group, or -interchanged a word with any one of them, but who had been leaning -against the wall where its shadow was darkest, had silently strolled -out after the rest, and had looked on until the coach drove away. He now -stepped up to where Mr. Lorry and Mr. Darnay stood upon the pavement. - -“So, Mr. Lorry! Men of business may speak to Mr. Darnay now?” - -Nobody had made any acknowledgment of Mr. Carton's part in the day's -proceedings; nobody had known of it. He was unrobed, and was none the -better for it in appearance. - -“If you knew what a conflict goes on in the business mind, when the -business mind is divided between good-natured impulse and business -appearances, you would be amused, Mr. Darnay.” - -Mr. Lorry reddened, and said, warmly, “You have mentioned that before, -sir. We men of business, who serve a House, are not our own masters. We -have to think of the House more than ourselves.” - -“_I_ know, _I_ know,” rejoined Mr. Carton, carelessly. “Don't be -nettled, Mr. Lorry. You are as good as another, I have no doubt: better, -I dare say.” - -“And indeed, sir,” pursued Mr. Lorry, not minding him, “I really don't -know what you have to do with the matter. If you'll excuse me, as very -much your elder, for saying so, I really don't know that it is your -business.” - -“Business! Bless you, _I_ have no business,” said Mr. Carton. - -“It is a pity you have not, sir.” - -“I think so, too.” - -“If you had,” pursued Mr. Lorry, “perhaps you would attend to it.” - -“Lord love you, no!--I shouldn't,” said Mr. Carton. - -“Well, sir!” cried Mr. Lorry, thoroughly heated by his indifference, -“business is a very good thing, and a very respectable thing. And, sir, -if business imposes its restraints and its silences and impediments, Mr. -Darnay as a young gentleman of generosity knows how to make allowance -for that circumstance. Mr. Darnay, good night, God bless you, sir! -I hope you have been this day preserved for a prosperous and happy -life.--Chair there!” - -Perhaps a little angry with himself, as well as with the barrister, Mr. -Lorry bustled into the chair, and was carried off to Tellson's. Carton, -who smelt of port wine, and did not appear to be quite sober, laughed -then, and turned to Darnay: - -“This is a strange chance that throws you and me together. This must -be a strange night to you, standing alone here with your counterpart on -these street stones?” - -“I hardly seem yet,” returned Charles Darnay, “to belong to this world -again.” - -“I don't wonder at it; it's not so long since you were pretty far -advanced on your way to another. You speak faintly.” - -“I begin to think I _am_ faint.” - -“Then why the devil don't you dine? I dined, myself, while those -numskulls were deliberating which world you should belong to--this, or -some other. Let me show you the nearest tavern to dine well at.” - -Drawing his arm through his own, he took him down Ludgate-hill to -Fleet-street, and so, up a covered way, into a tavern. Here, they were -shown into a little room, where Charles Darnay was soon recruiting -his strength with a good plain dinner and good wine: while Carton sat -opposite to him at the same table, with his separate bottle of port -before him, and his fully half-insolent manner upon him. - -“Do you feel, yet, that you belong to this terrestrial scheme again, Mr. -Darnay?” - -“I am frightfully confused regarding time and place; but I am so far -mended as to feel that.” - -“It must be an immense satisfaction!” - -He said it bitterly, and filled up his glass again: which was a large -one. - -“As to me, the greatest desire I have, is to forget that I belong to it. -It has no good in it for me--except wine like this--nor I for it. So we -are not much alike in that particular. Indeed, I begin to think we are -not much alike in any particular, you and I.” - -Confused by the emotion of the day, and feeling his being there with -this Double of coarse deportment, to be like a dream, Charles Darnay was -at a loss how to answer; finally, answered not at all. - -“Now your dinner is done,” Carton presently said, “why don't you call a -health, Mr. Darnay; why don't you give your toast?” - -“What health? What toast?” - -“Why, it's on the tip of your tongue. It ought to be, it must be, I'll -swear it's there.” - -“Miss Manette, then!” - -“Miss Manette, then!” - -Looking his companion full in the face while he drank the toast, Carton -flung his glass over his shoulder against the wall, where it shivered to -pieces; then, rang the bell, and ordered in another. - -“That's a fair young lady to hand to a coach in the dark, Mr. Darnay!” - he said, filling his new goblet. - -A slight frown and a laconic “Yes,” were the answer. - -“That's a fair young lady to be pitied by and wept for by! How does it -feel? Is it worth being tried for one's life, to be the object of such -sympathy and compassion, Mr. Darnay?” - -Again Darnay answered not a word. - -“She was mightily pleased to have your message, when I gave it her. Not -that she showed she was pleased, but I suppose she was.” - -The allusion served as a timely reminder to Darnay that this -disagreeable companion had, of his own free will, assisted him in the -strait of the day. He turned the dialogue to that point, and thanked him -for it. - -“I neither want any thanks, nor merit any,” was the careless rejoinder. -“It was nothing to do, in the first place; and I don't know why I did -it, in the second. Mr. Darnay, let me ask you a question.” - -“Willingly, and a small return for your good offices.” - -“Do you think I particularly like you?” - -“Really, Mr. Carton,” returned the other, oddly disconcerted, “I have -not asked myself the question.” - -“But ask yourself the question now.” - -“You have acted as if you do; but I don't think you do.” - -“_I_ don't think I do,” said Carton. “I begin to have a very good -opinion of your understanding.” - -“Nevertheless,” pursued Darnay, rising to ring the bell, “there is -nothing in that, I hope, to prevent my calling the reckoning, and our -parting without ill-blood on either side.” - -Carton rejoining, “Nothing in life!” Darnay rang. “Do you call the whole -reckoning?” said Carton. On his answering in the affirmative, “Then -bring me another pint of this same wine, drawer, and come and wake me at -ten.” - -The bill being paid, Charles Darnay rose and wished him good night. -Without returning the wish, Carton rose too, with something of a threat -of defiance in his manner, and said, “A last word, Mr. Darnay: you think -I am drunk?” - -“I think you have been drinking, Mr. Carton.” - -“Think? You know I have been drinking.” - -“Since I must say so, I know it.” - -“Then you shall likewise know why. I am a disappointed drudge, sir. I -care for no man on earth, and no man on earth cares for me.” - -“Much to be regretted. You might have used your talents better.” - -“May be so, Mr. Darnay; may be not. Don't let your sober face elate you, -however; you don't know what it may come to. Good night!” - -When he was left alone, this strange being took up a candle, went to a -glass that hung against the wall, and surveyed himself minutely in it. - -“Do you particularly like the man?” he muttered, at his own image; “why -should you particularly like a man who resembles you? There is nothing -in you to like; you know that. Ah, confound you! What a change you have -made in yourself! A good reason for taking to a man, that he shows you -what you have fallen away from, and what you might have been! Change -places with him, and would you have been looked at by those blue eyes as -he was, and commiserated by that agitated face as he was? Come on, and -have it out in plain words! You hate the fellow.” - -He resorted to his pint of wine for consolation, drank it all in a few -minutes, and fell asleep on his arms, with his hair straggling over the -table, and a long winding-sheet in the candle dripping down upon him. - - - - -V. The Jackal - - -Those were drinking days, and most men drank hard. So very great is -the improvement Time has brought about in such habits, that a moderate -statement of the quantity of wine and punch which one man would swallow -in the course of a night, without any detriment to his reputation as a -perfect gentleman, would seem, in these days, a ridiculous exaggeration. -The learned profession of the law was certainly not behind any other -learned profession in its Bacchanalian propensities; neither was Mr. -Stryver, already fast shouldering his way to a large and lucrative -practice, behind his compeers in this particular, any more than in the -drier parts of the legal race. - -A favourite at the Old Bailey, and eke at the Sessions, Mr. Stryver had -begun cautiously to hew away the lower staves of the ladder on which -he mounted. Sessions and Old Bailey had now to summon their favourite, -specially, to their longing arms; and shouldering itself towards the -visage of the Lord Chief Justice in the Court of King's Bench, the -florid countenance of Mr. Stryver might be daily seen, bursting out of -the bed of wigs, like a great sunflower pushing its way at the sun from -among a rank garden-full of flaring companions. - -It had once been noted at the Bar, that while Mr. Stryver was a glib -man, and an unscrupulous, and a ready, and a bold, he had not that -faculty of extracting the essence from a heap of statements, which is -among the most striking and necessary of the advocate's accomplishments. -But, a remarkable improvement came upon him as to this. The more -business he got, the greater his power seemed to grow of getting at its -pith and marrow; and however late at night he sat carousing with Sydney -Carton, he always had his points at his fingers' ends in the morning. - -Sydney Carton, idlest and most unpromising of men, was Stryver's great -ally. What the two drank together, between Hilary Term and Michaelmas, -might have floated a king's ship. Stryver never had a case in hand, -anywhere, but Carton was there, with his hands in his pockets, staring -at the ceiling of the court; they went the same Circuit, and even there -they prolonged their usual orgies late into the night, and Carton was -rumoured to be seen at broad day, going home stealthily and unsteadily -to his lodgings, like a dissipated cat. At last, it began to get about, -among such as were interested in the matter, that although Sydney Carton -would never be a lion, he was an amazingly good jackal, and that he -rendered suit and service to Stryver in that humble capacity. - -“Ten o'clock, sir,” said the man at the tavern, whom he had charged to -wake him--“ten o'clock, sir.” - -“_What's_ the matter?” - -“Ten o'clock, sir.” - -“What do you mean? Ten o'clock at night?” - -“Yes, sir. Your honour told me to call you.” - -“Oh! I remember. Very well, very well.” - -After a few dull efforts to get to sleep again, which the man -dexterously combated by stirring the fire continuously for five minutes, -he got up, tossed his hat on, and walked out. He turned into the Temple, -and, having revived himself by twice pacing the pavements of King's -Bench-walk and Paper-buildings, turned into the Stryver chambers. - -The Stryver clerk, who never assisted at these conferences, had gone -home, and the Stryver principal opened the door. He had his slippers on, -and a loose bed-gown, and his throat was bare for his greater ease. He -had that rather wild, strained, seared marking about the eyes, which -may be observed in all free livers of his class, from the portrait of -Jeffries downward, and which can be traced, under various disguises of -Art, through the portraits of every Drinking Age. - -“You are a little late, Memory,” said Stryver. - -“About the usual time; it may be a quarter of an hour later.” - -They went into a dingy room lined with books and littered with papers, -where there was a blazing fire. A kettle steamed upon the hob, and in -the midst of the wreck of papers a table shone, with plenty of wine upon -it, and brandy, and rum, and sugar, and lemons. - -“You have had your bottle, I perceive, Sydney.” - -“Two to-night, I think. I have been dining with the day's client; or -seeing him dine--it's all one!” - -“That was a rare point, Sydney, that you brought to bear upon the -identification. How did you come by it? When did it strike you?” - -“I thought he was rather a handsome fellow, and I thought I should have -been much the same sort of fellow, if I had had any luck.” - -Mr. Stryver laughed till he shook his precocious paunch. - -“You and your luck, Sydney! Get to work, get to work.” - -Sullenly enough, the jackal loosened his dress, went into an adjoining -room, and came back with a large jug of cold water, a basin, and a towel -or two. Steeping the towels in the water, and partially wringing them -out, he folded them on his head in a manner hideous to behold, sat down -at the table, and said, “Now I am ready!” - -“Not much boiling down to be done to-night, Memory,” said Mr. Stryver, -gaily, as he looked among his papers. - -“How much?” - -“Only two sets of them.” - -“Give me the worst first.” - -“There they are, Sydney. Fire away!” - -The lion then composed himself on his back on a sofa on one side of the -drinking-table, while the jackal sat at his own paper-bestrewn table -proper, on the other side of it, with the bottles and glasses ready to -his hand. Both resorted to the drinking-table without stint, but each in -a different way; the lion for the most part reclining with his hands in -his waistband, looking at the fire, or occasionally flirting with some -lighter document; the jackal, with knitted brows and intent face, -so deep in his task, that his eyes did not even follow the hand he -stretched out for his glass--which often groped about, for a minute or -more, before it found the glass for his lips. Two or three times, the -matter in hand became so knotty, that the jackal found it imperative on -him to get up, and steep his towels anew. From these pilgrimages to the -jug and basin, he returned with such eccentricities of damp headgear as -no words can describe; which were made the more ludicrous by his anxious -gravity. - -At length the jackal had got together a compact repast for the lion, and -proceeded to offer it to him. The lion took it with care and caution, -made his selections from it, and his remarks upon it, and the jackal -assisted both. When the repast was fully discussed, the lion put his -hands in his waistband again, and lay down to meditate. The jackal then -invigorated himself with a bumper for his throttle, and a fresh application -to his head, and applied himself to the collection of a second meal; -this was administered to the lion in the same manner, and was not -disposed of until the clocks struck three in the morning. - -“And now we have done, Sydney, fill a bumper of punch,” said Mr. -Stryver. - -The jackal removed the towels from his head, which had been steaming -again, shook himself, yawned, shivered, and complied. - -“You were very sound, Sydney, in the matter of those crown witnesses -to-day. Every question told.” - -“I always am sound; am I not?” - -“I don't gainsay it. What has roughened your temper? Put some punch to -it and smooth it again.” - -With a deprecatory grunt, the jackal again complied. - -“The old Sydney Carton of old Shrewsbury School,” said Stryver, nodding -his head over him as he reviewed him in the present and the past, “the -old seesaw Sydney. Up one minute and down the next; now in spirits and -now in despondency!” - -“Ah!” returned the other, sighing: “yes! The same Sydney, with the same -luck. Even then, I did exercises for other boys, and seldom did my own.” - -“And why not?” - -“God knows. It was my way, I suppose.” - -He sat, with his hands in his pockets and his legs stretched out before -him, looking at the fire. - -“Carton,” said his friend, squaring himself at him with a bullying air, -as if the fire-grate had been the furnace in which sustained endeavour -was forged, and the one delicate thing to be done for the old Sydney -Carton of old Shrewsbury School was to shoulder him into it, “your way -is, and always was, a lame way. You summon no energy and purpose. Look -at me.” - -“Oh, botheration!” returned Sydney, with a lighter and more -good-humoured laugh, “don't _you_ be moral!” - -“How have I done what I have done?” said Stryver; “how do I do what I -do?” - -“Partly through paying me to help you, I suppose. But it's not worth -your while to apostrophise me, or the air, about it; what you want to -do, you do. You were always in the front rank, and I was always behind.” - -“I had to get into the front rank; I was not born there, was I?” - -“I was not present at the ceremony; but my opinion is you were,” said -Carton. At this, he laughed again, and they both laughed. - -“Before Shrewsbury, and at Shrewsbury, and ever since Shrewsbury,” - pursued Carton, “you have fallen into your rank, and I have fallen into -mine. Even when we were fellow-students in the Student-Quarter of Paris, -picking up French, and French law, and other French crumbs that we -didn't get much good of, you were always somewhere, and I was always -nowhere.” - -“And whose fault was that?” - -“Upon my soul, I am not sure that it was not yours. You were always -driving and riving and shouldering and passing, to that restless degree -that I had no chance for my life but in rust and repose. It's a gloomy -thing, however, to talk about one's own past, with the day breaking. -Turn me in some other direction before I go.” - -“Well then! Pledge me to the pretty witness,” said Stryver, holding up -his glass. “Are you turned in a pleasant direction?” - -Apparently not, for he became gloomy again. - -“Pretty witness,” he muttered, looking down into his glass. “I have had -enough of witnesses to-day and to-night; who's your pretty witness?” - -“The picturesque doctor's daughter, Miss Manette.” - -“_She_ pretty?” - -“Is she not?” - -“No.” - -“Why, man alive, she was the admiration of the whole Court!” - -“Rot the admiration of the whole Court! Who made the Old Bailey a judge -of beauty? She was a golden-haired doll!” - -“Do you know, Sydney,” said Mr. Stryver, looking at him with sharp eyes, -and slowly drawing a hand across his florid face: “do you know, I rather -thought, at the time, that you sympathised with the golden-haired doll, -and were quick to see what happened to the golden-haired doll?” - -“Quick to see what happened! If a girl, doll or no doll, swoons within a -yard or two of a man's nose, he can see it without a perspective-glass. -I pledge you, but I deny the beauty. And now I'll have no more drink; -I'll get to bed.” - -When his host followed him out on the staircase with a candle, to light -him down the stairs, the day was coldly looking in through its grimy -windows. When he got out of the house, the air was cold and sad, the -dull sky overcast, the river dark and dim, the whole scene like a -lifeless desert. And wreaths of dust were spinning round and round -before the morning blast, as if the desert-sand had risen far away, and -the first spray of it in its advance had begun to overwhelm the city. - -Waste forces within him, and a desert all around, this man stood still -on his way across a silent terrace, and saw for a moment, lying in the -wilderness before him, a mirage of honourable ambition, self-denial, and -perseverance. In the fair city of this vision, there were airy galleries -from which the loves and graces looked upon him, gardens in which the -fruits of life hung ripening, waters of Hope that sparkled in his sight. -A moment, and it was gone. Climbing to a high chamber in a well of -houses, he threw himself down in his clothes on a neglected bed, and its -pillow was wet with wasted tears. - -Sadly, sadly, the sun rose; it rose upon no sadder sight than the man of -good abilities and good emotions, incapable of their directed exercise, -incapable of his own help and his own happiness, sensible of the blight -on him, and resigning himself to let it eat him away. - - - - -VI. Hundreds of People - - -The quiet lodgings of Doctor Manette were in a quiet street-corner not -far from Soho-square. On the afternoon of a certain fine Sunday when the -waves of four months had rolled over the trial for treason, and carried -it, as to the public interest and memory, far out to sea, Mr. Jarvis -Lorry walked along the sunny streets from Clerkenwell where he lived, -on his way to dine with the Doctor. After several relapses into -business-absorption, Mr. Lorry had become the Doctor's friend, and the -quiet street-corner was the sunny part of his life. - -On this certain fine Sunday, Mr. Lorry walked towards Soho, early in -the afternoon, for three reasons of habit. Firstly, because, on fine -Sundays, he often walked out, before dinner, with the Doctor and Lucie; -secondly, because, on unfavourable Sundays, he was accustomed to be with -them as the family friend, talking, reading, looking out of window, and -generally getting through the day; thirdly, because he happened to have -his own little shrewd doubts to solve, and knew how the ways of the -Doctor's household pointed to that time as a likely time for solving -them. - -A quainter corner than the corner where the Doctor lived, was not to be -found in London. There was no way through it, and the front windows of -the Doctor's lodgings commanded a pleasant little vista of street that -had a congenial air of retirement on it. There were few buildings then, -north of the Oxford-road, and forest-trees flourished, and wild flowers -grew, and the hawthorn blossomed, in the now vanished fields. As a -consequence, country airs circulated in Soho with vigorous freedom, -instead of languishing into the parish like stray paupers without a -settlement; and there was many a good south wall, not far off, on which -the peaches ripened in their season. - -The summer light struck into the corner brilliantly in the earlier part -of the day; but, when the streets grew hot, the corner was in shadow, -though not in shadow so remote but that you could see beyond it into a -glare of brightness. It was a cool spot, staid but cheerful, a wonderful -place for echoes, and a very harbour from the raging streets. - -There ought to have been a tranquil bark in such an anchorage, and -there was. The Doctor occupied two floors of a large stiff house, where -several callings purported to be pursued by day, but whereof little was -audible any day, and which was shunned by all of them at night. In -a building at the back, attainable by a courtyard where a plane-tree -rustled its green leaves, church-organs claimed to be made, and silver -to be chased, and likewise gold to be beaten by some mysterious giant -who had a golden arm starting out of the wall of the front hall--as if -he had beaten himself precious, and menaced a similar conversion of all -visitors. Very little of these trades, or of a lonely lodger rumoured -to live up-stairs, or of a dim coach-trimming maker asserted to have -a counting-house below, was ever heard or seen. Occasionally, a stray -workman putting his coat on, traversed the hall, or a stranger peered -about there, or a distant clink was heard across the courtyard, or a -thump from the golden giant. These, however, were only the exceptions -required to prove the rule that the sparrows in the plane-tree behind -the house, and the echoes in the corner before it, had their own way -from Sunday morning unto Saturday night. - -Doctor Manette received such patients here as his old reputation, and -its revival in the floating whispers of his story, brought him. -His scientific knowledge, and his vigilance and skill in conducting -ingenious experiments, brought him otherwise into moderate request, and -he earned as much as he wanted. - -These things were within Mr. Jarvis Lorry's knowledge, thoughts, and -notice, when he rang the door-bell of the tranquil house in the corner, -on the fine Sunday afternoon. - -“Doctor Manette at home?” - -Expected home. - -“Miss Lucie at home?” - -Expected home. - -“Miss Pross at home?” - -Possibly at home, but of a certainty impossible for handmaid to -anticipate intentions of Miss Pross, as to admission or denial of the -fact. - -“As I am at home myself,” said Mr. Lorry, “I'll go upstairs.” - -Although the Doctor's daughter had known nothing of the country of her -birth, she appeared to have innately derived from it that ability to -make much of little means, which is one of its most useful and most -agreeable characteristics. Simple as the furniture was, it was set off -by so many little adornments, of no value but for their taste and fancy, -that its effect was delightful. The disposition of everything in the -rooms, from the largest object to the least; the arrangement of colours, -the elegant variety and contrast obtained by thrift in trifles, by -delicate hands, clear eyes, and good sense; were at once so pleasant in -themselves, and so expressive of their originator, that, as Mr. Lorry -stood looking about him, the very chairs and tables seemed to ask him, -with something of that peculiar expression which he knew so well by this -time, whether he approved? - -There were three rooms on a floor, and, the doors by which they -communicated being put open that the air might pass freely through them -all, Mr. Lorry, smilingly observant of that fanciful resemblance which -he detected all around him, walked from one to another. The first was -the best room, and in it were Lucie's birds, and flowers, and books, -and desk, and work-table, and box of water-colours; the second was -the Doctor's consulting-room, used also as the dining-room; the third, -changingly speckled by the rustle of the plane-tree in the yard, was the -Doctor's bedroom, and there, in a corner, stood the disused shoemaker's -bench and tray of tools, much as it had stood on the fifth floor of the -dismal house by the wine-shop, in the suburb of Saint Antoine in Paris. - -“I wonder,” said Mr. Lorry, pausing in his looking about, “that he keeps -that reminder of his sufferings about him!” - -“And why wonder at that?” was the abrupt inquiry that made him start. - -It proceeded from Miss Pross, the wild red woman, strong of hand, whose -acquaintance he had first made at the Royal George Hotel at Dover, and -had since improved. - -“I should have thought--” Mr. Lorry began. - -“Pooh! You'd have thought!” said Miss Pross; and Mr. Lorry left off. - -“How do you do?” inquired that lady then--sharply, and yet as if to -express that she bore him no malice. - -“I am pretty well, I thank you,” answered Mr. Lorry, with meekness; “how -are you?” - -“Nothing to boast of,” said Miss Pross. - -“Indeed?” - -“Ah! indeed!” said Miss Pross. “I am very much put out about my -Ladybird.” - -“Indeed?” - -“For gracious sake say something else besides 'indeed,' or you'll -fidget me to death,” said Miss Pross: whose character (dissociated from -stature) was shortness. - -“Really, then?” said Mr. Lorry, as an amendment. - -“Really, is bad enough,” returned Miss Pross, “but better. Yes, I am -very much put out.” - -“May I ask the cause?” - -“I don't want dozens of people who are not at all worthy of Ladybird, to -come here looking after her,” said Miss Pross. - -“_Do_ dozens come for that purpose?” - -“Hundreds,” said Miss Pross. - -It was characteristic of this lady (as of some other people before her -time and since) that whenever her original proposition was questioned, -she exaggerated it. - -“Dear me!” said Mr. Lorry, as the safest remark he could think of. - -“I have lived with the darling--or the darling has lived with me, and -paid me for it; which she certainly should never have done, you may take -your affidavit, if I could have afforded to keep either myself or her -for nothing--since she was ten years old. And it's really very hard,” - said Miss Pross. - -Not seeing with precision what was very hard, Mr. Lorry shook his head; -using that important part of himself as a sort of fairy cloak that would -fit anything. - -“All sorts of people who are not in the least degree worthy of the pet, -are always turning up,” said Miss Pross. “When you began it--” - -“_I_ began it, Miss Pross?” - -“Didn't you? Who brought her father to life?” - -“Oh! If _that_ was beginning it--” said Mr. Lorry. - -“It wasn't ending it, I suppose? I say, when you began it, it was hard -enough; not that I have any fault to find with Doctor Manette, except -that he is not worthy of such a daughter, which is no imputation on -him, for it was not to be expected that anybody should be, under any -circumstances. But it really is doubly and trebly hard to have crowds -and multitudes of people turning up after him (I could have forgiven -him), to take Ladybird's affections away from me.” - -Mr. Lorry knew Miss Pross to be very jealous, but he also knew her by -this time to be, beneath the service of her eccentricity, one of those -unselfish creatures--found only among women--who will, for pure love and -admiration, bind themselves willing slaves, to youth when they have lost -it, to beauty that they never had, to accomplishments that they were -never fortunate enough to gain, to bright hopes that never shone upon -their own sombre lives. He knew enough of the world to know that there -is nothing in it better than the faithful service of the heart; so -rendered and so free from any mercenary taint, he had such an exalted -respect for it, that in the retributive arrangements made by his own -mind--we all make such arrangements, more or less--he stationed Miss -Pross much nearer to the lower Angels than many ladies immeasurably -better got up both by Nature and Art, who had balances at Tellson's. - -“There never was, nor will be, but one man worthy of Ladybird,” said -Miss Pross; “and that was my brother Solomon, if he hadn't made a -mistake in life.” - -Here again: Mr. Lorry's inquiries into Miss Pross's personal history had -established the fact that her brother Solomon was a heartless scoundrel -who had stripped her of everything she possessed, as a stake to -speculate with, and had abandoned her in her poverty for evermore, with -no touch of compunction. Miss Pross's fidelity of belief in Solomon -(deducting a mere trifle for this slight mistake) was quite a serious -matter with Mr. Lorry, and had its weight in his good opinion of her. - -“As we happen to be alone for the moment, and are both people of -business,” he said, when they had got back to the drawing-room and had -sat down there in friendly relations, “let me ask you--does the Doctor, -in talking with Lucie, never refer to the shoemaking time, yet?” - -“Never.” - -“And yet keeps that bench and those tools beside him?” - -“Ah!” returned Miss Pross, shaking her head. “But I don't say he don't -refer to it within himself.” - -“Do you believe that he thinks of it much?” - -“I do,” said Miss Pross. - -“Do you imagine--” Mr. Lorry had begun, when Miss Pross took him up -short with: - -“Never imagine anything. Have no imagination at all.” - -“I stand corrected; do you suppose--you go so far as to suppose, -sometimes?” - -“Now and then,” said Miss Pross. - -“Do you suppose,” Mr. Lorry went on, with a laughing twinkle in his -bright eye, as it looked kindly at her, “that Doctor Manette has any -theory of his own, preserved through all those years, relative to -the cause of his being so oppressed; perhaps, even to the name of his -oppressor?” - -“I don't suppose anything about it but what Ladybird tells me.” - -“And that is--?” - -“That she thinks he has.” - -“Now don't be angry at my asking all these questions; because I am a -mere dull man of business, and you are a woman of business.” - -“Dull?” Miss Pross inquired, with placidity. - -Rather wishing his modest adjective away, Mr. Lorry replied, “No, no, -no. Surely not. To return to business:--Is it not remarkable that Doctor -Manette, unquestionably innocent of any crime as we are all well assured -he is, should never touch upon that question? I will not say with me, -though he had business relations with me many years ago, and we are now -intimate; I will say with the fair daughter to whom he is so devotedly -attached, and who is so devotedly attached to him? Believe me, Miss -Pross, I don't approach the topic with you, out of curiosity, but out of -zealous interest.” - -“Well! To the best of my understanding, and bad's the best, you'll tell -me,” said Miss Pross, softened by the tone of the apology, “he is afraid -of the whole subject.” - -“Afraid?” - -“It's plain enough, I should think, why he may be. It's a dreadful -remembrance. Besides that, his loss of himself grew out of it. Not -knowing how he lost himself, or how he recovered himself, he may never -feel certain of not losing himself again. That alone wouldn't make the -subject pleasant, I should think.” - -It was a profounder remark than Mr. Lorry had looked for. “True,” said -he, “and fearful to reflect upon. Yet, a doubt lurks in my mind, Miss -Pross, whether it is good for Doctor Manette to have that suppression -always shut up within him. Indeed, it is this doubt and the uneasiness -it sometimes causes me that has led me to our present confidence.” - -“Can't be helped,” said Miss Pross, shaking her head. “Touch that -string, and he instantly changes for the worse. Better leave it alone. -In short, must leave it alone, like or no like. Sometimes, he gets up in -the dead of the night, and will be heard, by us overhead there, walking -up and down, walking up and down, in his room. Ladybird has learnt to -know then that his mind is walking up and down, walking up and down, in -his old prison. She hurries to him, and they go on together, walking up -and down, walking up and down, until he is composed. But he never says -a word of the true reason of his restlessness, to her, and she finds it -best not to hint at it to him. In silence they go walking up and down -together, walking up and down together, till her love and company have -brought him to himself.” - -Notwithstanding Miss Pross's denial of her own imagination, there was a -perception of the pain of being monotonously haunted by one sad idea, -in her repetition of the phrase, walking up and down, which testified to -her possessing such a thing. - -The corner has been mentioned as a wonderful corner for echoes; it -had begun to echo so resoundingly to the tread of coming feet, that it -seemed as though the very mention of that weary pacing to and fro had -set it going. - -“Here they are!” said Miss Pross, rising to break up the conference; -“and now we shall have hundreds of people pretty soon!” - -It was such a curious corner in its acoustical properties, such a -peculiar Ear of a place, that as Mr. Lorry stood at the open window, -looking for the father and daughter whose steps he heard, he fancied -they would never approach. Not only would the echoes die away, as though -the steps had gone; but, echoes of other steps that never came would be -heard in their stead, and would die away for good when they seemed close -at hand. However, father and daughter did at last appear, and Miss Pross -was ready at the street door to receive them. - -Miss Pross was a pleasant sight, albeit wild, and red, and grim, taking -off her darling's bonnet when she came up-stairs, and touching it up -with the ends of her handkerchief, and blowing the dust off it, and -folding her mantle ready for laying by, and smoothing her rich hair with -as much pride as she could possibly have taken in her own hair if she -had been the vainest and handsomest of women. Her darling was a pleasant -sight too, embracing her and thanking her, and protesting against -her taking so much trouble for her--which last she only dared to do -playfully, or Miss Pross, sorely hurt, would have retired to her own -chamber and cried. The Doctor was a pleasant sight too, looking on at -them, and telling Miss Pross how she spoilt Lucie, in accents and with -eyes that had as much spoiling in them as Miss Pross had, and would -have had more if it were possible. Mr. Lorry was a pleasant sight too, -beaming at all this in his little wig, and thanking his bachelor -stars for having lighted him in his declining years to a Home. But, no -Hundreds of people came to see the sights, and Mr. Lorry looked in vain -for the fulfilment of Miss Pross's prediction. - -Dinner-time, and still no Hundreds of people. In the arrangements of -the little household, Miss Pross took charge of the lower regions, and -always acquitted herself marvellously. Her dinners, of a very modest -quality, were so well cooked and so well served, and so neat in their -contrivances, half English and half French, that nothing could be -better. Miss Pross's friendship being of the thoroughly practical -kind, she had ravaged Soho and the adjacent provinces, in search of -impoverished French, who, tempted by shillings and half-crowns, would -impart culinary mysteries to her. From these decayed sons and daughters -of Gaul, she had acquired such wonderful arts, that the woman and girl -who formed the staff of domestics regarded her as quite a Sorceress, -or Cinderella's Godmother: who would send out for a fowl, a rabbit, -a vegetable or two from the garden, and change them into anything she -pleased. - -On Sundays, Miss Pross dined at the Doctor's table, but on other days -persisted in taking her meals at unknown periods, either in the lower -regions, or in her own room on the second floor--a blue chamber, to -which no one but her Ladybird ever gained admittance. On this occasion, -Miss Pross, responding to Ladybird's pleasant face and pleasant efforts -to please her, unbent exceedingly; so the dinner was very pleasant, too. - -It was an oppressive day, and, after dinner, Lucie proposed that the -wine should be carried out under the plane-tree, and they should sit -there in the air. As everything turned upon her, and revolved about her, -they went out under the plane-tree, and she carried the wine down for -the special benefit of Mr. Lorry. She had installed herself, some -time before, as Mr. Lorry's cup-bearer; and while they sat under the -plane-tree, talking, she kept his glass replenished. Mysterious backs -and ends of houses peeped at them as they talked, and the plane-tree -whispered to them in its own way above their heads. - -Still, the Hundreds of people did not present themselves. Mr. Darnay -presented himself while they were sitting under the plane-tree, but he -was only One. - -Doctor Manette received him kindly, and so did Lucie. But, Miss Pross -suddenly became afflicted with a twitching in the head and body, and -retired into the house. She was not unfrequently the victim of this -disorder, and she called it, in familiar conversation, “a fit of the -jerks.” - -The Doctor was in his best condition, and looked specially young. The -resemblance between him and Lucie was very strong at such times, and as -they sat side by side, she leaning on his shoulder, and he resting -his arm on the back of her chair, it was very agreeable to trace the -likeness. - -He had been talking all day, on many subjects, and with unusual -vivacity. “Pray, Doctor Manette,” said Mr. Darnay, as they sat under the -plane-tree--and he said it in the natural pursuit of the topic in hand, -which happened to be the old buildings of London--“have you seen much of -the Tower?” - -“Lucie and I have been there; but only casually. We have seen enough of -it, to know that it teems with interest; little more.” - -“_I_ have been there, as you remember,” said Darnay, with a smile, -though reddening a little angrily, “in another character, and not in a -character that gives facilities for seeing much of it. They told me a -curious thing when I was there.” - -“What was that?” Lucie asked. - -“In making some alterations, the workmen came upon an old dungeon, which -had been, for many years, built up and forgotten. Every stone of -its inner wall was covered by inscriptions which had been carved by -prisoners--dates, names, complaints, and prayers. Upon a corner stone -in an angle of the wall, one prisoner, who seemed to have gone to -execution, had cut as his last work, three letters. They were done with -some very poor instrument, and hurriedly, with an unsteady hand. -At first, they were read as D. I. C.; but, on being more carefully -examined, the last letter was found to be G. There was no record or -legend of any prisoner with those initials, and many fruitless guesses -were made what the name could have been. At length, it was suggested -that the letters were not initials, but the complete word, DIG. The -floor was examined very carefully under the inscription, and, in the -earth beneath a stone, or tile, or some fragment of paving, were found -the ashes of a paper, mingled with the ashes of a small leathern case -or bag. What the unknown prisoner had written will never be read, but he -had written something, and hidden it away to keep it from the gaoler.” - -“My father,” exclaimed Lucie, “you are ill!” - -He had suddenly started up, with his hand to his head. His manner and -his look quite terrified them all. - -“No, my dear, not ill. There are large drops of rain falling, and they -made me start. We had better go in.” - -He recovered himself almost instantly. Rain was really falling in large -drops, and he showed the back of his hand with rain-drops on it. But, he -said not a single word in reference to the discovery that had been told -of, and, as they went into the house, the business eye of Mr. Lorry -either detected, or fancied it detected, on his face, as it turned -towards Charles Darnay, the same singular look that had been upon it -when it turned towards him in the passages of the Court House. - -He recovered himself so quickly, however, that Mr. Lorry had doubts of -his business eye. The arm of the golden giant in the hall was not more -steady than he was, when he stopped under it to remark to them that he -was not yet proof against slight surprises (if he ever would be), and -that the rain had startled him. - -Tea-time, and Miss Pross making tea, with another fit of the jerks upon -her, and yet no Hundreds of people. Mr. Carton had lounged in, but he -made only Two. - -The night was so very sultry, that although they sat with doors and -windows open, they were overpowered by heat. When the tea-table was -done with, they all moved to one of the windows, and looked out into the -heavy twilight. Lucie sat by her father; Darnay sat beside her; Carton -leaned against a window. The curtains were long and white, and some of -the thunder-gusts that whirled into the corner, caught them up to the -ceiling, and waved them like spectral wings. - -“The rain-drops are still falling, large, heavy, and few,” said Doctor -Manette. “It comes slowly.” - -“It comes surely,” said Carton. - -They spoke low, as people watching and waiting mostly do; as people in a -dark room, watching and waiting for Lightning, always do. - -There was a great hurry in the streets of people speeding away to -get shelter before the storm broke; the wonderful corner for echoes -resounded with the echoes of footsteps coming and going, yet not a -footstep was there. - -“A multitude of people, and yet a solitude!” said Darnay, when they had -listened for a while. - -“Is it not impressive, Mr. Darnay?” asked Lucie. “Sometimes, I have -sat here of an evening, until I have fancied--but even the shade of -a foolish fancy makes me shudder to-night, when all is so black and -solemn--” - -“Let us shudder too. We may know what it is.” - -“It will seem nothing to you. Such whims are only impressive as we -originate them, I think; they are not to be communicated. I have -sometimes sat alone here of an evening, listening, until I have made -the echoes out to be the echoes of all the footsteps that are coming -by-and-bye into our lives.” - -“There is a great crowd coming one day into our lives, if that be so,” - Sydney Carton struck in, in his moody way. - -The footsteps were incessant, and the hurry of them became more and more -rapid. The corner echoed and re-echoed with the tread of feet; some, -as it seemed, under the windows; some, as it seemed, in the room; some -coming, some going, some breaking off, some stopping altogether; all in -the distant streets, and not one within sight. - -“Are all these footsteps destined to come to all of us, Miss Manette, or -are we to divide them among us?” - -“I don't know, Mr. Darnay; I told you it was a foolish fancy, but you -asked for it. When I have yielded myself to it, I have been alone, and -then I have imagined them the footsteps of the people who are to come -into my life, and my father's.” - -“I take them into mine!” said Carton. “_I_ ask no questions and make no -stipulations. There is a great crowd bearing down upon us, Miss Manette, -and I see them--by the Lightning.” He added the last words, after there -had been a vivid flash which had shown him lounging in the window. - -“And I hear them!” he added again, after a peal of thunder. “Here they -come, fast, fierce, and furious!” - -It was the rush and roar of rain that he typified, and it stopped him, -for no voice could be heard in it. A memorable storm of thunder and -lightning broke with that sweep of water, and there was not a moment's -interval in crash, and fire, and rain, until after the moon rose at -midnight. - -The great bell of Saint Paul's was striking one in the cleared air, when -Mr. Lorry, escorted by Jerry, high-booted and bearing a lantern, set -forth on his return-passage to Clerkenwell. There were solitary patches -of road on the way between Soho and Clerkenwell, and Mr. Lorry, mindful -of foot-pads, always retained Jerry for this service: though it was -usually performed a good two hours earlier. - -“What a night it has been! Almost a night, Jerry,” said Mr. Lorry, “to -bring the dead out of their graves.” - -“I never see the night myself, master--nor yet I don't expect to--what -would do that,” answered Jerry. - -“Good night, Mr. Carton,” said the man of business. “Good night, Mr. -Darnay. Shall we ever see such a night again, together!” - -Perhaps. Perhaps, see the great crowd of people with its rush and roar, -bearing down upon them, too. - - - - -VII. Monseigneur in Town - - -Monseigneur, one of the great lords in power at the Court, held his -fortnightly reception in his grand hotel in Paris. Monseigneur was in -his inner room, his sanctuary of sanctuaries, the Holiest of Holiests to -the crowd of worshippers in the suite of rooms without. Monseigneur -was about to take his chocolate. Monseigneur could swallow a great many -things with ease, and was by some few sullen minds supposed to be rather -rapidly swallowing France; but, his morning's chocolate could not so -much as get into the throat of Monseigneur, without the aid of four -strong men besides the Cook. - -Yes. It took four men, all four ablaze with gorgeous decoration, and the -Chief of them unable to exist with fewer than two gold watches in his -pocket, emulative of the noble and chaste fashion set by Monseigneur, to -conduct the happy chocolate to Monseigneur's lips. One lacquey carried -the chocolate-pot into the sacred presence; a second, milled and frothed -the chocolate with the little instrument he bore for that function; -a third, presented the favoured napkin; a fourth (he of the two gold -watches), poured the chocolate out. It was impossible for Monseigneur to -dispense with one of these attendants on the chocolate and hold his high -place under the admiring Heavens. Deep would have been the blot upon -his escutcheon if his chocolate had been ignobly waited on by only three -men; he must have died of two. - -Monseigneur had been out at a little supper last night, where the Comedy -and the Grand Opera were charmingly represented. Monseigneur was out at -a little supper most nights, with fascinating company. So polite and so -impressible was Monseigneur, that the Comedy and the Grand Opera had far -more influence with him in the tiresome articles of state affairs and -state secrets, than the needs of all France. A happy circumstance -for France, as the like always is for all countries similarly -favoured!--always was for England (by way of example), in the regretted -days of the merry Stuart who sold it. - -Monseigneur had one truly noble idea of general public business, which -was, to let everything go on in its own way; of particular public -business, Monseigneur had the other truly noble idea that it must all go -his way--tend to his own power and pocket. Of his pleasures, general and -particular, Monseigneur had the other truly noble idea, that the world -was made for them. The text of his order (altered from the original -by only a pronoun, which is not much) ran: “The earth and the fulness -thereof are mine, saith Monseigneur.” - -Yet, Monseigneur had slowly found that vulgar embarrassments crept into -his affairs, both private and public; and he had, as to both classes of -affairs, allied himself perforce with a Farmer-General. As to finances -public, because Monseigneur could not make anything at all of them, and -must consequently let them out to somebody who could; as to finances -private, because Farmer-Generals were rich, and Monseigneur, after -generations of great luxury and expense, was growing poor. Hence -Monseigneur had taken his sister from a convent, while there was yet -time to ward off the impending veil, the cheapest garment she could -wear, and had bestowed her as a prize upon a very rich Farmer-General, -poor in family. Which Farmer-General, carrying an appropriate cane with -a golden apple on the top of it, was now among the company in the outer -rooms, much prostrated before by mankind--always excepting superior -mankind of the blood of Monseigneur, who, his own wife included, looked -down upon him with the loftiest contempt. - -A sumptuous man was the Farmer-General. Thirty horses stood in his -stables, twenty-four male domestics sat in his halls, six body-women -waited on his wife. As one who pretended to do nothing but plunder and -forage where he could, the Farmer-General--howsoever his matrimonial -relations conduced to social morality--was at least the greatest reality -among the personages who attended at the hotel of Monseigneur that day. - -For, the rooms, though a beautiful scene to look at, and adorned with -every device of decoration that the taste and skill of the time could -achieve, were, in truth, not a sound business; considered with any -reference to the scarecrows in the rags and nightcaps elsewhere (and not -so far off, either, but that the watching towers of Notre Dame, almost -equidistant from the two extremes, could see them both), they would -have been an exceedingly uncomfortable business--if that could have -been anybody's business, at the house of Monseigneur. Military officers -destitute of military knowledge; naval officers with no idea of a ship; -civil officers without a notion of affairs; brazen ecclesiastics, of the -worst world worldly, with sensual eyes, loose tongues, and looser lives; -all totally unfit for their several callings, all lying horribly in -pretending to belong to them, but all nearly or remotely of the order of -Monseigneur, and therefore foisted on all public employments from which -anything was to be got; these were to be told off by the score and the -score. People not immediately connected with Monseigneur or the State, -yet equally unconnected with anything that was real, or with lives -passed in travelling by any straight road to any true earthly end, were -no less abundant. Doctors who made great fortunes out of dainty remedies -for imaginary disorders that never existed, smiled upon their courtly -patients in the ante-chambers of Monseigneur. Projectors who had -discovered every kind of remedy for the little evils with which the -State was touched, except the remedy of setting to work in earnest to -root out a single sin, poured their distracting babble into any ears -they could lay hold of, at the reception of Monseigneur. Unbelieving -Philosophers who were remodelling the world with words, and making -card-towers of Babel to scale the skies with, talked with Unbelieving -Chemists who had an eye on the transmutation of metals, at this -wonderful gathering accumulated by Monseigneur. Exquisite gentlemen of -the finest breeding, which was at that remarkable time--and has been -since--to be known by its fruits of indifference to every natural -subject of human interest, were in the most exemplary state of -exhaustion, at the hotel of Monseigneur. Such homes had these various -notabilities left behind them in the fine world of Paris, that the spies -among the assembled devotees of Monseigneur--forming a goodly half -of the polite company--would have found it hard to discover among -the angels of that sphere one solitary wife, who, in her manners and -appearance, owned to being a Mother. Indeed, except for the mere act of -bringing a troublesome creature into this world--which does not go far -towards the realisation of the name of mother--there was no such thing -known to the fashion. Peasant women kept the unfashionable babies close, -and brought them up, and charming grandmammas of sixty dressed and -supped as at twenty. - -The leprosy of unreality disfigured every human creature in attendance -upon Monseigneur. In the outermost room were half a dozen exceptional -people who had had, for a few years, some vague misgiving in them that -things in general were going rather wrong. As a promising way of setting -them right, half of the half-dozen had become members of a fantastic -sect of Convulsionists, and were even then considering within themselves -whether they should foam, rage, roar, and turn cataleptic on the -spot--thereby setting up a highly intelligible finger-post to the -Future, for Monseigneur's guidance. Besides these Dervishes, were other -three who had rushed into another sect, which mended matters with a -jargon about “the Centre of Truth:” holding that Man had got out of the -Centre of Truth--which did not need much demonstration--but had not got -out of the Circumference, and that he was to be kept from flying out of -the Circumference, and was even to be shoved back into the Centre, -by fasting and seeing of spirits. Among these, accordingly, much -discoursing with spirits went on--and it did a world of good which never -became manifest. - -But, the comfort was, that all the company at the grand hotel of -Monseigneur were perfectly dressed. If the Day of Judgment had only been -ascertained to be a dress day, everybody there would have been eternally -correct. Such frizzling and powdering and sticking up of hair, such -delicate complexions artificially preserved and mended, such gallant -swords to look at, and such delicate honour to the sense of smell, would -surely keep anything going, for ever and ever. The exquisite gentlemen -of the finest breeding wore little pendent trinkets that chinked as they -languidly moved; these golden fetters rang like precious little bells; -and what with that ringing, and with the rustle of silk and brocade and -fine linen, there was a flutter in the air that fanned Saint Antoine and -his devouring hunger far away. - -Dress was the one unfailing talisman and charm used for keeping all -things in their places. Everybody was dressed for a Fancy Ball that -was never to leave off. From the Palace of the Tuileries, through -Monseigneur and the whole Court, through the Chambers, the Tribunals -of Justice, and all society (except the scarecrows), the Fancy Ball -descended to the Common Executioner: who, in pursuance of the charm, was -required to officiate “frizzled, powdered, in a gold-laced coat, pumps, -and white silk stockings.” At the gallows and the wheel--the axe was a -rarity--Monsieur Paris, as it was the episcopal mode among his brother -Professors of the provinces, Monsieur Orleans, and the rest, to call -him, presided in this dainty dress. And who among the company at -Monseigneur's reception in that seventeen hundred and eightieth year -of our Lord, could possibly doubt, that a system rooted in a frizzled -hangman, powdered, gold-laced, pumped, and white-silk stockinged, would -see the very stars out! - -Monseigneur having eased his four men of their burdens and taken his -chocolate, caused the doors of the Holiest of Holiests to be thrown -open, and issued forth. Then, what submission, what cringing and -fawning, what servility, what abject humiliation! As to bowing down in -body and spirit, nothing in that way was left for Heaven--which may have -been one among other reasons why the worshippers of Monseigneur never -troubled it. - -Bestowing a word of promise here and a smile there, a whisper on one -happy slave and a wave of the hand on another, Monseigneur affably -passed through his rooms to the remote region of the Circumference of -Truth. There, Monseigneur turned, and came back again, and so in due -course of time got himself shut up in his sanctuary by the chocolate -sprites, and was seen no more. - -The show being over, the flutter in the air became quite a little storm, -and the precious little bells went ringing downstairs. There was soon -but one person left of all the crowd, and he, with his hat under his arm -and his snuff-box in his hand, slowly passed among the mirrors on his -way out. - -“I devote you,” said this person, stopping at the last door on his way, -and turning in the direction of the sanctuary, “to the Devil!” - -With that, he shook the snuff from his fingers as if he had shaken the -dust from his feet, and quietly walked downstairs. - -He was a man of about sixty, handsomely dressed, haughty in manner, and -with a face like a fine mask. A face of a transparent paleness; every -feature in it clearly defined; one set expression on it. The nose, -beautifully formed otherwise, was very slightly pinched at the top -of each nostril. In those two compressions, or dints, the only little -change that the face ever showed, resided. They persisted in changing -colour sometimes, and they would be occasionally dilated and contracted -by something like a faint pulsation; then, they gave a look of -treachery, and cruelty, to the whole countenance. Examined with -attention, its capacity of helping such a look was to be found in the -line of the mouth, and the lines of the orbits of the eyes, being much -too horizontal and thin; still, in the effect of the face made, it was a -handsome face, and a remarkable one. - -Its owner went downstairs into the courtyard, got into his carriage, and -drove away. Not many people had talked with him at the reception; he had -stood in a little space apart, and Monseigneur might have been warmer -in his manner. It appeared, under the circumstances, rather agreeable -to him to see the common people dispersed before his horses, and -often barely escaping from being run down. His man drove as if he were -charging an enemy, and the furious recklessness of the man brought no -check into the face, or to the lips, of the master. The complaint had -sometimes made itself audible, even in that deaf city and dumb age, -that, in the narrow streets without footways, the fierce patrician -custom of hard driving endangered and maimed the mere vulgar in a -barbarous manner. But, few cared enough for that to think of it a second -time, and, in this matter, as in all others, the common wretches were -left to get out of their difficulties as they could. - -With a wild rattle and clatter, and an inhuman abandonment of -consideration not easy to be understood in these days, the carriage -dashed through streets and swept round corners, with women screaming -before it, and men clutching each other and clutching children out of -its way. At last, swooping at a street corner by a fountain, one of its -wheels came to a sickening little jolt, and there was a loud cry from a -number of voices, and the horses reared and plunged. - -But for the latter inconvenience, the carriage probably would not have -stopped; carriages were often known to drive on, and leave their wounded -behind, and why not? But the frightened valet had got down in a hurry, -and there were twenty hands at the horses' bridles. - -“What has gone wrong?” said Monsieur, calmly looking out. - -A tall man in a nightcap had caught up a bundle from among the feet of -the horses, and had laid it on the basement of the fountain, and was -down in the mud and wet, howling over it like a wild animal. - -“Pardon, Monsieur the Marquis!” said a ragged and submissive man, “it is -a child.” - -“Why does he make that abominable noise? Is it his child?” - -“Excuse me, Monsieur the Marquis--it is a pity--yes.” - -The fountain was a little removed; for the street opened, where it was, -into a space some ten or twelve yards square. As the tall man suddenly -got up from the ground, and came running at the carriage, Monsieur the -Marquis clapped his hand for an instant on his sword-hilt. - -“Killed!” shrieked the man, in wild desperation, extending both arms at -their length above his head, and staring at him. “Dead!” - -The people closed round, and looked at Monsieur the Marquis. There was -nothing revealed by the many eyes that looked at him but watchfulness -and eagerness; there was no visible menacing or anger. Neither did the -people say anything; after the first cry, they had been silent, and they -remained so. The voice of the submissive man who had spoken, was flat -and tame in its extreme submission. Monsieur the Marquis ran his eyes -over them all, as if they had been mere rats come out of their holes. - -He took out his purse. - -“It is extraordinary to me,” said he, “that you people cannot take care -of yourselves and your children. One or the other of you is for ever in -the way. How do I know what injury you have done my horses. See! Give -him that.” - -He threw out a gold coin for the valet to pick up, and all the heads -craned forward that all the eyes might look down at it as it fell. The -tall man called out again with a most unearthly cry, “Dead!” - -He was arrested by the quick arrival of another man, for whom the rest -made way. On seeing him, the miserable creature fell upon his shoulder, -sobbing and crying, and pointing to the fountain, where some women were -stooping over the motionless bundle, and moving gently about it. They -were as silent, however, as the men. - -“I know all, I know all,” said the last comer. “Be a brave man, my -Gaspard! It is better for the poor little plaything to die so, than to -live. It has died in a moment without pain. Could it have lived an hour -as happily?” - -“You are a philosopher, you there,” said the Marquis, smiling. “How do -they call you?” - -“They call me Defarge.” - -“Of what trade?” - -“Monsieur the Marquis, vendor of wine.” - -“Pick up that, philosopher and vendor of wine,” said the Marquis, -throwing him another gold coin, “and spend it as you will. The horses -there; are they right?” - -Without deigning to look at the assemblage a second time, Monsieur the -Marquis leaned back in his seat, and was just being driven away with the -air of a gentleman who had accidentally broke some common thing, and had -paid for it, and could afford to pay for it; when his ease was suddenly -disturbed by a coin flying into his carriage, and ringing on its floor. - -“Hold!” said Monsieur the Marquis. “Hold the horses! Who threw that?” - -He looked to the spot where Defarge the vendor of wine had stood, a -moment before; but the wretched father was grovelling on his face on -the pavement in that spot, and the figure that stood beside him was the -figure of a dark stout woman, knitting. - -“You dogs!” said the Marquis, but smoothly, and with an unchanged front, -except as to the spots on his nose: “I would ride over any of you very -willingly, and exterminate you from the earth. If I knew which rascal -threw at the carriage, and if that brigand were sufficiently near it, he -should be crushed under the wheels.” - -So cowed was their condition, and so long and hard their experience of -what such a man could do to them, within the law and beyond it, that not -a voice, or a hand, or even an eye was raised. Among the men, not one. -But the woman who stood knitting looked up steadily, and looked the -Marquis in the face. It was not for his dignity to notice it; his -contemptuous eyes passed over her, and over all the other rats; and he -leaned back in his seat again, and gave the word “Go on!” - -He was driven on, and other carriages came whirling by in quick -succession; the Minister, the State-Projector, the Farmer-General, the -Doctor, the Lawyer, the Ecclesiastic, the Grand Opera, the Comedy, the -whole Fancy Ball in a bright continuous flow, came whirling by. The rats -had crept out of their holes to look on, and they remained looking -on for hours; soldiers and police often passing between them and the -spectacle, and making a barrier behind which they slunk, and through -which they peeped. The father had long ago taken up his bundle and -bidden himself away with it, when the women who had tended the bundle -while it lay on the base of the fountain, sat there watching the running -of the water and the rolling of the Fancy Ball--when the one woman who -had stood conspicuous, knitting, still knitted on with the steadfastness -of Fate. The water of the fountain ran, the swift river ran, the day ran -into evening, so much life in the city ran into death according to rule, -time and tide waited for no man, the rats were sleeping close together -in their dark holes again, the Fancy Ball was lighted up at supper, all -things ran their course. - - - - -VIII. Monseigneur in the Country - - -A beautiful landscape, with the corn bright in it, but not abundant. -Patches of poor rye where corn should have been, patches of poor peas -and beans, patches of most coarse vegetable substitutes for wheat. On -inanimate nature, as on the men and women who cultivated it, a prevalent -tendency towards an appearance of vegetating unwillingly--a dejected -disposition to give up, and wither away. - -Monsieur the Marquis in his travelling carriage (which might have been -lighter), conducted by four post-horses and two postilions, fagged up -a steep hill. A blush on the countenance of Monsieur the Marquis was -no impeachment of his high breeding; it was not from within; it was -occasioned by an external circumstance beyond his control--the setting -sun. - -The sunset struck so brilliantly into the travelling carriage when it -gained the hill-top, that its occupant was steeped in crimson. “It will -die out,” said Monsieur the Marquis, glancing at his hands, “directly.” - -In effect, the sun was so low that it dipped at the moment. When the -heavy drag had been adjusted to the wheel, and the carriage slid down -hill, with a cinderous smell, in a cloud of dust, the red glow departed -quickly; the sun and the Marquis going down together, there was no glow -left when the drag was taken off. - -But, there remained a broken country, bold and open, a little village -at the bottom of the hill, a broad sweep and rise beyond it, a -church-tower, a windmill, a forest for the chase, and a crag with a -fortress on it used as a prison. Round upon all these darkening objects -as the night drew on, the Marquis looked, with the air of one who was -coming near home. - -The village had its one poor street, with its poor brewery, poor -tannery, poor tavern, poor stable-yard for relays of post-horses, poor -fountain, all usual poor appointments. It had its poor people too. All -its people were poor, and many of them were sitting at their doors, -shredding spare onions and the like for supper, while many were at the -fountain, washing leaves, and grasses, and any such small yieldings of -the earth that could be eaten. Expressive signs of what made them poor, -were not wanting; the tax for the state, the tax for the church, the tax -for the lord, tax local and tax general, were to be paid here and to be -paid there, according to solemn inscription in the little village, until -the wonder was, that there was any village left unswallowed. - -Few children were to be seen, and no dogs. As to the men and women, -their choice on earth was stated in the prospect--Life on the lowest -terms that could sustain it, down in the little village under the mill; -or captivity and Death in the dominant prison on the crag. - -Heralded by a courier in advance, and by the cracking of his postilions' -whips, which twined snake-like about their heads in the evening air, as -if he came attended by the Furies, Monsieur the Marquis drew up in -his travelling carriage at the posting-house gate. It was hard by the -fountain, and the peasants suspended their operations to look at him. -He looked at them, and saw in them, without knowing it, the slow -sure filing down of misery-worn face and figure, that was to make the -meagreness of Frenchmen an English superstition which should survive the -truth through the best part of a hundred years. - -Monsieur the Marquis cast his eyes over the submissive faces that -drooped before him, as the like of himself had drooped before -Monseigneur of the Court--only the difference was, that these faces -drooped merely to suffer and not to propitiate--when a grizzled mender -of the roads joined the group. - -“Bring me hither that fellow!” said the Marquis to the courier. - -The fellow was brought, cap in hand, and the other fellows closed round -to look and listen, in the manner of the people at the Paris fountain. - -“I passed you on the road?” - -“Monseigneur, it is true. I had the honour of being passed on the road.” - -“Coming up the hill, and at the top of the hill, both?” - -“Monseigneur, it is true.” - -“What did you look at, so fixedly?” - -“Monseigneur, I looked at the man.” - -He stooped a little, and with his tattered blue cap pointed under the -carriage. All his fellows stooped to look under the carriage. - -“What man, pig? And why look there?” - -“Pardon, Monseigneur; he swung by the chain of the shoe--the drag.” - -“Who?” demanded the traveller. - -“Monseigneur, the man.” - -“May the Devil carry away these idiots! How do you call the man? You -know all the men of this part of the country. Who was he?” - -“Your clemency, Monseigneur! He was not of this part of the country. Of -all the days of my life, I never saw him.” - -“Swinging by the chain? To be suffocated?” - -“With your gracious permission, that was the wonder of it, Monseigneur. -His head hanging over--like this!” - -He turned himself sideways to the carriage, and leaned back, with his -face thrown up to the sky, and his head hanging down; then recovered -himself, fumbled with his cap, and made a bow. - -“What was he like?” - -“Monseigneur, he was whiter than the miller. All covered with dust, -white as a spectre, tall as a spectre!” - -The picture produced an immense sensation in the little crowd; but all -eyes, without comparing notes with other eyes, looked at Monsieur -the Marquis. Perhaps, to observe whether he had any spectre on his -conscience. - -“Truly, you did well,” said the Marquis, felicitously sensible that such -vermin were not to ruffle him, “to see a thief accompanying my carriage, -and not open that great mouth of yours. Bah! Put him aside, Monsieur -Gabelle!” - -Monsieur Gabelle was the Postmaster, and some other taxing functionary -united; he had come out with great obsequiousness to assist at this -examination, and had held the examined by the drapery of his arm in an -official manner. - -“Bah! Go aside!” said Monsieur Gabelle. - -“Lay hands on this stranger if he seeks to lodge in your village -to-night, and be sure that his business is honest, Gabelle.” - -“Monseigneur, I am flattered to devote myself to your orders.” - -“Did he run away, fellow?--where is that Accursed?” - -The accursed was already under the carriage with some half-dozen -particular friends, pointing out the chain with his blue cap. Some -half-dozen other particular friends promptly hauled him out, and -presented him breathless to Monsieur the Marquis. - -“Did the man run away, Dolt, when we stopped for the drag?” - -“Monseigneur, he precipitated himself over the hill-side, head first, as -a person plunges into the river.” - -“See to it, Gabelle. Go on!” - -The half-dozen who were peering at the chain were still among the -wheels, like sheep; the wheels turned so suddenly that they were lucky -to save their skins and bones; they had very little else to save, or -they might not have been so fortunate. - -The burst with which the carriage started out of the village and up the -rise beyond, was soon checked by the steepness of the hill. Gradually, -it subsided to a foot pace, swinging and lumbering upward among the many -sweet scents of a summer night. The postilions, with a thousand gossamer -gnats circling about them in lieu of the Furies, quietly mended the -points to the lashes of their whips; the valet walked by the horses; the -courier was audible, trotting on ahead into the dull distance. - -At the steepest point of the hill there was a little burial-ground, -with a Cross and a new large figure of Our Saviour on it; it was a poor -figure in wood, done by some inexperienced rustic carver, but he had -studied the figure from the life--his own life, maybe--for it was -dreadfully spare and thin. - -To this distressful emblem of a great distress that had long been -growing worse, and was not at its worst, a woman was kneeling. She -turned her head as the carriage came up to her, rose quickly, and -presented herself at the carriage-door. - -“It is you, Monseigneur! Monseigneur, a petition.” - -With an exclamation of impatience, but with his unchangeable face, -Monseigneur looked out. - -“How, then! What is it? Always petitions!” - -“Monseigneur. For the love of the great God! My husband, the forester.” - -“What of your husband, the forester? Always the same with you people. He -cannot pay something?” - -“He has paid all, Monseigneur. He is dead.” - -“Well! He is quiet. Can I restore him to you?” - -“Alas, no, Monseigneur! But he lies yonder, under a little heap of poor -grass.” - -“Well?” - -“Monseigneur, there are so many little heaps of poor grass?” - -“Again, well?” - -She looked an old woman, but was young. Her manner was one of passionate -grief; by turns she clasped her veinous and knotted hands together -with wild energy, and laid one of them on the carriage-door--tenderly, -caressingly, as if it had been a human breast, and could be expected to -feel the appealing touch. - -“Monseigneur, hear me! Monseigneur, hear my petition! My husband died of -want; so many die of want; so many more will die of want.” - -“Again, well? Can I feed them?” - -“Monseigneur, the good God knows; but I don't ask it. My petition is, -that a morsel of stone or wood, with my husband's name, may be placed -over him to show where he lies. Otherwise, the place will be quickly -forgotten, it will never be found when I am dead of the same malady, I -shall be laid under some other heap of poor grass. Monseigneur, they -are so many, they increase so fast, there is so much want. Monseigneur! -Monseigneur!” - -The valet had put her away from the door, the carriage had broken into -a brisk trot, the postilions had quickened the pace, she was left far -behind, and Monseigneur, again escorted by the Furies, was rapidly -diminishing the league or two of distance that remained between him and -his chateau. - -The sweet scents of the summer night rose all around him, and rose, as -the rain falls, impartially, on the dusty, ragged, and toil-worn group -at the fountain not far away; to whom the mender of roads, with the aid -of the blue cap without which he was nothing, still enlarged upon his -man like a spectre, as long as they could bear it. By degrees, as they -could bear no more, they dropped off one by one, and lights twinkled -in little casements; which lights, as the casements darkened, and more -stars came out, seemed to have shot up into the sky instead of having -been extinguished. - -The shadow of a large high-roofed house, and of many over-hanging trees, -was upon Monsieur the Marquis by that time; and the shadow was exchanged -for the light of a flambeau, as his carriage stopped, and the great door -of his chateau was opened to him. - -“Monsieur Charles, whom I expect; is he arrived from England?” - -“Monseigneur, not yet.” - - - - -IX. The Gorgon's Head - - -It was a heavy mass of building, that chateau of Monsieur the Marquis, -with a large stone courtyard before it, and two stone sweeps of -staircase meeting in a stone terrace before the principal door. A stony -business altogether, with heavy stone balustrades, and stone urns, and -stone flowers, and stone faces of men, and stone heads of lions, in -all directions. As if the Gorgon's head had surveyed it, when it was -finished, two centuries ago. - -Up the broad flight of shallow steps, Monsieur the Marquis, flambeau -preceded, went from his carriage, sufficiently disturbing the darkness -to elicit loud remonstrance from an owl in the roof of the great pile -of stable building away among the trees. All else was so quiet, that the -flambeau carried up the steps, and the other flambeau held at the great -door, burnt as if they were in a close room of state, instead of being -in the open night-air. Other sound than the owl's voice there was none, -save the falling of a fountain into its stone basin; for, it was one of -those dark nights that hold their breath by the hour together, and then -heave a long low sigh, and hold their breath again. - -The great door clanged behind him, and Monsieur the Marquis crossed a -hall grim with certain old boar-spears, swords, and knives of the chase; -grimmer with certain heavy riding-rods and riding-whips, of which many a -peasant, gone to his benefactor Death, had felt the weight when his lord -was angry. - -Avoiding the larger rooms, which were dark and made fast for the night, -Monsieur the Marquis, with his flambeau-bearer going on before, went up -the staircase to a door in a corridor. This thrown open, admitted him -to his own private apartment of three rooms: his bed-chamber and two -others. High vaulted rooms with cool uncarpeted floors, great dogs upon -the hearths for the burning of wood in winter time, and all luxuries -befitting the state of a marquis in a luxurious age and country. -The fashion of the last Louis but one, of the line that was never to -break--the fourteenth Louis--was conspicuous in their rich furniture; -but, it was diversified by many objects that were illustrations of old -pages in the history of France. - -A supper-table was laid for two, in the third of the rooms; a round -room, in one of the chateau's four extinguisher-topped towers. A small -lofty room, with its window wide open, and the wooden jalousie-blinds -closed, so that the dark night only showed in slight horizontal lines of -black, alternating with their broad lines of stone colour. - -“My nephew,” said the Marquis, glancing at the supper preparation; “they -said he was not arrived.” - -Nor was he; but, he had been expected with Monseigneur. - -“Ah! It is not probable he will arrive to-night; nevertheless, leave the -table as it is. I shall be ready in a quarter of an hour.” - -In a quarter of an hour Monseigneur was ready, and sat down alone to his -sumptuous and choice supper. His chair was opposite to the window, and -he had taken his soup, and was raising his glass of Bordeaux to his -lips, when he put it down. - -“What is that?” he calmly asked, looking with attention at the -horizontal lines of black and stone colour. - -“Monseigneur? That?” - -“Outside the blinds. Open the blinds.” - -It was done. - -“Well?” - -“Monseigneur, it is nothing. The trees and the night are all that are -here.” - -The servant who spoke, had thrown the blinds wide, had looked out into -the vacant darkness, and stood with that blank behind him, looking round -for instructions. - -“Good,” said the imperturbable master. “Close them again.” - -That was done too, and the Marquis went on with his supper. He was -half way through it, when he again stopped with his glass in his hand, -hearing the sound of wheels. It came on briskly, and came up to the -front of the chateau. - -“Ask who is arrived.” - -It was the nephew of Monseigneur. He had been some few leagues behind -Monseigneur, early in the afternoon. He had diminished the distance -rapidly, but not so rapidly as to come up with Monseigneur on the road. -He had heard of Monseigneur, at the posting-houses, as being before him. - -He was to be told (said Monseigneur) that supper awaited him then and -there, and that he was prayed to come to it. In a little while he came. -He had been known in England as Charles Darnay. - -Monseigneur received him in a courtly manner, but they did not shake -hands. - -“You left Paris yesterday, sir?” he said to Monseigneur, as he took his -seat at table. - -“Yesterday. And you?” - -“I come direct.” - -“From London?” - -“Yes.” - -“You have been a long time coming,” said the Marquis, with a smile. - -“On the contrary; I come direct.” - -“Pardon me! I mean, not a long time on the journey; a long time -intending the journey.” - -“I have been detained by”--the nephew stopped a moment in his -answer--“various business.” - -“Without doubt,” said the polished uncle. - -So long as a servant was present, no other words passed between them. -When coffee had been served and they were alone together, the nephew, -looking at the uncle and meeting the eyes of the face that was like a -fine mask, opened a conversation. - -“I have come back, sir, as you anticipate, pursuing the object that -took me away. It carried me into great and unexpected peril; but it is -a sacred object, and if it had carried me to death I hope it would have -sustained me.” - -“Not to death,” said the uncle; “it is not necessary to say, to death.” - -“I doubt, sir,” returned the nephew, “whether, if it had carried me to -the utmost brink of death, you would have cared to stop me there.” - -The deepened marks in the nose, and the lengthening of the fine straight -lines in the cruel face, looked ominous as to that; the uncle made a -graceful gesture of protest, which was so clearly a slight form of good -breeding that it was not reassuring. - -“Indeed, sir,” pursued the nephew, “for anything I know, you may have -expressly worked to give a more suspicious appearance to the suspicious -circumstances that surrounded me.” - -“No, no, no,” said the uncle, pleasantly. - -“But, however that may be,” resumed the nephew, glancing at him with -deep distrust, “I know that your diplomacy would stop me by any means, -and would know no scruple as to means.” - -“My friend, I told you so,” said the uncle, with a fine pulsation in the -two marks. “Do me the favour to recall that I told you so, long ago.” - -“I recall it.” - -“Thank you,” said the Marquis--very sweetly indeed. - -His tone lingered in the air, almost like the tone of a musical -instrument. - -“In effect, sir,” pursued the nephew, “I believe it to be at once your -bad fortune, and my good fortune, that has kept me out of a prison in -France here.” - -“I do not quite understand,” returned the uncle, sipping his coffee. -“Dare I ask you to explain?” - -“I believe that if you were not in disgrace with the Court, and had not -been overshadowed by that cloud for years past, a letter de cachet would -have sent me to some fortress indefinitely.” - -“It is possible,” said the uncle, with great calmness. “For the honour -of the family, I could even resolve to incommode you to that extent. -Pray excuse me!” - -“I perceive that, happily for me, the Reception of the day before -yesterday was, as usual, a cold one,” observed the nephew. - -“I would not say happily, my friend,” returned the uncle, with refined -politeness; “I would not be sure of that. A good opportunity for -consideration, surrounded by the advantages of solitude, might influence -your destiny to far greater advantage than you influence it for -yourself. But it is useless to discuss the question. I am, as you say, -at a disadvantage. These little instruments of correction, these gentle -aids to the power and honour of families, these slight favours that -might so incommode you, are only to be obtained now by interest -and importunity. They are sought by so many, and they are granted -(comparatively) to so few! It used not to be so, but France in all such -things is changed for the worse. Our not remote ancestors held the right -of life and death over the surrounding vulgar. From this room, many such -dogs have been taken out to be hanged; in the next room (my bedroom), -one fellow, to our knowledge, was poniarded on the spot for professing -some insolent delicacy respecting his daughter--_his_ daughter? We have -lost many privileges; a new philosophy has become the mode; and the -assertion of our station, in these days, might (I do not go so far as -to say would, but might) cause us real inconvenience. All very bad, very -bad!” - -The Marquis took a gentle little pinch of snuff, and shook his head; -as elegantly despondent as he could becomingly be of a country still -containing himself, that great means of regeneration. - -“We have so asserted our station, both in the old time and in the modern -time also,” said the nephew, gloomily, “that I believe our name to be -more detested than any name in France.” - -“Let us hope so,” said the uncle. “Detestation of the high is the -involuntary homage of the low.” - -“There is not,” pursued the nephew, in his former tone, “a face I can -look at, in all this country round about us, which looks at me with any -deference on it but the dark deference of fear and slavery.” - -“A compliment,” said the Marquis, “to the grandeur of the family, -merited by the manner in which the family has sustained its grandeur. -Hah!” And he took another gentle little pinch of snuff, and lightly -crossed his legs. - -But, when his nephew, leaning an elbow on the table, covered his eyes -thoughtfully and dejectedly with his hand, the fine mask looked at -him sideways with a stronger concentration of keenness, closeness, -and dislike, than was comportable with its wearer's assumption of -indifference. - -“Repression is the only lasting philosophy. The dark deference of fear -and slavery, my friend,” observed the Marquis, “will keep the dogs -obedient to the whip, as long as this roof,” looking up to it, “shuts -out the sky.” - -That might not be so long as the Marquis supposed. If a picture of the -chateau as it was to be a very few years hence, and of fifty like it as -they too were to be a very few years hence, could have been shown to -him that night, he might have been at a loss to claim his own from -the ghastly, fire-charred, plunder-wrecked rains. As for the roof -he vaunted, he might have found _that_ shutting out the sky in a new -way--to wit, for ever, from the eyes of the bodies into which its lead -was fired, out of the barrels of a hundred thousand muskets. - -“Meanwhile,” said the Marquis, “I will preserve the honour and repose -of the family, if you will not. But you must be fatigued. Shall we -terminate our conference for the night?” - -“A moment more.” - -“An hour, if you please.” - -“Sir,” said the nephew, “we have done wrong, and are reaping the fruits -of wrong.” - -“_We_ have done wrong?” repeated the Marquis, with an inquiring smile, -and delicately pointing, first to his nephew, then to himself. - -“Our family; our honourable family, whose honour is of so much account -to both of us, in such different ways. Even in my father's time, we did -a world of wrong, injuring every human creature who came between us and -our pleasure, whatever it was. Why need I speak of my father's time, -when it is equally yours? Can I separate my father's twin-brother, joint -inheritor, and next successor, from himself?” - -“Death has done that!” said the Marquis. - -“And has left me,” answered the nephew, “bound to a system that is -frightful to me, responsible for it, but powerless in it; seeking to -execute the last request of my dear mother's lips, and obey the last -look of my dear mother's eyes, which implored me to have mercy and to -redress; and tortured by seeking assistance and power in vain.” - -“Seeking them from me, my nephew,” said the Marquis, touching him on the -breast with his forefinger--they were now standing by the hearth--“you -will for ever seek them in vain, be assured.” - -Every fine straight line in the clear whiteness of his face, was -cruelly, craftily, and closely compressed, while he stood looking -quietly at his nephew, with his snuff-box in his hand. Once again he -touched him on the breast, as though his finger were the fine point of -a small sword, with which, in delicate finesse, he ran him through the -body, and said, - -“My friend, I will die, perpetuating the system under which I have -lived.” - -When he had said it, he took a culminating pinch of snuff, and put his -box in his pocket. - -“Better to be a rational creature,” he added then, after ringing a small -bell on the table, “and accept your natural destiny. But you are lost, -Monsieur Charles, I see.” - -“This property and France are lost to me,” said the nephew, sadly; “I -renounce them.” - -“Are they both yours to renounce? France may be, but is the property? It -is scarcely worth mentioning; but, is it yet?” - -“I had no intention, in the words I used, to claim it yet. If it passed -to me from you, to-morrow--” - -“Which I have the vanity to hope is not probable.” - -“--or twenty years hence--” - -“You do me too much honour,” said the Marquis; “still, I prefer that -supposition.” - -“--I would abandon it, and live otherwise and elsewhere. It is little to -relinquish. What is it but a wilderness of misery and ruin!” - -“Hah!” said the Marquis, glancing round the luxurious room. - -“To the eye it is fair enough, here; but seen in its integrity, -under the sky, and by the daylight, it is a crumbling tower of waste, -mismanagement, extortion, debt, mortgage, oppression, hunger, nakedness, -and suffering.” - -“Hah!” said the Marquis again, in a well-satisfied manner. - -“If it ever becomes mine, it shall be put into some hands better -qualified to free it slowly (if such a thing is possible) from the -weight that drags it down, so that the miserable people who cannot leave -it and who have been long wrung to the last point of endurance, may, in -another generation, suffer less; but it is not for me. There is a curse -on it, and on all this land.” - -“And you?” said the uncle. “Forgive my curiosity; do you, under your new -philosophy, graciously intend to live?” - -“I must do, to live, what others of my countrymen, even with nobility at -their backs, may have to do some day--work.” - -“In England, for example?” - -“Yes. The family honour, sir, is safe from me in this country. The -family name can suffer from me in no other, for I bear it in no other.” - -The ringing of the bell had caused the adjoining bed-chamber to be -lighted. It now shone brightly, through the door of communication. The -Marquis looked that way, and listened for the retreating step of his -valet. - -“England is very attractive to you, seeing how indifferently you have -prospered there,” he observed then, turning his calm face to his nephew -with a smile. - -“I have already said, that for my prospering there, I am sensible I may -be indebted to you, sir. For the rest, it is my Refuge.” - -“They say, those boastful English, that it is the Refuge of many. You -know a compatriot who has found a Refuge there? A Doctor?” - -“Yes.” - -“With a daughter?” - -“Yes.” - -“Yes,” said the Marquis. “You are fatigued. Good night!” - -As he bent his head in his most courtly manner, there was a secrecy -in his smiling face, and he conveyed an air of mystery to those words, -which struck the eyes and ears of his nephew forcibly. At the same -time, the thin straight lines of the setting of the eyes, and the thin -straight lips, and the markings in the nose, curved with a sarcasm that -looked handsomely diabolic. - -“Yes,” repeated the Marquis. “A Doctor with a daughter. Yes. So -commences the new philosophy! You are fatigued. Good night!” - -It would have been of as much avail to interrogate any stone face -outside the chateau as to interrogate that face of his. The nephew -looked at him, in vain, in passing on to the door. - -“Good night!” said the uncle. “I look to the pleasure of seeing you -again in the morning. Good repose! Light Monsieur my nephew to his -chamber there!--And burn Monsieur my nephew in his bed, if you will,” he -added to himself, before he rang his little bell again, and summoned his -valet to his own bedroom. - -The valet come and gone, Monsieur the Marquis walked to and fro in his -loose chamber-robe, to prepare himself gently for sleep, that hot still -night. Rustling about the room, his softly-slippered feet making no -noise on the floor, he moved like a refined tiger:--looked like some -enchanted marquis of the impenitently wicked sort, in story, whose -periodical change into tiger form was either just going off, or just -coming on. - -He moved from end to end of his voluptuous bedroom, looking again at the -scraps of the day's journey that came unbidden into his mind; the slow -toil up the hill at sunset, the setting sun, the descent, the mill, the -prison on the crag, the little village in the hollow, the peasants at -the fountain, and the mender of roads with his blue cap pointing out the -chain under the carriage. That fountain suggested the Paris fountain, -the little bundle lying on the step, the women bending over it, and the -tall man with his arms up, crying, “Dead!” - -“I am cool now,” said Monsieur the Marquis, “and may go to bed.” - -So, leaving only one light burning on the large hearth, he let his thin -gauze curtains fall around him, and heard the night break its silence -with a long sigh as he composed himself to sleep. - -The stone faces on the outer walls stared blindly at the black night -for three heavy hours; for three heavy hours, the horses in the stables -rattled at their racks, the dogs barked, and the owl made a noise with -very little resemblance in it to the noise conventionally assigned to -the owl by men-poets. But it is the obstinate custom of such creatures -hardly ever to say what is set down for them. - -For three heavy hours, the stone faces of the chateau, lion and human, -stared blindly at the night. Dead darkness lay on all the landscape, -dead darkness added its own hush to the hushing dust on all the roads. -The burial-place had got to the pass that its little heaps of poor grass -were undistinguishable from one another; the figure on the Cross might -have come down, for anything that could be seen of it. In the village, -taxers and taxed were fast asleep. Dreaming, perhaps, of banquets, as -the starved usually do, and of ease and rest, as the driven slave and -the yoked ox may, its lean inhabitants slept soundly, and were fed and -freed. - -The fountain in the village flowed unseen and unheard, and the fountain -at the chateau dropped unseen and unheard--both melting away, like the -minutes that were falling from the spring of Time--through three dark -hours. Then, the grey water of both began to be ghostly in the light, -and the eyes of the stone faces of the chateau were opened. - -Lighter and lighter, until at last the sun touched the tops of the still -trees, and poured its radiance over the hill. In the glow, the water -of the chateau fountain seemed to turn to blood, and the stone faces -crimsoned. The carol of the birds was loud and high, and, on the -weather-beaten sill of the great window of the bed-chamber of Monsieur -the Marquis, one little bird sang its sweetest song with all its might. -At this, the nearest stone face seemed to stare amazed, and, with open -mouth and dropped under-jaw, looked awe-stricken. - -Now, the sun was full up, and movement began in the village. Casement -windows opened, crazy doors were unbarred, and people came forth -shivering--chilled, as yet, by the new sweet air. Then began the rarely -lightened toil of the day among the village population. Some, to the -fountain; some, to the fields; men and women here, to dig and delve; men -and women there, to see to the poor live stock, and lead the bony cows -out, to such pasture as could be found by the roadside. In the church -and at the Cross, a kneeling figure or two; attendant on the latter -prayers, the led cow, trying for a breakfast among the weeds at its -foot. - -The chateau awoke later, as became its quality, but awoke gradually and -surely. First, the lonely boar-spears and knives of the chase had been -reddened as of old; then, had gleamed trenchant in the morning sunshine; -now, doors and windows were thrown open, horses in their stables looked -round over their shoulders at the light and freshness pouring in at -doorways, leaves sparkled and rustled at iron-grated windows, dogs -pulled hard at their chains, and reared impatient to be loosed. - -All these trivial incidents belonged to the routine of life, and the -return of morning. Surely, not so the ringing of the great bell of the -chateau, nor the running up and down the stairs; nor the hurried -figures on the terrace; nor the booting and tramping here and there and -everywhere, nor the quick saddling of horses and riding away? - -What winds conveyed this hurry to the grizzled mender of roads, already -at work on the hill-top beyond the village, with his day's dinner (not -much to carry) lying in a bundle that it was worth no crow's while to -peck at, on a heap of stones? Had the birds, carrying some grains of it -to a distance, dropped one over him as they sow chance seeds? Whether or -no, the mender of roads ran, on the sultry morning, as if for his life, -down the hill, knee-high in dust, and never stopped till he got to the -fountain. - -All the people of the village were at the fountain, standing about -in their depressed manner, and whispering low, but showing no other -emotions than grim curiosity and surprise. The led cows, hastily brought -in and tethered to anything that would hold them, were looking stupidly -on, or lying down chewing the cud of nothing particularly repaying their -trouble, which they had picked up in their interrupted saunter. Some of -the people of the chateau, and some of those of the posting-house, and -all the taxing authorities, were armed more or less, and were crowded -on the other side of the little street in a purposeless way, that was -highly fraught with nothing. Already, the mender of roads had penetrated -into the midst of a group of fifty particular friends, and was smiting -himself in the breast with his blue cap. What did all this portend, -and what portended the swift hoisting-up of Monsieur Gabelle behind -a servant on horseback, and the conveying away of the said Gabelle -(double-laden though the horse was), at a gallop, like a new version of -the German ballad of Leonora? - -It portended that there was one stone face too many, up at the chateau. - -The Gorgon had surveyed the building again in the night, and had added -the one stone face wanting; the stone face for which it had waited -through about two hundred years. - -It lay back on the pillow of Monsieur the Marquis. It was like a fine -mask, suddenly startled, made angry, and petrified. Driven home into the -heart of the stone figure attached to it, was a knife. Round its hilt -was a frill of paper, on which was scrawled: - -“Drive him fast to his tomb. This, from Jacques.” - - - - -X. Two Promises - - -More months, to the number of twelve, had come and gone, and Mr. Charles -Darnay was established in England as a higher teacher of the French -language who was conversant with French literature. In this age, he -would have been a Professor; in that age, he was a Tutor. He read with -young men who could find any leisure and interest for the study of a -living tongue spoken all over the world, and he cultivated a taste for -its stores of knowledge and fancy. He could write of them, besides, in -sound English, and render them into sound English. Such masters were not -at that time easily found; Princes that had been, and Kings that were -to be, were not yet of the Teacher class, and no ruined nobility had -dropped out of Tellson's ledgers, to turn cooks and carpenters. As a -tutor, whose attainments made the student's way unusually pleasant and -profitable, and as an elegant translator who brought something to his -work besides mere dictionary knowledge, young Mr. Darnay soon became -known and encouraged. He was well acquainted, more-over, with the -circumstances of his country, and those were of ever-growing interest. -So, with great perseverance and untiring industry, he prospered. - -In London, he had expected neither to walk on pavements of gold, nor -to lie on beds of roses; if he had had any such exalted expectation, he -would not have prospered. He had expected labour, and he found it, and -did it and made the best of it. In this, his prosperity consisted. - -A certain portion of his time was passed at Cambridge, where he -read with undergraduates as a sort of tolerated smuggler who drove a -contraband trade in European languages, instead of conveying Greek -and Latin through the Custom-house. The rest of his time he passed in -London. - -Now, from the days when it was always summer in Eden, to these days -when it is mostly winter in fallen latitudes, the world of a man has -invariably gone one way--Charles Darnay's way--the way of the love of a -woman. - -He had loved Lucie Manette from the hour of his danger. He had never -heard a sound so sweet and dear as the sound of her compassionate voice; -he had never seen a face so tenderly beautiful, as hers when it was -confronted with his own on the edge of the grave that had been dug for -him. But, he had not yet spoken to her on the subject; the assassination -at the deserted chateau far away beyond the heaving water and the long, -long, dusty roads--the solid stone chateau which had itself become the -mere mist of a dream--had been done a year, and he had never yet, by so -much as a single spoken word, disclosed to her the state of his heart. - -That he had his reasons for this, he knew full well. It was again a -summer day when, lately arrived in London from his college occupation, -he turned into the quiet corner in Soho, bent on seeking an opportunity -of opening his mind to Doctor Manette. It was the close of the summer -day, and he knew Lucie to be out with Miss Pross. - -He found the Doctor reading in his arm-chair at a window. The energy -which had at once supported him under his old sufferings and aggravated -their sharpness, had been gradually restored to him. He was now a -very energetic man indeed, with great firmness of purpose, strength -of resolution, and vigour of action. In his recovered energy he was -sometimes a little fitful and sudden, as he had at first been in the -exercise of his other recovered faculties; but, this had never been -frequently observable, and had grown more and more rare. - -He studied much, slept little, sustained a great deal of fatigue with -ease, and was equably cheerful. To him, now entered Charles Darnay, at -sight of whom he laid aside his book and held out his hand. - -“Charles Darnay! I rejoice to see you. We have been counting on your -return these three or four days past. Mr. Stryver and Sydney Carton were -both here yesterday, and both made you out to be more than due.” - -“I am obliged to them for their interest in the matter,” he answered, -a little coldly as to them, though very warmly as to the Doctor. “Miss -Manette--” - -“Is well,” said the Doctor, as he stopped short, “and your return will -delight us all. She has gone out on some household matters, but will -soon be home.” - -“Doctor Manette, I knew she was from home. I took the opportunity of her -being from home, to beg to speak to you.” - -There was a blank silence. - -“Yes?” said the Doctor, with evident constraint. “Bring your chair here, -and speak on.” - -He complied as to the chair, but appeared to find the speaking on less -easy. - -“I have had the happiness, Doctor Manette, of being so intimate here,” - so he at length began, “for some year and a half, that I hope the topic -on which I am about to touch may not--” - -He was stayed by the Doctor's putting out his hand to stop him. When he -had kept it so a little while, he said, drawing it back: - -“Is Lucie the topic?” - -“She is.” - -“It is hard for me to speak of her at any time. It is very hard for me -to hear her spoken of in that tone of yours, Charles Darnay.” - -“It is a tone of fervent admiration, true homage, and deep love, Doctor -Manette!” he said deferentially. - -There was another blank silence before her father rejoined: - -“I believe it. I do you justice; I believe it.” - -His constraint was so manifest, and it was so manifest, too, that it -originated in an unwillingness to approach the subject, that Charles -Darnay hesitated. - -“Shall I go on, sir?” - -Another blank. - -“Yes, go on.” - -“You anticipate what I would say, though you cannot know how earnestly -I say it, how earnestly I feel it, without knowing my secret heart, and -the hopes and fears and anxieties with which it has long been -laden. Dear Doctor Manette, I love your daughter fondly, dearly, -disinterestedly, devotedly. If ever there were love in the world, I love -her. You have loved yourself; let your old love speak for me!” - -The Doctor sat with his face turned away, and his eyes bent on the -ground. At the last words, he stretched out his hand again, hurriedly, -and cried: - -“Not that, sir! Let that be! I adjure you, do not recall that!” - -His cry was so like a cry of actual pain, that it rang in Charles -Darnay's ears long after he had ceased. He motioned with the hand he had -extended, and it seemed to be an appeal to Darnay to pause. The latter -so received it, and remained silent. - -“I ask your pardon,” said the Doctor, in a subdued tone, after some -moments. “I do not doubt your loving Lucie; you may be satisfied of it.” - -He turned towards him in his chair, but did not look at him, or -raise his eyes. His chin dropped upon his hand, and his white hair -overshadowed his face: - -“Have you spoken to Lucie?” - -“No.” - -“Nor written?” - -“Never.” - -“It would be ungenerous to affect not to know that your self-denial is -to be referred to your consideration for her father. Her father thanks -you.” - -He offered his hand; but his eyes did not go with it. - -“I know,” said Darnay, respectfully, “how can I fail to know, Doctor -Manette, I who have seen you together from day to day, that between -you and Miss Manette there is an affection so unusual, so touching, so -belonging to the circumstances in which it has been nurtured, that it -can have few parallels, even in the tenderness between a father and -child. I know, Doctor Manette--how can I fail to know--that, mingled -with the affection and duty of a daughter who has become a woman, there -is, in her heart, towards you, all the love and reliance of infancy -itself. I know that, as in her childhood she had no parent, so she is -now devoted to you with all the constancy and fervour of her present -years and character, united to the trustfulness and attachment of the -early days in which you were lost to her. I know perfectly well that if -you had been restored to her from the world beyond this life, you could -hardly be invested, in her sight, with a more sacred character than that -in which you are always with her. I know that when she is clinging to -you, the hands of baby, girl, and woman, all in one, are round your -neck. I know that in loving you she sees and loves her mother at her -own age, sees and loves you at my age, loves her mother broken-hearted, -loves you through your dreadful trial and in your blessed restoration. I -have known this, night and day, since I have known you in your home.” - -Her father sat silent, with his face bent down. His breathing was a -little quickened; but he repressed all other signs of agitation. - -“Dear Doctor Manette, always knowing this, always seeing her and you -with this hallowed light about you, I have forborne, and forborne, as -long as it was in the nature of man to do it. I have felt, and do even -now feel, that to bring my love--even mine--between you, is to touch -your history with something not quite so good as itself. But I love her. -Heaven is my witness that I love her!” - -“I believe it,” answered her father, mournfully. “I have thought so -before now. I believe it.” - -“But, do not believe,” said Darnay, upon whose ear the mournful voice -struck with a reproachful sound, “that if my fortune were so cast as -that, being one day so happy as to make her my wife, I must at any time -put any separation between her and you, I could or would breathe a -word of what I now say. Besides that I should know it to be hopeless, I -should know it to be a baseness. If I had any such possibility, even at -a remote distance of years, harboured in my thoughts, and hidden in my -heart--if it ever had been there--if it ever could be there--I could not -now touch this honoured hand.” - -He laid his own upon it as he spoke. - -“No, dear Doctor Manette. Like you, a voluntary exile from France; like -you, driven from it by its distractions, oppressions, and miseries; like -you, striving to live away from it by my own exertions, and trusting -in a happier future; I look only to sharing your fortunes, sharing your -life and home, and being faithful to you to the death. Not to divide -with Lucie her privilege as your child, companion, and friend; but to -come in aid of it, and bind her closer to you, if such a thing can be.” - -His touch still lingered on her father's hand. Answering the touch for a -moment, but not coldly, her father rested his hands upon the arms of -his chair, and looked up for the first time since the beginning of the -conference. A struggle was evidently in his face; a struggle with that -occasional look which had a tendency in it to dark doubt and dread. - -“You speak so feelingly and so manfully, Charles Darnay, that I thank -you with all my heart, and will open all my heart--or nearly so. Have -you any reason to believe that Lucie loves you?” - -“None. As yet, none.” - -“Is it the immediate object of this confidence, that you may at once -ascertain that, with my knowledge?” - -“Not even so. I might not have the hopefulness to do it for weeks; I -might (mistaken or not mistaken) have that hopefulness to-morrow.” - -“Do you seek any guidance from me?” - -“I ask none, sir. But I have thought it possible that you might have it -in your power, if you should deem it right, to give me some.” - -“Do you seek any promise from me?” - -“I do seek that.” - -“What is it?” - -“I well understand that, without you, I could have no hope. I well -understand that, even if Miss Manette held me at this moment in her -innocent heart--do not think I have the presumption to assume so much--I -could retain no place in it against her love for her father.” - -“If that be so, do you see what, on the other hand, is involved in it?” - -“I understand equally well, that a word from her father in any suitor's -favour, would outweigh herself and all the world. For which reason, -Doctor Manette,” said Darnay, modestly but firmly, “I would not ask that -word, to save my life.” - -“I am sure of it. Charles Darnay, mysteries arise out of close love, as -well as out of wide division; in the former case, they are subtle and -delicate, and difficult to penetrate. My daughter Lucie is, in this one -respect, such a mystery to me; I can make no guess at the state of her -heart.” - -“May I ask, sir, if you think she is--” As he hesitated, her father -supplied the rest. - -“Is sought by any other suitor?” - -“It is what I meant to say.” - -Her father considered a little before he answered: - -“You have seen Mr. Carton here, yourself. Mr. Stryver is here too, -occasionally. If it be at all, it can only be by one of these.” - -“Or both,” said Darnay. - -“I had not thought of both; I should not think either, likely. You want -a promise from me. Tell me what it is.” - -“It is, that if Miss Manette should bring to you at any time, on her own -part, such a confidence as I have ventured to lay before you, you will -bear testimony to what I have said, and to your belief in it. I hope you -may be able to think so well of me, as to urge no influence against -me. I say nothing more of my stake in this; this is what I ask. The -condition on which I ask it, and which you have an undoubted right to -require, I will observe immediately.” - -“I give the promise,” said the Doctor, “without any condition. I believe -your object to be, purely and truthfully, as you have stated it. I -believe your intention is to perpetuate, and not to weaken, the ties -between me and my other and far dearer self. If she should ever tell me -that you are essential to her perfect happiness, I will give her to you. -If there were--Charles Darnay, if there were--” - -The young man had taken his hand gratefully; their hands were joined as -the Doctor spoke: - -“--any fancies, any reasons, any apprehensions, anything whatsoever, -new or old, against the man she really loved--the direct responsibility -thereof not lying on his head--they should all be obliterated for her -sake. She is everything to me; more to me than suffering, more to me -than wrong, more to me--Well! This is idle talk.” - -So strange was the way in which he faded into silence, and so strange -his fixed look when he had ceased to speak, that Darnay felt his own -hand turn cold in the hand that slowly released and dropped it. - -“You said something to me,” said Doctor Manette, breaking into a smile. -“What was it you said to me?” - -He was at a loss how to answer, until he remembered having spoken of a -condition. Relieved as his mind reverted to that, he answered: - -“Your confidence in me ought to be returned with full confidence on my -part. My present name, though but slightly changed from my mother's, is -not, as you will remember, my own. I wish to tell you what that is, and -why I am in England.” - -“Stop!” said the Doctor of Beauvais. - -“I wish it, that I may the better deserve your confidence, and have no -secret from you.” - -“Stop!” - -For an instant, the Doctor even had his two hands at his ears; for -another instant, even had his two hands laid on Darnay's lips. - -“Tell me when I ask you, not now. If your suit should prosper, if Lucie -should love you, you shall tell me on your marriage morning. Do you -promise?” - -“Willingly. - -“Give me your hand. She will be home directly, and it is better she -should not see us together to-night. Go! God bless you!” - -It was dark when Charles Darnay left him, and it was an hour later and -darker when Lucie came home; she hurried into the room alone--for -Miss Pross had gone straight up-stairs--and was surprised to find his -reading-chair empty. - -“My father!” she called to him. “Father dear!” - -Nothing was said in answer, but she heard a low hammering sound in his -bedroom. Passing lightly across the intermediate room, she looked in at -his door and came running back frightened, crying to herself, with her -blood all chilled, “What shall I do! What shall I do!” - -Her uncertainty lasted but a moment; she hurried back, and tapped at -his door, and softly called to him. The noise ceased at the sound of -her voice, and he presently came out to her, and they walked up and down -together for a long time. - -She came down from her bed, to look at him in his sleep that night. He -slept heavily, and his tray of shoemaking tools, and his old unfinished -work, were all as usual. - - - - -XI. A Companion Picture - - -“Sydney,” said Mr. Stryver, on that self-same night, or morning, to his -jackal; “mix another bowl of punch; I have something to say to you.” - -Sydney had been working double tides that night, and the night before, -and the night before that, and a good many nights in succession, making -a grand clearance among Mr. Stryver's papers before the setting in -of the long vacation. The clearance was effected at last; the Stryver -arrears were handsomely fetched up; everything was got rid of until -November should come with its fogs atmospheric, and fogs legal, and -bring grist to the mill again. - -Sydney was none the livelier and none the soberer for so much -application. It had taken a deal of extra wet-towelling to pull him -through the night; a correspondingly extra quantity of wine had preceded -the towelling; and he was in a very damaged condition, as he now pulled -his turban off and threw it into the basin in which he had steeped it at -intervals for the last six hours. - -“Are you mixing that other bowl of punch?” said Stryver the portly, with -his hands in his waistband, glancing round from the sofa where he lay on -his back. - -“I am.” - -“Now, look here! I am going to tell you something that will rather -surprise you, and that perhaps will make you think me not quite as -shrewd as you usually do think me. I intend to marry.” - -“_Do_ you?” - -“Yes. And not for money. What do you say now?” - -“I don't feel disposed to say much. Who is she?” - -“Guess.” - -“Do I know her?” - -“Guess.” - -“I am not going to guess, at five o'clock in the morning, with my brains -frying and sputtering in my head. If you want me to guess, you must ask -me to dinner.” - -“Well then, I'll tell you,” said Stryver, coming slowly into a sitting -posture. “Sydney, I rather despair of making myself intelligible to you, -because you are such an insensible dog.” - -“And you,” returned Sydney, busy concocting the punch, “are such a -sensitive and poetical spirit--” - -“Come!” rejoined Stryver, laughing boastfully, “though I don't prefer -any claim to being the soul of Romance (for I hope I know better), still -I am a tenderer sort of fellow than _you_.” - -“You are a luckier, if you mean that.” - -“I don't mean that. I mean I am a man of more--more--” - -“Say gallantry, while you are about it,” suggested Carton. - -“Well! I'll say gallantry. My meaning is that I am a man,” said Stryver, -inflating himself at his friend as he made the punch, “who cares more to -be agreeable, who takes more pains to be agreeable, who knows better how -to be agreeable, in a woman's society, than you do.” - -“Go on,” said Sydney Carton. - -“No; but before I go on,” said Stryver, shaking his head in his bullying -way, “I'll have this out with you. You've been at Doctor Manette's house -as much as I have, or more than I have. Why, I have been ashamed of your -moroseness there! Your manners have been of that silent and sullen and -hangdog kind, that, upon my life and soul, I have been ashamed of you, -Sydney!” - -“It should be very beneficial to a man in your practice at the bar, to -be ashamed of anything,” returned Sydney; “you ought to be much obliged -to me.” - -“You shall not get off in that way,” rejoined Stryver, shouldering the -rejoinder at him; “no, Sydney, it's my duty to tell you--and I tell you -to your face to do you good--that you are a devilish ill-conditioned -fellow in that sort of society. You are a disagreeable fellow.” - -Sydney drank a bumper of the punch he had made, and laughed. - -“Look at me!” said Stryver, squaring himself; “I have less need to make -myself agreeable than you have, being more independent in circumstances. -Why do I do it?” - -“I never saw you do it yet,” muttered Carton. - -“I do it because it's politic; I do it on principle. And look at me! I -get on.” - -“You don't get on with your account of your matrimonial intentions,” - answered Carton, with a careless air; “I wish you would keep to that. As -to me--will you never understand that I am incorrigible?” - -He asked the question with some appearance of scorn. - -“You have no business to be incorrigible,” was his friend's answer, -delivered in no very soothing tone. - -“I have no business to be, at all, that I know of,” said Sydney Carton. -“Who is the lady?” - -“Now, don't let my announcement of the name make you uncomfortable, -Sydney,” said Mr. Stryver, preparing him with ostentatious friendliness -for the disclosure he was about to make, “because I know you don't mean -half you say; and if you meant it all, it would be of no importance. I -make this little preface, because you once mentioned the young lady to -me in slighting terms.” - -“I did?” - -“Certainly; and in these chambers.” - -Sydney Carton looked at his punch and looked at his complacent friend; -drank his punch and looked at his complacent friend. - -“You made mention of the young lady as a golden-haired doll. The young -lady is Miss Manette. If you had been a fellow of any sensitiveness or -delicacy of feeling in that kind of way, Sydney, I might have been a -little resentful of your employing such a designation; but you are not. -You want that sense altogether; therefore I am no more annoyed when I -think of the expression, than I should be annoyed by a man's opinion of -a picture of mine, who had no eye for pictures: or of a piece of music -of mine, who had no ear for music.” - -Sydney Carton drank the punch at a great rate; drank it by bumpers, -looking at his friend. - -“Now you know all about it, Syd,” said Mr. Stryver. “I don't care about -fortune: she is a charming creature, and I have made up my mind to -please myself: on the whole, I think I can afford to please myself. She -will have in me a man already pretty well off, and a rapidly rising man, -and a man of some distinction: it is a piece of good fortune for her, -but she is worthy of good fortune. Are you astonished?” - -Carton, still drinking the punch, rejoined, “Why should I be -astonished?” - -“You approve?” - -Carton, still drinking the punch, rejoined, “Why should I not approve?” - -“Well!” said his friend Stryver, “you take it more easily than I fancied -you would, and are less mercenary on my behalf than I thought you would -be; though, to be sure, you know well enough by this time that your -ancient chum is a man of a pretty strong will. Yes, Sydney, I have had -enough of this style of life, with no other as a change from it; I -feel that it is a pleasant thing for a man to have a home when he feels -inclined to go to it (when he doesn't, he can stay away), and I feel -that Miss Manette will tell well in any station, and will always do me -credit. So I have made up my mind. And now, Sydney, old boy, I want to -say a word to _you_ about _your_ prospects. You are in a bad way, you -know; you really are in a bad way. You don't know the value of money, -you live hard, you'll knock up one of these days, and be ill and poor; -you really ought to think about a nurse.” - -The prosperous patronage with which he said it, made him look twice as -big as he was, and four times as offensive. - -“Now, let me recommend you,” pursued Stryver, “to look it in the face. -I have looked it in the face, in my different way; look it in the face, -you, in your different way. Marry. Provide somebody to take care of -you. Never mind your having no enjoyment of women's society, nor -understanding of it, nor tact for it. Find out somebody. Find out some -respectable woman with a little property--somebody in the landlady way, -or lodging-letting way--and marry her, against a rainy day. That's the -kind of thing for _you_. Now think of it, Sydney.” - -“I'll think of it,” said Sydney. - - - - -XII. The Fellow of Delicacy - - -Mr. Stryver having made up his mind to that magnanimous bestowal of good -fortune on the Doctor's daughter, resolved to make her happiness known -to her before he left town for the Long Vacation. After some mental -debating of the point, he came to the conclusion that it would be as -well to get all the preliminaries done with, and they could then arrange -at their leisure whether he should give her his hand a week or two -before Michaelmas Term, or in the little Christmas vacation between it -and Hilary. - -As to the strength of his case, he had not a doubt about it, but clearly -saw his way to the verdict. Argued with the jury on substantial worldly -grounds--the only grounds ever worth taking into account--it was a -plain case, and had not a weak spot in it. He called himself for the -plaintiff, there was no getting over his evidence, the counsel for -the defendant threw up his brief, and the jury did not even turn to -consider. After trying it, Stryver, C. J., was satisfied that no plainer -case could be. - -Accordingly, Mr. Stryver inaugurated the Long Vacation with a formal -proposal to take Miss Manette to Vauxhall Gardens; that failing, to -Ranelagh; that unaccountably failing too, it behoved him to present -himself in Soho, and there declare his noble mind. - -Towards Soho, therefore, Mr. Stryver shouldered his way from the Temple, -while the bloom of the Long Vacation's infancy was still upon it. -Anybody who had seen him projecting himself into Soho while he was yet -on Saint Dunstan's side of Temple Bar, bursting in his full-blown way -along the pavement, to the jostlement of all weaker people, might have -seen how safe and strong he was. - -His way taking him past Tellson's, and he both banking at Tellson's and -knowing Mr. Lorry as the intimate friend of the Manettes, it entered Mr. -Stryver's mind to enter the bank, and reveal to Mr. Lorry the brightness -of the Soho horizon. So, he pushed open the door with the weak rattle -in its throat, stumbled down the two steps, got past the two ancient -cashiers, and shouldered himself into the musty back closet where Mr. -Lorry sat at great books ruled for figures, with perpendicular iron -bars to his window as if that were ruled for figures too, and everything -under the clouds were a sum. - -“Halloa!” said Mr. Stryver. “How do you do? I hope you are well!” - -It was Stryver's grand peculiarity that he always seemed too big for any -place, or space. He was so much too big for Tellson's, that old clerks -in distant corners looked up with looks of remonstrance, as though he -squeezed them against the wall. The House itself, magnificently reading -the paper quite in the far-off perspective, lowered displeased, as if -the Stryver head had been butted into its responsible waistcoat. - -The discreet Mr. Lorry said, in a sample tone of the voice he would -recommend under the circumstances, “How do you do, Mr. Stryver? How do -you do, sir?” and shook hands. There was a peculiarity in his manner -of shaking hands, always to be seen in any clerk at Tellson's who shook -hands with a customer when the House pervaded the air. He shook in a -self-abnegating way, as one who shook for Tellson and Co. - -“Can I do anything for you, Mr. Stryver?” asked Mr. Lorry, in his -business character. - -“Why, no, thank you; this is a private visit to yourself, Mr. Lorry; I -have come for a private word.” - -“Oh indeed!” said Mr. Lorry, bending down his ear, while his eye strayed -to the House afar off. - -“I am going,” said Mr. Stryver, leaning his arms confidentially on the -desk: whereupon, although it was a large double one, there appeared to -be not half desk enough for him: “I am going to make an offer of myself -in marriage to your agreeable little friend, Miss Manette, Mr. Lorry.” - -“Oh dear me!” cried Mr. Lorry, rubbing his chin, and looking at his -visitor dubiously. - -“Oh dear me, sir?” repeated Stryver, drawing back. “Oh dear you, sir? -What may your meaning be, Mr. Lorry?” - -“My meaning,” answered the man of business, “is, of course, friendly and -appreciative, and that it does you the greatest credit, and--in short, -my meaning is everything you could desire. But--really, you know, Mr. -Stryver--” Mr. Lorry paused, and shook his head at him in the oddest -manner, as if he were compelled against his will to add, internally, -“you know there really is so much too much of you!” - -“Well!” said Stryver, slapping the desk with his contentious hand, -opening his eyes wider, and taking a long breath, “if I understand you, -Mr. Lorry, I'll be hanged!” - -Mr. Lorry adjusted his little wig at both ears as a means towards that -end, and bit the feather of a pen. - -“D--n it all, sir!” said Stryver, staring at him, “am I not eligible?” - -“Oh dear yes! Yes. Oh yes, you're eligible!” said Mr. Lorry. “If you say -eligible, you are eligible.” - -“Am I not prosperous?” asked Stryver. - -“Oh! if you come to prosperous, you are prosperous,” said Mr. Lorry. - -“And advancing?” - -“If you come to advancing you know,” said Mr. Lorry, delighted to be -able to make another admission, “nobody can doubt that.” - -“Then what on earth is your meaning, Mr. Lorry?” demanded Stryver, -perceptibly crestfallen. - -“Well! I--Were you going there now?” asked Mr. Lorry. - -“Straight!” said Stryver, with a plump of his fist on the desk. - -“Then I think I wouldn't, if I was you.” - -“Why?” said Stryver. “Now, I'll put you in a corner,” forensically -shaking a forefinger at him. “You are a man of business and bound to -have a reason. State your reason. Why wouldn't you go?” - -“Because,” said Mr. Lorry, “I wouldn't go on such an object without -having some cause to believe that I should succeed.” - -“D--n _me_!” cried Stryver, “but this beats everything.” - -Mr. Lorry glanced at the distant House, and glanced at the angry -Stryver. - -“Here's a man of business--a man of years--a man of experience--_in_ -a Bank,” said Stryver; “and having summed up three leading reasons for -complete success, he says there's no reason at all! Says it with his -head on!” Mr. Stryver remarked upon the peculiarity as if it would have -been infinitely less remarkable if he had said it with his head off. - -“When I speak of success, I speak of success with the young lady; and -when I speak of causes and reasons to make success probable, I speak of -causes and reasons that will tell as such with the young lady. The young -lady, my good sir,” said Mr. Lorry, mildly tapping the Stryver arm, “the -young lady. The young lady goes before all.” - -“Then you mean to tell me, Mr. Lorry,” said Stryver, squaring his -elbows, “that it is your deliberate opinion that the young lady at -present in question is a mincing Fool?” - -“Not exactly so. I mean to tell you, Mr. Stryver,” said Mr. Lorry, -reddening, “that I will hear no disrespectful word of that young lady -from any lips; and that if I knew any man--which I hope I do not--whose -taste was so coarse, and whose temper was so overbearing, that he could -not restrain himself from speaking disrespectfully of that young lady at -this desk, not even Tellson's should prevent my giving him a piece of my -mind.” - -The necessity of being angry in a suppressed tone had put Mr. Stryver's -blood-vessels into a dangerous state when it was his turn to be angry; -Mr. Lorry's veins, methodical as their courses could usually be, were in -no better state now it was his turn. - -“That is what I mean to tell you, sir,” said Mr. Lorry. “Pray let there -be no mistake about it.” - -Mr. Stryver sucked the end of a ruler for a little while, and then stood -hitting a tune out of his teeth with it, which probably gave him the -toothache. He broke the awkward silence by saying: - -“This is something new to me, Mr. Lorry. You deliberately advise me not -to go up to Soho and offer myself--_my_self, Stryver of the King's Bench -bar?” - -“Do you ask me for my advice, Mr. Stryver?” - -“Yes, I do.” - -“Very good. Then I give it, and you have repeated it correctly.” - -“And all I can say of it is,” laughed Stryver with a vexed laugh, “that -this--ha, ha!--beats everything past, present, and to come.” - -“Now understand me,” pursued Mr. Lorry. “As a man of business, I am -not justified in saying anything about this matter, for, as a man of -business, I know nothing of it. But, as an old fellow, who has carried -Miss Manette in his arms, who is the trusted friend of Miss Manette and -of her father too, and who has a great affection for them both, I have -spoken. The confidence is not of my seeking, recollect. Now, you think I -may not be right?” - -“Not I!” said Stryver, whistling. “I can't undertake to find third -parties in common sense; I can only find it for myself. I suppose sense -in certain quarters; you suppose mincing bread-and-butter nonsense. It's -new to me, but you are right, I dare say.” - -“What I suppose, Mr. Stryver, I claim to characterise for myself--And -understand me, sir,” said Mr. Lorry, quickly flushing again, “I -will not--not even at Tellson's--have it characterised for me by any -gentleman breathing.” - -“There! I beg your pardon!” said Stryver. - -“Granted. Thank you. Well, Mr. Stryver, I was about to say:--it might be -painful to you to find yourself mistaken, it might be painful to Doctor -Manette to have the task of being explicit with you, it might be very -painful to Miss Manette to have the task of being explicit with you. You -know the terms upon which I have the honour and happiness to stand with -the family. If you please, committing you in no way, representing you -in no way, I will undertake to correct my advice by the exercise of a -little new observation and judgment expressly brought to bear upon -it. If you should then be dissatisfied with it, you can but test its -soundness for yourself; if, on the other hand, you should be satisfied -with it, and it should be what it now is, it may spare all sides what is -best spared. What do you say?” - -“How long would you keep me in town?” - -“Oh! It is only a question of a few hours. I could go to Soho in the -evening, and come to your chambers afterwards.” - -“Then I say yes,” said Stryver: “I won't go up there now, I am not so -hot upon it as that comes to; I say yes, and I shall expect you to look -in to-night. Good morning.” - -Then Mr. Stryver turned and burst out of the Bank, causing such a -concussion of air on his passage through, that to stand up against it -bowing behind the two counters, required the utmost remaining strength -of the two ancient clerks. Those venerable and feeble persons were -always seen by the public in the act of bowing, and were popularly -believed, when they had bowed a customer out, still to keep on bowing in -the empty office until they bowed another customer in. - -The barrister was keen enough to divine that the banker would not have -gone so far in his expression of opinion on any less solid ground than -moral certainty. Unprepared as he was for the large pill he had to -swallow, he got it down. “And now,” said Mr. Stryver, shaking his -forensic forefinger at the Temple in general, when it was down, “my way -out of this, is, to put you all in the wrong.” - -It was a bit of the art of an Old Bailey tactician, in which he found -great relief. “You shall not put me in the wrong, young lady,” said Mr. -Stryver; “I'll do that for you.” - -Accordingly, when Mr. Lorry called that night as late as ten o'clock, -Mr. Stryver, among a quantity of books and papers littered out for the -purpose, seemed to have nothing less on his mind than the subject of -the morning. He even showed surprise when he saw Mr. Lorry, and was -altogether in an absent and preoccupied state. - -“Well!” said that good-natured emissary, after a full half-hour of -bootless attempts to bring him round to the question. “I have been to -Soho.” - -“To Soho?” repeated Mr. Stryver, coldly. “Oh, to be sure! What am I -thinking of!” - -“And I have no doubt,” said Mr. Lorry, “that I was right in the -conversation we had. My opinion is confirmed, and I reiterate my -advice.” - -“I assure you,” returned Mr. Stryver, in the friendliest way, “that I -am sorry for it on your account, and sorry for it on the poor father's -account. I know this must always be a sore subject with the family; let -us say no more about it.” - -“I don't understand you,” said Mr. Lorry. - -“I dare say not,” rejoined Stryver, nodding his head in a smoothing and -final way; “no matter, no matter.” - -“But it does matter,” Mr. Lorry urged. - -“No it doesn't; I assure you it doesn't. Having supposed that there was -sense where there is no sense, and a laudable ambition where there is -not a laudable ambition, I am well out of my mistake, and no harm is -done. Young women have committed similar follies often before, and have -repented them in poverty and obscurity often before. In an unselfish -aspect, I am sorry that the thing is dropped, because it would have been -a bad thing for me in a worldly point of view; in a selfish aspect, I am -glad that the thing has dropped, because it would have been a bad thing -for me in a worldly point of view--it is hardly necessary to say I could -have gained nothing by it. There is no harm at all done. I have not -proposed to the young lady, and, between ourselves, I am by no means -certain, on reflection, that I ever should have committed myself to -that extent. Mr. Lorry, you cannot control the mincing vanities and -giddinesses of empty-headed girls; you must not expect to do it, or you -will always be disappointed. Now, pray say no more about it. I tell you, -I regret it on account of others, but I am satisfied on my own account. -And I am really very much obliged to you for allowing me to sound you, -and for giving me your advice; you know the young lady better than I do; -you were right, it never would have done.” - -Mr. Lorry was so taken aback, that he looked quite stupidly at Mr. -Stryver shouldering him towards the door, with an appearance of -showering generosity, forbearance, and goodwill, on his erring head. -“Make the best of it, my dear sir,” said Stryver; “say no more about it; -thank you again for allowing me to sound you; good night!” - -Mr. Lorry was out in the night, before he knew where he was. Mr. Stryver -was lying back on his sofa, winking at his ceiling. - - - - -XIII. The Fellow of No Delicacy - - -If Sydney Carton ever shone anywhere, he certainly never shone in the -house of Doctor Manette. He had been there often, during a whole year, -and had always been the same moody and morose lounger there. When he -cared to talk, he talked well; but, the cloud of caring for nothing, -which overshadowed him with such a fatal darkness, was very rarely -pierced by the light within him. - -And yet he did care something for the streets that environed that house, -and for the senseless stones that made their pavements. Many a night -he vaguely and unhappily wandered there, when wine had brought no -transitory gladness to him; many a dreary daybreak revealed his solitary -figure lingering there, and still lingering there when the first beams -of the sun brought into strong relief, removed beauties of architecture -in spires of churches and lofty buildings, as perhaps the quiet time -brought some sense of better things, else forgotten and unattainable, -into his mind. Of late, the neglected bed in the Temple Court had known -him more scantily than ever; and often when he had thrown himself upon -it no longer than a few minutes, he had got up again, and haunted that -neighbourhood. - -On a day in August, when Mr. Stryver (after notifying to his jackal -that “he had thought better of that marrying matter”) had carried his -delicacy into Devonshire, and when the sight and scent of flowers in the -City streets had some waifs of goodness in them for the worst, of health -for the sickliest, and of youth for the oldest, Sydney's feet still trod -those stones. From being irresolute and purposeless, his feet became -animated by an intention, and, in the working out of that intention, -they took him to the Doctor's door. - -He was shown up-stairs, and found Lucie at her work, alone. She had -never been quite at her ease with him, and received him with some little -embarrassment as he seated himself near her table. But, looking up at -his face in the interchange of the first few common-places, she observed -a change in it. - -“I fear you are not well, Mr. Carton!” - -“No. But the life I lead, Miss Manette, is not conducive to health. What -is to be expected of, or by, such profligates?” - -“Is it not--forgive me; I have begun the question on my lips--a pity to -live no better life?” - -“God knows it is a shame!” - -“Then why not change it?” - -Looking gently at him again, she was surprised and saddened to see that -there were tears in his eyes. There were tears in his voice too, as he -answered: - -“It is too late for that. I shall never be better than I am. I shall -sink lower, and be worse.” - -He leaned an elbow on her table, and covered his eyes with his hand. The -table trembled in the silence that followed. - -She had never seen him softened, and was much distressed. He knew her to -be so, without looking at her, and said: - -“Pray forgive me, Miss Manette. I break down before the knowledge of -what I want to say to you. Will you hear me?” - -“If it will do you any good, Mr. Carton, if it would make you happier, -it would make me very glad!” - -“God bless you for your sweet compassion!” - -He unshaded his face after a little while, and spoke steadily. - -“Don't be afraid to hear me. Don't shrink from anything I say. I am like -one who died young. All my life might have been.” - -“No, Mr. Carton. I am sure that the best part of it might still be; I am -sure that you might be much, much worthier of yourself.” - -“Say of you, Miss Manette, and although I know better--although in the -mystery of my own wretched heart I know better--I shall never forget -it!” - -She was pale and trembling. He came to her relief with a fixed despair -of himself which made the interview unlike any other that could have -been holden. - -“If it had been possible, Miss Manette, that you could have returned the -love of the man you see before yourself--flung away, wasted, drunken, -poor creature of misuse as you know him to be--he would have been -conscious this day and hour, in spite of his happiness, that he would -bring you to misery, bring you to sorrow and repentance, blight you, -disgrace you, pull you down with him. I know very well that you can have -no tenderness for me; I ask for none; I am even thankful that it cannot -be.” - -“Without it, can I not save you, Mr. Carton? Can I not recall -you--forgive me again!--to a better course? Can I in no way repay your -confidence? I know this is a confidence,” she modestly said, after a -little hesitation, and in earnest tears, “I know you would say this to -no one else. Can I turn it to no good account for yourself, Mr. Carton?” - -He shook his head. - -“To none. No, Miss Manette, to none. If you will hear me through a very -little more, all you can ever do for me is done. I wish you to know that -you have been the last dream of my soul. In my degradation I have not -been so degraded but that the sight of you with your father, and of this -home made such a home by you, has stirred old shadows that I thought had -died out of me. Since I knew you, I have been troubled by a remorse that -I thought would never reproach me again, and have heard whispers from -old voices impelling me upward, that I thought were silent for ever. I -have had unformed ideas of striving afresh, beginning anew, shaking off -sloth and sensuality, and fighting out the abandoned fight. A dream, all -a dream, that ends in nothing, and leaves the sleeper where he lay down, -but I wish you to know that you inspired it.” - -“Will nothing of it remain? O Mr. Carton, think again! Try again!” - -“No, Miss Manette; all through it, I have known myself to be quite -undeserving. And yet I have had the weakness, and have still the -weakness, to wish you to know with what a sudden mastery you kindled me, -heap of ashes that I am, into fire--a fire, however, inseparable in -its nature from myself, quickening nothing, lighting nothing, doing no -service, idly burning away.” - -“Since it is my misfortune, Mr. Carton, to have made you more unhappy -than you were before you knew me--” - -“Don't say that, Miss Manette, for you would have reclaimed me, if -anything could. You will not be the cause of my becoming worse.” - -“Since the state of your mind that you describe, is, at all events, -attributable to some influence of mine--this is what I mean, if I can -make it plain--can I use no influence to serve you? Have I no power for -good, with you, at all?” - -“The utmost good that I am capable of now, Miss Manette, I have come -here to realise. Let me carry through the rest of my misdirected life, -the remembrance that I opened my heart to you, last of all the world; -and that there was something left in me at this time which you could -deplore and pity.” - -“Which I entreated you to believe, again and again, most fervently, with -all my heart, was capable of better things, Mr. Carton!” - -“Entreat me to believe it no more, Miss Manette. I have proved myself, -and I know better. I distress you; I draw fast to an end. Will you let -me believe, when I recall this day, that the last confidence of my life -was reposed in your pure and innocent breast, and that it lies there -alone, and will be shared by no one?” - -“If that will be a consolation to you, yes.” - -“Not even by the dearest one ever to be known to you?” - -“Mr. Carton,” she answered, after an agitated pause, “the secret is -yours, not mine; and I promise to respect it.” - -“Thank you. And again, God bless you.” - -He put her hand to his lips, and moved towards the door. - -“Be under no apprehension, Miss Manette, of my ever resuming this -conversation by so much as a passing word. I will never refer to it -again. If I were dead, that could not be surer than it is henceforth. In -the hour of my death, I shall hold sacred the one good remembrance--and -shall thank and bless you for it--that my last avowal of myself was made -to you, and that my name, and faults, and miseries were gently carried -in your heart. May it otherwise be light and happy!” - -He was so unlike what he had ever shown himself to be, and it was so -sad to think how much he had thrown away, and how much he every day kept -down and perverted, that Lucie Manette wept mournfully for him as he -stood looking back at her. - -“Be comforted!” he said, “I am not worth such feeling, Miss Manette. An -hour or two hence, and the low companions and low habits that I scorn -but yield to, will render me less worth such tears as those, than any -wretch who creeps along the streets. Be comforted! But, within myself, I -shall always be, towards you, what I am now, though outwardly I shall be -what you have heretofore seen me. The last supplication but one I make -to you, is, that you will believe this of me.” - -“I will, Mr. Carton.” - -“My last supplication of all, is this; and with it, I will relieve -you of a visitor with whom I well know you have nothing in unison, and -between whom and you there is an impassable space. It is useless to say -it, I know, but it rises out of my soul. For you, and for any dear to -you, I would do anything. If my career were of that better kind that -there was any opportunity or capacity of sacrifice in it, I would -embrace any sacrifice for you and for those dear to you. Try to hold -me in your mind, at some quiet times, as ardent and sincere in this one -thing. The time will come, the time will not be long in coming, when new -ties will be formed about you--ties that will bind you yet more tenderly -and strongly to the home you so adorn--the dearest ties that will ever -grace and gladden you. O Miss Manette, when the little picture of a -happy father's face looks up in yours, when you see your own bright -beauty springing up anew at your feet, think now and then that there is -a man who would give his life, to keep a life you love beside you!” - -He said, “Farewell!” said a last “God bless you!” and left her. - - - - -XIV. The Honest Tradesman - - -To the eyes of Mr. Jeremiah Cruncher, sitting on his stool in -Fleet-street with his grisly urchin beside him, a vast number and -variety of objects in movement were every day presented. Who could sit -upon anything in Fleet-street during the busy hours of the day, and -not be dazed and deafened by two immense processions, one ever tending -westward with the sun, the other ever tending eastward from the sun, -both ever tending to the plains beyond the range of red and purple where -the sun goes down! - -With his straw in his mouth, Mr. Cruncher sat watching the two streams, -like the heathen rustic who has for several centuries been on duty -watching one stream--saving that Jerry had no expectation of their ever -running dry. Nor would it have been an expectation of a hopeful kind, -since a small part of his income was derived from the pilotage of timid -women (mostly of a full habit and past the middle term of life) from -Tellson's side of the tides to the opposite shore. Brief as such -companionship was in every separate instance, Mr. Cruncher never failed -to become so interested in the lady as to express a strong desire to -have the honour of drinking her very good health. And it was from -the gifts bestowed upon him towards the execution of this benevolent -purpose, that he recruited his finances, as just now observed. - -Time was, when a poet sat upon a stool in a public place, and mused in -the sight of men. Mr. Cruncher, sitting on a stool in a public place, -but not being a poet, mused as little as possible, and looked about him. - -It fell out that he was thus engaged in a season when crowds were -few, and belated women few, and when his affairs in general were so -unprosperous as to awaken a strong suspicion in his breast that Mrs. -Cruncher must have been “flopping” in some pointed manner, when an -unusual concourse pouring down Fleet-street westward, attracted his -attention. Looking that way, Mr. Cruncher made out that some kind of -funeral was coming along, and that there was popular objection to this -funeral, which engendered uproar. - -“Young Jerry,” said Mr. Cruncher, turning to his offspring, “it's a -buryin'.” - -“Hooroar, father!” cried Young Jerry. - -The young gentleman uttered this exultant sound with mysterious -significance. The elder gentleman took the cry so ill, that he watched -his opportunity, and smote the young gentleman on the ear. - -“What d'ye mean? What are you hooroaring at? What do you want to conwey -to your own father, you young Rip? This boy is a getting too many for -_me_!” said Mr. Cruncher, surveying him. “Him and his hooroars! Don't -let me hear no more of you, or you shall feel some more of me. D'ye -hear?” - -“I warn't doing no harm,” Young Jerry protested, rubbing his cheek. - -“Drop it then,” said Mr. Cruncher; “I won't have none of _your_ no -harms. Get a top of that there seat, and look at the crowd.” - -His son obeyed, and the crowd approached; they were bawling and hissing -round a dingy hearse and dingy mourning coach, in which mourning coach -there was only one mourner, dressed in the dingy trappings that were -considered essential to the dignity of the position. The position -appeared by no means to please him, however, with an increasing rabble -surrounding the coach, deriding him, making grimaces at him, and -incessantly groaning and calling out: “Yah! Spies! Tst! Yaha! Spies!” - with many compliments too numerous and forcible to repeat. - -Funerals had at all times a remarkable attraction for Mr. Cruncher; he -always pricked up his senses, and became excited, when a funeral passed -Tellson's. Naturally, therefore, a funeral with this uncommon attendance -excited him greatly, and he asked of the first man who ran against him: - -“What is it, brother? What's it about?” - -“_I_ don't know,” said the man. “Spies! Yaha! Tst! Spies!” - -He asked another man. “Who is it?” - -“_I_ don't know,” returned the man, clapping his hands to his mouth -nevertheless, and vociferating in a surprising heat and with the -greatest ardour, “Spies! Yaha! Tst, tst! Spi--ies!” - -At length, a person better informed on the merits of the case, tumbled -against him, and from this person he learned that the funeral was the -funeral of one Roger Cly. - -“Was he a spy?” asked Mr. Cruncher. - -“Old Bailey spy,” returned his informant. “Yaha! Tst! Yah! Old Bailey -Spi--i--ies!” - -“Why, to be sure!” exclaimed Jerry, recalling the Trial at which he had -assisted. “I've seen him. Dead, is he?” - -“Dead as mutton,” returned the other, “and can't be too dead. Have 'em -out, there! Spies! Pull 'em out, there! Spies!” - -The idea was so acceptable in the prevalent absence of any idea, -that the crowd caught it up with eagerness, and loudly repeating the -suggestion to have 'em out, and to pull 'em out, mobbed the two vehicles -so closely that they came to a stop. On the crowd's opening the coach -doors, the one mourner scuffled out by himself and was in their hands -for a moment; but he was so alert, and made such good use of his time, -that in another moment he was scouring away up a bye-street, after -shedding his cloak, hat, long hatband, white pocket-handkerchief, and -other symbolical tears. - -These, the people tore to pieces and scattered far and wide with great -enjoyment, while the tradesmen hurriedly shut up their shops; for a -crowd in those times stopped at nothing, and was a monster much dreaded. -They had already got the length of opening the hearse to take the coffin -out, when some brighter genius proposed instead, its being escorted to -its destination amidst general rejoicing. Practical suggestions being -much needed, this suggestion, too, was received with acclamation, and -the coach was immediately filled with eight inside and a dozen out, -while as many people got on the roof of the hearse as could by any -exercise of ingenuity stick upon it. Among the first of these volunteers -was Jerry Cruncher himself, who modestly concealed his spiky head from -the observation of Tellson's, in the further corner of the mourning -coach. - -The officiating undertakers made some protest against these changes in -the ceremonies; but, the river being alarmingly near, and several voices -remarking on the efficacy of cold immersion in bringing refractory -members of the profession to reason, the protest was faint and brief. -The remodelled procession started, with a chimney-sweep driving the -hearse--advised by the regular driver, who was perched beside him, under -close inspection, for the purpose--and with a pieman, also attended -by his cabinet minister, driving the mourning coach. A bear-leader, a -popular street character of the time, was impressed as an additional -ornament, before the cavalcade had gone far down the Strand; and his -bear, who was black and very mangy, gave quite an Undertaking air to -that part of the procession in which he walked. - -Thus, with beer-drinking, pipe-smoking, song-roaring, and infinite -caricaturing of woe, the disorderly procession went its way, recruiting -at every step, and all the shops shutting up before it. Its destination -was the old church of Saint Pancras, far off in the fields. It got there -in course of time; insisted on pouring into the burial-ground; finally, -accomplished the interment of the deceased Roger Cly in its own way, and -highly to its own satisfaction. - -The dead man disposed of, and the crowd being under the necessity of -providing some other entertainment for itself, another brighter -genius (or perhaps the same) conceived the humour of impeaching casual -passers-by, as Old Bailey spies, and wreaking vengeance on them. Chase -was given to some scores of inoffensive persons who had never been near -the Old Bailey in their lives, in the realisation of this fancy, and -they were roughly hustled and maltreated. The transition to the sport of -window-breaking, and thence to the plundering of public-houses, was easy -and natural. At last, after several hours, when sundry summer-houses had -been pulled down, and some area-railings had been torn up, to arm -the more belligerent spirits, a rumour got about that the Guards were -coming. Before this rumour, the crowd gradually melted away, and perhaps -the Guards came, and perhaps they never came, and this was the usual -progress of a mob. - -Mr. Cruncher did not assist at the closing sports, but had remained -behind in the churchyard, to confer and condole with the undertakers. -The place had a soothing influence on him. He procured a pipe from a -neighbouring public-house, and smoked it, looking in at the railings and -maturely considering the spot. - -“Jerry,” said Mr. Cruncher, apostrophising himself in his usual way, -“you see that there Cly that day, and you see with your own eyes that he -was a young 'un and a straight made 'un.” - -Having smoked his pipe out, and ruminated a little longer, he turned -himself about, that he might appear, before the hour of closing, on his -station at Tellson's. Whether his meditations on mortality had touched -his liver, or whether his general health had been previously at all -amiss, or whether he desired to show a little attention to an eminent -man, is not so much to the purpose, as that he made a short call upon -his medical adviser--a distinguished surgeon--on his way back. - -Young Jerry relieved his father with dutiful interest, and reported No -job in his absence. The bank closed, the ancient clerks came out, the -usual watch was set, and Mr. Cruncher and his son went home to tea. - -“Now, I tell you where it is!” said Mr. Cruncher to his wife, on -entering. “If, as a honest tradesman, my wenturs goes wrong to-night, I -shall make sure that you've been praying again me, and I shall work you -for it just the same as if I seen you do it.” - -The dejected Mrs. Cruncher shook her head. - -“Why, you're at it afore my face!” said Mr. Cruncher, with signs of -angry apprehension. - -“I am saying nothing.” - -“Well, then; don't meditate nothing. You might as well flop as meditate. -You may as well go again me one way as another. Drop it altogether.” - -“Yes, Jerry.” - -“Yes, Jerry,” repeated Mr. Cruncher sitting down to tea. “Ah! It _is_ -yes, Jerry. That's about it. You may say yes, Jerry.” - -Mr. Cruncher had no particular meaning in these sulky corroborations, -but made use of them, as people not unfrequently do, to express general -ironical dissatisfaction. - -“You and your yes, Jerry,” said Mr. Cruncher, taking a bite out of his -bread-and-butter, and seeming to help it down with a large invisible -oyster out of his saucer. “Ah! I think so. I believe you.” - -“You are going out to-night?” asked his decent wife, when he took -another bite. - -“Yes, I am.” - -“May I go with you, father?” asked his son, briskly. - -“No, you mayn't. I'm a going--as your mother knows--a fishing. That's -where I'm going to. Going a fishing.” - -“Your fishing-rod gets rayther rusty; don't it, father?” - -“Never you mind.” - -“Shall you bring any fish home, father?” - -“If I don't, you'll have short commons, to-morrow,” returned that -gentleman, shaking his head; “that's questions enough for you; I ain't a -going out, till you've been long abed.” - -He devoted himself during the remainder of the evening to keeping a -most vigilant watch on Mrs. Cruncher, and sullenly holding her in -conversation that she might be prevented from meditating any petitions -to his disadvantage. With this view, he urged his son to hold her in -conversation also, and led the unfortunate woman a hard life by dwelling -on any causes of complaint he could bring against her, rather than -he would leave her for a moment to her own reflections. The devoutest -person could have rendered no greater homage to the efficacy of an -honest prayer than he did in this distrust of his wife. It was as if a -professed unbeliever in ghosts should be frightened by a ghost story. - -“And mind you!” said Mr. Cruncher. “No games to-morrow! If I, as a -honest tradesman, succeed in providing a jinte of meat or two, none -of your not touching of it, and sticking to bread. If I, as a honest -tradesman, am able to provide a little beer, none of your declaring -on water. When you go to Rome, do as Rome does. Rome will be a ugly -customer to you, if you don't. _I_'m your Rome, you know.” - -Then he began grumbling again: - -“With your flying into the face of your own wittles and drink! I don't -know how scarce you mayn't make the wittles and drink here, by your -flopping tricks and your unfeeling conduct. Look at your boy: he _is_ -your'n, ain't he? He's as thin as a lath. Do you call yourself a mother, -and not know that a mother's first duty is to blow her boy out?” - -This touched Young Jerry on a tender place; who adjured his mother to -perform her first duty, and, whatever else she did or neglected, above -all things to lay especial stress on the discharge of that maternal -function so affectingly and delicately indicated by his other parent. - -Thus the evening wore away with the Cruncher family, until Young Jerry -was ordered to bed, and his mother, laid under similar injunctions, -obeyed them. Mr. Cruncher beguiled the earlier watches of the night with -solitary pipes, and did not start upon his excursion until nearly one -o'clock. Towards that small and ghostly hour, he rose up from his chair, -took a key out of his pocket, opened a locked cupboard, and brought -forth a sack, a crowbar of convenient size, a rope and chain, and other -fishing tackle of that nature. Disposing these articles about him -in skilful manner, he bestowed a parting defiance on Mrs. Cruncher, -extinguished the light, and went out. - -Young Jerry, who had only made a feint of undressing when he went to -bed, was not long after his father. Under cover of the darkness he -followed out of the room, followed down the stairs, followed down the -court, followed out into the streets. He was in no uneasiness concerning -his getting into the house again, for it was full of lodgers, and the -door stood ajar all night. - -Impelled by a laudable ambition to study the art and mystery of his -father's honest calling, Young Jerry, keeping as close to house fronts, -walls, and doorways, as his eyes were close to one another, held his -honoured parent in view. The honoured parent steering Northward, had not -gone far, when he was joined by another disciple of Izaak Walton, and -the two trudged on together. - -Within half an hour from the first starting, they were beyond the -winking lamps, and the more than winking watchmen, and were out upon a -lonely road. Another fisherman was picked up here--and that so silently, -that if Young Jerry had been superstitious, he might have supposed the -second follower of the gentle craft to have, all of a sudden, split -himself into two. - -The three went on, and Young Jerry went on, until the three stopped -under a bank overhanging the road. Upon the top of the bank was a low -brick wall, surmounted by an iron railing. In the shadow of bank and -wall the three turned out of the road, and up a blind lane, of which -the wall--there, risen to some eight or ten feet high--formed one side. -Crouching down in a corner, peeping up the lane, the next object that -Young Jerry saw, was the form of his honoured parent, pretty well -defined against a watery and clouded moon, nimbly scaling an iron gate. -He was soon over, and then the second fisherman got over, and then the -third. They all dropped softly on the ground within the gate, and lay -there a little--listening perhaps. Then, they moved away on their hands -and knees. - -It was now Young Jerry's turn to approach the gate: which he did, -holding his breath. Crouching down again in a corner there, and looking -in, he made out the three fishermen creeping through some rank grass! -and all the gravestones in the churchyard--it was a large churchyard -that they were in--looking on like ghosts in white, while the church -tower itself looked on like the ghost of a monstrous giant. They did not -creep far, before they stopped and stood upright. And then they began to -fish. - -They fished with a spade, at first. Presently the honoured parent -appeared to be adjusting some instrument like a great corkscrew. -Whatever tools they worked with, they worked hard, until the awful -striking of the church clock so terrified Young Jerry, that he made off, -with his hair as stiff as his father's. - -But, his long-cherished desire to know more about these matters, not -only stopped him in his running away, but lured him back again. They -were still fishing perseveringly, when he peeped in at the gate for -the second time; but, now they seemed to have got a bite. There was a -screwing and complaining sound down below, and their bent figures were -strained, as if by a weight. By slow degrees the weight broke away the -earth upon it, and came to the surface. Young Jerry very well knew what -it would be; but, when he saw it, and saw his honoured parent about to -wrench it open, he was so frightened, being new to the sight, that he -made off again, and never stopped until he had run a mile or more. - -He would not have stopped then, for anything less necessary than breath, -it being a spectral sort of race that he ran, and one highly desirable -to get to the end of. He had a strong idea that the coffin he had seen -was running after him; and, pictured as hopping on behind him, bolt -upright, upon its narrow end, always on the point of overtaking him -and hopping on at his side--perhaps taking his arm--it was a pursuer to -shun. It was an inconsistent and ubiquitous fiend too, for, while it -was making the whole night behind him dreadful, he darted out into the -roadway to avoid dark alleys, fearful of its coming hopping out of them -like a dropsical boy's kite without tail and wings. It hid in doorways -too, rubbing its horrible shoulders against doors, and drawing them up -to its ears, as if it were laughing. It got into shadows on the road, -and lay cunningly on its back to trip him up. All this time it was -incessantly hopping on behind and gaining on him, so that when the boy -got to his own door he had reason for being half dead. And even then -it would not leave him, but followed him upstairs with a bump on every -stair, scrambled into bed with him, and bumped down, dead and heavy, on -his breast when he fell asleep. - -From his oppressed slumber, Young Jerry in his closet was awakened after -daybreak and before sunrise, by the presence of his father in the -family room. Something had gone wrong with him; at least, so Young Jerry -inferred, from the circumstance of his holding Mrs. Cruncher by the -ears, and knocking the back of her head against the head-board of the -bed. - -“I told you I would,” said Mr. Cruncher, “and I did.” - -“Jerry, Jerry, Jerry!” his wife implored. - -“You oppose yourself to the profit of the business,” said Jerry, “and me -and my partners suffer. You was to honour and obey; why the devil don't -you?” - -“I try to be a good wife, Jerry,” the poor woman protested, with tears. - -“Is it being a good wife to oppose your husband's business? Is it -honouring your husband to dishonour his business? Is it obeying your -husband to disobey him on the wital subject of his business?” - -“You hadn't taken to the dreadful business then, Jerry.” - -“It's enough for you,” retorted Mr. Cruncher, “to be the wife of a -honest tradesman, and not to occupy your female mind with calculations -when he took to his trade or when he didn't. A honouring and obeying -wife would let his trade alone altogether. Call yourself a religious -woman? If you're a religious woman, give me a irreligious one! You have -no more nat'ral sense of duty than the bed of this here Thames river has -of a pile, and similarly it must be knocked into you.” - -The altercation was conducted in a low tone of voice, and terminated in -the honest tradesman's kicking off his clay-soiled boots, and lying down -at his length on the floor. After taking a timid peep at him lying on -his back, with his rusty hands under his head for a pillow, his son lay -down too, and fell asleep again. - -There was no fish for breakfast, and not much of anything else. Mr. -Cruncher was out of spirits, and out of temper, and kept an iron pot-lid -by him as a projectile for the correction of Mrs. Cruncher, in case -he should observe any symptoms of her saying Grace. He was brushed -and washed at the usual hour, and set off with his son to pursue his -ostensible calling. - -Young Jerry, walking with the stool under his arm at his father's side -along sunny and crowded Fleet-street, was a very different Young Jerry -from him of the previous night, running home through darkness and -solitude from his grim pursuer. His cunning was fresh with the day, -and his qualms were gone with the night--in which particulars it is not -improbable that he had compeers in Fleet-street and the City of London, -that fine morning. - -“Father,” said Young Jerry, as they walked along: taking care to keep -at arm's length and to have the stool well between them: “what's a -Resurrection-Man?” - -Mr. Cruncher came to a stop on the pavement before he answered, “How -should I know?” - -“I thought you knowed everything, father,” said the artless boy. - -“Hem! Well,” returned Mr. Cruncher, going on again, and lifting off his -hat to give his spikes free play, “he's a tradesman.” - -“What's his goods, father?” asked the brisk Young Jerry. - -“His goods,” said Mr. Cruncher, after turning it over in his mind, “is a -branch of Scientific goods.” - -“Persons' bodies, ain't it, father?” asked the lively boy. - -“I believe it is something of that sort,” said Mr. Cruncher. - -“Oh, father, I should so like to be a Resurrection-Man when I'm quite -growed up!” - -Mr. Cruncher was soothed, but shook his head in a dubious and moral way. -“It depends upon how you dewelop your talents. Be careful to dewelop -your talents, and never to say no more than you can help to nobody, and -there's no telling at the present time what you may not come to be fit -for.” As Young Jerry, thus encouraged, went on a few yards in advance, -to plant the stool in the shadow of the Bar, Mr. Cruncher added to -himself: “Jerry, you honest tradesman, there's hopes wot that boy will -yet be a blessing to you, and a recompense to you for his mother!” - - - - -XV. Knitting - - -There had been earlier drinking than usual in the wine-shop of Monsieur -Defarge. As early as six o'clock in the morning, sallow faces peeping -through its barred windows had descried other faces within, bending over -measures of wine. Monsieur Defarge sold a very thin wine at the best -of times, but it would seem to have been an unusually thin wine that -he sold at this time. A sour wine, moreover, or a souring, for its -influence on the mood of those who drank it was to make them gloomy. No -vivacious Bacchanalian flame leaped out of the pressed grape of Monsieur -Defarge: but, a smouldering fire that burnt in the dark, lay hidden in -the dregs of it. - -This had been the third morning in succession, on which there had been -early drinking at the wine-shop of Monsieur Defarge. It had begun -on Monday, and here was Wednesday come. There had been more of early -brooding than drinking; for, many men had listened and whispered and -slunk about there from the time of the opening of the door, who could -not have laid a piece of money on the counter to save their souls. These -were to the full as interested in the place, however, as if they could -have commanded whole barrels of wine; and they glided from seat to seat, -and from corner to corner, swallowing talk in lieu of drink, with greedy -looks. - -Notwithstanding an unusual flow of company, the master of the wine-shop -was not visible. He was not missed; for, nobody who crossed the -threshold looked for him, nobody asked for him, nobody wondered to see -only Madame Defarge in her seat, presiding over the distribution of -wine, with a bowl of battered small coins before her, as much defaced -and beaten out of their original impress as the small coinage of -humanity from whose ragged pockets they had come. - -A suspended interest and a prevalent absence of mind, were perhaps -observed by the spies who looked in at the wine-shop, as they looked in -at every place, high and low, from the king's palace to the criminal's -gaol. Games at cards languished, players at dominoes musingly built -towers with them, drinkers drew figures on the tables with spilt drops -of wine, Madame Defarge herself picked out the pattern on her sleeve -with her toothpick, and saw and heard something inaudible and invisible -a long way off. - -Thus, Saint Antoine in this vinous feature of his, until midday. It was -high noontide, when two dusty men passed through his streets and under -his swinging lamps: of whom, one was Monsieur Defarge: the other a -mender of roads in a blue cap. All adust and athirst, the two entered -the wine-shop. Their arrival had lighted a kind of fire in the breast -of Saint Antoine, fast spreading as they came along, which stirred and -flickered in flames of faces at most doors and windows. Yet, no one had -followed them, and no man spoke when they entered the wine-shop, though -the eyes of every man there were turned upon them. - -“Good day, gentlemen!” said Monsieur Defarge. - -It may have been a signal for loosening the general tongue. It elicited -an answering chorus of “Good day!” - -“It is bad weather, gentlemen,” said Defarge, shaking his head. - -Upon which, every man looked at his neighbour, and then all cast down -their eyes and sat silent. Except one man, who got up and went out. - -“My wife,” said Defarge aloud, addressing Madame Defarge: “I have -travelled certain leagues with this good mender of roads, called -Jacques. I met him--by accident--a day and half's journey out of Paris. -He is a good child, this mender of roads, called Jacques. Give him to -drink, my wife!” - -A second man got up and went out. Madame Defarge set wine before the -mender of roads called Jacques, who doffed his blue cap to the company, -and drank. In the breast of his blouse he carried some coarse dark -bread; he ate of this between whiles, and sat munching and drinking near -Madame Defarge's counter. A third man got up and went out. - -Defarge refreshed himself with a draught of wine--but, he took less -than was given to the stranger, as being himself a man to whom it was no -rarity--and stood waiting until the countryman had made his breakfast. -He looked at no one present, and no one now looked at him; not even -Madame Defarge, who had taken up her knitting, and was at work. - -“Have you finished your repast, friend?” he asked, in due season. - -“Yes, thank you.” - -“Come, then! You shall see the apartment that I told you you could -occupy. It will suit you to a marvel.” - -Out of the wine-shop into the street, out of the street into a -courtyard, out of the courtyard up a steep staircase, out of the -staircase into a garret--formerly the garret where a white-haired man -sat on a low bench, stooping forward and very busy, making shoes. - -No white-haired man was there now; but, the three men were there who had -gone out of the wine-shop singly. And between them and the white-haired -man afar off, was the one small link, that they had once looked in at -him through the chinks in the wall. - -Defarge closed the door carefully, and spoke in a subdued voice: - -“Jacques One, Jacques Two, Jacques Three! This is the witness -encountered by appointment, by me, Jacques Four. He will tell you all. -Speak, Jacques Five!” - -The mender of roads, blue cap in hand, wiped his swarthy forehead with -it, and said, “Where shall I commence, monsieur?” - -“Commence,” was Monsieur Defarge's not unreasonable reply, “at the -commencement.” - -“I saw him then, messieurs,” began the mender of roads, “a year ago this -running summer, underneath the carriage of the Marquis, hanging by the -chain. Behold the manner of it. I leaving my work on the road, the sun -going to bed, the carriage of the Marquis slowly ascending the hill, he -hanging by the chain--like this.” - -Again the mender of roads went through the whole performance; in which -he ought to have been perfect by that time, seeing that it had been -the infallible resource and indispensable entertainment of his village -during a whole year. - -Jacques One struck in, and asked if he had ever seen the man before? - -“Never,” answered the mender of roads, recovering his perpendicular. - -Jacques Three demanded how he afterwards recognised him then? - -“By his tall figure,” said the mender of roads, softly, and with his -finger at his nose. “When Monsieur the Marquis demands that evening, -'Say, what is he like?' I make response, 'Tall as a spectre.'” - -“You should have said, short as a dwarf,” returned Jacques Two. - -“But what did I know? The deed was not then accomplished, neither did he -confide in me. Observe! Under those circumstances even, I do not -offer my testimony. Monsieur the Marquis indicates me with his finger, -standing near our little fountain, and says, 'To me! Bring that rascal!' -My faith, messieurs, I offer nothing.” - -“He is right there, Jacques,” murmured Defarge, to him who had -interrupted. “Go on!” - -“Good!” said the mender of roads, with an air of mystery. “The tall man -is lost, and he is sought--how many months? Nine, ten, eleven?” - -“No matter, the number,” said Defarge. “He is well hidden, but at last -he is unluckily found. Go on!” - -“I am again at work upon the hill-side, and the sun is again about to -go to bed. I am collecting my tools to descend to my cottage down in the -village below, where it is already dark, when I raise my eyes, and see -coming over the hill six soldiers. In the midst of them is a tall man -with his arms bound--tied to his sides--like this!” - -With the aid of his indispensable cap, he represented a man with his -elbows bound fast at his hips, with cords that were knotted behind him. - -“I stand aside, messieurs, by my heap of stones, to see the soldiers -and their prisoner pass (for it is a solitary road, that, where any -spectacle is well worth looking at), and at first, as they approach, I -see no more than that they are six soldiers with a tall man bound, and -that they are almost black to my sight--except on the side of the sun -going to bed, where they have a red edge, messieurs. Also, I see that -their long shadows are on the hollow ridge on the opposite side of the -road, and are on the hill above it, and are like the shadows of giants. -Also, I see that they are covered with dust, and that the dust moves -with them as they come, tramp, tramp! But when they advance quite near -to me, I recognise the tall man, and he recognises me. Ah, but he would -be well content to precipitate himself over the hill-side once again, as -on the evening when he and I first encountered, close to the same spot!” - -He described it as if he were there, and it was evident that he saw it -vividly; perhaps he had not seen much in his life. - -“I do not show the soldiers that I recognise the tall man; he does not -show the soldiers that he recognises me; we do it, and we know it, with -our eyes. 'Come on!' says the chief of that company, pointing to the -village, 'bring him fast to his tomb!' and they bring him faster. I -follow. His arms are swelled because of being bound so tight, his wooden -shoes are large and clumsy, and he is lame. Because he is lame, and -consequently slow, they drive him with their guns--like this!” - -He imitated the action of a man's being impelled forward by the -butt-ends of muskets. - -“As they descend the hill like madmen running a race, he falls. They -laugh and pick him up again. His face is bleeding and covered with dust, -but he cannot touch it; thereupon they laugh again. They bring him into -the village; all the village runs to look; they take him past the mill, -and up to the prison; all the village sees the prison gate open in the -darkness of the night, and swallow him--like this!” - -He opened his mouth as wide as he could, and shut it with a sounding -snap of his teeth. Observant of his unwillingness to mar the effect by -opening it again, Defarge said, “Go on, Jacques.” - -“All the village,” pursued the mender of roads, on tiptoe and in a low -voice, “withdraws; all the village whispers by the fountain; all the -village sleeps; all the village dreams of that unhappy one, within the -locks and bars of the prison on the crag, and never to come out of it, -except to perish. In the morning, with my tools upon my shoulder, eating -my morsel of black bread as I go, I make a circuit by the prison, on -my way to my work. There I see him, high up, behind the bars of a lofty -iron cage, bloody and dusty as last night, looking through. He has no -hand free, to wave to me; I dare not call to him; he regards me like a -dead man.” - -Defarge and the three glanced darkly at one another. The looks of all -of them were dark, repressed, and revengeful, as they listened to the -countryman's story; the manner of all of them, while it was secret, was -authoritative too. They had the air of a rough tribunal; Jacques One -and Two sitting on the old pallet-bed, each with his chin resting on -his hand, and his eyes intent on the road-mender; Jacques Three, equally -intent, on one knee behind them, with his agitated hand always gliding -over the network of fine nerves about his mouth and nose; Defarge -standing between them and the narrator, whom he had stationed in the -light of the window, by turns looking from him to them, and from them to -him. - -“Go on, Jacques,” said Defarge. - -“He remains up there in his iron cage some days. The village looks -at him by stealth, for it is afraid. But it always looks up, from a -distance, at the prison on the crag; and in the evening, when the work -of the day is achieved and it assembles to gossip at the fountain, all -faces are turned towards the prison. Formerly, they were turned towards -the posting-house; now, they are turned towards the prison. They -whisper at the fountain, that although condemned to death he will not be -executed; they say that petitions have been presented in Paris, showing -that he was enraged and made mad by the death of his child; they say -that a petition has been presented to the King himself. What do I know? -It is possible. Perhaps yes, perhaps no.” - -“Listen then, Jacques,” Number One of that name sternly interposed. -“Know that a petition was presented to the King and Queen. All here, -yourself excepted, saw the King take it, in his carriage in the street, -sitting beside the Queen. It is Defarge whom you see here, who, at the -hazard of his life, darted out before the horses, with the petition in -his hand.” - -“And once again listen, Jacques!” said the kneeling Number Three: -his fingers ever wandering over and over those fine nerves, with a -strikingly greedy air, as if he hungered for something--that was neither -food nor drink; “the guard, horse and foot, surrounded the petitioner, -and struck him blows. You hear?” - -“I hear, messieurs.” - -“Go on then,” said Defarge. - -“Again; on the other hand, they whisper at the fountain,” resumed the -countryman, “that he is brought down into our country to be executed on -the spot, and that he will very certainly be executed. They even whisper -that because he has slain Monseigneur, and because Monseigneur was the -father of his tenants--serfs--what you will--he will be executed as a -parricide. One old man says at the fountain, that his right hand, armed -with the knife, will be burnt off before his face; that, into wounds -which will be made in his arms, his breast, and his legs, there will be -poured boiling oil, melted lead, hot resin, wax, and sulphur; finally, -that he will be torn limb from limb by four strong horses. That old man -says, all this was actually done to a prisoner who made an attempt on -the life of the late King, Louis Fifteen. But how do I know if he lies? -I am not a scholar.” - -“Listen once again then, Jacques!” said the man with the restless hand -and the craving air. “The name of that prisoner was Damiens, and it was -all done in open day, in the open streets of this city of Paris; and -nothing was more noticed in the vast concourse that saw it done, than -the crowd of ladies of quality and fashion, who were full of eager -attention to the last--to the last, Jacques, prolonged until nightfall, -when he had lost two legs and an arm, and still breathed! And it was -done--why, how old are you?” - -“Thirty-five,” said the mender of roads, who looked sixty. - -“It was done when you were more than ten years old; you might have seen -it.” - -“Enough!” said Defarge, with grim impatience. “Long live the Devil! Go -on.” - -“Well! Some whisper this, some whisper that; they speak of nothing else; -even the fountain appears to fall to that tune. At length, on Sunday -night when all the village is asleep, come soldiers, winding down from -the prison, and their guns ring on the stones of the little street. -Workmen dig, workmen hammer, soldiers laugh and sing; in the morning, by -the fountain, there is raised a gallows forty feet high, poisoning the -water.” - -The mender of roads looked _through_ rather than _at_ the low ceiling, -and pointed as if he saw the gallows somewhere in the sky. - -“All work is stopped, all assemble there, nobody leads the cows out, -the cows are there with the rest. At midday, the roll of drums. Soldiers -have marched into the prison in the night, and he is in the midst -of many soldiers. He is bound as before, and in his mouth there is -a gag--tied so, with a tight string, making him look almost as if he -laughed.” He suggested it, by creasing his face with his two thumbs, -from the corners of his mouth to his ears. “On the top of the gallows is -fixed the knife, blade upwards, with its point in the air. He is hanged -there forty feet high--and is left hanging, poisoning the water.” - -They looked at one another, as he used his blue cap to wipe his face, -on which the perspiration had started afresh while he recalled the -spectacle. - -“It is frightful, messieurs. How can the women and the children draw -water! Who can gossip of an evening, under that shadow! Under it, have -I said? When I left the village, Monday evening as the sun was going to -bed, and looked back from the hill, the shadow struck across the church, -across the mill, across the prison--seemed to strike across the earth, -messieurs, to where the sky rests upon it!” - -The hungry man gnawed one of his fingers as he looked at the other -three, and his finger quivered with the craving that was on him. - -“That's all, messieurs. I left at sunset (as I had been warned to do), -and I walked on, that night and half next day, until I met (as I was -warned I should) this comrade. With him, I came on, now riding and now -walking, through the rest of yesterday and through last night. And here -you see me!” - -After a gloomy silence, the first Jacques said, “Good! You have acted -and recounted faithfully. Will you wait for us a little, outside the -door?” - -“Very willingly,” said the mender of roads. Whom Defarge escorted to the -top of the stairs, and, leaving seated there, returned. - -The three had risen, and their heads were together when he came back to -the garret. - -“How say you, Jacques?” demanded Number One. “To be registered?” - -“To be registered, as doomed to destruction,” returned Defarge. - -“Magnificent!” croaked the man with the craving. - -“The chateau, and all the race?” inquired the first. - -“The chateau and all the race,” returned Defarge. “Extermination.” - -The hungry man repeated, in a rapturous croak, “Magnificent!” and began -gnawing another finger. - -“Are you sure,” asked Jacques Two, of Defarge, “that no embarrassment -can arise from our manner of keeping the register? Without doubt it is -safe, for no one beyond ourselves can decipher it; but shall we always -be able to decipher it--or, I ought to say, will she?” - -“Jacques,” returned Defarge, drawing himself up, “if madame my wife -undertook to keep the register in her memory alone, she would not lose -a word of it--not a syllable of it. Knitted, in her own stitches and her -own symbols, it will always be as plain to her as the sun. Confide in -Madame Defarge. It would be easier for the weakest poltroon that lives, -to erase himself from existence, than to erase one letter of his name or -crimes from the knitted register of Madame Defarge.” - -There was a murmur of confidence and approval, and then the man who -hungered, asked: “Is this rustic to be sent back soon? I hope so. He is -very simple; is he not a little dangerous?” - -“He knows nothing,” said Defarge; “at least nothing more than would -easily elevate himself to a gallows of the same height. I charge myself -with him; let him remain with me; I will take care of him, and set him -on his road. He wishes to see the fine world--the King, the Queen, and -Court; let him see them on Sunday.” - -“What?” exclaimed the hungry man, staring. “Is it a good sign, that he -wishes to see Royalty and Nobility?” - -“Jacques,” said Defarge; “judiciously show a cat milk, if you wish her -to thirst for it. Judiciously show a dog his natural prey, if you wish -him to bring it down one day.” - -Nothing more was said, and the mender of roads, being found already -dozing on the topmost stair, was advised to lay himself down on the -pallet-bed and take some rest. He needed no persuasion, and was soon -asleep. - -Worse quarters than Defarge's wine-shop, could easily have been found -in Paris for a provincial slave of that degree. Saving for a mysterious -dread of madame by which he was constantly haunted, his life was very -new and agreeable. But, madame sat all day at her counter, so expressly -unconscious of him, and so particularly determined not to perceive that -his being there had any connection with anything below the surface, that -he shook in his wooden shoes whenever his eye lighted on her. For, he -contended with himself that it was impossible to foresee what that lady -might pretend next; and he felt assured that if she should take it -into her brightly ornamented head to pretend that she had seen him do a -murder and afterwards flay the victim, she would infallibly go through -with it until the play was played out. - -Therefore, when Sunday came, the mender of roads was not enchanted -(though he said he was) to find that madame was to accompany monsieur -and himself to Versailles. It was additionally disconcerting to have -madame knitting all the way there, in a public conveyance; it was -additionally disconcerting yet, to have madame in the crowd in the -afternoon, still with her knitting in her hands as the crowd waited to -see the carriage of the King and Queen. - -“You work hard, madame,” said a man near her. - -“Yes,” answered Madame Defarge; “I have a good deal to do.” - -“What do you make, madame?” - -“Many things.” - -“For instance--” - -“For instance,” returned Madame Defarge, composedly, “shrouds.” - -The man moved a little further away, as soon as he could, and the mender -of roads fanned himself with his blue cap: feeling it mightily close -and oppressive. If he needed a King and Queen to restore him, he was -fortunate in having his remedy at hand; for, soon the large-faced King -and the fair-faced Queen came in their golden coach, attended by the -shining Bull's Eye of their Court, a glittering multitude of laughing -ladies and fine lords; and in jewels and silks and powder and splendour -and elegantly spurning figures and handsomely disdainful faces of both -sexes, the mender of roads bathed himself, so much to his temporary -intoxication, that he cried Long live the King, Long live the Queen, -Long live everybody and everything! as if he had never heard of -ubiquitous Jacques in his time. Then, there were gardens, courtyards, -terraces, fountains, green banks, more King and Queen, more Bull's Eye, -more lords and ladies, more Long live they all! until he absolutely wept -with sentiment. During the whole of this scene, which lasted some three -hours, he had plenty of shouting and weeping and sentimental company, -and throughout Defarge held him by the collar, as if to restrain him -from flying at the objects of his brief devotion and tearing them to -pieces. - -“Bravo!” said Defarge, clapping him on the back when it was over, like a -patron; “you are a good boy!” - -The mender of roads was now coming to himself, and was mistrustful of -having made a mistake in his late demonstrations; but no. - -“You are the fellow we want,” said Defarge, in his ear; “you make -these fools believe that it will last for ever. Then, they are the more -insolent, and it is the nearer ended.” - -“Hey!” cried the mender of roads, reflectively; “that's true.” - -“These fools know nothing. While they despise your breath, and would -stop it for ever and ever, in you or in a hundred like you rather than -in one of their own horses or dogs, they only know what your breath -tells them. Let it deceive them, then, a little longer; it cannot -deceive them too much.” - -Madame Defarge looked superciliously at the client, and nodded in -confirmation. - -“As to you,” said she, “you would shout and shed tears for anything, if -it made a show and a noise. Say! Would you not?” - -“Truly, madame, I think so. For the moment.” - -“If you were shown a great heap of dolls, and were set upon them to -pluck them to pieces and despoil them for your own advantage, you would -pick out the richest and gayest. Say! Would you not?” - -“Truly yes, madame.” - -“Yes. And if you were shown a flock of birds, unable to fly, and were -set upon them to strip them of their feathers for your own advantage, -you would set upon the birds of the finest feathers; would you not?” - -“It is true, madame.” - -“You have seen both dolls and birds to-day,” said Madame Defarge, with -a wave of her hand towards the place where they had last been apparent; -“now, go home!” - - - - -XVI. Still Knitting - - -Madame Defarge and monsieur her husband returned amicably to the -bosom of Saint Antoine, while a speck in a blue cap toiled through the -darkness, and through the dust, and down the weary miles of avenue by -the wayside, slowly tending towards that point of the compass where -the chateau of Monsieur the Marquis, now in his grave, listened to -the whispering trees. Such ample leisure had the stone faces, now, -for listening to the trees and to the fountain, that the few village -scarecrows who, in their quest for herbs to eat and fragments of dead -stick to burn, strayed within sight of the great stone courtyard and -terrace staircase, had it borne in upon their starved fancy that -the expression of the faces was altered. A rumour just lived in the -village--had a faint and bare existence there, as its people had--that -when the knife struck home, the faces changed, from faces of pride to -faces of anger and pain; also, that when that dangling figure was hauled -up forty feet above the fountain, they changed again, and bore a cruel -look of being avenged, which they would henceforth bear for ever. In the -stone face over the great window of the bed-chamber where the murder -was done, two fine dints were pointed out in the sculptured nose, which -everybody recognised, and which nobody had seen of old; and on the -scarce occasions when two or three ragged peasants emerged from the -crowd to take a hurried peep at Monsieur the Marquis petrified, a -skinny finger would not have pointed to it for a minute, before they all -started away among the moss and leaves, like the more fortunate hares -who could find a living there. - -Chateau and hut, stone face and dangling figure, the red stain on the -stone floor, and the pure water in the village well--thousands of acres -of land--a whole province of France--all France itself--lay under the -night sky, concentrated into a faint hair-breadth line. So does a whole -world, with all its greatnesses and littlenesses, lie in a twinkling -star. And as mere human knowledge can split a ray of light and analyse -the manner of its composition, so, sublimer intelligences may read in -the feeble shining of this earth of ours, every thought and act, every -vice and virtue, of every responsible creature on it. - -The Defarges, husband and wife, came lumbering under the starlight, -in their public vehicle, to that gate of Paris whereunto their -journey naturally tended. There was the usual stoppage at the barrier -guardhouse, and the usual lanterns came glancing forth for the usual -examination and inquiry. Monsieur Defarge alighted; knowing one or two -of the soldiery there, and one of the police. The latter he was intimate -with, and affectionately embraced. - -When Saint Antoine had again enfolded the Defarges in his dusky wings, -and they, having finally alighted near the Saint's boundaries, were -picking their way on foot through the black mud and offal of his -streets, Madame Defarge spoke to her husband: - -“Say then, my friend; what did Jacques of the police tell thee?” - -“Very little to-night, but all he knows. There is another spy -commissioned for our quarter. There may be many more, for all that he -can say, but he knows of one.” - -“Eh well!” said Madame Defarge, raising her eyebrows with a cool -business air. “It is necessary to register him. How do they call that -man?” - -“He is English.” - -“So much the better. His name?” - -“Barsad,” said Defarge, making it French by pronunciation. But, he had -been so careful to get it accurately, that he then spelt it with perfect -correctness. - -“Barsad,” repeated madame. “Good. Christian name?” - -“John.” - -“John Barsad,” repeated madame, after murmuring it once to herself. -“Good. His appearance; is it known?” - -“Age, about forty years; height, about five feet nine; black hair; -complexion dark; generally, rather handsome visage; eyes dark, face -thin, long, and sallow; nose aquiline, but not straight, having a -peculiar inclination towards the left cheek; expression, therefore, -sinister.” - -“Eh my faith. It is a portrait!” said madame, laughing. “He shall be -registered to-morrow.” - -They turned into the wine-shop, which was closed (for it was midnight), -and where Madame Defarge immediately took her post at her desk, counted -the small moneys that had been taken during her absence, examined the -stock, went through the entries in the book, made other entries of -her own, checked the serving man in every possible way, and finally -dismissed him to bed. Then she turned out the contents of the bowl -of money for the second time, and began knotting them up in her -handkerchief, in a chain of separate knots, for safe keeping through the -night. All this while, Defarge, with his pipe in his mouth, walked -up and down, complacently admiring, but never interfering; in which -condition, indeed, as to the business and his domestic affairs, he -walked up and down through life. - -The night was hot, and the shop, close shut and surrounded by so foul a -neighbourhood, was ill-smelling. Monsieur Defarge's olfactory sense was -by no means delicate, but the stock of wine smelt much stronger than -it ever tasted, and so did the stock of rum and brandy and aniseed. He -whiffed the compound of scents away, as he put down his smoked-out pipe. - -“You are fatigued,” said madame, raising her glance as she knotted the -money. “There are only the usual odours.” - -“I am a little tired,” her husband acknowledged. - -“You are a little depressed, too,” said madame, whose quick eyes had -never been so intent on the accounts, but they had had a ray or two for -him. “Oh, the men, the men!” - -“But my dear!” began Defarge. - -“But my dear!” repeated madame, nodding firmly; “but my dear! You are -faint of heart to-night, my dear!” - -“Well, then,” said Defarge, as if a thought were wrung out of his -breast, “it _is_ a long time.” - -“It is a long time,” repeated his wife; “and when is it not a long time? -Vengeance and retribution require a long time; it is the rule.” - -“It does not take a long time to strike a man with Lightning,” said -Defarge. - -“How long,” demanded madame, composedly, “does it take to make and store -the lightning? Tell me.” - -Defarge raised his head thoughtfully, as if there were something in that -too. - -“It does not take a long time,” said madame, “for an earthquake to -swallow a town. Eh well! Tell me how long it takes to prepare the -earthquake?” - -“A long time, I suppose,” said Defarge. - -“But when it is ready, it takes place, and grinds to pieces everything -before it. In the meantime, it is always preparing, though it is not -seen or heard. That is your consolation. Keep it.” - -She tied a knot with flashing eyes, as if it throttled a foe. - -“I tell thee,” said madame, extending her right hand, for emphasis, -“that although it is a long time on the road, it is on the road and -coming. I tell thee it never retreats, and never stops. I tell thee it -is always advancing. Look around and consider the lives of all the world -that we know, consider the faces of all the world that we know, consider -the rage and discontent to which the Jacquerie addresses itself with -more and more of certainty every hour. Can such things last? Bah! I mock -you.” - -“My brave wife,” returned Defarge, standing before her with his head -a little bent, and his hands clasped at his back, like a docile and -attentive pupil before his catechist, “I do not question all this. But -it has lasted a long time, and it is possible--you know well, my wife, -it is possible--that it may not come, during our lives.” - -“Eh well! How then?” demanded madame, tying another knot, as if there -were another enemy strangled. - -“Well!” said Defarge, with a half complaining and half apologetic shrug. -“We shall not see the triumph.” - -“We shall have helped it,” returned madame, with her extended hand in -strong action. “Nothing that we do, is done in vain. I believe, with all -my soul, that we shall see the triumph. But even if not, even if I knew -certainly not, show me the neck of an aristocrat and tyrant, and still I -would--” - -Then madame, with her teeth set, tied a very terrible knot indeed. - -“Hold!” cried Defarge, reddening a little as if he felt charged with -cowardice; “I too, my dear, will stop at nothing.” - -“Yes! But it is your weakness that you sometimes need to see your victim -and your opportunity, to sustain you. Sustain yourself without that. -When the time comes, let loose a tiger and a devil; but wait for the -time with the tiger and the devil chained--not shown--yet always ready.” - -Madame enforced the conclusion of this piece of advice by striking her -little counter with her chain of money as if she knocked its brains -out, and then gathering the heavy handkerchief under her arm in a serene -manner, and observing that it was time to go to bed. - -Next noontide saw the admirable woman in her usual place in the -wine-shop, knitting away assiduously. A rose lay beside her, and if she -now and then glanced at the flower, it was with no infraction of her -usual preoccupied air. There were a few customers, drinking or not -drinking, standing or seated, sprinkled about. The day was very hot, -and heaps of flies, who were extending their inquisitive and adventurous -perquisitions into all the glutinous little glasses near madame, fell -dead at the bottom. Their decease made no impression on the other flies -out promenading, who looked at them in the coolest manner (as if they -themselves were elephants, or something as far removed), until they met -the same fate. Curious to consider how heedless flies are!--perhaps they -thought as much at Court that sunny summer day. - -A figure entering at the door threw a shadow on Madame Defarge which she -felt to be a new one. She laid down her knitting, and began to pin her -rose in her head-dress, before she looked at the figure. - -It was curious. The moment Madame Defarge took up the rose, the -customers ceased talking, and began gradually to drop out of the -wine-shop. - -“Good day, madame,” said the new-comer. - -“Good day, monsieur.” - -She said it aloud, but added to herself, as she resumed her knitting: -“Hah! Good day, age about forty, height about five feet nine, black -hair, generally rather handsome visage, complexion dark, eyes dark, -thin, long and sallow face, aquiline nose but not straight, having a -peculiar inclination towards the left cheek which imparts a sinister -expression! Good day, one and all!” - -“Have the goodness to give me a little glass of old cognac, and a -mouthful of cool fresh water, madame.” - -Madame complied with a polite air. - -“Marvellous cognac this, madame!” - -It was the first time it had ever been so complimented, and Madame -Defarge knew enough of its antecedents to know better. She said, -however, that the cognac was flattered, and took up her knitting. The -visitor watched her fingers for a few moments, and took the opportunity -of observing the place in general. - -“You knit with great skill, madame.” - -“I am accustomed to it.” - -“A pretty pattern too!” - -“_You_ think so?” said madame, looking at him with a smile. - -“Decidedly. May one ask what it is for?” - -“Pastime,” said madame, still looking at him with a smile while her -fingers moved nimbly. - -“Not for use?” - -“That depends. I may find a use for it one day. If I do--Well,” said -madame, drawing a breath and nodding her head with a stern kind of -coquetry, “I'll use it!” - -It was remarkable; but, the taste of Saint Antoine seemed to be -decidedly opposed to a rose on the head-dress of Madame Defarge. Two -men had entered separately, and had been about to order drink, when, -catching sight of that novelty, they faltered, made a pretence of -looking about as if for some friend who was not there, and went away. -Nor, of those who had been there when this visitor entered, was there -one left. They had all dropped off. The spy had kept his eyes open, -but had been able to detect no sign. They had lounged away in a -poverty-stricken, purposeless, accidental manner, quite natural and -unimpeachable. - -“_John_,” thought madame, checking off her work as her fingers knitted, -and her eyes looked at the stranger. “Stay long enough, and I shall knit -'BARSAD' before you go.” - -“You have a husband, madame?” - -“I have.” - -“Children?” - -“No children.” - -“Business seems bad?” - -“Business is very bad; the people are so poor.” - -“Ah, the unfortunate, miserable people! So oppressed, too--as you say.” - -“As _you_ say,” madame retorted, correcting him, and deftly knitting an -extra something into his name that boded him no good. - -“Pardon me; certainly it was I who said so, but you naturally think so. -Of course.” - -“_I_ think?” returned madame, in a high voice. “I and my husband have -enough to do to keep this wine-shop open, without thinking. All we -think, here, is how to live. That is the subject _we_ think of, and -it gives us, from morning to night, enough to think about, without -embarrassing our heads concerning others. _I_ think for others? No, no.” - -The spy, who was there to pick up any crumbs he could find or make, did -not allow his baffled state to express itself in his sinister face; but, -stood with an air of gossiping gallantry, leaning his elbow on Madame -Defarge's little counter, and occasionally sipping his cognac. - -“A bad business this, madame, of Gaspard's execution. Ah! the poor -Gaspard!” With a sigh of great compassion. - -“My faith!” returned madame, coolly and lightly, “if people use knives -for such purposes, they have to pay for it. He knew beforehand what the -price of his luxury was; he has paid the price.” - -“I believe,” said the spy, dropping his soft voice to a tone -that invited confidence, and expressing an injured revolutionary -susceptibility in every muscle of his wicked face: “I believe there -is much compassion and anger in this neighbourhood, touching the poor -fellow? Between ourselves.” - -“Is there?” asked madame, vacantly. - -“Is there not?” - -“--Here is my husband!” said Madame Defarge. - -As the keeper of the wine-shop entered at the door, the spy saluted -him by touching his hat, and saying, with an engaging smile, “Good day, -Jacques!” Defarge stopped short, and stared at him. - -“Good day, Jacques!” the spy repeated; with not quite so much -confidence, or quite so easy a smile under the stare. - -“You deceive yourself, monsieur,” returned the keeper of the wine-shop. -“You mistake me for another. That is not my name. I am Ernest Defarge.” - -“It is all the same,” said the spy, airily, but discomfited too: “good -day!” - -“Good day!” answered Defarge, drily. - -“I was saying to madame, with whom I had the pleasure of chatting when -you entered, that they tell me there is--and no wonder!--much sympathy -and anger in Saint Antoine, touching the unhappy fate of poor Gaspard.” - -“No one has told me so,” said Defarge, shaking his head. “I know nothing -of it.” - -Having said it, he passed behind the little counter, and stood with his -hand on the back of his wife's chair, looking over that barrier at the -person to whom they were both opposed, and whom either of them would -have shot with the greatest satisfaction. - -The spy, well used to his business, did not change his unconscious -attitude, but drained his little glass of cognac, took a sip of fresh -water, and asked for another glass of cognac. Madame Defarge poured it -out for him, took to her knitting again, and hummed a little song over -it. - -“You seem to know this quarter well; that is to say, better than I do?” - observed Defarge. - -“Not at all, but I hope to know it better. I am so profoundly interested -in its miserable inhabitants.” - -“Hah!” muttered Defarge. - -“The pleasure of conversing with you, Monsieur Defarge, recalls to me,” - pursued the spy, “that I have the honour of cherishing some interesting -associations with your name.” - -“Indeed!” said Defarge, with much indifference. - -“Yes, indeed. When Doctor Manette was released, you, his old domestic, -had the charge of him, I know. He was delivered to you. You see I am -informed of the circumstances?” - -“Such is the fact, certainly,” said Defarge. He had had it conveyed -to him, in an accidental touch of his wife's elbow as she knitted and -warbled, that he would do best to answer, but always with brevity. - -“It was to you,” said the spy, “that his daughter came; and it was -from your care that his daughter took him, accompanied by a neat brown -monsieur; how is he called?--in a little wig--Lorry--of the bank of -Tellson and Company--over to England.” - -“Such is the fact,” repeated Defarge. - -“Very interesting remembrances!” said the spy. “I have known Doctor -Manette and his daughter, in England.” - -“Yes?” said Defarge. - -“You don't hear much about them now?” said the spy. - -“No,” said Defarge. - -“In effect,” madame struck in, looking up from her work and her little -song, “we never hear about them. We received the news of their safe -arrival, and perhaps another letter, or perhaps two; but, since then, -they have gradually taken their road in life--we, ours--and we have held -no correspondence.” - -“Perfectly so, madame,” replied the spy. “She is going to be married.” - -“Going?” echoed madame. “She was pretty enough to have been married long -ago. You English are cold, it seems to me.” - -“Oh! You know I am English.” - -“I perceive your tongue is,” returned madame; “and what the tongue is, I -suppose the man is.” - -He did not take the identification as a compliment; but he made the best -of it, and turned it off with a laugh. After sipping his cognac to the -end, he added: - -“Yes, Miss Manette is going to be married. But not to an Englishman; to -one who, like herself, is French by birth. And speaking of Gaspard (ah, -poor Gaspard! It was cruel, cruel!), it is a curious thing that she is -going to marry the nephew of Monsieur the Marquis, for whom Gaspard -was exalted to that height of so many feet; in other words, the present -Marquis. But he lives unknown in England, he is no Marquis there; he is -Mr. Charles Darnay. D'Aulnais is the name of his mother's family.” - -Madame Defarge knitted steadily, but the intelligence had a palpable -effect upon her husband. Do what he would, behind the little counter, -as to the striking of a light and the lighting of his pipe, he was -troubled, and his hand was not trustworthy. The spy would have been no -spy if he had failed to see it, or to record it in his mind. - -Having made, at least, this one hit, whatever it might prove to be -worth, and no customers coming in to help him to any other, Mr. Barsad -paid for what he had drunk, and took his leave: taking occasion to say, -in a genteel manner, before he departed, that he looked forward to the -pleasure of seeing Monsieur and Madame Defarge again. For some minutes -after he had emerged into the outer presence of Saint Antoine, the -husband and wife remained exactly as he had left them, lest he should -come back. - -“Can it be true,” said Defarge, in a low voice, looking down at his wife -as he stood smoking with his hand on the back of her chair: “what he has -said of Ma'amselle Manette?” - -“As he has said it,” returned madame, lifting her eyebrows a little, “it -is probably false. But it may be true.” - -“If it is--” Defarge began, and stopped. - -“If it is?” repeated his wife. - -“--And if it does come, while we live to see it triumph--I hope, for her -sake, Destiny will keep her husband out of France.” - -“Her husband's destiny,” said Madame Defarge, with her usual composure, -“will take him where he is to go, and will lead him to the end that is -to end him. That is all I know.” - -“But it is very strange--now, at least, is it not very strange”--said -Defarge, rather pleading with his wife to induce her to admit it, -“that, after all our sympathy for Monsieur her father, and herself, her -husband's name should be proscribed under your hand at this moment, by -the side of that infernal dog's who has just left us?” - -“Stranger things than that will happen when it does come,” answered -madame. “I have them both here, of a certainty; and they are both here -for their merits; that is enough.” - -She rolled up her knitting when she had said those words, and presently -took the rose out of the handkerchief that was wound about her head. -Either Saint Antoine had an instinctive sense that the objectionable -decoration was gone, or Saint Antoine was on the watch for its -disappearance; howbeit, the Saint took courage to lounge in, very -shortly afterwards, and the wine-shop recovered its habitual aspect. - -In the evening, at which season of all others Saint Antoine turned -himself inside out, and sat on door-steps and window-ledges, and came -to the corners of vile streets and courts, for a breath of air, Madame -Defarge with her work in her hand was accustomed to pass from place -to place and from group to group: a Missionary--there were many like -her--such as the world will do well never to breed again. All the women -knitted. They knitted worthless things; but, the mechanical work was a -mechanical substitute for eating and drinking; the hands moved for the -jaws and the digestive apparatus: if the bony fingers had been still, -the stomachs would have been more famine-pinched. - -But, as the fingers went, the eyes went, and the thoughts. And as Madame -Defarge moved on from group to group, all three went quicker and fiercer -among every little knot of women that she had spoken with, and left -behind. - -Her husband smoked at his door, looking after her with admiration. “A -great woman,” said he, “a strong woman, a grand woman, a frightfully -grand woman!” - -Darkness closed around, and then came the ringing of church bells and -the distant beating of the military drums in the Palace Courtyard, as -the women sat knitting, knitting. Darkness encompassed them. Another -darkness was closing in as surely, when the church bells, then ringing -pleasantly in many an airy steeple over France, should be melted into -thundering cannon; when the military drums should be beating to drown a -wretched voice, that night all potent as the voice of Power and Plenty, -Freedom and Life. So much was closing in about the women who sat -knitting, knitting, that they their very selves were closing in around -a structure yet unbuilt, where they were to sit knitting, knitting, -counting dropping heads. - - - - -XVII. One Night - - -Never did the sun go down with a brighter glory on the quiet corner in -Soho, than one memorable evening when the Doctor and his daughter sat -under the plane-tree together. Never did the moon rise with a milder -radiance over great London, than on that night when it found them still -seated under the tree, and shone upon their faces through its leaves. - -Lucie was to be married to-morrow. She had reserved this last evening -for her father, and they sat alone under the plane-tree. - -“You are happy, my dear father?” - -“Quite, my child.” - -They had said little, though they had been there a long time. When it -was yet light enough to work and read, she had neither engaged herself -in her usual work, nor had she read to him. She had employed herself in -both ways, at his side under the tree, many and many a time; but, this -time was not quite like any other, and nothing could make it so. - -“And I am very happy to-night, dear father. I am deeply happy in the -love that Heaven has so blessed--my love for Charles, and Charles's love -for me. But, if my life were not to be still consecrated to you, or -if my marriage were so arranged as that it would part us, even by -the length of a few of these streets, I should be more unhappy and -self-reproachful now than I can tell you. Even as it is--” - -Even as it was, she could not command her voice. - -In the sad moonlight, she clasped him by the neck, and laid her face -upon his breast. In the moonlight which is always sad, as the light of -the sun itself is--as the light called human life is--at its coming and -its going. - -“Dearest dear! Can you tell me, this last time, that you feel quite, -quite sure, no new affections of mine, and no new duties of mine, will -ever interpose between us? _I_ know it well, but do you know it? In your -own heart, do you feel quite certain?” - -Her father answered, with a cheerful firmness of conviction he could -scarcely have assumed, “Quite sure, my darling! More than that,” he -added, as he tenderly kissed her: “my future is far brighter, Lucie, -seen through your marriage, than it could have been--nay, than it ever -was--without it.” - -“If I could hope _that_, my father!--” - -“Believe it, love! Indeed it is so. Consider how natural and how plain -it is, my dear, that it should be so. You, devoted and young, cannot -fully appreciate the anxiety I have felt that your life should not be -wasted--” - -She moved her hand towards his lips, but he took it in his, and repeated -the word. - -“--wasted, my child--should not be wasted, struck aside from the -natural order of things--for my sake. Your unselfishness cannot entirely -comprehend how much my mind has gone on this; but, only ask yourself, -how could my happiness be perfect, while yours was incomplete?” - -“If I had never seen Charles, my father, I should have been quite happy -with you.” - -He smiled at her unconscious admission that she would have been unhappy -without Charles, having seen him; and replied: - -“My child, you did see him, and it is Charles. If it had not been -Charles, it would have been another. Or, if it had been no other, I -should have been the cause, and then the dark part of my life would have -cast its shadow beyond myself, and would have fallen on you.” - -It was the first time, except at the trial, of her ever hearing him -refer to the period of his suffering. It gave her a strange and new -sensation while his words were in her ears; and she remembered it long -afterwards. - -“See!” said the Doctor of Beauvais, raising his hand towards the moon. -“I have looked at her from my prison-window, when I could not bear her -light. I have looked at her when it has been such torture to me to think -of her shining upon what I had lost, that I have beaten my head against -my prison-walls. I have looked at her, in a state so dull and lethargic, -that I have thought of nothing but the number of horizontal lines I -could draw across her at the full, and the number of perpendicular lines -with which I could intersect them.” He added in his inward and pondering -manner, as he looked at the moon, “It was twenty either way, I remember, -and the twentieth was difficult to squeeze in.” - -The strange thrill with which she heard him go back to that time, -deepened as he dwelt upon it; but, there was nothing to shock her in -the manner of his reference. He only seemed to contrast his present -cheerfulness and felicity with the dire endurance that was over. - -“I have looked at her, speculating thousands of times upon the unborn -child from whom I had been rent. Whether it was alive. Whether it had -been born alive, or the poor mother's shock had killed it. Whether it -was a son who would some day avenge his father. (There was a time in my -imprisonment, when my desire for vengeance was unbearable.) Whether it -was a son who would never know his father's story; who might even live -to weigh the possibility of his father's having disappeared of his own -will and act. Whether it was a daughter who would grow to be a woman.” - -She drew closer to him, and kissed his cheek and his hand. - -“I have pictured my daughter, to myself, as perfectly forgetful of -me--rather, altogether ignorant of me, and unconscious of me. I have -cast up the years of her age, year after year. I have seen her married -to a man who knew nothing of my fate. I have altogether perished from -the remembrance of the living, and in the next generation my place was a -blank.” - -“My father! Even to hear that you had such thoughts of a daughter who -never existed, strikes to my heart as if I had been that child.” - -“You, Lucie? It is out of the Consolation and restoration you have -brought to me, that these remembrances arise, and pass between us and -the moon on this last night.--What did I say just now?” - -“She knew nothing of you. She cared nothing for you.” - -“So! But on other moonlight nights, when the sadness and the silence -have touched me in a different way--have affected me with something as -like a sorrowful sense of peace, as any emotion that had pain for its -foundations could--I have imagined her as coming to me in my cell, and -leading me out into the freedom beyond the fortress. I have seen her -image in the moonlight often, as I now see you; except that I never held -her in my arms; it stood between the little grated window and the door. -But, you understand that that was not the child I am speaking of?” - -“The figure was not; the--the--image; the fancy?” - -“No. That was another thing. It stood before my disturbed sense of -sight, but it never moved. The phantom that my mind pursued, was another -and more real child. Of her outward appearance I know no more than -that she was like her mother. The other had that likeness too--as you -have--but was not the same. Can you follow me, Lucie? Hardly, I think? -I doubt you must have been a solitary prisoner to understand these -perplexed distinctions.” - -His collected and calm manner could not prevent her blood from running -cold, as he thus tried to anatomise his old condition. - -“In that more peaceful state, I have imagined her, in the moonlight, -coming to me and taking me out to show me that the home of her married -life was full of her loving remembrance of her lost father. My picture -was in her room, and I was in her prayers. Her life was active, -cheerful, useful; but my poor history pervaded it all.” - -“I was that child, my father, I was not half so good, but in my love -that was I.” - -“And she showed me her children,” said the Doctor of Beauvais, “and -they had heard of me, and had been taught to pity me. When they passed -a prison of the State, they kept far from its frowning walls, and looked -up at its bars, and spoke in whispers. She could never deliver me; I -imagined that she always brought me back after showing me such things. -But then, blessed with the relief of tears, I fell upon my knees, and -blessed her.” - -“I am that child, I hope, my father. O my dear, my dear, will you bless -me as fervently to-morrow?” - -“Lucie, I recall these old troubles in the reason that I have to-night -for loving you better than words can tell, and thanking God for my great -happiness. My thoughts, when they were wildest, never rose near the -happiness that I have known with you, and that we have before us.” - -He embraced her, solemnly commended her to Heaven, and humbly thanked -Heaven for having bestowed her on him. By-and-bye, they went into the -house. - -There was no one bidden to the marriage but Mr. Lorry; there was even to -be no bridesmaid but the gaunt Miss Pross. The marriage was to make no -change in their place of residence; they had been able to extend it, -by taking to themselves the upper rooms formerly belonging to the -apocryphal invisible lodger, and they desired nothing more. - -Doctor Manette was very cheerful at the little supper. They were only -three at table, and Miss Pross made the third. He regretted that Charles -was not there; was more than half disposed to object to the loving -little plot that kept him away; and drank to him affectionately. - -So, the time came for him to bid Lucie good night, and they separated. -But, in the stillness of the third hour of the morning, Lucie came -downstairs again, and stole into his room; not free from unshaped fears, -beforehand. - -All things, however, were in their places; all was quiet; and he lay -asleep, his white hair picturesque on the untroubled pillow, and his -hands lying quiet on the coverlet. She put her needless candle in the -shadow at a distance, crept up to his bed, and put her lips to his; -then, leaned over him, and looked at him. - -Into his handsome face, the bitter waters of captivity had worn; but, he -covered up their tracks with a determination so strong, that he held the -mastery of them even in his sleep. A more remarkable face in its quiet, -resolute, and guarded struggle with an unseen assailant, was not to be -beheld in all the wide dominions of sleep, that night. - -She timidly laid her hand on his dear breast, and put up a prayer that -she might ever be as true to him as her love aspired to be, and as his -sorrows deserved. Then, she withdrew her hand, and kissed his lips once -more, and went away. So, the sunrise came, and the shadows of the leaves -of the plane-tree moved upon his face, as softly as her lips had moved -in praying for him. - - - - -XVIII. Nine Days - - -The marriage-day was shining brightly, and they were ready outside the -closed door of the Doctor's room, where he was speaking with Charles -Darnay. They were ready to go to church; the beautiful bride, Mr. -Lorry, and Miss Pross--to whom the event, through a gradual process of -reconcilement to the inevitable, would have been one of absolute bliss, -but for the yet lingering consideration that her brother Solomon should -have been the bridegroom. - -“And so,” said Mr. Lorry, who could not sufficiently admire the bride, -and who had been moving round her to take in every point of her quiet, -pretty dress; “and so it was for this, my sweet Lucie, that I brought -you across the Channel, such a baby! Lord bless me! How little I thought -what I was doing! How lightly I valued the obligation I was conferring -on my friend Mr. Charles!” - -“You didn't mean it,” remarked the matter-of-fact Miss Pross, “and -therefore how could you know it? Nonsense!” - -“Really? Well; but don't cry,” said the gentle Mr. Lorry. - -“I am not crying,” said Miss Pross; “_you_ are.” - -“I, my Pross?” (By this time, Mr. Lorry dared to be pleasant with her, -on occasion.) - -“You were, just now; I saw you do it, and I don't wonder at it. Such -a present of plate as you have made 'em, is enough to bring tears into -anybody's eyes. There's not a fork or a spoon in the collection,” said -Miss Pross, “that I didn't cry over, last night after the box came, till -I couldn't see it.” - -“I am highly gratified,” said Mr. Lorry, “though, upon my honour, I -had no intention of rendering those trifling articles of remembrance -invisible to any one. Dear me! This is an occasion that makes a man -speculate on all he has lost. Dear, dear, dear! To think that there -might have been a Mrs. Lorry, any time these fifty years almost!” - -“Not at all!” From Miss Pross. - -“You think there never might have been a Mrs. Lorry?” asked the -gentleman of that name. - -“Pooh!” rejoined Miss Pross; “you were a bachelor in your cradle.” - -“Well!” observed Mr. Lorry, beamingly adjusting his little wig, “that -seems probable, too.” - -“And you were cut out for a bachelor,” pursued Miss Pross, “before you -were put in your cradle.” - -“Then, I think,” said Mr. Lorry, “that I was very unhandsomely dealt -with, and that I ought to have had a voice in the selection of my -pattern. Enough! Now, my dear Lucie,” drawing his arm soothingly round -her waist, “I hear them moving in the next room, and Miss Pross and -I, as two formal folks of business, are anxious not to lose the final -opportunity of saying something to you that you wish to hear. You leave -your good father, my dear, in hands as earnest and as loving as your -own; he shall be taken every conceivable care of; during the next -fortnight, while you are in Warwickshire and thereabouts, even Tellson's -shall go to the wall (comparatively speaking) before him. And when, at -the fortnight's end, he comes to join you and your beloved husband, on -your other fortnight's trip in Wales, you shall say that we have sent -him to you in the best health and in the happiest frame. Now, I hear -Somebody's step coming to the door. Let me kiss my dear girl with an -old-fashioned bachelor blessing, before Somebody comes to claim his -own.” - -For a moment, he held the fair face from him to look at the -well-remembered expression on the forehead, and then laid the bright -golden hair against his little brown wig, with a genuine tenderness and -delicacy which, if such things be old-fashioned, were as old as Adam. - -The door of the Doctor's room opened, and he came out with Charles -Darnay. He was so deadly pale--which had not been the case when they -went in together--that no vestige of colour was to be seen in his face. -But, in the composure of his manner he was unaltered, except that to the -shrewd glance of Mr. Lorry it disclosed some shadowy indication that the -old air of avoidance and dread had lately passed over him, like a cold -wind. - -He gave his arm to his daughter, and took her down-stairs to the chariot -which Mr. Lorry had hired in honour of the day. The rest followed in -another carriage, and soon, in a neighbouring church, where no strange -eyes looked on, Charles Darnay and Lucie Manette were happily married. - -Besides the glancing tears that shone among the smiles of the little -group when it was done, some diamonds, very bright and sparkling, -glanced on the bride's hand, which were newly released from the -dark obscurity of one of Mr. Lorry's pockets. They returned home to -breakfast, and all went well, and in due course the golden hair that had -mingled with the poor shoemaker's white locks in the Paris garret, were -mingled with them again in the morning sunlight, on the threshold of the -door at parting. - -It was a hard parting, though it was not for long. But her father -cheered her, and said at last, gently disengaging himself from her -enfolding arms, “Take her, Charles! She is yours!” - -And her agitated hand waved to them from a chaise window, and she was -gone. - -The corner being out of the way of the idle and curious, and the -preparations having been very simple and few, the Doctor, Mr. Lorry, -and Miss Pross, were left quite alone. It was when they turned into -the welcome shade of the cool old hall, that Mr. Lorry observed a great -change to have come over the Doctor; as if the golden arm uplifted -there, had struck him a poisoned blow. - -He had naturally repressed much, and some revulsion might have been -expected in him when the occasion for repression was gone. But, it was -the old scared lost look that troubled Mr. Lorry; and through his absent -manner of clasping his head and drearily wandering away into his own -room when they got up-stairs, Mr. Lorry was reminded of Defarge the -wine-shop keeper, and the starlight ride. - -“I think,” he whispered to Miss Pross, after anxious consideration, “I -think we had best not speak to him just now, or at all disturb him. -I must look in at Tellson's; so I will go there at once and come back -presently. Then, we will take him a ride into the country, and dine -there, and all will be well.” - -It was easier for Mr. Lorry to look in at Tellson's, than to look out of -Tellson's. He was detained two hours. When he came back, he ascended the -old staircase alone, having asked no question of the servant; going thus -into the Doctor's rooms, he was stopped by a low sound of knocking. - -“Good God!” he said, with a start. “What's that?” - -Miss Pross, with a terrified face, was at his ear. “O me, O me! All is -lost!” cried she, wringing her hands. “What is to be told to Ladybird? -He doesn't know me, and is making shoes!” - -Mr. Lorry said what he could to calm her, and went himself into the -Doctor's room. The bench was turned towards the light, as it had been -when he had seen the shoemaker at his work before, and his head was bent -down, and he was very busy. - -“Doctor Manette. My dear friend, Doctor Manette!” - -The Doctor looked at him for a moment--half inquiringly, half as if he -were angry at being spoken to--and bent over his work again. - -He had laid aside his coat and waistcoat; his shirt was open at the -throat, as it used to be when he did that work; and even the old -haggard, faded surface of face had come back to him. He worked -hard--impatiently--as if in some sense of having been interrupted. - -Mr. Lorry glanced at the work in his hand, and observed that it was a -shoe of the old size and shape. He took up another that was lying by -him, and asked what it was. - -“A young lady's walking shoe,” he muttered, without looking up. “It -ought to have been finished long ago. Let it be.” - -“But, Doctor Manette. Look at me!” - -He obeyed, in the old mechanically submissive manner, without pausing in -his work. - -“You know me, my dear friend? Think again. This is not your proper -occupation. Think, dear friend!” - -Nothing would induce him to speak more. He looked up, for an instant at -a time, when he was requested to do so; but, no persuasion would extract -a word from him. He worked, and worked, and worked, in silence, and -words fell on him as they would have fallen on an echoless wall, or on -the air. The only ray of hope that Mr. Lorry could discover, was, that -he sometimes furtively looked up without being asked. In that, there -seemed a faint expression of curiosity or perplexity--as though he were -trying to reconcile some doubts in his mind. - -Two things at once impressed themselves on Mr. Lorry, as important above -all others; the first, that this must be kept secret from Lucie; -the second, that it must be kept secret from all who knew him. In -conjunction with Miss Pross, he took immediate steps towards the latter -precaution, by giving out that the Doctor was not well, and required a -few days of complete rest. In aid of the kind deception to be practised -on his daughter, Miss Pross was to write, describing his having been -called away professionally, and referring to an imaginary letter of -two or three hurried lines in his own hand, represented to have been -addressed to her by the same post. - -These measures, advisable to be taken in any case, Mr. Lorry took in -the hope of his coming to himself. If that should happen soon, he kept -another course in reserve; which was, to have a certain opinion that he -thought the best, on the Doctor's case. - -In the hope of his recovery, and of resort to this third course -being thereby rendered practicable, Mr. Lorry resolved to watch him -attentively, with as little appearance as possible of doing so. He -therefore made arrangements to absent himself from Tellson's for the -first time in his life, and took his post by the window in the same -room. - -He was not long in discovering that it was worse than useless to speak -to him, since, on being pressed, he became worried. He abandoned that -attempt on the first day, and resolved merely to keep himself always -before him, as a silent protest against the delusion into which he had -fallen, or was falling. He remained, therefore, in his seat near the -window, reading and writing, and expressing in as many pleasant and -natural ways as he could think of, that it was a free place. - -Doctor Manette took what was given him to eat and drink, and worked on, -that first day, until it was too dark to see--worked on, half an hour -after Mr. Lorry could not have seen, for his life, to read or write. -When he put his tools aside as useless, until morning, Mr. Lorry rose -and said to him: - -“Will you go out?” - -He looked down at the floor on either side of him in the old manner, -looked up in the old manner, and repeated in the old low voice: - -“Out?” - -“Yes; for a walk with me. Why not?” - -He made no effort to say why not, and said not a word more. But, Mr. -Lorry thought he saw, as he leaned forward on his bench in the dusk, -with his elbows on his knees and his head in his hands, that he was in -some misty way asking himself, “Why not?” The sagacity of the man of -business perceived an advantage here, and determined to hold it. - -Miss Pross and he divided the night into two watches, and observed him -at intervals from the adjoining room. He paced up and down for a long -time before he lay down; but, when he did finally lay himself down, he -fell asleep. In the morning, he was up betimes, and went straight to his -bench and to work. - -On this second day, Mr. Lorry saluted him cheerfully by his name, -and spoke to him on topics that had been of late familiar to them. He -returned no reply, but it was evident that he heard what was said, and -that he thought about it, however confusedly. This encouraged Mr. Lorry -to have Miss Pross in with her work, several times during the day; -at those times, they quietly spoke of Lucie, and of her father then -present, precisely in the usual manner, and as if there were nothing -amiss. This was done without any demonstrative accompaniment, not long -enough, or often enough to harass him; and it lightened Mr. Lorry's -friendly heart to believe that he looked up oftener, and that he -appeared to be stirred by some perception of inconsistencies surrounding -him. - -When it fell dark again, Mr. Lorry asked him as before: - -“Dear Doctor, will you go out?” - -As before, he repeated, “Out?” - -“Yes; for a walk with me. Why not?” - -This time, Mr. Lorry feigned to go out when he could extract no answer -from him, and, after remaining absent for an hour, returned. In the -meanwhile, the Doctor had removed to the seat in the window, and had -sat there looking down at the plane-tree; but, on Mr. Lorry's return, he -slipped away to his bench. - -The time went very slowly on, and Mr. Lorry's hope darkened, and his -heart grew heavier again, and grew yet heavier and heavier every day. -The third day came and went, the fourth, the fifth. Five days, six days, -seven days, eight days, nine days. - -With a hope ever darkening, and with a heart always growing heavier and -heavier, Mr. Lorry passed through this anxious time. The secret was -well kept, and Lucie was unconscious and happy; but he could not fail to -observe that the shoemaker, whose hand had been a little out at first, -was growing dreadfully skilful, and that he had never been so intent on -his work, and that his hands had never been so nimble and expert, as in -the dusk of the ninth evening. - - - - -XIX. An Opinion - - -Worn out by anxious watching, Mr. Lorry fell asleep at his post. On the -tenth morning of his suspense, he was startled by the shining of the sun -into the room where a heavy slumber had overtaken him when it was dark -night. - -He rubbed his eyes and roused himself; but he doubted, when he had -done so, whether he was not still asleep. For, going to the door of the -Doctor's room and looking in, he perceived that the shoemaker's bench -and tools were put aside again, and that the Doctor himself sat reading -at the window. He was in his usual morning dress, and his face (which -Mr. Lorry could distinctly see), though still very pale, was calmly -studious and attentive. - -Even when he had satisfied himself that he was awake, Mr. Lorry felt -giddily uncertain for some few moments whether the late shoemaking might -not be a disturbed dream of his own; for, did not his eyes show him his -friend before him in his accustomed clothing and aspect, and employed -as usual; and was there any sign within their range, that the change of -which he had so strong an impression had actually happened? - -It was but the inquiry of his first confusion and astonishment, the -answer being obvious. If the impression were not produced by a real -corresponding and sufficient cause, how came he, Jarvis Lorry, there? -How came he to have fallen asleep, in his clothes, on the sofa in Doctor -Manette's consulting-room, and to be debating these points outside the -Doctor's bedroom door in the early morning? - -Within a few minutes, Miss Pross stood whispering at his side. If he -had had any particle of doubt left, her talk would of necessity have -resolved it; but he was by that time clear-headed, and had none. -He advised that they should let the time go by until the regular -breakfast-hour, and should then meet the Doctor as if nothing unusual -had occurred. If he appeared to be in his customary state of mind, Mr. -Lorry would then cautiously proceed to seek direction and guidance from -the opinion he had been, in his anxiety, so anxious to obtain. - -Miss Pross, submitting herself to his judgment, the scheme was worked -out with care. Having abundance of time for his usual methodical -toilette, Mr. Lorry presented himself at the breakfast-hour in his usual -white linen, and with his usual neat leg. The Doctor was summoned in the -usual way, and came to breakfast. - -So far as it was possible to comprehend him without overstepping those -delicate and gradual approaches which Mr. Lorry felt to be the only safe -advance, he at first supposed that his daughter's marriage had taken -place yesterday. An incidental allusion, purposely thrown out, to -the day of the week, and the day of the month, set him thinking and -counting, and evidently made him uneasy. In all other respects, however, -he was so composedly himself, that Mr. Lorry determined to have the aid -he sought. And that aid was his own. - -Therefore, when the breakfast was done and cleared away, and he and the -Doctor were left together, Mr. Lorry said, feelingly: - -“My dear Manette, I am anxious to have your opinion, in confidence, on a -very curious case in which I am deeply interested; that is to say, it is -very curious to me; perhaps, to your better information it may be less -so.” - -Glancing at his hands, which were discoloured by his late work, the -Doctor looked troubled, and listened attentively. He had already glanced -at his hands more than once. - -“Doctor Manette,” said Mr. Lorry, touching him affectionately on the -arm, “the case is the case of a particularly dear friend of mine. Pray -give your mind to it, and advise me well for his sake--and above all, -for his daughter's--his daughter's, my dear Manette.” - -“If I understand,” said the Doctor, in a subdued tone, “some mental -shock--?” - -“Yes!” - -“Be explicit,” said the Doctor. “Spare no detail.” - -Mr. Lorry saw that they understood one another, and proceeded. - -“My dear Manette, it is the case of an old and a prolonged shock, -of great acuteness and severity to the affections, the feelings, -the--the--as you express it--the mind. The mind. It is the case of a -shock under which the sufferer was borne down, one cannot say for how -long, because I believe he cannot calculate the time himself, and there -are no other means of getting at it. It is the case of a shock from -which the sufferer recovered, by a process that he cannot trace -himself--as I once heard him publicly relate in a striking manner. It is -the case of a shock from which he has recovered, so completely, as to -be a highly intelligent man, capable of close application of mind, and -great exertion of body, and of constantly making fresh additions to his -stock of knowledge, which was already very large. But, unfortunately, -there has been,” he paused and took a deep breath--“a slight relapse.” - -The Doctor, in a low voice, asked, “Of how long duration?” - -“Nine days and nights.” - -“How did it show itself? I infer,” glancing at his hands again, “in the -resumption of some old pursuit connected with the shock?” - -“That is the fact.” - -“Now, did you ever see him,” asked the Doctor, distinctly and -collectedly, though in the same low voice, “engaged in that pursuit -originally?” - -“Once.” - -“And when the relapse fell on him, was he in most respects--or in all -respects--as he was then?” - -“I think in all respects.” - -“You spoke of his daughter. Does his daughter know of the relapse?” - -“No. It has been kept from her, and I hope will always be kept from her. -It is known only to myself, and to one other who may be trusted.” - -The Doctor grasped his hand, and murmured, “That was very kind. That was -very thoughtful!” Mr. Lorry grasped his hand in return, and neither of -the two spoke for a little while. - -“Now, my dear Manette,” said Mr. Lorry, at length, in his most -considerate and most affectionate way, “I am a mere man of business, -and unfit to cope with such intricate and difficult matters. I do not -possess the kind of information necessary; I do not possess the kind of -intelligence; I want guiding. There is no man in this world on whom -I could so rely for right guidance, as on you. Tell me, how does this -relapse come about? Is there danger of another? Could a repetition of it -be prevented? How should a repetition of it be treated? How does it come -about at all? What can I do for my friend? No man ever can have been -more desirous in his heart to serve a friend, than I am to serve mine, -if I knew how. - -“But I don't know how to originate, in such a case. If your sagacity, -knowledge, and experience, could put me on the right track, I might be -able to do so much; unenlightened and undirected, I can do so little. -Pray discuss it with me; pray enable me to see it a little more clearly, -and teach me how to be a little more useful.” - -Doctor Manette sat meditating after these earnest words were spoken, and -Mr. Lorry did not press him. - -“I think it probable,” said the Doctor, breaking silence with an effort, -“that the relapse you have described, my dear friend, was not quite -unforeseen by its subject.” - -“Was it dreaded by him?” Mr. Lorry ventured to ask. - -“Very much.” He said it with an involuntary shudder. - -“You have no idea how such an apprehension weighs on the sufferer's -mind, and how difficult--how almost impossible--it is, for him to force -himself to utter a word upon the topic that oppresses him.” - -“Would he,” asked Mr. Lorry, “be sensibly relieved if he could prevail -upon himself to impart that secret brooding to any one, when it is on -him?” - -“I think so. But it is, as I have told you, next to impossible. I even -believe it--in some cases--to be quite impossible.” - -“Now,” said Mr. Lorry, gently laying his hand on the Doctor's arm again, -after a short silence on both sides, “to what would you refer this -attack?” - -“I believe,” returned Doctor Manette, “that there had been a strong and -extraordinary revival of the train of thought and remembrance that -was the first cause of the malady. Some intense associations of a most -distressing nature were vividly recalled, I think. It is probable that -there had long been a dread lurking in his mind, that those associations -would be recalled--say, under certain circumstances--say, on a -particular occasion. He tried to prepare himself in vain; perhaps the -effort to prepare himself made him less able to bear it.” - -“Would he remember what took place in the relapse?” asked Mr. Lorry, -with natural hesitation. - -The Doctor looked desolately round the room, shook his head, and -answered, in a low voice, “Not at all.” - -“Now, as to the future,” hinted Mr. Lorry. - -“As to the future,” said the Doctor, recovering firmness, “I should have -great hope. As it pleased Heaven in its mercy to restore him so soon, I -should have great hope. He, yielding under the pressure of a complicated -something, long dreaded and long vaguely foreseen and contended against, -and recovering after the cloud had burst and passed, I should hope that -the worst was over.” - -“Well, well! That's good comfort. I am thankful!” said Mr. Lorry. - -“I am thankful!” repeated the Doctor, bending his head with reverence. - -“There are two other points,” said Mr. Lorry, “on which I am anxious to -be instructed. I may go on?” - -“You cannot do your friend a better service.” The Doctor gave him his -hand. - -“To the first, then. He is of a studious habit, and unusually energetic; -he applies himself with great ardour to the acquisition of professional -knowledge, to the conducting of experiments, to many things. Now, does -he do too much?” - -“I think not. It may be the character of his mind, to be always in -singular need of occupation. That may be, in part, natural to it; in -part, the result of affliction. The less it was occupied with healthy -things, the more it would be in danger of turning in the unhealthy -direction. He may have observed himself, and made the discovery.” - -“You are sure that he is not under too great a strain?” - -“I think I am quite sure of it.” - -“My dear Manette, if he were overworked now--” - -“My dear Lorry, I doubt if that could easily be. There has been a -violent stress in one direction, and it needs a counterweight.” - -“Excuse me, as a persistent man of business. Assuming for a moment, -that he _was_ overworked; it would show itself in some renewal of this -disorder?” - -“I do not think so. I do not think,” said Doctor Manette with the -firmness of self-conviction, “that anything but the one train of -association would renew it. I think that, henceforth, nothing but some -extraordinary jarring of that chord could renew it. After what has -happened, and after his recovery, I find it difficult to imagine any -such violent sounding of that string again. I trust, and I almost -believe, that the circumstances likely to renew it are exhausted.” - -He spoke with the diffidence of a man who knew how slight a thing -would overset the delicate organisation of the mind, and yet with the -confidence of a man who had slowly won his assurance out of personal -endurance and distress. It was not for his friend to abate that -confidence. He professed himself more relieved and encouraged than he -really was, and approached his second and last point. He felt it to -be the most difficult of all; but, remembering his old Sunday morning -conversation with Miss Pross, and remembering what he had seen in the -last nine days, he knew that he must face it. - -“The occupation resumed under the influence of this passing affliction -so happily recovered from,” said Mr. Lorry, clearing his throat, “we -will call--Blacksmith's work, Blacksmith's work. We will say, to put a -case and for the sake of illustration, that he had been used, in his bad -time, to work at a little forge. We will say that he was unexpectedly -found at his forge again. Is it not a pity that he should keep it by -him?” - -The Doctor shaded his forehead with his hand, and beat his foot -nervously on the ground. - -“He has always kept it by him,” said Mr. Lorry, with an anxious look at -his friend. “Now, would it not be better that he should let it go?” - -Still, the Doctor, with shaded forehead, beat his foot nervously on the -ground. - -“You do not find it easy to advise me?” said Mr. Lorry. “I quite -understand it to be a nice question. And yet I think--” And there he -shook his head, and stopped. - -“You see,” said Doctor Manette, turning to him after an uneasy pause, -“it is very hard to explain, consistently, the innermost workings -of this poor man's mind. He once yearned so frightfully for that -occupation, and it was so welcome when it came; no doubt it relieved -his pain so much, by substituting the perplexity of the fingers for -the perplexity of the brain, and by substituting, as he became more -practised, the ingenuity of the hands, for the ingenuity of the mental -torture; that he has never been able to bear the thought of putting it -quite out of his reach. Even now, when I believe he is more hopeful of -himself than he has ever been, and even speaks of himself with a kind -of confidence, the idea that he might need that old employment, and not -find it, gives him a sudden sense of terror, like that which one may -fancy strikes to the heart of a lost child.” - -He looked like his illustration, as he raised his eyes to Mr. Lorry's -face. - -“But may not--mind! I ask for information, as a plodding man of business -who only deals with such material objects as guineas, shillings, and -bank-notes--may not the retention of the thing involve the retention of -the idea? If the thing were gone, my dear Manette, might not the fear go -with it? In short, is it not a concession to the misgiving, to keep the -forge?” - -There was another silence. - -“You see, too,” said the Doctor, tremulously, “it is such an old -companion.” - -“I would not keep it,” said Mr. Lorry, shaking his head; for he gained -in firmness as he saw the Doctor disquieted. “I would recommend him to -sacrifice it. I only want your authority. I am sure it does no good. -Come! Give me your authority, like a dear good man. For his daughter's -sake, my dear Manette!” - -Very strange to see what a struggle there was within him! - -“In her name, then, let it be done; I sanction it. But, I would not take -it away while he was present. Let it be removed when he is not there; -let him miss his old companion after an absence.” - -Mr. Lorry readily engaged for that, and the conference was ended. They -passed the day in the country, and the Doctor was quite restored. On the -three following days he remained perfectly well, and on the fourteenth -day he went away to join Lucie and her husband. The precaution that -had been taken to account for his silence, Mr. Lorry had previously -explained to him, and he had written to Lucie in accordance with it, and -she had no suspicions. - -On the night of the day on which he left the house, Mr. Lorry went into -his room with a chopper, saw, chisel, and hammer, attended by Miss Pross -carrying a light. There, with closed doors, and in a mysterious and -guilty manner, Mr. Lorry hacked the shoemaker's bench to pieces, while -Miss Pross held the candle as if she were assisting at a murder--for -which, indeed, in her grimness, she was no unsuitable figure. The -burning of the body (previously reduced to pieces convenient for the -purpose) was commenced without delay in the kitchen fire; and the tools, -shoes, and leather, were buried in the garden. So wicked do destruction -and secrecy appear to honest minds, that Mr. Lorry and Miss Pross, -while engaged in the commission of their deed and in the removal of its -traces, almost felt, and almost looked, like accomplices in a horrible -crime. - - - - -XX. A Plea - - -When the newly-married pair came home, the first person who appeared, to -offer his congratulations, was Sydney Carton. They had not been at home -many hours, when he presented himself. He was not improved in habits, or -in looks, or in manner; but there was a certain rugged air of fidelity -about him, which was new to the observation of Charles Darnay. - -He watched his opportunity of taking Darnay aside into a window, and of -speaking to him when no one overheard. - -“Mr. Darnay,” said Carton, “I wish we might be friends.” - -“We are already friends, I hope.” - -“You are good enough to say so, as a fashion of speech; but, I don't -mean any fashion of speech. Indeed, when I say I wish we might be -friends, I scarcely mean quite that, either.” - -Charles Darnay--as was natural--asked him, in all good-humour and -good-fellowship, what he did mean? - -“Upon my life,” said Carton, smiling, “I find that easier to comprehend -in my own mind, than to convey to yours. However, let me try. You -remember a certain famous occasion when I was more drunk than--than -usual?” - -“I remember a certain famous occasion when you forced me to confess that -you had been drinking.” - -“I remember it too. The curse of those occasions is heavy upon me, for I -always remember them. I hope it may be taken into account one day, -when all days are at an end for me! Don't be alarmed; I am not going to -preach.” - -“I am not at all alarmed. Earnestness in you, is anything but alarming -to me.” - -“Ah!” said Carton, with a careless wave of his hand, as if he waved that -away. “On the drunken occasion in question (one of a large number, as -you know), I was insufferable about liking you, and not liking you. I -wish you would forget it.” - -“I forgot it long ago.” - -“Fashion of speech again! But, Mr. Darnay, oblivion is not so easy to -me, as you represent it to be to you. I have by no means forgotten it, -and a light answer does not help me to forget it.” - -“If it was a light answer,” returned Darnay, “I beg your forgiveness -for it. I had no other object than to turn a slight thing, which, to my -surprise, seems to trouble you too much, aside. I declare to you, on the -faith of a gentleman, that I have long dismissed it from my mind. Good -Heaven, what was there to dismiss! Have I had nothing more important to -remember, in the great service you rendered me that day?” - -“As to the great service,” said Carton, “I am bound to avow to you, when -you speak of it in that way, that it was mere professional claptrap, I -don't know that I cared what became of you, when I rendered it.--Mind! I -say when I rendered it; I am speaking of the past.” - -“You make light of the obligation,” returned Darnay, “but I will not -quarrel with _your_ light answer.” - -“Genuine truth, Mr. Darnay, trust me! I have gone aside from my purpose; -I was speaking about our being friends. Now, you know me; you know I am -incapable of all the higher and better flights of men. If you doubt it, -ask Stryver, and he'll tell you so.” - -“I prefer to form my own opinion, without the aid of his.” - -“Well! At any rate you know me as a dissolute dog, who has never done -any good, and never will.” - -“I don't know that you 'never will.'” - -“But I do, and you must take my word for it. Well! If you could endure -to have such a worthless fellow, and a fellow of such indifferent -reputation, coming and going at odd times, I should ask that I might be -permitted to come and go as a privileged person here; that I might -be regarded as an useless (and I would add, if it were not for the -resemblance I detected between you and me, an unornamental) piece of -furniture, tolerated for its old service, and taken no notice of. I -doubt if I should abuse the permission. It is a hundred to one if I -should avail myself of it four times in a year. It would satisfy me, I -dare say, to know that I had it.” - -“Will you try?” - -“That is another way of saying that I am placed on the footing I have -indicated. I thank you, Darnay. I may use that freedom with your name?” - -“I think so, Carton, by this time.” - -They shook hands upon it, and Sydney turned away. Within a minute -afterwards, he was, to all outward appearance, as unsubstantial as ever. - -When he was gone, and in the course of an evening passed with Miss -Pross, the Doctor, and Mr. Lorry, Charles Darnay made some mention of -this conversation in general terms, and spoke of Sydney Carton as a -problem of carelessness and recklessness. He spoke of him, in short, not -bitterly or meaning to bear hard upon him, but as anybody might who saw -him as he showed himself. - -He had no idea that this could dwell in the thoughts of his fair young -wife; but, when he afterwards joined her in their own rooms, he found -her waiting for him with the old pretty lifting of the forehead strongly -marked. - -“We are thoughtful to-night!” said Darnay, drawing his arm about her. - -“Yes, dearest Charles,” with her hands on his breast, and the inquiring -and attentive expression fixed upon him; “we are rather thoughtful -to-night, for we have something on our mind to-night.” - -“What is it, my Lucie?” - -“Will you promise not to press one question on me, if I beg you not to -ask it?” - -“Will I promise? What will I not promise to my Love?” - -What, indeed, with his hand putting aside the golden hair from the -cheek, and his other hand against the heart that beat for him! - -“I think, Charles, poor Mr. Carton deserves more consideration and -respect than you expressed for him to-night.” - -“Indeed, my own? Why so?” - -“That is what you are not to ask me. But I think--I know--he does.” - -“If you know it, it is enough. What would you have me do, my Life?” - -“I would ask you, dearest, to be very generous with him always, and very -lenient on his faults when he is not by. I would ask you to believe that -he has a heart he very, very seldom reveals, and that there are deep -wounds in it. My dear, I have seen it bleeding.” - -“It is a painful reflection to me,” said Charles Darnay, quite -astounded, “that I should have done him any wrong. I never thought this -of him.” - -“My husband, it is so. I fear he is not to be reclaimed; there is -scarcely a hope that anything in his character or fortunes is reparable -now. But, I am sure that he is capable of good things, gentle things, -even magnanimous things.” - -She looked so beautiful in the purity of her faith in this lost man, -that her husband could have looked at her as she was for hours. - -“And, O my dearest Love!” she urged, clinging nearer to him, laying her -head upon his breast, and raising her eyes to his, “remember how strong -we are in our happiness, and how weak he is in his misery!” - -The supplication touched him home. “I will always remember it, dear -Heart! I will remember it as long as I live.” - -He bent over the golden head, and put the rosy lips to his, and folded -her in his arms. If one forlorn wanderer then pacing the dark streets, -could have heard her innocent disclosure, and could have seen the drops -of pity kissed away by her husband from the soft blue eyes so loving of -that husband, he might have cried to the night--and the words would not -have parted from his lips for the first time-- - -“God bless her for her sweet compassion!” - - - - -XXI. Echoing Footsteps - - -A wonderful corner for echoes, it has been remarked, that corner where -the Doctor lived. Ever busily winding the golden thread which bound -her husband, and her father, and herself, and her old directress and -companion, in a life of quiet bliss, Lucie sat in the still house in -the tranquilly resounding corner, listening to the echoing footsteps of -years. - -At first, there were times, though she was a perfectly happy young wife, -when her work would slowly fall from her hands, and her eyes would be -dimmed. For, there was something coming in the echoes, something light, -afar off, and scarcely audible yet, that stirred her heart too much. -Fluttering hopes and doubts--hopes, of a love as yet unknown to her: -doubts, of her remaining upon earth, to enjoy that new delight--divided -her breast. Among the echoes then, there would arise the sound of -footsteps at her own early grave; and thoughts of the husband who would -be left so desolate, and who would mourn for her so much, swelled to her -eyes, and broke like waves. - -That time passed, and her little Lucie lay on her bosom. Then, among the -advancing echoes, there was the tread of her tiny feet and the sound of -her prattling words. Let greater echoes resound as they would, the young -mother at the cradle side could always hear those coming. They came, and -the shady house was sunny with a child's laugh, and the Divine friend of -children, to whom in her trouble she had confided hers, seemed to take -her child in his arms, as He took the child of old, and made it a sacred -joy to her. - -Ever busily winding the golden thread that bound them all together, -weaving the service of her happy influence through the tissue of all -their lives, and making it predominate nowhere, Lucie heard in the -echoes of years none but friendly and soothing sounds. Her husband's -step was strong and prosperous among them; her father's firm and equal. -Lo, Miss Pross, in harness of string, awakening the echoes, as an -unruly charger, whip-corrected, snorting and pawing the earth under the -plane-tree in the garden! - -Even when there were sounds of sorrow among the rest, they were not -harsh nor cruel. Even when golden hair, like her own, lay in a halo on a -pillow round the worn face of a little boy, and he said, with a radiant -smile, “Dear papa and mamma, I am very sorry to leave you both, and to -leave my pretty sister; but I am called, and I must go!” those were not -tears all of agony that wetted his young mother's cheek, as the spirit -departed from her embrace that had been entrusted to it. Suffer them and -forbid them not. They see my Father's face. O Father, blessed words! - -Thus, the rustling of an Angel's wings got blended with the other -echoes, and they were not wholly of earth, but had in them that breath -of Heaven. Sighs of the winds that blew over a little garden-tomb were -mingled with them also, and both were audible to Lucie, in a hushed -murmur--like the breathing of a summer sea asleep upon a sandy shore--as -the little Lucie, comically studious at the task of the morning, or -dressing a doll at her mother's footstool, chattered in the tongues of -the Two Cities that were blended in her life. - -The Echoes rarely answered to the actual tread of Sydney Carton. Some -half-dozen times a year, at most, he claimed his privilege of coming in -uninvited, and would sit among them through the evening, as he had once -done often. He never came there heated with wine. And one other thing -regarding him was whispered in the echoes, which has been whispered by -all true echoes for ages and ages. - -No man ever really loved a woman, lost her, and knew her with a -blameless though an unchanged mind, when she was a wife and a mother, -but her children had a strange sympathy with him--an instinctive -delicacy of pity for him. What fine hidden sensibilities are touched in -such a case, no echoes tell; but it is so, and it was so here. Carton -was the first stranger to whom little Lucie held out her chubby arms, -and he kept his place with her as she grew. The little boy had spoken of -him, almost at the last. “Poor Carton! Kiss him for me!” - -Mr. Stryver shouldered his way through the law, like some great engine -forcing itself through turbid water, and dragged his useful friend in -his wake, like a boat towed astern. As the boat so favoured is usually -in a rough plight, and mostly under water, so, Sydney had a swamped -life of it. But, easy and strong custom, unhappily so much easier and -stronger in him than any stimulating sense of desert or disgrace, made -it the life he was to lead; and he no more thought of emerging from his -state of lion's jackal, than any real jackal may be supposed to think of -rising to be a lion. Stryver was rich; had married a florid widow with -property and three boys, who had nothing particularly shining about them -but the straight hair of their dumpling heads. - -These three young gentlemen, Mr. Stryver, exuding patronage of the most -offensive quality from every pore, had walked before him like three -sheep to the quiet corner in Soho, and had offered as pupils to -Lucie's husband: delicately saying “Halloa! here are three lumps of -bread-and-cheese towards your matrimonial picnic, Darnay!” The polite -rejection of the three lumps of bread-and-cheese had quite bloated Mr. -Stryver with indignation, which he afterwards turned to account in the -training of the young gentlemen, by directing them to beware of the -pride of Beggars, like that tutor-fellow. He was also in the habit of -declaiming to Mrs. Stryver, over his full-bodied wine, on the arts -Mrs. Darnay had once put in practice to “catch” him, and on the -diamond-cut-diamond arts in himself, madam, which had rendered him “not -to be caught.” Some of his King's Bench familiars, who were occasionally -parties to the full-bodied wine and the lie, excused him for the -latter by saying that he had told it so often, that he believed -it himself--which is surely such an incorrigible aggravation of an -originally bad offence, as to justify any such offender's being carried -off to some suitably retired spot, and there hanged out of the way. - -These were among the echoes to which Lucie, sometimes pensive, sometimes -amused and laughing, listened in the echoing corner, until her little -daughter was six years old. How near to her heart the echoes of her -child's tread came, and those of her own dear father's, always active -and self-possessed, and those of her dear husband's, need not be told. -Nor, how the lightest echo of their united home, directed by herself -with such a wise and elegant thrift that it was more abundant than any -waste, was music to her. Nor, how there were echoes all about her, sweet -in her ears, of the many times her father had told her that he found her -more devoted to him married (if that could be) than single, and of the -many times her husband had said to her that no cares and duties seemed -to divide her love for him or her help to him, and asked her “What is -the magic secret, my darling, of your being everything to all of us, -as if there were only one of us, yet never seeming to be hurried, or to -have too much to do?” - -But, there were other echoes, from a distance, that rumbled menacingly -in the corner all through this space of time. And it was now, about -little Lucie's sixth birthday, that they began to have an awful sound, -as of a great storm in France with a dreadful sea rising. - -On a night in mid-July, one thousand seven hundred and eighty-nine, Mr. -Lorry came in late, from Tellson's, and sat himself down by Lucie and -her husband in the dark window. It was a hot, wild night, and they were -all three reminded of the old Sunday night when they had looked at the -lightning from the same place. - -“I began to think,” said Mr. Lorry, pushing his brown wig back, “that -I should have to pass the night at Tellson's. We have been so full of -business all day, that we have not known what to do first, or which way -to turn. There is such an uneasiness in Paris, that we have actually a -run of confidence upon us! Our customers over there, seem not to be able -to confide their property to us fast enough. There is positively a mania -among some of them for sending it to England.” - -“That has a bad look,” said Darnay-- - -“A bad look, you say, my dear Darnay? Yes, but we don't know what reason -there is in it. People are so unreasonable! Some of us at Tellson's are -getting old, and we really can't be troubled out of the ordinary course -without due occasion.” - -“Still,” said Darnay, “you know how gloomy and threatening the sky is.” - -“I know that, to be sure,” assented Mr. Lorry, trying to persuade -himself that his sweet temper was soured, and that he grumbled, “but I -am determined to be peevish after my long day's botheration. Where is -Manette?” - -“Here he is,” said the Doctor, entering the dark room at the moment. - -“I am quite glad you are at home; for these hurries and forebodings by -which I have been surrounded all day long, have made me nervous without -reason. You are not going out, I hope?” - -“No; I am going to play backgammon with you, if you like,” said the -Doctor. - -“I don't think I do like, if I may speak my mind. I am not fit to be -pitted against you to-night. Is the teaboard still there, Lucie? I can't -see.” - -“Of course, it has been kept for you.” - -“Thank ye, my dear. The precious child is safe in bed?” - -“And sleeping soundly.” - -“That's right; all safe and well! I don't know why anything should be -otherwise than safe and well here, thank God; but I have been so put out -all day, and I am not as young as I was! My tea, my dear! Thank ye. Now, -come and take your place in the circle, and let us sit quiet, and hear -the echoes about which you have your theory.” - -“Not a theory; it was a fancy.” - -“A fancy, then, my wise pet,” said Mr. Lorry, patting her hand. “They -are very numerous and very loud, though, are they not? Only hear them!” - -Headlong, mad, and dangerous footsteps to force their way into anybody's -life, footsteps not easily made clean again if once stained red, the -footsteps raging in Saint Antoine afar off, as the little circle sat in -the dark London window. - -Saint Antoine had been, that morning, a vast dusky mass of scarecrows -heaving to and fro, with frequent gleams of light above the billowy -heads, where steel blades and bayonets shone in the sun. A tremendous -roar arose from the throat of Saint Antoine, and a forest of naked arms -struggled in the air like shrivelled branches of trees in a winter wind: -all the fingers convulsively clutching at every weapon or semblance of a -weapon that was thrown up from the depths below, no matter how far off. - -Who gave them out, whence they last came, where they began, through what -agency they crookedly quivered and jerked, scores at a time, over the -heads of the crowd, like a kind of lightning, no eye in the throng could -have told; but, muskets were being distributed--so were cartridges, -powder, and ball, bars of iron and wood, knives, axes, pikes, every -weapon that distracted ingenuity could discover or devise. People who -could lay hold of nothing else, set themselves with bleeding hands to -force stones and bricks out of their places in walls. Every pulse and -heart in Saint Antoine was on high-fever strain and at high-fever heat. -Every living creature there held life as of no account, and was demented -with a passionate readiness to sacrifice it. - -As a whirlpool of boiling waters has a centre point, so, all this raging -circled round Defarge's wine-shop, and every human drop in the caldron -had a tendency to be sucked towards the vortex where Defarge himself, -already begrimed with gunpowder and sweat, issued orders, issued arms, -thrust this man back, dragged this man forward, disarmed one to arm -another, laboured and strove in the thickest of the uproar. - -“Keep near to me, Jacques Three,” cried Defarge; “and do you, Jacques -One and Two, separate and put yourselves at the head of as many of these -patriots as you can. Where is my wife?” - -“Eh, well! Here you see me!” said madame, composed as ever, but not -knitting to-day. Madame's resolute right hand was occupied with an axe, -in place of the usual softer implements, and in her girdle were a pistol -and a cruel knife. - -“Where do you go, my wife?” - -“I go,” said madame, “with you at present. You shall see me at the head -of women, by-and-bye.” - -“Come, then!” cried Defarge, in a resounding voice. “Patriots and -friends, we are ready! The Bastille!” - -With a roar that sounded as if all the breath in France had been shaped -into the detested word, the living sea rose, wave on wave, depth on -depth, and overflowed the city to that point. Alarm-bells ringing, drums -beating, the sea raging and thundering on its new beach, the attack -began. - -Deep ditches, double drawbridge, massive stone walls, eight great -towers, cannon, muskets, fire and smoke. Through the fire and through -the smoke--in the fire and in the smoke, for the sea cast him up against -a cannon, and on the instant he became a cannonier--Defarge of the -wine-shop worked like a manful soldier, Two fierce hours. - -Deep ditch, single drawbridge, massive stone walls, eight great towers, -cannon, muskets, fire and smoke. One drawbridge down! “Work, comrades -all, work! Work, Jacques One, Jacques Two, Jacques One Thousand, Jacques -Two Thousand, Jacques Five-and-Twenty Thousand; in the name of all -the Angels or the Devils--which you prefer--work!” Thus Defarge of the -wine-shop, still at his gun, which had long grown hot. - -“To me, women!” cried madame his wife. “What! We can kill as well as -the men when the place is taken!” And to her, with a shrill thirsty -cry, trooping women variously armed, but all armed alike in hunger and -revenge. - -Cannon, muskets, fire and smoke; but, still the deep ditch, the single -drawbridge, the massive stone walls, and the eight great towers. Slight -displacements of the raging sea, made by the falling wounded. Flashing -weapons, blazing torches, smoking waggonloads of wet straw, hard work -at neighbouring barricades in all directions, shrieks, volleys, -execrations, bravery without stint, boom smash and rattle, and the -furious sounding of the living sea; but, still the deep ditch, and the -single drawbridge, and the massive stone walls, and the eight great -towers, and still Defarge of the wine-shop at his gun, grown doubly hot -by the service of Four fierce hours. - -A white flag from within the fortress, and a parley--this dimly -perceptible through the raging storm, nothing audible in it--suddenly -the sea rose immeasurably wider and higher, and swept Defarge of the -wine-shop over the lowered drawbridge, past the massive stone outer -walls, in among the eight great towers surrendered! - -So resistless was the force of the ocean bearing him on, that even to -draw his breath or turn his head was as impracticable as if he had been -struggling in the surf at the South Sea, until he was landed in the -outer courtyard of the Bastille. There, against an angle of a wall, he -made a struggle to look about him. Jacques Three was nearly at his side; -Madame Defarge, still heading some of her women, was visible in the -inner distance, and her knife was in her hand. Everywhere was tumult, -exultation, deafening and maniacal bewilderment, astounding noise, yet -furious dumb-show. - -“The Prisoners!” - -“The Records!” - -“The secret cells!” - -“The instruments of torture!” - -“The Prisoners!” - -Of all these cries, and ten thousand incoherences, “The Prisoners!” was -the cry most taken up by the sea that rushed in, as if there were an -eternity of people, as well as of time and space. When the foremost -billows rolled past, bearing the prison officers with them, and -threatening them all with instant death if any secret nook remained -undisclosed, Defarge laid his strong hand on the breast of one of -these men--a man with a grey head, who had a lighted torch in his -hand--separated him from the rest, and got him between himself and the -wall. - -“Show me the North Tower!” said Defarge. “Quick!” - -“I will faithfully,” replied the man, “if you will come with me. But -there is no one there.” - -“What is the meaning of One Hundred and Five, North Tower?” asked -Defarge. “Quick!” - -“The meaning, monsieur?” - -“Does it mean a captive, or a place of captivity? Or do you mean that I -shall strike you dead?” - -“Kill him!” croaked Jacques Three, who had come close up. - -“Monsieur, it is a cell.” - -“Show it me!” - -“Pass this way, then.” - -Jacques Three, with his usual craving on him, and evidently disappointed -by the dialogue taking a turn that did not seem to promise bloodshed, -held by Defarge's arm as he held by the turnkey's. Their three heads had -been close together during this brief discourse, and it had been as much -as they could do to hear one another, even then: so tremendous was the -noise of the living ocean, in its irruption into the Fortress, and -its inundation of the courts and passages and staircases. All around -outside, too, it beat the walls with a deep, hoarse roar, from which, -occasionally, some partial shouts of tumult broke and leaped into the -air like spray. - -Through gloomy vaults where the light of day had never shone, past -hideous doors of dark dens and cages, down cavernous flights of steps, -and again up steep rugged ascents of stone and brick, more like dry -waterfalls than staircases, Defarge, the turnkey, and Jacques Three, -linked hand and arm, went with all the speed they could make. Here and -there, especially at first, the inundation started on them and swept by; -but when they had done descending, and were winding and climbing up a -tower, they were alone. Hemmed in here by the massive thickness of walls -and arches, the storm within the fortress and without was only audible -to them in a dull, subdued way, as if the noise out of which they had -come had almost destroyed their sense of hearing. - -The turnkey stopped at a low door, put a key in a clashing lock, swung -the door slowly open, and said, as they all bent their heads and passed -in: - -“One hundred and five, North Tower!” - -There was a small, heavily-grated, unglazed window high in the wall, -with a stone screen before it, so that the sky could be only seen by -stooping low and looking up. There was a small chimney, heavily barred -across, a few feet within. There was a heap of old feathery wood-ashes -on the hearth. There was a stool, and table, and a straw bed. There were -the four blackened walls, and a rusted iron ring in one of them. - -“Pass that torch slowly along these walls, that I may see them,” said -Defarge to the turnkey. - -The man obeyed, and Defarge followed the light closely with his eyes. - -“Stop!--Look here, Jacques!” - -“A. M.!” croaked Jacques Three, as he read greedily. - -“Alexandre Manette,” said Defarge in his ear, following the letters -with his swart forefinger, deeply engrained with gunpowder. “And here he -wrote 'a poor physician.' And it was he, without doubt, who scratched -a calendar on this stone. What is that in your hand? A crowbar? Give it -me!” - -He had still the linstock of his gun in his own hand. He made a sudden -exchange of the two instruments, and turning on the worm-eaten stool and -table, beat them to pieces in a few blows. - -“Hold the light higher!” he said, wrathfully, to the turnkey. “Look -among those fragments with care, Jacques. And see! Here is my knife,” - throwing it to him; “rip open that bed, and search the straw. Hold the -light higher, you!” - -With a menacing look at the turnkey he crawled upon the hearth, and, -peering up the chimney, struck and prised at its sides with the crowbar, -and worked at the iron grating across it. In a few minutes, some mortar -and dust came dropping down, which he averted his face to avoid; and -in it, and in the old wood-ashes, and in a crevice in the chimney -into which his weapon had slipped or wrought itself, he groped with a -cautious touch. - -“Nothing in the wood, and nothing in the straw, Jacques?” - -“Nothing.” - -“Let us collect them together, in the middle of the cell. So! Light -them, you!” - -The turnkey fired the little pile, which blazed high and hot. Stooping -again to come out at the low-arched door, they left it burning, and -retraced their way to the courtyard; seeming to recover their sense -of hearing as they came down, until they were in the raging flood once -more. - -They found it surging and tossing, in quest of Defarge himself. Saint -Antoine was clamorous to have its wine-shop keeper foremost in the guard -upon the governor who had defended the Bastille and shot the people. -Otherwise, the governor would not be marched to the Hotel de Ville for -judgment. Otherwise, the governor would escape, and the people's -blood (suddenly of some value, after many years of worthlessness) be -unavenged. - -In the howling universe of passion and contention that seemed to -encompass this grim old officer conspicuous in his grey coat and red -decoration, there was but one quite steady figure, and that was a -woman's. “See, there is my husband!” she cried, pointing him out. -“See Defarge!” She stood immovable close to the grim old officer, and -remained immovable close to him; remained immovable close to him through -the streets, as Defarge and the rest bore him along; remained immovable -close to him when he was got near his destination, and began to -be struck at from behind; remained immovable close to him when the -long-gathering rain of stabs and blows fell heavy; was so close to him -when he dropped dead under it, that, suddenly animated, she put her foot -upon his neck, and with her cruel knife--long ready--hewed off his head. - -The hour was come, when Saint Antoine was to execute his horrible idea -of hoisting up men for lamps to show what he could be and do. Saint -Antoine's blood was up, and the blood of tyranny and domination by the -iron hand was down--down on the steps of the Hotel de Ville where the -governor's body lay--down on the sole of the shoe of Madame Defarge -where she had trodden on the body to steady it for mutilation. “Lower -the lamp yonder!” cried Saint Antoine, after glaring round for a new -means of death; “here is one of his soldiers to be left on guard!” The -swinging sentinel was posted, and the sea rushed on. - -The sea of black and threatening waters, and of destructive upheaving -of wave against wave, whose depths were yet unfathomed and whose forces -were yet unknown. The remorseless sea of turbulently swaying shapes, -voices of vengeance, and faces hardened in the furnaces of suffering -until the touch of pity could make no mark on them. - -But, in the ocean of faces where every fierce and furious expression was -in vivid life, there were two groups of faces--each seven in number--so -fixedly contrasting with the rest, that never did sea roll which bore -more memorable wrecks with it. Seven faces of prisoners, suddenly -released by the storm that had burst their tomb, were carried high -overhead: all scared, all lost, all wondering and amazed, as if the Last -Day were come, and those who rejoiced around them were lost spirits. -Other seven faces there were, carried higher, seven dead faces, whose -drooping eyelids and half-seen eyes awaited the Last Day. Impassive -faces, yet with a suspended--not an abolished--expression on them; -faces, rather, in a fearful pause, as having yet to raise the dropped -lids of the eyes, and bear witness with the bloodless lips, “THOU DIDST -IT!” - -Seven prisoners released, seven gory heads on pikes, the keys of the -accursed fortress of the eight strong towers, some discovered letters -and other memorials of prisoners of old time, long dead of broken -hearts,--such, and such--like, the loudly echoing footsteps of Saint -Antoine escort through the Paris streets in mid-July, one thousand seven -hundred and eighty-nine. Now, Heaven defeat the fancy of Lucie Darnay, -and keep these feet far out of her life! For, they are headlong, mad, -and dangerous; and in the years so long after the breaking of the cask -at Defarge's wine-shop door, they are not easily purified when once -stained red. - - - - -XXII. The Sea Still Rises - - -Haggard Saint Antoine had had only one exultant week, in which to soften -his modicum of hard and bitter bread to such extent as he could, with -the relish of fraternal embraces and congratulations, when Madame -Defarge sat at her counter, as usual, presiding over the customers. -Madame Defarge wore no rose in her head, for the great brotherhood of -Spies had become, even in one short week, extremely chary of trusting -themselves to the saint's mercies. The lamps across his streets had a -portentously elastic swing with them. - -Madame Defarge, with her arms folded, sat in the morning light and heat, -contemplating the wine-shop and the street. In both, there were several -knots of loungers, squalid and miserable, but now with a manifest sense -of power enthroned on their distress. The raggedest nightcap, awry on -the wretchedest head, had this crooked significance in it: “I know how -hard it has grown for me, the wearer of this, to support life in myself; -but do you know how easy it has grown for me, the wearer of this, to -destroy life in you?” Every lean bare arm, that had been without work -before, had this work always ready for it now, that it could strike. -The fingers of the knitting women were vicious, with the experience that -they could tear. There was a change in the appearance of Saint Antoine; -the image had been hammering into this for hundreds of years, and the -last finishing blows had told mightily on the expression. - -Madame Defarge sat observing it, with such suppressed approval as was -to be desired in the leader of the Saint Antoine women. One of her -sisterhood knitted beside her. The short, rather plump wife of a starved -grocer, and the mother of two children withal, this lieutenant had -already earned the complimentary name of The Vengeance. - -“Hark!” said The Vengeance. “Listen, then! Who comes?” - -As if a train of powder laid from the outermost bound of Saint Antoine -Quarter to the wine-shop door, had been suddenly fired, a fast-spreading -murmur came rushing along. - -“It is Defarge,” said madame. “Silence, patriots!” - -Defarge came in breathless, pulled off a red cap he wore, and looked -around him! “Listen, everywhere!” said madame again. “Listen to him!” - Defarge stood, panting, against a background of eager eyes and open -mouths, formed outside the door; all those within the wine-shop had -sprung to their feet. - -“Say then, my husband. What is it?” - -“News from the other world!” - -“How, then?” cried madame, contemptuously. “The other world?” - -“Does everybody here recall old Foulon, who told the famished people -that they might eat grass, and who died, and went to Hell?” - -“Everybody!” from all throats. - -“The news is of him. He is among us!” - -“Among us!” from the universal throat again. “And dead?” - -“Not dead! He feared us so much--and with reason--that he caused himself -to be represented as dead, and had a grand mock-funeral. But they have -found him alive, hiding in the country, and have brought him in. I have -seen him but now, on his way to the Hotel de Ville, a prisoner. I have -said that he had reason to fear us. Say all! _Had_ he reason?” - -Wretched old sinner of more than threescore years and ten, if he had -never known it yet, he would have known it in his heart of hearts if he -could have heard the answering cry. - -A moment of profound silence followed. Defarge and his wife looked -steadfastly at one another. The Vengeance stooped, and the jar of a drum -was heard as she moved it at her feet behind the counter. - -“Patriots!” said Defarge, in a determined voice, “are we ready?” - -Instantly Madame Defarge's knife was in her girdle; the drum was beating -in the streets, as if it and a drummer had flown together by magic; and -The Vengeance, uttering terrific shrieks, and flinging her arms about -her head like all the forty Furies at once, was tearing from house to -house, rousing the women. - -The men were terrible, in the bloody-minded anger with which they looked -from windows, caught up what arms they had, and came pouring down into -the streets; but, the women were a sight to chill the boldest. From -such household occupations as their bare poverty yielded, from their -children, from their aged and their sick crouching on the bare ground -famished and naked, they ran out with streaming hair, urging one -another, and themselves, to madness with the wildest cries and actions. -Villain Foulon taken, my sister! Old Foulon taken, my mother! Miscreant -Foulon taken, my daughter! Then, a score of others ran into the midst of -these, beating their breasts, tearing their hair, and screaming, Foulon -alive! Foulon who told the starving people they might eat grass! Foulon -who told my old father that he might eat grass, when I had no bread -to give him! Foulon who told my baby it might suck grass, when these -breasts were dry with want! O mother of God, this Foulon! O Heaven our -suffering! Hear me, my dead baby and my withered father: I swear on my -knees, on these stones, to avenge you on Foulon! Husbands, and brothers, -and young men, Give us the blood of Foulon, Give us the head of Foulon, -Give us the heart of Foulon, Give us the body and soul of Foulon, Rend -Foulon to pieces, and dig him into the ground, that grass may grow from -him! With these cries, numbers of the women, lashed into blind frenzy, -whirled about, striking and tearing at their own friends until they -dropped into a passionate swoon, and were only saved by the men -belonging to them from being trampled under foot. - -Nevertheless, not a moment was lost; not a moment! This Foulon was at -the Hotel de Ville, and might be loosed. Never, if Saint Antoine knew -his own sufferings, insults, and wrongs! Armed men and women flocked out -of the Quarter so fast, and drew even these last dregs after them with -such a force of suction, that within a quarter of an hour there was not -a human creature in Saint Antoine's bosom but a few old crones and the -wailing children. - -No. They were all by that time choking the Hall of Examination where -this old man, ugly and wicked, was, and overflowing into the adjacent -open space and streets. The Defarges, husband and wife, The Vengeance, -and Jacques Three, were in the first press, and at no great distance -from him in the Hall. - -“See!” cried madame, pointing with her knife. “See the old villain bound -with ropes. That was well done to tie a bunch of grass upon his back. -Ha, ha! That was well done. Let him eat it now!” Madame put her knife -under her arm, and clapped her hands as at a play. - -The people immediately behind Madame Defarge, explaining the cause of -her satisfaction to those behind them, and those again explaining to -others, and those to others, the neighbouring streets resounded with the -clapping of hands. Similarly, during two or three hours of drawl, -and the winnowing of many bushels of words, Madame Defarge's frequent -expressions of impatience were taken up, with marvellous quickness, at -a distance: the more readily, because certain men who had by some -wonderful exercise of agility climbed up the external architecture -to look in from the windows, knew Madame Defarge well, and acted as a -telegraph between her and the crowd outside the building. - -At length the sun rose so high that it struck a kindly ray as of hope or -protection, directly down upon the old prisoner's head. The favour was -too much to bear; in an instant the barrier of dust and chaff that had -stood surprisingly long, went to the winds, and Saint Antoine had got -him! - -It was known directly, to the furthest confines of the crowd. Defarge -had but sprung over a railing and a table, and folded the miserable -wretch in a deadly embrace--Madame Defarge had but followed and turned -her hand in one of the ropes with which he was tied--The Vengeance and -Jacques Three were not yet up with them, and the men at the windows -had not yet swooped into the Hall, like birds of prey from their high -perches--when the cry seemed to go up, all over the city, “Bring him -out! Bring him to the lamp!” - -Down, and up, and head foremost on the steps of the building; now, on -his knees; now, on his feet; now, on his back; dragged, and struck at, -and stifled by the bunches of grass and straw that were thrust into his -face by hundreds of hands; torn, bruised, panting, bleeding, yet always -entreating and beseeching for mercy; now full of vehement agony of -action, with a small clear space about him as the people drew one -another back that they might see; now, a log of dead wood drawn through -a forest of legs; he was hauled to the nearest street corner where one -of the fatal lamps swung, and there Madame Defarge let him go--as a cat -might have done to a mouse--and silently and composedly looked at him -while they made ready, and while he besought her: the women passionately -screeching at him all the time, and the men sternly calling out to have -him killed with grass in his mouth. Once, he went aloft, and the rope -broke, and they caught him shrieking; twice, he went aloft, and the rope -broke, and they caught him shrieking; then, the rope was merciful, and -held him, and his head was soon upon a pike, with grass enough in the -mouth for all Saint Antoine to dance at the sight of. - -Nor was this the end of the day's bad work, for Saint Antoine so shouted -and danced his angry blood up, that it boiled again, on hearing when -the day closed in that the son-in-law of the despatched, another of the -people's enemies and insulters, was coming into Paris under a guard -five hundred strong, in cavalry alone. Saint Antoine wrote his crimes -on flaring sheets of paper, seized him--would have torn him out of the -breast of an army to bear Foulon company--set his head and heart on -pikes, and carried the three spoils of the day, in Wolf-procession -through the streets. - -Not before dark night did the men and women come back to the children, -wailing and breadless. Then, the miserable bakers' shops were beset by -long files of them, patiently waiting to buy bad bread; and while -they waited with stomachs faint and empty, they beguiled the time by -embracing one another on the triumphs of the day, and achieving them -again in gossip. Gradually, these strings of ragged people shortened and -frayed away; and then poor lights began to shine in high windows, and -slender fires were made in the streets, at which neighbours cooked in -common, afterwards supping at their doors. - -Scanty and insufficient suppers those, and innocent of meat, as of -most other sauce to wretched bread. Yet, human fellowship infused -some nourishment into the flinty viands, and struck some sparks of -cheerfulness out of them. Fathers and mothers who had had their full -share in the worst of the day, played gently with their meagre children; -and lovers, with such a world around them and before them, loved and -hoped. - -It was almost morning, when Defarge's wine-shop parted with its last -knot of customers, and Monsieur Defarge said to madame his wife, in -husky tones, while fastening the door: - -“At last it is come, my dear!” - -“Eh well!” returned madame. “Almost.” - -Saint Antoine slept, the Defarges slept: even The Vengeance slept with -her starved grocer, and the drum was at rest. The drum's was the -only voice in Saint Antoine that blood and hurry had not changed. The -Vengeance, as custodian of the drum, could have wakened him up and had -the same speech out of him as before the Bastille fell, or old Foulon -was seized; not so with the hoarse tones of the men and women in Saint -Antoine's bosom. - - - - -XXIII. Fire Rises - - -There was a change on the village where the fountain fell, and where -the mender of roads went forth daily to hammer out of the stones on the -highway such morsels of bread as might serve for patches to hold his -poor ignorant soul and his poor reduced body together. The prison on the -crag was not so dominant as of yore; there were soldiers to guard it, -but not many; there were officers to guard the soldiers, but not one of -them knew what his men would do--beyond this: that it would probably not -be what he was ordered. - -Far and wide lay a ruined country, yielding nothing but desolation. -Every green leaf, every blade of grass and blade of grain, was as -shrivelled and poor as the miserable people. Everything was bowed down, -dejected, oppressed, and broken. Habitations, fences, domesticated -animals, men, women, children, and the soil that bore them--all worn -out. - -Monseigneur (often a most worthy individual gentleman) was a national -blessing, gave a chivalrous tone to things, was a polite example of -luxurious and shining life, and a great deal more to equal purpose; -nevertheless, Monseigneur as a class had, somehow or other, brought -things to this. Strange that Creation, designed expressly for -Monseigneur, should be so soon wrung dry and squeezed out! There must -be something short-sighted in the eternal arrangements, surely! Thus it -was, however; and the last drop of blood having been extracted from the -flints, and the last screw of the rack having been turned so often that -its purchase crumbled, and it now turned and turned with nothing -to bite, Monseigneur began to run away from a phenomenon so low and -unaccountable. - -But, this was not the change on the village, and on many a village like -it. For scores of years gone by, Monseigneur had squeezed it and wrung -it, and had seldom graced it with his presence except for the pleasures -of the chase--now, found in hunting the people; now, found in hunting -the beasts, for whose preservation Monseigneur made edifying spaces -of barbarous and barren wilderness. No. The change consisted in -the appearance of strange faces of low caste, rather than in the -disappearance of the high caste, chiselled, and otherwise beautified and -beautifying features of Monseigneur. - -For, in these times, as the mender of roads worked, solitary, in the -dust, not often troubling himself to reflect that dust he was and -to dust he must return, being for the most part too much occupied in -thinking how little he had for supper and how much more he would eat if -he had it--in these times, as he raised his eyes from his lonely labour, -and viewed the prospect, he would see some rough figure approaching on -foot, the like of which was once a rarity in those parts, but was now -a frequent presence. As it advanced, the mender of roads would discern -without surprise, that it was a shaggy-haired man, of almost barbarian -aspect, tall, in wooden shoes that were clumsy even to the eyes of a -mender of roads, grim, rough, swart, steeped in the mud and dust of many -highways, dank with the marshy moisture of many low grounds, sprinkled -with the thorns and leaves and moss of many byways through woods. - -Such a man came upon him, like a ghost, at noon in the July weather, -as he sat on his heap of stones under a bank, taking such shelter as he -could get from a shower of hail. - -The man looked at him, looked at the village in the hollow, at the mill, -and at the prison on the crag. When he had identified these objects -in what benighted mind he had, he said, in a dialect that was just -intelligible: - -“How goes it, Jacques?” - -“All well, Jacques.” - -“Touch then!” - -They joined hands, and the man sat down on the heap of stones. - -“No dinner?” - -“Nothing but supper now,” said the mender of roads, with a hungry face. - -“It is the fashion,” growled the man. “I meet no dinner anywhere.” - -He took out a blackened pipe, filled it, lighted it with flint and -steel, pulled at it until it was in a bright glow: then, suddenly held -it from him and dropped something into it from between his finger and -thumb, that blazed and went out in a puff of smoke. - -“Touch then.” It was the turn of the mender of roads to say it this -time, after observing these operations. They again joined hands. - -“To-night?” said the mender of roads. - -“To-night,” said the man, putting the pipe in his mouth. - -“Where?” - -“Here.” - -He and the mender of roads sat on the heap of stones looking silently at -one another, with the hail driving in between them like a pigmy charge -of bayonets, until the sky began to clear over the village. - -“Show me!” said the traveller then, moving to the brow of the hill. - -“See!” returned the mender of roads, with extended finger. “You go down -here, and straight through the street, and past the fountain--” - -“To the Devil with all that!” interrupted the other, rolling his eye -over the landscape. “_I_ go through no streets and past no fountains. -Well?” - -“Well! About two leagues beyond the summit of that hill above the -village.” - -“Good. When do you cease to work?” - -“At sunset.” - -“Will you wake me, before departing? I have walked two nights without -resting. Let me finish my pipe, and I shall sleep like a child. Will you -wake me?” - -“Surely.” - -The wayfarer smoked his pipe out, put it in his breast, slipped off his -great wooden shoes, and lay down on his back on the heap of stones. He -was fast asleep directly. - -As the road-mender plied his dusty labour, and the hail-clouds, rolling -away, revealed bright bars and streaks of sky which were responded to -by silver gleams upon the landscape, the little man (who wore a red cap -now, in place of his blue one) seemed fascinated by the figure on the -heap of stones. His eyes were so often turned towards it, that he used -his tools mechanically, and, one would have said, to very poor account. -The bronze face, the shaggy black hair and beard, the coarse woollen -red cap, the rough medley dress of home-spun stuff and hairy skins of -beasts, the powerful frame attenuated by spare living, and the sullen -and desperate compression of the lips in sleep, inspired the mender -of roads with awe. The traveller had travelled far, and his feet were -footsore, and his ankles chafed and bleeding; his great shoes, stuffed -with leaves and grass, had been heavy to drag over the many long -leagues, and his clothes were chafed into holes, as he himself was into -sores. Stooping down beside him, the road-mender tried to get a peep at -secret weapons in his breast or where not; but, in vain, for he slept -with his arms crossed upon him, and set as resolutely as his lips. -Fortified towns with their stockades, guard-houses, gates, trenches, and -drawbridges, seemed to the mender of roads, to be so much air as against -this figure. And when he lifted his eyes from it to the horizon and -looked around, he saw in his small fancy similar figures, stopped by no -obstacle, tending to centres all over France. - -The man slept on, indifferent to showers of hail and intervals of -brightness, to sunshine on his face and shadow, to the paltering lumps -of dull ice on his body and the diamonds into which the sun changed -them, until the sun was low in the west, and the sky was glowing. Then, -the mender of roads having got his tools together and all things ready -to go down into the village, roused him. - -“Good!” said the sleeper, rising on his elbow. “Two leagues beyond the -summit of the hill?” - -“About.” - -“About. Good!” - -The mender of roads went home, with the dust going on before him -according to the set of the wind, and was soon at the fountain, -squeezing himself in among the lean kine brought there to drink, and -appearing even to whisper to them in his whispering to all the village. -When the village had taken its poor supper, it did not creep to bed, -as it usually did, but came out of doors again, and remained there. A -curious contagion of whispering was upon it, and also, when it gathered -together at the fountain in the dark, another curious contagion of -looking expectantly at the sky in one direction only. Monsieur Gabelle, -chief functionary of the place, became uneasy; went out on his house-top -alone, and looked in that direction too; glanced down from behind his -chimneys at the darkening faces by the fountain below, and sent word to -the sacristan who kept the keys of the church, that there might be need -to ring the tocsin by-and-bye. - -The night deepened. The trees environing the old chateau, keeping its -solitary state apart, moved in a rising wind, as though they threatened -the pile of building massive and dark in the gloom. Up the two terrace -flights of steps the rain ran wildly, and beat at the great door, like a -swift messenger rousing those within; uneasy rushes of wind went through -the hall, among the old spears and knives, and passed lamenting up the -stairs, and shook the curtains of the bed where the last Marquis -had slept. East, West, North, and South, through the woods, four -heavy-treading, unkempt figures crushed the high grass and cracked the -branches, striding on cautiously to come together in the courtyard. Four -lights broke out there, and moved away in different directions, and all -was black again. - -But, not for long. Presently, the chateau began to make itself strangely -visible by some light of its own, as though it were growing luminous. -Then, a flickering streak played behind the architecture of the front, -picking out transparent places, and showing where balustrades, arches, -and windows were. Then it soared higher, and grew broader and brighter. -Soon, from a score of the great windows, flames burst forth, and the -stone faces awakened, stared out of fire. - -A faint murmur arose about the house from the few people who were left -there, and there was a saddling of a horse and riding away. There was -spurring and splashing through the darkness, and bridle was drawn in the -space by the village fountain, and the horse in a foam stood at Monsieur -Gabelle's door. “Help, Gabelle! Help, every one!” The tocsin rang -impatiently, but other help (if that were any) there was none. The -mender of roads, and two hundred and fifty particular friends, stood -with folded arms at the fountain, looking at the pillar of fire in the -sky. “It must be forty feet high,” said they, grimly; and never moved. - -The rider from the chateau, and the horse in a foam, clattered away -through the village, and galloped up the stony steep, to the prison on -the crag. At the gate, a group of officers were looking at the fire; -removed from them, a group of soldiers. “Help, gentlemen--officers! The -chateau is on fire; valuable objects may be saved from the flames by -timely aid! Help, help!” The officers looked towards the soldiers who -looked at the fire; gave no orders; and answered, with shrugs and biting -of lips, “It must burn.” - -As the rider rattled down the hill again and through the street, the -village was illuminating. The mender of roads, and the two hundred and -fifty particular friends, inspired as one man and woman by the idea of -lighting up, had darted into their houses, and were putting candles in -every dull little pane of glass. The general scarcity of everything, -occasioned candles to be borrowed in a rather peremptory manner of -Monsieur Gabelle; and in a moment of reluctance and hesitation on -that functionary's part, the mender of roads, once so submissive to -authority, had remarked that carriages were good to make bonfires with, -and that post-horses would roast. - -The chateau was left to itself to flame and burn. In the roaring and -raging of the conflagration, a red-hot wind, driving straight from the -infernal regions, seemed to be blowing the edifice away. With the rising -and falling of the blaze, the stone faces showed as if they were in -torment. When great masses of stone and timber fell, the face with the -two dints in the nose became obscured: anon struggled out of the smoke -again, as if it were the face of the cruel Marquis, burning at the stake -and contending with the fire. - -The chateau burned; the nearest trees, laid hold of by the fire, -scorched and shrivelled; trees at a distance, fired by the four fierce -figures, begirt the blazing edifice with a new forest of smoke. Molten -lead and iron boiled in the marble basin of the fountain; the water ran -dry; the extinguisher tops of the towers vanished like ice before the -heat, and trickled down into four rugged wells of flame. Great rents and -splits branched out in the solid walls, like crystallisation; stupefied -birds wheeled about and dropped into the furnace; four fierce figures -trudged away, East, West, North, and South, along the night-enshrouded -roads, guided by the beacon they had lighted, towards their next -destination. The illuminated village had seized hold of the tocsin, and, -abolishing the lawful ringer, rang for joy. - -Not only that; but the village, light-headed with famine, fire, and -bell-ringing, and bethinking itself that Monsieur Gabelle had to do with -the collection of rent and taxes--though it was but a small instalment -of taxes, and no rent at all, that Gabelle had got in those latter -days--became impatient for an interview with him, and, surrounding his -house, summoned him to come forth for personal conference. Whereupon, -Monsieur Gabelle did heavily bar his door, and retire to hold counsel -with himself. The result of that conference was, that Gabelle again -withdrew himself to his housetop behind his stack of chimneys; this time -resolved, if his door were broken in (he was a small Southern man -of retaliative temperament), to pitch himself head foremost over the -parapet, and crush a man or two below. - -Probably, Monsieur Gabelle passed a long night up there, with the -distant chateau for fire and candle, and the beating at his door, -combined with the joy-ringing, for music; not to mention his having an -ill-omened lamp slung across the road before his posting-house gate, -which the village showed a lively inclination to displace in his favour. -A trying suspense, to be passing a whole summer night on the brink of -the black ocean, ready to take that plunge into it upon which Monsieur -Gabelle had resolved! But, the friendly dawn appearing at last, and the -rush-candles of the village guttering out, the people happily dispersed, -and Monsieur Gabelle came down bringing his life with him for that -while. - -Within a hundred miles, and in the light of other fires, there were -other functionaries less fortunate, that night and other nights, whom -the rising sun found hanging across once-peaceful streets, where they -had been born and bred; also, there were other villagers and townspeople -less fortunate than the mender of roads and his fellows, upon whom the -functionaries and soldiery turned with success, and whom they strung up -in their turn. But, the fierce figures were steadily wending East, West, -North, and South, be that as it would; and whosoever hung, fire burned. -The altitude of the gallows that would turn to water and quench it, -no functionary, by any stretch of mathematics, was able to calculate -successfully. - - - - -XXIV. Drawn to the Loadstone Rock - - -In such risings of fire and risings of sea--the firm earth shaken by -the rushes of an angry ocean which had now no ebb, but was always on the -flow, higher and higher, to the terror and wonder of the beholders on -the shore--three years of tempest were consumed. Three more birthdays -of little Lucie had been woven by the golden thread into the peaceful -tissue of the life of her home. - -Many a night and many a day had its inmates listened to the echoes in -the corner, with hearts that failed them when they heard the thronging -feet. For, the footsteps had become to their minds as the footsteps of -a people, tumultuous under a red flag and with their country declared in -danger, changed into wild beasts, by terrible enchantment long persisted -in. - -Monseigneur, as a class, had dissociated himself from the phenomenon of -his not being appreciated: of his being so little wanted in France, as -to incur considerable danger of receiving his dismissal from it, and -this life together. Like the fabled rustic who raised the Devil with -infinite pains, and was so terrified at the sight of him that he could -ask the Enemy no question, but immediately fled; so, Monseigneur, after -boldly reading the Lord's Prayer backwards for a great number of years, -and performing many other potent spells for compelling the Evil One, no -sooner beheld him in his terrors than he took to his noble heels. - -The shining Bull's Eye of the Court was gone, or it would have been the -mark for a hurricane of national bullets. It had never been a good -eye to see with--had long had the mote in it of Lucifer's pride, -Sardanapalus's luxury, and a mole's blindness--but it had dropped -out and was gone. The Court, from that exclusive inner circle to its -outermost rotten ring of intrigue, corruption, and dissimulation, was -all gone together. Royalty was gone; had been besieged in its Palace and -“suspended,” when the last tidings came over. - -The August of the year one thousand seven hundred and ninety-two was -come, and Monseigneur was by this time scattered far and wide. - -As was natural, the head-quarters and great gathering-place of -Monseigneur, in London, was Tellson's Bank. Spirits are supposed to -haunt the places where their bodies most resorted, and Monseigneur -without a guinea haunted the spot where his guineas used to be. -Moreover, it was the spot to which such French intelligence as was most -to be relied upon, came quickest. Again: Tellson's was a munificent -house, and extended great liberality to old customers who had fallen -from their high estate. Again: those nobles who had seen the coming -storm in time, and anticipating plunder or confiscation, had made -provident remittances to Tellson's, were always to be heard of there -by their needy brethren. To which it must be added that every new-comer -from France reported himself and his tidings at Tellson's, almost as -a matter of course. For such variety of reasons, Tellson's was at that -time, as to French intelligence, a kind of High Exchange; and this -was so well known to the public, and the inquiries made there were in -consequence so numerous, that Tellson's sometimes wrote the latest news -out in a line or so and posted it in the Bank windows, for all who ran -through Temple Bar to read. - -On a steaming, misty afternoon, Mr. Lorry sat at his desk, and Charles -Darnay stood leaning on it, talking with him in a low voice. The -penitential den once set apart for interviews with the House, was now -the news-Exchange, and was filled to overflowing. It was within half an -hour or so of the time of closing. - -“But, although you are the youngest man that ever lived,” said Charles -Darnay, rather hesitating, “I must still suggest to you--” - -“I understand. That I am too old?” said Mr. Lorry. - -“Unsettled weather, a long journey, uncertain means of travelling, a -disorganised country, a city that may not be even safe for you.” - -“My dear Charles,” said Mr. Lorry, with cheerful confidence, “you touch -some of the reasons for my going: not for my staying away. It is safe -enough for me; nobody will care to interfere with an old fellow of hard -upon fourscore when there are so many people there much better worth -interfering with. As to its being a disorganised city, if it were not a -disorganised city there would be no occasion to send somebody from our -House here to our House there, who knows the city and the business, of -old, and is in Tellson's confidence. As to the uncertain travelling, the -long journey, and the winter weather, if I were not prepared to submit -myself to a few inconveniences for the sake of Tellson's, after all -these years, who ought to be?” - -“I wish I were going myself,” said Charles Darnay, somewhat restlessly, -and like one thinking aloud. - -“Indeed! You are a pretty fellow to object and advise!” exclaimed Mr. -Lorry. “You wish you were going yourself? And you a Frenchman born? You -are a wise counsellor.” - -“My dear Mr. Lorry, it is because I am a Frenchman born, that the -thought (which I did not mean to utter here, however) has passed through -my mind often. One cannot help thinking, having had some sympathy for -the miserable people, and having abandoned something to them,” he spoke -here in his former thoughtful manner, “that one might be listened to, -and might have the power to persuade to some restraint. Only last night, -after you had left us, when I was talking to Lucie--” - -“When you were talking to Lucie,” Mr. Lorry repeated. “Yes. I wonder you -are not ashamed to mention the name of Lucie! Wishing you were going to -France at this time of day!” - -“However, I am not going,” said Charles Darnay, with a smile. “It is -more to the purpose that you say you are.” - -“And I am, in plain reality. The truth is, my dear Charles,” Mr. Lorry -glanced at the distant House, and lowered his voice, “you can have no -conception of the difficulty with which our business is transacted, and -of the peril in which our books and papers over yonder are involved. The -Lord above knows what the compromising consequences would be to numbers -of people, if some of our documents were seized or destroyed; and they -might be, at any time, you know, for who can say that Paris is not set -afire to-day, or sacked to-morrow! Now, a judicious selection from these -with the least possible delay, and the burying of them, or otherwise -getting of them out of harm's way, is within the power (without loss of -precious time) of scarcely any one but myself, if any one. And shall -I hang back, when Tellson's knows this and says this--Tellson's, whose -bread I have eaten these sixty years--because I am a little stiff about -the joints? Why, I am a boy, sir, to half a dozen old codgers here!” - -“How I admire the gallantry of your youthful spirit, Mr. Lorry.” - -“Tut! Nonsense, sir!--And, my dear Charles,” said Mr. Lorry, glancing at -the House again, “you are to remember, that getting things out of -Paris at this present time, no matter what things, is next to an -impossibility. Papers and precious matters were this very day brought -to us here (I speak in strict confidence; it is not business-like to -whisper it, even to you), by the strangest bearers you can imagine, -every one of whom had his head hanging on by a single hair as he passed -the Barriers. At another time, our parcels would come and go, as easily -as in business-like Old England; but now, everything is stopped.” - -“And do you really go to-night?” - -“I really go to-night, for the case has become too pressing to admit of -delay.” - -“And do you take no one with you?” - -“All sorts of people have been proposed to me, but I will have nothing -to say to any of them. I intend to take Jerry. Jerry has been my -bodyguard on Sunday nights for a long time past and I am used to him. -Nobody will suspect Jerry of being anything but an English bull-dog, or -of having any design in his head but to fly at anybody who touches his -master.” - -“I must say again that I heartily admire your gallantry and -youthfulness.” - -“I must say again, nonsense, nonsense! When I have executed this little -commission, I shall, perhaps, accept Tellson's proposal to retire and -live at my ease. Time enough, then, to think about growing old.” - -This dialogue had taken place at Mr. Lorry's usual desk, with -Monseigneur swarming within a yard or two of it, boastful of what he -would do to avenge himself on the rascal-people before long. It was too -much the way of Monseigneur under his reverses as a refugee, and it -was much too much the way of native British orthodoxy, to talk of this -terrible Revolution as if it were the only harvest ever known under -the skies that had not been sown--as if nothing had ever been done, or -omitted to be done, that had led to it--as if observers of the wretched -millions in France, and of the misused and perverted resources that -should have made them prosperous, had not seen it inevitably coming, -years before, and had not in plain words recorded what they saw. Such -vapouring, combined with the extravagant plots of Monseigneur for the -restoration of a state of things that had utterly exhausted itself, -and worn out Heaven and earth as well as itself, was hard to be endured -without some remonstrance by any sane man who knew the truth. And it was -such vapouring all about his ears, like a troublesome confusion of blood -in his own head, added to a latent uneasiness in his mind, which had -already made Charles Darnay restless, and which still kept him so. - -Among the talkers, was Stryver, of the King's Bench Bar, far on his -way to state promotion, and, therefore, loud on the theme: broaching -to Monseigneur, his devices for blowing the people up and exterminating -them from the face of the earth, and doing without them: and for -accomplishing many similar objects akin in their nature to the abolition -of eagles by sprinkling salt on the tails of the race. Him, Darnay heard -with a particular feeling of objection; and Darnay stood divided between -going away that he might hear no more, and remaining to interpose his -word, when the thing that was to be, went on to shape itself out. - -The House approached Mr. Lorry, and laying a soiled and unopened letter -before him, asked if he had yet discovered any traces of the person to -whom it was addressed? The House laid the letter down so close to Darnay -that he saw the direction--the more quickly because it was his own right -name. The address, turned into English, ran: - -“Very pressing. To Monsieur heretofore the Marquis St. Evremonde, of -France. Confided to the cares of Messrs. Tellson and Co., Bankers, -London, England.” - -On the marriage morning, Doctor Manette had made it his one urgent and -express request to Charles Darnay, that the secret of this name should -be--unless he, the Doctor, dissolved the obligation--kept inviolate -between them. Nobody else knew it to be his name; his own wife had no -suspicion of the fact; Mr. Lorry could have none. - -“No,” said Mr. Lorry, in reply to the House; “I have referred it, -I think, to everybody now here, and no one can tell me where this -gentleman is to be found.” - -The hands of the clock verging upon the hour of closing the Bank, there -was a general set of the current of talkers past Mr. Lorry's desk. He -held the letter out inquiringly; and Monseigneur looked at it, in the -person of this plotting and indignant refugee; and Monseigneur looked at -it in the person of that plotting and indignant refugee; and This, That, -and The Other, all had something disparaging to say, in French or in -English, concerning the Marquis who was not to be found. - -“Nephew, I believe--but in any case degenerate successor--of the -polished Marquis who was murdered,” said one. “Happy to say, I never -knew him.” - -“A craven who abandoned his post,” said another--this Monseigneur had -been got out of Paris, legs uppermost and half suffocated, in a load of -hay--“some years ago.” - -“Infected with the new doctrines,” said a third, eyeing the direction -through his glass in passing; “set himself in opposition to the last -Marquis, abandoned the estates when he inherited them, and left them to -the ruffian herd. They will recompense him now, I hope, as he deserves.” - -“Hey?” cried the blatant Stryver. “Did he though? Is that the sort of -fellow? Let us look at his infamous name. D--n the fellow!” - -Darnay, unable to restrain himself any longer, touched Mr. Stryver on -the shoulder, and said: - -“I know the fellow.” - -“Do you, by Jupiter?” said Stryver. “I am sorry for it.” - -“Why?” - -“Why, Mr. Darnay? D'ye hear what he did? Don't ask, why, in these -times.” - -“But I do ask why?” - -“Then I tell you again, Mr. Darnay, I am sorry for it. I am sorry to -hear you putting any such extraordinary questions. Here is a fellow, -who, infected by the most pestilent and blasphemous code of devilry that -ever was known, abandoned his property to the vilest scum of the earth -that ever did murder by wholesale, and you ask me why I am sorry that a -man who instructs youth knows him? Well, but I'll answer you. I am sorry -because I believe there is contamination in such a scoundrel. That's -why.” - -Mindful of the secret, Darnay with great difficulty checked himself, and -said: “You may not understand the gentleman.” - -“I understand how to put _you_ in a corner, Mr. Darnay,” said Bully -Stryver, “and I'll do it. If this fellow is a gentleman, I _don't_ -understand him. You may tell him so, with my compliments. You may also -tell him, from me, that after abandoning his worldly goods and position -to this butcherly mob, I wonder he is not at the head of them. But, no, -gentlemen,” said Stryver, looking all round, and snapping his fingers, -“I know something of human nature, and I tell you that you'll never -find a fellow like this fellow, trusting himself to the mercies of such -precious _protégés_. No, gentlemen; he'll always show 'em a clean pair -of heels very early in the scuffle, and sneak away.” - -With those words, and a final snap of his fingers, Mr. Stryver -shouldered himself into Fleet-street, amidst the general approbation of -his hearers. Mr. Lorry and Charles Darnay were left alone at the desk, -in the general departure from the Bank. - -“Will you take charge of the letter?” said Mr. Lorry. “You know where to -deliver it?” - -“I do.” - -“Will you undertake to explain, that we suppose it to have been -addressed here, on the chance of our knowing where to forward it, and -that it has been here some time?” - -“I will do so. Do you start for Paris from here?” - -“From here, at eight.” - -“I will come back, to see you off.” - -Very ill at ease with himself, and with Stryver and most other men, -Darnay made the best of his way into the quiet of the Temple, opened the -letter, and read it. These were its contents: - - -“Prison of the Abbaye, Paris. - -“June 21, 1792. “MONSIEUR HERETOFORE THE MARQUIS. - -“After having long been in danger of my life at the hands of the -village, I have been seized, with great violence and indignity, and -brought a long journey on foot to Paris. On the road I have suffered a -great deal. Nor is that all; my house has been destroyed--razed to the -ground. - -“The crime for which I am imprisoned, Monsieur heretofore the Marquis, -and for which I shall be summoned before the tribunal, and shall lose my -life (without your so generous help), is, they tell me, treason against -the majesty of the people, in that I have acted against them for an -emigrant. It is in vain I represent that I have acted for them, and not -against, according to your commands. It is in vain I represent that, -before the sequestration of emigrant property, I had remitted the -imposts they had ceased to pay; that I had collected no rent; that I had -had recourse to no process. The only response is, that I have acted for -an emigrant, and where is that emigrant? - -“Ah! most gracious Monsieur heretofore the Marquis, where is that -emigrant? I cry in my sleep where is he? I demand of Heaven, will he -not come to deliver me? No answer. Ah Monsieur heretofore the Marquis, -I send my desolate cry across the sea, hoping it may perhaps reach your -ears through the great bank of Tilson known at Paris! - -“For the love of Heaven, of justice, of generosity, of the honour of -your noble name, I supplicate you, Monsieur heretofore the Marquis, to -succour and release me. My fault is, that I have been true to you. Oh -Monsieur heretofore the Marquis, I pray you be you true to me! - -“From this prison here of horror, whence I every hour tend nearer and -nearer to destruction, I send you, Monsieur heretofore the Marquis, the -assurance of my dolorous and unhappy service. - -“Your afflicted, - -“Gabelle.” - - -The latent uneasiness in Darnay's mind was roused to vigourous life -by this letter. The peril of an old servant and a good one, whose -only crime was fidelity to himself and his family, stared him so -reproachfully in the face, that, as he walked to and fro in the Temple -considering what to do, he almost hid his face from the passersby. - -He knew very well, that in his horror of the deed which had culminated -the bad deeds and bad reputation of the old family house, in his -resentful suspicions of his uncle, and in the aversion with which his -conscience regarded the crumbling fabric that he was supposed to uphold, -he had acted imperfectly. He knew very well, that in his love for Lucie, -his renunciation of his social place, though by no means new to his own -mind, had been hurried and incomplete. He knew that he ought to have -systematically worked it out and supervised it, and that he had meant to -do it, and that it had never been done. - -The happiness of his own chosen English home, the necessity of being -always actively employed, the swift changes and troubles of the time -which had followed on one another so fast, that the events of this week -annihilated the immature plans of last week, and the events of the week -following made all new again; he knew very well, that to the force of -these circumstances he had yielded:--not without disquiet, but still -without continuous and accumulating resistance. That he had watched -the times for a time of action, and that they had shifted and struggled -until the time had gone by, and the nobility were trooping from -France by every highway and byway, and their property was in course of -confiscation and destruction, and their very names were blotting out, -was as well known to himself as it could be to any new authority in -France that might impeach him for it. - -But, he had oppressed no man, he had imprisoned no man; he was so -far from having harshly exacted payment of his dues, that he had -relinquished them of his own will, thrown himself on a world with no -favour in it, won his own private place there, and earned his own -bread. Monsieur Gabelle had held the impoverished and involved estate -on written instructions, to spare the people, to give them what little -there was to give--such fuel as the heavy creditors would let them have -in the winter, and such produce as could be saved from the same grip in -the summer--and no doubt he had put the fact in plea and proof, for his -own safety, so that it could not but appear now. - -This favoured the desperate resolution Charles Darnay had begun to make, -that he would go to Paris. - -Yes. Like the mariner in the old story, the winds and streams had driven -him within the influence of the Loadstone Rock, and it was drawing him -to itself, and he must go. Everything that arose before his mind drifted -him on, faster and faster, more and more steadily, to the terrible -attraction. His latent uneasiness had been, that bad aims were being -worked out in his own unhappy land by bad instruments, and that he who -could not fail to know that he was better than they, was not there, -trying to do something to stay bloodshed, and assert the claims of mercy -and humanity. With this uneasiness half stifled, and half reproaching -him, he had been brought to the pointed comparison of himself with the -brave old gentleman in whom duty was so strong; upon that comparison -(injurious to himself) had instantly followed the sneers of Monseigneur, -which had stung him bitterly, and those of Stryver, which above all were -coarse and galling, for old reasons. Upon those, had followed Gabelle's -letter: the appeal of an innocent prisoner, in danger of death, to his -justice, honour, and good name. - -His resolution was made. He must go to Paris. - -Yes. The Loadstone Rock was drawing him, and he must sail on, until he -struck. He knew of no rock; he saw hardly any danger. The intention -with which he had done what he had done, even although he had left -it incomplete, presented it before him in an aspect that would be -gratefully acknowledged in France on his presenting himself to assert -it. Then, that glorious vision of doing good, which is so often the -sanguine mirage of so many good minds, arose before him, and he even -saw himself in the illusion with some influence to guide this raging -Revolution that was running so fearfully wild. - -As he walked to and fro with his resolution made, he considered that -neither Lucie nor her father must know of it until he was gone. -Lucie should be spared the pain of separation; and her father, always -reluctant to turn his thoughts towards the dangerous ground of old, -should come to the knowledge of the step, as a step taken, and not in -the balance of suspense and doubt. How much of the incompleteness of his -situation was referable to her father, through the painful anxiety -to avoid reviving old associations of France in his mind, he did not -discuss with himself. But, that circumstance too, had had its influence -in his course. - -He walked to and fro, with thoughts very busy, until it was time to -return to Tellson's and take leave of Mr. Lorry. As soon as he arrived -in Paris he would present himself to this old friend, but he must say -nothing of his intention now. - -A carriage with post-horses was ready at the Bank door, and Jerry was -booted and equipped. - -“I have delivered that letter,” said Charles Darnay to Mr. Lorry. “I -would not consent to your being charged with any written answer, but -perhaps you will take a verbal one?” - -“That I will, and readily,” said Mr. Lorry, “if it is not dangerous.” - -“Not at all. Though it is to a prisoner in the Abbaye.” - -“What is his name?” said Mr. Lorry, with his open pocket-book in his -hand. - -“Gabelle.” - -“Gabelle. And what is the message to the unfortunate Gabelle in prison?” - -“Simply, 'that he has received the letter, and will come.'” - -“Any time mentioned?” - -“He will start upon his journey to-morrow night.” - -“Any person mentioned?” - -“No.” - -He helped Mr. Lorry to wrap himself in a number of coats and cloaks, -and went out with him from the warm atmosphere of the old Bank, into the -misty air of Fleet-street. “My love to Lucie, and to little Lucie,” said -Mr. Lorry at parting, “and take precious care of them till I come back.” - Charles Darnay shook his head and doubtfully smiled, as the carriage -rolled away. - -That night--it was the fourteenth of August--he sat up late, and wrote -two fervent letters; one was to Lucie, explaining the strong obligation -he was under to go to Paris, and showing her, at length, the reasons -that he had, for feeling confident that he could become involved in no -personal danger there; the other was to the Doctor, confiding Lucie and -their dear child to his care, and dwelling on the same topics with the -strongest assurances. To both, he wrote that he would despatch letters -in proof of his safety, immediately after his arrival. - -It was a hard day, that day of being among them, with the first -reservation of their joint lives on his mind. It was a hard matter to -preserve the innocent deceit of which they were profoundly unsuspicious. -But, an affectionate glance at his wife, so happy and busy, made him -resolute not to tell her what impended (he had been half moved to do it, -so strange it was to him to act in anything without her quiet aid), and -the day passed quickly. Early in the evening he embraced her, and her -scarcely less dear namesake, pretending that he would return by-and-bye -(an imaginary engagement took him out, and he had secreted a valise -of clothes ready), and so he emerged into the heavy mist of the heavy -streets, with a heavier heart. - -The unseen force was drawing him fast to itself, now, and all the tides -and winds were setting straight and strong towards it. He left his -two letters with a trusty porter, to be delivered half an hour before -midnight, and no sooner; took horse for Dover; and began his journey. -“For the love of Heaven, of justice, of generosity, of the honour of -your noble name!” was the poor prisoner's cry with which he strengthened -his sinking heart, as he left all that was dear on earth behind him, and -floated away for the Loadstone Rock. - - -The end of the second book. - - - - - -Book the Third--the Track of a Storm - - - - -I. In Secret - - -The traveller fared slowly on his way, who fared towards Paris from -England in the autumn of the year one thousand seven hundred and -ninety-two. More than enough of bad roads, bad equipages, and bad -horses, he would have encountered to delay him, though the fallen and -unfortunate King of France had been upon his throne in all his glory; -but, the changed times were fraught with other obstacles than -these. Every town-gate and village taxing-house had its band of -citizen-patriots, with their national muskets in a most explosive state -of readiness, who stopped all comers and goers, cross-questioned them, -inspected their papers, looked for their names in lists of their own, -turned them back, or sent them on, or stopped them and laid them in -hold, as their capricious judgment or fancy deemed best for the dawning -Republic One and Indivisible, of Liberty, Equality, Fraternity, or -Death. - -A very few French leagues of his journey were accomplished, when Charles -Darnay began to perceive that for him along these country roads there -was no hope of return until he should have been declared a good citizen -at Paris. Whatever might befall now, he must on to his journey's end. -Not a mean village closed upon him, not a common barrier dropped across -the road behind him, but he knew it to be another iron door in -the series that was barred between him and England. The universal -watchfulness so encompassed him, that if he had been taken in a net, -or were being forwarded to his destination in a cage, he could not have -felt his freedom more completely gone. - -This universal watchfulness not only stopped him on the highway twenty -times in a stage, but retarded his progress twenty times in a day, by -riding after him and taking him back, riding before him and stopping him -by anticipation, riding with him and keeping him in charge. He had been -days upon his journey in France alone, when he went to bed tired out, in -a little town on the high road, still a long way from Paris. - -Nothing but the production of the afflicted Gabelle's letter from his -prison of the Abbaye would have got him on so far. His difficulty at the -guard-house in this small place had been such, that he felt his journey -to have come to a crisis. And he was, therefore, as little surprised as -a man could be, to find himself awakened at the small inn to which he -had been remitted until morning, in the middle of the night. - -Awakened by a timid local functionary and three armed patriots in rough -red caps and with pipes in their mouths, who sat down on the bed. - -“Emigrant,” said the functionary, “I am going to send you on to Paris, -under an escort.” - -“Citizen, I desire nothing more than to get to Paris, though I could -dispense with the escort.” - -“Silence!” growled a red-cap, striking at the coverlet with the butt-end -of his musket. “Peace, aristocrat!” - -“It is as the good patriot says,” observed the timid functionary. “You -are an aristocrat, and must have an escort--and must pay for it.” - -“I have no choice,” said Charles Darnay. - -“Choice! Listen to him!” cried the same scowling red-cap. “As if it was -not a favour to be protected from the lamp-iron!” - -“It is always as the good patriot says,” observed the functionary. “Rise -and dress yourself, emigrant.” - -Darnay complied, and was taken back to the guard-house, where other -patriots in rough red caps were smoking, drinking, and sleeping, by -a watch-fire. Here he paid a heavy price for his escort, and hence he -started with it on the wet, wet roads at three o'clock in the morning. - -The escort were two mounted patriots in red caps and tri-coloured -cockades, armed with national muskets and sabres, who rode one on either -side of him. - -The escorted governed his own horse, but a loose line was attached to -his bridle, the end of which one of the patriots kept girded round his -wrist. In this state they set forth with the sharp rain driving in their -faces: clattering at a heavy dragoon trot over the uneven town pavement, -and out upon the mire-deep roads. In this state they traversed without -change, except of horses and pace, all the mire-deep leagues that lay -between them and the capital. - -They travelled in the night, halting an hour or two after daybreak, and -lying by until the twilight fell. The escort were so wretchedly clothed, -that they twisted straw round their bare legs, and thatched their ragged -shoulders to keep the wet off. Apart from the personal discomfort of -being so attended, and apart from such considerations of present danger -as arose from one of the patriots being chronically drunk, and carrying -his musket very recklessly, Charles Darnay did not allow the restraint -that was laid upon him to awaken any serious fears in his breast; for, -he reasoned with himself that it could have no reference to the merits -of an individual case that was not yet stated, and of representations, -confirmable by the prisoner in the Abbaye, that were not yet made. - -But when they came to the town of Beauvais--which they did at eventide, -when the streets were filled with people--he could not conceal from -himself that the aspect of affairs was very alarming. An ominous crowd -gathered to see him dismount of the posting-yard, and many voices called -out loudly, “Down with the emigrant!” - -He stopped in the act of swinging himself out of his saddle, and, -resuming it as his safest place, said: - -“Emigrant, my friends! Do you not see me here, in France, of my own -will?” - -“You are a cursed emigrant,” cried a farrier, making at him in a -furious manner through the press, hammer in hand; “and you are a cursed -aristocrat!” - -The postmaster interposed himself between this man and the rider's -bridle (at which he was evidently making), and soothingly said, “Let him -be; let him be! He will be judged at Paris.” - -“Judged!” repeated the farrier, swinging his hammer. “Ay! and condemned -as a traitor.” At this the crowd roared approval. - -Checking the postmaster, who was for turning his horse's head to the -yard (the drunken patriot sat composedly in his saddle looking on, with -the line round his wrist), Darnay said, as soon as he could make his -voice heard: - -“Friends, you deceive yourselves, or you are deceived. I am not a -traitor.” - -“He lies!” cried the smith. “He is a traitor since the decree. His life -is forfeit to the people. His cursed life is not his own!” - -At the instant when Darnay saw a rush in the eyes of the crowd, which -another instant would have brought upon him, the postmaster turned his -horse into the yard, the escort rode in close upon his horse's flanks, -and the postmaster shut and barred the crazy double gates. The farrier -struck a blow upon them with his hammer, and the crowd groaned; but, no -more was done. - -“What is this decree that the smith spoke of?” Darnay asked the -postmaster, when he had thanked him, and stood beside him in the yard. - -“Truly, a decree for selling the property of emigrants.” - -“When passed?” - -“On the fourteenth.” - -“The day I left England!” - -“Everybody says it is but one of several, and that there will be -others--if there are not already--banishing all emigrants, and -condemning all to death who return. That is what he meant when he said -your life was not your own.” - -“But there are no such decrees yet?” - -“What do I know!” said the postmaster, shrugging his shoulders; “there -may be, or there will be. It is all the same. What would you have?” - -They rested on some straw in a loft until the middle of the night, and -then rode forward again when all the town was asleep. Among the many -wild changes observable on familiar things which made this wild ride -unreal, not the least was the seeming rarity of sleep. After long and -lonely spurring over dreary roads, they would come to a cluster of poor -cottages, not steeped in darkness, but all glittering with lights, and -would find the people, in a ghostly manner in the dead of the night, -circling hand in hand round a shrivelled tree of Liberty, or all drawn -up together singing a Liberty song. Happily, however, there was sleep in -Beauvais that night to help them out of it and they passed on once more -into solitude and loneliness: jingling through the untimely cold and -wet, among impoverished fields that had yielded no fruits of the earth -that year, diversified by the blackened remains of burnt houses, and by -the sudden emergence from ambuscade, and sharp reining up across their -way, of patriot patrols on the watch on all the roads. - -Daylight at last found them before the wall of Paris. The barrier was -closed and strongly guarded when they rode up to it. - -“Where are the papers of this prisoner?” demanded a resolute-looking man -in authority, who was summoned out by the guard. - -Naturally struck by the disagreeable word, Charles Darnay requested the -speaker to take notice that he was a free traveller and French citizen, -in charge of an escort which the disturbed state of the country had -imposed upon him, and which he had paid for. - -“Where,” repeated the same personage, without taking any heed of him -whatever, “are the papers of this prisoner?” - -The drunken patriot had them in his cap, and produced them. Casting his -eyes over Gabelle's letter, the same personage in authority showed some -disorder and surprise, and looked at Darnay with a close attention. - -He left escort and escorted without saying a word, however, and went -into the guard-room; meanwhile, they sat upon their horses outside the -gate. Looking about him while in this state of suspense, Charles -Darnay observed that the gate was held by a mixed guard of soldiers and -patriots, the latter far outnumbering the former; and that while ingress -into the city for peasants' carts bringing in supplies, and for similar -traffic and traffickers, was easy enough, egress, even for the homeliest -people, was very difficult. A numerous medley of men and women, not -to mention beasts and vehicles of various sorts, was waiting to issue -forth; but, the previous identification was so strict, that they -filtered through the barrier very slowly. Some of these people knew -their turn for examination to be so far off, that they lay down on the -ground to sleep or smoke, while others talked together, or loitered -about. The red cap and tri-colour cockade were universal, both among men -and women. - -When he had sat in his saddle some half-hour, taking note of these -things, Darnay found himself confronted by the same man in authority, -who directed the guard to open the barrier. Then he delivered to the -escort, drunk and sober, a receipt for the escorted, and requested him -to dismount. He did so, and the two patriots, leading his tired horse, -turned and rode away without entering the city. - -He accompanied his conductor into a guard-room, smelling of common wine -and tobacco, where certain soldiers and patriots, asleep and awake, -drunk and sober, and in various neutral states between sleeping and -waking, drunkenness and sobriety, were standing and lying about. The -light in the guard-house, half derived from the waning oil-lamps of -the night, and half from the overcast day, was in a correspondingly -uncertain condition. Some registers were lying open on a desk, and an -officer of a coarse, dark aspect, presided over these. - -“Citizen Defarge,” said he to Darnay's conductor, as he took a slip of -paper to write on. “Is this the emigrant Evremonde?” - -“This is the man.” - -“Your age, Evremonde?” - -“Thirty-seven.” - -“Married, Evremonde?” - -“Yes.” - -“Where married?” - -“In England.” - -“Without doubt. Where is your wife, Evremonde?” - -“In England.” - -“Without doubt. You are consigned, Evremonde, to the prison of La -Force.” - -“Just Heaven!” exclaimed Darnay. “Under what law, and for what offence?” - -The officer looked up from his slip of paper for a moment. - -“We have new laws, Evremonde, and new offences, since you were here.” He -said it with a hard smile, and went on writing. - -“I entreat you to observe that I have come here voluntarily, in response -to that written appeal of a fellow-countryman which lies before you. I -demand no more than the opportunity to do so without delay. Is not that -my right?” - -“Emigrants have no rights, Evremonde,” was the stolid reply. The officer -wrote until he had finished, read over to himself what he had written, -sanded it, and handed it to Defarge, with the words “In secret.” - -Defarge motioned with the paper to the prisoner that he must accompany -him. The prisoner obeyed, and a guard of two armed patriots attended -them. - -“Is it you,” said Defarge, in a low voice, as they went down the -guardhouse steps and turned into Paris, “who married the daughter of -Doctor Manette, once a prisoner in the Bastille that is no more?” - -“Yes,” replied Darnay, looking at him with surprise. - -“My name is Defarge, and I keep a wine-shop in the Quarter Saint -Antoine. Possibly you have heard of me.” - -“My wife came to your house to reclaim her father? Yes!” - -The word “wife” seemed to serve as a gloomy reminder to Defarge, to say -with sudden impatience, “In the name of that sharp female newly-born, -and called La Guillotine, why did you come to France?” - -“You heard me say why, a minute ago. Do you not believe it is the -truth?” - -“A bad truth for you,” said Defarge, speaking with knitted brows, and -looking straight before him. - -“Indeed I am lost here. All here is so unprecedented, so changed, so -sudden and unfair, that I am absolutely lost. Will you render me a -little help?” - -“None.” Defarge spoke, always looking straight before him. - -“Will you answer me a single question?” - -“Perhaps. According to its nature. You can say what it is.” - -“In this prison that I am going to so unjustly, shall I have some free -communication with the world outside?” - -“You will see.” - -“I am not to be buried there, prejudged, and without any means of -presenting my case?” - -“You will see. But, what then? Other people have been similarly buried -in worse prisons, before now.” - -“But never by me, Citizen Defarge.” - -Defarge glanced darkly at him for answer, and walked on in a steady -and set silence. The deeper he sank into this silence, the fainter hope -there was--or so Darnay thought--of his softening in any slight degree. -He, therefore, made haste to say: - -“It is of the utmost importance to me (you know, Citizen, even better -than I, of how much importance), that I should be able to communicate to -Mr. Lorry of Tellson's Bank, an English gentleman who is now in Paris, -the simple fact, without comment, that I have been thrown into the -prison of La Force. Will you cause that to be done for me?” - -“I will do,” Defarge doggedly rejoined, “nothing for you. My duty is to -my country and the People. I am the sworn servant of both, against you. -I will do nothing for you.” - -Charles Darnay felt it hopeless to entreat him further, and his pride -was touched besides. As they walked on in silence, he could not but see -how used the people were to the spectacle of prisoners passing along the -streets. The very children scarcely noticed him. A few passers turned -their heads, and a few shook their fingers at him as an aristocrat; -otherwise, that a man in good clothes should be going to prison, was no -more remarkable than that a labourer in working clothes should be -going to work. In one narrow, dark, and dirty street through which they -passed, an excited orator, mounted on a stool, was addressing an excited -audience on the crimes against the people, of the king and the royal -family. The few words that he caught from this man's lips, first made -it known to Charles Darnay that the king was in prison, and that the -foreign ambassadors had one and all left Paris. On the road (except at -Beauvais) he had heard absolutely nothing. The escort and the universal -watchfulness had completely isolated him. - -That he had fallen among far greater dangers than those which had -developed themselves when he left England, he of course knew now. That -perils had thickened about him fast, and might thicken faster and faster -yet, he of course knew now. He could not but admit to himself that he -might not have made this journey, if he could have foreseen the events -of a few days. And yet his misgivings were not so dark as, imagined by -the light of this later time, they would appear. Troubled as the future -was, it was the unknown future, and in its obscurity there was ignorant -hope. The horrible massacre, days and nights long, which, within a few -rounds of the clock, was to set a great mark of blood upon the blessed -garnering time of harvest, was as far out of his knowledge as if it had -been a hundred thousand years away. The “sharp female newly-born, and -called La Guillotine,” was hardly known to him, or to the generality -of people, by name. The frightful deeds that were to be soon done, were -probably unimagined at that time in the brains of the doers. How could -they have a place in the shadowy conceptions of a gentle mind? - -Of unjust treatment in detention and hardship, and in cruel separation -from his wife and child, he foreshadowed the likelihood, or the -certainty; but, beyond this, he dreaded nothing distinctly. With this on -his mind, which was enough to carry into a dreary prison courtyard, he -arrived at the prison of La Force. - -A man with a bloated face opened the strong wicket, to whom Defarge -presented “The Emigrant Evremonde.” - -“What the Devil! How many more of them!” exclaimed the man with the -bloated face. - -Defarge took his receipt without noticing the exclamation, and withdrew, -with his two fellow-patriots. - -“What the Devil, I say again!” exclaimed the gaoler, left with his wife. -“How many more!” - -The gaoler's wife, being provided with no answer to the question, merely -replied, “One must have patience, my dear!” Three turnkeys who entered -responsive to a bell she rang, echoed the sentiment, and one added, “For -the love of Liberty;” which sounded in that place like an inappropriate -conclusion. - -The prison of La Force was a gloomy prison, dark and filthy, and with a -horrible smell of foul sleep in it. Extraordinary how soon the noisome -flavour of imprisoned sleep, becomes manifest in all such places that -are ill cared for! - -“In secret, too,” grumbled the gaoler, looking at the written paper. “As -if I was not already full to bursting!” - -He stuck the paper on a file, in an ill-humour, and Charles Darnay -awaited his further pleasure for half an hour: sometimes, pacing to and -fro in the strong arched room: sometimes, resting on a stone seat: in -either case detained to be imprinted on the memory of the chief and his -subordinates. - -“Come!” said the chief, at length taking up his keys, “come with me, -emigrant.” - -Through the dismal prison twilight, his new charge accompanied him by -corridor and staircase, many doors clanging and locking behind them, -until they came into a large, low, vaulted chamber, crowded with -prisoners of both sexes. The women were seated at a long table, reading -and writing, knitting, sewing, and embroidering; the men were for the -most part standing behind their chairs, or lingering up and down the -room. - -In the instinctive association of prisoners with shameful crime and -disgrace, the new-comer recoiled from this company. But the crowning -unreality of his long unreal ride, was, their all at once rising to -receive him, with every refinement of manner known to the time, and with -all the engaging graces and courtesies of life. - -So strangely clouded were these refinements by the prison manners and -gloom, so spectral did they become in the inappropriate squalor and -misery through which they were seen, that Charles Darnay seemed to stand -in a company of the dead. Ghosts all! The ghost of beauty, the ghost -of stateliness, the ghost of elegance, the ghost of pride, the ghost of -frivolity, the ghost of wit, the ghost of youth, the ghost of age, all -waiting their dismissal from the desolate shore, all turning on him eyes -that were changed by the death they had died in coming there. - -It struck him motionless. The gaoler standing at his side, and the other -gaolers moving about, who would have been well enough as to appearance -in the ordinary exercise of their functions, looked so extravagantly -coarse contrasted with sorrowing mothers and blooming daughters who were -there--with the apparitions of the coquette, the young beauty, and the -mature woman delicately bred--that the inversion of all experience and -likelihood which the scene of shadows presented, was heightened to its -utmost. Surely, ghosts all. Surely, the long unreal ride some progress -of disease that had brought him to these gloomy shades! - -“In the name of the assembled companions in misfortune,” said a -gentleman of courtly appearance and address, coming forward, “I have the -honour of giving you welcome to La Force, and of condoling with you -on the calamity that has brought you among us. May it soon terminate -happily! It would be an impertinence elsewhere, but it is not so here, -to ask your name and condition?” - -Charles Darnay roused himself, and gave the required information, in -words as suitable as he could find. - -“But I hope,” said the gentleman, following the chief gaoler with his -eyes, who moved across the room, “that you are not in secret?” - -“I do not understand the meaning of the term, but I have heard them say -so.” - -“Ah, what a pity! We so much regret it! But take courage; several -members of our society have been in secret, at first, and it has lasted -but a short time.” Then he added, raising his voice, “I grieve to inform -the society--in secret.” - -There was a murmur of commiseration as Charles Darnay crossed the room -to a grated door where the gaoler awaited him, and many voices--among -which, the soft and compassionate voices of women were conspicuous--gave -him good wishes and encouragement. He turned at the grated door, to -render the thanks of his heart; it closed under the gaoler's hand; and -the apparitions vanished from his sight forever. - -The wicket opened on a stone staircase, leading upward. When they had -ascended forty steps (the prisoner of half an hour already counted -them), the gaoler opened a low black door, and they passed into a -solitary cell. It struck cold and damp, but was not dark. - -“Yours,” said the gaoler. - -“Why am I confined alone?” - -“How do I know!” - -“I can buy pen, ink, and paper?” - -“Such are not my orders. You will be visited, and can ask then. At -present, you may buy your food, and nothing more.” - -There were in the cell, a chair, a table, and a straw mattress. As -the gaoler made a general inspection of these objects, and of the four -walls, before going out, a wandering fancy wandered through the mind of -the prisoner leaning against the wall opposite to him, that this gaoler -was so unwholesomely bloated, both in face and person, as to look like -a man who had been drowned and filled with water. When the gaoler was -gone, he thought in the same wandering way, “Now am I left, as if I were -dead.” Stopping then, to look down at the mattress, he turned from it -with a sick feeling, and thought, “And here in these crawling creatures -is the first condition of the body after death.” - -“Five paces by four and a half, five paces by four and a half, five -paces by four and a half.” The prisoner walked to and fro in his cell, -counting its measurement, and the roar of the city arose like muffled -drums with a wild swell of voices added to them. “He made shoes, he made -shoes, he made shoes.” The prisoner counted the measurement again, and -paced faster, to draw his mind with him from that latter repetition. -“The ghosts that vanished when the wicket closed. There was one among -them, the appearance of a lady dressed in black, who was leaning in the -embrasure of a window, and she had a light shining upon her golden -hair, and she looked like * * * * Let us ride on again, for God's sake, -through the illuminated villages with the people all awake! * * * * He -made shoes, he made shoes, he made shoes. * * * * Five paces by four and -a half.” With such scraps tossing and rolling upward from the depths of -his mind, the prisoner walked faster and faster, obstinately counting -and counting; and the roar of the city changed to this extent--that it -still rolled in like muffled drums, but with the wail of voices that he -knew, in the swell that rose above them. - - - - -II. The Grindstone - - -Tellson's Bank, established in the Saint Germain Quarter of Paris, was -in a wing of a large house, approached by a courtyard and shut off from -the street by a high wall and a strong gate. The house belonged to -a great nobleman who had lived in it until he made a flight from the -troubles, in his own cook's dress, and got across the borders. A -mere beast of the chase flying from hunters, he was still in his -metempsychosis no other than the same Monseigneur, the preparation -of whose chocolate for whose lips had once occupied three strong men -besides the cook in question. - -Monseigneur gone, and the three strong men absolving themselves from the -sin of having drawn his high wages, by being more than ready and -willing to cut his throat on the altar of the dawning Republic one and -indivisible of Liberty, Equality, Fraternity, or Death, Monseigneur's -house had been first sequestrated, and then confiscated. For, all -things moved so fast, and decree followed decree with that fierce -precipitation, that now upon the third night of the autumn month -of September, patriot emissaries of the law were in possession of -Monseigneur's house, and had marked it with the tri-colour, and were -drinking brandy in its state apartments. - -A place of business in London like Tellson's place of business in Paris, -would soon have driven the House out of its mind and into the Gazette. -For, what would staid British responsibility and respectability have -said to orange-trees in boxes in a Bank courtyard, and even to a Cupid -over the counter? Yet such things were. Tellson's had whitewashed the -Cupid, but he was still to be seen on the ceiling, in the coolest -linen, aiming (as he very often does) at money from morning to -night. Bankruptcy must inevitably have come of this young Pagan, in -Lombard-street, London, and also of a curtained alcove in the rear of -the immortal boy, and also of a looking-glass let into the wall, and -also of clerks not at all old, who danced in public on the slightest -provocation. Yet, a French Tellson's could get on with these things -exceedingly well, and, as long as the times held together, no man had -taken fright at them, and drawn out his money. - -What money would be drawn out of Tellson's henceforth, and what would -lie there, lost and forgotten; what plate and jewels would tarnish in -Tellson's hiding-places, while the depositors rusted in prisons, -and when they should have violently perished; how many accounts with -Tellson's never to be balanced in this world, must be carried over into -the next; no man could have said, that night, any more than Mr. Jarvis -Lorry could, though he thought heavily of these questions. He sat by -a newly-lighted wood fire (the blighted and unfruitful year was -prematurely cold), and on his honest and courageous face there was a -deeper shade than the pendent lamp could throw, or any object in the -room distortedly reflect--a shade of horror. - -He occupied rooms in the Bank, in his fidelity to the House of which -he had grown to be a part, like strong root-ivy. It chanced that they -derived a kind of security from the patriotic occupation of the main -building, but the true-hearted old gentleman never calculated about -that. All such circumstances were indifferent to him, so that he did -his duty. On the opposite side of the courtyard, under a colonnade, -was extensive standing--for carriages--where, indeed, some carriages -of Monseigneur yet stood. Against two of the pillars were fastened two -great flaring flambeaux, and in the light of these, standing out in the -open air, was a large grindstone: a roughly mounted thing which appeared -to have hurriedly been brought there from some neighbouring smithy, -or other workshop. Rising and looking out of window at these harmless -objects, Mr. Lorry shivered, and retired to his seat by the fire. He had -opened, not only the glass window, but the lattice blind outside it, and -he had closed both again, and he shivered through his frame. - -From the streets beyond the high wall and the strong gate, there came -the usual night hum of the city, with now and then an indescribable ring -in it, weird and unearthly, as if some unwonted sounds of a terrible -nature were going up to Heaven. - -“Thank God,” said Mr. Lorry, clasping his hands, “that no one near and -dear to me is in this dreadful town to-night. May He have mercy on all -who are in danger!” - -Soon afterwards, the bell at the great gate sounded, and he thought, -“They have come back!” and sat listening. But, there was no loud -irruption into the courtyard, as he had expected, and he heard the gate -clash again, and all was quiet. - -The nervousness and dread that were upon him inspired that vague -uneasiness respecting the Bank, which a great change would naturally -awaken, with such feelings roused. It was well guarded, and he got up to -go among the trusty people who were watching it, when his door suddenly -opened, and two figures rushed in, at sight of which he fell back in -amazement. - -Lucie and her father! Lucie with her arms stretched out to him, and with -that old look of earnestness so concentrated and intensified, that it -seemed as though it had been stamped upon her face expressly to give -force and power to it in this one passage of her life. - -“What is this?” cried Mr. Lorry, breathless and confused. “What is the -matter? Lucie! Manette! What has happened? What has brought you here? -What is it?” - -With the look fixed upon him, in her paleness and wildness, she panted -out in his arms, imploringly, “O my dear friend! My husband!” - -“Your husband, Lucie?” - -“Charles.” - -“What of Charles?” - -“Here. - -“Here, in Paris?” - -“Has been here some days--three or four--I don't know how many--I can't -collect my thoughts. An errand of generosity brought him here unknown to -us; he was stopped at the barrier, and sent to prison.” - -The old man uttered an irrepressible cry. Almost at the same moment, the -bell of the great gate rang again, and a loud noise of feet and voices -came pouring into the courtyard. - -“What is that noise?” said the Doctor, turning towards the window. - -“Don't look!” cried Mr. Lorry. “Don't look out! Manette, for your life, -don't touch the blind!” - -The Doctor turned, with his hand upon the fastening of the window, and -said, with a cool, bold smile: - -“My dear friend, I have a charmed life in this city. I have been -a Bastille prisoner. There is no patriot in Paris--in Paris? In -France--who, knowing me to have been a prisoner in the Bastille, would -touch me, except to overwhelm me with embraces, or carry me in triumph. -My old pain has given me a power that has brought us through the -barrier, and gained us news of Charles there, and brought us here. I -knew it would be so; I knew I could help Charles out of all danger; I -told Lucie so.--What is that noise?” His hand was again upon the window. - -“Don't look!” cried Mr. Lorry, absolutely desperate. “No, Lucie, my -dear, nor you!” He got his arm round her, and held her. “Don't be so -terrified, my love. I solemnly swear to you that I know of no harm -having happened to Charles; that I had no suspicion even of his being in -this fatal place. What prison is he in?” - -“La Force!” - -“La Force! Lucie, my child, if ever you were brave and serviceable in -your life--and you were always both--you will compose yourself now, to -do exactly as I bid you; for more depends upon it than you can think, or -I can say. There is no help for you in any action on your part to-night; -you cannot possibly stir out. I say this, because what I must bid you -to do for Charles's sake, is the hardest thing to do of all. You must -instantly be obedient, still, and quiet. You must let me put you in a -room at the back here. You must leave your father and me alone for -two minutes, and as there are Life and Death in the world you must not -delay.” - -“I will be submissive to you. I see in your face that you know I can do -nothing else than this. I know you are true.” - -The old man kissed her, and hurried her into his room, and turned the -key; then, came hurrying back to the Doctor, and opened the window and -partly opened the blind, and put his hand upon the Doctor's arm, and -looked out with him into the courtyard. - -Looked out upon a throng of men and women: not enough in number, or near -enough, to fill the courtyard: not more than forty or fifty in all. The -people in possession of the house had let them in at the gate, and they -had rushed in to work at the grindstone; it had evidently been set up -there for their purpose, as in a convenient and retired spot. - -But, such awful workers, and such awful work! - -The grindstone had a double handle, and, turning at it madly were two -men, whose faces, as their long hair flapped back when the whirlings of -the grindstone brought their faces up, were more horrible and cruel than -the visages of the wildest savages in their most barbarous disguise. -False eyebrows and false moustaches were stuck upon them, and their -hideous countenances were all bloody and sweaty, and all awry with -howling, and all staring and glaring with beastly excitement and want of -sleep. As these ruffians turned and turned, their matted locks now flung -forward over their eyes, now flung backward over their necks, some women -held wine to their mouths that they might drink; and what with dropping -blood, and what with dropping wine, and what with the stream of sparks -struck out of the stone, all their wicked atmosphere seemed gore and -fire. The eye could not detect one creature in the group free from -the smear of blood. Shouldering one another to get next at the -sharpening-stone, were men stripped to the waist, with the stain all -over their limbs and bodies; men in all sorts of rags, with the stain -upon those rags; men devilishly set off with spoils of women's lace -and silk and ribbon, with the stain dyeing those trifles through -and through. Hatchets, knives, bayonets, swords, all brought to be -sharpened, were all red with it. Some of the hacked swords were tied to -the wrists of those who carried them, with strips of linen and fragments -of dress: ligatures various in kind, but all deep of the one colour. And -as the frantic wielders of these weapons snatched them from the stream -of sparks and tore away into the streets, the same red hue was red in -their frenzied eyes;--eyes which any unbrutalised beholder would have -given twenty years of life, to petrify with a well-directed gun. - -All this was seen in a moment, as the vision of a drowning man, or of -any human creature at any very great pass, could see a world if it -were there. They drew back from the window, and the Doctor looked for -explanation in his friend's ashy face. - -“They are,” Mr. Lorry whispered the words, glancing fearfully round at -the locked room, “murdering the prisoners. If you are sure of what you -say; if you really have the power you think you have--as I believe you -have--make yourself known to these devils, and get taken to La Force. It -may be too late, I don't know, but let it not be a minute later!” - -Doctor Manette pressed his hand, hastened bareheaded out of the room, -and was in the courtyard when Mr. Lorry regained the blind. - -His streaming white hair, his remarkable face, and the impetuous -confidence of his manner, as he put the weapons aside like water, -carried him in an instant to the heart of the concourse at the stone. -For a few moments there was a pause, and a hurry, and a murmur, and -the unintelligible sound of his voice; and then Mr. Lorry saw him, -surrounded by all, and in the midst of a line of twenty men long, all -linked shoulder to shoulder, and hand to shoulder, hurried out with -cries of--“Live the Bastille prisoner! Help for the Bastille prisoner's -kindred in La Force! Room for the Bastille prisoner in front there! Save -the prisoner Evremonde at La Force!” and a thousand answering shouts. - -He closed the lattice again with a fluttering heart, closed the window -and the curtain, hastened to Lucie, and told her that her father was -assisted by the people, and gone in search of her husband. He found -her child and Miss Pross with her; but, it never occurred to him to be -surprised by their appearance until a long time afterwards, when he sat -watching them in such quiet as the night knew. - -Lucie had, by that time, fallen into a stupor on the floor at his feet, -clinging to his hand. Miss Pross had laid the child down on his own -bed, and her head had gradually fallen on the pillow beside her pretty -charge. O the long, long night, with the moans of the poor wife! And O -the long, long night, with no return of her father and no tidings! - -Twice more in the darkness the bell at the great gate sounded, and the -irruption was repeated, and the grindstone whirled and spluttered. -“What is it?” cried Lucie, affrighted. “Hush! The soldiers' swords are -sharpened there,” said Mr. Lorry. “The place is national property now, -and used as a kind of armoury, my love.” - -Twice more in all; but, the last spell of work was feeble and fitful. -Soon afterwards the day began to dawn, and he softly detached himself -from the clasping hand, and cautiously looked out again. A man, so -besmeared that he might have been a sorely wounded soldier creeping back -to consciousness on a field of slain, was rising from the pavement by -the side of the grindstone, and looking about him with a vacant air. -Shortly, this worn-out murderer descried in the imperfect light one of -the carriages of Monseigneur, and, staggering to that gorgeous vehicle, -climbed in at the door, and shut himself up to take his rest on its -dainty cushions. - -The great grindstone, Earth, had turned when Mr. Lorry looked out again, -and the sun was red on the courtyard. But, the lesser grindstone stood -alone there in the calm morning air, with a red upon it that the sun had -never given, and would never take away. - - - - -III. The Shadow - - -One of the first considerations which arose in the business mind of Mr. -Lorry when business hours came round, was this:--that he had no right to -imperil Tellson's by sheltering the wife of an emigrant prisoner under -the Bank roof. His own possessions, safety, life, he would have hazarded -for Lucie and her child, without a moment's demur; but the great trust -he held was not his own, and as to that business charge he was a strict -man of business. - -At first, his mind reverted to Defarge, and he thought of finding out -the wine-shop again and taking counsel with its master in reference to -the safest dwelling-place in the distracted state of the city. But, the -same consideration that suggested him, repudiated him; he lived in the -most violent Quarter, and doubtless was influential there, and deep in -its dangerous workings. - -Noon coming, and the Doctor not returning, and every minute's delay -tending to compromise Tellson's, Mr. Lorry advised with Lucie. She said -that her father had spoken of hiring a lodging for a short term, in that -Quarter, near the Banking-house. As there was no business objection to -this, and as he foresaw that even if it were all well with Charles, and -he were to be released, he could not hope to leave the city, Mr. Lorry -went out in quest of such a lodging, and found a suitable one, high up -in a removed by-street where the closed blinds in all the other windows -of a high melancholy square of buildings marked deserted homes. - -To this lodging he at once removed Lucie and her child, and Miss Pross: -giving them what comfort he could, and much more than he had himself. -He left Jerry with them, as a figure to fill a doorway that would bear -considerable knocking on the head, and returned to his own occupations. -A disturbed and doleful mind he brought to bear upon them, and slowly -and heavily the day lagged on with him. - -It wore itself out, and wore him out with it, until the Bank closed. He -was again alone in his room of the previous night, considering what to -do next, when he heard a foot upon the stair. In a few moments, a -man stood in his presence, who, with a keenly observant look at him, -addressed him by his name. - -“Your servant,” said Mr. Lorry. “Do you know me?” - -He was a strongly made man with dark curling hair, from forty-five -to fifty years of age. For answer he repeated, without any change of -emphasis, the words: - -“Do you know me?” - -“I have seen you somewhere.” - -“Perhaps at my wine-shop?” - -Much interested and agitated, Mr. Lorry said: “You come from Doctor -Manette?” - -“Yes. I come from Doctor Manette.” - -“And what says he? What does he send me?” - -Defarge gave into his anxious hand, an open scrap of paper. It bore the -words in the Doctor's writing: - - “Charles is safe, but I cannot safely leave this place yet. - I have obtained the favour that the bearer has a short note - from Charles to his wife. Let the bearer see his wife.” - -It was dated from La Force, within an hour. - -“Will you accompany me,” said Mr. Lorry, joyfully relieved after reading -this note aloud, “to where his wife resides?” - -“Yes,” returned Defarge. - -Scarcely noticing as yet, in what a curiously reserved and mechanical -way Defarge spoke, Mr. Lorry put on his hat and they went down into the -courtyard. There, they found two women; one, knitting. - -“Madame Defarge, surely!” said Mr. Lorry, who had left her in exactly -the same attitude some seventeen years ago. - -“It is she,” observed her husband. - -“Does Madame go with us?” inquired Mr. Lorry, seeing that she moved as -they moved. - -“Yes. That she may be able to recognise the faces and know the persons. -It is for their safety.” - -Beginning to be struck by Defarge's manner, Mr. Lorry looked dubiously -at him, and led the way. Both the women followed; the second woman being -The Vengeance. - -They passed through the intervening streets as quickly as they might, -ascended the staircase of the new domicile, were admitted by Jerry, -and found Lucie weeping, alone. She was thrown into a transport by the -tidings Mr. Lorry gave her of her husband, and clasped the hand that -delivered his note--little thinking what it had been doing near him in -the night, and might, but for a chance, have done to him. - - “DEAREST,--Take courage. I am well, and your father has - influence around me. You cannot answer this. - Kiss our child for me.” - -That was all the writing. It was so much, however, to her who received -it, that she turned from Defarge to his wife, and kissed one of the -hands that knitted. It was a passionate, loving, thankful, womanly -action, but the hand made no response--dropped cold and heavy, and took -to its knitting again. - -There was something in its touch that gave Lucie a check. She stopped in -the act of putting the note in her bosom, and, with her hands yet at her -neck, looked terrified at Madame Defarge. Madame Defarge met the lifted -eyebrows and forehead with a cold, impassive stare. - -“My dear,” said Mr. Lorry, striking in to explain; “there are frequent -risings in the streets; and, although it is not likely they will ever -trouble you, Madame Defarge wishes to see those whom she has the power -to protect at such times, to the end that she may know them--that she -may identify them. I believe,” said Mr. Lorry, rather halting in his -reassuring words, as the stony manner of all the three impressed itself -upon him more and more, “I state the case, Citizen Defarge?” - -Defarge looked gloomily at his wife, and gave no other answer than a -gruff sound of acquiescence. - -“You had better, Lucie,” said Mr. Lorry, doing all he could to -propitiate, by tone and manner, “have the dear child here, and our -good Pross. Our good Pross, Defarge, is an English lady, and knows no -French.” - -The lady in question, whose rooted conviction that she was more than a -match for any foreigner, was not to be shaken by distress and, danger, -appeared with folded arms, and observed in English to The Vengeance, -whom her eyes first encountered, “Well, I am sure, Boldface! I hope -_you_ are pretty well!” She also bestowed a British cough on Madame -Defarge; but, neither of the two took much heed of her. - -“Is that his child?” said Madame Defarge, stopping in her work for the -first time, and pointing her knitting-needle at little Lucie as if it -were the finger of Fate. - -“Yes, madame,” answered Mr. Lorry; “this is our poor prisoner's darling -daughter, and only child.” - -The shadow attendant on Madame Defarge and her party seemed to fall so -threatening and dark on the child, that her mother instinctively -kneeled on the ground beside her, and held her to her breast. The -shadow attendant on Madame Defarge and her party seemed then to fall, -threatening and dark, on both the mother and the child. - -“It is enough, my husband,” said Madame Defarge. “I have seen them. We -may go.” - -But, the suppressed manner had enough of menace in it--not visible and -presented, but indistinct and withheld--to alarm Lucie into saying, as -she laid her appealing hand on Madame Defarge's dress: - -“You will be good to my poor husband. You will do him no harm. You will -help me to see him if you can?” - -“Your husband is not my business here,” returned Madame Defarge, looking -down at her with perfect composure. “It is the daughter of your father -who is my business here.” - -“For my sake, then, be merciful to my husband. For my child's sake! She -will put her hands together and pray you to be merciful. We are more -afraid of you than of these others.” - -Madame Defarge received it as a compliment, and looked at her husband. -Defarge, who had been uneasily biting his thumb-nail and looking at her, -collected his face into a sterner expression. - -“What is it that your husband says in that little letter?” asked Madame -Defarge, with a lowering smile. “Influence; he says something touching -influence?” - -“That my father,” said Lucie, hurriedly taking the paper from her -breast, but with her alarmed eyes on her questioner and not on it, “has -much influence around him.” - -“Surely it will release him!” said Madame Defarge. “Let it do so.” - -“As a wife and mother,” cried Lucie, most earnestly, “I implore you to -have pity on me and not to exercise any power that you possess, against -my innocent husband, but to use it in his behalf. O sister-woman, think -of me. As a wife and mother!” - -Madame Defarge looked, coldly as ever, at the suppliant, and said, -turning to her friend The Vengeance: - -“The wives and mothers we have been used to see, since we were as little -as this child, and much less, have not been greatly considered? We have -known _their_ husbands and fathers laid in prison and kept from them, -often enough? All our lives, we have seen our sister-women suffer, in -themselves and in their children, poverty, nakedness, hunger, thirst, -sickness, misery, oppression and neglect of all kinds?” - -“We have seen nothing else,” returned The Vengeance. - -“We have borne this a long time,” said Madame Defarge, turning her eyes -again upon Lucie. “Judge you! Is it likely that the trouble of one wife -and mother would be much to us now?” - -She resumed her knitting and went out. The Vengeance followed. Defarge -went last, and closed the door. - -“Courage, my dear Lucie,” said Mr. Lorry, as he raised her. “Courage, -courage! So far all goes well with us--much, much better than it has of -late gone with many poor souls. Cheer up, and have a thankful heart.” - -“I am not thankless, I hope, but that dreadful woman seems to throw a -shadow on me and on all my hopes.” - -“Tut, tut!” said Mr. Lorry; “what is this despondency in the brave -little breast? A shadow indeed! No substance in it, Lucie.” - -But the shadow of the manner of these Defarges was dark upon himself, -for all that, and in his secret mind it troubled him greatly. - - - - -IV. Calm in Storm - - -Doctor Manette did not return until the morning of the fourth day of his -absence. So much of what had happened in that dreadful time as could be -kept from the knowledge of Lucie was so well concealed from her, that -not until long afterwards, when France and she were far apart, did she -know that eleven hundred defenceless prisoners of both sexes and all -ages had been killed by the populace; that four days and nights had been -darkened by this deed of horror; and that the air around her had been -tainted by the slain. She only knew that there had been an attack upon -the prisons, that all political prisoners had been in danger, and that -some had been dragged out by the crowd and murdered. - -To Mr. Lorry, the Doctor communicated under an injunction of secrecy on -which he had no need to dwell, that the crowd had taken him through a -scene of carnage to the prison of La Force. That, in the prison he had -found a self-appointed Tribunal sitting, before which the prisoners were -brought singly, and by which they were rapidly ordered to be put forth -to be massacred, or to be released, or (in a few cases) to be sent back -to their cells. That, presented by his conductors to this Tribunal, he -had announced himself by name and profession as having been for eighteen -years a secret and unaccused prisoner in the Bastille; that, one of the -body so sitting in judgment had risen and identified him, and that this -man was Defarge. - -That, hereupon he had ascertained, through the registers on the table, -that his son-in-law was among the living prisoners, and had pleaded hard -to the Tribunal--of whom some members were asleep and some awake, some -dirty with murder and some clean, some sober and some not--for his life -and liberty. That, in the first frantic greetings lavished on himself as -a notable sufferer under the overthrown system, it had been accorded -to him to have Charles Darnay brought before the lawless Court, and -examined. That, he seemed on the point of being at once released, when -the tide in his favour met with some unexplained check (not intelligible -to the Doctor), which led to a few words of secret conference. That, -the man sitting as President had then informed Doctor Manette that -the prisoner must remain in custody, but should, for his sake, be held -inviolate in safe custody. That, immediately, on a signal, the prisoner -was removed to the interior of the prison again; but, that he, the -Doctor, had then so strongly pleaded for permission to remain and -assure himself that his son-in-law was, through no malice or mischance, -delivered to the concourse whose murderous yells outside the gate had -often drowned the proceedings, that he had obtained the permission, and -had remained in that Hall of Blood until the danger was over. - -The sights he had seen there, with brief snatches of food and sleep by -intervals, shall remain untold. The mad joy over the prisoners who were -saved, had astounded him scarcely less than the mad ferocity against -those who were cut to pieces. One prisoner there was, he said, who had -been discharged into the street free, but at whom a mistaken savage had -thrust a pike as he passed out. Being besought to go to him and dress -the wound, the Doctor had passed out at the same gate, and had found him -in the arms of a company of Samaritans, who were seated on the bodies -of their victims. With an inconsistency as monstrous as anything in this -awful nightmare, they had helped the healer, and tended the wounded man -with the gentlest solicitude--had made a litter for him and escorted him -carefully from the spot--had then caught up their weapons and plunged -anew into a butchery so dreadful, that the Doctor had covered his eyes -with his hands, and swooned away in the midst of it. - -As Mr. Lorry received these confidences, and as he watched the face of -his friend now sixty-two years of age, a misgiving arose within him that -such dread experiences would revive the old danger. - -But, he had never seen his friend in his present aspect: he had never -at all known him in his present character. For the first time the Doctor -felt, now, that his suffering was strength and power. For the first time -he felt that in that sharp fire, he had slowly forged the iron which -could break the prison door of his daughter's husband, and deliver him. -“It all tended to a good end, my friend; it was not mere waste and ruin. -As my beloved child was helpful in restoring me to myself, I will be -helpful now in restoring the dearest part of herself to her; by the aid -of Heaven I will do it!” Thus, Doctor Manette. And when Jarvis Lorry saw -the kindled eyes, the resolute face, the calm strong look and bearing -of the man whose life always seemed to him to have been stopped, like a -clock, for so many years, and then set going again with an energy which -had lain dormant during the cessation of its usefulness, he believed. - -Greater things than the Doctor had at that time to contend with, would -have yielded before his persevering purpose. While he kept himself -in his place, as a physician, whose business was with all degrees -of mankind, bond and free, rich and poor, bad and good, he used his -personal influence so wisely, that he was soon the inspecting physician -of three prisons, and among them of La Force. He could now assure Lucie -that her husband was no longer confined alone, but was mixed with the -general body of prisoners; he saw her husband weekly, and brought sweet -messages to her, straight from his lips; sometimes her husband himself -sent a letter to her (though never by the Doctor's hand), but she was -not permitted to write to him: for, among the many wild suspicions of -plots in the prisons, the wildest of all pointed at emigrants who were -known to have made friends or permanent connections abroad. - -This new life of the Doctor's was an anxious life, no doubt; still, the -sagacious Mr. Lorry saw that there was a new sustaining pride in it. -Nothing unbecoming tinged the pride; it was a natural and worthy one; -but he observed it as a curiosity. The Doctor knew, that up to that -time, his imprisonment had been associated in the minds of his daughter -and his friend, with his personal affliction, deprivation, and weakness. -Now that this was changed, and he knew himself to be invested through -that old trial with forces to which they both looked for Charles's -ultimate safety and deliverance, he became so far exalted by the change, -that he took the lead and direction, and required them as the weak, to -trust to him as the strong. The preceding relative positions of himself -and Lucie were reversed, yet only as the liveliest gratitude and -affection could reverse them, for he could have had no pride but in -rendering some service to her who had rendered so much to him. “All -curious to see,” thought Mr. Lorry, in his amiably shrewd way, “but all -natural and right; so, take the lead, my dear friend, and keep it; it -couldn't be in better hands.” - -But, though the Doctor tried hard, and never ceased trying, to get -Charles Darnay set at liberty, or at least to get him brought to trial, -the public current of the time set too strong and fast for him. The new -era began; the king was tried, doomed, and beheaded; the Republic of -Liberty, Equality, Fraternity, or Death, declared for victory or death -against the world in arms; the black flag waved night and day from the -great towers of Notre Dame; three hundred thousand men, summoned to rise -against the tyrants of the earth, rose from all the varying soils -of France, as if the dragon's teeth had been sown broadcast, and -had yielded fruit equally on hill and plain, on rock, in gravel, and -alluvial mud, under the bright sky of the South and under the clouds of -the North, in fell and forest, in the vineyards and the olive-grounds -and among the cropped grass and the stubble of the corn, along the -fruitful banks of the broad rivers, and in the sand of the sea-shore. -What private solicitude could rear itself against the deluge of the Year -One of Liberty--the deluge rising from below, not falling from above, -and with the windows of Heaven shut, not opened! - -There was no pause, no pity, no peace, no interval of relenting rest, no -measurement of time. Though days and nights circled as regularly as when -time was young, and the evening and morning were the first day, other -count of time there was none. Hold of it was lost in the raging fever -of a nation, as it is in the fever of one patient. Now, breaking the -unnatural silence of a whole city, the executioner showed the people the -head of the king--and now, it seemed almost in the same breath, the -head of his fair wife which had had eight weary months of imprisoned -widowhood and misery, to turn it grey. - -And yet, observing the strange law of contradiction which obtains in -all such cases, the time was long, while it flamed by so fast. A -revolutionary tribunal in the capital, and forty or fifty thousand -revolutionary committees all over the land; a law of the Suspected, -which struck away all security for liberty or life, and delivered over -any good and innocent person to any bad and guilty one; prisons gorged -with people who had committed no offence, and could obtain no hearing; -these things became the established order and nature of appointed -things, and seemed to be ancient usage before they were many weeks old. -Above all, one hideous figure grew as familiar as if it had been before -the general gaze from the foundations of the world--the figure of the -sharp female called La Guillotine. - -It was the popular theme for jests; it was the best cure for headache, -it infallibly prevented the hair from turning grey, it imparted a -peculiar delicacy to the complexion, it was the National Razor which -shaved close: who kissed La Guillotine, looked through the little window -and sneezed into the sack. It was the sign of the regeneration of the -human race. It superseded the Cross. Models of it were worn on breasts -from which the Cross was discarded, and it was bowed down to and -believed in where the Cross was denied. - -It sheared off heads so many, that it, and the ground it most polluted, -were a rotten red. It was taken to pieces, like a toy-puzzle for a young -Devil, and was put together again when the occasion wanted it. It hushed -the eloquent, struck down the powerful, abolished the beautiful and -good. Twenty-two friends of high public mark, twenty-one living and one -dead, it had lopped the heads off, in one morning, in as many minutes. -The name of the strong man of Old Scripture had descended to the chief -functionary who worked it; but, so armed, he was stronger than his -namesake, and blinder, and tore away the gates of God's own Temple every -day. - -Among these terrors, and the brood belonging to them, the Doctor walked -with a steady head: confident in his power, cautiously persistent in his -end, never doubting that he would save Lucie's husband at last. Yet the -current of the time swept by, so strong and deep, and carried the time -away so fiercely, that Charles had lain in prison one year and three -months when the Doctor was thus steady and confident. So much more -wicked and distracted had the Revolution grown in that December month, -that the rivers of the South were encumbered with the bodies of the -violently drowned by night, and prisoners were shot in lines and squares -under the southern wintry sun. Still, the Doctor walked among the -terrors with a steady head. No man better known than he, in Paris at -that day; no man in a stranger situation. Silent, humane, indispensable -in hospital and prison, using his art equally among assassins and -victims, he was a man apart. In the exercise of his skill, the -appearance and the story of the Bastille Captive removed him from all -other men. He was not suspected or brought in question, any more than if -he had indeed been recalled to life some eighteen years before, or were -a Spirit moving among mortals. - - - - -V. The Wood-Sawyer - - -One year and three months. During all that time Lucie was never -sure, from hour to hour, but that the Guillotine would strike off her -husband's head next day. Every day, through the stony streets, the -tumbrils now jolted heavily, filled with Condemned. Lovely girls; bright -women, brown-haired, black-haired, and grey; youths; stalwart men and -old; gentle born and peasant born; all red wine for La Guillotine, all -daily brought into light from the dark cellars of the loathsome prisons, -and carried to her through the streets to slake her devouring thirst. -Liberty, equality, fraternity, or death;--the last, much the easiest to -bestow, O Guillotine! - -If the suddenness of her calamity, and the whirling wheels of the time, -had stunned the Doctor's daughter into awaiting the result in idle -despair, it would but have been with her as it was with many. But, from -the hour when she had taken the white head to her fresh young bosom in -the garret of Saint Antoine, she had been true to her duties. She was -truest to them in the season of trial, as all the quietly loyal and good -will always be. - -As soon as they were established in their new residence, and her father -had entered on the routine of his avocations, she arranged the little -household as exactly as if her husband had been there. Everything had -its appointed place and its appointed time. Little Lucie she taught, -as regularly, as if they had all been united in their English home. The -slight devices with which she cheated herself into the show of a belief -that they would soon be reunited--the little preparations for his speedy -return, the setting aside of his chair and his books--these, and the -solemn prayer at night for one dear prisoner especially, among the many -unhappy souls in prison and the shadow of death--were almost the only -outspoken reliefs of her heavy mind. - -She did not greatly alter in appearance. The plain dark dresses, akin to -mourning dresses, which she and her child wore, were as neat and as well -attended to as the brighter clothes of happy days. She lost her colour, -and the old and intent expression was a constant, not an occasional, -thing; otherwise, she remained very pretty and comely. Sometimes, at -night on kissing her father, she would burst into the grief she had -repressed all day, and would say that her sole reliance, under Heaven, -was on him. He always resolutely answered: “Nothing can happen to him -without my knowledge, and I know that I can save him, Lucie.” - -They had not made the round of their changed life many weeks, when her -father said to her, on coming home one evening: - -“My dear, there is an upper window in the prison, to which Charles can -sometimes gain access at three in the afternoon. When he can get to -it--which depends on many uncertainties and incidents--he might see you -in the street, he thinks, if you stood in a certain place that I can -show you. But you will not be able to see him, my poor child, and even -if you could, it would be unsafe for you to make a sign of recognition.” - -“O show me the place, my father, and I will go there every day.” - -From that time, in all weathers, she waited there two hours. As the -clock struck two, she was there, and at four she turned resignedly away. -When it was not too wet or inclement for her child to be with her, they -went together; at other times she was alone; but, she never missed a -single day. - -It was the dark and dirty corner of a small winding street. The hovel -of a cutter of wood into lengths for burning, was the only house at that -end; all else was wall. On the third day of her being there, he noticed -her. - -“Good day, citizeness.” - -“Good day, citizen.” - -This mode of address was now prescribed by decree. It had been -established voluntarily some time ago, among the more thorough patriots; -but, was now law for everybody. - -“Walking here again, citizeness?” - -“You see me, citizen!” - -The wood-sawyer, who was a little man with a redundancy of gesture (he -had once been a mender of roads), cast a glance at the prison, pointed -at the prison, and putting his ten fingers before his face to represent -bars, peeped through them jocosely. - -“But it's not my business,” said he. And went on sawing his wood. - -Next day he was looking out for her, and accosted her the moment she -appeared. - -“What? Walking here again, citizeness?” - -“Yes, citizen.” - -“Ah! A child too! Your mother, is it not, my little citizeness?” - -“Do I say yes, mamma?” whispered little Lucie, drawing close to her. - -“Yes, dearest.” - -“Yes, citizen.” - -“Ah! But it's not my business. My work is my business. See my saw! I -call it my Little Guillotine. La, la, la; La, la, la! And off his head -comes!” - -The billet fell as he spoke, and he threw it into a basket. - -“I call myself the Samson of the firewood guillotine. See here again! -Loo, loo, loo; Loo, loo, loo! And off _her_ head comes! Now, a child. -Tickle, tickle; Pickle, pickle! And off _its_ head comes. All the -family!” - -Lucie shuddered as he threw two more billets into his basket, but it was -impossible to be there while the wood-sawyer was at work, and not be in -his sight. Thenceforth, to secure his good will, she always spoke to him -first, and often gave him drink-money, which he readily received. - -He was an inquisitive fellow, and sometimes when she had quite forgotten -him in gazing at the prison roof and grates, and in lifting her heart -up to her husband, she would come to herself to find him looking at her, -with his knee on his bench and his saw stopped in its work. “But it's -not my business!” he would generally say at those times, and would -briskly fall to his sawing again. - -In all weathers, in the snow and frost of winter, in the bitter winds of -spring, in the hot sunshine of summer, in the rains of autumn, and again -in the snow and frost of winter, Lucie passed two hours of every day at -this place; and every day on leaving it, she kissed the prison wall. -Her husband saw her (so she learned from her father) it might be once in -five or six times: it might be twice or thrice running: it might be, not -for a week or a fortnight together. It was enough that he could and did -see her when the chances served, and on that possibility she would have -waited out the day, seven days a week. - -These occupations brought her round to the December month, wherein her -father walked among the terrors with a steady head. On a lightly-snowing -afternoon she arrived at the usual corner. It was a day of some wild -rejoicing, and a festival. She had seen the houses, as she came along, -decorated with little pikes, and with little red caps stuck upon them; -also, with tricoloured ribbons; also, with the standard inscription -(tricoloured letters were the favourite), Republic One and Indivisible. -Liberty, Equality, Fraternity, or Death! - -The miserable shop of the wood-sawyer was so small, that its whole -surface furnished very indifferent space for this legend. He had got -somebody to scrawl it up for him, however, who had squeezed Death in -with most inappropriate difficulty. On his house-top, he displayed pike -and cap, as a good citizen must, and in a window he had stationed his -saw inscribed as his “Little Sainte Guillotine”--for the great sharp -female was by that time popularly canonised. His shop was shut and he -was not there, which was a relief to Lucie, and left her quite alone. - -But, he was not far off, for presently she heard a troubled movement -and a shouting coming along, which filled her with fear. A moment -afterwards, and a throng of people came pouring round the corner by the -prison wall, in the midst of whom was the wood-sawyer hand in hand with -The Vengeance. There could not be fewer than five hundred people, and -they were dancing like five thousand demons. There was no other music -than their own singing. They danced to the popular Revolution song, -keeping a ferocious time that was like a gnashing of teeth in unison. -Men and women danced together, women danced together, men danced -together, as hazard had brought them together. At first, they were a -mere storm of coarse red caps and coarse woollen rags; but, as they -filled the place, and stopped to dance about Lucie, some ghastly -apparition of a dance-figure gone raving mad arose among them. They -advanced, retreated, struck at one another's hands, clutched at one -another's heads, spun round alone, caught one another and spun round -in pairs, until many of them dropped. While those were down, the rest -linked hand in hand, and all spun round together: then the ring broke, -and in separate rings of two and four they turned and turned until they -all stopped at once, began again, struck, clutched, and tore, and then -reversed the spin, and all spun round another way. Suddenly they stopped -again, paused, struck out the time afresh, formed into lines the width -of the public way, and, with their heads low down and their hands high -up, swooped screaming off. No fight could have been half so terrible -as this dance. It was so emphatically a fallen sport--a something, once -innocent, delivered over to all devilry--a healthy pastime changed into -a means of angering the blood, bewildering the senses, and steeling the -heart. Such grace as was visible in it, made it the uglier, showing how -warped and perverted all things good by nature were become. The maidenly -bosom bared to this, the pretty almost-child's head thus distracted, the -delicate foot mincing in this slough of blood and dirt, were types of -the disjointed time. - -This was the Carmagnole. As it passed, leaving Lucie frightened and -bewildered in the doorway of the wood-sawyer's house, the feathery snow -fell as quietly and lay as white and soft, as if it had never been. - -“O my father!” for he stood before her when she lifted up the eyes she -had momentarily darkened with her hand; “such a cruel, bad sight.” - -“I know, my dear, I know. I have seen it many times. Don't be -frightened! Not one of them would harm you.” - -“I am not frightened for myself, my father. But when I think of my -husband, and the mercies of these people--” - -“We will set him above their mercies very soon. I left him climbing to -the window, and I came to tell you. There is no one here to see. You may -kiss your hand towards that highest shelving roof.” - -“I do so, father, and I send him my Soul with it!” - -“You cannot see him, my poor dear?” - -“No, father,” said Lucie, yearning and weeping as she kissed her hand, -“no.” - -A footstep in the snow. Madame Defarge. “I salute you, citizeness,” - from the Doctor. “I salute you, citizen.” This in passing. Nothing more. -Madame Defarge gone, like a shadow over the white road. - -“Give me your arm, my love. Pass from here with an air of cheerfulness -and courage, for his sake. That was well done;” they had left the spot; -“it shall not be in vain. Charles is summoned for to-morrow.” - -“For to-morrow!” - -“There is no time to lose. I am well prepared, but there are precautions -to be taken, that could not be taken until he was actually summoned -before the Tribunal. He has not received the notice yet, but I know -that he will presently be summoned for to-morrow, and removed to the -Conciergerie; I have timely information. You are not afraid?” - -She could scarcely answer, “I trust in you.” - -“Do so, implicitly. Your suspense is nearly ended, my darling; he shall -be restored to you within a few hours; I have encompassed him with every -protection. I must see Lorry.” - -He stopped. There was a heavy lumbering of wheels within hearing. They -both knew too well what it meant. One. Two. Three. Three tumbrils faring -away with their dread loads over the hushing snow. - -“I must see Lorry,” the Doctor repeated, turning her another way. - -The staunch old gentleman was still in his trust; had never left it. He -and his books were in frequent requisition as to property confiscated -and made national. What he could save for the owners, he saved. No -better man living to hold fast by what Tellson's had in keeping, and to -hold his peace. - -A murky red and yellow sky, and a rising mist from the Seine, denoted -the approach of darkness. It was almost dark when they arrived at the -Bank. The stately residence of Monseigneur was altogether blighted and -deserted. Above a heap of dust and ashes in the court, ran the letters: -National Property. Republic One and Indivisible. Liberty, Equality, -Fraternity, or Death! - -Who could that be with Mr. Lorry--the owner of the riding-coat upon the -chair--who must not be seen? From whom newly arrived, did he come out, -agitated and surprised, to take his favourite in his arms? To whom did -he appear to repeat her faltering words, when, raising his voice and -turning his head towards the door of the room from which he had issued, -he said: “Removed to the Conciergerie, and summoned for to-morrow?” - - - - -VI. Triumph - - -The dread tribunal of five Judges, Public Prosecutor, and determined -Jury, sat every day. Their lists went forth every evening, and were -read out by the gaolers of the various prisons to their prisoners. The -standard gaoler-joke was, “Come out and listen to the Evening Paper, you -inside there!” - -“Charles Evremonde, called Darnay!” - -So at last began the Evening Paper at La Force. - -When a name was called, its owner stepped apart into a spot reserved -for those who were announced as being thus fatally recorded. Charles -Evremonde, called Darnay, had reason to know the usage; he had seen -hundreds pass away so. - -His bloated gaoler, who wore spectacles to read with, glanced over them -to assure himself that he had taken his place, and went through the -list, making a similar short pause at each name. There were twenty-three -names, but only twenty were responded to; for one of the prisoners so -summoned had died in gaol and been forgotten, and two had already been -guillotined and forgotten. The list was read, in the vaulted chamber -where Darnay had seen the associated prisoners on the night of his -arrival. Every one of those had perished in the massacre; every human -creature he had since cared for and parted with, had died on the -scaffold. - -There were hurried words of farewell and kindness, but the parting was -soon over. It was the incident of every day, and the society of La Force -were engaged in the preparation of some games of forfeits and a little -concert, for that evening. They crowded to the grates and shed tears -there; but, twenty places in the projected entertainments had to be -refilled, and the time was, at best, short to the lock-up hour, when the -common rooms and corridors would be delivered over to the great dogs -who kept watch there through the night. The prisoners were far from -insensible or unfeeling; their ways arose out of the condition of the -time. Similarly, though with a subtle difference, a species of fervour -or intoxication, known, without doubt, to have led some persons to -brave the guillotine unnecessarily, and to die by it, was not mere -boastfulness, but a wild infection of the wildly shaken public mind. In -seasons of pestilence, some of us will have a secret attraction to the -disease--a terrible passing inclination to die of it. And all of us have -like wonders hidden in our breasts, only needing circumstances to evoke -them. - -The passage to the Conciergerie was short and dark; the night in its -vermin-haunted cells was long and cold. Next day, fifteen prisoners were -put to the bar before Charles Darnay's name was called. All the fifteen -were condemned, and the trials of the whole occupied an hour and a half. - -“Charles Evremonde, called Darnay,” was at length arraigned. - -His judges sat upon the Bench in feathered hats; but the rough red cap -and tricoloured cockade was the head-dress otherwise prevailing. Looking -at the Jury and the turbulent audience, he might have thought that the -usual order of things was reversed, and that the felons were trying the -honest men. The lowest, cruelest, and worst populace of a city, never -without its quantity of low, cruel, and bad, were the directing -spirits of the scene: noisily commenting, applauding, disapproving, -anticipating, and precipitating the result, without a check. Of the men, -the greater part were armed in various ways; of the women, some wore -knives, some daggers, some ate and drank as they looked on, many -knitted. Among these last, was one, with a spare piece of knitting under -her arm as she worked. She was in a front row, by the side of a man whom -he had never seen since his arrival at the Barrier, but whom he directly -remembered as Defarge. He noticed that she once or twice whispered in -his ear, and that she seemed to be his wife; but, what he most noticed -in the two figures was, that although they were posted as close to -himself as they could be, they never looked towards him. They seemed to -be waiting for something with a dogged determination, and they looked at -the Jury, but at nothing else. Under the President sat Doctor Manette, -in his usual quiet dress. As well as the prisoner could see, he and Mr. -Lorry were the only men there, unconnected with the Tribunal, who -wore their usual clothes, and had not assumed the coarse garb of the -Carmagnole. - -Charles Evremonde, called Darnay, was accused by the public prosecutor -as an emigrant, whose life was forfeit to the Republic, under the decree -which banished all emigrants on pain of Death. It was nothing that the -decree bore date since his return to France. There he was, and there was -the decree; he had been taken in France, and his head was demanded. - -“Take off his head!” cried the audience. “An enemy to the Republic!” - -The President rang his bell to silence those cries, and asked the -prisoner whether it was not true that he had lived many years in -England? - -Undoubtedly it was. - -Was he not an emigrant then? What did he call himself? - -Not an emigrant, he hoped, within the sense and spirit of the law. - -Why not? the President desired to know. - -Because he had voluntarily relinquished a title that was distasteful -to him, and a station that was distasteful to him, and had left -his country--he submitted before the word emigrant in the present -acceptation by the Tribunal was in use--to live by his own industry in -England, rather than on the industry of the overladen people of France. - -What proof had he of this? - -He handed in the names of two witnesses; Theophile Gabelle, and -Alexandre Manette. - -But he had married in England? the President reminded him. - -True, but not an English woman. - -A citizeness of France? - -Yes. By birth. - -Her name and family? - -“Lucie Manette, only daughter of Doctor Manette, the good physician who -sits there.” - -This answer had a happy effect upon the audience. Cries in exaltation -of the well-known good physician rent the hall. So capriciously were -the people moved, that tears immediately rolled down several ferocious -countenances which had been glaring at the prisoner a moment before, as -if with impatience to pluck him out into the streets and kill him. - -On these few steps of his dangerous way, Charles Darnay had set his foot -according to Doctor Manette's reiterated instructions. The same cautious -counsel directed every step that lay before him, and had prepared every -inch of his road. - -The President asked, why had he returned to France when he did, and not -sooner? - -He had not returned sooner, he replied, simply because he had no means -of living in France, save those he had resigned; whereas, in England, -he lived by giving instruction in the French language and literature. -He had returned when he did, on the pressing and written entreaty of -a French citizen, who represented that his life was endangered by his -absence. He had come back, to save a citizen's life, and to bear his -testimony, at whatever personal hazard, to the truth. Was that criminal -in the eyes of the Republic? - -The populace cried enthusiastically, “No!” and the President rang his -bell to quiet them. Which it did not, for they continued to cry “No!” - until they left off, of their own will. - -The President required the name of that citizen. The accused explained -that the citizen was his first witness. He also referred with confidence -to the citizen's letter, which had been taken from him at the Barrier, -but which he did not doubt would be found among the papers then before -the President. - -The Doctor had taken care that it should be there--had assured him that -it would be there--and at this stage of the proceedings it was produced -and read. Citizen Gabelle was called to confirm it, and did so. Citizen -Gabelle hinted, with infinite delicacy and politeness, that in the -pressure of business imposed on the Tribunal by the multitude of -enemies of the Republic with which it had to deal, he had been slightly -overlooked in his prison of the Abbaye--in fact, had rather passed out -of the Tribunal's patriotic remembrance--until three days ago; when he -had been summoned before it, and had been set at liberty on the Jury's -declaring themselves satisfied that the accusation against him was -answered, as to himself, by the surrender of the citizen Evremonde, -called Darnay. - -Doctor Manette was next questioned. His high personal popularity, -and the clearness of his answers, made a great impression; but, as he -proceeded, as he showed that the Accused was his first friend on his -release from his long imprisonment; that, the accused had remained in -England, always faithful and devoted to his daughter and himself in -their exile; that, so far from being in favour with the Aristocrat -government there, he had actually been tried for his life by it, as -the foe of England and friend of the United States--as he brought these -circumstances into view, with the greatest discretion and with the -straightforward force of truth and earnestness, the Jury and the -populace became one. At last, when he appealed by name to Monsieur -Lorry, an English gentleman then and there present, who, like himself, -had been a witness on that English trial and could corroborate his -account of it, the Jury declared that they had heard enough, and that -they were ready with their votes if the President were content to -receive them. - -At every vote (the Jurymen voted aloud and individually), the populace -set up a shout of applause. All the voices were in the prisoner's -favour, and the President declared him free. - -Then, began one of those extraordinary scenes with which the populace -sometimes gratified their fickleness, or their better impulses towards -generosity and mercy, or which they regarded as some set-off against -their swollen account of cruel rage. No man can decide now to which of -these motives such extraordinary scenes were referable; it is probable, -to a blending of all the three, with the second predominating. No sooner -was the acquittal pronounced, than tears were shed as freely as blood -at another time, and such fraternal embraces were bestowed upon the -prisoner by as many of both sexes as could rush at him, that after -his long and unwholesome confinement he was in danger of fainting from -exhaustion; none the less because he knew very well, that the very same -people, carried by another current, would have rushed at him with -the very same intensity, to rend him to pieces and strew him over the -streets. - -His removal, to make way for other accused persons who were to be tried, -rescued him from these caresses for the moment. Five were to be tried -together, next, as enemies of the Republic, forasmuch as they had not -assisted it by word or deed. So quick was the Tribunal to compensate -itself and the nation for a chance lost, that these five came down to -him before he left the place, condemned to die within twenty-four -hours. The first of them told him so, with the customary prison sign -of Death--a raised finger--and they all added in words, “Long live the -Republic!” - -The five had had, it is true, no audience to lengthen their proceedings, -for when he and Doctor Manette emerged from the gate, there was a great -crowd about it, in which there seemed to be every face he had seen in -Court--except two, for which he looked in vain. On his coming out, the -concourse made at him anew, weeping, embracing, and shouting, all by -turns and all together, until the very tide of the river on the bank of -which the mad scene was acted, seemed to run mad, like the people on the -shore. - -They put him into a great chair they had among them, and which they had -taken either out of the Court itself, or one of its rooms or passages. -Over the chair they had thrown a red flag, and to the back of it they -had bound a pike with a red cap on its top. In this car of triumph, not -even the Doctor's entreaties could prevent his being carried to his home -on men's shoulders, with a confused sea of red caps heaving about him, -and casting up to sight from the stormy deep such wrecks of faces, that -he more than once misdoubted his mind being in confusion, and that he -was in the tumbril on his way to the Guillotine. - -In wild dreamlike procession, embracing whom they met and pointing -him out, they carried him on. Reddening the snowy streets with the -prevailing Republican colour, in winding and tramping through them, as -they had reddened them below the snow with a deeper dye, they carried -him thus into the courtyard of the building where he lived. Her father -had gone on before, to prepare her, and when her husband stood upon his -feet, she dropped insensible in his arms. - -As he held her to his heart and turned her beautiful head between his -face and the brawling crowd, so that his tears and her lips might come -together unseen, a few of the people fell to dancing. Instantly, all the -rest fell to dancing, and the courtyard overflowed with the Carmagnole. -Then, they elevated into the vacant chair a young woman from the -crowd to be carried as the Goddess of Liberty, and then swelling and -overflowing out into the adjacent streets, and along the river's bank, -and over the bridge, the Carmagnole absorbed them every one and whirled -them away. - -After grasping the Doctor's hand, as he stood victorious and proud -before him; after grasping the hand of Mr. Lorry, who came panting in -breathless from his struggle against the waterspout of the Carmagnole; -after kissing little Lucie, who was lifted up to clasp her arms round -his neck; and after embracing the ever zealous and faithful Pross who -lifted her; he took his wife in his arms, and carried her up to their -rooms. - -“Lucie! My own! I am safe.” - -“O dearest Charles, let me thank God for this on my knees as I have -prayed to Him.” - -They all reverently bowed their heads and hearts. When she was again in -his arms, he said to her: - -“And now speak to your father, dearest. No other man in all this France -could have done what he has done for me.” - -She laid her head upon her father's breast, as she had laid his poor -head on her own breast, long, long ago. He was happy in the return he -had made her, he was recompensed for his suffering, he was proud of his -strength. “You must not be weak, my darling,” he remonstrated; “don't -tremble so. I have saved him.” - - - - -VII. A Knock at the Door - - -“I have saved him.” It was not another of the dreams in which he had -often come back; he was really here. And yet his wife trembled, and a -vague but heavy fear was upon her. - -All the air round was so thick and dark, the people were so passionately -revengeful and fitful, the innocent were so constantly put to death on -vague suspicion and black malice, it was so impossible to forget that -many as blameless as her husband and as dear to others as he was to -her, every day shared the fate from which he had been clutched, that her -heart could not be as lightened of its load as she felt it ought to be. -The shadows of the wintry afternoon were beginning to fall, and even now -the dreadful carts were rolling through the streets. Her mind pursued -them, looking for him among the Condemned; and then she clung closer to -his real presence and trembled more. - -Her father, cheering her, showed a compassionate superiority to this -woman's weakness, which was wonderful to see. No garret, no shoemaking, -no One Hundred and Five, North Tower, now! He had accomplished the task -he had set himself, his promise was redeemed, he had saved Charles. Let -them all lean upon him. - -Their housekeeping was of a very frugal kind: not only because that was -the safest way of life, involving the least offence to the people, but -because they were not rich, and Charles, throughout his imprisonment, -had had to pay heavily for his bad food, and for his guard, and towards -the living of the poorer prisoners. Partly on this account, and -partly to avoid a domestic spy, they kept no servant; the citizen and -citizeness who acted as porters at the courtyard gate, rendered them -occasional service; and Jerry (almost wholly transferred to them by -Mr. Lorry) had become their daily retainer, and had his bed there every -night. - -It was an ordinance of the Republic One and Indivisible of Liberty, -Equality, Fraternity, or Death, that on the door or doorpost of every -house, the name of every inmate must be legibly inscribed in letters -of a certain size, at a certain convenient height from the ground. Mr. -Jerry Cruncher's name, therefore, duly embellished the doorpost down -below; and, as the afternoon shadows deepened, the owner of that name -himself appeared, from overlooking a painter whom Doctor Manette had -employed to add to the list the name of Charles Evremonde, called -Darnay. - -In the universal fear and distrust that darkened the time, all the usual -harmless ways of life were changed. In the Doctor's little household, as -in very many others, the articles of daily consumption that were wanted -were purchased every evening, in small quantities and at various small -shops. To avoid attracting notice, and to give as little occasion as -possible for talk and envy, was the general desire. - -For some months past, Miss Pross and Mr. Cruncher had discharged the -office of purveyors; the former carrying the money; the latter, the -basket. Every afternoon at about the time when the public lamps were -lighted, they fared forth on this duty, and made and brought home -such purchases as were needful. Although Miss Pross, through her long -association with a French family, might have known as much of their -language as of her own, if she had had a mind, she had no mind in that -direction; consequently she knew no more of that “nonsense” (as she was -pleased to call it) than Mr. Cruncher did. So her manner of marketing -was to plump a noun-substantive at the head of a shopkeeper without any -introduction in the nature of an article, and, if it happened not to be -the name of the thing she wanted, to look round for that thing, lay hold -of it, and hold on by it until the bargain was concluded. She always -made a bargain for it, by holding up, as a statement of its just price, -one finger less than the merchant held up, whatever his number might be. - -“Now, Mr. Cruncher,” said Miss Pross, whose eyes were red with felicity; -“if you are ready, I am.” - -Jerry hoarsely professed himself at Miss Pross's service. He had worn -all his rust off long ago, but nothing would file his spiky head down. - -“There's all manner of things wanted,” said Miss Pross, “and we shall -have a precious time of it. We want wine, among the rest. Nice toasts -these Redheads will be drinking, wherever we buy it.” - -“It will be much the same to your knowledge, miss, I should think,” - retorted Jerry, “whether they drink your health or the Old Un's.” - -“Who's he?” said Miss Pross. - -Mr. Cruncher, with some diffidence, explained himself as meaning “Old -Nick's.” - -“Ha!” said Miss Pross, “it doesn't need an interpreter to explain the -meaning of these creatures. They have but one, and it's Midnight Murder, -and Mischief.” - -“Hush, dear! Pray, pray, be cautious!” cried Lucie. - -“Yes, yes, yes, I'll be cautious,” said Miss Pross; “but I may say -among ourselves, that I do hope there will be no oniony and tobaccoey -smotherings in the form of embracings all round, going on in the -streets. Now, Ladybird, never you stir from that fire till I come back! -Take care of the dear husband you have recovered, and don't move your -pretty head from his shoulder as you have it now, till you see me again! -May I ask a question, Doctor Manette, before I go?” - -“I think you may take that liberty,” the Doctor answered, smiling. - -“For gracious sake, don't talk about Liberty; we have quite enough of -that,” said Miss Pross. - -“Hush, dear! Again?” Lucie remonstrated. - -“Well, my sweet,” said Miss Pross, nodding her head emphatically, “the -short and the long of it is, that I am a subject of His Most Gracious -Majesty King George the Third;” Miss Pross curtseyed at the name; “and -as such, my maxim is, Confound their politics, Frustrate their knavish -tricks, On him our hopes we fix, God save the King!” - -Mr. Cruncher, in an access of loyalty, growlingly repeated the words -after Miss Pross, like somebody at church. - -“I am glad you have so much of the Englishman in you, though I wish you -had never taken that cold in your voice,” said Miss Pross, approvingly. -“But the question, Doctor Manette. Is there”--it was the good creature's -way to affect to make light of anything that was a great anxiety -with them all, and to come at it in this chance manner--“is there any -prospect yet, of our getting out of this place?” - -“I fear not yet. It would be dangerous for Charles yet.” - -“Heigh-ho-hum!” said Miss Pross, cheerfully repressing a sigh as she -glanced at her darling's golden hair in the light of the fire, “then we -must have patience and wait: that's all. We must hold up our heads and -fight low, as my brother Solomon used to say. Now, Mr. Cruncher!--Don't -you move, Ladybird!” - -They went out, leaving Lucie, and her husband, her father, and the -child, by a bright fire. Mr. Lorry was expected back presently from the -Banking House. Miss Pross had lighted the lamp, but had put it aside in -a corner, that they might enjoy the fire-light undisturbed. Little Lucie -sat by her grandfather with her hands clasped through his arm: and he, -in a tone not rising much above a whisper, began to tell her a story of -a great and powerful Fairy who had opened a prison-wall and let out -a captive who had once done the Fairy a service. All was subdued and -quiet, and Lucie was more at ease than she had been. - -“What is that?” she cried, all at once. - -“My dear!” said her father, stopping in his story, and laying his hand -on hers, “command yourself. What a disordered state you are in! The -least thing--nothing--startles you! _You_, your father's daughter!” - -“I thought, my father,” said Lucie, excusing herself, with a pale face -and in a faltering voice, “that I heard strange feet upon the stairs.” - -“My love, the staircase is as still as Death.” - -As he said the word, a blow was struck upon the door. - -“Oh father, father. What can this be! Hide Charles. Save him!” - -“My child,” said the Doctor, rising, and laying his hand upon her -shoulder, “I _have_ saved him. What weakness is this, my dear! Let me go -to the door.” - -He took the lamp in his hand, crossed the two intervening outer rooms, -and opened it. A rude clattering of feet over the floor, and four rough -men in red caps, armed with sabres and pistols, entered the room. - -“The Citizen Evremonde, called Darnay,” said the first. - -“Who seeks him?” answered Darnay. - -“I seek him. We seek him. I know you, Evremonde; I saw you before the -Tribunal to-day. You are again the prisoner of the Republic.” - -The four surrounded him, where he stood with his wife and child clinging -to him. - -“Tell me how and why am I again a prisoner?” - -“It is enough that you return straight to the Conciergerie, and will -know to-morrow. You are summoned for to-morrow.” - -Doctor Manette, whom this visitation had so turned into stone, that he -stood with the lamp in his hand, as if he were a statue made to hold it, -moved after these words were spoken, put the lamp down, and confronting -the speaker, and taking him, not ungently, by the loose front of his red -woollen shirt, said: - -“You know him, you have said. Do you know me?” - -“Yes, I know you, Citizen Doctor.” - -“We all know you, Citizen Doctor,” said the other three. - -He looked abstractedly from one to another, and said, in a lower voice, -after a pause: - -“Will you answer his question to me then? How does this happen?” - -“Citizen Doctor,” said the first, reluctantly, “he has been denounced to -the Section of Saint Antoine. This citizen,” pointing out the second who -had entered, “is from Saint Antoine.” - -The citizen here indicated nodded his head, and added: - -“He is accused by Saint Antoine.” - -“Of what?” asked the Doctor. - -“Citizen Doctor,” said the first, with his former reluctance, “ask no -more. If the Republic demands sacrifices from you, without doubt you as -a good patriot will be happy to make them. The Republic goes before all. -The People is supreme. Evremonde, we are pressed.” - -“One word,” the Doctor entreated. “Will you tell me who denounced him?” - -“It is against rule,” answered the first; “but you can ask Him of Saint -Antoine here.” - -The Doctor turned his eyes upon that man. Who moved uneasily on his -feet, rubbed his beard a little, and at length said: - -“Well! Truly it is against rule. But he is denounced--and gravely--by -the Citizen and Citizeness Defarge. And by one other.” - -“What other?” - -“Do _you_ ask, Citizen Doctor?” - -“Yes.” - -“Then,” said he of Saint Antoine, with a strange look, “you will be -answered to-morrow. Now, I am dumb!” - - - - -VIII. A Hand at Cards - - -Happily unconscious of the new calamity at home, Miss Pross threaded her -way along the narrow streets and crossed the river by the bridge of the -Pont-Neuf, reckoning in her mind the number of indispensable purchases -she had to make. Mr. Cruncher, with the basket, walked at her side. They -both looked to the right and to the left into most of the shops they -passed, had a wary eye for all gregarious assemblages of people, and -turned out of their road to avoid any very excited group of talkers. It -was a raw evening, and the misty river, blurred to the eye with blazing -lights and to the ear with harsh noises, showed where the barges were -stationed in which the smiths worked, making guns for the Army of the -Republic. Woe to the man who played tricks with _that_ Army, or got -undeserved promotion in it! Better for him that his beard had never -grown, for the National Razor shaved him close. - -Having purchased a few small articles of grocery, and a measure of oil -for the lamp, Miss Pross bethought herself of the wine they wanted. -After peeping into several wine-shops, she stopped at the sign of the -Good Republican Brutus of Antiquity, not far from the National Palace, -once (and twice) the Tuileries, where the aspect of things rather -took her fancy. It had a quieter look than any other place of the same -description they had passed, and, though red with patriotic caps, was -not so red as the rest. Sounding Mr. Cruncher, and finding him of her -opinion, Miss Pross resorted to the Good Republican Brutus of Antiquity, -attended by her cavalier. - -Slightly observant of the smoky lights; of the people, pipe in mouth, -playing with limp cards and yellow dominoes; of the one bare-breasted, -bare-armed, soot-begrimed workman reading a journal aloud, and of -the others listening to him; of the weapons worn, or laid aside to be -resumed; of the two or three customers fallen forward asleep, who in the -popular high-shouldered shaggy black spencer looked, in that attitude, -like slumbering bears or dogs; the two outlandish customers approached -the counter, and showed what they wanted. - -As their wine was measuring out, a man parted from another man in a -corner, and rose to depart. In going, he had to face Miss Pross. No -sooner did he face her, than Miss Pross uttered a scream, and clapped -her hands. - -In a moment, the whole company were on their feet. That somebody was -assassinated by somebody vindicating a difference of opinion was the -likeliest occurrence. Everybody looked to see somebody fall, but only -saw a man and a woman standing staring at each other; the man with all -the outward aspect of a Frenchman and a thorough Republican; the woman, -evidently English. - -What was said in this disappointing anti-climax, by the disciples of the -Good Republican Brutus of Antiquity, except that it was something very -voluble and loud, would have been as so much Hebrew or Chaldean to Miss -Pross and her protector, though they had been all ears. But, they had no -ears for anything in their surprise. For, it must be recorded, that -not only was Miss Pross lost in amazement and agitation, but, -Mr. Cruncher--though it seemed on his own separate and individual -account--was in a state of the greatest wonder. - -“What is the matter?” said the man who had caused Miss Pross to scream; -speaking in a vexed, abrupt voice (though in a low tone), and in -English. - -“Oh, Solomon, dear Solomon!” cried Miss Pross, clapping her hands again. -“After not setting eyes upon you or hearing of you for so long a time, -do I find you here!” - -“Don't call me Solomon. Do you want to be the death of me?” asked the -man, in a furtive, frightened way. - -“Brother, brother!” cried Miss Pross, bursting into tears. “Have I ever -been so hard with you that you ask me such a cruel question?” - -“Then hold your meddlesome tongue,” said Solomon, “and come out, if you -want to speak to me. Pay for your wine, and come out. Who's this man?” - -Miss Pross, shaking her loving and dejected head at her by no means -affectionate brother, said through her tears, “Mr. Cruncher.” - -“Let him come out too,” said Solomon. “Does he think me a ghost?” - -Apparently, Mr. Cruncher did, to judge from his looks. He said not a -word, however, and Miss Pross, exploring the depths of her reticule -through her tears with great difficulty paid for her wine. As she did -so, Solomon turned to the followers of the Good Republican Brutus -of Antiquity, and offered a few words of explanation in the French -language, which caused them all to relapse into their former places and -pursuits. - -“Now,” said Solomon, stopping at the dark street corner, “what do you -want?” - -“How dreadfully unkind in a brother nothing has ever turned my love away -from!” cried Miss Pross, “to give me such a greeting, and show me no -affection.” - -“There. Confound it! There,” said Solomon, making a dab at Miss Pross's -lips with his own. “Now are you content?” - -Miss Pross only shook her head and wept in silence. - -“If you expect me to be surprised,” said her brother Solomon, “I am not -surprised; I knew you were here; I know of most people who are here. If -you really don't want to endanger my existence--which I half believe you -do--go your ways as soon as possible, and let me go mine. I am busy. I -am an official.” - -“My English brother Solomon,” mourned Miss Pross, casting up her -tear-fraught eyes, “that had the makings in him of one of the best and -greatest of men in his native country, an official among foreigners, and -such foreigners! I would almost sooner have seen the dear boy lying in -his--” - -“I said so!” cried her brother, interrupting. “I knew it. You want to be -the death of me. I shall be rendered Suspected, by my own sister. Just -as I am getting on!” - -“The gracious and merciful Heavens forbid!” cried Miss Pross. “Far -rather would I never see you again, dear Solomon, though I have ever -loved you truly, and ever shall. Say but one affectionate word to me, -and tell me there is nothing angry or estranged between us, and I will -detain you no longer.” - -Good Miss Pross! As if the estrangement between them had come of any -culpability of hers. As if Mr. Lorry had not known it for a fact, years -ago, in the quiet corner in Soho, that this precious brother had spent -her money and left her! - -He was saying the affectionate word, however, with a far more grudging -condescension and patronage than he could have shown if their relative -merits and positions had been reversed (which is invariably the case, -all the world over), when Mr. Cruncher, touching him on the shoulder, -hoarsely and unexpectedly interposed with the following singular -question: - -“I say! Might I ask the favour? As to whether your name is John Solomon, -or Solomon John?” - -The official turned towards him with sudden distrust. He had not -previously uttered a word. - -“Come!” said Mr. Cruncher. “Speak out, you know.” (Which, by the way, -was more than he could do himself.) “John Solomon, or Solomon John? She -calls you Solomon, and she must know, being your sister. And _I_ know -you're John, you know. Which of the two goes first? And regarding that -name of Pross, likewise. That warn't your name over the water.” - -“What do you mean?” - -“Well, I don't know all I mean, for I can't call to mind what your name -was, over the water.” - -“No?” - -“No. But I'll swear it was a name of two syllables.” - -“Indeed?” - -“Yes. T'other one's was one syllable. I know you. You was a spy--witness -at the Bailey. What, in the name of the Father of Lies, own father to -yourself, was you called at that time?” - -“Barsad,” said another voice, striking in. - -“That's the name for a thousand pound!” cried Jerry. - -The speaker who struck in, was Sydney Carton. He had his hands behind -him under the skirts of his riding-coat, and he stood at Mr. Cruncher's -elbow as negligently as he might have stood at the Old Bailey itself. - -“Don't be alarmed, my dear Miss Pross. I arrived at Mr. Lorry's, to his -surprise, yesterday evening; we agreed that I would not present myself -elsewhere until all was well, or unless I could be useful; I present -myself here, to beg a little talk with your brother. I wish you had a -better employed brother than Mr. Barsad. I wish for your sake Mr. Barsad -was not a Sheep of the Prisons.” - -Sheep was a cant word of the time for a spy, under the gaolers. The spy, -who was pale, turned paler, and asked him how he dared-- - -“I'll tell you,” said Sydney. “I lighted on you, Mr. Barsad, coming out -of the prison of the Conciergerie while I was contemplating the walls, -an hour or more ago. You have a face to be remembered, and I remember -faces well. Made curious by seeing you in that connection, and having -a reason, to which you are no stranger, for associating you with -the misfortunes of a friend now very unfortunate, I walked in your -direction. I walked into the wine-shop here, close after you, and -sat near you. I had no difficulty in deducing from your unreserved -conversation, and the rumour openly going about among your admirers, the -nature of your calling. And gradually, what I had done at random, seemed -to shape itself into a purpose, Mr. Barsad.” - -“What purpose?” the spy asked. - -“It would be troublesome, and might be dangerous, to explain in the -street. Could you favour me, in confidence, with some minutes of your -company--at the office of Tellson's Bank, for instance?” - -“Under a threat?” - -“Oh! Did I say that?” - -“Then, why should I go there?” - -“Really, Mr. Barsad, I can't say, if you can't.” - -“Do you mean that you won't say, sir?” the spy irresolutely asked. - -“You apprehend me very clearly, Mr. Barsad. I won't.” - -Carton's negligent recklessness of manner came powerfully in aid of his -quickness and skill, in such a business as he had in his secret mind, -and with such a man as he had to do with. His practised eye saw it, and -made the most of it. - -“Now, I told you so,” said the spy, casting a reproachful look at his -sister; “if any trouble comes of this, it's your doing.” - -“Come, come, Mr. Barsad!” exclaimed Sydney. “Don't be ungrateful. -But for my great respect for your sister, I might not have led up so -pleasantly to a little proposal that I wish to make for our mutual -satisfaction. Do you go with me to the Bank?” - -“I'll hear what you have got to say. Yes, I'll go with you.” - -“I propose that we first conduct your sister safely to the corner of her -own street. Let me take your arm, Miss Pross. This is not a good city, -at this time, for you to be out in, unprotected; and as your escort -knows Mr. Barsad, I will invite him to Mr. Lorry's with us. Are we -ready? Come then!” - -Miss Pross recalled soon afterwards, and to the end of her life -remembered, that as she pressed her hands on Sydney's arm and looked up -in his face, imploring him to do no hurt to Solomon, there was a braced -purpose in the arm and a kind of inspiration in the eyes, which not only -contradicted his light manner, but changed and raised the man. She was -too much occupied then with fears for the brother who so little deserved -her affection, and with Sydney's friendly reassurances, adequately to -heed what she observed. - -They left her at the corner of the street, and Carton led the way to Mr. -Lorry's, which was within a few minutes' walk. John Barsad, or Solomon -Pross, walked at his side. - -Mr. Lorry had just finished his dinner, and was sitting before a cheery -little log or two of fire--perhaps looking into their blaze for the -picture of that younger elderly gentleman from Tellson's, who had looked -into the red coals at the Royal George at Dover, now a good many years -ago. He turned his head as they entered, and showed the surprise with -which he saw a stranger. - -“Miss Pross's brother, sir,” said Sydney. “Mr. Barsad.” - -“Barsad?” repeated the old gentleman, “Barsad? I have an association -with the name--and with the face.” - -“I told you you had a remarkable face, Mr. Barsad,” observed Carton, -coolly. “Pray sit down.” - -As he took a chair himself, he supplied the link that Mr. Lorry wanted, -by saying to him with a frown, “Witness at that trial.” Mr. Lorry -immediately remembered, and regarded his new visitor with an undisguised -look of abhorrence. - -“Mr. Barsad has been recognised by Miss Pross as the affectionate -brother you have heard of,” said Sydney, “and has acknowledged the -relationship. I pass to worse news. Darnay has been arrested again.” - -Struck with consternation, the old gentleman exclaimed, “What do you -tell me! I left him safe and free within these two hours, and am about -to return to him!” - -“Arrested for all that. When was it done, Mr. Barsad?” - -“Just now, if at all.” - -“Mr. Barsad is the best authority possible, sir,” said Sydney, “and I -have it from Mr. Barsad's communication to a friend and brother Sheep -over a bottle of wine, that the arrest has taken place. He left the -messengers at the gate, and saw them admitted by the porter. There is no -earthly doubt that he is retaken.” - -Mr. Lorry's business eye read in the speaker's face that it was loss -of time to dwell upon the point. Confused, but sensible that something -might depend on his presence of mind, he commanded himself, and was -silently attentive. - -“Now, I trust,” said Sydney to him, “that the name and influence of -Doctor Manette may stand him in as good stead to-morrow--you said he -would be before the Tribunal again to-morrow, Mr. Barsad?--” - -“Yes; I believe so.” - -“--In as good stead to-morrow as to-day. But it may not be so. I own -to you, I am shaken, Mr. Lorry, by Doctor Manette's not having had the -power to prevent this arrest.” - -“He may not have known of it beforehand,” said Mr. Lorry. - -“But that very circumstance would be alarming, when we remember how -identified he is with his son-in-law.” - -“That's true,” Mr. Lorry acknowledged, with his troubled hand at his -chin, and his troubled eyes on Carton. - -“In short,” said Sydney, “this is a desperate time, when desperate games -are played for desperate stakes. Let the Doctor play the winning game; I -will play the losing one. No man's life here is worth purchase. Any one -carried home by the people to-day, may be condemned tomorrow. Now, the -stake I have resolved to play for, in case of the worst, is a friend -in the Conciergerie. And the friend I purpose to myself to win, is Mr. -Barsad.” - -“You need have good cards, sir,” said the spy. - -“I'll run them over. I'll see what I hold,--Mr. Lorry, you know what a -brute I am; I wish you'd give me a little brandy.” - -It was put before him, and he drank off a glassful--drank off another -glassful--pushed the bottle thoughtfully away. - -“Mr. Barsad,” he went on, in the tone of one who really was looking -over a hand at cards: “Sheep of the prisons, emissary of Republican -committees, now turnkey, now prisoner, always spy and secret informer, -so much the more valuable here for being English that an Englishman -is less open to suspicion of subornation in those characters than a -Frenchman, represents himself to his employers under a false name. -That's a very good card. Mr. Barsad, now in the employ of the republican -French government, was formerly in the employ of the aristocratic -English government, the enemy of France and freedom. That's an excellent -card. Inference clear as day in this region of suspicion, that Mr. -Barsad, still in the pay of the aristocratic English government, is the -spy of Pitt, the treacherous foe of the Republic crouching in its bosom, -the English traitor and agent of all mischief so much spoken of and so -difficult to find. That's a card not to be beaten. Have you followed my -hand, Mr. Barsad?” - -“Not to understand your play,” returned the spy, somewhat uneasily. - -“I play my Ace, Denunciation of Mr. Barsad to the nearest Section -Committee. Look over your hand, Mr. Barsad, and see what you have. Don't -hurry.” - -He drew the bottle near, poured out another glassful of brandy, and -drank it off. He saw that the spy was fearful of his drinking himself -into a fit state for the immediate denunciation of him. Seeing it, he -poured out and drank another glassful. - -“Look over your hand carefully, Mr. Barsad. Take time.” - -It was a poorer hand than he suspected. Mr. Barsad saw losing cards -in it that Sydney Carton knew nothing of. Thrown out of his honourable -employment in England, through too much unsuccessful hard swearing -there--not because he was not wanted there; our English reasons for -vaunting our superiority to secrecy and spies are of very modern -date--he knew that he had crossed the Channel, and accepted service in -France: first, as a tempter and an eavesdropper among his own countrymen -there: gradually, as a tempter and an eavesdropper among the natives. He -knew that under the overthrown government he had been a spy upon Saint -Antoine and Defarge's wine-shop; had received from the watchful police -such heads of information concerning Doctor Manette's imprisonment, -release, and history, as should serve him for an introduction to -familiar conversation with the Defarges; and tried them on Madame -Defarge, and had broken down with them signally. He always remembered -with fear and trembling, that that terrible woman had knitted when he -talked with her, and had looked ominously at him as her fingers moved. -He had since seen her, in the Section of Saint Antoine, over and over -again produce her knitted registers, and denounce people whose lives the -guillotine then surely swallowed up. He knew, as every one employed as -he was did, that he was never safe; that flight was impossible; that -he was tied fast under the shadow of the axe; and that in spite of -his utmost tergiversation and treachery in furtherance of the reigning -terror, a word might bring it down upon him. Once denounced, and on such -grave grounds as had just now been suggested to his mind, he foresaw -that the dreadful woman of whose unrelenting character he had seen many -proofs, would produce against him that fatal register, and would quash -his last chance of life. Besides that all secret men are men soon -terrified, here were surely cards enough of one black suit, to justify -the holder in growing rather livid as he turned them over. - -“You scarcely seem to like your hand,” said Sydney, with the greatest -composure. “Do you play?” - -“I think, sir,” said the spy, in the meanest manner, as he turned to Mr. -Lorry, “I may appeal to a gentleman of your years and benevolence, to -put it to this other gentleman, so much your junior, whether he can -under any circumstances reconcile it to his station to play that Ace -of which he has spoken. I admit that _I_ am a spy, and that it is -considered a discreditable station--though it must be filled by -somebody; but this gentleman is no spy, and why should he so demean -himself as to make himself one?” - -“I play my Ace, Mr. Barsad,” said Carton, taking the answer on himself, -and looking at his watch, “without any scruple, in a very few minutes.” - -“I should have hoped, gentlemen both,” said the spy, always striving to -hook Mr. Lorry into the discussion, “that your respect for my sister--” - -“I could not better testify my respect for your sister than by finally -relieving her of her brother,” said Sydney Carton. - -“You think not, sir?” - -“I have thoroughly made up my mind about it.” - -The smooth manner of the spy, curiously in dissonance with his -ostentatiously rough dress, and probably with his usual demeanour, -received such a check from the inscrutability of Carton,--who was a -mystery to wiser and honester men than he,--that it faltered here and -failed him. While he was at a loss, Carton said, resuming his former air -of contemplating cards: - -“And indeed, now I think again, I have a strong impression that I -have another good card here, not yet enumerated. That friend and -fellow-Sheep, who spoke of himself as pasturing in the country prisons; -who was he?” - -“French. You don't know him,” said the spy, quickly. - -“French, eh?” repeated Carton, musing, and not appearing to notice him -at all, though he echoed his word. “Well; he may be.” - -“Is, I assure you,” said the spy; “though it's not important.” - -“Though it's not important,” repeated Carton, in the same mechanical -way--“though it's not important--No, it's not important. No. Yet I know -the face.” - -“I think not. I am sure not. It can't be,” said the spy. - -“It-can't-be,” muttered Sydney Carton, retrospectively, and idling his -glass (which fortunately was a small one) again. “Can't-be. Spoke good -French. Yet like a foreigner, I thought?” - -“Provincial,” said the spy. - -“No. Foreign!” cried Carton, striking his open hand on the table, as a -light broke clearly on his mind. “Cly! Disguised, but the same man. We -had that man before us at the Old Bailey.” - -“Now, there you are hasty, sir,” said Barsad, with a smile that gave his -aquiline nose an extra inclination to one side; “there you really give -me an advantage over you. Cly (who I will unreservedly admit, at this -distance of time, was a partner of mine) has been dead several years. I -attended him in his last illness. He was buried in London, at the church -of Saint Pancras-in-the-Fields. His unpopularity with the blackguard -multitude at the moment prevented my following his remains, but I helped -to lay him in his coffin.” - -Here, Mr. Lorry became aware, from where he sat, of a most remarkable -goblin shadow on the wall. Tracing it to its source, he discovered it -to be caused by a sudden extraordinary rising and stiffening of all the -risen and stiff hair on Mr. Cruncher's head. - -“Let us be reasonable,” said the spy, “and let us be fair. To show you -how mistaken you are, and what an unfounded assumption yours is, I will -lay before you a certificate of Cly's burial, which I happened to have -carried in my pocket-book,” with a hurried hand he produced and opened -it, “ever since. There it is. Oh, look at it, look at it! You may take -it in your hand; it's no forgery.” - -Here, Mr. Lorry perceived the reflection on the wall to elongate, and -Mr. Cruncher rose and stepped forward. His hair could not have been more -violently on end, if it had been that moment dressed by the Cow with the -crumpled horn in the house that Jack built. - -Unseen by the spy, Mr. Cruncher stood at his side, and touched him on -the shoulder like a ghostly bailiff. - -“That there Roger Cly, master,” said Mr. Cruncher, with a taciturn and -iron-bound visage. “So _you_ put him in his coffin?” - -“I did.” - -“Who took him out of it?” - -Barsad leaned back in his chair, and stammered, “What do you mean?” - -“I mean,” said Mr. Cruncher, “that he warn't never in it. No! Not he! -I'll have my head took off, if he was ever in it.” - -The spy looked round at the two gentlemen; they both looked in -unspeakable astonishment at Jerry. - -“I tell you,” said Jerry, “that you buried paving-stones and earth in -that there coffin. Don't go and tell me that you buried Cly. It was a -take in. Me and two more knows it.” - -“How do you know it?” - -“What's that to you? Ecod!” growled Mr. Cruncher, “it's you I have got a -old grudge again, is it, with your shameful impositions upon tradesmen! -I'd catch hold of your throat and choke you for half a guinea.” - -Sydney Carton, who, with Mr. Lorry, had been lost in amazement at -this turn of the business, here requested Mr. Cruncher to moderate and -explain himself. - -“At another time, sir,” he returned, evasively, “the present time is -ill-conwenient for explainin'. What I stand to, is, that he knows well -wot that there Cly was never in that there coffin. Let him say he was, -in so much as a word of one syllable, and I'll either catch hold of his -throat and choke him for half a guinea;” Mr. Cruncher dwelt upon this as -quite a liberal offer; “or I'll out and announce him.” - -“Humph! I see one thing,” said Carton. “I hold another card, Mr. Barsad. -Impossible, here in raging Paris, with Suspicion filling the air, for -you to outlive denunciation, when you are in communication with another -aristocratic spy of the same antecedents as yourself, who, moreover, has -the mystery about him of having feigned death and come to life again! -A plot in the prisons, of the foreigner against the Republic. A strong -card--a certain Guillotine card! Do you play?” - -“No!” returned the spy. “I throw up. I confess that we were so unpopular -with the outrageous mob, that I only got away from England at the risk -of being ducked to death, and that Cly was so ferreted up and down, that -he never would have got away at all but for that sham. Though how this -man knows it was a sham, is a wonder of wonders to me.” - -“Never you trouble your head about this man,” retorted the contentious -Mr. Cruncher; “you'll have trouble enough with giving your attention to -that gentleman. And look here! Once more!”--Mr. Cruncher could not -be restrained from making rather an ostentatious parade of his -liberality--“I'd catch hold of your throat and choke you for half a -guinea.” - -The Sheep of the prisons turned from him to Sydney Carton, and said, -with more decision, “It has come to a point. I go on duty soon, and -can't overstay my time. You told me you had a proposal; what is it? -Now, it is of no use asking too much of me. Ask me to do anything in my -office, putting my head in great extra danger, and I had better trust my -life to the chances of a refusal than the chances of consent. In short, -I should make that choice. You talk of desperation. We are all desperate -here. Remember! I may denounce you if I think proper, and I can swear my -way through stone walls, and so can others. Now, what do you want with -me?” - -“Not very much. You are a turnkey at the Conciergerie?” - -“I tell you once for all, there is no such thing as an escape possible,” - said the spy, firmly. - -“Why need you tell me what I have not asked? You are a turnkey at the -Conciergerie?” - -“I am sometimes.” - -“You can be when you choose?” - -“I can pass in and out when I choose.” - -Sydney Carton filled another glass with brandy, poured it slowly out -upon the hearth, and watched it as it dropped. It being all spent, he -said, rising: - -“So far, we have spoken before these two, because it was as well that -the merits of the cards should not rest solely between you and me. Come -into the dark room here, and let us have one final word alone.” - - - - -IX. The Game Made - - -While Sydney Carton and the Sheep of the prisons were in the adjoining -dark room, speaking so low that not a sound was heard, Mr. Lorry looked -at Jerry in considerable doubt and mistrust. That honest tradesman's -manner of receiving the look, did not inspire confidence; he changed the -leg on which he rested, as often as if he had fifty of those limbs, -and were trying them all; he examined his finger-nails with a very -questionable closeness of attention; and whenever Mr. Lorry's eye caught -his, he was taken with that peculiar kind of short cough requiring the -hollow of a hand before it, which is seldom, if ever, known to be an -infirmity attendant on perfect openness of character. - -“Jerry,” said Mr. Lorry. “Come here.” - -Mr. Cruncher came forward sideways, with one of his shoulders in advance -of him. - -“What have you been, besides a messenger?” - -After some cogitation, accompanied with an intent look at his patron, -Mr. Cruncher conceived the luminous idea of replying, “Agicultooral -character.” - -“My mind misgives me much,” said Mr. Lorry, angrily shaking a forefinger -at him, “that you have used the respectable and great house of Tellson's -as a blind, and that you have had an unlawful occupation of an infamous -description. If you have, don't expect me to befriend you when you -get back to England. If you have, don't expect me to keep your secret. -Tellson's shall not be imposed upon.” - -“I hope, sir,” pleaded the abashed Mr. Cruncher, “that a gentleman like -yourself wot I've had the honour of odd jobbing till I'm grey at it, -would think twice about harming of me, even if it wos so--I don't say it -is, but even if it wos. And which it is to be took into account that if -it wos, it wouldn't, even then, be all o' one side. There'd be two sides -to it. There might be medical doctors at the present hour, a picking -up their guineas where a honest tradesman don't pick up his -fardens--fardens! no, nor yet his half fardens--half fardens! no, nor -yet his quarter--a banking away like smoke at Tellson's, and a cocking -their medical eyes at that tradesman on the sly, a going in and going -out to their own carriages--ah! equally like smoke, if not more so. -Well, that 'ud be imposing, too, on Tellson's. For you cannot sarse the -goose and not the gander. And here's Mrs. Cruncher, or leastways wos -in the Old England times, and would be to-morrow, if cause given, -a floppin' again the business to that degree as is ruinating--stark -ruinating! Whereas them medical doctors' wives don't flop--catch 'em at -it! Or, if they flop, their floppings goes in favour of more patients, -and how can you rightly have one without t'other? Then, wot with -undertakers, and wot with parish clerks, and wot with sextons, and wot -with private watchmen (all awaricious and all in it), a man wouldn't get -much by it, even if it wos so. And wot little a man did get, would never -prosper with him, Mr. Lorry. He'd never have no good of it; he'd want -all along to be out of the line, if he, could see his way out, being -once in--even if it wos so.” - -“Ugh!” cried Mr. Lorry, rather relenting, nevertheless, “I am shocked at -the sight of you.” - -“Now, what I would humbly offer to you, sir,” pursued Mr. Cruncher, -“even if it wos so, which I don't say it is--” - -“Don't prevaricate,” said Mr. Lorry. - -“No, I will _not_, sir,” returned Mr. Crunches as if nothing were -further from his thoughts or practice--“which I don't say it is--wot I -would humbly offer to you, sir, would be this. Upon that there stool, at -that there Bar, sets that there boy of mine, brought up and growed up to -be a man, wot will errand you, message you, general-light-job you, till -your heels is where your head is, if such should be your wishes. If it -wos so, which I still don't say it is (for I will not prewaricate to -you, sir), let that there boy keep his father's place, and take care of -his mother; don't blow upon that boy's father--do not do it, sir--and -let that father go into the line of the reg'lar diggin', and make amends -for what he would have undug--if it wos so--by diggin' of 'em in with -a will, and with conwictions respectin' the futur' keepin' of 'em safe. -That, Mr. Lorry,” said Mr. Cruncher, wiping his forehead with his -arm, as an announcement that he had arrived at the peroration of his -discourse, “is wot I would respectfully offer to you, sir. A man don't -see all this here a goin' on dreadful round him, in the way of Subjects -without heads, dear me, plentiful enough fur to bring the price down -to porterage and hardly that, without havin' his serious thoughts of -things. And these here would be mine, if it wos so, entreatin' of you -fur to bear in mind that wot I said just now, I up and said in the good -cause when I might have kep' it back.” - -“That at least is true,” said Mr. Lorry. “Say no more now. It may be -that I shall yet stand your friend, if you deserve it, and repent in -action--not in words. I want no more words.” - -Mr. Cruncher knuckled his forehead, as Sydney Carton and the spy -returned from the dark room. “Adieu, Mr. Barsad,” said the former; “our -arrangement thus made, you have nothing to fear from me.” - -He sat down in a chair on the hearth, over against Mr. Lorry. When they -were alone, Mr. Lorry asked him what he had done? - -“Not much. If it should go ill with the prisoner, I have ensured access -to him, once.” - -Mr. Lorry's countenance fell. - -“It is all I could do,” said Carton. “To propose too much, would be -to put this man's head under the axe, and, as he himself said, nothing -worse could happen to him if he were denounced. It was obviously the -weakness of the position. There is no help for it.” - -“But access to him,” said Mr. Lorry, “if it should go ill before the -Tribunal, will not save him.” - -“I never said it would.” - -Mr. Lorry's eyes gradually sought the fire; his sympathy with his -darling, and the heavy disappointment of his second arrest, gradually -weakened them; he was an old man now, overborne with anxiety of late, -and his tears fell. - -“You are a good man and a true friend,” said Carton, in an altered -voice. “Forgive me if I notice that you are affected. I could not see my -father weep, and sit by, careless. And I could not respect your -sorrow more, if you were my father. You are free from that misfortune, -however.” - -Though he said the last words, with a slip into his usual manner, there -was a true feeling and respect both in his tone and in his touch, -that Mr. Lorry, who had never seen the better side of him, was wholly -unprepared for. He gave him his hand, and Carton gently pressed it. - -“To return to poor Darnay,” said Carton. “Don't tell Her of this -interview, or this arrangement. It would not enable Her to go to see -him. She might think it was contrived, in case of the worse, to convey -to him the means of anticipating the sentence.” - -Mr. Lorry had not thought of that, and he looked quickly at Carton to -see if it were in his mind. It seemed to be; he returned the look, and -evidently understood it. - -“She might think a thousand things,” Carton said, “and any of them would -only add to her trouble. Don't speak of me to her. As I said to you when -I first came, I had better not see her. I can put my hand out, to do any -little helpful work for her that my hand can find to do, without that. -You are going to her, I hope? She must be very desolate to-night.” - -“I am going now, directly.” - -“I am glad of that. She has such a strong attachment to you and reliance -on you. How does she look?” - -“Anxious and unhappy, but very beautiful.” - -“Ah!” - -It was a long, grieving sound, like a sigh--almost like a sob. It -attracted Mr. Lorry's eyes to Carton's face, which was turned to the -fire. A light, or a shade (the old gentleman could not have said which), -passed from it as swiftly as a change will sweep over a hill-side on a -wild bright day, and he lifted his foot to put back one of the little -flaming logs, which was tumbling forward. He wore the white riding-coat -and top-boots, then in vogue, and the light of the fire touching their -light surfaces made him look very pale, with his long brown hair, -all untrimmed, hanging loose about him. His indifference to fire was -sufficiently remarkable to elicit a word of remonstrance from Mr. Lorry; -his boot was still upon the hot embers of the flaming log, when it had -broken under the weight of his foot. - -“I forgot it,” he said. - -Mr. Lorry's eyes were again attracted to his face. Taking note of the -wasted air which clouded the naturally handsome features, and having -the expression of prisoners' faces fresh in his mind, he was strongly -reminded of that expression. - -“And your duties here have drawn to an end, sir?” said Carton, turning -to him. - -“Yes. As I was telling you last night when Lucie came in so -unexpectedly, I have at length done all that I can do here. I hoped to -have left them in perfect safety, and then to have quitted Paris. I have -my Leave to Pass. I was ready to go.” - -They were both silent. - -“Yours is a long life to look back upon, sir?” said Carton, wistfully. - -“I am in my seventy-eighth year.” - -“You have been useful all your life; steadily and constantly occupied; -trusted, respected, and looked up to?” - -“I have been a man of business, ever since I have been a man. Indeed, I -may say that I was a man of business when a boy.” - -“See what a place you fill at seventy-eight. How many people will miss -you when you leave it empty!” - -“A solitary old bachelor,” answered Mr. Lorry, shaking his head. “There -is nobody to weep for me.” - -“How can you say that? Wouldn't She weep for you? Wouldn't her child?” - -“Yes, yes, thank God. I didn't quite mean what I said.” - -“It _is_ a thing to thank God for; is it not?” - -“Surely, surely.” - -“If you could say, with truth, to your own solitary heart, to-night, -'I have secured to myself the love and attachment, the gratitude or -respect, of no human creature; I have won myself a tender place in no -regard; I have done nothing good or serviceable to be remembered by!' -your seventy-eight years would be seventy-eight heavy curses; would they -not?” - -“You say truly, Mr. Carton; I think they would be.” - -Sydney turned his eyes again upon the fire, and, after a silence of a -few moments, said: - -“I should like to ask you:--Does your childhood seem far off? Do the -days when you sat at your mother's knee, seem days of very long ago?” - -Responding to his softened manner, Mr. Lorry answered: - -“Twenty years back, yes; at this time of my life, no. For, as I draw -closer and closer to the end, I travel in the circle, nearer and -nearer to the beginning. It seems to be one of the kind smoothings and -preparings of the way. My heart is touched now, by many remembrances -that had long fallen asleep, of my pretty young mother (and I so old!), -and by many associations of the days when what we call the World was not -so real with me, and my faults were not confirmed in me.” - -“I understand the feeling!” exclaimed Carton, with a bright flush. “And -you are the better for it?” - -“I hope so.” - -Carton terminated the conversation here, by rising to help him on with -his outer coat; “But you,” said Mr. Lorry, reverting to the theme, “you -are young.” - -“Yes,” said Carton. “I am not old, but my young way was never the way to -age. Enough of me.” - -“And of me, I am sure,” said Mr. Lorry. “Are you going out?” - -“I'll walk with you to her gate. You know my vagabond and restless -habits. If I should prowl about the streets a long time, don't be -uneasy; I shall reappear in the morning. You go to the Court to-morrow?” - -“Yes, unhappily.” - -“I shall be there, but only as one of the crowd. My Spy will find a -place for me. Take my arm, sir.” - -Mr. Lorry did so, and they went down-stairs and out in the streets. A -few minutes brought them to Mr. Lorry's destination. Carton left him -there; but lingered at a little distance, and turned back to the gate -again when it was shut, and touched it. He had heard of her going to -the prison every day. “She came out here,” he said, looking about him, -“turned this way, must have trod on these stones often. Let me follow in -her steps.” - -It was ten o'clock at night when he stood before the prison of La Force, -where she had stood hundreds of times. A little wood-sawyer, having -closed his shop, was smoking his pipe at his shop-door. - -“Good night, citizen,” said Sydney Carton, pausing in going by; for, the -man eyed him inquisitively. - -“Good night, citizen.” - -“How goes the Republic?” - -“You mean the Guillotine. Not ill. Sixty-three to-day. We shall mount -to a hundred soon. Samson and his men complain sometimes, of being -exhausted. Ha, ha, ha! He is so droll, that Samson. Such a Barber!” - -“Do you often go to see him--” - -“Shave? Always. Every day. What a barber! You have seen him at work?” - -“Never.” - -“Go and see him when he has a good batch. Figure this to yourself, -citizen; he shaved the sixty-three to-day, in less than two pipes! Less -than two pipes. Word of honour!” - -As the grinning little man held out the pipe he was smoking, to explain -how he timed the executioner, Carton was so sensible of a rising desire -to strike the life out of him, that he turned away. - -“But you are not English,” said the wood-sawyer, “though you wear -English dress?” - -“Yes,” said Carton, pausing again, and answering over his shoulder. - -“You speak like a Frenchman.” - -“I am an old student here.” - -“Aha, a perfect Frenchman! Good night, Englishman.” - -“Good night, citizen.” - -“But go and see that droll dog,” the little man persisted, calling after -him. “And take a pipe with you!” - -Sydney had not gone far out of sight, when he stopped in the middle of -the street under a glimmering lamp, and wrote with his pencil on a scrap -of paper. Then, traversing with the decided step of one who remembered -the way well, several dark and dirty streets--much dirtier than usual, -for the best public thoroughfares remained uncleansed in those times of -terror--he stopped at a chemist's shop, which the owner was closing with -his own hands. A small, dim, crooked shop, kept in a tortuous, up-hill -thoroughfare, by a small, dim, crooked man. - -Giving this citizen, too, good night, as he confronted him at his -counter, he laid the scrap of paper before him. “Whew!” the chemist -whistled softly, as he read it. “Hi! hi! hi!” - -Sydney Carton took no heed, and the chemist said: - -“For you, citizen?” - -“For me.” - -“You will be careful to keep them separate, citizen? You know the -consequences of mixing them?” - -“Perfectly.” - -Certain small packets were made and given to him. He put them, one by -one, in the breast of his inner coat, counted out the money for them, -and deliberately left the shop. “There is nothing more to do,” said he, -glancing upward at the moon, “until to-morrow. I can't sleep.” - -It was not a reckless manner, the manner in which he said these words -aloud under the fast-sailing clouds, nor was it more expressive of -negligence than defiance. It was the settled manner of a tired man, who -had wandered and struggled and got lost, but who at length struck into -his road and saw its end. - -Long ago, when he had been famous among his earliest competitors as a -youth of great promise, he had followed his father to the grave. His -mother had died, years before. These solemn words, which had been -read at his father's grave, arose in his mind as he went down the dark -streets, among the heavy shadows, with the moon and the clouds sailing -on high above him. “I am the resurrection and the life, saith the Lord: -he that believeth in me, though he were dead, yet shall he live: and -whosoever liveth and believeth in me, shall never die.” - -In a city dominated by the axe, alone at night, with natural sorrow -rising in him for the sixty-three who had been that day put to death, -and for to-morrow's victims then awaiting their doom in the prisons, -and still of to-morrow's and to-morrow's, the chain of association that -brought the words home, like a rusty old ship's anchor from the deep, -might have been easily found. He did not seek it, but repeated them and -went on. - -With a solemn interest in the lighted windows where the people were -going to rest, forgetful through a few calm hours of the horrors -surrounding them; in the towers of the churches, where no prayers -were said, for the popular revulsion had even travelled that length -of self-destruction from years of priestly impostors, plunderers, and -profligates; in the distant burial-places, reserved, as they wrote upon -the gates, for Eternal Sleep; in the abounding gaols; and in the streets -along which the sixties rolled to a death which had become so common and -material, that no sorrowful story of a haunting Spirit ever arose among -the people out of all the working of the Guillotine; with a solemn -interest in the whole life and death of the city settling down to its -short nightly pause in fury; Sydney Carton crossed the Seine again for -the lighter streets. - -Few coaches were abroad, for riders in coaches were liable to be -suspected, and gentility hid its head in red nightcaps, and put on heavy -shoes, and trudged. But, the theatres were all well filled, and the -people poured cheerfully out as he passed, and went chatting home. At -one of the theatre doors, there was a little girl with a mother, looking -for a way across the street through the mud. He carried the child over, -and before the timid arm was loosed from his neck asked her for a kiss. - -“I am the resurrection and the life, saith the Lord: he that believeth -in me, though he were dead, yet shall he live: and whosoever liveth and -believeth in me, shall never die.” - -Now, that the streets were quiet, and the night wore on, the words -were in the echoes of his feet, and were in the air. Perfectly calm -and steady, he sometimes repeated them to himself as he walked; but, he -heard them always. - -The night wore out, and, as he stood upon the bridge listening to the -water as it splashed the river-walls of the Island of Paris, where the -picturesque confusion of houses and cathedral shone bright in the light -of the moon, the day came coldly, looking like a dead face out of the -sky. Then, the night, with the moon and the stars, turned pale and died, -and for a little while it seemed as if Creation were delivered over to -Death's dominion. - -But, the glorious sun, rising, seemed to strike those words, that burden -of the night, straight and warm to his heart in its long bright rays. -And looking along them, with reverently shaded eyes, a bridge of light -appeared to span the air between him and the sun, while the river -sparkled under it. - -The strong tide, so swift, so deep, and certain, was like a congenial -friend, in the morning stillness. He walked by the stream, far from the -houses, and in the light and warmth of the sun fell asleep on the -bank. When he awoke and was afoot again, he lingered there yet a little -longer, watching an eddy that turned and turned purposeless, until the -stream absorbed it, and carried it on to the sea.--“Like me.” - -A trading-boat, with a sail of the softened colour of a dead leaf, then -glided into his view, floated by him, and died away. As its silent track -in the water disappeared, the prayer that had broken up out of his heart -for a merciful consideration of all his poor blindnesses and errors, -ended in the words, “I am the resurrection and the life.” - -Mr. Lorry was already out when he got back, and it was easy to surmise -where the good old man was gone. Sydney Carton drank nothing but a -little coffee, ate some bread, and, having washed and changed to refresh -himself, went out to the place of trial. - -The court was all astir and a-buzz, when the black sheep--whom many fell -away from in dread--pressed him into an obscure corner among the crowd. -Mr. Lorry was there, and Doctor Manette was there. She was there, -sitting beside her father. - -When her husband was brought in, she turned a look upon him, so -sustaining, so encouraging, so full of admiring love and pitying -tenderness, yet so courageous for his sake, that it called the healthy -blood into his face, brightened his glance, and animated his heart. If -there had been any eyes to notice the influence of her look, on Sydney -Carton, it would have been seen to be the same influence exactly. - -Before that unjust Tribunal, there was little or no order of procedure, -ensuring to any accused person any reasonable hearing. There could have -been no such Revolution, if all laws, forms, and ceremonies, had not -first been so monstrously abused, that the suicidal vengeance of the -Revolution was to scatter them all to the winds. - -Every eye was turned to the jury. The same determined patriots and good -republicans as yesterday and the day before, and to-morrow and the day -after. Eager and prominent among them, one man with a craving face, and -his fingers perpetually hovering about his lips, whose appearance -gave great satisfaction to the spectators. A life-thirsting, -cannibal-looking, bloody-minded juryman, the Jacques Three of St. -Antoine. The whole jury, as a jury of dogs empannelled to try the deer. - -Every eye then turned to the five judges and the public prosecutor. -No favourable leaning in that quarter to-day. A fell, uncompromising, -murderous business-meaning there. Every eye then sought some other eye -in the crowd, and gleamed at it approvingly; and heads nodded at one -another, before bending forward with a strained attention. - -Charles Evremonde, called Darnay. Released yesterday. Reaccused and -retaken yesterday. Indictment delivered to him last night. Suspected and -Denounced enemy of the Republic, Aristocrat, one of a family of tyrants, -one of a race proscribed, for that they had used their abolished -privileges to the infamous oppression of the people. Charles Evremonde, -called Darnay, in right of such proscription, absolutely Dead in Law. - -To this effect, in as few or fewer words, the Public Prosecutor. - -The President asked, was the Accused openly denounced or secretly? - -“Openly, President.” - -“By whom?” - -“Three voices. Ernest Defarge, wine-vendor of St. Antoine.” - -“Good.” - -“Therese Defarge, his wife.” - -“Good.” - -“Alexandre Manette, physician.” - -A great uproar took place in the court, and in the midst of it, Doctor -Manette was seen, pale and trembling, standing where he had been seated. - -“President, I indignantly protest to you that this is a forgery and -a fraud. You know the accused to be the husband of my daughter. My -daughter, and those dear to her, are far dearer to me than my life. Who -and where is the false conspirator who says that I denounce the husband -of my child!” - -“Citizen Manette, be tranquil. To fail in submission to the authority of -the Tribunal would be to put yourself out of Law. As to what is dearer -to you than life, nothing can be so dear to a good citizen as the -Republic.” - -Loud acclamations hailed this rebuke. The President rang his bell, and -with warmth resumed. - -“If the Republic should demand of you the sacrifice of your child -herself, you would have no duty but to sacrifice her. Listen to what is -to follow. In the meanwhile, be silent!” - -Frantic acclamations were again raised. Doctor Manette sat down, with -his eyes looking around, and his lips trembling; his daughter drew -closer to him. The craving man on the jury rubbed his hands together, -and restored the usual hand to his mouth. - -Defarge was produced, when the court was quiet enough to admit of his -being heard, and rapidly expounded the story of the imprisonment, and of -his having been a mere boy in the Doctor's service, and of the release, -and of the state of the prisoner when released and delivered to him. -This short examination followed, for the court was quick with its work. - -“You did good service at the taking of the Bastille, citizen?” - -“I believe so.” - -Here, an excited woman screeched from the crowd: “You were one of the -best patriots there. Why not say so? You were a cannonier that day -there, and you were among the first to enter the accursed fortress when -it fell. Patriots, I speak the truth!” - -It was The Vengeance who, amidst the warm commendations of the audience, -thus assisted the proceedings. The President rang his bell; but, The -Vengeance, warming with encouragement, shrieked, “I defy that bell!” - wherein she was likewise much commended. - -“Inform the Tribunal of what you did that day within the Bastille, -citizen.” - -“I knew,” said Defarge, looking down at his wife, who stood at the -bottom of the steps on which he was raised, looking steadily up at him; -“I knew that this prisoner, of whom I speak, had been confined in a cell -known as One Hundred and Five, North Tower. I knew it from himself. He -knew himself by no other name than One Hundred and Five, North Tower, -when he made shoes under my care. As I serve my gun that day, I resolve, -when the place shall fall, to examine that cell. It falls. I mount to -the cell, with a fellow-citizen who is one of the Jury, directed by a -gaoler. I examine it, very closely. In a hole in the chimney, where a -stone has been worked out and replaced, I find a written paper. This is -that written paper. I have made it my business to examine some specimens -of the writing of Doctor Manette. This is the writing of Doctor Manette. -I confide this paper, in the writing of Doctor Manette, to the hands of -the President.” - -“Let it be read.” - -In a dead silence and stillness--the prisoner under trial looking -lovingly at his wife, his wife only looking from him to look with -solicitude at her father, Doctor Manette keeping his eyes fixed on the -reader, Madame Defarge never taking hers from the prisoner, Defarge -never taking his from his feasting wife, and all the other eyes there -intent upon the Doctor, who saw none of them--the paper was read, as -follows. - - - - -X. The Substance of the Shadow - - -“I, Alexandre Manette, unfortunate physician, native of Beauvais, and -afterwards resident in Paris, write this melancholy paper in my doleful -cell in the Bastille, during the last month of the year, 1767. I write -it at stolen intervals, under every difficulty. I design to secrete it -in the wall of the chimney, where I have slowly and laboriously made a -place of concealment for it. Some pitying hand may find it there, when I -and my sorrows are dust. - -“These words are formed by the rusty iron point with which I write with -difficulty in scrapings of soot and charcoal from the chimney, mixed -with blood, in the last month of the tenth year of my captivity. Hope -has quite departed from my breast. I know from terrible warnings I have -noted in myself that my reason will not long remain unimpaired, but I -solemnly declare that I am at this time in the possession of my right -mind--that my memory is exact and circumstantial--and that I write the -truth as I shall answer for these my last recorded words, whether they -be ever read by men or not, at the Eternal Judgment-seat. - -“One cloudy moonlight night, in the third week of December (I think the -twenty-second of the month) in the year 1757, I was walking on a retired -part of the quay by the Seine for the refreshment of the frosty air, -at an hour's distance from my place of residence in the Street of the -School of Medicine, when a carriage came along behind me, driven very -fast. As I stood aside to let that carriage pass, apprehensive that it -might otherwise run me down, a head was put out at the window, and a -voice called to the driver to stop. - -“The carriage stopped as soon as the driver could rein in his horses, -and the same voice called to me by my name. I answered. The carriage -was then so far in advance of me that two gentlemen had time to open the -door and alight before I came up with it. - -“I observed that they were both wrapped in cloaks, and appeared to -conceal themselves. As they stood side by side near the carriage door, -I also observed that they both looked of about my own age, or rather -younger, and that they were greatly alike, in stature, manner, voice, -and (as far as I could see) face too. - -“'You are Doctor Manette?' said one. - -“I am.” - -“'Doctor Manette, formerly of Beauvais,' said the other; 'the young -physician, originally an expert surgeon, who within the last year or two -has made a rising reputation in Paris?' - -“'Gentlemen,' I returned, 'I am that Doctor Manette of whom you speak so -graciously.' - -“'We have been to your residence,' said the first, 'and not being -so fortunate as to find you there, and being informed that you were -probably walking in this direction, we followed, in the hope of -overtaking you. Will you please to enter the carriage?' - -“The manner of both was imperious, and they both moved, as these words -were spoken, so as to place me between themselves and the carriage door. -They were armed. I was not. - -“'Gentlemen,' said I, 'pardon me; but I usually inquire who does me -the honour to seek my assistance, and what is the nature of the case to -which I am summoned.' - -“The reply to this was made by him who had spoken second. 'Doctor, -your clients are people of condition. As to the nature of the case, -our confidence in your skill assures us that you will ascertain it for -yourself better than we can describe it. Enough. Will you please to -enter the carriage?' - -“I could do nothing but comply, and I entered it in silence. They both -entered after me--the last springing in, after putting up the steps. The -carriage turned about, and drove on at its former speed. - -“I repeat this conversation exactly as it occurred. I have no doubt that -it is, word for word, the same. I describe everything exactly as it took -place, constraining my mind not to wander from the task. Where I make -the broken marks that follow here, I leave off for the time, and put my -paper in its hiding-place. - - ***** - -“The carriage left the streets behind, passed the North Barrier, and -emerged upon the country road. At two-thirds of a league from the -Barrier--I did not estimate the distance at that time, but afterwards -when I traversed it--it struck out of the main avenue, and presently -stopped at a solitary house, We all three alighted, and walked, by -a damp soft footpath in a garden where a neglected fountain had -overflowed, to the door of the house. It was not opened immediately, in -answer to the ringing of the bell, and one of my two conductors struck -the man who opened it, with his heavy riding glove, across the face. - -“There was nothing in this action to attract my particular attention, -for I had seen common people struck more commonly than dogs. But, the -other of the two, being angry likewise, struck the man in like manner -with his arm; the look and bearing of the brothers were then so exactly -alike, that I then first perceived them to be twin brothers. - -“From the time of our alighting at the outer gate (which we found -locked, and which one of the brothers had opened to admit us, and had -relocked), I had heard cries proceeding from an upper chamber. I was -conducted to this chamber straight, the cries growing louder as we -ascended the stairs, and I found a patient in a high fever of the brain, -lying on a bed. - -“The patient was a woman of great beauty, and young; assuredly not much -past twenty. Her hair was torn and ragged, and her arms were bound to -her sides with sashes and handkerchiefs. I noticed that these bonds were -all portions of a gentleman's dress. On one of them, which was a fringed -scarf for a dress of ceremony, I saw the armorial bearings of a Noble, -and the letter E. - -“I saw this, within the first minute of my contemplation of the patient; -for, in her restless strivings she had turned over on her face on the -edge of the bed, had drawn the end of the scarf into her mouth, and was -in danger of suffocation. My first act was to put out my hand to relieve -her breathing; and in moving the scarf aside, the embroidery in the -corner caught my sight. - -“I turned her gently over, placed my hands upon her breast to calm her -and keep her down, and looked into her face. Her eyes were dilated and -wild, and she constantly uttered piercing shrieks, and repeated the -words, 'My husband, my father, and my brother!' and then counted up to -twelve, and said, 'Hush!' For an instant, and no more, she would pause -to listen, and then the piercing shrieks would begin again, and she -would repeat the cry, 'My husband, my father, and my brother!' and -would count up to twelve, and say, 'Hush!' There was no variation in the -order, or the manner. There was no cessation, but the regular moment's -pause, in the utterance of these sounds. - -“'How long,' I asked, 'has this lasted?' - -“To distinguish the brothers, I will call them the elder and the -younger; by the elder, I mean him who exercised the most authority. It -was the elder who replied, 'Since about this hour last night.' - -“'She has a husband, a father, and a brother?' - -“'A brother.' - -“'I do not address her brother?' - -“He answered with great contempt, 'No.' - -“'She has some recent association with the number twelve?' - -“The younger brother impatiently rejoined, 'With twelve o'clock?' - -“'See, gentlemen,' said I, still keeping my hands upon her breast, 'how -useless I am, as you have brought me! If I had known what I was coming -to see, I could have come provided. As it is, time must be lost. There -are no medicines to be obtained in this lonely place.' - -“The elder brother looked to the younger, who said haughtily, 'There is -a case of medicines here;' and brought it from a closet, and put it on -the table. - - ***** - -“I opened some of the bottles, smelt them, and put the stoppers to my -lips. If I had wanted to use anything save narcotic medicines that were -poisons in themselves, I would not have administered any of those. - -“'Do you doubt them?' asked the younger brother. - -“'You see, monsieur, I am going to use them,' I replied, and said no -more. - -“I made the patient swallow, with great difficulty, and after many -efforts, the dose that I desired to give. As I intended to repeat it -after a while, and as it was necessary to watch its influence, I then -sat down by the side of the bed. There was a timid and suppressed woman -in attendance (wife of the man down-stairs), who had retreated into -a corner. The house was damp and decayed, indifferently -furnished--evidently, recently occupied and temporarily used. Some thick -old hangings had been nailed up before the windows, to deaden the -sound of the shrieks. They continued to be uttered in their regular -succession, with the cry, 'My husband, my father, and my brother!' the -counting up to twelve, and 'Hush!' The frenzy was so violent, that I had -not unfastened the bandages restraining the arms; but, I had looked to -them, to see that they were not painful. The only spark of encouragement -in the case, was, that my hand upon the sufferer's breast had this much -soothing influence, that for minutes at a time it tranquillised the -figure. It had no effect upon the cries; no pendulum could be more -regular. - -“For the reason that my hand had this effect (I assume), I had sat by -the side of the bed for half an hour, with the two brothers looking on, -before the elder said: - -“'There is another patient.' - -“I was startled, and asked, 'Is it a pressing case?' - -“'You had better see,' he carelessly answered; and took up a light. - - ***** - -“The other patient lay in a back room across a second staircase, which -was a species of loft over a stable. There was a low plastered ceiling -to a part of it; the rest was open, to the ridge of the tiled roof, and -there were beams across. Hay and straw were stored in that portion of -the place, fagots for firing, and a heap of apples in sand. I had to -pass through that part, to get at the other. My memory is circumstantial -and unshaken. I try it with these details, and I see them all, in -this my cell in the Bastille, near the close of the tenth year of my -captivity, as I saw them all that night. - -“On some hay on the ground, with a cushion thrown under his head, lay a -handsome peasant boy--a boy of not more than seventeen at the most. -He lay on his back, with his teeth set, his right hand clenched on his -breast, and his glaring eyes looking straight upward. I could not see -where his wound was, as I kneeled on one knee over him; but, I could see -that he was dying of a wound from a sharp point. - -“'I am a doctor, my poor fellow,' said I. 'Let me examine it.' - -“'I do not want it examined,' he answered; 'let it be.' - -“It was under his hand, and I soothed him to let me move his hand away. -The wound was a sword-thrust, received from twenty to twenty-four hours -before, but no skill could have saved him if it had been looked to -without delay. He was then dying fast. As I turned my eyes to the elder -brother, I saw him looking down at this handsome boy whose life was -ebbing out, as if he were a wounded bird, or hare, or rabbit; not at all -as if he were a fellow-creature. - -“'How has this been done, monsieur?' said I. - -“'A crazed young common dog! A serf! Forced my brother to draw upon him, -and has fallen by my brother's sword--like a gentleman.' - -“There was no touch of pity, sorrow, or kindred humanity, in this -answer. The speaker seemed to acknowledge that it was inconvenient to -have that different order of creature dying there, and that it would -have been better if he had died in the usual obscure routine of his -vermin kind. He was quite incapable of any compassionate feeling about -the boy, or about his fate. - -“The boy's eyes had slowly moved to him as he had spoken, and they now -slowly moved to me. - -“'Doctor, they are very proud, these Nobles; but we common dogs are -proud too, sometimes. They plunder us, outrage us, beat us, kill us; but -we have a little pride left, sometimes. She--have you seen her, Doctor?' - -“The shrieks and the cries were audible there, though subdued by the -distance. He referred to them, as if she were lying in our presence. - -“I said, 'I have seen her.' - -“'She is my sister, Doctor. They have had their shameful rights, these -Nobles, in the modesty and virtue of our sisters, many years, but we -have had good girls among us. I know it, and have heard my father say -so. She was a good girl. She was betrothed to a good young man, too: a -tenant of his. We were all tenants of his--that man's who stands there. -The other is his brother, the worst of a bad race.' - -“It was with the greatest difficulty that the boy gathered bodily force -to speak; but, his spirit spoke with a dreadful emphasis. - -“'We were so robbed by that man who stands there, as all we common dogs -are by those superior Beings--taxed by him without mercy, obliged to -work for him without pay, obliged to grind our corn at his mill, obliged -to feed scores of his tame birds on our wretched crops, and forbidden -for our lives to keep a single tame bird of our own, pillaged and -plundered to that degree that when we chanced to have a bit of meat, we -ate it in fear, with the door barred and the shutters closed, that his -people should not see it and take it from us--I say, we were so robbed, -and hunted, and were made so poor, that our father told us it was a -dreadful thing to bring a child into the world, and that what we should -most pray for, was, that our women might be barren and our miserable -race die out!' - -“I had never before seen the sense of being oppressed, bursting forth -like a fire. I had supposed that it must be latent in the people -somewhere; but, I had never seen it break out, until I saw it in the -dying boy. - -“'Nevertheless, Doctor, my sister married. He was ailing at that time, -poor fellow, and she married her lover, that she might tend and comfort -him in our cottage--our dog-hut, as that man would call it. She had not -been married many weeks, when that man's brother saw her and admired -her, and asked that man to lend her to him--for what are husbands among -us! He was willing enough, but my sister was good and virtuous, and -hated his brother with a hatred as strong as mine. What did the two -then, to persuade her husband to use his influence with her, to make her -willing?' - -“The boy's eyes, which had been fixed on mine, slowly turned to the -looker-on, and I saw in the two faces that all he said was true. The two -opposing kinds of pride confronting one another, I can see, even in this -Bastille; the gentleman's, all negligent indifference; the peasant's, all -trodden-down sentiment, and passionate revenge. - -“'You know, Doctor, that it is among the Rights of these Nobles to -harness us common dogs to carts, and drive us. They so harnessed him and -drove him. You know that it is among their Rights to keep us in their -grounds all night, quieting the frogs, in order that their noble sleep -may not be disturbed. They kept him out in the unwholesome mists at -night, and ordered him back into his harness in the day. But he was -not persuaded. No! Taken out of harness one day at noon, to feed--if he -could find food--he sobbed twelve times, once for every stroke of the -bell, and died on her bosom.' - -“Nothing human could have held life in the boy but his determination to -tell all his wrong. He forced back the gathering shadows of death, as -he forced his clenched right hand to remain clenched, and to cover his -wound. - -“'Then, with that man's permission and even with his aid, his -brother took her away; in spite of what I know she must have told his -brother--and what that is, will not be long unknown to you, Doctor, if -it is now--his brother took her away--for his pleasure and diversion, -for a little while. I saw her pass me on the road. When I took the -tidings home, our father's heart burst; he never spoke one of the words -that filled it. I took my young sister (for I have another) to a place -beyond the reach of this man, and where, at least, she will never be -_his_ vassal. Then, I tracked the brother here, and last night climbed -in--a common dog, but sword in hand.--Where is the loft window? It was -somewhere here?' - -“The room was darkening to his sight; the world was narrowing around -him. I glanced about me, and saw that the hay and straw were trampled -over the floor, as if there had been a struggle. - -“'She heard me, and ran in. I told her not to come near us till he was -dead. He came in and first tossed me some pieces of money; then struck -at me with a whip. But I, though a common dog, so struck at him as to -make him draw. Let him break into as many pieces as he will, the sword -that he stained with my common blood; he drew to defend himself--thrust -at me with all his skill for his life.' - -“My glance had fallen, but a few moments before, on the fragments of -a broken sword, lying among the hay. That weapon was a gentleman's. In -another place, lay an old sword that seemed to have been a soldier's. - -“'Now, lift me up, Doctor; lift me up. Where is he?' - -“'He is not here,' I said, supporting the boy, and thinking that he -referred to the brother. - -“'He! Proud as these nobles are, he is afraid to see me. Where is the -man who was here? Turn my face to him.' - -“I did so, raising the boy's head against my knee. But, invested for the -moment with extraordinary power, he raised himself completely: obliging -me to rise too, or I could not have still supported him. - -“'Marquis,' said the boy, turned to him with his eyes opened wide, and -his right hand raised, 'in the days when all these things are to be -answered for, I summon you and yours, to the last of your bad race, to -answer for them. I mark this cross of blood upon you, as a sign that -I do it. In the days when all these things are to be answered for, -I summon your brother, the worst of the bad race, to answer for them -separately. I mark this cross of blood upon him, as a sign that I do -it.' - -“Twice, he put his hand to the wound in his breast, and with his -forefinger drew a cross in the air. He stood for an instant with the -finger yet raised, and as it dropped, he dropped with it, and I laid him -down dead. - - ***** - -“When I returned to the bedside of the young woman, I found her raving -in precisely the same order of continuity. I knew that this might last -for many hours, and that it would probably end in the silence of the -grave. - -“I repeated the medicines I had given her, and I sat at the side of -the bed until the night was far advanced. She never abated the piercing -quality of her shrieks, never stumbled in the distinctness or the order -of her words. They were always 'My husband, my father, and my brother! -One, two, three, four, five, six, seven, eight, nine, ten, eleven, -twelve. Hush!' - -“This lasted twenty-six hours from the time when I first saw her. I had -come and gone twice, and was again sitting by her, when she began to -falter. I did what little could be done to assist that opportunity, and -by-and-bye she sank into a lethargy, and lay like the dead. - -“It was as if the wind and rain had lulled at last, after a long and -fearful storm. I released her arms, and called the woman to assist me to -compose her figure and the dress she had torn. It was then that I knew -her condition to be that of one in whom the first expectations of being -a mother have arisen; and it was then that I lost the little hope I had -had of her. - -“'Is she dead?' asked the Marquis, whom I will still describe as the -elder brother, coming booted into the room from his horse. - -“'Not dead,' said I; 'but like to die.' - -“'What strength there is in these common bodies!' he said, looking down -at her with some curiosity. - -“'There is prodigious strength,' I answered him, 'in sorrow and -despair.' - -“He first laughed at my words, and then frowned at them. He moved a -chair with his foot near to mine, ordered the woman away, and said in a -subdued voice, - -“'Doctor, finding my brother in this difficulty with these hinds, I -recommended that your aid should be invited. Your reputation is high, -and, as a young man with your fortune to make, you are probably mindful -of your interest. The things that you see here, are things to be seen, -and not spoken of.' - -“I listened to the patient's breathing, and avoided answering. - -“'Do you honour me with your attention, Doctor?' - -“'Monsieur,' said I, 'in my profession, the communications of patients -are always received in confidence.' I was guarded in my answer, for I -was troubled in my mind with what I had heard and seen. - -“Her breathing was so difficult to trace, that I carefully tried the -pulse and the heart. There was life, and no more. Looking round as I -resumed my seat, I found both the brothers intent upon me. - - ***** - -“I write with so much difficulty, the cold is so severe, I am so -fearful of being detected and consigned to an underground cell and total -darkness, that I must abridge this narrative. There is no confusion or -failure in my memory; it can recall, and could detail, every word that -was ever spoken between me and those brothers. - -“She lingered for a week. Towards the last, I could understand some few -syllables that she said to me, by placing my ear close to her lips. She -asked me where she was, and I told her; who I was, and I told her. It -was in vain that I asked her for her family name. She faintly shook her -head upon the pillow, and kept her secret, as the boy had done. - -“I had no opportunity of asking her any question, until I had told the -brothers she was sinking fast, and could not live another day. Until -then, though no one was ever presented to her consciousness save the -woman and myself, one or other of them had always jealously sat behind -the curtain at the head of the bed when I was there. But when it came to -that, they seemed careless what communication I might hold with her; as -if--the thought passed through my mind--I were dying too. - -“I always observed that their pride bitterly resented the younger -brother's (as I call him) having crossed swords with a peasant, and that -peasant a boy. The only consideration that appeared to affect the mind -of either of them was the consideration that this was highly degrading -to the family, and was ridiculous. As often as I caught the younger -brother's eyes, their expression reminded me that he disliked me deeply, -for knowing what I knew from the boy. He was smoother and more polite to -me than the elder; but I saw this. I also saw that I was an incumbrance -in the mind of the elder, too. - -“My patient died, two hours before midnight--at a time, by my watch, -answering almost to the minute when I had first seen her. I was alone -with her, when her forlorn young head drooped gently on one side, and -all her earthly wrongs and sorrows ended. - -“The brothers were waiting in a room down-stairs, impatient to ride -away. I had heard them, alone at the bedside, striking their boots with -their riding-whips, and loitering up and down. - -“'At last she is dead?' said the elder, when I went in. - -“'She is dead,' said I. - -“'I congratulate you, my brother,' were his words as he turned round. - -“He had before offered me money, which I had postponed taking. He now -gave me a rouleau of gold. I took it from his hand, but laid it on -the table. I had considered the question, and had resolved to accept -nothing. - -“'Pray excuse me,' said I. 'Under the circumstances, no.' - -“They exchanged looks, but bent their heads to me as I bent mine to -them, and we parted without another word on either side. - - ***** - -“I am weary, weary, weary--worn down by misery. I cannot read what I -have written with this gaunt hand. - -“Early in the morning, the rouleau of gold was left at my door in a -little box, with my name on the outside. From the first, I had anxiously -considered what I ought to do. I decided, that day, to write privately -to the Minister, stating the nature of the two cases to which I had been -summoned, and the place to which I had gone: in effect, stating all the -circumstances. I knew what Court influence was, and what the immunities -of the Nobles were, and I expected that the matter would never be -heard of; but, I wished to relieve my own mind. I had kept the matter a -profound secret, even from my wife; and this, too, I resolved to state -in my letter. I had no apprehension whatever of my real danger; but -I was conscious that there might be danger for others, if others were -compromised by possessing the knowledge that I possessed. - -“I was much engaged that day, and could not complete my letter that -night. I rose long before my usual time next morning to finish it. -It was the last day of the year. The letter was lying before me just -completed, when I was told that a lady waited, who wished to see me. - - ***** - -“I am growing more and more unequal to the task I have set myself. It is -so cold, so dark, my senses are so benumbed, and the gloom upon me is so -dreadful. - -“The lady was young, engaging, and handsome, but not marked for long -life. She was in great agitation. She presented herself to me as the -wife of the Marquis St. Evremonde. I connected the title by which the -boy had addressed the elder brother, with the initial letter embroidered -on the scarf, and had no difficulty in arriving at the conclusion that I -had seen that nobleman very lately. - -“My memory is still accurate, but I cannot write the words of our -conversation. I suspect that I am watched more closely than I was, and I -know not at what times I may be watched. She had in part suspected, and -in part discovered, the main facts of the cruel story, of her husband's -share in it, and my being resorted to. She did not know that the girl -was dead. Her hope had been, she said in great distress, to show her, -in secret, a woman's sympathy. Her hope had been to avert the wrath of -Heaven from a House that had long been hateful to the suffering many. - -“She had reasons for believing that there was a young sister living, and -her greatest desire was, to help that sister. I could tell her nothing -but that there was such a sister; beyond that, I knew nothing. Her -inducement to come to me, relying on my confidence, had been the hope -that I could tell her the name and place of abode. Whereas, to this -wretched hour I am ignorant of both. - - ***** - -“These scraps of paper fail me. One was taken from me, with a warning, -yesterday. I must finish my record to-day. - -“She was a good, compassionate lady, and not happy in her marriage. How -could she be! The brother distrusted and disliked her, and his influence -was all opposed to her; she stood in dread of him, and in dread of her -husband too. When I handed her down to the door, there was a child, a -pretty boy from two to three years old, in her carriage. - -“'For his sake, Doctor,' she said, pointing to him in tears, 'I would do -all I can to make what poor amends I can. He will never prosper in his -inheritance otherwise. I have a presentiment that if no other innocent -atonement is made for this, it will one day be required of him. What -I have left to call my own--it is little beyond the worth of a few -jewels--I will make it the first charge of his life to bestow, with the -compassion and lamenting of his dead mother, on this injured family, if -the sister can be discovered.' - -“She kissed the boy, and said, caressing him, 'It is for thine own dear -sake. Thou wilt be faithful, little Charles?' The child answered her -bravely, 'Yes!' I kissed her hand, and she took him in her arms, and -went away caressing him. I never saw her more. - -“As she had mentioned her husband's name in the faith that I knew it, -I added no mention of it to my letter. I sealed my letter, and, not -trusting it out of my own hands, delivered it myself that day. - -“That night, the last night of the year, towards nine o'clock, a man in -a black dress rang at my gate, demanded to see me, and softly followed -my servant, Ernest Defarge, a youth, up-stairs. When my servant came -into the room where I sat with my wife--O my wife, beloved of my heart! -My fair young English wife!--we saw the man, who was supposed to be at -the gate, standing silent behind him. - -“An urgent case in the Rue St. Honore, he said. It would not detain me, -he had a coach in waiting. - -“It brought me here, it brought me to my grave. When I was clear of the -house, a black muffler was drawn tightly over my mouth from behind, and -my arms were pinioned. The two brothers crossed the road from a dark -corner, and identified me with a single gesture. The Marquis took from -his pocket the letter I had written, showed it me, burnt it in the light -of a lantern that was held, and extinguished the ashes with his foot. -Not a word was spoken. I was brought here, I was brought to my living -grave. - -“If it had pleased _God_ to put it in the hard heart of either of the -brothers, in all these frightful years, to grant me any tidings of -my dearest wife--so much as to let me know by a word whether alive or -dead--I might have thought that He had not quite abandoned them. But, -now I believe that the mark of the red cross is fatal to them, and that -they have no part in His mercies. And them and their descendants, to the -last of their race, I, Alexandre Manette, unhappy prisoner, do this last -night of the year 1767, in my unbearable agony, denounce to the times -when all these things shall be answered for. I denounce them to Heaven -and to earth.” - -A terrible sound arose when the reading of this document was done. A -sound of craving and eagerness that had nothing articulate in it but -blood. The narrative called up the most revengeful passions of the time, -and there was not a head in the nation but must have dropped before it. - -Little need, in presence of that tribunal and that auditory, to show -how the Defarges had not made the paper public, with the other captured -Bastille memorials borne in procession, and had kept it, biding their -time. Little need to show that this detested family name had long been -anathematised by Saint Antoine, and was wrought into the fatal register. -The man never trod ground whose virtues and services would have -sustained him in that place that day, against such denunciation. - -And all the worse for the doomed man, that the denouncer was a -well-known citizen, his own attached friend, the father of his wife. One -of the frenzied aspirations of the populace was, for imitations of -the questionable public virtues of antiquity, and for sacrifices and -self-immolations on the people's altar. Therefore when the President -said (else had his own head quivered on his shoulders), that the good -physician of the Republic would deserve better still of the Republic by -rooting out an obnoxious family of Aristocrats, and would doubtless feel -a sacred glow and joy in making his daughter a widow and her child an -orphan, there was wild excitement, patriotic fervour, not a touch of -human sympathy. - -“Much influence around him, has that Doctor?” murmured Madame Defarge, -smiling to The Vengeance. “Save him now, my Doctor, save him!” - -At every juryman's vote, there was a roar. Another and another. Roar and -roar. - -Unanimously voted. At heart and by descent an Aristocrat, an enemy -of the Republic, a notorious oppressor of the People. Back to the -Conciergerie, and Death within four-and-twenty hours! - - - - -XI. Dusk - - -The wretched wife of the innocent man thus doomed to die, fell under -the sentence, as if she had been mortally stricken. But, she uttered no -sound; and so strong was the voice within her, representing that it was -she of all the world who must uphold him in his misery and not augment -it, that it quickly raised her, even from that shock. - -The Judges having to take part in a public demonstration out of doors, -the Tribunal adjourned. The quick noise and movement of the court's -emptying itself by many passages had not ceased, when Lucie stood -stretching out her arms towards her husband, with nothing in her face -but love and consolation. - -“If I might touch him! If I might embrace him once! O, good citizens, if -you would have so much compassion for us!” - -There was but a gaoler left, along with two of the four men who had -taken him last night, and Barsad. The people had all poured out to the -show in the streets. Barsad proposed to the rest, “Let her embrace -him then; it is but a moment.” It was silently acquiesced in, and they -passed her over the seats in the hall to a raised place, where he, by -leaning over the dock, could fold her in his arms. - -“Farewell, dear darling of my soul. My parting blessing on my love. We -shall meet again, where the weary are at rest!” - -They were her husband's words, as he held her to his bosom. - -“I can bear it, dear Charles. I am supported from above: don't suffer -for me. A parting blessing for our child.” - -“I send it to her by you. I kiss her by you. I say farewell to her by -you.” - -“My husband. No! A moment!” He was tearing himself apart from her. -“We shall not be separated long. I feel that this will break my heart -by-and-bye; but I will do my duty while I can, and when I leave her, God -will raise up friends for her, as He did for me.” - -Her father had followed her, and would have fallen on his knees to both -of them, but that Darnay put out a hand and seized him, crying: - -“No, no! What have you done, what have you done, that you should kneel -to us! We know now, what a struggle you made of old. We know, now what -you underwent when you suspected my descent, and when you knew it. We -know now, the natural antipathy you strove against, and conquered, for -her dear sake. We thank you with all our hearts, and all our love and -duty. Heaven be with you!” - -Her father's only answer was to draw his hands through his white hair, -and wring them with a shriek of anguish. - -“It could not be otherwise,” said the prisoner. “All things have worked -together as they have fallen out. It was the always-vain endeavour to -discharge my poor mother's trust that first brought my fatal presence -near you. Good could never come of such evil, a happier end was not in -nature to so unhappy a beginning. Be comforted, and forgive me. Heaven -bless you!” - -As he was drawn away, his wife released him, and stood looking after him -with her hands touching one another in the attitude of prayer, and -with a radiant look upon her face, in which there was even a comforting -smile. As he went out at the prisoners' door, she turned, laid her head -lovingly on her father's breast, tried to speak to him, and fell at his -feet. - -Then, issuing from the obscure corner from which he had never moved, -Sydney Carton came and took her up. Only her father and Mr. Lorry were -with her. His arm trembled as it raised her, and supported her head. -Yet, there was an air about him that was not all of pity--that had a -flush of pride in it. - -“Shall I take her to a coach? I shall never feel her weight.” - -He carried her lightly to the door, and laid her tenderly down in a -coach. Her father and their old friend got into it, and he took his seat -beside the driver. - -When they arrived at the gateway where he had paused in the dark not -many hours before, to picture to himself on which of the rough stones of -the street her feet had trodden, he lifted her again, and carried her up -the staircase to their rooms. There, he laid her down on a couch, where -her child and Miss Pross wept over her. - -“Don't recall her to herself,” he said, softly, to the latter, “she is -better so. Don't revive her to consciousness, while she only faints.” - -“Oh, Carton, Carton, dear Carton!” cried little Lucie, springing up and -throwing her arms passionately round him, in a burst of grief. “Now that -you have come, I think you will do something to help mamma, something to -save papa! O, look at her, dear Carton! Can you, of all the people who -love her, bear to see her so?” - -He bent over the child, and laid her blooming cheek against his face. He -put her gently from him, and looked at her unconscious mother. - -“Before I go,” he said, and paused--“I may kiss her?” - -It was remembered afterwards that when he bent down and touched her face -with his lips, he murmured some words. The child, who was nearest to -him, told them afterwards, and told her grandchildren when she was a -handsome old lady, that she heard him say, “A life you love.” - -When he had gone out into the next room, he turned suddenly on Mr. Lorry -and her father, who were following, and said to the latter: - -“You had great influence but yesterday, Doctor Manette; let it at least -be tried. These judges, and all the men in power, are very friendly to -you, and very recognisant of your services; are they not?” - -“Nothing connected with Charles was concealed from me. I had the -strongest assurances that I should save him; and I did.” He returned the -answer in great trouble, and very slowly. - -“Try them again. The hours between this and to-morrow afternoon are few -and short, but try.” - -“I intend to try. I will not rest a moment.” - -“That's well. I have known such energy as yours do great things before -now--though never,” he added, with a smile and a sigh together, “such -great things as this. But try! Of little worth as life is when we misuse -it, it is worth that effort. It would cost nothing to lay down if it -were not.” - -“I will go,” said Doctor Manette, “to the Prosecutor and the President -straight, and I will go to others whom it is better not to name. I will -write too, and--But stay! There is a Celebration in the streets, and no -one will be accessible until dark.” - -“That's true. Well! It is a forlorn hope at the best, and not much the -forlorner for being delayed till dark. I should like to know how you -speed; though, mind! I expect nothing! When are you likely to have seen -these dread powers, Doctor Manette?” - -“Immediately after dark, I should hope. Within an hour or two from -this.” - -“It will be dark soon after four. Let us stretch the hour or two. If I -go to Mr. Lorry's at nine, shall I hear what you have done, either from -our friend or from yourself?” - -“Yes.” - -“May you prosper!” - -Mr. Lorry followed Sydney to the outer door, and, touching him on the -shoulder as he was going away, caused him to turn. - -“I have no hope,” said Mr. Lorry, in a low and sorrowful whisper. - -“Nor have I.” - -“If any one of these men, or all of these men, were disposed to spare -him--which is a large supposition; for what is his life, or any man's -to them!--I doubt if they durst spare him after the demonstration in the -court.” - -“And so do I. I heard the fall of the axe in that sound.” - -Mr. Lorry leaned his arm upon the door-post, and bowed his face upon it. - -“Don't despond,” said Carton, very gently; “don't grieve. I encouraged -Doctor Manette in this idea, because I felt that it might one day be -consolatory to her. Otherwise, she might think 'his life was wantonly -thrown away or wasted,' and that might trouble her.” - -“Yes, yes, yes,” returned Mr. Lorry, drying his eyes, “you are right. -But he will perish; there is no real hope.” - -“Yes. He will perish: there is no real hope,” echoed Carton. - -And walked with a settled step, down-stairs. - - - - -XII. Darkness - - -Sydney Carton paused in the street, not quite decided where to go. “At -Tellson's banking-house at nine,” he said, with a musing face. “Shall I -do well, in the mean time, to show myself? I think so. It is best that -these people should know there is such a man as I here; it is a sound -precaution, and may be a necessary preparation. But care, care, care! -Let me think it out!” - -Checking his steps which had begun to tend towards an object, he took a -turn or two in the already darkening street, and traced the thought -in his mind to its possible consequences. His first impression was -confirmed. “It is best,” he said, finally resolved, “that these people -should know there is such a man as I here.” And he turned his face -towards Saint Antoine. - -Defarge had described himself, that day, as the keeper of a wine-shop in -the Saint Antoine suburb. It was not difficult for one who knew the city -well, to find his house without asking any question. Having ascertained -its situation, Carton came out of those closer streets again, and dined -at a place of refreshment and fell sound asleep after dinner. For the -first time in many years, he had no strong drink. Since last night he -had taken nothing but a little light thin wine, and last night he had -dropped the brandy slowly down on Mr. Lorry's hearth like a man who had -done with it. - -It was as late as seven o'clock when he awoke refreshed, and went out -into the streets again. As he passed along towards Saint Antoine, he -stopped at a shop-window where there was a mirror, and slightly altered -the disordered arrangement of his loose cravat, and his coat-collar, and -his wild hair. This done, he went on direct to Defarge's, and went in. - -There happened to be no customer in the shop but Jacques Three, of the -restless fingers and the croaking voice. This man, whom he had seen upon -the Jury, stood drinking at the little counter, in conversation with the -Defarges, man and wife. The Vengeance assisted in the conversation, like -a regular member of the establishment. - -As Carton walked in, took his seat and asked (in very indifferent -French) for a small measure of wine, Madame Defarge cast a careless -glance at him, and then a keener, and then a keener, and then advanced -to him herself, and asked him what it was he had ordered. - -He repeated what he had already said. - -“English?” asked Madame Defarge, inquisitively raising her dark -eyebrows. - -After looking at her, as if the sound of even a single French word were -slow to express itself to him, he answered, in his former strong foreign -accent. “Yes, madame, yes. I am English!” - -Madame Defarge returned to her counter to get the wine, and, as he -took up a Jacobin journal and feigned to pore over it puzzling out its -meaning, he heard her say, “I swear to you, like Evremonde!” - -Defarge brought him the wine, and gave him Good Evening. - -“How?” - -“Good evening.” - -“Oh! Good evening, citizen,” filling his glass. “Ah! and good wine. I -drink to the Republic.” - -Defarge went back to the counter, and said, “Certainly, a little like.” - Madame sternly retorted, “I tell you a good deal like.” Jacques Three -pacifically remarked, “He is so much in your mind, see you, madame.” - The amiable Vengeance added, with a laugh, “Yes, my faith! And you -are looking forward with so much pleasure to seeing him once more -to-morrow!” - -Carton followed the lines and words of his paper, with a slow -forefinger, and with a studious and absorbed face. They were all leaning -their arms on the counter close together, speaking low. After a silence -of a few moments, during which they all looked towards him without -disturbing his outward attention from the Jacobin editor, they resumed -their conversation. - -“It is true what madame says,” observed Jacques Three. “Why stop? There -is great force in that. Why stop?” - -“Well, well,” reasoned Defarge, “but one must stop somewhere. After all, -the question is still where?” - -“At extermination,” said madame. - -“Magnificent!” croaked Jacques Three. The Vengeance, also, highly -approved. - -“Extermination is good doctrine, my wife,” said Defarge, rather -troubled; “in general, I say nothing against it. But this Doctor has -suffered much; you have seen him to-day; you have observed his face when -the paper was read.” - -“I have observed his face!” repeated madame, contemptuously and angrily. -“Yes. I have observed his face. I have observed his face to be not the -face of a true friend of the Republic. Let him take care of his face!” - -“And you have observed, my wife,” said Defarge, in a deprecatory manner, -“the anguish of his daughter, which must be a dreadful anguish to him!” - -“I have observed his daughter,” repeated madame; “yes, I have observed -his daughter, more times than one. I have observed her to-day, and I -have observed her other days. I have observed her in the court, and -I have observed her in the street by the prison. Let me but lift my -finger--!” She seemed to raise it (the listener's eyes were always on -his paper), and to let it fall with a rattle on the ledge before her, as -if the axe had dropped. - -“The citizeness is superb!” croaked the Juryman. - -“She is an Angel!” said The Vengeance, and embraced her. - -“As to thee,” pursued madame, implacably, addressing her husband, “if it -depended on thee--which, happily, it does not--thou wouldst rescue this -man even now.” - -“No!” protested Defarge. “Not if to lift this glass would do it! But I -would leave the matter there. I say, stop there.” - -“See you then, Jacques,” said Madame Defarge, wrathfully; “and see you, -too, my little Vengeance; see you both! Listen! For other crimes as -tyrants and oppressors, I have this race a long time on my register, -doomed to destruction and extermination. Ask my husband, is that so.” - -“It is so,” assented Defarge, without being asked. - -“In the beginning of the great days, when the Bastille falls, he finds -this paper of to-day, and he brings it home, and in the middle of the -night when this place is clear and shut, we read it, here on this spot, -by the light of this lamp. Ask him, is that so.” - -“It is so,” assented Defarge. - -“That night, I tell him, when the paper is read through, and the lamp is -burnt out, and the day is gleaming in above those shutters and between -those iron bars, that I have now a secret to communicate. Ask him, is -that so.” - -“It is so,” assented Defarge again. - -“I communicate to him that secret. I smite this bosom with these two -hands as I smite it now, and I tell him, 'Defarge, I was brought up -among the fishermen of the sea-shore, and that peasant family so injured -by the two Evremonde brothers, as that Bastille paper describes, is my -family. Defarge, that sister of the mortally wounded boy upon the ground -was my sister, that husband was my sister's husband, that unborn child -was their child, that brother was my brother, that father was my father, -those dead are my dead, and that summons to answer for those things -descends to me!' Ask him, is that so.” - -“It is so,” assented Defarge once more. - -“Then tell Wind and Fire where to stop,” returned madame; “but don't -tell me.” - -Both her hearers derived a horrible enjoyment from the deadly nature -of her wrath--the listener could feel how white she was, without seeing -her--and both highly commended it. Defarge, a weak minority, interposed -a few words for the memory of the compassionate wife of the Marquis; but -only elicited from his own wife a repetition of her last reply. “Tell -the Wind and the Fire where to stop; not me!” - -Customers entered, and the group was broken up. The English customer -paid for what he had had, perplexedly counted his change, and asked, as -a stranger, to be directed towards the National Palace. Madame Defarge -took him to the door, and put her arm on his, in pointing out the road. -The English customer was not without his reflections then, that it might -be a good deed to seize that arm, lift it, and strike under it sharp and -deep. - -But, he went his way, and was soon swallowed up in the shadow of the -prison wall. At the appointed hour, he emerged from it to present -himself in Mr. Lorry's room again, where he found the old gentleman -walking to and fro in restless anxiety. He said he had been with Lucie -until just now, and had only left her for a few minutes, to come and -keep his appointment. Her father had not been seen, since he quitted the -banking-house towards four o'clock. She had some faint hopes that his -mediation might save Charles, but they were very slight. He had been -more than five hours gone: where could he be? - -Mr. Lorry waited until ten; but, Doctor Manette not returning, and -he being unwilling to leave Lucie any longer, it was arranged that he -should go back to her, and come to the banking-house again at midnight. -In the meanwhile, Carton would wait alone by the fire for the Doctor. - -He waited and waited, and the clock struck twelve; but Doctor Manette -did not come back. Mr. Lorry returned, and found no tidings of him, and -brought none. Where could he be? - -They were discussing this question, and were almost building up some -weak structure of hope on his prolonged absence, when they heard him on -the stairs. The instant he entered the room, it was plain that all was -lost. - -Whether he had really been to any one, or whether he had been all that -time traversing the streets, was never known. As he stood staring at -them, they asked him no question, for his face told them everything. - -“I cannot find it,” said he, “and I must have it. Where is it?” - -His head and throat were bare, and, as he spoke with a helpless look -straying all around, he took his coat off, and let it drop on the floor. - -“Where is my bench? I have been looking everywhere for my bench, and I -can't find it. What have they done with my work? Time presses: I must -finish those shoes.” - -They looked at one another, and their hearts died within them. - -“Come, come!” said he, in a whimpering miserable way; “let me get to -work. Give me my work.” - -Receiving no answer, he tore his hair, and beat his feet upon the -ground, like a distracted child. - -“Don't torture a poor forlorn wretch,” he implored them, with a dreadful -cry; “but give me my work! What is to become of us, if those shoes are -not done to-night?” - -Lost, utterly lost! - -It was so clearly beyond hope to reason with him, or try to restore him, -that--as if by agreement--they each put a hand upon his shoulder, and -soothed him to sit down before the fire, with a promise that he should -have his work presently. He sank into the chair, and brooded over the -embers, and shed tears. As if all that had happened since the garret -time were a momentary fancy, or a dream, Mr. Lorry saw him shrink into -the exact figure that Defarge had had in keeping. - -Affected, and impressed with terror as they both were, by this spectacle -of ruin, it was not a time to yield to such emotions. His lonely -daughter, bereft of her final hope and reliance, appealed to them both -too strongly. Again, as if by agreement, they looked at one another with -one meaning in their faces. Carton was the first to speak: - -“The last chance is gone: it was not much. Yes; he had better be taken -to her. But, before you go, will you, for a moment, steadily attend to -me? Don't ask me why I make the stipulations I am going to make, and -exact the promise I am going to exact; I have a reason--a good one.” - -“I do not doubt it,” answered Mr. Lorry. “Say on.” - -The figure in the chair between them, was all the time monotonously -rocking itself to and fro, and moaning. They spoke in such a tone as -they would have used if they had been watching by a sick-bed in the -night. - -Carton stooped to pick up the coat, which lay almost entangling his -feet. As he did so, a small case in which the Doctor was accustomed to -carry the lists of his day's duties, fell lightly on the floor. Carton -took it up, and there was a folded paper in it. “We should look -at this!” he said. Mr. Lorry nodded his consent. He opened it, and -exclaimed, “Thank _God!_” - -“What is it?” asked Mr. Lorry, eagerly. - -“A moment! Let me speak of it in its place. First,” he put his hand in -his coat, and took another paper from it, “that is the certificate which -enables me to pass out of this city. Look at it. You see--Sydney Carton, -an Englishman?” - -Mr. Lorry held it open in his hand, gazing in his earnest face. - -“Keep it for me until to-morrow. I shall see him to-morrow, you -remember, and I had better not take it into the prison.” - -“Why not?” - -“I don't know; I prefer not to do so. Now, take this paper that Doctor -Manette has carried about him. It is a similar certificate, enabling him -and his daughter and her child, at any time, to pass the barrier and the -frontier! You see?” - -“Yes!” - -“Perhaps he obtained it as his last and utmost precaution against evil, -yesterday. When is it dated? But no matter; don't stay to look; put it -up carefully with mine and your own. Now, observe! I never doubted until -within this hour or two, that he had, or could have such a paper. It is -good, until recalled. But it may be soon recalled, and, I have reason to -think, will be.” - -“They are not in danger?” - -“They are in great danger. They are in danger of denunciation by Madame -Defarge. I know it from her own lips. I have overheard words of that -woman's, to-night, which have presented their danger to me in strong -colours. I have lost no time, and since then, I have seen the spy. He -confirms me. He knows that a wood-sawyer, living by the prison wall, -is under the control of the Defarges, and has been rehearsed by -Madame Defarge as to his having seen Her”--he never mentioned Lucie's -name--“making signs and signals to prisoners. It is easy to foresee that -the pretence will be the common one, a prison plot, and that it will -involve her life--and perhaps her child's--and perhaps her father's--for -both have been seen with her at that place. Don't look so horrified. You -will save them all.” - -“Heaven grant I may, Carton! But how?” - -“I am going to tell you how. It will depend on you, and it could depend -on no better man. This new denunciation will certainly not take place -until after to-morrow; probably not until two or three days afterwards; -more probably a week afterwards. You know it is a capital crime, to -mourn for, or sympathise with, a victim of the Guillotine. She and her -father would unquestionably be guilty of this crime, and this woman (the -inveteracy of whose pursuit cannot be described) would wait to add that -strength to her case, and make herself doubly sure. You follow me?” - -“So attentively, and with so much confidence in what you say, that for -the moment I lose sight,” touching the back of the Doctor's chair, “even -of this distress.” - -“You have money, and can buy the means of travelling to the seacoast -as quickly as the journey can be made. Your preparations have been -completed for some days, to return to England. Early to-morrow have your -horses ready, so that they may be in starting trim at two o'clock in the -afternoon.” - -“It shall be done!” - -His manner was so fervent and inspiring, that Mr. Lorry caught the -flame, and was as quick as youth. - -“You are a noble heart. Did I say we could depend upon no better man? -Tell her, to-night, what you know of her danger as involving her child -and her father. Dwell upon that, for she would lay her own fair head -beside her husband's cheerfully.” He faltered for an instant; then went -on as before. “For the sake of her child and her father, press upon her -the necessity of leaving Paris, with them and you, at that hour. Tell -her that it was her husband's last arrangement. Tell her that more -depends upon it than she dare believe, or hope. You think that her -father, even in this sad state, will submit himself to her; do you not?” - -“I am sure of it.” - -“I thought so. Quietly and steadily have all these arrangements made in -the courtyard here, even to the taking of your own seat in the carriage. -The moment I come to you, take me in, and drive away.” - -“I understand that I wait for you under all circumstances?” - -“You have my certificate in your hand with the rest, you know, and will -reserve my place. Wait for nothing but to have my place occupied, and -then for England!” - -“Why, then,” said Mr. Lorry, grasping his eager but so firm and steady -hand, “it does not all depend on one old man, but I shall have a young -and ardent man at my side.” - -“By the help of Heaven you shall! Promise me solemnly that nothing will -influence you to alter the course on which we now stand pledged to one -another.” - -“Nothing, Carton.” - -“Remember these words to-morrow: change the course, or delay in it--for -any reason--and no life can possibly be saved, and many lives must -inevitably be sacrificed.” - -“I will remember them. I hope to do my part faithfully.” - -“And I hope to do mine. Now, good bye!” - -Though he said it with a grave smile of earnestness, and though he even -put the old man's hand to his lips, he did not part from him then. He -helped him so far to arouse the rocking figure before the dying embers, -as to get a cloak and hat put upon it, and to tempt it forth to find -where the bench and work were hidden that it still moaningly besought -to have. He walked on the other side of it and protected it to the -courtyard of the house where the afflicted heart--so happy in -the memorable time when he had revealed his own desolate heart to -it--outwatched the awful night. He entered the courtyard and remained -there for a few moments alone, looking up at the light in the window of -her room. Before he went away, he breathed a blessing towards it, and a -Farewell. - - - - -XIII. Fifty-two - - -In the black prison of the Conciergerie, the doomed of the day awaited -their fate. They were in number as the weeks of the year. Fifty-two were -to roll that afternoon on the life-tide of the city to the boundless -everlasting sea. Before their cells were quit of them, new occupants -were appointed; before their blood ran into the blood spilled yesterday, -the blood that was to mingle with theirs to-morrow was already set -apart. - -Two score and twelve were told off. From the farmer-general of seventy, -whose riches could not buy his life, to the seamstress of twenty, whose -poverty and obscurity could not save her. Physical diseases, engendered -in the vices and neglects of men, will seize on victims of all degrees; -and the frightful moral disorder, born of unspeakable suffering, -intolerable oppression, and heartless indifference, smote equally -without distinction. - -Charles Darnay, alone in a cell, had sustained himself with no -flattering delusion since he came to it from the Tribunal. In every line -of the narrative he had heard, he had heard his condemnation. He had -fully comprehended that no personal influence could possibly save him, -that he was virtually sentenced by the millions, and that units could -avail him nothing. - -Nevertheless, it was not easy, with the face of his beloved wife fresh -before him, to compose his mind to what it must bear. His hold on life -was strong, and it was very, very hard, to loosen; by gradual efforts -and degrees unclosed a little here, it clenched the tighter there; and -when he brought his strength to bear on that hand and it yielded, -this was closed again. There was a hurry, too, in all his thoughts, -a turbulent and heated working of his heart, that contended against -resignation. If, for a moment, he did feel resigned, then his wife and -child who had to live after him, seemed to protest and to make it a -selfish thing. - -But, all this was at first. Before long, the consideration that there -was no disgrace in the fate he must meet, and that numbers went the same -road wrongfully, and trod it firmly every day, sprang up to stimulate -him. Next followed the thought that much of the future peace of mind -enjoyable by the dear ones, depended on his quiet fortitude. So, -by degrees he calmed into the better state, when he could raise his -thoughts much higher, and draw comfort down. - -Before it had set in dark on the night of his condemnation, he had -travelled thus far on his last way. Being allowed to purchase the means -of writing, and a light, he sat down to write until such time as the -prison lamps should be extinguished. - -He wrote a long letter to Lucie, showing her that he had known nothing -of her father's imprisonment, until he had heard of it from herself, -and that he had been as ignorant as she of his father's and uncle's -responsibility for that misery, until the paper had been read. He had -already explained to her that his concealment from herself of the name -he had relinquished, was the one condition--fully intelligible now--that -her father had attached to their betrothal, and was the one promise he -had still exacted on the morning of their marriage. He entreated her, -for her father's sake, never to seek to know whether her father had -become oblivious of the existence of the paper, or had had it recalled -to him (for the moment, or for good), by the story of the Tower, on -that old Sunday under the dear old plane-tree in the garden. If he had -preserved any definite remembrance of it, there could be no doubt that -he had supposed it destroyed with the Bastille, when he had found no -mention of it among the relics of prisoners which the populace had -discovered there, and which had been described to all the world. He -besought her--though he added that he knew it was needless--to console -her father, by impressing him through every tender means she could think -of, with the truth that he had done nothing for which he could justly -reproach himself, but had uniformly forgotten himself for their joint -sakes. Next to her preservation of his own last grateful love and -blessing, and her overcoming of her sorrow, to devote herself to their -dear child, he adjured her, as they would meet in Heaven, to comfort her -father. - -To her father himself, he wrote in the same strain; but, he told her -father that he expressly confided his wife and child to his care. And -he told him this, very strongly, with the hope of rousing him from any -despondency or dangerous retrospect towards which he foresaw he might be -tending. - -To Mr. Lorry, he commended them all, and explained his worldly affairs. -That done, with many added sentences of grateful friendship and warm -attachment, all was done. He never thought of Carton. His mind was so -full of the others, that he never once thought of him. - -He had time to finish these letters before the lights were put out. When -he lay down on his straw bed, he thought he had done with this world. - -But, it beckoned him back in his sleep, and showed itself in shining -forms. Free and happy, back in the old house in Soho (though it had -nothing in it like the real house), unaccountably released and light of -heart, he was with Lucie again, and she told him it was all a dream, and -he had never gone away. A pause of forgetfulness, and then he had even -suffered, and had come back to her, dead and at peace, and yet there -was no difference in him. Another pause of oblivion, and he awoke in the -sombre morning, unconscious where he was or what had happened, until it -flashed upon his mind, “this is the day of my death!” - -Thus, had he come through the hours, to the day when the fifty-two heads -were to fall. And now, while he was composed, and hoped that he could -meet the end with quiet heroism, a new action began in his waking -thoughts, which was very difficult to master. - -He had never seen the instrument that was to terminate his life. How -high it was from the ground, how many steps it had, where he would be -stood, how he would be touched, whether the touching hands would be dyed -red, which way his face would be turned, whether he would be the first, -or might be the last: these and many similar questions, in nowise -directed by his will, obtruded themselves over and over again, countless -times. Neither were they connected with fear: he was conscious of no -fear. Rather, they originated in a strange besetting desire to know what -to do when the time came; a desire gigantically disproportionate to the -few swift moments to which it referred; a wondering that was more like -the wondering of some other spirit within his, than his own. - -The hours went on as he walked to and fro, and the clocks struck the -numbers he would never hear again. Nine gone for ever, ten gone for -ever, eleven gone for ever, twelve coming on to pass away. After a hard -contest with that eccentric action of thought which had last perplexed -him, he had got the better of it. He walked up and down, softly -repeating their names to himself. The worst of the strife was over. -He could walk up and down, free from distracting fancies, praying for -himself and for them. - -Twelve gone for ever. - -He had been apprised that the final hour was Three, and he knew he would -be summoned some time earlier, inasmuch as the tumbrils jolted heavily -and slowly through the streets. Therefore, he resolved to keep Two -before his mind, as the hour, and so to strengthen himself in the -interval that he might be able, after that time, to strengthen others. - -Walking regularly to and fro with his arms folded on his breast, a very -different man from the prisoner, who had walked to and fro at La Force, -he heard One struck away from him, without surprise. The hour had -measured like most other hours. Devoutly thankful to Heaven for his -recovered self-possession, he thought, “There is but another now,” and -turned to walk again. - -Footsteps in the stone passage outside the door. He stopped. - -The key was put in the lock, and turned. Before the door was opened, or -as it opened, a man said in a low voice, in English: “He has never seen -me here; I have kept out of his way. Go you in alone; I wait near. Lose -no time!” - -The door was quickly opened and closed, and there stood before him -face to face, quiet, intent upon him, with the light of a smile on his -features, and a cautionary finger on his lip, Sydney Carton. - -There was something so bright and remarkable in his look, that, for the -first moment, the prisoner misdoubted him to be an apparition of his own -imagining. But, he spoke, and it was his voice; he took the prisoner's -hand, and it was his real grasp. - -“Of all the people upon earth, you least expected to see me?” he said. - -“I could not believe it to be you. I can scarcely believe it now. You -are not”--the apprehension came suddenly into his mind--“a prisoner?” - -“No. I am accidentally possessed of a power over one of the keepers -here, and in virtue of it I stand before you. I come from her--your -wife, dear Darnay.” - -The prisoner wrung his hand. - -“I bring you a request from her.” - -“What is it?” - -“A most earnest, pressing, and emphatic entreaty, addressed to you -in the most pathetic tones of the voice so dear to you, that you well -remember.” - -The prisoner turned his face partly aside. - -“You have no time to ask me why I bring it, or what it means; I have -no time to tell you. You must comply with it--take off those boots you -wear, and draw on these of mine.” - -There was a chair against the wall of the cell, behind the prisoner. -Carton, pressing forward, had already, with the speed of lightning, got -him down into it, and stood over him, barefoot. - -“Draw on these boots of mine. Put your hands to them; put your will to -them. Quick!” - -“Carton, there is no escaping from this place; it never can be done. You -will only die with me. It is madness.” - -“It would be madness if I asked you to escape; but do I? When I ask you -to pass out at that door, tell me it is madness and remain here. Change -that cravat for this of mine, that coat for this of mine. While you do -it, let me take this ribbon from your hair, and shake out your hair like -this of mine!” - -With wonderful quickness, and with a strength both of will and action, -that appeared quite supernatural, he forced all these changes upon him. -The prisoner was like a young child in his hands. - -“Carton! Dear Carton! It is madness. It cannot be accomplished, it never -can be done, it has been attempted, and has always failed. I implore you -not to add your death to the bitterness of mine.” - -“Do I ask you, my dear Darnay, to pass the door? When I ask that, -refuse. There are pen and ink and paper on this table. Is your hand -steady enough to write?” - -“It was when you came in.” - -“Steady it again, and write what I shall dictate. Quick, friend, quick!” - -Pressing his hand to his bewildered head, Darnay sat down at the table. -Carton, with his right hand in his breast, stood close beside him. - -“Write exactly as I speak.” - -“To whom do I address it?” - -“To no one.” Carton still had his hand in his breast. - -“Do I date it?” - -“No.” - -The prisoner looked up, at each question. Carton, standing over him with -his hand in his breast, looked down. - -“'If you remember,'” said Carton, dictating, “'the words that passed -between us, long ago, you will readily comprehend this when you see it. -You do remember them, I know. It is not in your nature to forget them.'” - -He was drawing his hand from his breast; the prisoner chancing to look -up in his hurried wonder as he wrote, the hand stopped, closing upon -something. - -“Have you written 'forget them'?” Carton asked. - -“I have. Is that a weapon in your hand?” - -“No; I am not armed.” - -“What is it in your hand?” - -“You shall know directly. Write on; there are but a few words more.” He -dictated again. “'I am thankful that the time has come, when I can prove -them. That I do so is no subject for regret or grief.'” As he said these -words with his eyes fixed on the writer, his hand slowly and softly -moved down close to the writer's face. - -The pen dropped from Darnay's fingers on the table, and he looked about -him vacantly. - -“What vapour is that?” he asked. - -“Vapour?” - -“Something that crossed me?” - -“I am conscious of nothing; there can be nothing here. Take up the pen -and finish. Hurry, hurry!” - -As if his memory were impaired, or his faculties disordered, the -prisoner made an effort to rally his attention. As he looked at Carton -with clouded eyes and with an altered manner of breathing, Carton--his -hand again in his breast--looked steadily at him. - -“Hurry, hurry!” - -The prisoner bent over the paper, once more. - -“'If it had been otherwise;'” Carton's hand was again watchfully and -softly stealing down; “'I never should have used the longer opportunity. -If it had been otherwise;'” the hand was at the prisoner's face; “'I -should but have had so much the more to answer for. If it had been -otherwise--'” Carton looked at the pen and saw it was trailing off into -unintelligible signs. - -Carton's hand moved back to his breast no more. The prisoner sprang up -with a reproachful look, but Carton's hand was close and firm at his -nostrils, and Carton's left arm caught him round the waist. For a few -seconds he faintly struggled with the man who had come to lay down his -life for him; but, within a minute or so, he was stretched insensible on -the ground. - -Quickly, but with hands as true to the purpose as his heart was, Carton -dressed himself in the clothes the prisoner had laid aside, combed back -his hair, and tied it with the ribbon the prisoner had worn. Then, he -softly called, “Enter there! Come in!” and the Spy presented himself. - -“You see?” said Carton, looking up, as he kneeled on one knee beside the -insensible figure, putting the paper in the breast: “is your hazard very -great?” - -“Mr. Carton,” the Spy answered, with a timid snap of his fingers, “my -hazard is not _that_, in the thick of business here, if you are true to -the whole of your bargain.” - -“Don't fear me. I will be true to the death.” - -“You must be, Mr. Carton, if the tale of fifty-two is to be right. Being -made right by you in that dress, I shall have no fear.” - -“Have no fear! I shall soon be out of the way of harming you, and the -rest will soon be far from here, please God! Now, get assistance and -take me to the coach.” - -“You?” said the Spy nervously. - -“Him, man, with whom I have exchanged. You go out at the gate by which -you brought me in?” - -“Of course.” - -“I was weak and faint when you brought me in, and I am fainter now you -take me out. The parting interview has overpowered me. Such a thing has -happened here, often, and too often. Your life is in your own hands. -Quick! Call assistance!” - -“You swear not to betray me?” said the trembling Spy, as he paused for a -last moment. - -“Man, man!” returned Carton, stamping his foot; “have I sworn by no -solemn vow already, to go through with this, that you waste the precious -moments now? Take him yourself to the courtyard you know of, place -him yourself in the carriage, show him yourself to Mr. Lorry, tell him -yourself to give him no restorative but air, and to remember my words of -last night, and his promise of last night, and drive away!” - -The Spy withdrew, and Carton seated himself at the table, resting his -forehead on his hands. The Spy returned immediately, with two men. - -“How, then?” said one of them, contemplating the fallen figure. “So -afflicted to find that his friend has drawn a prize in the lottery of -Sainte Guillotine?” - -“A good patriot,” said the other, “could hardly have been more afflicted -if the Aristocrat had drawn a blank.” - -They raised the unconscious figure, placed it on a litter they had -brought to the door, and bent to carry it away. - -“The time is short, Evremonde,” said the Spy, in a warning voice. - -“I know it well,” answered Carton. “Be careful of my friend, I entreat -you, and leave me.” - -“Come, then, my children,” said Barsad. “Lift him, and come away!” - -The door closed, and Carton was left alone. Straining his powers of -listening to the utmost, he listened for any sound that might denote -suspicion or alarm. There was none. Keys turned, doors clashed, -footsteps passed along distant passages: no cry was raised, or hurry -made, that seemed unusual. Breathing more freely in a little while, he -sat down at the table, and listened again until the clock struck Two. - -Sounds that he was not afraid of, for he divined their meaning, then -began to be audible. Several doors were opened in succession, and -finally his own. A gaoler, with a list in his hand, looked in, merely -saying, “Follow me, Evremonde!” and he followed into a large dark room, -at a distance. It was a dark winter day, and what with the shadows -within, and what with the shadows without, he could but dimly discern -the others who were brought there to have their arms bound. Some were -standing; some seated. Some were lamenting, and in restless motion; -but, these were few. The great majority were silent and still, looking -fixedly at the ground. - -As he stood by the wall in a dim corner, while some of the fifty-two -were brought in after him, one man stopped in passing, to embrace him, -as having a knowledge of him. It thrilled him with a great dread of -discovery; but the man went on. A very few moments after that, a young -woman, with a slight girlish form, a sweet spare face in which there was -no vestige of colour, and large widely opened patient eyes, rose from -the seat where he had observed her sitting, and came to speak to him. - -“Citizen Evremonde,” she said, touching him with her cold hand. “I am a -poor little seamstress, who was with you in La Force.” - -He murmured for answer: “True. I forget what you were accused of?” - -“Plots. Though the just Heaven knows that I am innocent of any. Is it -likely? Who would think of plotting with a poor little weak creature -like me?” - -The forlorn smile with which she said it, so touched him, that tears -started from his eyes. - -“I am not afraid to die, Citizen Evremonde, but I have done nothing. I -am not unwilling to die, if the Republic which is to do so much good -to us poor, will profit by my death; but I do not know how that can be, -Citizen Evremonde. Such a poor weak little creature!” - -As the last thing on earth that his heart was to warm and soften to, it -warmed and softened to this pitiable girl. - -“I heard you were released, Citizen Evremonde. I hoped it was true?” - -“It was. But, I was again taken and condemned.” - -“If I may ride with you, Citizen Evremonde, will you let me hold your -hand? I am not afraid, but I am little and weak, and it will give me -more courage.” - -As the patient eyes were lifted to his face, he saw a sudden doubt in -them, and then astonishment. He pressed the work-worn, hunger-worn young -fingers, and touched his lips. - -“Are you dying for him?” she whispered. - -“And his wife and child. Hush! Yes.” - -“O you will let me hold your brave hand, stranger?” - -“Hush! Yes, my poor sister; to the last.” - - ***** - -The same shadows that are falling on the prison, are falling, in that -same hour of the early afternoon, on the Barrier with the crowd about -it, when a coach going out of Paris drives up to be examined. - -“Who goes here? Whom have we within? Papers!” - -The papers are handed out, and read. - -“Alexandre Manette. Physician. French. Which is he?” - -This is he; this helpless, inarticulately murmuring, wandering old man -pointed out. - -“Apparently the Citizen-Doctor is not in his right mind? The -Revolution-fever will have been too much for him?” - -Greatly too much for him. - -“Hah! Many suffer with it. Lucie. His daughter. French. Which is she?” - -This is she. - -“Apparently it must be. Lucie, the wife of Evremonde; is it not?” - -It is. - -“Hah! Evremonde has an assignation elsewhere. Lucie, her child. English. -This is she?” - -She and no other. - -“Kiss me, child of Evremonde. Now, thou hast kissed a good Republican; -something new in thy family; remember it! Sydney Carton. Advocate. -English. Which is he?” - -He lies here, in this corner of the carriage. He, too, is pointed out. - -“Apparently the English advocate is in a swoon?” - -It is hoped he will recover in the fresher air. It is represented that -he is not in strong health, and has separated sadly from a friend who is -under the displeasure of the Republic. - -“Is that all? It is not a great deal, that! Many are under the -displeasure of the Republic, and must look out at the little window. -Jarvis Lorry. Banker. English. Which is he?” - -“I am he. Necessarily, being the last.” - -It is Jarvis Lorry who has replied to all the previous questions. It -is Jarvis Lorry who has alighted and stands with his hand on the coach -door, replying to a group of officials. They leisurely walk round the -carriage and leisurely mount the box, to look at what little luggage it -carries on the roof; the country-people hanging about, press nearer to -the coach doors and greedily stare in; a little child, carried by its -mother, has its short arm held out for it, that it may touch the wife of -an aristocrat who has gone to the Guillotine. - -“Behold your papers, Jarvis Lorry, countersigned.” - -“One can depart, citizen?” - -“One can depart. Forward, my postilions! A good journey!” - -“I salute you, citizens.--And the first danger passed!” - -These are again the words of Jarvis Lorry, as he clasps his hands, and -looks upward. There is terror in the carriage, there is weeping, there -is the heavy breathing of the insensible traveller. - -“Are we not going too slowly? Can they not be induced to go faster?” - asks Lucie, clinging to the old man. - -“It would seem like flight, my darling. I must not urge them too much; -it would rouse suspicion.” - -“Look back, look back, and see if we are pursued!” - -“The road is clear, my dearest. So far, we are not pursued.” - -Houses in twos and threes pass by us, solitary farms, ruinous buildings, -dye-works, tanneries, and the like, open country, avenues of leafless -trees. The hard uneven pavement is under us, the soft deep mud is on -either side. Sometimes, we strike into the skirting mud, to avoid the -stones that clatter us and shake us; sometimes, we stick in ruts and -sloughs there. The agony of our impatience is then so great, that in our -wild alarm and hurry we are for getting out and running--hiding--doing -anything but stopping. - -Out of the open country, in again among ruinous buildings, solitary -farms, dye-works, tanneries, and the like, cottages in twos and threes, -avenues of leafless trees. Have these men deceived us, and taken us back -by another road? Is not this the same place twice over? Thank Heaven, -no. A village. Look back, look back, and see if we are pursued! Hush! -the posting-house. - -Leisurely, our four horses are taken out; leisurely, the coach stands in -the little street, bereft of horses, and with no likelihood upon it -of ever moving again; leisurely, the new horses come into visible -existence, one by one; leisurely, the new postilions follow, sucking and -plaiting the lashes of their whips; leisurely, the old postilions count -their money, make wrong additions, and arrive at dissatisfied results. -All the time, our overfraught hearts are beating at a rate that would -far outstrip the fastest gallop of the fastest horses ever foaled. - -At length the new postilions are in their saddles, and the old are left -behind. We are through the village, up the hill, and down the hill, and -on the low watery grounds. Suddenly, the postilions exchange speech with -animated gesticulation, and the horses are pulled up, almost on their -haunches. We are pursued? - -“Ho! Within the carriage there. Speak then!” - -“What is it?” asks Mr. Lorry, looking out at window. - -“How many did they say?” - -“I do not understand you.” - -“--At the last post. How many to the Guillotine to-day?” - -“Fifty-two.” - -“I said so! A brave number! My fellow-citizen here would have it -forty-two; ten more heads are worth having. The Guillotine goes -handsomely. I love it. Hi forward. Whoop!” - -The night comes on dark. He moves more; he is beginning to revive, and -to speak intelligibly; he thinks they are still together; he asks him, -by his name, what he has in his hand. O pity us, kind Heaven, and help -us! Look out, look out, and see if we are pursued. - -The wind is rushing after us, and the clouds are flying after us, and -the moon is plunging after us, and the whole wild night is in pursuit of -us; but, so far, we are pursued by nothing else. - - - - -XIV. The Knitting Done - - -In that same juncture of time when the Fifty-Two awaited their fate -Madame Defarge held darkly ominous council with The Vengeance and -Jacques Three of the Revolutionary Jury. Not in the wine-shop did Madame -Defarge confer with these ministers, but in the shed of the wood-sawyer, -erst a mender of roads. The sawyer himself did not participate in the -conference, but abided at a little distance, like an outer satellite who -was not to speak until required, or to offer an opinion until invited. - -“But our Defarge,” said Jacques Three, “is undoubtedly a good -Republican? Eh?” - -“There is no better,” the voluble Vengeance protested in her shrill -notes, “in France.” - -“Peace, little Vengeance,” said Madame Defarge, laying her hand with -a slight frown on her lieutenant's lips, “hear me speak. My husband, -fellow-citizen, is a good Republican and a bold man; he has deserved -well of the Republic, and possesses its confidence. But my husband has -his weaknesses, and he is so weak as to relent towards this Doctor.” - -“It is a great pity,” croaked Jacques Three, dubiously shaking his head, -with his cruel fingers at his hungry mouth; “it is not quite like a good -citizen; it is a thing to regret.” - -“See you,” said madame, “I care nothing for this Doctor, I. He may wear -his head or lose it, for any interest I have in him; it is all one to -me. But, the Evremonde people are to be exterminated, and the wife and -child must follow the husband and father.” - -“She has a fine head for it,” croaked Jacques Three. “I have seen blue -eyes and golden hair there, and they looked charming when Samson held -them up.” Ogre that he was, he spoke like an epicure. - -Madame Defarge cast down her eyes, and reflected a little. - -“The child also,” observed Jacques Three, with a meditative enjoyment -of his words, “has golden hair and blue eyes. And we seldom have a child -there. It is a pretty sight!” - -“In a word,” said Madame Defarge, coming out of her short abstraction, -“I cannot trust my husband in this matter. Not only do I feel, since -last night, that I dare not confide to him the details of my projects; -but also I feel that if I delay, there is danger of his giving warning, -and then they might escape.” - -“That must never be,” croaked Jacques Three; “no one must escape. We -have not half enough as it is. We ought to have six score a day.” - -“In a word,” Madame Defarge went on, “my husband has not my reason for -pursuing this family to annihilation, and I have not his reason for -regarding this Doctor with any sensibility. I must act for myself, -therefore. Come hither, little citizen.” - -The wood-sawyer, who held her in the respect, and himself in the -submission, of mortal fear, advanced with his hand to his red cap. - -“Touching those signals, little citizen,” said Madame Defarge, sternly, -“that she made to the prisoners; you are ready to bear witness to them -this very day?” - -“Ay, ay, why not!” cried the sawyer. “Every day, in all weathers, from -two to four, always signalling, sometimes with the little one, sometimes -without. I know what I know. I have seen with my eyes.” - -He made all manner of gestures while he spoke, as if in incidental -imitation of some few of the great diversity of signals that he had -never seen. - -“Clearly plots,” said Jacques Three. “Transparently!” - -“There is no doubt of the Jury?” inquired Madame Defarge, letting her -eyes turn to him with a gloomy smile. - -“Rely upon the patriotic Jury, dear citizeness. I answer for my -fellow-Jurymen.” - -“Now, let me see,” said Madame Defarge, pondering again. “Yet once more! -Can I spare this Doctor to my husband? I have no feeling either way. Can -I spare him?” - -“He would count as one head,” observed Jacques Three, in a low voice. -“We really have not heads enough; it would be a pity, I think.” - -“He was signalling with her when I saw her,” argued Madame Defarge; “I -cannot speak of one without the other; and I must not be silent, and -trust the case wholly to him, this little citizen here. For, I am not a -bad witness.” - -The Vengeance and Jacques Three vied with each other in their fervent -protestations that she was the most admirable and marvellous of -witnesses. The little citizen, not to be outdone, declared her to be a -celestial witness. - -“He must take his chance,” said Madame Defarge. “No, I cannot spare -him! You are engaged at three o'clock; you are going to see the batch of -to-day executed.--You?” - -The question was addressed to the wood-sawyer, who hurriedly replied in -the affirmative: seizing the occasion to add that he was the most ardent -of Republicans, and that he would be in effect the most desolate of -Republicans, if anything prevented him from enjoying the pleasure of -smoking his afternoon pipe in the contemplation of the droll national -barber. He was so very demonstrative herein, that he might have been -suspected (perhaps was, by the dark eyes that looked contemptuously at -him out of Madame Defarge's head) of having his small individual fears -for his own personal safety, every hour in the day. - -“I,” said madame, “am equally engaged at the same place. After it is -over--say at eight to-night--come you to me, in Saint Antoine, and we -will give information against these people at my Section.” - -The wood-sawyer said he would be proud and flattered to attend the -citizeness. The citizeness looking at him, he became embarrassed, evaded -her glance as a small dog would have done, retreated among his wood, and -hid his confusion over the handle of his saw. - -Madame Defarge beckoned the Juryman and The Vengeance a little nearer to -the door, and there expounded her further views to them thus: - -“She will now be at home, awaiting the moment of his death. She will -be mourning and grieving. She will be in a state of mind to impeach the -justice of the Republic. She will be full of sympathy with its enemies. -I will go to her.” - -“What an admirable woman; what an adorable woman!” exclaimed Jacques -Three, rapturously. “Ah, my cherished!” cried The Vengeance; and -embraced her. - -“Take you my knitting,” said Madame Defarge, placing it in her -lieutenant's hands, “and have it ready for me in my usual seat. Keep -me my usual chair. Go you there, straight, for there will probably be a -greater concourse than usual, to-day.” - -“I willingly obey the orders of my Chief,” said The Vengeance with -alacrity, and kissing her cheek. “You will not be late?” - -“I shall be there before the commencement.” - -“And before the tumbrils arrive. Be sure you are there, my soul,” said -The Vengeance, calling after her, for she had already turned into the -street, “before the tumbrils arrive!” - -Madame Defarge slightly waved her hand, to imply that she heard, and -might be relied upon to arrive in good time, and so went through the -mud, and round the corner of the prison wall. The Vengeance and the -Juryman, looking after her as she walked away, were highly appreciative -of her fine figure, and her superb moral endowments. - -There were many women at that time, upon whom the time laid a dreadfully -disfiguring hand; but, there was not one among them more to be dreaded -than this ruthless woman, now taking her way along the streets. Of a -strong and fearless character, of shrewd sense and readiness, of great -determination, of that kind of beauty which not only seems to impart -to its possessor firmness and animosity, but to strike into others an -instinctive recognition of those qualities; the troubled time would have -heaved her up, under any circumstances. But, imbued from her childhood -with a brooding sense of wrong, and an inveterate hatred of a class, -opportunity had developed her into a tigress. She was absolutely without -pity. If she had ever had the virtue in her, it had quite gone out of -her. - -It was nothing to her, that an innocent man was to die for the sins of -his forefathers; she saw, not him, but them. It was nothing to her, that -his wife was to be made a widow and his daughter an orphan; that was -insufficient punishment, because they were her natural enemies and -her prey, and as such had no right to live. To appeal to her, was made -hopeless by her having no sense of pity, even for herself. If she had -been laid low in the streets, in any of the many encounters in which -she had been engaged, she would not have pitied herself; nor, if she had -been ordered to the axe to-morrow, would she have gone to it with any -softer feeling than a fierce desire to change places with the man who -sent her there. - -Such a heart Madame Defarge carried under her rough robe. Carelessly -worn, it was a becoming robe enough, in a certain weird way, and her -dark hair looked rich under her coarse red cap. Lying hidden in her -bosom, was a loaded pistol. Lying hidden at her waist, was a sharpened -dagger. Thus accoutred, and walking with the confident tread of such -a character, and with the supple freedom of a woman who had habitually -walked in her girlhood, bare-foot and bare-legged, on the brown -sea-sand, Madame Defarge took her way along the streets. - -Now, when the journey of the travelling coach, at that very moment -waiting for the completion of its load, had been planned out last night, -the difficulty of taking Miss Pross in it had much engaged Mr. Lorry's -attention. It was not merely desirable to avoid overloading the coach, -but it was of the highest importance that the time occupied in examining -it and its passengers, should be reduced to the utmost; since their -escape might depend on the saving of only a few seconds here and there. -Finally, he had proposed, after anxious consideration, that Miss Pross -and Jerry, who were at liberty to leave the city, should leave it at -three o'clock in the lightest-wheeled conveyance known to that period. -Unencumbered with luggage, they would soon overtake the coach, and, -passing it and preceding it on the road, would order its horses in -advance, and greatly facilitate its progress during the precious hours -of the night, when delay was the most to be dreaded. - -Seeing in this arrangement the hope of rendering real service in that -pressing emergency, Miss Pross hailed it with joy. She and Jerry had -beheld the coach start, had known who it was that Solomon brought, had -passed some ten minutes in tortures of suspense, and were now concluding -their arrangements to follow the coach, even as Madame Defarge, -taking her way through the streets, now drew nearer and nearer to the -else-deserted lodging in which they held their consultation. - -“Now what do you think, Mr. Cruncher,” said Miss Pross, whose agitation -was so great that she could hardly speak, or stand, or move, or live: -“what do you think of our not starting from this courtyard? Another -carriage having already gone from here to-day, it might awaken -suspicion.” - -“My opinion, miss,” returned Mr. Cruncher, “is as you're right. Likewise -wot I'll stand by you, right or wrong.” - -“I am so distracted with fear and hope for our precious creatures,” said -Miss Pross, wildly crying, “that I am incapable of forming any plan. Are -_you_ capable of forming any plan, my dear good Mr. Cruncher?” - -“Respectin' a future spear o' life, miss,” returned Mr. Cruncher, “I -hope so. Respectin' any present use o' this here blessed old head o' -mine, I think not. Would you do me the favour, miss, to take notice o' -two promises and wows wot it is my wishes fur to record in this here -crisis?” - -“Oh, for gracious sake!” cried Miss Pross, still wildly crying, “record -them at once, and get them out of the way, like an excellent man.” - -“First,” said Mr. Cruncher, who was all in a tremble, and who spoke with -an ashy and solemn visage, “them poor things well out o' this, never no -more will I do it, never no more!” - -“I am quite sure, Mr. Cruncher,” returned Miss Pross, “that you -never will do it again, whatever it is, and I beg you not to think it -necessary to mention more particularly what it is.” - -“No, miss,” returned Jerry, “it shall not be named to you. Second: them -poor things well out o' this, and never no more will I interfere with -Mrs. Cruncher's flopping, never no more!” - -“Whatever housekeeping arrangement that may be,” said Miss Pross, -striving to dry her eyes and compose herself, “I have no doubt it -is best that Mrs. Cruncher should have it entirely under her own -superintendence.--O my poor darlings!” - -“I go so far as to say, miss, moreover,” proceeded Mr. Cruncher, with a -most alarming tendency to hold forth as from a pulpit--“and let my words -be took down and took to Mrs. Cruncher through yourself--that wot my -opinions respectin' flopping has undergone a change, and that wot I only -hope with all my heart as Mrs. Cruncher may be a flopping at the present -time.” - -“There, there, there! I hope she is, my dear man,” cried the distracted -Miss Pross, “and I hope she finds it answering her expectations.” - -“Forbid it,” proceeded Mr. Cruncher, with additional solemnity, -additional slowness, and additional tendency to hold forth and hold -out, “as anything wot I have ever said or done should be wisited on my -earnest wishes for them poor creeturs now! Forbid it as we shouldn't all -flop (if it was anyways conwenient) to get 'em out o' this here dismal -risk! Forbid it, miss! Wot I say, for-_bid_ it!” This was Mr. Cruncher's -conclusion after a protracted but vain endeavour to find a better one. - -And still Madame Defarge, pursuing her way along the streets, came -nearer and nearer. - -“If we ever get back to our native land,” said Miss Pross, “you may rely -upon my telling Mrs. Cruncher as much as I may be able to remember and -understand of what you have so impressively said; and at all events -you may be sure that I shall bear witness to your being thoroughly in -earnest at this dreadful time. Now, pray let us think! My esteemed Mr. -Cruncher, let us think!” - -Still, Madame Defarge, pursuing her way along the streets, came nearer -and nearer. - -“If you were to go before,” said Miss Pross, “and stop the vehicle and -horses from coming here, and were to wait somewhere for me; wouldn't -that be best?” - -Mr. Cruncher thought it might be best. - -“Where could you wait for me?” asked Miss Pross. - -Mr. Cruncher was so bewildered that he could think of no locality but -Temple Bar. Alas! Temple Bar was hundreds of miles away, and Madame -Defarge was drawing very near indeed. - -“By the cathedral door,” said Miss Pross. “Would it be much out of -the way, to take me in, near the great cathedral door between the two -towers?” - -“No, miss,” answered Mr. Cruncher. - -“Then, like the best of men,” said Miss Pross, “go to the posting-house -straight, and make that change.” - -“I am doubtful,” said Mr. Cruncher, hesitating and shaking his head, -“about leaving of you, you see. We don't know what may happen.” - -“Heaven knows we don't,” returned Miss Pross, “but have no fear for me. -Take me in at the cathedral, at Three o'Clock, or as near it as you can, -and I am sure it will be better than our going from here. I feel certain -of it. There! Bless you, Mr. Cruncher! Think-not of me, but of the lives -that may depend on both of us!” - -This exordium, and Miss Pross's two hands in quite agonised entreaty -clasping his, decided Mr. Cruncher. With an encouraging nod or two, he -immediately went out to alter the arrangements, and left her by herself -to follow as she had proposed. - -The having originated a precaution which was already in course of -execution, was a great relief to Miss Pross. The necessity of composing -her appearance so that it should attract no special notice in the -streets, was another relief. She looked at her watch, and it was twenty -minutes past two. She had no time to lose, but must get ready at once. - -Afraid, in her extreme perturbation, of the loneliness of the deserted -rooms, and of half-imagined faces peeping from behind every open door -in them, Miss Pross got a basin of cold water and began laving her eyes, -which were swollen and red. Haunted by her feverish apprehensions, she -could not bear to have her sight obscured for a minute at a time by the -dripping water, but constantly paused and looked round to see that there -was no one watching her. In one of those pauses she recoiled and cried -out, for she saw a figure standing in the room. - -The basin fell to the ground broken, and the water flowed to the feet of -Madame Defarge. By strange stern ways, and through much staining blood, -those feet had come to meet that water. - -Madame Defarge looked coldly at her, and said, “The wife of Evremonde; -where is she?” - -It flashed upon Miss Pross's mind that the doors were all standing open, -and would suggest the flight. Her first act was to shut them. There were -four in the room, and she shut them all. She then placed herself before -the door of the chamber which Lucie had occupied. - -Madame Defarge's dark eyes followed her through this rapid movement, -and rested on her when it was finished. Miss Pross had nothing beautiful -about her; years had not tamed the wildness, or softened the grimness, -of her appearance; but, she too was a determined woman in her different -way, and she measured Madame Defarge with her eyes, every inch. - -“You might, from your appearance, be the wife of Lucifer,” said Miss -Pross, in her breathing. “Nevertheless, you shall not get the better of -me. I am an Englishwoman.” - -Madame Defarge looked at her scornfully, but still with something of -Miss Pross's own perception that they two were at bay. She saw a tight, -hard, wiry woman before her, as Mr. Lorry had seen in the same figure a -woman with a strong hand, in the years gone by. She knew full well that -Miss Pross was the family's devoted friend; Miss Pross knew full well -that Madame Defarge was the family's malevolent enemy. - -“On my way yonder,” said Madame Defarge, with a slight movement of -her hand towards the fatal spot, “where they reserve my chair and my -knitting for me, I am come to make my compliments to her in passing. I -wish to see her.” - -“I know that your intentions are evil,” said Miss Pross, “and you may -depend upon it, I'll hold my own against them.” - -Each spoke in her own language; neither understood the other's words; -both were very watchful, and intent to deduce from look and manner, what -the unintelligible words meant. - -“It will do her no good to keep herself concealed from me at this -moment,” said Madame Defarge. “Good patriots will know what that means. -Let me see her. Go tell her that I wish to see her. Do you hear?” - -“If those eyes of yours were bed-winches,” returned Miss Pross, “and I -was an English four-poster, they shouldn't loose a splinter of me. No, -you wicked foreign woman; I am your match.” - -Madame Defarge was not likely to follow these idiomatic remarks in -detail; but, she so far understood them as to perceive that she was set -at naught. - -“Woman imbecile and pig-like!” said Madame Defarge, frowning. “I take no -answer from you. I demand to see her. Either tell her that I demand -to see her, or stand out of the way of the door and let me go to her!” - This, with an angry explanatory wave of her right arm. - -“I little thought,” said Miss Pross, “that I should ever want to -understand your nonsensical language; but I would give all I have, -except the clothes I wear, to know whether you suspect the truth, or any -part of it.” - -Neither of them for a single moment released the other's eyes. Madame -Defarge had not moved from the spot where she stood when Miss Pross -first became aware of her; but, she now advanced one step. - -“I am a Briton,” said Miss Pross, “I am desperate. I don't care an -English Twopence for myself. I know that the longer I keep you here, the -greater hope there is for my Ladybird. I'll not leave a handful of that -dark hair upon your head, if you lay a finger on me!” - -Thus Miss Pross, with a shake of her head and a flash of her eyes -between every rapid sentence, and every rapid sentence a whole breath. -Thus Miss Pross, who had never struck a blow in her life. - -But, her courage was of that emotional nature that it brought the -irrepressible tears into her eyes. This was a courage that Madame -Defarge so little comprehended as to mistake for weakness. “Ha, ha!” she -laughed, “you poor wretch! What are you worth! I address myself to that -Doctor.” Then she raised her voice and called out, “Citizen Doctor! Wife -of Evremonde! Child of Evremonde! Any person but this miserable fool, -answer the Citizeness Defarge!” - -Perhaps the following silence, perhaps some latent disclosure in the -expression of Miss Pross's face, perhaps a sudden misgiving apart from -either suggestion, whispered to Madame Defarge that they were gone. -Three of the doors she opened swiftly, and looked in. - -“Those rooms are all in disorder, there has been hurried packing, there -are odds and ends upon the ground. There is no one in that room behind -you! Let me look.” - -“Never!” said Miss Pross, who understood the request as perfectly as -Madame Defarge understood the answer. - -“If they are not in that room, they are gone, and can be pursued and -brought back,” said Madame Defarge to herself. - -“As long as you don't know whether they are in that room or not, you are -uncertain what to do,” said Miss Pross to herself; “and you shall not -know that, if I can prevent your knowing it; and know that, or not know -that, you shall not leave here while I can hold you.” - -“I have been in the streets from the first, nothing has stopped me, -I will tear you to pieces, but I will have you from that door,” said -Madame Defarge. - -“We are alone at the top of a high house in a solitary courtyard, we are -not likely to be heard, and I pray for bodily strength to keep you here, -while every minute you are here is worth a hundred thousand guineas to -my darling,” said Miss Pross. - -Madame Defarge made at the door. Miss Pross, on the instinct of the -moment, seized her round the waist in both her arms, and held her tight. -It was in vain for Madame Defarge to struggle and to strike; Miss Pross, -with the vigorous tenacity of love, always so much stronger than hate, -clasped her tight, and even lifted her from the floor in the struggle -that they had. The two hands of Madame Defarge buffeted and tore her -face; but, Miss Pross, with her head down, held her round the waist, and -clung to her with more than the hold of a drowning woman. - -Soon, Madame Defarge's hands ceased to strike, and felt at her encircled -waist. “It is under my arm,” said Miss Pross, in smothered tones, “you -shall not draw it. I am stronger than you, I bless Heaven for it. I hold -you till one or other of us faints or dies!” - -Madame Defarge's hands were at her bosom. Miss Pross looked up, saw -what it was, struck at it, struck out a flash and a crash, and stood -alone--blinded with smoke. - -All this was in a second. As the smoke cleared, leaving an awful -stillness, it passed out on the air, like the soul of the furious woman -whose body lay lifeless on the ground. - -In the first fright and horror of her situation, Miss Pross passed the -body as far from it as she could, and ran down the stairs to call for -fruitless help. Happily, she bethought herself of the consequences of -what she did, in time to check herself and go back. It was dreadful to -go in at the door again; but, she did go in, and even went near it, to -get the bonnet and other things that she must wear. These she put on, -out on the staircase, first shutting and locking the door and taking -away the key. She then sat down on the stairs a few moments to breathe -and to cry, and then got up and hurried away. - -By good fortune she had a veil on her bonnet, or she could hardly have -gone along the streets without being stopped. By good fortune, too, she -was naturally so peculiar in appearance as not to show disfigurement -like any other woman. She needed both advantages, for the marks of -gripping fingers were deep in her face, and her hair was torn, and her -dress (hastily composed with unsteady hands) was clutched and dragged a -hundred ways. - -In crossing the bridge, she dropped the door key in the river. Arriving -at the cathedral some few minutes before her escort, and waiting there, -she thought, what if the key were already taken in a net, what if -it were identified, what if the door were opened and the remains -discovered, what if she were stopped at the gate, sent to prison, and -charged with murder! In the midst of these fluttering thoughts, the -escort appeared, took her in, and took her away. - -“Is there any noise in the streets?” she asked him. - -“The usual noises,” Mr. Cruncher replied; and looked surprised by the -question and by her aspect. - -“I don't hear you,” said Miss Pross. “What do you say?” - -It was in vain for Mr. Cruncher to repeat what he said; Miss Pross could -not hear him. “So I'll nod my head,” thought Mr. Cruncher, amazed, “at -all events she'll see that.” And she did. - -“Is there any noise in the streets now?” asked Miss Pross again, -presently. - -Again Mr. Cruncher nodded his head. - -“I don't hear it.” - -“Gone deaf in an hour?” said Mr. Cruncher, ruminating, with his mind -much disturbed; “wot's come to her?” - -“I feel,” said Miss Pross, “as if there had been a flash and a crash, -and that crash was the last thing I should ever hear in this life.” - -“Blest if she ain't in a queer condition!” said Mr. Cruncher, more and -more disturbed. “Wot can she have been a takin', to keep her courage up? -Hark! There's the roll of them dreadful carts! You can hear that, miss?” - -“I can hear,” said Miss Pross, seeing that he spoke to her, “nothing. O, -my good man, there was first a great crash, and then a great stillness, -and that stillness seems to be fixed and unchangeable, never to be -broken any more as long as my life lasts.” - -“If she don't hear the roll of those dreadful carts, now very nigh their -journey's end,” said Mr. Cruncher, glancing over his shoulder, “it's my -opinion that indeed she never will hear anything else in this world.” - -And indeed she never did. - - - - -XV. The Footsteps Die Out For Ever - - -Along the Paris streets, the death-carts rumble, hollow and harsh. Six -tumbrils carry the day's wine to La Guillotine. All the devouring and -insatiate Monsters imagined since imagination could record itself, -are fused in the one realisation, Guillotine. And yet there is not in -France, with its rich variety of soil and climate, a blade, a leaf, -a root, a sprig, a peppercorn, which will grow to maturity under -conditions more certain than those that have produced this horror. Crush -humanity out of shape once more, under similar hammers, and it will -twist itself into the same tortured forms. Sow the same seed of -rapacious license and oppression over again, and it will surely yield -the same fruit according to its kind. - -Six tumbrils roll along the streets. Change these back again to what -they were, thou powerful enchanter, Time, and they shall be seen to be -the carriages of absolute monarchs, the equipages of feudal nobles, the -toilettes of flaring Jezebels, the churches that are not my father's -house but dens of thieves, the huts of millions of starving peasants! -No; the great magician who majestically works out the appointed order -of the Creator, never reverses his transformations. “If thou be changed -into this shape by the will of God,” say the seers to the enchanted, in -the wise Arabian stories, “then remain so! But, if thou wear this -form through mere passing conjuration, then resume thy former aspect!” - Changeless and hopeless, the tumbrils roll along. - -As the sombre wheels of the six carts go round, they seem to plough up -a long crooked furrow among the populace in the streets. Ridges of faces -are thrown to this side and to that, and the ploughs go steadily onward. -So used are the regular inhabitants of the houses to the spectacle, that -in many windows there are no people, and in some the occupation of the -hands is not so much as suspended, while the eyes survey the faces in -the tumbrils. Here and there, the inmate has visitors to see the sight; -then he points his finger, with something of the complacency of a -curator or authorised exponent, to this cart and to this, and seems to -tell who sat here yesterday, and who there the day before. - -Of the riders in the tumbrils, some observe these things, and all -things on their last roadside, with an impassive stare; others, with -a lingering interest in the ways of life and men. Some, seated with -drooping heads, are sunk in silent despair; again, there are some so -heedful of their looks that they cast upon the multitude such glances as -they have seen in theatres, and in pictures. Several close their eyes, -and think, or try to get their straying thoughts together. Only one, and -he a miserable creature, of a crazed aspect, is so shattered and made -drunk by horror, that he sings, and tries to dance. Not one of the whole -number appeals by look or gesture, to the pity of the people. - -There is a guard of sundry horsemen riding abreast of the tumbrils, -and faces are often turned up to some of them, and they are asked some -question. It would seem to be always the same question, for, it is -always followed by a press of people towards the third cart. The -horsemen abreast of that cart, frequently point out one man in it with -their swords. The leading curiosity is, to know which is he; he stands -at the back of the tumbril with his head bent down, to converse with a -mere girl who sits on the side of the cart, and holds his hand. He has -no curiosity or care for the scene about him, and always speaks to the -girl. Here and there in the long street of St. Honore, cries are raised -against him. If they move him at all, it is only to a quiet smile, as he -shakes his hair a little more loosely about his face. He cannot easily -touch his face, his arms being bound. - -On the steps of a church, awaiting the coming-up of the tumbrils, stands -the Spy and prison-sheep. He looks into the first of them: not there. -He looks into the second: not there. He already asks himself, “Has he -sacrificed me?” when his face clears, as he looks into the third. - -“Which is Evremonde?” says a man behind him. - -“That. At the back there.” - -“With his hand in the girl's?” - -“Yes.” - -The man cries, “Down, Evremonde! To the Guillotine all aristocrats! -Down, Evremonde!” - -“Hush, hush!” the Spy entreats him, timidly. - -“And why not, citizen?” - -“He is going to pay the forfeit: it will be paid in five minutes more. -Let him be at peace.” - -But the man continuing to exclaim, “Down, Evremonde!” the face of -Evremonde is for a moment turned towards him. Evremonde then sees the -Spy, and looks attentively at him, and goes his way. - -The clocks are on the stroke of three, and the furrow ploughed among the -populace is turning round, to come on into the place of execution, and -end. The ridges thrown to this side and to that, now crumble in and -close behind the last plough as it passes on, for all are following -to the Guillotine. In front of it, seated in chairs, as in a garden of -public diversion, are a number of women, busily knitting. On one of the -fore-most chairs, stands The Vengeance, looking about for her friend. - -“Therese!” she cries, in her shrill tones. “Who has seen her? Therese -Defarge!” - -“She never missed before,” says a knitting-woman of the sisterhood. - -“No; nor will she miss now,” cries The Vengeance, petulantly. “Therese.” - -“Louder,” the woman recommends. - -Ay! Louder, Vengeance, much louder, and still she will scarcely hear -thee. Louder yet, Vengeance, with a little oath or so added, and yet -it will hardly bring her. Send other women up and down to seek her, -lingering somewhere; and yet, although the messengers have done dread -deeds, it is questionable whether of their own wills they will go far -enough to find her! - -“Bad Fortune!” cries The Vengeance, stamping her foot in the chair, “and -here are the tumbrils! And Evremonde will be despatched in a wink, and -she not here! See her knitting in my hand, and her empty chair ready for -her. I cry with vexation and disappointment!” - -As The Vengeance descends from her elevation to do it, the tumbrils -begin to discharge their loads. The ministers of Sainte Guillotine are -robed and ready. Crash!--A head is held up, and the knitting-women who -scarcely lifted their eyes to look at it a moment ago when it could -think and speak, count One. - -The second tumbril empties and moves on; the third comes up. Crash!--And -the knitting-women, never faltering or pausing in their Work, count Two. - -The supposed Evremonde descends, and the seamstress is lifted out next -after him. He has not relinquished her patient hand in getting out, but -still holds it as he promised. He gently places her with her back to the -crashing engine that constantly whirrs up and falls, and she looks into -his face and thanks him. - -“But for you, dear stranger, I should not be so composed, for I am -naturally a poor little thing, faint of heart; nor should I have been -able to raise my thoughts to Him who was put to death, that we might -have hope and comfort here to-day. I think you were sent to me by -Heaven.” - -“Or you to me,” says Sydney Carton. “Keep your eyes upon me, dear child, -and mind no other object.” - -“I mind nothing while I hold your hand. I shall mind nothing when I let -it go, if they are rapid.” - -“They will be rapid. Fear not!” - -The two stand in the fast-thinning throng of victims, but they speak as -if they were alone. Eye to eye, voice to voice, hand to hand, heart to -heart, these two children of the Universal Mother, else so wide apart -and differing, have come together on the dark highway, to repair home -together, and to rest in her bosom. - -“Brave and generous friend, will you let me ask you one last question? I -am very ignorant, and it troubles me--just a little.” - -“Tell me what it is.” - -“I have a cousin, an only relative and an orphan, like myself, whom I -love very dearly. She is five years younger than I, and she lives in a -farmer's house in the south country. Poverty parted us, and she knows -nothing of my fate--for I cannot write--and if I could, how should I -tell her! It is better as it is.” - -“Yes, yes: better as it is.” - -“What I have been thinking as we came along, and what I am still -thinking now, as I look into your kind strong face which gives me so -much support, is this:--If the Republic really does good to the poor, -and they come to be less hungry, and in all ways to suffer less, she may -live a long time: she may even live to be old.” - -“What then, my gentle sister?” - -“Do you think:” the uncomplaining eyes in which there is so much -endurance, fill with tears, and the lips part a little more and tremble: -“that it will seem long to me, while I wait for her in the better land -where I trust both you and I will be mercifully sheltered?” - -“It cannot be, my child; there is no Time there, and no trouble there.” - -“You comfort me so much! I am so ignorant. Am I to kiss you now? Is the -moment come?” - -“Yes.” - -She kisses his lips; he kisses hers; they solemnly bless each other. -The spare hand does not tremble as he releases it; nothing worse than -a sweet, bright constancy is in the patient face. She goes next before -him--is gone; the knitting-women count Twenty-Two. - -“I am the Resurrection and the Life, saith the Lord: he that believeth -in me, though he were dead, yet shall he live: and whosoever liveth and -believeth in me shall never die.” - -The murmuring of many voices, the upturning of many faces, the pressing -on of many footsteps in the outskirts of the crowd, so that it swells -forward in a mass, like one great heave of water, all flashes away. -Twenty-Three. - - ***** - -They said of him, about the city that night, that it was the -peacefullest man's face ever beheld there. Many added that he looked -sublime and prophetic. - -One of the most remarkable sufferers by the same axe--a woman--had asked -at the foot of the same scaffold, not long before, to be allowed to -write down the thoughts that were inspiring her. If he had given any -utterance to his, and they were prophetic, they would have been these: - -“I see Barsad, and Cly, Defarge, The Vengeance, the Juryman, the Judge, -long ranks of the new oppressors who have risen on the destruction of -the old, perishing by this retributive instrument, before it shall cease -out of its present use. I see a beautiful city and a brilliant people -rising from this abyss, and, in their struggles to be truly free, in -their triumphs and defeats, through long years to come, I see the evil -of this time and of the previous time of which this is the natural -birth, gradually making expiation for itself and wearing out. - -“I see the lives for which I lay down my life, peaceful, useful, -prosperous and happy, in that England which I shall see no more. I see -Her with a child upon her bosom, who bears my name. I see her father, -aged and bent, but otherwise restored, and faithful to all men in his -healing office, and at peace. I see the good old man, so long their -friend, in ten years' time enriching them with all he has, and passing -tranquilly to his reward. - -“I see that I hold a sanctuary in their hearts, and in the hearts of -their descendants, generations hence. I see her, an old woman, weeping -for me on the anniversary of this day. I see her and her husband, their -course done, lying side by side in their last earthly bed, and I know -that each was not more honoured and held sacred in the other's soul, -than I was in the souls of both. - -“I see that child who lay upon her bosom and who bore my name, a man -winning his way up in that path of life which once was mine. I see him -winning it so well, that my name is made illustrious there by the -light of his. I see the blots I threw upon it, faded away. I see him, -fore-most of just judges and honoured men, bringing a boy of my name, -with a forehead that I know and golden hair, to this place--then fair to -look upon, with not a trace of this day's disfigurement--and I hear him -tell the child my story, with a tender and a faltering voice. - -“It is a far, far better thing that I do, than I have ever done; it is a -far, far better rest that I go to than I have ever known.” - - - - - - - - - - - -End of the Project Gutenberg EBook of A Tale of Two Cities, by Charles Dickens - -*** END OF THIS PROJECT GUTENBERG EBOOK A TALE OF TWO CITIES *** - -***** This file should be named 98-0.txt or 98-0.zip ***** -This and all associated files of various formats will be found in: - http://www.gutenberg.org/9/98/ - -Produced by Judith Boss - -Updated editions will replace the previous one--the old editions -will be renamed. - -Creating the works from public domain print editions means that no -one owns a United States copyright in these works, so the Foundation -(and you!) can copy and distribute it in the United States without -permission and without paying copyright royalties. Special rules, -set forth in the General Terms of Use part of this license, apply to -copying and distributing Project Gutenberg-tm electronic works to -protect the PROJECT GUTENBERG-tm concept and trademark. Project -Gutenberg is a registered trademark, and may not be used if you -charge for the eBooks, unless you receive specific permission. If you -do not charge anything for copies of this eBook, complying with the -rules is very easy. You may use this eBook for nearly any purpose -such as creation of derivative works, reports, performances and -research. They may be modified and printed and given away--you may do -practically ANYTHING with public domain eBooks. Redistribution is -subject to the trademark license, especially commercial -redistribution. - - - -*** START: FULL LICENSE *** - -THE FULL PROJECT GUTENBERG LICENSE -PLEASE READ THIS BEFORE YOU DISTRIBUTE OR USE THIS WORK - -To protect the Project Gutenberg-tm mission of promoting the free -distribution of electronic works, by using or distributing this work -(or any other work associated in any way with the phrase “Project -Gutenberg”), you agree to comply with all the terms of the Full Project -Gutenberg-tm License (available with this file or online at -http://gutenberg.org/license). - - -Section 1. General Terms of Use and Redistributing Project Gutenberg-tm -electronic works - -1.A. By reading or using any part of this Project Gutenberg-tm -electronic work, you indicate that you have read, understand, agree to -and accept all the terms of this license and intellectual property -(trademark/copyright) agreement. If you do not agree to abide by all -the terms of this agreement, you must cease using and return or destroy -all copies of Project Gutenberg-tm electronic works in your possession. -If you paid a fee for obtaining a copy of or access to a Project -Gutenberg-tm electronic work and you do not agree to be bound by the -terms of this agreement, you may obtain a refund from the person or -entity to whom you paid the fee as set forth in paragraph 1.E.8. - -1.B. “Project Gutenberg” is a registered trademark. It may only be -used on or associated in any way with an electronic work by people who -agree to be bound by the terms of this agreement. There are a few -things that you can do with most Project Gutenberg-tm electronic works -even without complying with the full terms of this agreement. See -paragraph 1.C below. There are a lot of things you can do with Project -Gutenberg-tm electronic works if you follow the terms of this agreement -and help preserve free future access to Project Gutenberg-tm electronic -works. See paragraph 1.E below. - -1.C. The Project Gutenberg Literary Archive Foundation (“the Foundation” - or PGLAF), owns a compilation copyright in the collection of Project -Gutenberg-tm electronic works. Nearly all the individual works in the -collection are in the public domain in the United States. If an -individual work is in the public domain in the United States and you are -located in the United States, we do not claim a right to prevent you from -copying, distributing, performing, displaying or creating derivative -works based on the work as long as all references to Project Gutenberg -are removed. Of course, we hope that you will support the Project -Gutenberg-tm mission of promoting free access to electronic works by -freely sharing Project Gutenberg-tm works in compliance with the terms of -this agreement for keeping the Project Gutenberg-tm name associated with -the work. You can easily comply with the terms of this agreement by -keeping this work in the same format with its attached full Project -Gutenberg-tm License when you share it without charge with others. - -1.D. The copyright laws of the place where you are located also govern -what you can do with this work. Copyright laws in most countries are in -a constant state of change. If you are outside the United States, check -the laws of your country in addition to the terms of this agreement -before downloading, copying, displaying, performing, distributing or -creating derivative works based on this work or any other Project -Gutenberg-tm work. The Foundation makes no representations concerning -the copyright status of any work in any country outside the United -States. - -1.E. Unless you have removed all references to Project Gutenberg: - -1.E.1. The following sentence, with active links to, or other immediate -access to, the full Project Gutenberg-tm License must appear prominently -whenever any copy of a Project Gutenberg-tm work (any work on which the -phrase “Project Gutenberg” appears, or with which the phrase “Project -Gutenberg” is associated) is accessed, displayed, performed, viewed, -copied or distributed: - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - -1.E.2. If an individual Project Gutenberg-tm electronic work is derived -from the public domain (does not contain a notice indicating that it is -posted with permission of the copyright holder), the work can be copied -and distributed to anyone in the United States without paying any fees -or charges. If you are redistributing or providing access to a work -with the phrase “Project Gutenberg” associated with or appearing on the -work, you must comply either with the requirements of paragraphs 1.E.1 -through 1.E.7 or obtain permission for the use of the work and the -Project Gutenberg-tm trademark as set forth in paragraphs 1.E.8 or -1.E.9. - -1.E.3. If an individual Project Gutenberg-tm electronic work is posted -with the permission of the copyright holder, your use and distribution -must comply with both paragraphs 1.E.1 through 1.E.7 and any additional -terms imposed by the copyright holder. Additional terms will be linked -to the Project Gutenberg-tm License for all works posted with the -permission of the copyright holder found at the beginning of this work. - -1.E.4. Do not unlink or detach or remove the full Project Gutenberg-tm -License terms from this work, or any files containing a part of this -work or any other work associated with Project Gutenberg-tm. - -1.E.5. Do not copy, display, perform, distribute or redistribute this -electronic work, or any part of this electronic work, without -prominently displaying the sentence set forth in paragraph 1.E.1 with -active links or immediate access to the full terms of the Project -Gutenberg-tm License. - -1.E.6. You may convert to and distribute this work in any binary, -compressed, marked up, nonproprietary or proprietary form, including any -word processing or hypertext form. However, if you provide access to or -distribute copies of a Project Gutenberg-tm work in a format other than -“Plain Vanilla ASCII” or other format used in the official version -posted on the official Project Gutenberg-tm web site (www.gutenberg.org), -you must, at no additional cost, fee or expense to the user, provide a -copy, a means of exporting a copy, or a means of obtaining a copy upon -request, of the work in its original “Plain Vanilla ASCII” or other -form. Any alternate format must include the full Project Gutenberg-tm -License as specified in paragraph 1.E.1. - -1.E.7. Do not charge a fee for access to, viewing, displaying, -performing, copying or distributing any Project Gutenberg-tm works -unless you comply with paragraph 1.E.8 or 1.E.9. - -1.E.8. You may charge a reasonable fee for copies of or providing -access to or distributing Project Gutenberg-tm electronic works provided -that - -- You pay a royalty fee of 20% of the gross profits you derive from - the use of Project Gutenberg-tm works calculated using the method - you already use to calculate your applicable taxes. The fee is - owed to the owner of the Project Gutenberg-tm trademark, but he - has agreed to donate royalties under this paragraph to the - Project Gutenberg Literary Archive Foundation. Royalty payments - must be paid within 60 days following each date on which you - prepare (or are legally required to prepare) your periodic tax - returns. Royalty payments should be clearly marked as such and - sent to the Project Gutenberg Literary Archive Foundation at the - address specified in Section 4, “Information about donations to - the Project Gutenberg Literary Archive Foundation.” - -- You provide a full refund of any money paid by a user who notifies - you in writing (or by e-mail) within 30 days of receipt that s/he - does not agree to the terms of the full Project Gutenberg-tm - License. You must require such a user to return or - destroy all copies of the works possessed in a physical medium - and discontinue all use of and all access to other copies of - Project Gutenberg-tm works. - -- You provide, in accordance with paragraph 1.F.3, a full refund of any - money paid for a work or a replacement copy, if a defect in the - electronic work is discovered and reported to you within 90 days - of receipt of the work. - -- You comply with all other terms of this agreement for free - distribution of Project Gutenberg-tm works. - -1.E.9. If you wish to charge a fee or distribute a Project Gutenberg-tm -electronic work or group of works on different terms than are set -forth in this agreement, you must obtain permission in writing from -both the Project Gutenberg Literary Archive Foundation and Michael -Hart, the owner of the Project Gutenberg-tm trademark. Contact the -Foundation as set forth in Section 3 below. - -1.F. - -1.F.1. Project Gutenberg volunteers and employees expend considerable -effort to identify, do copyright research on, transcribe and proofread -public domain works in creating the Project Gutenberg-tm -collection. Despite these efforts, Project Gutenberg-tm electronic -works, and the medium on which they may be stored, may contain -“Defects,” such as, but not limited to, incomplete, inaccurate or -corrupt data, transcription errors, a copyright or other intellectual -property infringement, a defective or damaged disk or other medium, a -computer virus, or computer codes that damage or cannot be read by -your equipment. - -1.F.2. LIMITED WARRANTY, DISCLAIMER OF DAMAGES - Except for the “Right -of Replacement or Refund” described in paragraph 1.F.3, the Project -Gutenberg Literary Archive Foundation, the owner of the Project -Gutenberg-tm trademark, and any other party distributing a Project -Gutenberg-tm electronic work under this agreement, disclaim all -liability to you for damages, costs and expenses, including legal -fees. YOU AGREE THAT YOU HAVE NO REMEDIES FOR NEGLIGENCE, STRICT -LIABILITY, BREACH OF WARRANTY OR BREACH OF CONTRACT EXCEPT THOSE -PROVIDED IN PARAGRAPH F3. YOU AGREE THAT THE FOUNDATION, THE -TRADEMARK OWNER, AND ANY DISTRIBUTOR UNDER THIS AGREEMENT WILL NOT BE -LIABLE TO YOU FOR ACTUAL, DIRECT, INDIRECT, CONSEQUENTIAL, PUNITIVE OR -INCIDENTAL DAMAGES EVEN IF YOU GIVE NOTICE OF THE POSSIBILITY OF SUCH -DAMAGE. - -1.F.3. LIMITED RIGHT OF REPLACEMENT OR REFUND - If you discover a -defect in this electronic work within 90 days of receiving it, you can -receive a refund of the money (if any) you paid for it by sending a -written explanation to the person you received the work from. If you -received the work on a physical medium, you must return the medium with -your written explanation. The person or entity that provided you with -the defective work may elect to provide a replacement copy in lieu of a -refund. If you received the work electronically, the person or entity -providing it to you may choose to give you a second opportunity to -receive the work electronically in lieu of a refund. If the second copy -is also defective, you may demand a refund in writing without further -opportunities to fix the problem. - -1.F.4. Except for the limited right of replacement or refund set forth -in paragraph 1.F.3, this work is provided to you 'AS-IS' WITH NO OTHER -WARRANTIES OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO -WARRANTIES OF MERCHANTIBILITY OR FITNESS FOR ANY PURPOSE. - -1.F.5. Some states do not allow disclaimers of certain implied -warranties or the exclusion or limitation of certain types of damages. -If any disclaimer or limitation set forth in this agreement violates the -law of the state applicable to this agreement, the agreement shall be -interpreted to make the maximum disclaimer or limitation permitted by -the applicable state law. The invalidity or unenforceability of any -provision of this agreement shall not void the remaining provisions. - -1.F.6. INDEMNITY - You agree to indemnify and hold the Foundation, the -trademark owner, any agent or employee of the Foundation, anyone -providing copies of Project Gutenberg-tm electronic works in accordance -with this agreement, and any volunteers associated with the production, -promotion and distribution of Project Gutenberg-tm electronic works, -harmless from all liability, costs and expenses, including legal fees, -that arise directly or indirectly from any of the following which you do -or cause to occur: (a) distribution of this or any Project Gutenberg-tm -work, (b) alteration, modification, or additions or deletions to any -Project Gutenberg-tm work, and (c) any Defect you cause. - - -Section 2. Information about the Mission of Project Gutenberg-tm - -Project Gutenberg-tm is synonymous with the free distribution of -electronic works in formats readable by the widest variety of computers -including obsolete, old, middle-aged and new computers. It exists -because of the efforts of hundreds of volunteers and donations from -people in all walks of life. - -Volunteers and financial support to provide volunteers with the -assistance they need, are critical to reaching Project Gutenberg-tm's -goals and ensuring that the Project Gutenberg-tm collection will -remain freely available for generations to come. In 2001, the Project -Gutenberg Literary Archive Foundation was created to provide a secure -and permanent future for Project Gutenberg-tm and future generations. -To learn more about the Project Gutenberg Literary Archive Foundation -and how your efforts and donations can help, see Sections 3 and 4 -and the Foundation web page at http://www.pglaf.org. - - -Section 3. Information about the Project Gutenberg Literary Archive -Foundation - -The Project Gutenberg Literary Archive Foundation is a non profit -501(c)(3) educational corporation organized under the laws of the -state of Mississippi and granted tax exempt status by the Internal -Revenue Service. The Foundation's EIN or federal tax identification -number is 64-6221541. Its 501(c)(3) letter is posted at -http://pglaf.org/fundraising. Contributions to the Project Gutenberg -Literary Archive Foundation are tax deductible to the full extent -permitted by U.S. federal laws and your state's laws. - -The Foundation's principal office is located at 4557 Melan Dr. S. -Fairbanks, AK, 99712., but its volunteers and employees are scattered -throughout numerous locations. Its business office is located at -809 North 1500 West, Salt Lake City, UT 84116, (801) 596-1887, email -business@pglaf.org. Email contact links and up to date contact -information can be found at the Foundation's web site and official -page at http://pglaf.org - -For additional contact information: - Dr. Gregory B. Newby - Chief Executive and Director - gbnewby@pglaf.org - - -Section 4. Information about Donations to the Project Gutenberg -Literary Archive Foundation - -Project Gutenberg-tm depends upon and cannot survive without wide -spread public support and donations to carry out its mission of -increasing the number of public domain and licensed works that can be -freely distributed in machine readable form accessible by the widest -array of equipment including outdated equipment. Many small donations -($1 to $5,000) are particularly important to maintaining tax exempt -status with the IRS. - -The Foundation is committed to complying with the laws regulating -charities and charitable donations in all 50 states of the United -States. Compliance requirements are not uniform and it takes a -considerable effort, much paperwork and many fees to meet and keep up -with these requirements. We do not solicit donations in locations -where we have not received written confirmation of compliance. To -SEND DONATIONS or determine the status of compliance for any -particular state visit http://pglaf.org - -While we cannot and do not solicit contributions from states where we -have not met the solicitation requirements, we know of no prohibition -against accepting unsolicited donations from donors in such states who -approach us with offers to donate. - -International donations are gratefully accepted, but we cannot make -any statements concerning tax treatment of donations received from -outside the United States. U.S. laws alone swamp our small staff. - -Please check the Project Gutenberg Web pages for current donation -methods and addresses. Donations are accepted in a number of other -ways including checks, online payments and credit card donations. -To donate, please visit: http://pglaf.org/donate - - -Section 5. General Information About Project Gutenberg-tm electronic -works. - -Professor Michael S. Hart is the originator of the Project Gutenberg-tm -concept of a library of electronic works that could be freely shared -with anyone. For thirty years, he produced and distributed Project -Gutenberg-tm eBooks with only a loose network of volunteer support. - - -Project Gutenberg-tm eBooks are often created from several printed -editions, all of which are confirmed as Public Domain in the U.S. -unless a copyright notice is included. Thus, we do not necessarily -keep eBooks in compliance with any particular paper edition. - - -Most people start at our Web site which has the main PG search facility: - - http://www.gutenberg.org - -This Web site includes information about Project Gutenberg-tm, -including how to make donations to the Project Gutenberg Literary -Archive Foundation, how to help produce our new eBooks, and how to -subscribe to our email newsletter to hear about new eBooks. - -The Project Gutenberg EBook of Pride and Prejudice, by Jane Austen - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - - -Title: Pride and Prejudice - -Author: Jane Austen - -Posting Date: August 26, 2008 [EBook #1342] -Release Date: June, 1998 -Last Updated: March 10, 2018 - -Language: English - -Character set encoding: UTF-8 - -*** START OF THIS PROJECT GUTENBERG EBOOK PRIDE AND PREJUDICE *** - - - - -Produced by Anonymous Volunteers - - - - - -PRIDE AND PREJUDICE - -By Jane Austen - - - -Chapter 1 - - -It is a truth universally acknowledged, that a single man in possession -of a good fortune, must be in want of a wife. - -However little known the feelings or views of such a man may be on his -first entering a neighbourhood, this truth is so well fixed in the minds -of the surrounding families, that he is considered the rightful property -of some one or other of their daughters. - -“My dear Mr. Bennet,” said his lady to him one day, “have you heard that -Netherfield Park is let at last?” - -Mr. Bennet replied that he had not. - -“But it is,” returned she; “for Mrs. Long has just been here, and she -told me all about it.” - -Mr. Bennet made no answer. - -“Do you not want to know who has taken it?” cried his wife impatiently. - -“_You_ want to tell me, and I have no objection to hearing it.” - -This was invitation enough. - -“Why, my dear, you must know, Mrs. Long says that Netherfield is taken -by a young man of large fortune from the north of England; that he came -down on Monday in a chaise and four to see the place, and was so much -delighted with it, that he agreed with Mr. Morris immediately; that he -is to take possession before Michaelmas, and some of his servants are to -be in the house by the end of next week.” - -“What is his name?” - -“Bingley.” - -“Is he married or single?” - -“Oh! Single, my dear, to be sure! A single man of large fortune; four or -five thousand a year. What a fine thing for our girls!” - -“How so? How can it affect them?” - -“My dear Mr. Bennet,” replied his wife, “how can you be so tiresome! You -must know that I am thinking of his marrying one of them.” - -“Is that his design in settling here?” - -“Design! Nonsense, how can you talk so! But it is very likely that he -_may_ fall in love with one of them, and therefore you must visit him as -soon as he comes.” - -“I see no occasion for that. You and the girls may go, or you may send -them by themselves, which perhaps will be still better, for as you are -as handsome as any of them, Mr. Bingley may like you the best of the -party.” - -“My dear, you flatter me. I certainly _have_ had my share of beauty, but -I do not pretend to be anything extraordinary now. When a woman has five -grown-up daughters, she ought to give over thinking of her own beauty.” - -“In such cases, a woman has not often much beauty to think of.” - -“But, my dear, you must indeed go and see Mr. Bingley when he comes into -the neighbourhood.” - -“It is more than I engage for, I assure you.” - -“But consider your daughters. Only think what an establishment it would -be for one of them. Sir William and Lady Lucas are determined to -go, merely on that account, for in general, you know, they visit no -newcomers. Indeed you must go, for it will be impossible for _us_ to -visit him if you do not.” - -“You are over-scrupulous, surely. I dare say Mr. Bingley will be very -glad to see you; and I will send a few lines by you to assure him of my -hearty consent to his marrying whichever he chooses of the girls; though -I must throw in a good word for my little Lizzy.” - -“I desire you will do no such thing. Lizzy is not a bit better than the -others; and I am sure she is not half so handsome as Jane, nor half so -good-humoured as Lydia. But you are always giving _her_ the preference.” - -“They have none of them much to recommend them,” replied he; “they are -all silly and ignorant like other girls; but Lizzy has something more of -quickness than her sisters.” - -“Mr. Bennet, how _can_ you abuse your own children in such a way? You -take delight in vexing me. You have no compassion for my poor nerves.” - -“You mistake me, my dear. I have a high respect for your nerves. They -are my old friends. I have heard you mention them with consideration -these last twenty years at least.” - -“Ah, you do not know what I suffer.” - -“But I hope you will get over it, and live to see many young men of four -thousand a year come into the neighbourhood.” - -“It will be no use to us, if twenty such should come, since you will not -visit them.” - -“Depend upon it, my dear, that when there are twenty, I will visit them -all.” - -Mr. Bennet was so odd a mixture of quick parts, sarcastic humour, -reserve, and caprice, that the experience of three-and-twenty years had -been insufficient to make his wife understand his character. _Her_ mind -was less difficult to develop. She was a woman of mean understanding, -little information, and uncertain temper. When she was discontented, -she fancied herself nervous. The business of her life was to get her -daughters married; its solace was visiting and news. - - - -Chapter 2 - - -Mr. Bennet was among the earliest of those who waited on Mr. Bingley. He -had always intended to visit him, though to the last always assuring -his wife that he should not go; and till the evening after the visit was -paid she had no knowledge of it. It was then disclosed in the following -manner. Observing his second daughter employed in trimming a hat, he -suddenly addressed her with: - -“I hope Mr. Bingley will like it, Lizzy.” - -“We are not in a way to know _what_ Mr. Bingley likes,” said her mother -resentfully, “since we are not to visit.” - -“But you forget, mamma,” said Elizabeth, “that we shall meet him at the -assemblies, and that Mrs. Long promised to introduce him.” - -“I do not believe Mrs. Long will do any such thing. She has two nieces -of her own. She is a selfish, hypocritical woman, and I have no opinion -of her.” - -“No more have I,” said Mr. Bennet; “and I am glad to find that you do -not depend on her serving you.” - -Mrs. Bennet deigned not to make any reply, but, unable to contain -herself, began scolding one of her daughters. - -“Don't keep coughing so, Kitty, for Heaven's sake! Have a little -compassion on my nerves. You tear them to pieces.” - -“Kitty has no discretion in her coughs,” said her father; “she times -them ill.” - -“I do not cough for my own amusement,” replied Kitty fretfully. “When is -your next ball to be, Lizzy?” - -“To-morrow fortnight.” - -“Aye, so it is,” cried her mother, “and Mrs. Long does not come back -till the day before; so it will be impossible for her to introduce him, -for she will not know him herself.” - -“Then, my dear, you may have the advantage of your friend, and introduce -Mr. Bingley to _her_.” - -“Impossible, Mr. Bennet, impossible, when I am not acquainted with him -myself; how can you be so teasing?” - -“I honour your circumspection. A fortnight's acquaintance is certainly -very little. One cannot know what a man really is by the end of a -fortnight. But if _we_ do not venture somebody else will; and after all, -Mrs. Long and her neices must stand their chance; and, therefore, as -she will think it an act of kindness, if you decline the office, I will -take it on myself.” - -The girls stared at their father. Mrs. Bennet said only, “Nonsense, -nonsense!” - -“What can be the meaning of that emphatic exclamation?” cried he. “Do -you consider the forms of introduction, and the stress that is laid on -them, as nonsense? I cannot quite agree with you _there_. What say you, -Mary? For you are a young lady of deep reflection, I know, and read -great books and make extracts.” - -Mary wished to say something sensible, but knew not how. - -“While Mary is adjusting her ideas,” he continued, “let us return to Mr. -Bingley.” - -“I am sick of Mr. Bingley,” cried his wife. - -“I am sorry to hear _that_; but why did not you tell me that before? If -I had known as much this morning I certainly would not have called -on him. It is very unlucky; but as I have actually paid the visit, we -cannot escape the acquaintance now.” - -The astonishment of the ladies was just what he wished; that of Mrs. -Bennet perhaps surpassing the rest; though, when the first tumult of joy -was over, she began to declare that it was what she had expected all the -while. - -“How good it was in you, my dear Mr. Bennet! But I knew I should -persuade you at last. I was sure you loved your girls too well to -neglect such an acquaintance. Well, how pleased I am! and it is such a -good joke, too, that you should have gone this morning and never said a -word about it till now.” - -“Now, Kitty, you may cough as much as you choose,” said Mr. Bennet; and, -as he spoke, he left the room, fatigued with the raptures of his wife. - -“What an excellent father you have, girls!” said she, when the door was -shut. “I do not know how you will ever make him amends for his kindness; -or me, either, for that matter. At our time of life it is not so -pleasant, I can tell you, to be making new acquaintances every day; but -for your sakes, we would do anything. Lydia, my love, though you _are_ -the youngest, I dare say Mr. Bingley will dance with you at the next -ball.” - -“Oh!” said Lydia stoutly, “I am not afraid; for though I _am_ the -youngest, I'm the tallest.” - -The rest of the evening was spent in conjecturing how soon he would -return Mr. Bennet's visit, and determining when they should ask him to -dinner. - - - -Chapter 3 - - -Not all that Mrs. Bennet, however, with the assistance of her five -daughters, could ask on the subject, was sufficient to draw from her -husband any satisfactory description of Mr. Bingley. They attacked him -in various ways--with barefaced questions, ingenious suppositions, and -distant surmises; but he eluded the skill of them all, and they were at -last obliged to accept the second-hand intelligence of their neighbour, -Lady Lucas. Her report was highly favourable. Sir William had been -delighted with him. He was quite young, wonderfully handsome, extremely -agreeable, and, to crown the whole, he meant to be at the next assembly -with a large party. Nothing could be more delightful! To be fond of -dancing was a certain step towards falling in love; and very lively -hopes of Mr. Bingley's heart were entertained. - -“If I can but see one of my daughters happily settled at Netherfield,” - said Mrs. Bennet to her husband, “and all the others equally well -married, I shall have nothing to wish for.” - -In a few days Mr. Bingley returned Mr. Bennet's visit, and sat about -ten minutes with him in his library. He had entertained hopes of being -admitted to a sight of the young ladies, of whose beauty he had -heard much; but he saw only the father. The ladies were somewhat more -fortunate, for they had the advantage of ascertaining from an upper -window that he wore a blue coat, and rode a black horse. - -An invitation to dinner was soon afterwards dispatched; and already -had Mrs. Bennet planned the courses that were to do credit to her -housekeeping, when an answer arrived which deferred it all. Mr. Bingley -was obliged to be in town the following day, and, consequently, unable -to accept the honour of their invitation, etc. Mrs. Bennet was quite -disconcerted. She could not imagine what business he could have in town -so soon after his arrival in Hertfordshire; and she began to fear that -he might be always flying about from one place to another, and never -settled at Netherfield as he ought to be. Lady Lucas quieted her fears -a little by starting the idea of his being gone to London only to get -a large party for the ball; and a report soon followed that Mr. Bingley -was to bring twelve ladies and seven gentlemen with him to the assembly. -The girls grieved over such a number of ladies, but were comforted the -day before the ball by hearing, that instead of twelve he brought only -six with him from London--his five sisters and a cousin. And when -the party entered the assembly room it consisted of only five -altogether--Mr. Bingley, his two sisters, the husband of the eldest, and -another young man. - -Mr. Bingley was good-looking and gentlemanlike; he had a pleasant -countenance, and easy, unaffected manners. His sisters were fine women, -with an air of decided fashion. His brother-in-law, Mr. Hurst, merely -looked the gentleman; but his friend Mr. Darcy soon drew the attention -of the room by his fine, tall person, handsome features, noble mien, and -the report which was in general circulation within five minutes -after his entrance, of his having ten thousand a year. The gentlemen -pronounced him to be a fine figure of a man, the ladies declared he -was much handsomer than Mr. Bingley, and he was looked at with great -admiration for about half the evening, till his manners gave a disgust -which turned the tide of his popularity; for he was discovered to be -proud; to be above his company, and above being pleased; and not all -his large estate in Derbyshire could then save him from having a most -forbidding, disagreeable countenance, and being unworthy to be compared -with his friend. - -Mr. Bingley had soon made himself acquainted with all the principal -people in the room; he was lively and unreserved, danced every dance, -was angry that the ball closed so early, and talked of giving -one himself at Netherfield. Such amiable qualities must speak for -themselves. What a contrast between him and his friend! Mr. Darcy danced -only once with Mrs. Hurst and once with Miss Bingley, declined being -introduced to any other lady, and spent the rest of the evening in -walking about the room, speaking occasionally to one of his own party. -His character was decided. He was the proudest, most disagreeable man -in the world, and everybody hoped that he would never come there again. -Amongst the most violent against him was Mrs. Bennet, whose dislike of -his general behaviour was sharpened into particular resentment by his -having slighted one of her daughters. - -Elizabeth Bennet had been obliged, by the scarcity of gentlemen, to sit -down for two dances; and during part of that time, Mr. Darcy had been -standing near enough for her to hear a conversation between him and Mr. -Bingley, who came from the dance for a few minutes, to press his friend -to join it. - -“Come, Darcy,” said he, “I must have you dance. I hate to see you -standing about by yourself in this stupid manner. You had much better -dance.” - -“I certainly shall not. You know how I detest it, unless I am -particularly acquainted with my partner. At such an assembly as this -it would be insupportable. Your sisters are engaged, and there is not -another woman in the room whom it would not be a punishment to me to -stand up with.” - -“I would not be so fastidious as you are,” cried Mr. Bingley, “for a -kingdom! Upon my honour, I never met with so many pleasant girls in -my life as I have this evening; and there are several of them you see -uncommonly pretty.” - -“_You_ are dancing with the only handsome girl in the room,” said Mr. -Darcy, looking at the eldest Miss Bennet. - -“Oh! She is the most beautiful creature I ever beheld! But there is one -of her sisters sitting down just behind you, who is very pretty, and I -dare say very agreeable. Do let me ask my partner to introduce you.” - -“Which do you mean?” and turning round he looked for a moment at -Elizabeth, till catching her eye, he withdrew his own and coldly said: -“She is tolerable, but not handsome enough to tempt _me_; I am in no -humour at present to give consequence to young ladies who are slighted -by other men. You had better return to your partner and enjoy her -smiles, for you are wasting your time with me.” - -Mr. Bingley followed his advice. Mr. Darcy walked off; and Elizabeth -remained with no very cordial feelings toward him. She told the story, -however, with great spirit among her friends; for she had a lively, -playful disposition, which delighted in anything ridiculous. - -The evening altogether passed off pleasantly to the whole family. Mrs. -Bennet had seen her eldest daughter much admired by the Netherfield -party. Mr. Bingley had danced with her twice, and she had been -distinguished by his sisters. Jane was as much gratified by this as -her mother could be, though in a quieter way. Elizabeth felt Jane's -pleasure. Mary had heard herself mentioned to Miss Bingley as the most -accomplished girl in the neighbourhood; and Catherine and Lydia had been -fortunate enough never to be without partners, which was all that they -had yet learnt to care for at a ball. They returned, therefore, in good -spirits to Longbourn, the village where they lived, and of which they -were the principal inhabitants. They found Mr. Bennet still up. With -a book he was regardless of time; and on the present occasion he had a -good deal of curiosity as to the event of an evening which had raised -such splendid expectations. He had rather hoped that his wife's views on -the stranger would be disappointed; but he soon found out that he had a -different story to hear. - -“Oh! my dear Mr. Bennet,” as she entered the room, “we have had a most -delightful evening, a most excellent ball. I wish you had been there. -Jane was so admired, nothing could be like it. Everybody said how well -she looked; and Mr. Bingley thought her quite beautiful, and danced with -her twice! Only think of _that_, my dear; he actually danced with her -twice! and she was the only creature in the room that he asked a second -time. First of all, he asked Miss Lucas. I was so vexed to see him stand -up with her! But, however, he did not admire her at all; indeed, nobody -can, you know; and he seemed quite struck with Jane as she was going -down the dance. So he inquired who she was, and got introduced, and -asked her for the two next. Then the two third he danced with Miss King, -and the two fourth with Maria Lucas, and the two fifth with Jane again, -and the two sixth with Lizzy, and the _Boulanger_--” - -“If he had had any compassion for _me_,” cried her husband impatiently, -“he would not have danced half so much! For God's sake, say no more of -his partners. Oh that he had sprained his ankle in the first dance!” - -“Oh! my dear, I am quite delighted with him. He is so excessively -handsome! And his sisters are charming women. I never in my life saw -anything more elegant than their dresses. I dare say the lace upon Mrs. -Hurst's gown--” - -Here she was interrupted again. Mr. Bennet protested against any -description of finery. She was therefore obliged to seek another branch -of the subject, and related, with much bitterness of spirit and some -exaggeration, the shocking rudeness of Mr. Darcy. - -“But I can assure you,” she added, “that Lizzy does not lose much by not -suiting _his_ fancy; for he is a most disagreeable, horrid man, not at -all worth pleasing. So high and so conceited that there was no enduring -him! He walked here, and he walked there, fancying himself so very -great! Not handsome enough to dance with! I wish you had been there, my -dear, to have given him one of your set-downs. I quite detest the man.” - - - -Chapter 4 - - -When Jane and Elizabeth were alone, the former, who had been cautious in -her praise of Mr. Bingley before, expressed to her sister just how very -much she admired him. - -“He is just what a young man ought to be,” said she, “sensible, -good-humoured, lively; and I never saw such happy manners!--so much -ease, with such perfect good breeding!” - -“He is also handsome,” replied Elizabeth, “which a young man ought -likewise to be, if he possibly can. His character is thereby complete.” - -“I was very much flattered by his asking me to dance a second time. I -did not expect such a compliment.” - -“Did not you? I did for you. But that is one great difference between -us. Compliments always take _you_ by surprise, and _me_ never. What -could be more natural than his asking you again? He could not help -seeing that you were about five times as pretty as every other woman -in the room. No thanks to his gallantry for that. Well, he certainly is -very agreeable, and I give you leave to like him. You have liked many a -stupider person.” - -“Dear Lizzy!” - -“Oh! you are a great deal too apt, you know, to like people in general. -You never see a fault in anybody. All the world are good and agreeable -in your eyes. I never heard you speak ill of a human being in your -life.” - -“I would not wish to be hasty in censuring anyone; but I always speak -what I think.” - -“I know you do; and it is _that_ which makes the wonder. With _your_ -good sense, to be so honestly blind to the follies and nonsense of -others! Affectation of candour is common enough--one meets with it -everywhere. But to be candid without ostentation or design--to take the -good of everybody's character and make it still better, and say nothing -of the bad--belongs to you alone. And so you like this man's sisters, -too, do you? Their manners are not equal to his.” - -“Certainly not--at first. But they are very pleasing women when you -converse with them. Miss Bingley is to live with her brother, and keep -his house; and I am much mistaken if we shall not find a very charming -neighbour in her.” - -Elizabeth listened in silence, but was not convinced; their behaviour at -the assembly had not been calculated to please in general; and with more -quickness of observation and less pliancy of temper than her sister, -and with a judgement too unassailed by any attention to herself, she -was very little disposed to approve them. They were in fact very fine -ladies; not deficient in good humour when they were pleased, nor in the -power of making themselves agreeable when they chose it, but proud and -conceited. They were rather handsome, had been educated in one of the -first private seminaries in town, had a fortune of twenty thousand -pounds, were in the habit of spending more than they ought, and of -associating with people of rank, and were therefore in every respect -entitled to think well of themselves, and meanly of others. They were of -a respectable family in the north of England; a circumstance more deeply -impressed on their memories than that their brother's fortune and their -own had been acquired by trade. - -Mr. Bingley inherited property to the amount of nearly a hundred -thousand pounds from his father, who had intended to purchase an -estate, but did not live to do it. Mr. Bingley intended it likewise, and -sometimes made choice of his county; but as he was now provided with a -good house and the liberty of a manor, it was doubtful to many of those -who best knew the easiness of his temper, whether he might not spend the -remainder of his days at Netherfield, and leave the next generation to -purchase. - -His sisters were anxious for his having an estate of his own; but, -though he was now only established as a tenant, Miss Bingley was by no -means unwilling to preside at his table--nor was Mrs. Hurst, who had -married a man of more fashion than fortune, less disposed to consider -his house as her home when it suited her. Mr. Bingley had not been of -age two years, when he was tempted by an accidental recommendation -to look at Netherfield House. He did look at it, and into it for -half-an-hour--was pleased with the situation and the principal -rooms, satisfied with what the owner said in its praise, and took it -immediately. - -Between him and Darcy there was a very steady friendship, in spite of -great opposition of character. Bingley was endeared to Darcy by the -easiness, openness, and ductility of his temper, though no disposition -could offer a greater contrast to his own, and though with his own he -never appeared dissatisfied. On the strength of Darcy's regard, Bingley -had the firmest reliance, and of his judgement the highest opinion. -In understanding, Darcy was the superior. Bingley was by no means -deficient, but Darcy was clever. He was at the same time haughty, -reserved, and fastidious, and his manners, though well-bred, were not -inviting. In that respect his friend had greatly the advantage. Bingley -was sure of being liked wherever he appeared, Darcy was continually -giving offense. - -The manner in which they spoke of the Meryton assembly was sufficiently -characteristic. Bingley had never met with more pleasant people or -prettier girls in his life; everybody had been most kind and attentive -to him; there had been no formality, no stiffness; he had soon felt -acquainted with all the room; and, as to Miss Bennet, he could not -conceive an angel more beautiful. Darcy, on the contrary, had seen a -collection of people in whom there was little beauty and no fashion, for -none of whom he had felt the smallest interest, and from none received -either attention or pleasure. Miss Bennet he acknowledged to be pretty, -but she smiled too much. - -Mrs. Hurst and her sister allowed it to be so--but still they admired -her and liked her, and pronounced her to be a sweet girl, and one -whom they would not object to know more of. Miss Bennet was therefore -established as a sweet girl, and their brother felt authorized by such -commendation to think of her as he chose. - - - -Chapter 5 - - -Within a short walk of Longbourn lived a family with whom the Bennets -were particularly intimate. Sir William Lucas had been formerly in trade -in Meryton, where he had made a tolerable fortune, and risen to the -honour of knighthood by an address to the king during his mayoralty. -The distinction had perhaps been felt too strongly. It had given him a -disgust to his business, and to his residence in a small market town; -and, in quitting them both, he had removed with his family to a house -about a mile from Meryton, denominated from that period Lucas Lodge, -where he could think with pleasure of his own importance, and, -unshackled by business, occupy himself solely in being civil to all -the world. For, though elated by his rank, it did not render him -supercilious; on the contrary, he was all attention to everybody. By -nature inoffensive, friendly, and obliging, his presentation at St. -James's had made him courteous. - -Lady Lucas was a very good kind of woman, not too clever to be a -valuable neighbour to Mrs. Bennet. They had several children. The eldest -of them, a sensible, intelligent young woman, about twenty-seven, was -Elizabeth's intimate friend. - -That the Miss Lucases and the Miss Bennets should meet to talk over -a ball was absolutely necessary; and the morning after the assembly -brought the former to Longbourn to hear and to communicate. - -“_You_ began the evening well, Charlotte,” said Mrs. Bennet with civil -self-command to Miss Lucas. “_You_ were Mr. Bingley's first choice.” - -“Yes; but he seemed to like his second better.” - -“Oh! you mean Jane, I suppose, because he danced with her twice. To be -sure that _did_ seem as if he admired her--indeed I rather believe he -_did_--I heard something about it--but I hardly know what--something -about Mr. Robinson.” - -“Perhaps you mean what I overheard between him and Mr. Robinson; did not -I mention it to you? Mr. Robinson's asking him how he liked our Meryton -assemblies, and whether he did not think there were a great many -pretty women in the room, and _which_ he thought the prettiest? and his -answering immediately to the last question: 'Oh! the eldest Miss Bennet, -beyond a doubt; there cannot be two opinions on that point.'” - -“Upon my word! Well, that is very decided indeed--that does seem as -if--but, however, it may all come to nothing, you know.” - -“_My_ overhearings were more to the purpose than _yours_, Eliza,” said -Charlotte. “Mr. Darcy is not so well worth listening to as his friend, -is he?--poor Eliza!--to be only just _tolerable_.” - -“I beg you would not put it into Lizzy's head to be vexed by his -ill-treatment, for he is such a disagreeable man, that it would be quite -a misfortune to be liked by him. Mrs. Long told me last night that he -sat close to her for half-an-hour without once opening his lips.” - -“Are you quite sure, ma'am?--is not there a little mistake?” said Jane. -“I certainly saw Mr. Darcy speaking to her.” - -“Aye--because she asked him at last how he liked Netherfield, and he -could not help answering her; but she said he seemed quite angry at -being spoke to.” - -“Miss Bingley told me,” said Jane, “that he never speaks much, -unless among his intimate acquaintances. With _them_ he is remarkably -agreeable.” - -“I do not believe a word of it, my dear. If he had been so very -agreeable, he would have talked to Mrs. Long. But I can guess how it -was; everybody says that he is eat up with pride, and I dare say he had -heard somehow that Mrs. Long does not keep a carriage, and had come to -the ball in a hack chaise.” - -“I do not mind his not talking to Mrs. Long,” said Miss Lucas, “but I -wish he had danced with Eliza.” - -“Another time, Lizzy,” said her mother, “I would not dance with _him_, -if I were you.” - -“I believe, ma'am, I may safely promise you _never_ to dance with him.” - -“His pride,” said Miss Lucas, “does not offend _me_ so much as pride -often does, because there is an excuse for it. One cannot wonder that so -very fine a young man, with family, fortune, everything in his favour, -should think highly of himself. If I may so express it, he has a _right_ -to be proud.” - -“That is very true,” replied Elizabeth, “and I could easily forgive -_his_ pride, if he had not mortified _mine_.” - -“Pride,” observed Mary, who piqued herself upon the solidity of her -reflections, “is a very common failing, I believe. By all that I have -ever read, I am convinced that it is very common indeed; that human -nature is particularly prone to it, and that there are very few of us -who do not cherish a feeling of self-complacency on the score of some -quality or other, real or imaginary. Vanity and pride are different -things, though the words are often used synonymously. A person may -be proud without being vain. Pride relates more to our opinion of -ourselves, vanity to what we would have others think of us.” - -“If I were as rich as Mr. Darcy,” cried a young Lucas, who came with -his sisters, “I should not care how proud I was. I would keep a pack of -foxhounds, and drink a bottle of wine a day.” - -“Then you would drink a great deal more than you ought,” said Mrs. -Bennet; “and if I were to see you at it, I should take away your bottle -directly.” - -The boy protested that she should not; she continued to declare that she -would, and the argument ended only with the visit. - - - -Chapter 6 - - -The ladies of Longbourn soon waited on those of Netherfield. The visit -was soon returned in due form. Miss Bennet's pleasing manners grew on -the goodwill of Mrs. Hurst and Miss Bingley; and though the mother was -found to be intolerable, and the younger sisters not worth speaking to, -a wish of being better acquainted with _them_ was expressed towards -the two eldest. By Jane, this attention was received with the greatest -pleasure, but Elizabeth still saw superciliousness in their treatment -of everybody, hardly excepting even her sister, and could not like them; -though their kindness to Jane, such as it was, had a value as arising in -all probability from the influence of their brother's admiration. It -was generally evident whenever they met, that he _did_ admire her and -to _her_ it was equally evident that Jane was yielding to the preference -which she had begun to entertain for him from the first, and was in a -way to be very much in love; but she considered with pleasure that it -was not likely to be discovered by the world in general, since Jane -united, with great strength of feeling, a composure of temper and a -uniform cheerfulness of manner which would guard her from the suspicions -of the impertinent. She mentioned this to her friend Miss Lucas. - -“It may perhaps be pleasant,” replied Charlotte, “to be able to impose -on the public in such a case; but it is sometimes a disadvantage to be -so very guarded. If a woman conceals her affection with the same skill -from the object of it, she may lose the opportunity of fixing him; and -it will then be but poor consolation to believe the world equally in -the dark. There is so much of gratitude or vanity in almost every -attachment, that it is not safe to leave any to itself. We can all -_begin_ freely--a slight preference is natural enough; but there are -very few of us who have heart enough to be really in love without -encouragement. In nine cases out of ten a women had better show _more_ -affection than she feels. Bingley likes your sister undoubtedly; but he -may never do more than like her, if she does not help him on.” - -“But she does help him on, as much as her nature will allow. If I can -perceive her regard for him, he must be a simpleton, indeed, not to -discover it too.” - -“Remember, Eliza, that he does not know Jane's disposition as you do.” - -“But if a woman is partial to a man, and does not endeavour to conceal -it, he must find it out.” - -“Perhaps he must, if he sees enough of her. But, though Bingley and Jane -meet tolerably often, it is never for many hours together; and, as they -always see each other in large mixed parties, it is impossible that -every moment should be employed in conversing together. Jane should -therefore make the most of every half-hour in which she can command his -attention. When she is secure of him, there will be more leisure for -falling in love as much as she chooses.” - -“Your plan is a good one,” replied Elizabeth, “where nothing is in -question but the desire of being well married, and if I were determined -to get a rich husband, or any husband, I dare say I should adopt it. But -these are not Jane's feelings; she is not acting by design. As yet, -she cannot even be certain of the degree of her own regard nor of its -reasonableness. She has known him only a fortnight. She danced four -dances with him at Meryton; she saw him one morning at his own house, -and has since dined with him in company four times. This is not quite -enough to make her understand his character.” - -“Not as you represent it. Had she merely _dined_ with him, she might -only have discovered whether he had a good appetite; but you must -remember that four evenings have also been spent together--and four -evenings may do a great deal.” - -“Yes; these four evenings have enabled them to ascertain that they -both like Vingt-un better than Commerce; but with respect to any other -leading characteristic, I do not imagine that much has been unfolded.” - -“Well,” said Charlotte, “I wish Jane success with all my heart; and -if she were married to him to-morrow, I should think she had as good a -chance of happiness as if she were to be studying his character for a -twelvemonth. Happiness in marriage is entirely a matter of chance. If -the dispositions of the parties are ever so well known to each other or -ever so similar beforehand, it does not advance their felicity in the -least. They always continue to grow sufficiently unlike afterwards to -have their share of vexation; and it is better to know as little as -possible of the defects of the person with whom you are to pass your -life.” - -“You make me laugh, Charlotte; but it is not sound. You know it is not -sound, and that you would never act in this way yourself.” - -Occupied in observing Mr. Bingley's attentions to her sister, Elizabeth -was far from suspecting that she was herself becoming an object of some -interest in the eyes of his friend. Mr. Darcy had at first scarcely -allowed her to be pretty; he had looked at her without admiration at the -ball; and when they next met, he looked at her only to criticise. But no -sooner had he made it clear to himself and his friends that she hardly -had a good feature in her face, than he began to find it was rendered -uncommonly intelligent by the beautiful expression of her dark eyes. To -this discovery succeeded some others equally mortifying. Though he had -detected with a critical eye more than one failure of perfect symmetry -in her form, he was forced to acknowledge her figure to be light and -pleasing; and in spite of his asserting that her manners were not those -of the fashionable world, he was caught by their easy playfulness. Of -this she was perfectly unaware; to her he was only the man who made -himself agreeable nowhere, and who had not thought her handsome enough -to dance with. - -He began to wish to know more of her, and as a step towards conversing -with her himself, attended to her conversation with others. His doing so -drew her notice. It was at Sir William Lucas's, where a large party were -assembled. - -“What does Mr. Darcy mean,” said she to Charlotte, “by listening to my -conversation with Colonel Forster?” - -“That is a question which Mr. Darcy only can answer.” - -“But if he does it any more I shall certainly let him know that I see -what he is about. He has a very satirical eye, and if I do not begin by -being impertinent myself, I shall soon grow afraid of him.” - -On his approaching them soon afterwards, though without seeming to have -any intention of speaking, Miss Lucas defied her friend to mention such -a subject to him; which immediately provoking Elizabeth to do it, she -turned to him and said: - -“Did you not think, Mr. Darcy, that I expressed myself uncommonly -well just now, when I was teasing Colonel Forster to give us a ball at -Meryton?” - -“With great energy; but it is always a subject which makes a lady -energetic.” - -“You are severe on us.” - -“It will be _her_ turn soon to be teased,” said Miss Lucas. “I am going -to open the instrument, Eliza, and you know what follows.” - -“You are a very strange creature by way of a friend!--always wanting me -to play and sing before anybody and everybody! If my vanity had taken -a musical turn, you would have been invaluable; but as it is, I would -really rather not sit down before those who must be in the habit of -hearing the very best performers.” On Miss Lucas's persevering, however, -she added, “Very well, if it must be so, it must.” And gravely glancing -at Mr. Darcy, “There is a fine old saying, which everybody here is of -course familiar with: 'Keep your breath to cool your porridge'; and I -shall keep mine to swell my song.” - -Her performance was pleasing, though by no means capital. After a song -or two, and before she could reply to the entreaties of several that -she would sing again, she was eagerly succeeded at the instrument by her -sister Mary, who having, in consequence of being the only plain one in -the family, worked hard for knowledge and accomplishments, was always -impatient for display. - -Mary had neither genius nor taste; and though vanity had given her -application, it had given her likewise a pedantic air and conceited -manner, which would have injured a higher degree of excellence than she -had reached. Elizabeth, easy and unaffected, had been listened to with -much more pleasure, though not playing half so well; and Mary, at the -end of a long concerto, was glad to purchase praise and gratitude by -Scotch and Irish airs, at the request of her younger sisters, who, -with some of the Lucases, and two or three officers, joined eagerly in -dancing at one end of the room. - -Mr. Darcy stood near them in silent indignation at such a mode of -passing the evening, to the exclusion of all conversation, and was too -much engrossed by his thoughts to perceive that Sir William Lucas was -his neighbour, till Sir William thus began: - -“What a charming amusement for young people this is, Mr. Darcy! There -is nothing like dancing after all. I consider it as one of the first -refinements of polished society.” - -“Certainly, sir; and it has the advantage also of being in vogue amongst -the less polished societies of the world. Every savage can dance.” - -Sir William only smiled. “Your friend performs delightfully,” he -continued after a pause, on seeing Bingley join the group; “and I doubt -not that you are an adept in the science yourself, Mr. Darcy.” - -“You saw me dance at Meryton, I believe, sir.” - -“Yes, indeed, and received no inconsiderable pleasure from the sight. Do -you often dance at St. James's?” - -“Never, sir.” - -“Do you not think it would be a proper compliment to the place?” - -“It is a compliment which I never pay to any place if I can avoid it.” - -“You have a house in town, I conclude?” - -Mr. Darcy bowed. - -“I had once had some thought of fixing in town myself--for I am fond -of superior society; but I did not feel quite certain that the air of -London would agree with Lady Lucas.” - -He paused in hopes of an answer; but his companion was not disposed -to make any; and Elizabeth at that instant moving towards them, he was -struck with the action of doing a very gallant thing, and called out to -her: - -“My dear Miss Eliza, why are you not dancing? Mr. Darcy, you must allow -me to present this young lady to you as a very desirable partner. You -cannot refuse to dance, I am sure when so much beauty is before you.” - And, taking her hand, he would have given it to Mr. Darcy who, though -extremely surprised, was not unwilling to receive it, when she instantly -drew back, and said with some discomposure to Sir William: - -“Indeed, sir, I have not the least intention of dancing. I entreat you -not to suppose that I moved this way in order to beg for a partner.” - -Mr. Darcy, with grave propriety, requested to be allowed the honour of -her hand, but in vain. Elizabeth was determined; nor did Sir William at -all shake her purpose by his attempt at persuasion. - -“You excel so much in the dance, Miss Eliza, that it is cruel to deny -me the happiness of seeing you; and though this gentleman dislikes the -amusement in general, he can have no objection, I am sure, to oblige us -for one half-hour.” - -“Mr. Darcy is all politeness,” said Elizabeth, smiling. - -“He is, indeed; but, considering the inducement, my dear Miss Eliza, -we cannot wonder at his complaisance--for who would object to such a -partner?” - -Elizabeth looked archly, and turned away. Her resistance had not -injured her with the gentleman, and he was thinking of her with some -complacency, when thus accosted by Miss Bingley: - -“I can guess the subject of your reverie.” - -“I should imagine not.” - -“You are considering how insupportable it would be to pass many evenings -in this manner--in such society; and indeed I am quite of your opinion. -I was never more annoyed! The insipidity, and yet the noise--the -nothingness, and yet the self-importance of all those people! What would -I give to hear your strictures on them!” - -“Your conjecture is totally wrong, I assure you. My mind was more -agreeably engaged. I have been meditating on the very great pleasure -which a pair of fine eyes in the face of a pretty woman can bestow.” - -Miss Bingley immediately fixed her eyes on his face, and desired he -would tell her what lady had the credit of inspiring such reflections. -Mr. Darcy replied with great intrepidity: - -“Miss Elizabeth Bennet.” - -“Miss Elizabeth Bennet!” repeated Miss Bingley. “I am all astonishment. -How long has she been such a favourite?--and pray, when am I to wish you -joy?” - -“That is exactly the question which I expected you to ask. A lady's -imagination is very rapid; it jumps from admiration to love, from love -to matrimony, in a moment. I knew you would be wishing me joy.” - -“Nay, if you are serious about it, I shall consider the matter is -absolutely settled. You will be having a charming mother-in-law, indeed; -and, of course, she will always be at Pemberley with you.” - -He listened to her with perfect indifference while she chose to -entertain herself in this manner; and as his composure convinced her -that all was safe, her wit flowed long. - - - -Chapter 7 - - -Mr. Bennet's property consisted almost entirely in an estate of two -thousand a year, which, unfortunately for his daughters, was entailed, -in default of heirs male, on a distant relation; and their mother's -fortune, though ample for her situation in life, could but ill supply -the deficiency of his. Her father had been an attorney in Meryton, and -had left her four thousand pounds. - -She had a sister married to a Mr. Phillips, who had been a clerk to -their father and succeeded him in the business, and a brother settled in -London in a respectable line of trade. - -The village of Longbourn was only one mile from Meryton; a most -convenient distance for the young ladies, who were usually tempted -thither three or four times a week, to pay their duty to their aunt and -to a milliner's shop just over the way. The two youngest of the family, -Catherine and Lydia, were particularly frequent in these attentions; -their minds were more vacant than their sisters', and when nothing -better offered, a walk to Meryton was necessary to amuse their morning -hours and furnish conversation for the evening; and however bare of news -the country in general might be, they always contrived to learn some -from their aunt. At present, indeed, they were well supplied both with -news and happiness by the recent arrival of a militia regiment in the -neighbourhood; it was to remain the whole winter, and Meryton was the -headquarters. - -Their visits to Mrs. Phillips were now productive of the most -interesting intelligence. Every day added something to their knowledge -of the officers' names and connections. Their lodgings were not long a -secret, and at length they began to know the officers themselves. Mr. -Phillips visited them all, and this opened to his nieces a store of -felicity unknown before. They could talk of nothing but officers; and -Mr. Bingley's large fortune, the mention of which gave animation -to their mother, was worthless in their eyes when opposed to the -regimentals of an ensign. - -After listening one morning to their effusions on this subject, Mr. -Bennet coolly observed: - -“From all that I can collect by your manner of talking, you must be two -of the silliest girls in the country. I have suspected it some time, but -I am now convinced.” - -Catherine was disconcerted, and made no answer; but Lydia, with perfect -indifference, continued to express her admiration of Captain Carter, -and her hope of seeing him in the course of the day, as he was going the -next morning to London. - -“I am astonished, my dear,” said Mrs. Bennet, “that you should be so -ready to think your own children silly. If I wished to think slightingly -of anybody's children, it should not be of my own, however.” - -“If my children are silly, I must hope to be always sensible of it.” - -“Yes--but as it happens, they are all of them very clever.” - -“This is the only point, I flatter myself, on which we do not agree. I -had hoped that our sentiments coincided in every particular, but I must -so far differ from you as to think our two youngest daughters uncommonly -foolish.” - -“My dear Mr. Bennet, you must not expect such girls to have the sense of -their father and mother. When they get to our age, I dare say they will -not think about officers any more than we do. I remember the time when -I liked a red coat myself very well--and, indeed, so I do still at my -heart; and if a smart young colonel, with five or six thousand a year, -should want one of my girls I shall not say nay to him; and I thought -Colonel Forster looked very becoming the other night at Sir William's in -his regimentals.” - -“Mamma,” cried Lydia, “my aunt says that Colonel Forster and Captain -Carter do not go so often to Miss Watson's as they did when they first -came; she sees them now very often standing in Clarke's library.” - -Mrs. Bennet was prevented replying by the entrance of the footman with -a note for Miss Bennet; it came from Netherfield, and the servant waited -for an answer. Mrs. Bennet's eyes sparkled with pleasure, and she was -eagerly calling out, while her daughter read, - -“Well, Jane, who is it from? What is it about? What does he say? Well, -Jane, make haste and tell us; make haste, my love.” - -“It is from Miss Bingley,” said Jane, and then read it aloud. - -“MY DEAR FRIEND,-- - -“If you are not so compassionate as to dine to-day with Louisa and me, -we shall be in danger of hating each other for the rest of our lives, -for a whole day's tete-a-tete between two women can never end without a -quarrel. Come as soon as you can on receipt of this. My brother and the -gentlemen are to dine with the officers.--Yours ever, - -“CAROLINE BINGLEY” - -“With the officers!” cried Lydia. “I wonder my aunt did not tell us of -_that_.” - -“Dining out,” said Mrs. Bennet, “that is very unlucky.” - -“Can I have the carriage?” said Jane. - -“No, my dear, you had better go on horseback, because it seems likely to -rain; and then you must stay all night.” - -“That would be a good scheme,” said Elizabeth, “if you were sure that -they would not offer to send her home.” - -“Oh! but the gentlemen will have Mr. Bingley's chaise to go to Meryton, -and the Hursts have no horses to theirs.” - -“I had much rather go in the coach.” - -“But, my dear, your father cannot spare the horses, I am sure. They are -wanted in the farm, Mr. Bennet, are they not?” - -“They are wanted in the farm much oftener than I can get them.” - -“But if you have got them to-day,” said Elizabeth, “my mother's purpose -will be answered.” - -She did at last extort from her father an acknowledgment that the horses -were engaged. Jane was therefore obliged to go on horseback, and her -mother attended her to the door with many cheerful prognostics of a -bad day. Her hopes were answered; Jane had not been gone long before -it rained hard. Her sisters were uneasy for her, but her mother was -delighted. The rain continued the whole evening without intermission; -Jane certainly could not come back. - -“This was a lucky idea of mine, indeed!” said Mrs. Bennet more than -once, as if the credit of making it rain were all her own. Till the -next morning, however, she was not aware of all the felicity of her -contrivance. Breakfast was scarcely over when a servant from Netherfield -brought the following note for Elizabeth: - -“MY DEAREST LIZZY,-- - -“I find myself very unwell this morning, which, I suppose, is to be -imputed to my getting wet through yesterday. My kind friends will not -hear of my returning till I am better. They insist also on my seeing Mr. -Jones--therefore do not be alarmed if you should hear of his having been -to me--and, excepting a sore throat and headache, there is not much the -matter with me.--Yours, etc.” - -“Well, my dear,” said Mr. Bennet, when Elizabeth had read the note -aloud, “if your daughter should have a dangerous fit of illness--if she -should die, it would be a comfort to know that it was all in pursuit of -Mr. Bingley, and under your orders.” - -“Oh! I am not afraid of her dying. People do not die of little trifling -colds. She will be taken good care of. As long as she stays there, it is -all very well. I would go and see her if I could have the carriage.” - -Elizabeth, feeling really anxious, was determined to go to her, though -the carriage was not to be had; and as she was no horsewoman, walking -was her only alternative. She declared her resolution. - -“How can you be so silly,” cried her mother, “as to think of such a -thing, in all this dirt! You will not be fit to be seen when you get -there.” - -“I shall be very fit to see Jane--which is all I want.” - -“Is this a hint to me, Lizzy,” said her father, “to send for the -horses?” - -“No, indeed, I do not wish to avoid the walk. The distance is nothing -when one has a motive; only three miles. I shall be back by dinner.” - -“I admire the activity of your benevolence,” observed Mary, “but every -impulse of feeling should be guided by reason; and, in my opinion, -exertion should always be in proportion to what is required.” - -“We will go as far as Meryton with you,” said Catherine and Lydia. -Elizabeth accepted their company, and the three young ladies set off -together. - -“If we make haste,” said Lydia, as they walked along, “perhaps we may -see something of Captain Carter before he goes.” - -In Meryton they parted; the two youngest repaired to the lodgings of one -of the officers' wives, and Elizabeth continued her walk alone, crossing -field after field at a quick pace, jumping over stiles and springing -over puddles with impatient activity, and finding herself at last -within view of the house, with weary ankles, dirty stockings, and a face -glowing with the warmth of exercise. - -She was shown into the breakfast-parlour, where all but Jane were -assembled, and where her appearance created a great deal of surprise. -That she should have walked three miles so early in the day, in such -dirty weather, and by herself, was almost incredible to Mrs. Hurst and -Miss Bingley; and Elizabeth was convinced that they held her in contempt -for it. She was received, however, very politely by them; and in their -brother's manners there was something better than politeness; there -was good humour and kindness. Mr. Darcy said very little, and Mr. -Hurst nothing at all. The former was divided between admiration of the -brilliancy which exercise had given to her complexion, and doubt as -to the occasion's justifying her coming so far alone. The latter was -thinking only of his breakfast. - -Her inquiries after her sister were not very favourably answered. Miss -Bennet had slept ill, and though up, was very feverish, and not -well enough to leave her room. Elizabeth was glad to be taken to her -immediately; and Jane, who had only been withheld by the fear of giving -alarm or inconvenience from expressing in her note how much she longed -for such a visit, was delighted at her entrance. She was not equal, -however, to much conversation, and when Miss Bingley left them -together, could attempt little besides expressions of gratitude for the -extraordinary kindness she was treated with. Elizabeth silently attended -her. - -When breakfast was over they were joined by the sisters; and Elizabeth -began to like them herself, when she saw how much affection and -solicitude they showed for Jane. The apothecary came, and having -examined his patient, said, as might be supposed, that she had caught -a violent cold, and that they must endeavour to get the better of it; -advised her to return to bed, and promised her some draughts. The advice -was followed readily, for the feverish symptoms increased, and her head -ached acutely. Elizabeth did not quit her room for a moment; nor were -the other ladies often absent; the gentlemen being out, they had, in -fact, nothing to do elsewhere. - -When the clock struck three, Elizabeth felt that she must go, and very -unwillingly said so. Miss Bingley offered her the carriage, and she only -wanted a little pressing to accept it, when Jane testified such concern -in parting with her, that Miss Bingley was obliged to convert the offer -of the chaise to an invitation to remain at Netherfield for the present. -Elizabeth most thankfully consented, and a servant was dispatched to -Longbourn to acquaint the family with her stay and bring back a supply -of clothes. - - - -Chapter 8 - - -At five o'clock the two ladies retired to dress, and at half-past six -Elizabeth was summoned to dinner. To the civil inquiries which then -poured in, and amongst which she had the pleasure of distinguishing the -much superior solicitude of Mr. Bingley's, she could not make a very -favourable answer. Jane was by no means better. The sisters, on hearing -this, repeated three or four times how much they were grieved, how -shocking it was to have a bad cold, and how excessively they disliked -being ill themselves; and then thought no more of the matter: and their -indifference towards Jane when not immediately before them restored -Elizabeth to the enjoyment of all her former dislike. - -Their brother, indeed, was the only one of the party whom she could -regard with any complacency. His anxiety for Jane was evident, and his -attentions to herself most pleasing, and they prevented her feeling -herself so much an intruder as she believed she was considered by the -others. She had very little notice from any but him. Miss Bingley was -engrossed by Mr. Darcy, her sister scarcely less so; and as for Mr. -Hurst, by whom Elizabeth sat, he was an indolent man, who lived only to -eat, drink, and play at cards; who, when he found her to prefer a plain -dish to a ragout, had nothing to say to her. - -When dinner was over, she returned directly to Jane, and Miss Bingley -began abusing her as soon as she was out of the room. Her manners were -pronounced to be very bad indeed, a mixture of pride and impertinence; -she had no conversation, no style, no beauty. Mrs. Hurst thought the -same, and added: - -“She has nothing, in short, to recommend her, but being an excellent -walker. I shall never forget her appearance this morning. She really -looked almost wild.” - -“She did, indeed, Louisa. I could hardly keep my countenance. Very -nonsensical to come at all! Why must _she_ be scampering about the -country, because her sister had a cold? Her hair, so untidy, so blowsy!” - -“Yes, and her petticoat; I hope you saw her petticoat, six inches deep -in mud, I am absolutely certain; and the gown which had been let down to -hide it not doing its office.” - -“Your picture may be very exact, Louisa,” said Bingley; “but this was -all lost upon me. I thought Miss Elizabeth Bennet looked remarkably -well when she came into the room this morning. Her dirty petticoat quite -escaped my notice.” - -“_You_ observed it, Mr. Darcy, I am sure,” said Miss Bingley; “and I am -inclined to think that you would not wish to see _your_ sister make such -an exhibition.” - -“Certainly not.” - -“To walk three miles, or four miles, or five miles, or whatever it is, -above her ankles in dirt, and alone, quite alone! What could she mean by -it? It seems to me to show an abominable sort of conceited independence, -a most country-town indifference to decorum.” - -“It shows an affection for her sister that is very pleasing,” said -Bingley. - -“I am afraid, Mr. Darcy,” observed Miss Bingley in a half whisper, “that -this adventure has rather affected your admiration of her fine eyes.” - -“Not at all,” he replied; “they were brightened by the exercise.” A -short pause followed this speech, and Mrs. Hurst began again: - -“I have an excessive regard for Miss Jane Bennet, she is really a very -sweet girl, and I wish with all my heart she were well settled. But with -such a father and mother, and such low connections, I am afraid there is -no chance of it.” - -“I think I have heard you say that their uncle is an attorney in -Meryton.” - -“Yes; and they have another, who lives somewhere near Cheapside.” - -“That is capital,” added her sister, and they both laughed heartily. - -“If they had uncles enough to fill _all_ Cheapside,” cried Bingley, “it -would not make them one jot less agreeable.” - -“But it must very materially lessen their chance of marrying men of any -consideration in the world,” replied Darcy. - -To this speech Bingley made no answer; but his sisters gave it their -hearty assent, and indulged their mirth for some time at the expense of -their dear friend's vulgar relations. - -With a renewal of tenderness, however, they returned to her room on -leaving the dining-parlour, and sat with her till summoned to coffee. -She was still very poorly, and Elizabeth would not quit her at all, till -late in the evening, when she had the comfort of seeing her sleep, and -when it seemed to her rather right than pleasant that she should go -downstairs herself. On entering the drawing-room she found the whole -party at loo, and was immediately invited to join them; but suspecting -them to be playing high she declined it, and making her sister the -excuse, said she would amuse herself for the short time she could stay -below, with a book. Mr. Hurst looked at her with astonishment. - -“Do you prefer reading to cards?” said he; “that is rather singular.” - -“Miss Eliza Bennet,” said Miss Bingley, “despises cards. She is a great -reader, and has no pleasure in anything else.” - -“I deserve neither such praise nor such censure,” cried Elizabeth; “I am -_not_ a great reader, and I have pleasure in many things.” - -“In nursing your sister I am sure you have pleasure,” said Bingley; “and -I hope it will be soon increased by seeing her quite well.” - -Elizabeth thanked him from her heart, and then walked towards the -table where a few books were lying. He immediately offered to fetch her -others--all that his library afforded. - -“And I wish my collection were larger for your benefit and my own -credit; but I am an idle fellow, and though I have not many, I have more -than I ever looked into.” - -Elizabeth assured him that she could suit herself perfectly with those -in the room. - -“I am astonished,” said Miss Bingley, “that my father should have left -so small a collection of books. What a delightful library you have at -Pemberley, Mr. Darcy!” - -“It ought to be good,” he replied, “it has been the work of many -generations.” - -“And then you have added so much to it yourself, you are always buying -books.” - -“I cannot comprehend the neglect of a family library in such days as -these.” - -“Neglect! I am sure you neglect nothing that can add to the beauties of -that noble place. Charles, when you build _your_ house, I wish it may be -half as delightful as Pemberley.” - -“I wish it may.” - -“But I would really advise you to make your purchase in that -neighbourhood, and take Pemberley for a kind of model. There is not a -finer county in England than Derbyshire.” - -“With all my heart; I will buy Pemberley itself if Darcy will sell it.” - -“I am talking of possibilities, Charles.” - -“Upon my word, Caroline, I should think it more possible to get -Pemberley by purchase than by imitation.” - -Elizabeth was so much caught with what passed, as to leave her very -little attention for her book; and soon laying it wholly aside, she drew -near the card-table, and stationed herself between Mr. Bingley and his -eldest sister, to observe the game. - -“Is Miss Darcy much grown since the spring?” said Miss Bingley; “will -she be as tall as I am?” - -“I think she will. She is now about Miss Elizabeth Bennet's height, or -rather taller.” - -“How I long to see her again! I never met with anybody who delighted me -so much. Such a countenance, such manners! And so extremely accomplished -for her age! Her performance on the pianoforte is exquisite.” - -“It is amazing to me,” said Bingley, “how young ladies can have patience -to be so very accomplished as they all are.” - -“All young ladies accomplished! My dear Charles, what do you mean?” - -“Yes, all of them, I think. They all paint tables, cover screens, and -net purses. I scarcely know anyone who cannot do all this, and I am sure -I never heard a young lady spoken of for the first time, without being -informed that she was very accomplished.” - -“Your list of the common extent of accomplishments,” said Darcy, “has -too much truth. The word is applied to many a woman who deserves it no -otherwise than by netting a purse or covering a screen. But I am very -far from agreeing with you in your estimation of ladies in general. I -cannot boast of knowing more than half-a-dozen, in the whole range of my -acquaintance, that are really accomplished.” - -“Nor I, I am sure,” said Miss Bingley. - -“Then,” observed Elizabeth, “you must comprehend a great deal in your -idea of an accomplished woman.” - -“Yes, I do comprehend a great deal in it.” - -“Oh! certainly,” cried his faithful assistant, “no one can be really -esteemed accomplished who does not greatly surpass what is usually met -with. A woman must have a thorough knowledge of music, singing, drawing, -dancing, and the modern languages, to deserve the word; and besides -all this, she must possess a certain something in her air and manner of -walking, the tone of her voice, her address and expressions, or the word -will be but half-deserved.” - -“All this she must possess,” added Darcy, “and to all this she must -yet add something more substantial, in the improvement of her mind by -extensive reading.” - -“I am no longer surprised at your knowing _only_ six accomplished women. -I rather wonder now at your knowing _any_.” - -“Are you so severe upon your own sex as to doubt the possibility of all -this?” - -“I never saw such a woman. I never saw such capacity, and taste, and -application, and elegance, as you describe united.” - -Mrs. Hurst and Miss Bingley both cried out against the injustice of her -implied doubt, and were both protesting that they knew many women who -answered this description, when Mr. Hurst called them to order, with -bitter complaints of their inattention to what was going forward. As all -conversation was thereby at an end, Elizabeth soon afterwards left the -room. - -“Elizabeth Bennet,” said Miss Bingley, when the door was closed on her, -“is one of those young ladies who seek to recommend themselves to the -other sex by undervaluing their own; and with many men, I dare say, it -succeeds. But, in my opinion, it is a paltry device, a very mean art.” - -“Undoubtedly,” replied Darcy, to whom this remark was chiefly addressed, -“there is a meanness in _all_ the arts which ladies sometimes condescend -to employ for captivation. Whatever bears affinity to cunning is -despicable.” - -Miss Bingley was not so entirely satisfied with this reply as to -continue the subject. - -Elizabeth joined them again only to say that her sister was worse, and -that she could not leave her. Bingley urged Mr. Jones being sent for -immediately; while his sisters, convinced that no country advice could -be of any service, recommended an express to town for one of the most -eminent physicians. This she would not hear of; but she was not so -unwilling to comply with their brother's proposal; and it was settled -that Mr. Jones should be sent for early in the morning, if Miss Bennet -were not decidedly better. Bingley was quite uncomfortable; his sisters -declared that they were miserable. They solaced their wretchedness, -however, by duets after supper, while he could find no better relief -to his feelings than by giving his housekeeper directions that every -attention might be paid to the sick lady and her sister. - - - -Chapter 9 - - -Elizabeth passed the chief of the night in her sister's room, and in the -morning had the pleasure of being able to send a tolerable answer to the -inquiries which she very early received from Mr. Bingley by a housemaid, -and some time afterwards from the two elegant ladies who waited on his -sisters. In spite of this amendment, however, she requested to have a -note sent to Longbourn, desiring her mother to visit Jane, and form her -own judgement of her situation. The note was immediately dispatched, and -its contents as quickly complied with. Mrs. Bennet, accompanied by her -two youngest girls, reached Netherfield soon after the family breakfast. - -Had she found Jane in any apparent danger, Mrs. Bennet would have been -very miserable; but being satisfied on seeing her that her illness was -not alarming, she had no wish of her recovering immediately, as her -restoration to health would probably remove her from Netherfield. She -would not listen, therefore, to her daughter's proposal of being carried -home; neither did the apothecary, who arrived about the same time, think -it at all advisable. After sitting a little while with Jane, on Miss -Bingley's appearance and invitation, the mother and three daughters all -attended her into the breakfast parlour. Bingley met them with hopes -that Mrs. Bennet had not found Miss Bennet worse than she expected. - -“Indeed I have, sir,” was her answer. “She is a great deal too ill to be -moved. Mr. Jones says we must not think of moving her. We must trespass -a little longer on your kindness.” - -“Removed!” cried Bingley. “It must not be thought of. My sister, I am -sure, will not hear of her removal.” - -“You may depend upon it, Madam,” said Miss Bingley, with cold civility, -“that Miss Bennet will receive every possible attention while she -remains with us.” - -Mrs. Bennet was profuse in her acknowledgments. - -“I am sure,” she added, “if it was not for such good friends I do not -know what would become of her, for she is very ill indeed, and suffers -a vast deal, though with the greatest patience in the world, which is -always the way with her, for she has, without exception, the sweetest -temper I have ever met with. I often tell my other girls they are -nothing to _her_. You have a sweet room here, Mr. Bingley, and a -charming prospect over the gravel walk. I do not know a place in the -country that is equal to Netherfield. You will not think of quitting it -in a hurry, I hope, though you have but a short lease.” - -“Whatever I do is done in a hurry,” replied he; “and therefore if I -should resolve to quit Netherfield, I should probably be off in five -minutes. At present, however, I consider myself as quite fixed here.” - -“That is exactly what I should have supposed of you,” said Elizabeth. - -“You begin to comprehend me, do you?” cried he, turning towards her. - -“Oh! yes--I understand you perfectly.” - -“I wish I might take this for a compliment; but to be so easily seen -through I am afraid is pitiful.” - -“That is as it happens. It does not follow that a deep, intricate -character is more or less estimable than such a one as yours.” - -“Lizzy,” cried her mother, “remember where you are, and do not run on in -the wild manner that you are suffered to do at home.” - -“I did not know before,” continued Bingley immediately, “that you were a -studier of character. It must be an amusing study.” - -“Yes, but intricate characters are the _most_ amusing. They have at -least that advantage.” - -“The country,” said Darcy, “can in general supply but a few subjects for -such a study. In a country neighbourhood you move in a very confined and -unvarying society.” - -“But people themselves alter so much, that there is something new to be -observed in them for ever.” - -“Yes, indeed,” cried Mrs. Bennet, offended by his manner of mentioning -a country neighbourhood. “I assure you there is quite as much of _that_ -going on in the country as in town.” - -Everybody was surprised, and Darcy, after looking at her for a moment, -turned silently away. Mrs. Bennet, who fancied she had gained a complete -victory over him, continued her triumph. - -“I cannot see that London has any great advantage over the country, for -my part, except the shops and public places. The country is a vast deal -pleasanter, is it not, Mr. Bingley?” - -“When I am in the country,” he replied, “I never wish to leave it; -and when I am in town it is pretty much the same. They have each their -advantages, and I can be equally happy in either.” - -“Aye--that is because you have the right disposition. But that -gentleman,” looking at Darcy, “seemed to think the country was nothing -at all.” - -“Indeed, Mamma, you are mistaken,” said Elizabeth, blushing for her -mother. “You quite mistook Mr. Darcy. He only meant that there was not -such a variety of people to be met with in the country as in the town, -which you must acknowledge to be true.” - -“Certainly, my dear, nobody said there were; but as to not meeting -with many people in this neighbourhood, I believe there are few -neighbourhoods larger. I know we dine with four-and-twenty families.” - -Nothing but concern for Elizabeth could enable Bingley to keep his -countenance. His sister was less delicate, and directed her eyes towards -Mr. Darcy with a very expressive smile. Elizabeth, for the sake of -saying something that might turn her mother's thoughts, now asked her if -Charlotte Lucas had been at Longbourn since _her_ coming away. - -“Yes, she called yesterday with her father. What an agreeable man Sir -William is, Mr. Bingley, is not he? So much the man of fashion! So -genteel and easy! He has always something to say to everybody. _That_ -is my idea of good breeding; and those persons who fancy themselves very -important, and never open their mouths, quite mistake the matter.” - -“Did Charlotte dine with you?” - -“No, she would go home. I fancy she was wanted about the mince-pies. For -my part, Mr. Bingley, I always keep servants that can do their own work; -_my_ daughters are brought up very differently. But everybody is to -judge for themselves, and the Lucases are a very good sort of girls, -I assure you. It is a pity they are not handsome! Not that I think -Charlotte so _very_ plain--but then she is our particular friend.” - -“She seems a very pleasant young woman.” - -“Oh! dear, yes; but you must own she is very plain. Lady Lucas herself -has often said so, and envied me Jane's beauty. I do not like to boast -of my own child, but to be sure, Jane--one does not often see anybody -better looking. It is what everybody says. I do not trust my own -partiality. When she was only fifteen, there was a man at my brother -Gardiner's in town so much in love with her that my sister-in-law was -sure he would make her an offer before we came away. But, however, he -did not. Perhaps he thought her too young. However, he wrote some verses -on her, and very pretty they were.” - -“And so ended his affection,” said Elizabeth impatiently. “There has -been many a one, I fancy, overcome in the same way. I wonder who first -discovered the efficacy of poetry in driving away love!” - -“I have been used to consider poetry as the _food_ of love,” said Darcy. - -“Of a fine, stout, healthy love it may. Everything nourishes what is -strong already. But if it be only a slight, thin sort of inclination, I -am convinced that one good sonnet will starve it entirely away.” - -Darcy only smiled; and the general pause which ensued made Elizabeth -tremble lest her mother should be exposing herself again. She longed to -speak, but could think of nothing to say; and after a short silence Mrs. -Bennet began repeating her thanks to Mr. Bingley for his kindness to -Jane, with an apology for troubling him also with Lizzy. Mr. Bingley was -unaffectedly civil in his answer, and forced his younger sister to be -civil also, and say what the occasion required. She performed her part -indeed without much graciousness, but Mrs. Bennet was satisfied, and -soon afterwards ordered her carriage. Upon this signal, the youngest of -her daughters put herself forward. The two girls had been whispering to -each other during the whole visit, and the result of it was, that the -youngest should tax Mr. Bingley with having promised on his first coming -into the country to give a ball at Netherfield. - -Lydia was a stout, well-grown girl of fifteen, with a fine complexion -and good-humoured countenance; a favourite with her mother, whose -affection had brought her into public at an early age. She had high -animal spirits, and a sort of natural self-consequence, which the -attention of the officers, to whom her uncle's good dinners, and her own -easy manners recommended her, had increased into assurance. She was very -equal, therefore, to address Mr. Bingley on the subject of the ball, and -abruptly reminded him of his promise; adding, that it would be the most -shameful thing in the world if he did not keep it. His answer to this -sudden attack was delightful to their mother's ear: - -“I am perfectly ready, I assure you, to keep my engagement; and when -your sister is recovered, you shall, if you please, name the very day of -the ball. But you would not wish to be dancing when she is ill.” - -Lydia declared herself satisfied. “Oh! yes--it would be much better to -wait till Jane was well, and by that time most likely Captain Carter -would be at Meryton again. And when you have given _your_ ball,” she -added, “I shall insist on their giving one also. I shall tell Colonel -Forster it will be quite a shame if he does not.” - -Mrs. Bennet and her daughters then departed, and Elizabeth returned -instantly to Jane, leaving her own and her relations' behaviour to the -remarks of the two ladies and Mr. Darcy; the latter of whom, however, -could not be prevailed on to join in their censure of _her_, in spite of -all Miss Bingley's witticisms on _fine eyes_. - - - -Chapter 10 - - -The day passed much as the day before had done. Mrs. Hurst and Miss -Bingley had spent some hours of the morning with the invalid, who -continued, though slowly, to mend; and in the evening Elizabeth joined -their party in the drawing-room. The loo-table, however, did not appear. -Mr. Darcy was writing, and Miss Bingley, seated near him, was watching -the progress of his letter and repeatedly calling off his attention by -messages to his sister. Mr. Hurst and Mr. Bingley were at piquet, and -Mrs. Hurst was observing their game. - -Elizabeth took up some needlework, and was sufficiently amused in -attending to what passed between Darcy and his companion. The perpetual -commendations of the lady, either on his handwriting, or on the evenness -of his lines, or on the length of his letter, with the perfect unconcern -with which her praises were received, formed a curious dialogue, and was -exactly in union with her opinion of each. - -“How delighted Miss Darcy will be to receive such a letter!” - -He made no answer. - -“You write uncommonly fast.” - -“You are mistaken. I write rather slowly.” - -“How many letters you must have occasion to write in the course of a -year! Letters of business, too! How odious I should think them!” - -“It is fortunate, then, that they fall to my lot instead of yours.” - -“Pray tell your sister that I long to see her.” - -“I have already told her so once, by your desire.” - -“I am afraid you do not like your pen. Let me mend it for you. I mend -pens remarkably well.” - -“Thank you--but I always mend my own.” - -“How can you contrive to write so even?” - -He was silent. - -“Tell your sister I am delighted to hear of her improvement on the harp; -and pray let her know that I am quite in raptures with her beautiful -little design for a table, and I think it infinitely superior to Miss -Grantley's.” - -“Will you give me leave to defer your raptures till I write again? At -present I have not room to do them justice.” - -“Oh! it is of no consequence. I shall see her in January. But do you -always write such charming long letters to her, Mr. Darcy?” - -“They are generally long; but whether always charming it is not for me -to determine.” - -“It is a rule with me, that a person who can write a long letter with -ease, cannot write ill.” - -“That will not do for a compliment to Darcy, Caroline,” cried her -brother, “because he does _not_ write with ease. He studies too much for -words of four syllables. Do not you, Darcy?” - -“My style of writing is very different from yours.” - -“Oh!” cried Miss Bingley, “Charles writes in the most careless way -imaginable. He leaves out half his words, and blots the rest.” - -“My ideas flow so rapidly that I have not time to express them--by which -means my letters sometimes convey no ideas at all to my correspondents.” - -“Your humility, Mr. Bingley,” said Elizabeth, “must disarm reproof.” - -“Nothing is more deceitful,” said Darcy, “than the appearance of -humility. It is often only carelessness of opinion, and sometimes an -indirect boast.” - -“And which of the two do you call _my_ little recent piece of modesty?” - -“The indirect boast; for you are really proud of your defects in -writing, because you consider them as proceeding from a rapidity of -thought and carelessness of execution, which, if not estimable, you -think at least highly interesting. The power of doing anything with -quickness is always prized much by the possessor, and often without any -attention to the imperfection of the performance. When you told Mrs. -Bennet this morning that if you ever resolved upon quitting Netherfield -you should be gone in five minutes, you meant it to be a sort of -panegyric, of compliment to yourself--and yet what is there so very -laudable in a precipitance which must leave very necessary business -undone, and can be of no real advantage to yourself or anyone else?” - -“Nay,” cried Bingley, “this is too much, to remember at night all the -foolish things that were said in the morning. And yet, upon my honour, -I believe what I said of myself to be true, and I believe it at this -moment. At least, therefore, I did not assume the character of needless -precipitance merely to show off before the ladies.” - -“I dare say you believed it; but I am by no means convinced that -you would be gone with such celerity. Your conduct would be quite as -dependent on chance as that of any man I know; and if, as you were -mounting your horse, a friend were to say, 'Bingley, you had better -stay till next week,' you would probably do it, you would probably not -go--and at another word, might stay a month.” - -“You have only proved by this,” cried Elizabeth, “that Mr. Bingley did -not do justice to his own disposition. You have shown him off now much -more than he did himself.” - -“I am exceedingly gratified,” said Bingley, “by your converting what my -friend says into a compliment on the sweetness of my temper. But I am -afraid you are giving it a turn which that gentleman did by no means -intend; for he would certainly think better of me, if under such a -circumstance I were to give a flat denial, and ride off as fast as I -could.” - -“Would Mr. Darcy then consider the rashness of your original intentions -as atoned for by your obstinacy in adhering to it?” - -“Upon my word, I cannot exactly explain the matter; Darcy must speak for -himself.” - -“You expect me to account for opinions which you choose to call mine, -but which I have never acknowledged. Allowing the case, however, to -stand according to your representation, you must remember, Miss Bennet, -that the friend who is supposed to desire his return to the house, and -the delay of his plan, has merely desired it, asked it without offering -one argument in favour of its propriety.” - -“To yield readily--easily--to the _persuasion_ of a friend is no merit -with you.” - -“To yield without conviction is no compliment to the understanding of -either.” - -“You appear to me, Mr. Darcy, to allow nothing for the influence of -friendship and affection. A regard for the requester would often make -one readily yield to a request, without waiting for arguments to reason -one into it. I am not particularly speaking of such a case as you have -supposed about Mr. Bingley. We may as well wait, perhaps, till the -circumstance occurs before we discuss the discretion of his behaviour -thereupon. But in general and ordinary cases between friend and friend, -where one of them is desired by the other to change a resolution of no -very great moment, should you think ill of that person for complying -with the desire, without waiting to be argued into it?” - -“Will it not be advisable, before we proceed on this subject, to -arrange with rather more precision the degree of importance which is to -appertain to this request, as well as the degree of intimacy subsisting -between the parties?” - -“By all means,” cried Bingley; “let us hear all the particulars, not -forgetting their comparative height and size; for that will have more -weight in the argument, Miss Bennet, than you may be aware of. I assure -you, that if Darcy were not such a great tall fellow, in comparison with -myself, I should not pay him half so much deference. I declare I do not -know a more awful object than Darcy, on particular occasions, and in -particular places; at his own house especially, and of a Sunday evening, -when he has nothing to do.” - -Mr. Darcy smiled; but Elizabeth thought she could perceive that he was -rather offended, and therefore checked her laugh. Miss Bingley warmly -resented the indignity he had received, in an expostulation with her -brother for talking such nonsense. - -“I see your design, Bingley,” said his friend. “You dislike an argument, -and want to silence this.” - -“Perhaps I do. Arguments are too much like disputes. If you and Miss -Bennet will defer yours till I am out of the room, I shall be very -thankful; and then you may say whatever you like of me.” - -“What you ask,” said Elizabeth, “is no sacrifice on my side; and Mr. -Darcy had much better finish his letter.” - -Mr. Darcy took her advice, and did finish his letter. - -When that business was over, he applied to Miss Bingley and Elizabeth -for an indulgence of some music. Miss Bingley moved with some alacrity -to the pianoforte; and, after a polite request that Elizabeth would lead -the way which the other as politely and more earnestly negatived, she -seated herself. - -Mrs. Hurst sang with her sister, and while they were thus employed, -Elizabeth could not help observing, as she turned over some music-books -that lay on the instrument, how frequently Mr. Darcy's eyes were fixed -on her. She hardly knew how to suppose that she could be an object of -admiration to so great a man; and yet that he should look at her -because he disliked her, was still more strange. She could only imagine, -however, at last that she drew his notice because there was something -more wrong and reprehensible, according to his ideas of right, than in -any other person present. The supposition did not pain her. She liked -him too little to care for his approbation. - -After playing some Italian songs, Miss Bingley varied the charm by -a lively Scotch air; and soon afterwards Mr. Darcy, drawing near -Elizabeth, said to her: - -“Do not you feel a great inclination, Miss Bennet, to seize such an -opportunity of dancing a reel?” - -She smiled, but made no answer. He repeated the question, with some -surprise at her silence. - -“Oh!” said she, “I heard you before, but I could not immediately -determine what to say in reply. You wanted me, I know, to say 'Yes,' -that you might have the pleasure of despising my taste; but I always -delight in overthrowing those kind of schemes, and cheating a person of -their premeditated contempt. I have, therefore, made up my mind to tell -you, that I do not want to dance a reel at all--and now despise me if -you dare.” - -“Indeed I do not dare.” - -Elizabeth, having rather expected to affront him, was amazed at his -gallantry; but there was a mixture of sweetness and archness in her -manner which made it difficult for her to affront anybody; and Darcy -had never been so bewitched by any woman as he was by her. He really -believed, that were it not for the inferiority of her connections, he -should be in some danger. - -Miss Bingley saw, or suspected enough to be jealous; and her great -anxiety for the recovery of her dear friend Jane received some -assistance from her desire of getting rid of Elizabeth. - -She often tried to provoke Darcy into disliking her guest, by talking of -their supposed marriage, and planning his happiness in such an alliance. - -“I hope,” said she, as they were walking together in the shrubbery -the next day, “you will give your mother-in-law a few hints, when this -desirable event takes place, as to the advantage of holding her tongue; -and if you can compass it, do cure the younger girls of running after -officers. And, if I may mention so delicate a subject, endeavour to -check that little something, bordering on conceit and impertinence, -which your lady possesses.” - -“Have you anything else to propose for my domestic felicity?” - -“Oh! yes. Do let the portraits of your uncle and aunt Phillips be placed -in the gallery at Pemberley. Put them next to your great-uncle the -judge. They are in the same profession, you know, only in different -lines. As for your Elizabeth's picture, you must not have it taken, for -what painter could do justice to those beautiful eyes?” - -“It would not be easy, indeed, to catch their expression, but their -colour and shape, and the eyelashes, so remarkably fine, might be -copied.” - -At that moment they were met from another walk by Mrs. Hurst and -Elizabeth herself. - -“I did not know that you intended to walk,” said Miss Bingley, in some -confusion, lest they had been overheard. - -“You used us abominably ill,” answered Mrs. Hurst, “running away without -telling us that you were coming out.” - -Then taking the disengaged arm of Mr. Darcy, she left Elizabeth to walk -by herself. The path just admitted three. Mr. Darcy felt their rudeness, -and immediately said: - -“This walk is not wide enough for our party. We had better go into the -avenue.” - -But Elizabeth, who had not the least inclination to remain with them, -laughingly answered: - -“No, no; stay where you are. You are charmingly grouped, and appear -to uncommon advantage. The picturesque would be spoilt by admitting a -fourth. Good-bye.” - -She then ran gaily off, rejoicing as she rambled about, in the hope of -being at home again in a day or two. Jane was already so much recovered -as to intend leaving her room for a couple of hours that evening. - - - -Chapter 11 - - -When the ladies removed after dinner, Elizabeth ran up to her -sister, and seeing her well guarded from cold, attended her into the -drawing-room, where she was welcomed by her two friends with many -professions of pleasure; and Elizabeth had never seen them so agreeable -as they were during the hour which passed before the gentlemen appeared. -Their powers of conversation were considerable. They could describe an -entertainment with accuracy, relate an anecdote with humour, and laugh -at their acquaintance with spirit. - -But when the gentlemen entered, Jane was no longer the first object; -Miss Bingley's eyes were instantly turned toward Darcy, and she had -something to say to him before he had advanced many steps. He addressed -himself to Miss Bennet, with a polite congratulation; Mr. Hurst also -made her a slight bow, and said he was “very glad;” but diffuseness -and warmth remained for Bingley's salutation. He was full of joy and -attention. The first half-hour was spent in piling up the fire, lest she -should suffer from the change of room; and she removed at his desire -to the other side of the fireplace, that she might be further from -the door. He then sat down by her, and talked scarcely to anyone -else. Elizabeth, at work in the opposite corner, saw it all with great -delight. - -When tea was over, Mr. Hurst reminded his sister-in-law of the -card-table--but in vain. She had obtained private intelligence that Mr. -Darcy did not wish for cards; and Mr. Hurst soon found even his open -petition rejected. She assured him that no one intended to play, and -the silence of the whole party on the subject seemed to justify her. Mr. -Hurst had therefore nothing to do, but to stretch himself on one of the -sofas and go to sleep. Darcy took up a book; Miss Bingley did the same; -and Mrs. Hurst, principally occupied in playing with her bracelets -and rings, joined now and then in her brother's conversation with Miss -Bennet. - -Miss Bingley's attention was quite as much engaged in watching Mr. -Darcy's progress through _his_ book, as in reading her own; and she -was perpetually either making some inquiry, or looking at his page. She -could not win him, however, to any conversation; he merely answered her -question, and read on. At length, quite exhausted by the attempt to be -amused with her own book, which she had only chosen because it was the -second volume of his, she gave a great yawn and said, “How pleasant -it is to spend an evening in this way! I declare after all there is no -enjoyment like reading! How much sooner one tires of anything than of a -book! When I have a house of my own, I shall be miserable if I have not -an excellent library.” - -No one made any reply. She then yawned again, threw aside her book, and -cast her eyes round the room in quest for some amusement; when hearing -her brother mentioning a ball to Miss Bennet, she turned suddenly -towards him and said: - -“By the bye, Charles, are you really serious in meditating a dance at -Netherfield? I would advise you, before you determine on it, to consult -the wishes of the present party; I am much mistaken if there are -not some among us to whom a ball would be rather a punishment than a -pleasure.” - -“If you mean Darcy,” cried her brother, “he may go to bed, if he -chooses, before it begins--but as for the ball, it is quite a settled -thing; and as soon as Nicholls has made white soup enough, I shall send -round my cards.” - -“I should like balls infinitely better,” she replied, “if they were -carried on in a different manner; but there is something insufferably -tedious in the usual process of such a meeting. It would surely be much -more rational if conversation instead of dancing were made the order of -the day.” - -“Much more rational, my dear Caroline, I dare say, but it would not be -near so much like a ball.” - -Miss Bingley made no answer, and soon afterwards she got up and walked -about the room. Her figure was elegant, and she walked well; but -Darcy, at whom it was all aimed, was still inflexibly studious. In -the desperation of her feelings, she resolved on one effort more, and, -turning to Elizabeth, said: - -“Miss Eliza Bennet, let me persuade you to follow my example, and take a -turn about the room. I assure you it is very refreshing after sitting so -long in one attitude.” - -Elizabeth was surprised, but agreed to it immediately. Miss Bingley -succeeded no less in the real object of her civility; Mr. Darcy looked -up. He was as much awake to the novelty of attention in that quarter as -Elizabeth herself could be, and unconsciously closed his book. He was -directly invited to join their party, but he declined it, observing that -he could imagine but two motives for their choosing to walk up and down -the room together, with either of which motives his joining them would -interfere. “What could he mean? She was dying to know what could be his -meaning?”--and asked Elizabeth whether she could at all understand him? - -“Not at all,” was her answer; “but depend upon it, he means to be severe -on us, and our surest way of disappointing him will be to ask nothing -about it.” - -Miss Bingley, however, was incapable of disappointing Mr. Darcy in -anything, and persevered therefore in requiring an explanation of his -two motives. - -“I have not the smallest objection to explaining them,” said he, as soon -as she allowed him to speak. “You either choose this method of passing -the evening because you are in each other's confidence, and have secret -affairs to discuss, or because you are conscious that your figures -appear to the greatest advantage in walking; if the first, I would be -completely in your way, and if the second, I can admire you much better -as I sit by the fire.” - -“Oh! shocking!” cried Miss Bingley. “I never heard anything so -abominable. How shall we punish him for such a speech?” - -“Nothing so easy, if you have but the inclination,” said Elizabeth. “We -can all plague and punish one another. Tease him--laugh at him. Intimate -as you are, you must know how it is to be done.” - -“But upon my honour, I do _not_. I do assure you that my intimacy has -not yet taught me _that_. Tease calmness of manner and presence of -mind! No, no; I feel he may defy us there. And as to laughter, we will -not expose ourselves, if you please, by attempting to laugh without a -subject. Mr. Darcy may hug himself.” - -“Mr. Darcy is not to be laughed at!” cried Elizabeth. “That is an -uncommon advantage, and uncommon I hope it will continue, for it would -be a great loss to _me_ to have many such acquaintances. I dearly love a -laugh.” - -“Miss Bingley,” said he, “has given me more credit than can be. -The wisest and the best of men--nay, the wisest and best of their -actions--may be rendered ridiculous by a person whose first object in -life is a joke.” - -“Certainly,” replied Elizabeth--“there are such people, but I hope I -am not one of _them_. I hope I never ridicule what is wise and good. -Follies and nonsense, whims and inconsistencies, _do_ divert me, I own, -and I laugh at them whenever I can. But these, I suppose, are precisely -what you are without.” - -“Perhaps that is not possible for anyone. But it has been the study -of my life to avoid those weaknesses which often expose a strong -understanding to ridicule.” - -“Such as vanity and pride.” - -“Yes, vanity is a weakness indeed. But pride--where there is a real -superiority of mind, pride will be always under good regulation.” - -Elizabeth turned away to hide a smile. - -“Your examination of Mr. Darcy is over, I presume,” said Miss Bingley; -“and pray what is the result?” - -“I am perfectly convinced by it that Mr. Darcy has no defect. He owns it -himself without disguise.” - -“No,” said Darcy, “I have made no such pretension. I have faults enough, -but they are not, I hope, of understanding. My temper I dare not vouch -for. It is, I believe, too little yielding--certainly too little for the -convenience of the world. I cannot forget the follies and vices of others -so soon as I ought, nor their offenses against myself. My feelings -are not puffed about with every attempt to move them. My temper -would perhaps be called resentful. My good opinion once lost, is lost -forever.” - -“_That_ is a failing indeed!” cried Elizabeth. “Implacable resentment -_is_ a shade in a character. But you have chosen your fault well. I -really cannot _laugh_ at it. You are safe from me.” - -“There is, I believe, in every disposition a tendency to some particular -evil--a natural defect, which not even the best education can overcome.” - -“And _your_ defect is to hate everybody.” - -“And yours,” he replied with a smile, “is willfully to misunderstand -them.” - -“Do let us have a little music,” cried Miss Bingley, tired of a -conversation in which she had no share. “Louisa, you will not mind my -waking Mr. Hurst?” - -Her sister had not the smallest objection, and the pianoforte was -opened; and Darcy, after a few moments' recollection, was not sorry for -it. He began to feel the danger of paying Elizabeth too much attention. - - - -Chapter 12 - - -In consequence of an agreement between the sisters, Elizabeth wrote the -next morning to their mother, to beg that the carriage might be sent for -them in the course of the day. But Mrs. Bennet, who had calculated on -her daughters remaining at Netherfield till the following Tuesday, which -would exactly finish Jane's week, could not bring herself to receive -them with pleasure before. Her answer, therefore, was not propitious, at -least not to Elizabeth's wishes, for she was impatient to get home. Mrs. -Bennet sent them word that they could not possibly have the carriage -before Tuesday; and in her postscript it was added, that if Mr. Bingley -and his sister pressed them to stay longer, she could spare them -very well. Against staying longer, however, Elizabeth was positively -resolved--nor did she much expect it would be asked; and fearful, on the -contrary, as being considered as intruding themselves needlessly long, -she urged Jane to borrow Mr. Bingley's carriage immediately, and at -length it was settled that their original design of leaving Netherfield -that morning should be mentioned, and the request made. - -The communication excited many professions of concern; and enough was -said of wishing them to stay at least till the following day to work -on Jane; and till the morrow their going was deferred. Miss Bingley was -then sorry that she had proposed the delay, for her jealousy and dislike -of one sister much exceeded her affection for the other. - -The master of the house heard with real sorrow that they were to go so -soon, and repeatedly tried to persuade Miss Bennet that it would not be -safe for her--that she was not enough recovered; but Jane was firm where -she felt herself to be right. - -To Mr. Darcy it was welcome intelligence--Elizabeth had been at -Netherfield long enough. She attracted him more than he liked--and Miss -Bingley was uncivil to _her_, and more teasing than usual to himself. -He wisely resolved to be particularly careful that no sign of admiration -should _now_ escape him, nothing that could elevate her with the hope -of influencing his felicity; sensible that if such an idea had been -suggested, his behaviour during the last day must have material weight -in confirming or crushing it. Steady to his purpose, he scarcely spoke -ten words to her through the whole of Saturday, and though they were -at one time left by themselves for half-an-hour, he adhered most -conscientiously to his book, and would not even look at her. - -On Sunday, after morning service, the separation, so agreeable to almost -all, took place. Miss Bingley's civility to Elizabeth increased at last -very rapidly, as well as her affection for Jane; and when they parted, -after assuring the latter of the pleasure it would always give her -to see her either at Longbourn or Netherfield, and embracing her most -tenderly, she even shook hands with the former. Elizabeth took leave of -the whole party in the liveliest of spirits. - -They were not welcomed home very cordially by their mother. Mrs. Bennet -wondered at their coming, and thought them very wrong to give so much -trouble, and was sure Jane would have caught cold again. But their -father, though very laconic in his expressions of pleasure, was really -glad to see them; he had felt their importance in the family circle. The -evening conversation, when they were all assembled, had lost much of -its animation, and almost all its sense by the absence of Jane and -Elizabeth. - -They found Mary, as usual, deep in the study of thorough-bass and human -nature; and had some extracts to admire, and some new observations of -threadbare morality to listen to. Catherine and Lydia had information -for them of a different sort. Much had been done and much had been said -in the regiment since the preceding Wednesday; several of the officers -had dined lately with their uncle, a private had been flogged, and it -had actually been hinted that Colonel Forster was going to be married. - - - -Chapter 13 - - -“I hope, my dear,” said Mr. Bennet to his wife, as they were at -breakfast the next morning, “that you have ordered a good dinner to-day, -because I have reason to expect an addition to our family party.” - -“Who do you mean, my dear? I know of nobody that is coming, I am sure, -unless Charlotte Lucas should happen to call in--and I hope _my_ dinners -are good enough for her. I do not believe she often sees such at home.” - -“The person of whom I speak is a gentleman, and a stranger.” - -Mrs. Bennet's eyes sparkled. “A gentleman and a stranger! It is Mr. -Bingley, I am sure! Well, I am sure I shall be extremely glad to see Mr. -Bingley. But--good Lord! how unlucky! There is not a bit of fish to be -got to-day. Lydia, my love, ring the bell--I must speak to Hill this -moment.” - -“It is _not_ Mr. Bingley,” said her husband; “it is a person whom I -never saw in the whole course of my life.” - -This roused a general astonishment; and he had the pleasure of being -eagerly questioned by his wife and his five daughters at once. - -After amusing himself some time with their curiosity, he thus explained: - -“About a month ago I received this letter; and about a fortnight ago -I answered it, for I thought it a case of some delicacy, and requiring -early attention. It is from my cousin, Mr. Collins, who, when I am dead, -may turn you all out of this house as soon as he pleases.” - -“Oh! my dear,” cried his wife, “I cannot bear to hear that mentioned. -Pray do not talk of that odious man. I do think it is the hardest thing -in the world, that your estate should be entailed away from your own -children; and I am sure, if I had been you, I should have tried long ago -to do something or other about it.” - -Jane and Elizabeth tried to explain to her the nature of an entail. They -had often attempted to do it before, but it was a subject on which -Mrs. Bennet was beyond the reach of reason, and she continued to rail -bitterly against the cruelty of settling an estate away from a family of -five daughters, in favour of a man whom nobody cared anything about. - -“It certainly is a most iniquitous affair,” said Mr. Bennet, “and -nothing can clear Mr. Collins from the guilt of inheriting Longbourn. -But if you will listen to his letter, you may perhaps be a little -softened by his manner of expressing himself.” - -“No, that I am sure I shall not; and I think it is very impertinent of -him to write to you at all, and very hypocritical. I hate such false -friends. Why could he not keep on quarreling with you, as his father did -before him?” - -“Why, indeed; he does seem to have had some filial scruples on that -head, as you will hear.” - -“Hunsford, near Westerham, Kent, 15th October. - -“Dear Sir,-- - -“The disagreement subsisting between yourself and my late honoured -father always gave me much uneasiness, and since I have had the -misfortune to lose him, I have frequently wished to heal the breach; but -for some time I was kept back by my own doubts, fearing lest it might -seem disrespectful to his memory for me to be on good terms with anyone -with whom it had always pleased him to be at variance.--'There, Mrs. -Bennet.'--My mind, however, is now made up on the subject, for having -received ordination at Easter, I have been so fortunate as to be -distinguished by the patronage of the Right Honourable Lady Catherine de -Bourgh, widow of Sir Lewis de Bourgh, whose bounty and beneficence has -preferred me to the valuable rectory of this parish, where it shall be -my earnest endeavour to demean myself with grateful respect towards her -ladyship, and be ever ready to perform those rites and ceremonies which -are instituted by the Church of England. As a clergyman, moreover, I -feel it my duty to promote and establish the blessing of peace in -all families within the reach of my influence; and on these grounds I -flatter myself that my present overtures are highly commendable, and -that the circumstance of my being next in the entail of Longbourn estate -will be kindly overlooked on your side, and not lead you to reject the -offered olive-branch. I cannot be otherwise than concerned at being the -means of injuring your amiable daughters, and beg leave to apologise for -it, as well as to assure you of my readiness to make them every possible -amends--but of this hereafter. If you should have no objection to -receive me into your house, I propose myself the satisfaction of waiting -on you and your family, Monday, November 18th, by four o'clock, and -shall probably trespass on your hospitality till the Saturday se'ennight -following, which I can do without any inconvenience, as Lady Catherine -is far from objecting to my occasional absence on a Sunday, provided -that some other clergyman is engaged to do the duty of the day.--I -remain, dear sir, with respectful compliments to your lady and -daughters, your well-wisher and friend, - -“WILLIAM COLLINS” - -“At four o'clock, therefore, we may expect this peace-making gentleman,” - said Mr. Bennet, as he folded up the letter. “He seems to be a most -conscientious and polite young man, upon my word, and I doubt not will -prove a valuable acquaintance, especially if Lady Catherine should be so -indulgent as to let him come to us again.” - -“There is some sense in what he says about the girls, however, and if -he is disposed to make them any amends, I shall not be the person to -discourage him.” - -“Though it is difficult,” said Jane, “to guess in what way he can mean -to make us the atonement he thinks our due, the wish is certainly to his -credit.” - -Elizabeth was chiefly struck by his extraordinary deference for Lady -Catherine, and his kind intention of christening, marrying, and burying -his parishioners whenever it were required. - -“He must be an oddity, I think,” said she. “I cannot make him -out.--There is something very pompous in his style.--And what can he -mean by apologising for being next in the entail?--We cannot suppose he -would help it if he could.--Could he be a sensible man, sir?” - -“No, my dear, I think not. I have great hopes of finding him quite the -reverse. There is a mixture of servility and self-importance in his -letter, which promises well. I am impatient to see him.” - -“In point of composition,” said Mary, “the letter does not seem -defective. The idea of the olive-branch perhaps is not wholly new, yet I -think it is well expressed.” - -To Catherine and Lydia, neither the letter nor its writer were in any -degree interesting. It was next to impossible that their cousin should -come in a scarlet coat, and it was now some weeks since they had -received pleasure from the society of a man in any other colour. As for -their mother, Mr. Collins's letter had done away much of her ill-will, -and she was preparing to see him with a degree of composure which -astonished her husband and daughters. - -Mr. Collins was punctual to his time, and was received with great -politeness by the whole family. Mr. Bennet indeed said little; but the -ladies were ready enough to talk, and Mr. Collins seemed neither in -need of encouragement, nor inclined to be silent himself. He was a -tall, heavy-looking young man of five-and-twenty. His air was grave and -stately, and his manners were very formal. He had not been long seated -before he complimented Mrs. Bennet on having so fine a family of -daughters; said he had heard much of their beauty, but that in this -instance fame had fallen short of the truth; and added, that he did -not doubt her seeing them all in due time disposed of in marriage. This -gallantry was not much to the taste of some of his hearers; but Mrs. -Bennet, who quarreled with no compliments, answered most readily. - -“You are very kind, I am sure; and I wish with all my heart it may -prove so, for else they will be destitute enough. Things are settled so -oddly.” - -“You allude, perhaps, to the entail of this estate.” - -“Ah! sir, I do indeed. It is a grievous affair to my poor girls, you -must confess. Not that I mean to find fault with _you_, for such things -I know are all chance in this world. There is no knowing how estates -will go when once they come to be entailed.” - -“I am very sensible, madam, of the hardship to my fair cousins, and -could say much on the subject, but that I am cautious of appearing -forward and precipitate. But I can assure the young ladies that I come -prepared to admire them. At present I will not say more; but, perhaps, -when we are better acquainted--” - -He was interrupted by a summons to dinner; and the girls smiled on each -other. They were not the only objects of Mr. Collins's admiration. The -hall, the dining-room, and all its furniture, were examined and praised; -and his commendation of everything would have touched Mrs. Bennet's -heart, but for the mortifying supposition of his viewing it all as his -own future property. The dinner too in its turn was highly admired; and -he begged to know to which of his fair cousins the excellency of its -cooking was owing. But he was set right there by Mrs. Bennet, who -assured him with some asperity that they were very well able to keep a -good cook, and that her daughters had nothing to do in the kitchen. He -begged pardon for having displeased her. In a softened tone she declared -herself not at all offended; but he continued to apologise for about a -quarter of an hour. - - - -Chapter 14 - - -During dinner, Mr. Bennet scarcely spoke at all; but when the servants -were withdrawn, he thought it time to have some conversation with his -guest, and therefore started a subject in which he expected him to -shine, by observing that he seemed very fortunate in his patroness. Lady -Catherine de Bourgh's attention to his wishes, and consideration for -his comfort, appeared very remarkable. Mr. Bennet could not have chosen -better. Mr. Collins was eloquent in her praise. The subject elevated him -to more than usual solemnity of manner, and with a most important aspect -he protested that “he had never in his life witnessed such behaviour in -a person of rank--such affability and condescension, as he had himself -experienced from Lady Catherine. She had been graciously pleased to -approve of both of the discourses which he had already had the honour of -preaching before her. She had also asked him twice to dine at Rosings, -and had sent for him only the Saturday before, to make up her pool of -quadrille in the evening. Lady Catherine was reckoned proud by many -people he knew, but _he_ had never seen anything but affability in her. -She had always spoken to him as she would to any other gentleman; she -made not the smallest objection to his joining in the society of the -neighbourhood nor to his leaving the parish occasionally for a week or -two, to visit his relations. She had even condescended to advise him to -marry as soon as he could, provided he chose with discretion; and had -once paid him a visit in his humble parsonage, where she had perfectly -approved all the alterations he had been making, and had even vouchsafed -to suggest some herself--some shelves in the closet up stairs.” - -“That is all very proper and civil, I am sure,” said Mrs. Bennet, “and -I dare say she is a very agreeable woman. It is a pity that great ladies -in general are not more like her. Does she live near you, sir?” - -“The garden in which stands my humble abode is separated only by a lane -from Rosings Park, her ladyship's residence.” - -“I think you said she was a widow, sir? Has she any family?” - -“She has only one daughter, the heiress of Rosings, and of very -extensive property.” - -“Ah!” said Mrs. Bennet, shaking her head, “then she is better off than -many girls. And what sort of young lady is she? Is she handsome?” - -“She is a most charming young lady indeed. Lady Catherine herself says -that, in point of true beauty, Miss de Bourgh is far superior to the -handsomest of her sex, because there is that in her features which marks -the young lady of distinguished birth. She is unfortunately of a sickly -constitution, which has prevented her from making that progress in many -accomplishments which she could not have otherwise failed of, as I am -informed by the lady who superintended her education, and who still -resides with them. But she is perfectly amiable, and often condescends -to drive by my humble abode in her little phaeton and ponies.” - -“Has she been presented? I do not remember her name among the ladies at -court.” - -“Her indifferent state of health unhappily prevents her being in town; -and by that means, as I told Lady Catherine one day, has deprived the -British court of its brightest ornament. Her ladyship seemed pleased -with the idea; and you may imagine that I am happy on every occasion to -offer those little delicate compliments which are always acceptable -to ladies. I have more than once observed to Lady Catherine, that -her charming daughter seemed born to be a duchess, and that the most -elevated rank, instead of giving her consequence, would be adorned by -her. These are the kind of little things which please her ladyship, and -it is a sort of attention which I conceive myself peculiarly bound to -pay.” - -“You judge very properly,” said Mr. Bennet, “and it is happy for you -that you possess the talent of flattering with delicacy. May I ask -whether these pleasing attentions proceed from the impulse of the -moment, or are the result of previous study?” - -“They arise chiefly from what is passing at the time, and though I -sometimes amuse myself with suggesting and arranging such little elegant -compliments as may be adapted to ordinary occasions, I always wish to -give them as unstudied an air as possible.” - -Mr. Bennet's expectations were fully answered. His cousin was as absurd -as he had hoped, and he listened to him with the keenest enjoyment, -maintaining at the same time the most resolute composure of countenance, -and, except in an occasional glance at Elizabeth, requiring no partner -in his pleasure. - -By tea-time, however, the dose had been enough, and Mr. Bennet was glad -to take his guest into the drawing-room again, and, when tea was over, -glad to invite him to read aloud to the ladies. Mr. Collins readily -assented, and a book was produced; but, on beholding it (for everything -announced it to be from a circulating library), he started back, and -begging pardon, protested that he never read novels. Kitty stared at -him, and Lydia exclaimed. Other books were produced, and after some -deliberation he chose Fordyce's Sermons. Lydia gaped as he opened the -volume, and before he had, with very monotonous solemnity, read three -pages, she interrupted him with: - -“Do you know, mamma, that my uncle Phillips talks of turning away -Richard; and if he does, Colonel Forster will hire him. My aunt told me -so herself on Saturday. I shall walk to Meryton to-morrow to hear more -about it, and to ask when Mr. Denny comes back from town.” - -Lydia was bid by her two eldest sisters to hold her tongue; but Mr. -Collins, much offended, laid aside his book, and said: - -“I have often observed how little young ladies are interested by books -of a serious stamp, though written solely for their benefit. It amazes -me, I confess; for, certainly, there can be nothing so advantageous to -them as instruction. But I will no longer importune my young cousin.” - -Then turning to Mr. Bennet, he offered himself as his antagonist at -backgammon. Mr. Bennet accepted the challenge, observing that he acted -very wisely in leaving the girls to their own trifling amusements. -Mrs. Bennet and her daughters apologised most civilly for Lydia's -interruption, and promised that it should not occur again, if he would -resume his book; but Mr. Collins, after assuring them that he bore his -young cousin no ill-will, and should never resent her behaviour as any -affront, seated himself at another table with Mr. Bennet, and prepared -for backgammon. - - - -Chapter 15 - - -Mr. Collins was not a sensible man, and the deficiency of nature had -been but little assisted by education or society; the greatest part -of his life having been spent under the guidance of an illiterate and -miserly father; and though he belonged to one of the universities, he -had merely kept the necessary terms, without forming at it any useful -acquaintance. The subjection in which his father had brought him up had -given him originally great humility of manner; but it was now a -good deal counteracted by the self-conceit of a weak head, living in -retirement, and the consequential feelings of early and unexpected -prosperity. A fortunate chance had recommended him to Lady Catherine de -Bourgh when the living of Hunsford was vacant; and the respect which -he felt for her high rank, and his veneration for her as his patroness, -mingling with a very good opinion of himself, of his authority as a -clergyman, and his right as a rector, made him altogether a mixture of -pride and obsequiousness, self-importance and humility. - -Having now a good house and a very sufficient income, he intended to -marry; and in seeking a reconciliation with the Longbourn family he had -a wife in view, as he meant to choose one of the daughters, if he found -them as handsome and amiable as they were represented by common report. -This was his plan of amends--of atonement--for inheriting their father's -estate; and he thought it an excellent one, full of eligibility and -suitableness, and excessively generous and disinterested on his own -part. - -His plan did not vary on seeing them. Miss Bennet's lovely face -confirmed his views, and established all his strictest notions of what -was due to seniority; and for the first evening _she_ was his settled -choice. The next morning, however, made an alteration; for in a -quarter of an hour's tete-a-tete with Mrs. Bennet before breakfast, a -conversation beginning with his parsonage-house, and leading naturally -to the avowal of his hopes, that a mistress might be found for it at -Longbourn, produced from her, amid very complaisant smiles and general -encouragement, a caution against the very Jane he had fixed on. “As to -her _younger_ daughters, she could not take upon her to say--she could -not positively answer--but she did not _know_ of any prepossession; her -_eldest_ daughter, she must just mention--she felt it incumbent on her -to hint, was likely to be very soon engaged.” - -Mr. Collins had only to change from Jane to Elizabeth--and it was soon -done--done while Mrs. Bennet was stirring the fire. Elizabeth, equally -next to Jane in birth and beauty, succeeded her of course. - -Mrs. Bennet treasured up the hint, and trusted that she might soon have -two daughters married; and the man whom she could not bear to speak of -the day before was now high in her good graces. - -Lydia's intention of walking to Meryton was not forgotten; every sister -except Mary agreed to go with her; and Mr. Collins was to attend them, -at the request of Mr. Bennet, who was most anxious to get rid of him, -and have his library to himself; for thither Mr. Collins had followed -him after breakfast; and there he would continue, nominally engaged with -one of the largest folios in the collection, but really talking to Mr. -Bennet, with little cessation, of his house and garden at Hunsford. Such -doings discomposed Mr. Bennet exceedingly. In his library he had been -always sure of leisure and tranquillity; and though prepared, as he told -Elizabeth, to meet with folly and conceit in every other room of the -house, he was used to be free from them there; his civility, therefore, -was most prompt in inviting Mr. Collins to join his daughters in their -walk; and Mr. Collins, being in fact much better fitted for a walker -than a reader, was extremely pleased to close his large book, and go. - -In pompous nothings on his side, and civil assents on that of his -cousins, their time passed till they entered Meryton. The attention of -the younger ones was then no longer to be gained by him. Their eyes were -immediately wandering up in the street in quest of the officers, and -nothing less than a very smart bonnet indeed, or a really new muslin in -a shop window, could recall them. - -But the attention of every lady was soon caught by a young man, whom -they had never seen before, of most gentlemanlike appearance, walking -with another officer on the other side of the way. The officer was -the very Mr. Denny concerning whose return from London Lydia came -to inquire, and he bowed as they passed. All were struck with the -stranger's air, all wondered who he could be; and Kitty and Lydia, -determined if possible to find out, led the way across the street, under -pretense of wanting something in an opposite shop, and fortunately -had just gained the pavement when the two gentlemen, turning back, had -reached the same spot. Mr. Denny addressed them directly, and entreated -permission to introduce his friend, Mr. Wickham, who had returned with -him the day before from town, and he was happy to say had accepted a -commission in their corps. This was exactly as it should be; for the -young man wanted only regimentals to make him completely charming. -His appearance was greatly in his favour; he had all the best part of -beauty, a fine countenance, a good figure, and very pleasing address. -The introduction was followed up on his side by a happy readiness -of conversation--a readiness at the same time perfectly correct and -unassuming; and the whole party were still standing and talking together -very agreeably, when the sound of horses drew their notice, and Darcy -and Bingley were seen riding down the street. On distinguishing the -ladies of the group, the two gentlemen came directly towards them, and -began the usual civilities. Bingley was the principal spokesman, and -Miss Bennet the principal object. He was then, he said, on his way to -Longbourn on purpose to inquire after her. Mr. Darcy corroborated -it with a bow, and was beginning to determine not to fix his eyes -on Elizabeth, when they were suddenly arrested by the sight of the -stranger, and Elizabeth happening to see the countenance of both as they -looked at each other, was all astonishment at the effect of the meeting. -Both changed colour, one looked white, the other red. Mr. Wickham, -after a few moments, touched his hat--a salutation which Mr. Darcy just -deigned to return. What could be the meaning of it? It was impossible to -imagine; it was impossible not to long to know. - -In another minute, Mr. Bingley, but without seeming to have noticed what -passed, took leave and rode on with his friend. - -Mr. Denny and Mr. Wickham walked with the young ladies to the door of -Mr. Phillip's house, and then made their bows, in spite of Miss Lydia's -pressing entreaties that they should come in, and even in spite of -Mrs. Phillips's throwing up the parlour window and loudly seconding the -invitation. - -Mrs. Phillips was always glad to see her nieces; and the two eldest, -from their recent absence, were particularly welcome, and she was -eagerly expressing her surprise at their sudden return home, which, as -their own carriage had not fetched them, she should have known nothing -about, if she had not happened to see Mr. Jones's shop-boy in the -street, who had told her that they were not to send any more draughts to -Netherfield because the Miss Bennets were come away, when her civility -was claimed towards Mr. Collins by Jane's introduction of him. She -received him with her very best politeness, which he returned with -as much more, apologising for his intrusion, without any previous -acquaintance with her, which he could not help flattering himself, -however, might be justified by his relationship to the young ladies who -introduced him to her notice. Mrs. Phillips was quite awed by such an -excess of good breeding; but her contemplation of one stranger was soon -put to an end by exclamations and inquiries about the other; of whom, -however, she could only tell her nieces what they already knew, that -Mr. Denny had brought him from London, and that he was to have a -lieutenant's commission in the ----shire. She had been watching him the -last hour, she said, as he walked up and down the street, and had Mr. -Wickham appeared, Kitty and Lydia would certainly have continued the -occupation, but unluckily no one passed windows now except a few of the -officers, who, in comparison with the stranger, were become “stupid, -disagreeable fellows.” Some of them were to dine with the Phillipses -the next day, and their aunt promised to make her husband call on Mr. -Wickham, and give him an invitation also, if the family from Longbourn -would come in the evening. This was agreed to, and Mrs. Phillips -protested that they would have a nice comfortable noisy game of lottery -tickets, and a little bit of hot supper afterwards. The prospect of such -delights was very cheering, and they parted in mutual good spirits. Mr. -Collins repeated his apologies in quitting the room, and was assured -with unwearying civility that they were perfectly needless. - -As they walked home, Elizabeth related to Jane what she had seen pass -between the two gentlemen; but though Jane would have defended either -or both, had they appeared to be in the wrong, she could no more explain -such behaviour than her sister. - -Mr. Collins on his return highly gratified Mrs. Bennet by admiring -Mrs. Phillips's manners and politeness. He protested that, except Lady -Catherine and her daughter, he had never seen a more elegant woman; -for she had not only received him with the utmost civility, but even -pointedly included him in her invitation for the next evening, although -utterly unknown to her before. Something, he supposed, might be -attributed to his connection with them, but yet he had never met with so -much attention in the whole course of his life. - - - -Chapter 16 - - -As no objection was made to the young people's engagement with their -aunt, and all Mr. Collins's scruples of leaving Mr. and Mrs. Bennet for -a single evening during his visit were most steadily resisted, the coach -conveyed him and his five cousins at a suitable hour to Meryton; and -the girls had the pleasure of hearing, as they entered the drawing-room, -that Mr. Wickham had accepted their uncle's invitation, and was then in -the house. - -When this information was given, and they had all taken their seats, Mr. -Collins was at leisure to look around him and admire, and he was so much -struck with the size and furniture of the apartment, that he declared he -might almost have supposed himself in the small summer breakfast -parlour at Rosings; a comparison that did not at first convey much -gratification; but when Mrs. Phillips understood from him what -Rosings was, and who was its proprietor--when she had listened to the -description of only one of Lady Catherine's drawing-rooms, and found -that the chimney-piece alone had cost eight hundred pounds, she felt all -the force of the compliment, and would hardly have resented a comparison -with the housekeeper's room. - -In describing to her all the grandeur of Lady Catherine and her mansion, -with occasional digressions in praise of his own humble abode, and -the improvements it was receiving, he was happily employed until the -gentlemen joined them; and he found in Mrs. Phillips a very attentive -listener, whose opinion of his consequence increased with what she -heard, and who was resolving to retail it all among her neighbours as -soon as she could. To the girls, who could not listen to their cousin, -and who had nothing to do but to wish for an instrument, and examine -their own indifferent imitations of china on the mantelpiece, the -interval of waiting appeared very long. It was over at last, however. -The gentlemen did approach, and when Mr. Wickham walked into the room, -Elizabeth felt that she had neither been seeing him before, nor thinking -of him since, with the smallest degree of unreasonable admiration. -The officers of the ----shire were in general a very creditable, -gentlemanlike set, and the best of them were of the present party; but -Mr. Wickham was as far beyond them all in person, countenance, air, and -walk, as _they_ were superior to the broad-faced, stuffy uncle Phillips, -breathing port wine, who followed them into the room. - -Mr. Wickham was the happy man towards whom almost every female eye was -turned, and Elizabeth was the happy woman by whom he finally seated -himself; and the agreeable manner in which he immediately fell into -conversation, though it was only on its being a wet night, made her feel -that the commonest, dullest, most threadbare topic might be rendered -interesting by the skill of the speaker. - -With such rivals for the notice of the fair as Mr. Wickham and the -officers, Mr. Collins seemed to sink into insignificance; to the young -ladies he certainly was nothing; but he had still at intervals a kind -listener in Mrs. Phillips, and was by her watchfulness, most abundantly -supplied with coffee and muffin. When the card-tables were placed, he -had the opportunity of obliging her in turn, by sitting down to whist. - -“I know little of the game at present,” said he, “but I shall be glad -to improve myself, for in my situation in life--” Mrs. Phillips was very -glad for his compliance, but could not wait for his reason. - -Mr. Wickham did not play at whist, and with ready delight was he -received at the other table between Elizabeth and Lydia. At first there -seemed danger of Lydia's engrossing him entirely, for she was a most -determined talker; but being likewise extremely fond of lottery tickets, -she soon grew too much interested in the game, too eager in making bets -and exclaiming after prizes to have attention for anyone in particular. -Allowing for the common demands of the game, Mr. Wickham was therefore -at leisure to talk to Elizabeth, and she was very willing to hear -him, though what she chiefly wished to hear she could not hope to be -told--the history of his acquaintance with Mr. Darcy. She dared not -even mention that gentleman. Her curiosity, however, was unexpectedly -relieved. Mr. Wickham began the subject himself. He inquired how far -Netherfield was from Meryton; and, after receiving her answer, asked in -a hesitating manner how long Mr. Darcy had been staying there. - -“About a month,” said Elizabeth; and then, unwilling to let the subject -drop, added, “He is a man of very large property in Derbyshire, I -understand.” - -“Yes,” replied Mr. Wickham; “his estate there is a noble one. A clear -ten thousand per annum. You could not have met with a person more -capable of giving you certain information on that head than myself, for -I have been connected with his family in a particular manner from my -infancy.” - -Elizabeth could not but look surprised. - -“You may well be surprised, Miss Bennet, at such an assertion, after -seeing, as you probably might, the very cold manner of our meeting -yesterday. Are you much acquainted with Mr. Darcy?” - -“As much as I ever wish to be,” cried Elizabeth very warmly. “I have -spent four days in the same house with him, and I think him very -disagreeable.” - -“I have no right to give _my_ opinion,” said Wickham, “as to his being -agreeable or otherwise. I am not qualified to form one. I have known him -too long and too well to be a fair judge. It is impossible for _me_ -to be impartial. But I believe your opinion of him would in general -astonish--and perhaps you would not express it quite so strongly -anywhere else. Here you are in your own family.” - -“Upon my word, I say no more _here_ than I might say in any house in -the neighbourhood, except Netherfield. He is not at all liked in -Hertfordshire. Everybody is disgusted with his pride. You will not find -him more favourably spoken of by anyone.” - -“I cannot pretend to be sorry,” said Wickham, after a short -interruption, “that he or that any man should not be estimated beyond -their deserts; but with _him_ I believe it does not often happen. The -world is blinded by his fortune and consequence, or frightened by his -high and imposing manners, and sees him only as he chooses to be seen.” - -“I should take him, even on _my_ slight acquaintance, to be an -ill-tempered man.” Wickham only shook his head. - -“I wonder,” said he, at the next opportunity of speaking, “whether he is -likely to be in this country much longer.” - -“I do not at all know; but I _heard_ nothing of his going away when I -was at Netherfield. I hope your plans in favour of the ----shire will -not be affected by his being in the neighbourhood.” - -“Oh! no--it is not for _me_ to be driven away by Mr. Darcy. If _he_ -wishes to avoid seeing _me_, he must go. We are not on friendly terms, -and it always gives me pain to meet him, but I have no reason for -avoiding _him_ but what I might proclaim before all the world, a sense -of very great ill-usage, and most painful regrets at his being what he -is. His father, Miss Bennet, the late Mr. Darcy, was one of the best men -that ever breathed, and the truest friend I ever had; and I can never -be in company with this Mr. Darcy without being grieved to the soul by -a thousand tender recollections. His behaviour to myself has been -scandalous; but I verily believe I could forgive him anything and -everything, rather than his disappointing the hopes and disgracing the -memory of his father.” - -Elizabeth found the interest of the subject increase, and listened with -all her heart; but the delicacy of it prevented further inquiry. - -Mr. Wickham began to speak on more general topics, Meryton, the -neighbourhood, the society, appearing highly pleased with all that -he had yet seen, and speaking of the latter with gentle but very -intelligible gallantry. - -“It was the prospect of constant society, and good society,” he added, -“which was my chief inducement to enter the ----shire. I knew it to be -a most respectable, agreeable corps, and my friend Denny tempted me -further by his account of their present quarters, and the very great -attentions and excellent acquaintances Meryton had procured them. -Society, I own, is necessary to me. I have been a disappointed man, and -my spirits will not bear solitude. I _must_ have employment and society. -A military life is not what I was intended for, but circumstances have -now made it eligible. The church _ought_ to have been my profession--I -was brought up for the church, and I should at this time have been in -possession of a most valuable living, had it pleased the gentleman we -were speaking of just now.” - -“Indeed!” - -“Yes--the late Mr. Darcy bequeathed me the next presentation of the best -living in his gift. He was my godfather, and excessively attached to me. -I cannot do justice to his kindness. He meant to provide for me amply, -and thought he had done it; but when the living fell, it was given -elsewhere.” - -“Good heavens!” cried Elizabeth; “but how could _that_ be? How could his -will be disregarded? Why did you not seek legal redress?” - -“There was just such an informality in the terms of the bequest as to -give me no hope from law. A man of honour could not have doubted the -intention, but Mr. Darcy chose to doubt it--or to treat it as a merely -conditional recommendation, and to assert that I had forfeited all claim -to it by extravagance, imprudence--in short anything or nothing. Certain -it is, that the living became vacant two years ago, exactly as I was -of an age to hold it, and that it was given to another man; and no -less certain is it, that I cannot accuse myself of having really done -anything to deserve to lose it. I have a warm, unguarded temper, and -I may have spoken my opinion _of_ him, and _to_ him, too freely. I can -recall nothing worse. But the fact is, that we are very different sort -of men, and that he hates me.” - -“This is quite shocking! He deserves to be publicly disgraced.” - -“Some time or other he _will_ be--but it shall not be by _me_. Till I -can forget his father, I can never defy or expose _him_.” - -Elizabeth honoured him for such feelings, and thought him handsomer than -ever as he expressed them. - -“But what,” said she, after a pause, “can have been his motive? What can -have induced him to behave so cruelly?” - -“A thorough, determined dislike of me--a dislike which I cannot but -attribute in some measure to jealousy. Had the late Mr. Darcy liked me -less, his son might have borne with me better; but his father's uncommon -attachment to me irritated him, I believe, very early in life. He had -not a temper to bear the sort of competition in which we stood--the sort -of preference which was often given me.” - -“I had not thought Mr. Darcy so bad as this--though I have never liked -him. I had not thought so very ill of him. I had supposed him to be -despising his fellow-creatures in general, but did not suspect him of -descending to such malicious revenge, such injustice, such inhumanity as -this.” - -After a few minutes' reflection, however, she continued, “I _do_ -remember his boasting one day, at Netherfield, of the implacability of -his resentments, of his having an unforgiving temper. His disposition -must be dreadful.” - -“I will not trust myself on the subject,” replied Wickham; “I can hardly -be just to him.” - -Elizabeth was again deep in thought, and after a time exclaimed, “To -treat in such a manner the godson, the friend, the favourite of his -father!” She could have added, “A young man, too, like _you_, whose very -countenance may vouch for your being amiable”--but she contented herself -with, “and one, too, who had probably been his companion from childhood, -connected together, as I think you said, in the closest manner!” - -“We were born in the same parish, within the same park; the greatest -part of our youth was passed together; inmates of the same house, -sharing the same amusements, objects of the same parental care. _My_ -father began life in the profession which your uncle, Mr. Phillips, -appears to do so much credit to--but he gave up everything to be of -use to the late Mr. Darcy and devoted all his time to the care of the -Pemberley property. He was most highly esteemed by Mr. Darcy, a most -intimate, confidential friend. Mr. Darcy often acknowledged himself to -be under the greatest obligations to my father's active superintendence, -and when, immediately before my father's death, Mr. Darcy gave him a -voluntary promise of providing for me, I am convinced that he felt it to -be as much a debt of gratitude to _him_, as of his affection to myself.” - -“How strange!” cried Elizabeth. “How abominable! I wonder that the very -pride of this Mr. Darcy has not made him just to you! If from no better -motive, that he should not have been too proud to be dishonest--for -dishonesty I must call it.” - -“It _is_ wonderful,” replied Wickham, “for almost all his actions may -be traced to pride; and pride had often been his best friend. It has -connected him nearer with virtue than with any other feeling. But we are -none of us consistent, and in his behaviour to me there were stronger -impulses even than pride.” - -“Can such abominable pride as his have ever done him good?” - -“Yes. It has often led him to be liberal and generous, to give his money -freely, to display hospitality, to assist his tenants, and relieve the -poor. Family pride, and _filial_ pride--for he is very proud of what -his father was--have done this. Not to appear to disgrace his family, -to degenerate from the popular qualities, or lose the influence of the -Pemberley House, is a powerful motive. He has also _brotherly_ pride, -which, with _some_ brotherly affection, makes him a very kind and -careful guardian of his sister, and you will hear him generally cried up -as the most attentive and best of brothers.” - -“What sort of girl is Miss Darcy?” - -He shook his head. “I wish I could call her amiable. It gives me pain to -speak ill of a Darcy. But she is too much like her brother--very, very -proud. As a child, she was affectionate and pleasing, and extremely fond -of me; and I have devoted hours and hours to her amusement. But she is -nothing to me now. She is a handsome girl, about fifteen or sixteen, -and, I understand, highly accomplished. Since her father's death, her -home has been London, where a lady lives with her, and superintends her -education.” - -After many pauses and many trials of other subjects, Elizabeth could not -help reverting once more to the first, and saying: - -“I am astonished at his intimacy with Mr. Bingley! How can Mr. Bingley, -who seems good humour itself, and is, I really believe, truly amiable, -be in friendship with such a man? How can they suit each other? Do you -know Mr. Bingley?” - -“Not at all.” - -“He is a sweet-tempered, amiable, charming man. He cannot know what Mr. -Darcy is.” - -“Probably not; but Mr. Darcy can please where he chooses. He does not -want abilities. He can be a conversible companion if he thinks it worth -his while. Among those who are at all his equals in consequence, he is -a very different man from what he is to the less prosperous. His -pride never deserts him; but with the rich he is liberal-minded, just, -sincere, rational, honourable, and perhaps agreeable--allowing something -for fortune and figure.” - -The whist party soon afterwards breaking up, the players gathered round -the other table and Mr. Collins took his station between his cousin -Elizabeth and Mrs. Phillips. The usual inquiries as to his success were -made by the latter. It had not been very great; he had lost every -point; but when Mrs. Phillips began to express her concern thereupon, -he assured her with much earnest gravity that it was not of the least -importance, that he considered the money as a mere trifle, and begged -that she would not make herself uneasy. - -“I know very well, madam,” said he, “that when persons sit down to a -card-table, they must take their chances of these things, and happily I -am not in such circumstances as to make five shillings any object. There -are undoubtedly many who could not say the same, but thanks to Lady -Catherine de Bourgh, I am removed far beyond the necessity of regarding -little matters.” - -Mr. Wickham's attention was caught; and after observing Mr. Collins for -a few moments, he asked Elizabeth in a low voice whether her relation -was very intimately acquainted with the family of de Bourgh. - -“Lady Catherine de Bourgh,” she replied, “has very lately given him -a living. I hardly know how Mr. Collins was first introduced to her -notice, but he certainly has not known her long.” - -“You know of course that Lady Catherine de Bourgh and Lady Anne Darcy -were sisters; consequently that she is aunt to the present Mr. Darcy.” - -“No, indeed, I did not. I knew nothing at all of Lady Catherine's -connections. I never heard of her existence till the day before -yesterday.” - -“Her daughter, Miss de Bourgh, will have a very large fortune, and it is -believed that she and her cousin will unite the two estates.” - -This information made Elizabeth smile, as she thought of poor Miss -Bingley. Vain indeed must be all her attentions, vain and useless her -affection for his sister and her praise of himself, if he were already -self-destined for another. - -“Mr. Collins,” said she, “speaks highly both of Lady Catherine and her -daughter; but from some particulars that he has related of her ladyship, -I suspect his gratitude misleads him, and that in spite of her being his -patroness, she is an arrogant, conceited woman.” - -“I believe her to be both in a great degree,” replied Wickham; “I have -not seen her for many years, but I very well remember that I never liked -her, and that her manners were dictatorial and insolent. She has the -reputation of being remarkably sensible and clever; but I rather believe -she derives part of her abilities from her rank and fortune, part from -her authoritative manner, and the rest from the pride for her -nephew, who chooses that everyone connected with him should have an -understanding of the first class.” - -Elizabeth allowed that he had given a very rational account of it, and -they continued talking together, with mutual satisfaction till supper -put an end to cards, and gave the rest of the ladies their share of Mr. -Wickham's attentions. There could be no conversation in the noise -of Mrs. Phillips's supper party, but his manners recommended him to -everybody. Whatever he said, was said well; and whatever he did, done -gracefully. Elizabeth went away with her head full of him. She could -think of nothing but of Mr. Wickham, and of what he had told her, all -the way home; but there was not time for her even to mention his name -as they went, for neither Lydia nor Mr. Collins were once silent. Lydia -talked incessantly of lottery tickets, of the fish she had lost and the -fish she had won; and Mr. Collins in describing the civility of Mr. and -Mrs. Phillips, protesting that he did not in the least regard his losses -at whist, enumerating all the dishes at supper, and repeatedly fearing -that he crowded his cousins, had more to say than he could well manage -before the carriage stopped at Longbourn House. - - - -Chapter 17 - - -Elizabeth related to Jane the next day what had passed between Mr. -Wickham and herself. Jane listened with astonishment and concern; she -knew not how to believe that Mr. Darcy could be so unworthy of Mr. -Bingley's regard; and yet, it was not in her nature to question the -veracity of a young man of such amiable appearance as Wickham. The -possibility of his having endured such unkindness, was enough to -interest all her tender feelings; and nothing remained therefore to be -done, but to think well of them both, to defend the conduct of each, -and throw into the account of accident or mistake whatever could not be -otherwise explained. - -“They have both,” said she, “been deceived, I dare say, in some way -or other, of which we can form no idea. Interested people have perhaps -misrepresented each to the other. It is, in short, impossible for us to -conjecture the causes or circumstances which may have alienated them, -without actual blame on either side.” - -“Very true, indeed; and now, my dear Jane, what have you got to say on -behalf of the interested people who have probably been concerned in the -business? Do clear _them_ too, or we shall be obliged to think ill of -somebody.” - -“Laugh as much as you choose, but you will not laugh me out of my -opinion. My dearest Lizzy, do but consider in what a disgraceful light -it places Mr. Darcy, to be treating his father's favourite in such -a manner, one whom his father had promised to provide for. It is -impossible. No man of common humanity, no man who had any value for his -character, could be capable of it. Can his most intimate friends be so -excessively deceived in him? Oh! no.” - -“I can much more easily believe Mr. Bingley's being imposed on, than -that Mr. Wickham should invent such a history of himself as he gave me -last night; names, facts, everything mentioned without ceremony. If it -be not so, let Mr. Darcy contradict it. Besides, there was truth in his -looks.” - -“It is difficult indeed--it is distressing. One does not know what to -think.” - -“I beg your pardon; one knows exactly what to think.” - -But Jane could think with certainty on only one point--that Mr. Bingley, -if he _had_ been imposed on, would have much to suffer when the affair -became public. - -The two young ladies were summoned from the shrubbery, where this -conversation passed, by the arrival of the very persons of whom they had -been speaking; Mr. Bingley and his sisters came to give their personal -invitation for the long-expected ball at Netherfield, which was fixed -for the following Tuesday. The two ladies were delighted to see their -dear friend again, called it an age since they had met, and repeatedly -asked what she had been doing with herself since their separation. To -the rest of the family they paid little attention; avoiding Mrs. Bennet -as much as possible, saying not much to Elizabeth, and nothing at all to -the others. They were soon gone again, rising from their seats with an -activity which took their brother by surprise, and hurrying off as if -eager to escape from Mrs. Bennet's civilities. - -The prospect of the Netherfield ball was extremely agreeable to every -female of the family. Mrs. Bennet chose to consider it as given in -compliment to her eldest daughter, and was particularly flattered -by receiving the invitation from Mr. Bingley himself, instead of a -ceremonious card. Jane pictured to herself a happy evening in the -society of her two friends, and the attentions of their brother; and -Elizabeth thought with pleasure of dancing a great deal with Mr. -Wickham, and of seeing a confirmation of everything in Mr. Darcy's look -and behaviour. The happiness anticipated by Catherine and Lydia depended -less on any single event, or any particular person, for though they -each, like Elizabeth, meant to dance half the evening with Mr. Wickham, -he was by no means the only partner who could satisfy them, and a ball -was, at any rate, a ball. And even Mary could assure her family that she -had no disinclination for it. - -“While I can have my mornings to myself,” said she, “it is enough--I -think it is no sacrifice to join occasionally in evening engagements. -Society has claims on us all; and I profess myself one of those -who consider intervals of recreation and amusement as desirable for -everybody.” - -Elizabeth's spirits were so high on this occasion, that though she did -not often speak unnecessarily to Mr. Collins, she could not help asking -him whether he intended to accept Mr. Bingley's invitation, and if -he did, whether he would think it proper to join in the evening's -amusement; and she was rather surprised to find that he entertained no -scruple whatever on that head, and was very far from dreading a rebuke -either from the Archbishop, or Lady Catherine de Bourgh, by venturing to -dance. - -“I am by no means of the opinion, I assure you,” said he, “that a ball -of this kind, given by a young man of character, to respectable people, -can have any evil tendency; and I am so far from objecting to dancing -myself, that I shall hope to be honoured with the hands of all my fair -cousins in the course of the evening; and I take this opportunity of -soliciting yours, Miss Elizabeth, for the two first dances especially, -a preference which I trust my cousin Jane will attribute to the right -cause, and not to any disrespect for her.” - -Elizabeth felt herself completely taken in. She had fully proposed being -engaged by Mr. Wickham for those very dances; and to have Mr. Collins -instead! her liveliness had never been worse timed. There was no help -for it, however. Mr. Wickham's happiness and her own were perforce -delayed a little longer, and Mr. Collins's proposal accepted with as -good a grace as she could. She was not the better pleased with his -gallantry from the idea it suggested of something more. It now first -struck her, that _she_ was selected from among her sisters as worthy -of being mistress of Hunsford Parsonage, and of assisting to form a -quadrille table at Rosings, in the absence of more eligible visitors. -The idea soon reached to conviction, as she observed his increasing -civilities toward herself, and heard his frequent attempt at a -compliment on her wit and vivacity; and though more astonished than -gratified herself by this effect of her charms, it was not long before -her mother gave her to understand that the probability of their marriage -was extremely agreeable to _her_. Elizabeth, however, did not choose -to take the hint, being well aware that a serious dispute must be the -consequence of any reply. Mr. Collins might never make the offer, and -till he did, it was useless to quarrel about him. - -If there had not been a Netherfield ball to prepare for and talk of, the -younger Miss Bennets would have been in a very pitiable state at this -time, for from the day of the invitation, to the day of the ball, there -was such a succession of rain as prevented their walking to Meryton -once. No aunt, no officers, no news could be sought after--the very -shoe-roses for Netherfield were got by proxy. Even Elizabeth might have -found some trial of her patience in weather which totally suspended the -improvement of her acquaintance with Mr. Wickham; and nothing less than -a dance on Tuesday, could have made such a Friday, Saturday, Sunday, and -Monday endurable to Kitty and Lydia. - - - -Chapter 18 - - -Till Elizabeth entered the drawing-room at Netherfield, and looked in -vain for Mr. Wickham among the cluster of red coats there assembled, a -doubt of his being present had never occurred to her. The certainty -of meeting him had not been checked by any of those recollections that -might not unreasonably have alarmed her. She had dressed with more than -usual care, and prepared in the highest spirits for the conquest of all -that remained unsubdued of his heart, trusting that it was not more than -might be won in the course of the evening. But in an instant arose -the dreadful suspicion of his being purposely omitted for Mr. Darcy's -pleasure in the Bingleys' invitation to the officers; and though -this was not exactly the case, the absolute fact of his absence was -pronounced by his friend Denny, to whom Lydia eagerly applied, and who -told them that Wickham had been obliged to go to town on business the -day before, and was not yet returned; adding, with a significant smile, -“I do not imagine his business would have called him away just now, if -he had not wanted to avoid a certain gentleman here.” - -This part of his intelligence, though unheard by Lydia, was caught by -Elizabeth, and, as it assured her that Darcy was not less answerable for -Wickham's absence than if her first surmise had been just, every -feeling of displeasure against the former was so sharpened by immediate -disappointment, that she could hardly reply with tolerable civility to -the polite inquiries which he directly afterwards approached to make. -Attendance, forbearance, patience with Darcy, was injury to Wickham. She -was resolved against any sort of conversation with him, and turned away -with a degree of ill-humour which she could not wholly surmount even in -speaking to Mr. Bingley, whose blind partiality provoked her. - -But Elizabeth was not formed for ill-humour; and though every prospect -of her own was destroyed for the evening, it could not dwell long on her -spirits; and having told all her griefs to Charlotte Lucas, whom she had -not seen for a week, she was soon able to make a voluntary transition -to the oddities of her cousin, and to point him out to her particular -notice. The first two dances, however, brought a return of distress; -they were dances of mortification. Mr. Collins, awkward and solemn, -apologising instead of attending, and often moving wrong without being -aware of it, gave her all the shame and misery which a disagreeable -partner for a couple of dances can give. The moment of her release from -him was ecstasy. - -She danced next with an officer, and had the refreshment of talking of -Wickham, and of hearing that he was universally liked. When those dances -were over, she returned to Charlotte Lucas, and was in conversation with -her, when she found herself suddenly addressed by Mr. Darcy who took -her so much by surprise in his application for her hand, that, -without knowing what she did, she accepted him. He walked away again -immediately, and she was left to fret over her own want of presence of -mind; Charlotte tried to console her: - -“I dare say you will find him very agreeable.” - -“Heaven forbid! _That_ would be the greatest misfortune of all! To find -a man agreeable whom one is determined to hate! Do not wish me such an -evil.” - -When the dancing recommenced, however, and Darcy approached to claim her -hand, Charlotte could not help cautioning her in a whisper, not to be a -simpleton, and allow her fancy for Wickham to make her appear unpleasant -in the eyes of a man ten times his consequence. Elizabeth made no -answer, and took her place in the set, amazed at the dignity to which -she was arrived in being allowed to stand opposite to Mr. Darcy, and -reading in her neighbours' looks, their equal amazement in beholding -it. They stood for some time without speaking a word; and she began to -imagine that their silence was to last through the two dances, and at -first was resolved not to break it; till suddenly fancying that it would -be the greater punishment to her partner to oblige him to talk, she made -some slight observation on the dance. He replied, and was again -silent. After a pause of some minutes, she addressed him a second time -with:--“It is _your_ turn to say something now, Mr. Darcy. I talked -about the dance, and _you_ ought to make some sort of remark on the size -of the room, or the number of couples.” - -He smiled, and assured her that whatever she wished him to say should be -said. - -“Very well. That reply will do for the present. Perhaps by and by I may -observe that private balls are much pleasanter than public ones. But -_now_ we may be silent.” - -“Do you talk by rule, then, while you are dancing?” - -“Sometimes. One must speak a little, you know. It would look odd to be -entirely silent for half an hour together; and yet for the advantage of -_some_, conversation ought to be so arranged, as that they may have the -trouble of saying as little as possible.” - -“Are you consulting your own feelings in the present case, or do you -imagine that you are gratifying mine?” - -“Both,” replied Elizabeth archly; “for I have always seen a great -similarity in the turn of our minds. We are each of an unsocial, -taciturn disposition, unwilling to speak, unless we expect to say -something that will amaze the whole room, and be handed down to -posterity with all the eclat of a proverb.” - -“This is no very striking resemblance of your own character, I am sure,” - said he. “How near it may be to _mine_, I cannot pretend to say. _You_ -think it a faithful portrait undoubtedly.” - -“I must not decide on my own performance.” - -He made no answer, and they were again silent till they had gone down -the dance, when he asked her if she and her sisters did not very often -walk to Meryton. She answered in the affirmative, and, unable to resist -the temptation, added, “When you met us there the other day, we had just -been forming a new acquaintance.” - -The effect was immediate. A deeper shade of _hauteur_ overspread his -features, but he said not a word, and Elizabeth, though blaming herself -for her own weakness, could not go on. At length Darcy spoke, and in a -constrained manner said, “Mr. Wickham is blessed with such happy manners -as may ensure his _making_ friends--whether he may be equally capable of -_retaining_ them, is less certain.” - -“He has been so unlucky as to lose _your_ friendship,” replied Elizabeth -with emphasis, “and in a manner which he is likely to suffer from all -his life.” - -Darcy made no answer, and seemed desirous of changing the subject. At -that moment, Sir William Lucas appeared close to them, meaning to pass -through the set to the other side of the room; but on perceiving Mr. -Darcy, he stopped with a bow of superior courtesy to compliment him on -his dancing and his partner. - -“I have been most highly gratified indeed, my dear sir. Such very -superior dancing is not often seen. It is evident that you belong to the -first circles. Allow me to say, however, that your fair partner does not -disgrace you, and that I must hope to have this pleasure often repeated, -especially when a certain desirable event, my dear Eliza (glancing at -her sister and Bingley) shall take place. What congratulations will then -flow in! I appeal to Mr. Darcy:--but let me not interrupt you, sir. You -will not thank me for detaining you from the bewitching converse of that -young lady, whose bright eyes are also upbraiding me.” - -The latter part of this address was scarcely heard by Darcy; but Sir -William's allusion to his friend seemed to strike him forcibly, and his -eyes were directed with a very serious expression towards Bingley and -Jane, who were dancing together. Recovering himself, however, shortly, -he turned to his partner, and said, “Sir William's interruption has made -me forget what we were talking of.” - -“I do not think we were speaking at all. Sir William could not have -interrupted two people in the room who had less to say for themselves. -We have tried two or three subjects already without success, and what we -are to talk of next I cannot imagine.” - -“What think you of books?” said he, smiling. - -“Books--oh! no. I am sure we never read the same, or not with the same -feelings.” - -“I am sorry you think so; but if that be the case, there can at least be -no want of subject. We may compare our different opinions.” - -“No--I cannot talk of books in a ball-room; my head is always full of -something else.” - -“The _present_ always occupies you in such scenes--does it?” said he, -with a look of doubt. - -“Yes, always,” she replied, without knowing what she said, for her -thoughts had wandered far from the subject, as soon afterwards appeared -by her suddenly exclaiming, “I remember hearing you once say, Mr. Darcy, -that you hardly ever forgave, that your resentment once created was -unappeasable. You are very cautious, I suppose, as to its _being -created_.” - -“I am,” said he, with a firm voice. - -“And never allow yourself to be blinded by prejudice?” - -“I hope not.” - -“It is particularly incumbent on those who never change their opinion, -to be secure of judging properly at first.” - -“May I ask to what these questions tend?” - -“Merely to the illustration of _your_ character,” said she, endeavouring -to shake off her gravity. “I am trying to make it out.” - -“And what is your success?” - -She shook her head. “I do not get on at all. I hear such different -accounts of you as puzzle me exceedingly.” - -“I can readily believe,” answered he gravely, “that reports may vary -greatly with respect to me; and I could wish, Miss Bennet, that you were -not to sketch my character at the present moment, as there is reason to -fear that the performance would reflect no credit on either.” - -“But if I do not take your likeness now, I may never have another -opportunity.” - -“I would by no means suspend any pleasure of yours,” he coldly replied. -She said no more, and they went down the other dance and parted in -silence; and on each side dissatisfied, though not to an equal degree, -for in Darcy's breast there was a tolerably powerful feeling towards -her, which soon procured her pardon, and directed all his anger against -another. - -They had not long separated, when Miss Bingley came towards her, and -with an expression of civil disdain accosted her: - -“So, Miss Eliza, I hear you are quite delighted with George Wickham! -Your sister has been talking to me about him, and asking me a thousand -questions; and I find that the young man quite forgot to tell you, among -his other communication, that he was the son of old Wickham, the late -Mr. Darcy's steward. Let me recommend you, however, as a friend, not to -give implicit confidence to all his assertions; for as to Mr. Darcy's -using him ill, it is perfectly false; for, on the contrary, he has -always been remarkably kind to him, though George Wickham has treated -Mr. Darcy in a most infamous manner. I do not know the particulars, but -I know very well that Mr. Darcy is not in the least to blame, that he -cannot bear to hear George Wickham mentioned, and that though my brother -thought that he could not well avoid including him in his invitation to -the officers, he was excessively glad to find that he had taken himself -out of the way. His coming into the country at all is a most insolent -thing, indeed, and I wonder how he could presume to do it. I pity you, -Miss Eliza, for this discovery of your favourite's guilt; but really, -considering his descent, one could not expect much better.” - -“His guilt and his descent appear by your account to be the same,” said -Elizabeth angrily; “for I have heard you accuse him of nothing worse -than of being the son of Mr. Darcy's steward, and of _that_, I can -assure you, he informed me himself.” - -“I beg your pardon,” replied Miss Bingley, turning away with a sneer. -“Excuse my interference--it was kindly meant.” - -“Insolent girl!” said Elizabeth to herself. “You are much mistaken -if you expect to influence me by such a paltry attack as this. I see -nothing in it but your own wilful ignorance and the malice of Mr. -Darcy.” She then sought her eldest sister, who had undertaken to make -inquiries on the same subject of Bingley. Jane met her with a smile of -such sweet complacency, a glow of such happy expression, as sufficiently -marked how well she was satisfied with the occurrences of the evening. -Elizabeth instantly read her feelings, and at that moment solicitude for -Wickham, resentment against his enemies, and everything else, gave way -before the hope of Jane's being in the fairest way for happiness. - -“I want to know,” said she, with a countenance no less smiling than her -sister's, “what you have learnt about Mr. Wickham. But perhaps you have -been too pleasantly engaged to think of any third person; in which case -you may be sure of my pardon.” - -“No,” replied Jane, “I have not forgotten him; but I have nothing -satisfactory to tell you. Mr. Bingley does not know the whole of -his history, and is quite ignorant of the circumstances which have -principally offended Mr. Darcy; but he will vouch for the good conduct, -the probity, and honour of his friend, and is perfectly convinced that -Mr. Wickham has deserved much less attention from Mr. Darcy than he has -received; and I am sorry to say by his account as well as his sister's, -Mr. Wickham is by no means a respectable young man. I am afraid he has -been very imprudent, and has deserved to lose Mr. Darcy's regard.” - -“Mr. Bingley does not know Mr. Wickham himself?” - -“No; he never saw him till the other morning at Meryton.” - -“This account then is what he has received from Mr. Darcy. I am -satisfied. But what does he say of the living?” - -“He does not exactly recollect the circumstances, though he has heard -them from Mr. Darcy more than once, but he believes that it was left to -him _conditionally_ only.” - -“I have not a doubt of Mr. Bingley's sincerity,” said Elizabeth warmly; -“but you must excuse my not being convinced by assurances only. Mr. -Bingley's defense of his friend was a very able one, I dare say; but -since he is unacquainted with several parts of the story, and has learnt -the rest from that friend himself, I shall venture to still think of -both gentlemen as I did before.” - -She then changed the discourse to one more gratifying to each, and on -which there could be no difference of sentiment. Elizabeth listened with -delight to the happy, though modest hopes which Jane entertained of Mr. -Bingley's regard, and said all in her power to heighten her confidence -in it. On their being joined by Mr. Bingley himself, Elizabeth withdrew -to Miss Lucas; to whose inquiry after the pleasantness of her last -partner she had scarcely replied, before Mr. Collins came up to them, -and told her with great exultation that he had just been so fortunate as -to make a most important discovery. - -“I have found out,” said he, “by a singular accident, that there is now -in the room a near relation of my patroness. I happened to overhear the -gentleman himself mentioning to the young lady who does the honours of -the house the names of his cousin Miss de Bourgh, and of her mother Lady -Catherine. How wonderfully these sort of things occur! Who would have -thought of my meeting with, perhaps, a nephew of Lady Catherine de -Bourgh in this assembly! I am most thankful that the discovery is made -in time for me to pay my respects to him, which I am now going to -do, and trust he will excuse my not having done it before. My total -ignorance of the connection must plead my apology.” - -“You are not going to introduce yourself to Mr. Darcy!” - -“Indeed I am. I shall entreat his pardon for not having done it earlier. -I believe him to be Lady Catherine's _nephew_. It will be in my power to -assure him that her ladyship was quite well yesterday se'nnight.” - -Elizabeth tried hard to dissuade him from such a scheme, assuring him -that Mr. Darcy would consider his addressing him without introduction -as an impertinent freedom, rather than a compliment to his aunt; that -it was not in the least necessary there should be any notice on either -side; and that if it were, it must belong to Mr. Darcy, the superior in -consequence, to begin the acquaintance. Mr. Collins listened to her -with the determined air of following his own inclination, and, when she -ceased speaking, replied thus: - -“My dear Miss Elizabeth, I have the highest opinion in the world in -your excellent judgement in all matters within the scope of your -understanding; but permit me to say, that there must be a wide -difference between the established forms of ceremony amongst the laity, -and those which regulate the clergy; for, give me leave to observe that -I consider the clerical office as equal in point of dignity with -the highest rank in the kingdom--provided that a proper humility of -behaviour is at the same time maintained. You must therefore allow me to -follow the dictates of my conscience on this occasion, which leads me to -perform what I look on as a point of duty. Pardon me for neglecting to -profit by your advice, which on every other subject shall be my constant -guide, though in the case before us I consider myself more fitted by -education and habitual study to decide on what is right than a young -lady like yourself.” And with a low bow he left her to attack Mr. -Darcy, whose reception of his advances she eagerly watched, and whose -astonishment at being so addressed was very evident. Her cousin prefaced -his speech with a solemn bow and though she could not hear a word of -it, she felt as if hearing it all, and saw in the motion of his lips the -words “apology,” “Hunsford,” and “Lady Catherine de Bourgh.” It vexed -her to see him expose himself to such a man. Mr. Darcy was eyeing him -with unrestrained wonder, and when at last Mr. Collins allowed him time -to speak, replied with an air of distant civility. Mr. Collins, however, -was not discouraged from speaking again, and Mr. Darcy's contempt seemed -abundantly increasing with the length of his second speech, and at the -end of it he only made him a slight bow, and moved another way. Mr. -Collins then returned to Elizabeth. - -“I have no reason, I assure you,” said he, “to be dissatisfied with my -reception. Mr. Darcy seemed much pleased with the attention. He answered -me with the utmost civility, and even paid me the compliment of saying -that he was so well convinced of Lady Catherine's discernment as to be -certain she could never bestow a favour unworthily. It was really a very -handsome thought. Upon the whole, I am much pleased with him.” - -As Elizabeth had no longer any interest of her own to pursue, she turned -her attention almost entirely on her sister and Mr. Bingley; and the -train of agreeable reflections which her observations gave birth to, -made her perhaps almost as happy as Jane. She saw her in idea settled in -that very house, in all the felicity which a marriage of true affection -could bestow; and she felt capable, under such circumstances, of -endeavouring even to like Bingley's two sisters. Her mother's thoughts -she plainly saw were bent the same way, and she determined not to -venture near her, lest she might hear too much. When they sat down to -supper, therefore, she considered it a most unlucky perverseness which -placed them within one of each other; and deeply was she vexed to find -that her mother was talking to that one person (Lady Lucas) freely, -openly, and of nothing else but her expectation that Jane would soon -be married to Mr. Bingley. It was an animating subject, and Mrs. Bennet -seemed incapable of fatigue while enumerating the advantages of the -match. His being such a charming young man, and so rich, and living but -three miles from them, were the first points of self-gratulation; and -then it was such a comfort to think how fond the two sisters were of -Jane, and to be certain that they must desire the connection as much as -she could do. It was, moreover, such a promising thing for her younger -daughters, as Jane's marrying so greatly must throw them in the way of -other rich men; and lastly, it was so pleasant at her time of life to be -able to consign her single daughters to the care of their sister, that -she might not be obliged to go into company more than she liked. It was -necessary to make this circumstance a matter of pleasure, because on -such occasions it is the etiquette; but no one was less likely than Mrs. -Bennet to find comfort in staying home at any period of her life. She -concluded with many good wishes that Lady Lucas might soon be equally -fortunate, though evidently and triumphantly believing there was no -chance of it. - -In vain did Elizabeth endeavour to check the rapidity of her mother's -words, or persuade her to describe her felicity in a less audible -whisper; for, to her inexpressible vexation, she could perceive that the -chief of it was overheard by Mr. Darcy, who sat opposite to them. Her -mother only scolded her for being nonsensical. - -“What is Mr. Darcy to me, pray, that I should be afraid of him? I am -sure we owe him no such particular civility as to be obliged to say -nothing _he_ may not like to hear.” - -“For heaven's sake, madam, speak lower. What advantage can it be for you -to offend Mr. Darcy? You will never recommend yourself to his friend by -so doing!” - -Nothing that she could say, however, had any influence. Her mother would -talk of her views in the same intelligible tone. Elizabeth blushed and -blushed again with shame and vexation. She could not help frequently -glancing her eye at Mr. Darcy, though every glance convinced her of what -she dreaded; for though he was not always looking at her mother, she was -convinced that his attention was invariably fixed by her. The expression -of his face changed gradually from indignant contempt to a composed and -steady gravity. - -At length, however, Mrs. Bennet had no more to say; and Lady Lucas, who -had been long yawning at the repetition of delights which she saw no -likelihood of sharing, was left to the comforts of cold ham and -chicken. Elizabeth now began to revive. But not long was the interval of -tranquillity; for, when supper was over, singing was talked of, and -she had the mortification of seeing Mary, after very little entreaty, -preparing to oblige the company. By many significant looks and silent -entreaties, did she endeavour to prevent such a proof of complaisance, -but in vain; Mary would not understand them; such an opportunity of -exhibiting was delightful to her, and she began her song. Elizabeth's -eyes were fixed on her with most painful sensations, and she watched her -progress through the several stanzas with an impatience which was very -ill rewarded at their close; for Mary, on receiving, amongst the thanks -of the table, the hint of a hope that she might be prevailed on to -favour them again, after the pause of half a minute began another. -Mary's powers were by no means fitted for such a display; her voice was -weak, and her manner affected. Elizabeth was in agonies. She looked at -Jane, to see how she bore it; but Jane was very composedly talking to -Bingley. She looked at his two sisters, and saw them making signs -of derision at each other, and at Darcy, who continued, however, -imperturbably grave. She looked at her father to entreat his -interference, lest Mary should be singing all night. He took the hint, -and when Mary had finished her second song, said aloud, “That will do -extremely well, child. You have delighted us long enough. Let the other -young ladies have time to exhibit.” - -Mary, though pretending not to hear, was somewhat disconcerted; and -Elizabeth, sorry for her, and sorry for her father's speech, was afraid -her anxiety had done no good. Others of the party were now applied to. - -“If I,” said Mr. Collins, “were so fortunate as to be able to sing, I -should have great pleasure, I am sure, in obliging the company with an -air; for I consider music as a very innocent diversion, and perfectly -compatible with the profession of a clergyman. I do not mean, however, -to assert that we can be justified in devoting too much of our time -to music, for there are certainly other things to be attended to. The -rector of a parish has much to do. In the first place, he must make -such an agreement for tithes as may be beneficial to himself and not -offensive to his patron. He must write his own sermons; and the time -that remains will not be too much for his parish duties, and the care -and improvement of his dwelling, which he cannot be excused from making -as comfortable as possible. And I do not think it of light importance -that he should have attentive and conciliatory manners towards everybody, -especially towards those to whom he owes his preferment. I cannot acquit -him of that duty; nor could I think well of the man who should omit an -occasion of testifying his respect towards anybody connected with the -family.” And with a bow to Mr. Darcy, he concluded his speech, which had -been spoken so loud as to be heard by half the room. Many stared--many -smiled; but no one looked more amused than Mr. Bennet himself, while his -wife seriously commended Mr. Collins for having spoken so sensibly, -and observed in a half-whisper to Lady Lucas, that he was a remarkably -clever, good kind of young man. - -To Elizabeth it appeared that, had her family made an agreement to -expose themselves as much as they could during the evening, it would -have been impossible for them to play their parts with more spirit or -finer success; and happy did she think it for Bingley and her sister -that some of the exhibition had escaped his notice, and that his -feelings were not of a sort to be much distressed by the folly which he -must have witnessed. That his two sisters and Mr. Darcy, however, should -have such an opportunity of ridiculing her relations, was bad enough, -and she could not determine whether the silent contempt of the -gentleman, or the insolent smiles of the ladies, were more intolerable. - -The rest of the evening brought her little amusement. She was teased by -Mr. Collins, who continued most perseveringly by her side, and though -he could not prevail on her to dance with him again, put it out of her -power to dance with others. In vain did she entreat him to stand up with -somebody else, and offer to introduce him to any young lady in the room. -He assured her, that as to dancing, he was perfectly indifferent to it; -that his chief object was by delicate attentions to recommend himself to -her and that he should therefore make a point of remaining close to her -the whole evening. There was no arguing upon such a project. She owed -her greatest relief to her friend Miss Lucas, who often joined them, and -good-naturedly engaged Mr. Collins's conversation to herself. - -She was at least free from the offense of Mr. Darcy's further notice; -though often standing within a very short distance of her, quite -disengaged, he never came near enough to speak. She felt it to be the -probable consequence of her allusions to Mr. Wickham, and rejoiced in -it. - -The Longbourn party were the last of all the company to depart, and, by -a manoeuvre of Mrs. Bennet, had to wait for their carriage a quarter of -an hour after everybody else was gone, which gave them time to see how -heartily they were wished away by some of the family. Mrs. Hurst and her -sister scarcely opened their mouths, except to complain of fatigue, and -were evidently impatient to have the house to themselves. They repulsed -every attempt of Mrs. Bennet at conversation, and by so doing threw a -languor over the whole party, which was very little relieved by the -long speeches of Mr. Collins, who was complimenting Mr. Bingley and his -sisters on the elegance of their entertainment, and the hospitality and -politeness which had marked their behaviour to their guests. Darcy said -nothing at all. Mr. Bennet, in equal silence, was enjoying the scene. -Mr. Bingley and Jane were standing together, a little detached from the -rest, and talked only to each other. Elizabeth preserved as steady a -silence as either Mrs. Hurst or Miss Bingley; and even Lydia was too -much fatigued to utter more than the occasional exclamation of “Lord, -how tired I am!” accompanied by a violent yawn. - -When at length they arose to take leave, Mrs. Bennet was most pressingly -civil in her hope of seeing the whole family soon at Longbourn, and -addressed herself especially to Mr. Bingley, to assure him how happy he -would make them by eating a family dinner with them at any time, without -the ceremony of a formal invitation. Bingley was all grateful pleasure, -and he readily engaged for taking the earliest opportunity of waiting on -her, after his return from London, whither he was obliged to go the next -day for a short time. - -Mrs. Bennet was perfectly satisfied, and quitted the house under the -delightful persuasion that, allowing for the necessary preparations of -settlements, new carriages, and wedding clothes, she should undoubtedly -see her daughter settled at Netherfield in the course of three or four -months. Of having another daughter married to Mr. Collins, she thought -with equal certainty, and with considerable, though not equal, pleasure. -Elizabeth was the least dear to her of all her children; and though the -man and the match were quite good enough for _her_, the worth of each -was eclipsed by Mr. Bingley and Netherfield. - - - -Chapter 19 - - -The next day opened a new scene at Longbourn. Mr. Collins made his -declaration in form. Having resolved to do it without loss of time, as -his leave of absence extended only to the following Saturday, and having -no feelings of diffidence to make it distressing to himself even at -the moment, he set about it in a very orderly manner, with all the -observances, which he supposed a regular part of the business. On -finding Mrs. Bennet, Elizabeth, and one of the younger girls together, -soon after breakfast, he addressed the mother in these words: - -“May I hope, madam, for your interest with your fair daughter Elizabeth, -when I solicit for the honour of a private audience with her in the -course of this morning?” - -Before Elizabeth had time for anything but a blush of surprise, Mrs. -Bennet answered instantly, “Oh dear!--yes--certainly. I am sure Lizzy -will be very happy--I am sure she can have no objection. Come, Kitty, I -want you up stairs.” And, gathering her work together, she was hastening -away, when Elizabeth called out: - -“Dear madam, do not go. I beg you will not go. Mr. Collins must excuse -me. He can have nothing to say to me that anybody need not hear. I am -going away myself.” - -“No, no, nonsense, Lizzy. I desire you to stay where you are.” And upon -Elizabeth's seeming really, with vexed and embarrassed looks, about to -escape, she added: “Lizzy, I _insist_ upon your staying and hearing Mr. -Collins.” - -Elizabeth would not oppose such an injunction--and a moment's -consideration making her also sensible that it would be wisest to get it -over as soon and as quietly as possible, she sat down again and tried to -conceal, by incessant employment the feelings which were divided between -distress and diversion. Mrs. Bennet and Kitty walked off, and as soon as -they were gone, Mr. Collins began. - -“Believe me, my dear Miss Elizabeth, that your modesty, so far from -doing you any disservice, rather adds to your other perfections. You -would have been less amiable in my eyes had there _not_ been this little -unwillingness; but allow me to assure you, that I have your respected -mother's permission for this address. You can hardly doubt the -purport of my discourse, however your natural delicacy may lead you to -dissemble; my attentions have been too marked to be mistaken. Almost as -soon as I entered the house, I singled you out as the companion of -my future life. But before I am run away with by my feelings on this -subject, perhaps it would be advisable for me to state my reasons for -marrying--and, moreover, for coming into Hertfordshire with the design -of selecting a wife, as I certainly did.” - -The idea of Mr. Collins, with all his solemn composure, being run away -with by his feelings, made Elizabeth so near laughing, that she could -not use the short pause he allowed in any attempt to stop him further, -and he continued: - -“My reasons for marrying are, first, that I think it a right thing for -every clergyman in easy circumstances (like myself) to set the example -of matrimony in his parish; secondly, that I am convinced that it will -add very greatly to my happiness; and thirdly--which perhaps I ought -to have mentioned earlier, that it is the particular advice and -recommendation of the very noble lady whom I have the honour of calling -patroness. Twice has she condescended to give me her opinion (unasked -too!) on this subject; and it was but the very Saturday night before I -left Hunsford--between our pools at quadrille, while Mrs. Jenkinson was -arranging Miss de Bourgh's footstool, that she said, 'Mr. Collins, you -must marry. A clergyman like you must marry. Choose properly, choose -a gentlewoman for _my_ sake; and for your _own_, let her be an active, -useful sort of person, not brought up high, but able to make a small -income go a good way. This is my advice. Find such a woman as soon as -you can, bring her to Hunsford, and I will visit her.' Allow me, by the -way, to observe, my fair cousin, that I do not reckon the notice -and kindness of Lady Catherine de Bourgh as among the least of the -advantages in my power to offer. You will find her manners beyond -anything I can describe; and your wit and vivacity, I think, must be -acceptable to her, especially when tempered with the silence and -respect which her rank will inevitably excite. Thus much for my general -intention in favour of matrimony; it remains to be told why my views -were directed towards Longbourn instead of my own neighbourhood, where I -can assure you there are many amiable young women. But the fact is, that -being, as I am, to inherit this estate after the death of your honoured -father (who, however, may live many years longer), I could not satisfy -myself without resolving to choose a wife from among his daughters, that -the loss to them might be as little as possible, when the melancholy -event takes place--which, however, as I have already said, may not -be for several years. This has been my motive, my fair cousin, and -I flatter myself it will not sink me in your esteem. And now nothing -remains for me but to assure you in the most animated language of the -violence of my affection. To fortune I am perfectly indifferent, and -shall make no demand of that nature on your father, since I am well -aware that it could not be complied with; and that one thousand pounds -in the four per cents, which will not be yours till after your mother's -decease, is all that you may ever be entitled to. On that head, -therefore, I shall be uniformly silent; and you may assure yourself that -no ungenerous reproach shall ever pass my lips when we are married.” - -It was absolutely necessary to interrupt him now. - -“You are too hasty, sir,” she cried. “You forget that I have made no -answer. Let me do it without further loss of time. Accept my thanks for -the compliment you are paying me. I am very sensible of the honour of -your proposals, but it is impossible for me to do otherwise than to -decline them.” - -“I am not now to learn,” replied Mr. Collins, with a formal wave of the -hand, “that it is usual with young ladies to reject the addresses of the -man whom they secretly mean to accept, when he first applies for their -favour; and that sometimes the refusal is repeated a second, or even a -third time. I am therefore by no means discouraged by what you have just -said, and shall hope to lead you to the altar ere long.” - -“Upon my word, sir,” cried Elizabeth, “your hope is a rather -extraordinary one after my declaration. I do assure you that I am not -one of those young ladies (if such young ladies there are) who are so -daring as to risk their happiness on the chance of being asked a second -time. I am perfectly serious in my refusal. You could not make _me_ -happy, and I am convinced that I am the last woman in the world who -could make you so. Nay, were your friend Lady Catherine to know me, I -am persuaded she would find me in every respect ill qualified for the -situation.” - -“Were it certain that Lady Catherine would think so,” said Mr. Collins -very gravely--“but I cannot imagine that her ladyship would at all -disapprove of you. And you may be certain when I have the honour of -seeing her again, I shall speak in the very highest terms of your -modesty, economy, and other amiable qualification.” - -“Indeed, Mr. Collins, all praise of me will be unnecessary. You -must give me leave to judge for myself, and pay me the compliment -of believing what I say. I wish you very happy and very rich, and by -refusing your hand, do all in my power to prevent your being otherwise. -In making me the offer, you must have satisfied the delicacy of your -feelings with regard to my family, and may take possession of Longbourn -estate whenever it falls, without any self-reproach. This matter may -be considered, therefore, as finally settled.” And rising as she -thus spoke, she would have quitted the room, had Mr. Collins not thus -addressed her: - -“When I do myself the honour of speaking to you next on the subject, I -shall hope to receive a more favourable answer than you have now given -me; though I am far from accusing you of cruelty at present, because I -know it to be the established custom of your sex to reject a man on -the first application, and perhaps you have even now said as much to -encourage my suit as would be consistent with the true delicacy of the -female character.” - -“Really, Mr. Collins,” cried Elizabeth with some warmth, “you puzzle me -exceedingly. If what I have hitherto said can appear to you in the form -of encouragement, I know not how to express my refusal in such a way as -to convince you of its being one.” - -“You must give me leave to flatter myself, my dear cousin, that your -refusal of my addresses is merely words of course. My reasons for -believing it are briefly these: It does not appear to me that my hand is -unworthy of your acceptance, or that the establishment I can offer would -be any other than highly desirable. My situation in life, my connections -with the family of de Bourgh, and my relationship to your own, are -circumstances highly in my favour; and you should take it into further -consideration, that in spite of your manifold attractions, it is by no -means certain that another offer of marriage may ever be made you. Your -portion is unhappily so small that it will in all likelihood undo -the effects of your loveliness and amiable qualifications. As I must -therefore conclude that you are not serious in your rejection of me, -I shall choose to attribute it to your wish of increasing my love by -suspense, according to the usual practice of elegant females.” - -“I do assure you, sir, that I have no pretensions whatever to that kind -of elegance which consists in tormenting a respectable man. I would -rather be paid the compliment of being believed sincere. I thank you -again and again for the honour you have done me in your proposals, but -to accept them is absolutely impossible. My feelings in every respect -forbid it. Can I speak plainer? Do not consider me now as an elegant -female, intending to plague you, but as a rational creature, speaking -the truth from her heart.” - -“You are uniformly charming!” cried he, with an air of awkward -gallantry; “and I am persuaded that when sanctioned by the express -authority of both your excellent parents, my proposals will not fail of -being acceptable.” - -To such perseverance in wilful self-deception Elizabeth would make -no reply, and immediately and in silence withdrew; determined, if -he persisted in considering her repeated refusals as flattering -encouragement, to apply to her father, whose negative might be uttered -in such a manner as to be decisive, and whose behaviour at least could -not be mistaken for the affectation and coquetry of an elegant female. - - - -Chapter 20 - - -Mr. Collins was not left long to the silent contemplation of his -successful love; for Mrs. Bennet, having dawdled about in the vestibule -to watch for the end of the conference, no sooner saw Elizabeth open -the door and with quick step pass her towards the staircase, than she -entered the breakfast-room, and congratulated both him and herself in -warm terms on the happy prospect of their nearer connection. Mr. Collins -received and returned these felicitations with equal pleasure, and then -proceeded to relate the particulars of their interview, with the result -of which he trusted he had every reason to be satisfied, since the -refusal which his cousin had steadfastly given him would naturally flow -from her bashful modesty and the genuine delicacy of her character. - -This information, however, startled Mrs. Bennet; she would have been -glad to be equally satisfied that her daughter had meant to encourage -him by protesting against his proposals, but she dared not believe it, -and could not help saying so. - -“But, depend upon it, Mr. Collins,” she added, “that Lizzy shall be -brought to reason. I will speak to her about it directly. She is a very -headstrong, foolish girl, and does not know her own interest but I will -_make_ her know it.” - -“Pardon me for interrupting you, madam,” cried Mr. Collins; “but if -she is really headstrong and foolish, I know not whether she would -altogether be a very desirable wife to a man in my situation, who -naturally looks for happiness in the marriage state. If therefore she -actually persists in rejecting my suit, perhaps it were better not -to force her into accepting me, because if liable to such defects of -temper, she could not contribute much to my felicity.” - -“Sir, you quite misunderstand me,” said Mrs. Bennet, alarmed. “Lizzy is -only headstrong in such matters as these. In everything else she is as -good-natured a girl as ever lived. I will go directly to Mr. Bennet, and -we shall very soon settle it with her, I am sure.” - -She would not give him time to reply, but hurrying instantly to her -husband, called out as she entered the library, “Oh! Mr. Bennet, you -are wanted immediately; we are all in an uproar. You must come and make -Lizzy marry Mr. Collins, for she vows she will not have him, and if you -do not make haste he will change his mind and not have _her_.” - -Mr. Bennet raised his eyes from his book as she entered, and fixed them -on her face with a calm unconcern which was not in the least altered by -her communication. - -“I have not the pleasure of understanding you,” said he, when she had -finished her speech. “Of what are you talking?” - -“Of Mr. Collins and Lizzy. Lizzy declares she will not have Mr. Collins, -and Mr. Collins begins to say that he will not have Lizzy.” - -“And what am I to do on the occasion? It seems an hopeless business.” - -“Speak to Lizzy about it yourself. Tell her that you insist upon her -marrying him.” - -“Let her be called down. She shall hear my opinion.” - -Mrs. Bennet rang the bell, and Miss Elizabeth was summoned to the -library. - -“Come here, child,” cried her father as she appeared. “I have sent for -you on an affair of importance. I understand that Mr. Collins has made -you an offer of marriage. Is it true?” Elizabeth replied that it was. -“Very well--and this offer of marriage you have refused?” - -“I have, sir.” - -“Very well. We now come to the point. Your mother insists upon your -accepting it. Is it not so, Mrs. Bennet?” - -“Yes, or I will never see her again.” - -“An unhappy alternative is before you, Elizabeth. From this day you must -be a stranger to one of your parents. Your mother will never see you -again if you do _not_ marry Mr. Collins, and I will never see you again -if you _do_.” - -Elizabeth could not but smile at such a conclusion of such a beginning, -but Mrs. Bennet, who had persuaded herself that her husband regarded the -affair as she wished, was excessively disappointed. - -“What do you mean, Mr. Bennet, in talking this way? You promised me to -_insist_ upon her marrying him.” - -“My dear,” replied her husband, “I have two small favours to request. -First, that you will allow me the free use of my understanding on the -present occasion; and secondly, of my room. I shall be glad to have the -library to myself as soon as may be.” - -Not yet, however, in spite of her disappointment in her husband, did -Mrs. Bennet give up the point. She talked to Elizabeth again and again; -coaxed and threatened her by turns. She endeavoured to secure Jane -in her interest; but Jane, with all possible mildness, declined -interfering; and Elizabeth, sometimes with real earnestness, and -sometimes with playful gaiety, replied to her attacks. Though her manner -varied, however, her determination never did. - -Mr. Collins, meanwhile, was meditating in solitude on what had passed. -He thought too well of himself to comprehend on what motives his cousin -could refuse him; and though his pride was hurt, he suffered in no other -way. His regard for her was quite imaginary; and the possibility of her -deserving her mother's reproach prevented his feeling any regret. - -While the family were in this confusion, Charlotte Lucas came to spend -the day with them. She was met in the vestibule by Lydia, who, flying to -her, cried in a half whisper, “I am glad you are come, for there is such -fun here! What do you think has happened this morning? Mr. Collins has -made an offer to Lizzy, and she will not have him.” - -Charlotte hardly had time to answer, before they were joined by Kitty, -who came to tell the same news; and no sooner had they entered the -breakfast-room, where Mrs. Bennet was alone, than she likewise began on -the subject, calling on Miss Lucas for her compassion, and entreating -her to persuade her friend Lizzy to comply with the wishes of all her -family. “Pray do, my dear Miss Lucas,” she added in a melancholy tone, -“for nobody is on my side, nobody takes part with me. I am cruelly used, -nobody feels for my poor nerves.” - -Charlotte's reply was spared by the entrance of Jane and Elizabeth. - -“Aye, there she comes,” continued Mrs. Bennet, “looking as unconcerned -as may be, and caring no more for us than if we were at York, provided -she can have her own way. But I tell you, Miss Lizzy--if you take it -into your head to go on refusing every offer of marriage in this way, -you will never get a husband at all--and I am sure I do not know who is -to maintain you when your father is dead. I shall not be able to keep -you--and so I warn you. I have done with you from this very day. I told -you in the library, you know, that I should never speak to you again, -and you will find me as good as my word. I have no pleasure in talking -to undutiful children. Not that I have much pleasure, indeed, in talking -to anybody. People who suffer as I do from nervous complaints can have -no great inclination for talking. Nobody can tell what I suffer! But it -is always so. Those who do not complain are never pitied.” - -Her daughters listened in silence to this effusion, sensible that -any attempt to reason with her or soothe her would only increase the -irritation. She talked on, therefore, without interruption from any of -them, till they were joined by Mr. Collins, who entered the room with -an air more stately than usual, and on perceiving whom, she said to -the girls, “Now, I do insist upon it, that you, all of you, hold -your tongues, and let me and Mr. Collins have a little conversation -together.” - -Elizabeth passed quietly out of the room, Jane and Kitty followed, but -Lydia stood her ground, determined to hear all she could; and Charlotte, -detained first by the civility of Mr. Collins, whose inquiries after -herself and all her family were very minute, and then by a little -curiosity, satisfied herself with walking to the window and pretending -not to hear. In a doleful voice Mrs. Bennet began the projected -conversation: “Oh! Mr. Collins!” - -“My dear madam,” replied he, “let us be for ever silent on this point. -Far be it from me,” he presently continued, in a voice that marked his -displeasure, “to resent the behaviour of your daughter. Resignation -to inevitable evils is the duty of us all; the peculiar duty of a -young man who has been so fortunate as I have been in early preferment; -and I trust I am resigned. Perhaps not the less so from feeling a doubt -of my positive happiness had my fair cousin honoured me with her hand; -for I have often observed that resignation is never so perfect as -when the blessing denied begins to lose somewhat of its value in our -estimation. You will not, I hope, consider me as showing any disrespect -to your family, my dear madam, by thus withdrawing my pretensions to -your daughter's favour, without having paid yourself and Mr. Bennet the -compliment of requesting you to interpose your authority in my -behalf. My conduct may, I fear, be objectionable in having accepted my -dismission from your daughter's lips instead of your own. But we are all -liable to error. I have certainly meant well through the whole affair. -My object has been to secure an amiable companion for myself, with due -consideration for the advantage of all your family, and if my _manner_ -has been at all reprehensible, I here beg leave to apologise.” - - - -Chapter 21 - - -The discussion of Mr. Collins's offer was now nearly at an end, and -Elizabeth had only to suffer from the uncomfortable feelings necessarily -attending it, and occasionally from some peevish allusions of her -mother. As for the gentleman himself, _his_ feelings were chiefly -expressed, not by embarrassment or dejection, or by trying to avoid her, -but by stiffness of manner and resentful silence. He scarcely ever spoke -to her, and the assiduous attentions which he had been so sensible of -himself were transferred for the rest of the day to Miss Lucas, whose -civility in listening to him was a seasonable relief to them all, and -especially to her friend. - -The morrow produced no abatement of Mrs. Bennet's ill-humour or ill -health. Mr. Collins was also in the same state of angry pride. Elizabeth -had hoped that his resentment might shorten his visit, but his plan did -not appear in the least affected by it. He was always to have gone on -Saturday, and to Saturday he meant to stay. - -After breakfast, the girls walked to Meryton to inquire if Mr. Wickham -were returned, and to lament over his absence from the Netherfield ball. -He joined them on their entering the town, and attended them to their -aunt's where his regret and vexation, and the concern of everybody, was -well talked over. To Elizabeth, however, he voluntarily acknowledged -that the necessity of his absence _had_ been self-imposed. - -“I found,” said he, “as the time drew near that I had better not meet -Mr. Darcy; that to be in the same room, the same party with him for so -many hours together, might be more than I could bear, and that scenes -might arise unpleasant to more than myself.” - -She highly approved his forbearance, and they had leisure for a full -discussion of it, and for all the commendation which they civilly -bestowed on each other, as Wickham and another officer walked back with -them to Longbourn, and during the walk he particularly attended to -her. His accompanying them was a double advantage; she felt all the -compliment it offered to herself, and it was most acceptable as an -occasion of introducing him to her father and mother. - -Soon after their return, a letter was delivered to Miss Bennet; it came -from Netherfield. The envelope contained a sheet of elegant, little, -hot-pressed paper, well covered with a lady's fair, flowing hand; and -Elizabeth saw her sister's countenance change as she read it, and saw -her dwelling intently on some particular passages. Jane recollected -herself soon, and putting the letter away, tried to join with her usual -cheerfulness in the general conversation; but Elizabeth felt an anxiety -on the subject which drew off her attention even from Wickham; and no -sooner had he and his companion taken leave, than a glance from Jane -invited her to follow her up stairs. When they had gained their own room, -Jane, taking out the letter, said: - -“This is from Caroline Bingley; what it contains has surprised me a good -deal. The whole party have left Netherfield by this time, and are on -their way to town--and without any intention of coming back again. You -shall hear what she says.” - -She then read the first sentence aloud, which comprised the information -of their having just resolved to follow their brother to town directly, -and of their meaning to dine in Grosvenor Street, where Mr. Hurst had a -house. The next was in these words: “I do not pretend to regret anything -I shall leave in Hertfordshire, except your society, my dearest friend; -but we will hope, at some future period, to enjoy many returns of that -delightful intercourse we have known, and in the meanwhile may -lessen the pain of separation by a very frequent and most unreserved -correspondence. I depend on you for that.” To these highflown -expressions Elizabeth listened with all the insensibility of distrust; -and though the suddenness of their removal surprised her, she saw -nothing in it really to lament; it was not to be supposed that their -absence from Netherfield would prevent Mr. Bingley's being there; and as -to the loss of their society, she was persuaded that Jane must cease to -regard it, in the enjoyment of his. - -“It is unlucky,” said she, after a short pause, “that you should not be -able to see your friends before they leave the country. But may we not -hope that the period of future happiness to which Miss Bingley looks -forward may arrive earlier than she is aware, and that the delightful -intercourse you have known as friends will be renewed with yet greater -satisfaction as sisters? Mr. Bingley will not be detained in London by -them.” - -“Caroline decidedly says that none of the party will return into -Hertfordshire this winter. I will read it to you:” - -“When my brother left us yesterday, he imagined that the business which -took him to London might be concluded in three or four days; but as we -are certain it cannot be so, and at the same time convinced that when -Charles gets to town he will be in no hurry to leave it again, we have -determined on following him thither, that he may not be obliged to spend -his vacant hours in a comfortless hotel. Many of my acquaintances are -already there for the winter; I wish that I could hear that you, my -dearest friend, had any intention of making one of the crowd--but of -that I despair. I sincerely hope your Christmas in Hertfordshire may -abound in the gaieties which that season generally brings, and that your -beaux will be so numerous as to prevent your feeling the loss of the -three of whom we shall deprive you.” - -“It is evident by this,” added Jane, “that he comes back no more this -winter.” - -“It is only evident that Miss Bingley does not mean that he _should_.” - -“Why will you think so? It must be his own doing. He is his own -master. But you do not know _all_. I _will_ read you the passage which -particularly hurts me. I will have no reserves from _you_.” - -“Mr. Darcy is impatient to see his sister; and, to confess the truth, -_we_ are scarcely less eager to meet her again. I really do not think -Georgiana Darcy has her equal for beauty, elegance, and accomplishments; -and the affection she inspires in Louisa and myself is heightened into -something still more interesting, from the hope we dare entertain of -her being hereafter our sister. I do not know whether I ever before -mentioned to you my feelings on this subject; but I will not leave the -country without confiding them, and I trust you will not esteem them -unreasonable. My brother admires her greatly already; he will have -frequent opportunity now of seeing her on the most intimate footing; -her relations all wish the connection as much as his own; and a sister's -partiality is not misleading me, I think, when I call Charles most -capable of engaging any woman's heart. With all these circumstances to -favour an attachment, and nothing to prevent it, am I wrong, my dearest -Jane, in indulging the hope of an event which will secure the happiness -of so many?” - -“What do you think of _this_ sentence, my dear Lizzy?” said Jane as she -finished it. “Is it not clear enough? Does it not expressly declare that -Caroline neither expects nor wishes me to be her sister; that she is -perfectly convinced of her brother's indifference; and that if she -suspects the nature of my feelings for him, she means (most kindly!) to -put me on my guard? Can there be any other opinion on the subject?” - -“Yes, there can; for mine is totally different. Will you hear it?” - -“Most willingly.” - -“You shall have it in a few words. Miss Bingley sees that her brother is -in love with you, and wants him to marry Miss Darcy. She follows him -to town in hope of keeping him there, and tries to persuade you that he -does not care about you.” - -Jane shook her head. - -“Indeed, Jane, you ought to believe me. No one who has ever seen you -together can doubt his affection. Miss Bingley, I am sure, cannot. She -is not such a simpleton. Could she have seen half as much love in Mr. -Darcy for herself, she would have ordered her wedding clothes. But the -case is this: We are not rich enough or grand enough for them; and she -is the more anxious to get Miss Darcy for her brother, from the notion -that when there has been _one_ intermarriage, she may have less trouble -in achieving a second; in which there is certainly some ingenuity, and -I dare say it would succeed, if Miss de Bourgh were out of the way. But, -my dearest Jane, you cannot seriously imagine that because Miss Bingley -tells you her brother greatly admires Miss Darcy, he is in the smallest -degree less sensible of _your_ merit than when he took leave of you on -Tuesday, or that it will be in her power to persuade him that, instead -of being in love with you, he is very much in love with her friend.” - -“If we thought alike of Miss Bingley,” replied Jane, “your -representation of all this might make me quite easy. But I know the -foundation is unjust. Caroline is incapable of wilfully deceiving -anyone; and all that I can hope in this case is that she is deceiving -herself.” - -“That is right. You could not have started a more happy idea, since you -will not take comfort in mine. Believe her to be deceived, by all means. -You have now done your duty by her, and must fret no longer.” - -“But, my dear sister, can I be happy, even supposing the best, in -accepting a man whose sisters and friends are all wishing him to marry -elsewhere?” - -“You must decide for yourself,” said Elizabeth; “and if, upon mature -deliberation, you find that the misery of disobliging his two sisters is -more than equivalent to the happiness of being his wife, I advise you by -all means to refuse him.” - -“How can you talk so?” said Jane, faintly smiling. “You must know that -though I should be exceedingly grieved at their disapprobation, I could -not hesitate.” - -“I did not think you would; and that being the case, I cannot consider -your situation with much compassion.” - -“But if he returns no more this winter, my choice will never be -required. A thousand things may arise in six months!” - -The idea of his returning no more Elizabeth treated with the utmost -contempt. It appeared to her merely the suggestion of Caroline's -interested wishes, and she could not for a moment suppose that those -wishes, however openly or artfully spoken, could influence a young man -so totally independent of everyone. - -She represented to her sister as forcibly as possible what she felt -on the subject, and had soon the pleasure of seeing its happy effect. -Jane's temper was not desponding, and she was gradually led to hope, -though the diffidence of affection sometimes overcame the hope, that -Bingley would return to Netherfield and answer every wish of her heart. - -They agreed that Mrs. Bennet should only hear of the departure of the -family, without being alarmed on the score of the gentleman's conduct; -but even this partial communication gave her a great deal of concern, -and she bewailed it as exceedingly unlucky that the ladies should happen -to go away just as they were all getting so intimate together. After -lamenting it, however, at some length, she had the consolation that Mr. -Bingley would be soon down again and soon dining at Longbourn, and the -conclusion of all was the comfortable declaration, that though he had -been invited only to a family dinner, she would take care to have two -full courses. - - - -Chapter 22 - - -The Bennets were engaged to dine with the Lucases and again during the -chief of the day was Miss Lucas so kind as to listen to Mr. Collins. -Elizabeth took an opportunity of thanking her. “It keeps him in good -humour,” said she, “and I am more obliged to you than I can express.” - Charlotte assured her friend of her satisfaction in being useful, and -that it amply repaid her for the little sacrifice of her time. This was -very amiable, but Charlotte's kindness extended farther than Elizabeth -had any conception of; its object was nothing else than to secure her -from any return of Mr. Collins's addresses, by engaging them towards -herself. Such was Miss Lucas's scheme; and appearances were so -favourable, that when they parted at night, she would have felt almost -secure of success if he had not been to leave Hertfordshire so very -soon. But here she did injustice to the fire and independence of his -character, for it led him to escape out of Longbourn House the next -morning with admirable slyness, and hasten to Lucas Lodge to throw -himself at her feet. He was anxious to avoid the notice of his cousins, -from a conviction that if they saw him depart, they could not fail to -conjecture his design, and he was not willing to have the attempt known -till its success might be known likewise; for though feeling almost -secure, and with reason, for Charlotte had been tolerably encouraging, -he was comparatively diffident since the adventure of Wednesday. -His reception, however, was of the most flattering kind. Miss Lucas -perceived him from an upper window as he walked towards the house, and -instantly set out to meet him accidentally in the lane. But little had -she dared to hope that so much love and eloquence awaited her there. - -In as short a time as Mr. Collins's long speeches would allow, -everything was settled between them to the satisfaction of both; and as -they entered the house he earnestly entreated her to name the day that -was to make him the happiest of men; and though such a solicitation must -be waived for the present, the lady felt no inclination to trifle with -his happiness. The stupidity with which he was favoured by nature must -guard his courtship from any charm that could make a woman wish for its -continuance; and Miss Lucas, who accepted him solely from the pure -and disinterested desire of an establishment, cared not how soon that -establishment were gained. - -Sir William and Lady Lucas were speedily applied to for their consent; -and it was bestowed with a most joyful alacrity. Mr. Collins's present -circumstances made it a most eligible match for their daughter, to whom -they could give little fortune; and his prospects of future wealth were -exceedingly fair. Lady Lucas began directly to calculate, with more -interest than the matter had ever excited before, how many years longer -Mr. Bennet was likely to live; and Sir William gave it as his decided -opinion, that whenever Mr. Collins should be in possession of the -Longbourn estate, it would be highly expedient that both he and his wife -should make their appearance at St. James's. The whole family, in short, -were properly overjoyed on the occasion. The younger girls formed hopes -of _coming out_ a year or two sooner than they might otherwise have -done; and the boys were relieved from their apprehension of Charlotte's -dying an old maid. Charlotte herself was tolerably composed. She had -gained her point, and had time to consider of it. Her reflections were -in general satisfactory. Mr. Collins, to be sure, was neither sensible -nor agreeable; his society was irksome, and his attachment to her must -be imaginary. But still he would be her husband. Without thinking highly -either of men or matrimony, marriage had always been her object; it was -the only provision for well-educated young women of small fortune, -and however uncertain of giving happiness, must be their pleasantest -preservative from want. This preservative she had now obtained; and at -the age of twenty-seven, without having ever been handsome, she felt all -the good luck of it. The least agreeable circumstance in the business -was the surprise it must occasion to Elizabeth Bennet, whose friendship -she valued beyond that of any other person. Elizabeth would wonder, -and probably would blame her; and though her resolution was not to be -shaken, her feelings must be hurt by such a disapprobation. She resolved -to give her the information herself, and therefore charged Mr. Collins, -when he returned to Longbourn to dinner, to drop no hint of what had -passed before any of the family. A promise of secrecy was of course very -dutifully given, but it could not be kept without difficulty; for the -curiosity excited by his long absence burst forth in such very direct -questions on his return as required some ingenuity to evade, and he was -at the same time exercising great self-denial, for he was longing to -publish his prosperous love. - -As he was to begin his journey too early on the morrow to see any of the -family, the ceremony of leave-taking was performed when the ladies moved -for the night; and Mrs. Bennet, with great politeness and cordiality, -said how happy they should be to see him at Longbourn again, whenever -his engagements might allow him to visit them. - -“My dear madam,” he replied, “this invitation is particularly -gratifying, because it is what I have been hoping to receive; and -you may be very certain that I shall avail myself of it as soon as -possible.” - -They were all astonished; and Mr. Bennet, who could by no means wish for -so speedy a return, immediately said: - -“But is there not danger of Lady Catherine's disapprobation here, my -good sir? You had better neglect your relations than run the risk of -offending your patroness.” - -“My dear sir,” replied Mr. Collins, “I am particularly obliged to you -for this friendly caution, and you may depend upon my not taking so -material a step without her ladyship's concurrence.” - -“You cannot be too much upon your guard. Risk anything rather than her -displeasure; and if you find it likely to be raised by your coming to us -again, which I should think exceedingly probable, stay quietly at home, -and be satisfied that _we_ shall take no offence.” - -“Believe me, my dear sir, my gratitude is warmly excited by such -affectionate attention; and depend upon it, you will speedily receive -from me a letter of thanks for this, and for every other mark of your -regard during my stay in Hertfordshire. As for my fair cousins, though -my absence may not be long enough to render it necessary, I shall now -take the liberty of wishing them health and happiness, not excepting my -cousin Elizabeth.” - -With proper civilities the ladies then withdrew; all of them equally -surprised that he meditated a quick return. Mrs. Bennet wished to -understand by it that he thought of paying his addresses to one of her -younger girls, and Mary might have been prevailed on to accept him. -She rated his abilities much higher than any of the others; there was -a solidity in his reflections which often struck her, and though by no -means so clever as herself, she thought that if encouraged to read -and improve himself by such an example as hers, he might become a very -agreeable companion. But on the following morning, every hope of this -kind was done away. Miss Lucas called soon after breakfast, and in a -private conference with Elizabeth related the event of the day before. - -The possibility of Mr. Collins's fancying himself in love with her -friend had once occurred to Elizabeth within the last day or two; but -that Charlotte could encourage him seemed almost as far from -possibility as she could encourage him herself, and her astonishment was -consequently so great as to overcome at first the bounds of decorum, and -she could not help crying out: - -“Engaged to Mr. Collins! My dear Charlotte--impossible!” - -The steady countenance which Miss Lucas had commanded in telling her -story, gave way to a momentary confusion here on receiving so direct a -reproach; though, as it was no more than she expected, she soon regained -her composure, and calmly replied: - -“Why should you be surprised, my dear Eliza? Do you think it incredible -that Mr. Collins should be able to procure any woman's good opinion, -because he was not so happy as to succeed with you?” - -But Elizabeth had now recollected herself, and making a strong effort -for it, was able to assure with tolerable firmness that the prospect of -their relationship was highly grateful to her, and that she wished her -all imaginable happiness. - -“I see what you are feeling,” replied Charlotte. “You must be surprised, -very much surprised--so lately as Mr. Collins was wishing to marry -you. But when you have had time to think it over, I hope you will be -satisfied with what I have done. I am not romantic, you know; I never -was. I ask only a comfortable home; and considering Mr. Collins's -character, connection, and situation in life, I am convinced that my -chance of happiness with him is as fair as most people can boast on -entering the marriage state.” - -Elizabeth quietly answered “Undoubtedly;” and after an awkward pause, -they returned to the rest of the family. Charlotte did not stay much -longer, and Elizabeth was then left to reflect on what she had heard. -It was a long time before she became at all reconciled to the idea of so -unsuitable a match. The strangeness of Mr. Collins's making two offers -of marriage within three days was nothing in comparison of his being now -accepted. She had always felt that Charlotte's opinion of matrimony was -not exactly like her own, but she had not supposed it to be possible -that, when called into action, she would have sacrificed every better -feeling to worldly advantage. Charlotte the wife of Mr. Collins was a -most humiliating picture! And to the pang of a friend disgracing herself -and sunk in her esteem, was added the distressing conviction that it -was impossible for that friend to be tolerably happy in the lot she had -chosen. - - - -Chapter 23 - - -Elizabeth was sitting with her mother and sisters, reflecting on what -she had heard, and doubting whether she was authorised to mention -it, when Sir William Lucas himself appeared, sent by his daughter, to -announce her engagement to the family. With many compliments to them, -and much self-gratulation on the prospect of a connection between the -houses, he unfolded the matter--to an audience not merely wondering, but -incredulous; for Mrs. Bennet, with more perseverance than politeness, -protested he must be entirely mistaken; and Lydia, always unguarded and -often uncivil, boisterously exclaimed: - -“Good Lord! Sir William, how can you tell such a story? Do not you know -that Mr. Collins wants to marry Lizzy?” - -Nothing less than the complaisance of a courtier could have borne -without anger such treatment; but Sir William's good breeding carried -him through it all; and though he begged leave to be positive as to the -truth of his information, he listened to all their impertinence with the -most forbearing courtesy. - -Elizabeth, feeling it incumbent on her to relieve him from so unpleasant -a situation, now put herself forward to confirm his account, by -mentioning her prior knowledge of it from Charlotte herself; and -endeavoured to put a stop to the exclamations of her mother and sisters -by the earnestness of her congratulations to Sir William, in which she -was readily joined by Jane, and by making a variety of remarks on the -happiness that might be expected from the match, the excellent character -of Mr. Collins, and the convenient distance of Hunsford from London. - -Mrs. Bennet was in fact too much overpowered to say a great deal while -Sir William remained; but no sooner had he left them than her feelings -found a rapid vent. In the first place, she persisted in disbelieving -the whole of the matter; secondly, she was very sure that Mr. Collins -had been taken in; thirdly, she trusted that they would never be -happy together; and fourthly, that the match might be broken off. Two -inferences, however, were plainly deduced from the whole: one, that -Elizabeth was the real cause of the mischief; and the other that she -herself had been barbarously misused by them all; and on these two -points she principally dwelt during the rest of the day. Nothing could -console and nothing could appease her. Nor did that day wear out her -resentment. A week elapsed before she could see Elizabeth without -scolding her, a month passed away before she could speak to Sir William -or Lady Lucas without being rude, and many months were gone before she -could at all forgive their daughter. - -Mr. Bennet's emotions were much more tranquil on the occasion, and such -as he did experience he pronounced to be of a most agreeable sort; for -it gratified him, he said, to discover that Charlotte Lucas, whom he had -been used to think tolerably sensible, was as foolish as his wife, and -more foolish than his daughter! - -Jane confessed herself a little surprised at the match; but she said -less of her astonishment than of her earnest desire for their happiness; -nor could Elizabeth persuade her to consider it as improbable. Kitty -and Lydia were far from envying Miss Lucas, for Mr. Collins was only a -clergyman; and it affected them in no other way than as a piece of news -to spread at Meryton. - -Lady Lucas could not be insensible of triumph on being able to retort -on Mrs. Bennet the comfort of having a daughter well married; and she -called at Longbourn rather oftener than usual to say how happy she was, -though Mrs. Bennet's sour looks and ill-natured remarks might have been -enough to drive happiness away. - -Between Elizabeth and Charlotte there was a restraint which kept them -mutually silent on the subject; and Elizabeth felt persuaded that -no real confidence could ever subsist between them again. Her -disappointment in Charlotte made her turn with fonder regard to her -sister, of whose rectitude and delicacy she was sure her opinion could -never be shaken, and for whose happiness she grew daily more anxious, -as Bingley had now been gone a week and nothing more was heard of his -return. - -Jane had sent Caroline an early answer to her letter, and was counting -the days till she might reasonably hope to hear again. The promised -letter of thanks from Mr. Collins arrived on Tuesday, addressed to -their father, and written with all the solemnity of gratitude which a -twelvemonth's abode in the family might have prompted. After discharging -his conscience on that head, he proceeded to inform them, with many -rapturous expressions, of his happiness in having obtained the affection -of their amiable neighbour, Miss Lucas, and then explained that it was -merely with the view of enjoying her society that he had been so ready -to close with their kind wish of seeing him again at Longbourn, whither -he hoped to be able to return on Monday fortnight; for Lady Catherine, -he added, so heartily approved his marriage, that she wished it to take -place as soon as possible, which he trusted would be an unanswerable -argument with his amiable Charlotte to name an early day for making him -the happiest of men. - -Mr. Collins's return into Hertfordshire was no longer a matter of -pleasure to Mrs. Bennet. On the contrary, she was as much disposed to -complain of it as her husband. It was very strange that he should come -to Longbourn instead of to Lucas Lodge; it was also very inconvenient -and exceedingly troublesome. She hated having visitors in the house -while her health was so indifferent, and lovers were of all people the -most disagreeable. Such were the gentle murmurs of Mrs. Bennet, and -they gave way only to the greater distress of Mr. Bingley's continued -absence. - -Neither Jane nor Elizabeth were comfortable on this subject. Day after -day passed away without bringing any other tidings of him than the -report which shortly prevailed in Meryton of his coming no more to -Netherfield the whole winter; a report which highly incensed Mrs. -Bennet, and which she never failed to contradict as a most scandalous -falsehood. - -Even Elizabeth began to fear--not that Bingley was indifferent--but that -his sisters would be successful in keeping him away. Unwilling as -she was to admit an idea so destructive of Jane's happiness, and so -dishonorable to the stability of her lover, she could not prevent its -frequently occurring. The united efforts of his two unfeeling sisters -and of his overpowering friend, assisted by the attractions of Miss -Darcy and the amusements of London might be too much, she feared, for -the strength of his attachment. - -As for Jane, _her_ anxiety under this suspense was, of course, more -painful than Elizabeth's, but whatever she felt she was desirous of -concealing, and between herself and Elizabeth, therefore, the subject -was never alluded to. But as no such delicacy restrained her mother, -an hour seldom passed in which she did not talk of Bingley, express her -impatience for his arrival, or even require Jane to confess that if he -did not come back she would think herself very ill used. It needed -all Jane's steady mildness to bear these attacks with tolerable -tranquillity. - -Mr. Collins returned most punctually on Monday fortnight, but his -reception at Longbourn was not quite so gracious as it had been on his -first introduction. He was too happy, however, to need much attention; -and luckily for the others, the business of love-making relieved them -from a great deal of his company. The chief of every day was spent by -him at Lucas Lodge, and he sometimes returned to Longbourn only in time -to make an apology for his absence before the family went to bed. - -Mrs. Bennet was really in a most pitiable state. The very mention of -anything concerning the match threw her into an agony of ill-humour, -and wherever she went she was sure of hearing it talked of. The sight -of Miss Lucas was odious to her. As her successor in that house, she -regarded her with jealous abhorrence. Whenever Charlotte came to see -them, she concluded her to be anticipating the hour of possession; and -whenever she spoke in a low voice to Mr. Collins, was convinced that -they were talking of the Longbourn estate, and resolving to turn herself -and her daughters out of the house, as soon as Mr. Bennet were dead. She -complained bitterly of all this to her husband. - -“Indeed, Mr. Bennet,” said she, “it is very hard to think that Charlotte -Lucas should ever be mistress of this house, that I should be forced to -make way for _her_, and live to see her take her place in it!” - -“My dear, do not give way to such gloomy thoughts. Let us hope for -better things. Let us flatter ourselves that I may be the survivor.” - -This was not very consoling to Mrs. Bennet, and therefore, instead of -making any answer, she went on as before. - -“I cannot bear to think that they should have all this estate. If it was -not for the entail, I should not mind it.” - -“What should not you mind?” - -“I should not mind anything at all.” - -“Let us be thankful that you are preserved from a state of such -insensibility.” - -“I never can be thankful, Mr. Bennet, for anything about the entail. How -anyone could have the conscience to entail away an estate from one's own -daughters, I cannot understand; and all for the sake of Mr. Collins too! -Why should _he_ have it more than anybody else?” - -“I leave it to yourself to determine,” said Mr. Bennet. - - - -Chapter 24 - - -Miss Bingley's letter arrived, and put an end to doubt. The very first -sentence conveyed the assurance of their being all settled in London for -the winter, and concluded with her brother's regret at not having had -time to pay his respects to his friends in Hertfordshire before he left -the country. - -Hope was over, entirely over; and when Jane could attend to the rest -of the letter, she found little, except the professed affection of the -writer, that could give her any comfort. Miss Darcy's praise occupied -the chief of it. Her many attractions were again dwelt on, and Caroline -boasted joyfully of their increasing intimacy, and ventured to predict -the accomplishment of the wishes which had been unfolded in her former -letter. She wrote also with great pleasure of her brother's being an -inmate of Mr. Darcy's house, and mentioned with raptures some plans of -the latter with regard to new furniture. - -Elizabeth, to whom Jane very soon communicated the chief of all this, -heard it in silent indignation. Her heart was divided between concern -for her sister, and resentment against all others. To Caroline's -assertion of her brother's being partial to Miss Darcy she paid no -credit. That he was really fond of Jane, she doubted no more than she -had ever done; and much as she had always been disposed to like him, she -could not think without anger, hardly without contempt, on that easiness -of temper, that want of proper resolution, which now made him the slave -of his designing friends, and led him to sacrifice of his own happiness -to the caprice of their inclination. Had his own happiness, however, -been the only sacrifice, he might have been allowed to sport with it in -whatever manner he thought best, but her sister's was involved in it, as -she thought he must be sensible himself. It was a subject, in short, -on which reflection would be long indulged, and must be unavailing. She -could think of nothing else; and yet whether Bingley's regard had really -died away, or were suppressed by his friends' interference; whether -he had been aware of Jane's attachment, or whether it had escaped his -observation; whatever were the case, though her opinion of him must be -materially affected by the difference, her sister's situation remained -the same, her peace equally wounded. - -A day or two passed before Jane had courage to speak of her feelings to -Elizabeth; but at last, on Mrs. Bennet's leaving them together, after a -longer irritation than usual about Netherfield and its master, she could -not help saying: - -“Oh, that my dear mother had more command over herself! She can have no -idea of the pain she gives me by her continual reflections on him. But -I will not repine. It cannot last long. He will be forgot, and we shall -all be as we were before.” - -Elizabeth looked at her sister with incredulous solicitude, but said -nothing. - -“You doubt me,” cried Jane, slightly colouring; “indeed, you have -no reason. He may live in my memory as the most amiable man of my -acquaintance, but that is all. I have nothing either to hope or fear, -and nothing to reproach him with. Thank God! I have not _that_ pain. A -little time, therefore--I shall certainly try to get the better.” - -With a stronger voice she soon added, “I have this comfort immediately, -that it has not been more than an error of fancy on my side, and that it -has done no harm to anyone but myself.” - -“My dear Jane!” exclaimed Elizabeth, “you are too good. Your sweetness -and disinterestedness are really angelic; I do not know what to say -to you. I feel as if I had never done you justice, or loved you as you -deserve.” - -Miss Bennet eagerly disclaimed all extraordinary merit, and threw back -the praise on her sister's warm affection. - -“Nay,” said Elizabeth, “this is not fair. _You_ wish to think all the -world respectable, and are hurt if I speak ill of anybody. I only want -to think _you_ perfect, and you set yourself against it. Do not -be afraid of my running into any excess, of my encroaching on your -privilege of universal good-will. You need not. There are few people -whom I really love, and still fewer of whom I think well. The more I see -of the world, the more am I dissatisfied with it; and every day confirms -my belief of the inconsistency of all human characters, and of the -little dependence that can be placed on the appearance of merit or -sense. I have met with two instances lately, one I will not mention; the -other is Charlotte's marriage. It is unaccountable! In every view it is -unaccountable!” - -“My dear Lizzy, do not give way to such feelings as these. They will -ruin your happiness. You do not make allowance enough for difference -of situation and temper. Consider Mr. Collins's respectability, and -Charlotte's steady, prudent character. Remember that she is one of a -large family; that as to fortune, it is a most eligible match; and be -ready to believe, for everybody's sake, that she may feel something like -regard and esteem for our cousin.” - -“To oblige you, I would try to believe almost anything, but no one else -could be benefited by such a belief as this; for were I persuaded that -Charlotte had any regard for him, I should only think worse of her -understanding than I now do of her heart. My dear Jane, Mr. Collins is a -conceited, pompous, narrow-minded, silly man; you know he is, as well as -I do; and you must feel, as well as I do, that the woman who married him -cannot have a proper way of thinking. You shall not defend her, though -it is Charlotte Lucas. You shall not, for the sake of one individual, -change the meaning of principle and integrity, nor endeavour to persuade -yourself or me, that selfishness is prudence, and insensibility of -danger security for happiness.” - -“I must think your language too strong in speaking of both,” replied -Jane; “and I hope you will be convinced of it by seeing them happy -together. But enough of this. You alluded to something else. You -mentioned _two_ instances. I cannot misunderstand you, but I entreat -you, dear Lizzy, not to pain me by thinking _that person_ to blame, and -saying your opinion of him is sunk. We must not be so ready to fancy -ourselves intentionally injured. We must not expect a lively young man -to be always so guarded and circumspect. It is very often nothing but -our own vanity that deceives us. Women fancy admiration means more than -it does.” - -“And men take care that they should.” - -“If it is designedly done, they cannot be justified; but I have no idea -of there being so much design in the world as some persons imagine.” - -“I am far from attributing any part of Mr. Bingley's conduct to design,” - said Elizabeth; “but without scheming to do wrong, or to make others -unhappy, there may be error, and there may be misery. Thoughtlessness, -want of attention to other people's feelings, and want of resolution, -will do the business.” - -“And do you impute it to either of those?” - -“Yes; to the last. But if I go on, I shall displease you by saying what -I think of persons you esteem. Stop me whilst you can.” - -“You persist, then, in supposing his sisters influence him?” - -“Yes, in conjunction with his friend.” - -“I cannot believe it. Why should they try to influence him? They can -only wish his happiness; and if he is attached to me, no other woman can -secure it.” - -“Your first position is false. They may wish many things besides his -happiness; they may wish his increase of wealth and consequence; they -may wish him to marry a girl who has all the importance of money, great -connections, and pride.” - -“Beyond a doubt, they _do_ wish him to choose Miss Darcy,” replied Jane; -“but this may be from better feelings than you are supposing. They have -known her much longer than they have known me; no wonder if they love -her better. But, whatever may be their own wishes, it is very unlikely -they should have opposed their brother's. What sister would think -herself at liberty to do it, unless there were something very -objectionable? If they believed him attached to me, they would not try -to part us; if he were so, they could not succeed. By supposing such an -affection, you make everybody acting unnaturally and wrong, and me most -unhappy. Do not distress me by the idea. I am not ashamed of having been -mistaken--or, at least, it is light, it is nothing in comparison of what -I should feel in thinking ill of him or his sisters. Let me take it in -the best light, in the light in which it may be understood.” - -Elizabeth could not oppose such a wish; and from this time Mr. Bingley's -name was scarcely ever mentioned between them. - -Mrs. Bennet still continued to wonder and repine at his returning no -more, and though a day seldom passed in which Elizabeth did not account -for it clearly, there was little chance of her ever considering it with -less perplexity. Her daughter endeavoured to convince her of what she -did not believe herself, that his attentions to Jane had been merely the -effect of a common and transient liking, which ceased when he saw her -no more; but though the probability of the statement was admitted at -the time, she had the same story to repeat every day. Mrs. Bennet's best -comfort was that Mr. Bingley must be down again in the summer. - -Mr. Bennet treated the matter differently. “So, Lizzy,” said he one day, -“your sister is crossed in love, I find. I congratulate her. Next to -being married, a girl likes to be crossed a little in love now and then. -It is something to think of, and it gives her a sort of distinction -among her companions. When is your turn to come? You will hardly bear to -be long outdone by Jane. Now is your time. Here are officers enough in -Meryton to disappoint all the young ladies in the country. Let Wickham -be _your_ man. He is a pleasant fellow, and would jilt you creditably.” - -“Thank you, sir, but a less agreeable man would satisfy me. We must not -all expect Jane's good fortune.” - -“True,” said Mr. Bennet, “but it is a comfort to think that whatever of -that kind may befall you, you have an affectionate mother who will make -the most of it.” - -Mr. Wickham's society was of material service in dispelling the gloom -which the late perverse occurrences had thrown on many of the Longbourn -family. They saw him often, and to his other recommendations was now -added that of general unreserve. The whole of what Elizabeth had already -heard, his claims on Mr. Darcy, and all that he had suffered from him, -was now openly acknowledged and publicly canvassed; and everybody was -pleased to know how much they had always disliked Mr. Darcy before they -had known anything of the matter. - -Miss Bennet was the only creature who could suppose there might be -any extenuating circumstances in the case, unknown to the society -of Hertfordshire; her mild and steady candour always pleaded for -allowances, and urged the possibility of mistakes--but by everybody else -Mr. Darcy was condemned as the worst of men. - - - -Chapter 25 - - -After a week spent in professions of love and schemes of felicity, -Mr. Collins was called from his amiable Charlotte by the arrival of -Saturday. The pain of separation, however, might be alleviated on his -side, by preparations for the reception of his bride; as he had reason -to hope, that shortly after his return into Hertfordshire, the day would -be fixed that was to make him the happiest of men. He took leave of his -relations at Longbourn with as much solemnity as before; wished his fair -cousins health and happiness again, and promised their father another -letter of thanks. - -On the following Monday, Mrs. Bennet had the pleasure of receiving -her brother and his wife, who came as usual to spend the Christmas -at Longbourn. Mr. Gardiner was a sensible, gentlemanlike man, greatly -superior to his sister, as well by nature as education. The Netherfield -ladies would have had difficulty in believing that a man who lived -by trade, and within view of his own warehouses, could have been so -well-bred and agreeable. Mrs. Gardiner, who was several years younger -than Mrs. Bennet and Mrs. Phillips, was an amiable, intelligent, elegant -woman, and a great favourite with all her Longbourn nieces. Between the -two eldest and herself especially, there subsisted a particular regard. -They had frequently been staying with her in town. - -The first part of Mrs. Gardiner's business on her arrival was to -distribute her presents and describe the newest fashions. When this was -done she had a less active part to play. It became her turn to listen. -Mrs. Bennet had many grievances to relate, and much to complain of. They -had all been very ill-used since she last saw her sister. Two of her -girls had been upon the point of marriage, and after all there was -nothing in it. - -“I do not blame Jane,” she continued, “for Jane would have got Mr. -Bingley if she could. But Lizzy! Oh, sister! It is very hard to think -that she might have been Mr. Collins's wife by this time, had it not -been for her own perverseness. He made her an offer in this very room, -and she refused him. The consequence of it is, that Lady Lucas will have -a daughter married before I have, and that the Longbourn estate is just -as much entailed as ever. The Lucases are very artful people indeed, -sister. They are all for what they can get. I am sorry to say it of -them, but so it is. It makes me very nervous and poorly, to be thwarted -so in my own family, and to have neighbours who think of themselves -before anybody else. However, your coming just at this time is the -greatest of comforts, and I am very glad to hear what you tell us, of -long sleeves.” - -Mrs. Gardiner, to whom the chief of this news had been given before, -in the course of Jane and Elizabeth's correspondence with her, made her -sister a slight answer, and, in compassion to her nieces, turned the -conversation. - -When alone with Elizabeth afterwards, she spoke more on the subject. “It -seems likely to have been a desirable match for Jane,” said she. “I am -sorry it went off. But these things happen so often! A young man, such -as you describe Mr. Bingley, so easily falls in love with a pretty girl -for a few weeks, and when accident separates them, so easily forgets -her, that these sort of inconsistencies are very frequent.” - -“An excellent consolation in its way,” said Elizabeth, “but it will not -do for _us_. We do not suffer by _accident_. It does not often -happen that the interference of friends will persuade a young man of -independent fortune to think no more of a girl whom he was violently in -love with only a few days before.” - -“But that expression of 'violently in love' is so hackneyed, so -doubtful, so indefinite, that it gives me very little idea. It is as -often applied to feelings which arise from a half-hour's acquaintance, -as to a real, strong attachment. Pray, how _violent was_ Mr. Bingley's -love?” - -“I never saw a more promising inclination; he was growing quite -inattentive to other people, and wholly engrossed by her. Every time -they met, it was more decided and remarkable. At his own ball he -offended two or three young ladies, by not asking them to dance; and I -spoke to him twice myself, without receiving an answer. Could there be -finer symptoms? Is not general incivility the very essence of love?” - -“Oh, yes!--of that kind of love which I suppose him to have felt. Poor -Jane! I am sorry for her, because, with her disposition, she may not get -over it immediately. It had better have happened to _you_, Lizzy; you -would have laughed yourself out of it sooner. But do you think she -would be prevailed upon to go back with us? Change of scene might be -of service--and perhaps a little relief from home may be as useful as -anything.” - -Elizabeth was exceedingly pleased with this proposal, and felt persuaded -of her sister's ready acquiescence. - -“I hope,” added Mrs. Gardiner, “that no consideration with regard to -this young man will influence her. We live in so different a part of -town, all our connections are so different, and, as you well know, we go -out so little, that it is very improbable that they should meet at all, -unless he really comes to see her.” - -“And _that_ is quite impossible; for he is now in the custody of his -friend, and Mr. Darcy would no more suffer him to call on Jane in such -a part of London! My dear aunt, how could you think of it? Mr. Darcy may -perhaps have _heard_ of such a place as Gracechurch Street, but he -would hardly think a month's ablution enough to cleanse him from its -impurities, were he once to enter it; and depend upon it, Mr. Bingley -never stirs without him.” - -“So much the better. I hope they will not meet at all. But does not Jane -correspond with his sister? _She_ will not be able to help calling.” - -“She will drop the acquaintance entirely.” - -But in spite of the certainty in which Elizabeth affected to place this -point, as well as the still more interesting one of Bingley's being -withheld from seeing Jane, she felt a solicitude on the subject which -convinced her, on examination, that she did not consider it entirely -hopeless. It was possible, and sometimes she thought it probable, that -his affection might be reanimated, and the influence of his friends -successfully combated by the more natural influence of Jane's -attractions. - -Miss Bennet accepted her aunt's invitation with pleasure; and the -Bingleys were no otherwise in her thoughts at the same time, than as she -hoped by Caroline's not living in the same house with her brother, -she might occasionally spend a morning with her, without any danger of -seeing him. - -The Gardiners stayed a week at Longbourn; and what with the Phillipses, -the Lucases, and the officers, there was not a day without its -engagement. Mrs. Bennet had so carefully provided for the entertainment -of her brother and sister, that they did not once sit down to a family -dinner. When the engagement was for home, some of the officers always -made part of it--of which officers Mr. Wickham was sure to be one; and -on these occasions, Mrs. Gardiner, rendered suspicious by Elizabeth's -warm commendation, narrowly observed them both. Without supposing them, -from what she saw, to be very seriously in love, their preference -of each other was plain enough to make her a little uneasy; and -she resolved to speak to Elizabeth on the subject before she left -Hertfordshire, and represent to her the imprudence of encouraging such -an attachment. - -To Mrs. Gardiner, Wickham had one means of affording pleasure, -unconnected with his general powers. About ten or a dozen years ago, -before her marriage, she had spent a considerable time in that very -part of Derbyshire to which he belonged. They had, therefore, many -acquaintances in common; and though Wickham had been little there since -the death of Darcy's father, it was yet in his power to give her fresher -intelligence of her former friends than she had been in the way of -procuring. - -Mrs. Gardiner had seen Pemberley, and known the late Mr. Darcy by -character perfectly well. Here consequently was an inexhaustible subject -of discourse. In comparing her recollection of Pemberley with the minute -description which Wickham could give, and in bestowing her tribute of -praise on the character of its late possessor, she was delighting both -him and herself. On being made acquainted with the present Mr. Darcy's -treatment of him, she tried to remember some of that gentleman's -reputed disposition when quite a lad which might agree with it, and -was confident at last that she recollected having heard Mr. Fitzwilliam -Darcy formerly spoken of as a very proud, ill-natured boy. - - - -Chapter 26 - - -Mrs. Gardiner's caution to Elizabeth was punctually and kindly given -on the first favourable opportunity of speaking to her alone; after -honestly telling her what she thought, she thus went on: - -“You are too sensible a girl, Lizzy, to fall in love merely because -you are warned against it; and, therefore, I am not afraid of speaking -openly. Seriously, I would have you be on your guard. Do not involve -yourself or endeavour to involve him in an affection which the want -of fortune would make so very imprudent. I have nothing to say against -_him_; he is a most interesting young man; and if he had the fortune he -ought to have, I should think you could not do better. But as it is, you -must not let your fancy run away with you. You have sense, and we all -expect you to use it. Your father would depend on _your_ resolution and -good conduct, I am sure. You must not disappoint your father.” - -“My dear aunt, this is being serious indeed.” - -“Yes, and I hope to engage you to be serious likewise.” - -“Well, then, you need not be under any alarm. I will take care of -myself, and of Mr. Wickham too. He shall not be in love with me, if I -can prevent it.” - -“Elizabeth, you are not serious now.” - -“I beg your pardon, I will try again. At present I am not in love with -Mr. Wickham; no, I certainly am not. But he is, beyond all comparison, -the most agreeable man I ever saw--and if he becomes really attached to -me--I believe it will be better that he should not. I see the imprudence -of it. Oh! _that_ abominable Mr. Darcy! My father's opinion of me does -me the greatest honour, and I should be miserable to forfeit it. My -father, however, is partial to Mr. Wickham. In short, my dear aunt, I -should be very sorry to be the means of making any of you unhappy; but -since we see every day that where there is affection, young people -are seldom withheld by immediate want of fortune from entering into -engagements with each other, how can I promise to be wiser than so many -of my fellow-creatures if I am tempted, or how am I even to know that it -would be wisdom to resist? All that I can promise you, therefore, is not -to be in a hurry. I will not be in a hurry to believe myself his first -object. When I am in company with him, I will not be wishing. In short, -I will do my best.” - -“Perhaps it will be as well if you discourage his coming here so very -often. At least, you should not _remind_ your mother of inviting him.” - -“As I did the other day,” said Elizabeth with a conscious smile: “very -true, it will be wise in me to refrain from _that_. But do not imagine -that he is always here so often. It is on your account that he has been -so frequently invited this week. You know my mother's ideas as to the -necessity of constant company for her friends. But really, and upon my -honour, I will try to do what I think to be the wisest; and now I hope -you are satisfied.” - -Her aunt assured her that she was, and Elizabeth having thanked her for -the kindness of her hints, they parted; a wonderful instance of advice -being given on such a point, without being resented. - -Mr. Collins returned into Hertfordshire soon after it had been quitted -by the Gardiners and Jane; but as he took up his abode with the Lucases, -his arrival was no great inconvenience to Mrs. Bennet. His marriage was -now fast approaching, and she was at length so far resigned as to think -it inevitable, and even repeatedly to say, in an ill-natured tone, that -she “_wished_ they might be happy.” Thursday was to be the wedding day, -and on Wednesday Miss Lucas paid her farewell visit; and when she -rose to take leave, Elizabeth, ashamed of her mother's ungracious and -reluctant good wishes, and sincerely affected herself, accompanied her -out of the room. As they went downstairs together, Charlotte said: - -“I shall depend on hearing from you very often, Eliza.” - -“_That_ you certainly shall.” - -“And I have another favour to ask you. Will you come and see me?” - -“We shall often meet, I hope, in Hertfordshire.” - -“I am not likely to leave Kent for some time. Promise me, therefore, to -come to Hunsford.” - -Elizabeth could not refuse, though she foresaw little pleasure in the -visit. - -“My father and Maria are coming to me in March,” added Charlotte, “and I -hope you will consent to be of the party. Indeed, Eliza, you will be as -welcome as either of them.” - -The wedding took place; the bride and bridegroom set off for Kent from -the church door, and everybody had as much to say, or to hear, on -the subject as usual. Elizabeth soon heard from her friend; and their -correspondence was as regular and frequent as it had ever been; that -it should be equally unreserved was impossible. Elizabeth could never -address her without feeling that all the comfort of intimacy was over, -and though determined not to slacken as a correspondent, it was for the -sake of what had been, rather than what was. Charlotte's first letters -were received with a good deal of eagerness; there could not but be -curiosity to know how she would speak of her new home, how she would -like Lady Catherine, and how happy she would dare pronounce herself to -be; though, when the letters were read, Elizabeth felt that Charlotte -expressed herself on every point exactly as she might have foreseen. She -wrote cheerfully, seemed surrounded with comforts, and mentioned nothing -which she could not praise. The house, furniture, neighbourhood, and -roads, were all to her taste, and Lady Catherine's behaviour was most -friendly and obliging. It was Mr. Collins's picture of Hunsford and -Rosings rationally softened; and Elizabeth perceived that she must wait -for her own visit there to know the rest. - -Jane had already written a few lines to her sister to announce their -safe arrival in London; and when she wrote again, Elizabeth hoped it -would be in her power to say something of the Bingleys. - -Her impatience for this second letter was as well rewarded as impatience -generally is. Jane had been a week in town without either seeing or -hearing from Caroline. She accounted for it, however, by supposing that -her last letter to her friend from Longbourn had by some accident been -lost. - -“My aunt,” she continued, “is going to-morrow into that part of the -town, and I shall take the opportunity of calling in Grosvenor Street.” - -She wrote again when the visit was paid, and she had seen Miss Bingley. -“I did not think Caroline in spirits,” were her words, “but she was very -glad to see me, and reproached me for giving her no notice of my coming -to London. I was right, therefore, my last letter had never reached -her. I inquired after their brother, of course. He was well, but so much -engaged with Mr. Darcy that they scarcely ever saw him. I found that -Miss Darcy was expected to dinner. I wish I could see her. My visit was -not long, as Caroline and Mrs. Hurst were going out. I dare say I shall -see them soon here.” - -Elizabeth shook her head over this letter. It convinced her that -accident only could discover to Mr. Bingley her sister's being in town. - -Four weeks passed away, and Jane saw nothing of him. She endeavoured to -persuade herself that she did not regret it; but she could no longer be -blind to Miss Bingley's inattention. After waiting at home every morning -for a fortnight, and inventing every evening a fresh excuse for her, the -visitor did at last appear; but the shortness of her stay, and yet more, -the alteration of her manner would allow Jane to deceive herself no -longer. The letter which she wrote on this occasion to her sister will -prove what she felt. - -“My dearest Lizzy will, I am sure, be incapable of triumphing in her -better judgement, at my expense, when I confess myself to have been -entirely deceived in Miss Bingley's regard for me. But, my dear sister, -though the event has proved you right, do not think me obstinate if I -still assert that, considering what her behaviour was, my confidence was -as natural as your suspicion. I do not at all comprehend her reason for -wishing to be intimate with me; but if the same circumstances were to -happen again, I am sure I should be deceived again. Caroline did not -return my visit till yesterday; and not a note, not a line, did I -receive in the meantime. When she did come, it was very evident that -she had no pleasure in it; she made a slight, formal apology, for not -calling before, said not a word of wishing to see me again, and was -in every respect so altered a creature, that when she went away I was -perfectly resolved to continue the acquaintance no longer. I pity, -though I cannot help blaming her. She was very wrong in singling me out -as she did; I can safely say that every advance to intimacy began on -her side. But I pity her, because she must feel that she has been acting -wrong, and because I am very sure that anxiety for her brother is the -cause of it. I need not explain myself farther; and though _we_ know -this anxiety to be quite needless, yet if she feels it, it will easily -account for her behaviour to me; and so deservedly dear as he is to -his sister, whatever anxiety she must feel on his behalf is natural and -amiable. I cannot but wonder, however, at her having any such fears now, -because, if he had at all cared about me, we must have met, long ago. -He knows of my being in town, I am certain, from something she said -herself; and yet it would seem, by her manner of talking, as if she -wanted to persuade herself that he is really partial to Miss Darcy. I -cannot understand it. If I were not afraid of judging harshly, I should -be almost tempted to say that there is a strong appearance of duplicity -in all this. But I will endeavour to banish every painful thought, -and think only of what will make me happy--your affection, and the -invariable kindness of my dear uncle and aunt. Let me hear from you very -soon. Miss Bingley said something of his never returning to Netherfield -again, of giving up the house, but not with any certainty. We had better -not mention it. I am extremely glad that you have such pleasant accounts -from our friends at Hunsford. Pray go to see them, with Sir William and -Maria. I am sure you will be very comfortable there.--Yours, etc.” - -This letter gave Elizabeth some pain; but her spirits returned as she -considered that Jane would no longer be duped, by the sister at least. -All expectation from the brother was now absolutely over. She would not -even wish for a renewal of his attentions. His character sunk on -every review of it; and as a punishment for him, as well as a possible -advantage to Jane, she seriously hoped he might really soon marry Mr. -Darcy's sister, as by Wickham's account, she would make him abundantly -regret what he had thrown away. - -Mrs. Gardiner about this time reminded Elizabeth of her promise -concerning that gentleman, and required information; and Elizabeth -had such to send as might rather give contentment to her aunt than to -herself. His apparent partiality had subsided, his attentions were over, -he was the admirer of some one else. Elizabeth was watchful enough to -see it all, but she could see it and write of it without material pain. -Her heart had been but slightly touched, and her vanity was satisfied -with believing that _she_ would have been his only choice, had fortune -permitted it. The sudden acquisition of ten thousand pounds was the most -remarkable charm of the young lady to whom he was now rendering himself -agreeable; but Elizabeth, less clear-sighted perhaps in this case than -in Charlotte's, did not quarrel with him for his wish of independence. -Nothing, on the contrary, could be more natural; and while able to -suppose that it cost him a few struggles to relinquish her, she was -ready to allow it a wise and desirable measure for both, and could very -sincerely wish him happy. - -All this was acknowledged to Mrs. Gardiner; and after relating the -circumstances, she thus went on: “I am now convinced, my dear aunt, that -I have never been much in love; for had I really experienced that pure -and elevating passion, I should at present detest his very name, and -wish him all manner of evil. But my feelings are not only cordial -towards _him_; they are even impartial towards Miss King. I cannot find -out that I hate her at all, or that I am in the least unwilling to -think her a very good sort of girl. There can be no love in all this. My -watchfulness has been effectual; and though I certainly should be a more -interesting object to all my acquaintances were I distractedly in love -with him, I cannot say that I regret my comparative insignificance. -Importance may sometimes be purchased too dearly. Kitty and Lydia take -his defection much more to heart than I do. They are young in the -ways of the world, and not yet open to the mortifying conviction that -handsome young men must have something to live on as well as the plain.” - - - -Chapter 27 - - -With no greater events than these in the Longbourn family, and otherwise -diversified by little beyond the walks to Meryton, sometimes dirty and -sometimes cold, did January and February pass away. March was to take -Elizabeth to Hunsford. She had not at first thought very seriously of -going thither; but Charlotte, she soon found, was depending on the plan -and she gradually learned to consider it herself with greater pleasure -as well as greater certainty. Absence had increased her desire of seeing -Charlotte again, and weakened her disgust of Mr. Collins. There -was novelty in the scheme, and as, with such a mother and such -uncompanionable sisters, home could not be faultless, a little change -was not unwelcome for its own sake. The journey would moreover give her -a peep at Jane; and, in short, as the time drew near, she would have -been very sorry for any delay. Everything, however, went on smoothly, -and was finally settled according to Charlotte's first sketch. She was -to accompany Sir William and his second daughter. The improvement -of spending a night in London was added in time, and the plan became -perfect as plan could be. - -The only pain was in leaving her father, who would certainly miss her, -and who, when it came to the point, so little liked her going, that he -told her to write to him, and almost promised to answer her letter. - -The farewell between herself and Mr. Wickham was perfectly friendly; on -his side even more. His present pursuit could not make him forget that -Elizabeth had been the first to excite and to deserve his attention, the -first to listen and to pity, the first to be admired; and in his manner -of bidding her adieu, wishing her every enjoyment, reminding her of -what she was to expect in Lady Catherine de Bourgh, and trusting their -opinion of her--their opinion of everybody--would always coincide, there -was a solicitude, an interest which she felt must ever attach her to -him with a most sincere regard; and she parted from him convinced that, -whether married or single, he must always be her model of the amiable -and pleasing. - -Her fellow-travellers the next day were not of a kind to make her -think him less agreeable. Sir William Lucas, and his daughter Maria, a -good-humoured girl, but as empty-headed as himself, had nothing to say -that could be worth hearing, and were listened to with about as much -delight as the rattle of the chaise. Elizabeth loved absurdities, but -she had known Sir William's too long. He could tell her nothing new of -the wonders of his presentation and knighthood; and his civilities were -worn out, like his information. - -It was a journey of only twenty-four miles, and they began it so early -as to be in Gracechurch Street by noon. As they drove to Mr. Gardiner's -door, Jane was at a drawing-room window watching their arrival; when -they entered the passage she was there to welcome them, and Elizabeth, -looking earnestly in her face, was pleased to see it healthful and -lovely as ever. On the stairs were a troop of little boys and girls, -whose eagerness for their cousin's appearance would not allow them to -wait in the drawing-room, and whose shyness, as they had not seen -her for a twelvemonth, prevented their coming lower. All was joy and -kindness. The day passed most pleasantly away; the morning in bustle and -shopping, and the evening at one of the theatres. - -Elizabeth then contrived to sit by her aunt. Their first object was her -sister; and she was more grieved than astonished to hear, in reply to -her minute inquiries, that though Jane always struggled to support her -spirits, there were periods of dejection. It was reasonable, however, -to hope that they would not continue long. Mrs. Gardiner gave her the -particulars also of Miss Bingley's visit in Gracechurch Street, and -repeated conversations occurring at different times between Jane and -herself, which proved that the former had, from her heart, given up the -acquaintance. - -Mrs. Gardiner then rallied her niece on Wickham's desertion, and -complimented her on bearing it so well. - -“But my dear Elizabeth,” she added, “what sort of girl is Miss King? I -should be sorry to think our friend mercenary.” - -“Pray, my dear aunt, what is the difference in matrimonial affairs, -between the mercenary and the prudent motive? Where does discretion end, -and avarice begin? Last Christmas you were afraid of his marrying me, -because it would be imprudent; and now, because he is trying to get -a girl with only ten thousand pounds, you want to find out that he is -mercenary.” - -“If you will only tell me what sort of girl Miss King is, I shall know -what to think.” - -“She is a very good kind of girl, I believe. I know no harm of her.” - -“But he paid her not the smallest attention till her grandfather's death -made her mistress of this fortune.” - -“No--why should he? If it were not allowable for him to gain _my_ -affections because I had no money, what occasion could there be for -making love to a girl whom he did not care about, and who was equally -poor?” - -“But there seems an indelicacy in directing his attentions towards her -so soon after this event.” - -“A man in distressed circumstances has not time for all those elegant -decorums which other people may observe. If _she_ does not object to it, -why should _we_?” - -“_Her_ not objecting does not justify _him_. It only shows her being -deficient in something herself--sense or feeling.” - -“Well,” cried Elizabeth, “have it as you choose. _He_ shall be -mercenary, and _she_ shall be foolish.” - -“No, Lizzy, that is what I do _not_ choose. I should be sorry, you know, -to think ill of a young man who has lived so long in Derbyshire.” - -“Oh! if that is all, I have a very poor opinion of young men who live in -Derbyshire; and their intimate friends who live in Hertfordshire are not -much better. I am sick of them all. Thank Heaven! I am going to-morrow -where I shall find a man who has not one agreeable quality, who has -neither manner nor sense to recommend him. Stupid men are the only ones -worth knowing, after all.” - -“Take care, Lizzy; that speech savours strongly of disappointment.” - -Before they were separated by the conclusion of the play, she had the -unexpected happiness of an invitation to accompany her uncle and aunt in -a tour of pleasure which they proposed taking in the summer. - -“We have not determined how far it shall carry us,” said Mrs. Gardiner, -“but, perhaps, to the Lakes.” - -No scheme could have been more agreeable to Elizabeth, and her -acceptance of the invitation was most ready and grateful. “Oh, my dear, -dear aunt,” she rapturously cried, “what delight! what felicity! You -give me fresh life and vigour. Adieu to disappointment and spleen. What -are young men to rocks and mountains? Oh! what hours of transport -we shall spend! And when we _do_ return, it shall not be like other -travellers, without being able to give one accurate idea of anything. We -_will_ know where we have gone--we _will_ recollect what we have seen. -Lakes, mountains, and rivers shall not be jumbled together in our -imaginations; nor when we attempt to describe any particular scene, -will we begin quarreling about its relative situation. Let _our_ -first effusions be less insupportable than those of the generality of -travellers.” - - - -Chapter 28 - - -Every object in the next day's journey was new and interesting to -Elizabeth; and her spirits were in a state of enjoyment; for she had -seen her sister looking so well as to banish all fear for her health, -and the prospect of her northern tour was a constant source of delight. - -When they left the high road for the lane to Hunsford, every eye was in -search of the Parsonage, and every turning expected to bring it in view. -The palings of Rosings Park was their boundary on one side. Elizabeth -smiled at the recollection of all that she had heard of its inhabitants. - -At length the Parsonage was discernible. The garden sloping to the -road, the house standing in it, the green pales, and the laurel hedge, -everything declared they were arriving. Mr. Collins and Charlotte -appeared at the door, and the carriage stopped at the small gate which -led by a short gravel walk to the house, amidst the nods and smiles of -the whole party. In a moment they were all out of the chaise, rejoicing -at the sight of each other. Mrs. Collins welcomed her friend with the -liveliest pleasure, and Elizabeth was more and more satisfied with -coming when she found herself so affectionately received. She saw -instantly that her cousin's manners were not altered by his marriage; -his formal civility was just what it had been, and he detained her some -minutes at the gate to hear and satisfy his inquiries after all her -family. They were then, with no other delay than his pointing out the -neatness of the entrance, taken into the house; and as soon as they -were in the parlour, he welcomed them a second time, with ostentatious -formality to his humble abode, and punctually repeated all his wife's -offers of refreshment. - -Elizabeth was prepared to see him in his glory; and she could not help -in fancying that in displaying the good proportion of the room, its -aspect and its furniture, he addressed himself particularly to her, -as if wishing to make her feel what she had lost in refusing him. But -though everything seemed neat and comfortable, she was not able to -gratify him by any sigh of repentance, and rather looked with wonder at -her friend that she could have so cheerful an air with such a companion. -When Mr. Collins said anything of which his wife might reasonably be -ashamed, which certainly was not unseldom, she involuntarily turned her -eye on Charlotte. Once or twice she could discern a faint blush; but -in general Charlotte wisely did not hear. After sitting long enough to -admire every article of furniture in the room, from the sideboard to -the fender, to give an account of their journey, and of all that had -happened in London, Mr. Collins invited them to take a stroll in the -garden, which was large and well laid out, and to the cultivation of -which he attended himself. To work in this garden was one of his most -respectable pleasures; and Elizabeth admired the command of countenance -with which Charlotte talked of the healthfulness of the exercise, and -owned she encouraged it as much as possible. Here, leading the way -through every walk and cross walk, and scarcely allowing them an -interval to utter the praises he asked for, every view was pointed out -with a minuteness which left beauty entirely behind. He could number the -fields in every direction, and could tell how many trees there were in -the most distant clump. But of all the views which his garden, or which -the country or kingdom could boast, none were to be compared with the -prospect of Rosings, afforded by an opening in the trees that bordered -the park nearly opposite the front of his house. It was a handsome -modern building, well situated on rising ground. - -From his garden, Mr. Collins would have led them round his two meadows; -but the ladies, not having shoes to encounter the remains of a white -frost, turned back; and while Sir William accompanied him, Charlotte -took her sister and friend over the house, extremely well pleased, -probably, to have the opportunity of showing it without her husband's -help. It was rather small, but well built and convenient; and everything -was fitted up and arranged with a neatness and consistency of which -Elizabeth gave Charlotte all the credit. When Mr. Collins could be -forgotten, there was really an air of great comfort throughout, and by -Charlotte's evident enjoyment of it, Elizabeth supposed he must be often -forgotten. - -She had already learnt that Lady Catherine was still in the country. It -was spoken of again while they were at dinner, when Mr. Collins joining -in, observed: - -“Yes, Miss Elizabeth, you will have the honour of seeing Lady Catherine -de Bourgh on the ensuing Sunday at church, and I need not say you will -be delighted with her. She is all affability and condescension, and I -doubt not but you will be honoured with some portion of her notice -when service is over. I have scarcely any hesitation in saying she -will include you and my sister Maria in every invitation with which she -honours us during your stay here. Her behaviour to my dear Charlotte is -charming. We dine at Rosings twice every week, and are never allowed -to walk home. Her ladyship's carriage is regularly ordered for us. I -_should_ say, one of her ladyship's carriages, for she has several.” - -“Lady Catherine is a very respectable, sensible woman indeed,” added -Charlotte, “and a most attentive neighbour.” - -“Very true, my dear, that is exactly what I say. She is the sort of -woman whom one cannot regard with too much deference.” - -The evening was spent chiefly in talking over Hertfordshire news, -and telling again what had already been written; and when it closed, -Elizabeth, in the solitude of her chamber, had to meditate upon -Charlotte's degree of contentment, to understand her address in guiding, -and composure in bearing with, her husband, and to acknowledge that it -was all done very well. She had also to anticipate how her visit -would pass, the quiet tenor of their usual employments, the vexatious -interruptions of Mr. Collins, and the gaieties of their intercourse with -Rosings. A lively imagination soon settled it all. - -About the middle of the next day, as she was in her room getting ready -for a walk, a sudden noise below seemed to speak the whole house in -confusion; and, after listening a moment, she heard somebody running -up stairs in a violent hurry, and calling loudly after her. She opened -the door and met Maria in the landing place, who, breathless with -agitation, cried out-- - -“Oh, my dear Eliza! pray make haste and come into the dining-room, for -there is such a sight to be seen! I will not tell you what it is. Make -haste, and come down this moment.” - -Elizabeth asked questions in vain; Maria would tell her nothing more, -and down they ran into the dining-room, which fronted the lane, in -quest of this wonder; It was two ladies stopping in a low phaeton at the -garden gate. - -“And is this all?” cried Elizabeth. “I expected at least that the pigs -were got into the garden, and here is nothing but Lady Catherine and her -daughter.” - -“La! my dear,” said Maria, quite shocked at the mistake, “it is not -Lady Catherine. The old lady is Mrs. Jenkinson, who lives with them; -the other is Miss de Bourgh. Only look at her. She is quite a little -creature. Who would have thought that she could be so thin and small?” - -“She is abominably rude to keep Charlotte out of doors in all this wind. -Why does she not come in?” - -“Oh, Charlotte says she hardly ever does. It is the greatest of favours -when Miss de Bourgh comes in.” - -“I like her appearance,” said Elizabeth, struck with other ideas. “She -looks sickly and cross. Yes, she will do for him very well. She will -make him a very proper wife.” - -Mr. Collins and Charlotte were both standing at the gate in conversation -with the ladies; and Sir William, to Elizabeth's high diversion, was -stationed in the doorway, in earnest contemplation of the greatness -before him, and constantly bowing whenever Miss de Bourgh looked that -way. - -At length there was nothing more to be said; the ladies drove on, and -the others returned into the house. Mr. Collins no sooner saw the two -girls than he began to congratulate them on their good fortune, which -Charlotte explained by letting them know that the whole party was asked -to dine at Rosings the next day. - - - -Chapter 29 - - -Mr. Collins's triumph, in consequence of this invitation, was complete. -The power of displaying the grandeur of his patroness to his wondering -visitors, and of letting them see her civility towards himself and his -wife, was exactly what he had wished for; and that an opportunity -of doing it should be given so soon, was such an instance of Lady -Catherine's condescension, as he knew not how to admire enough. - -“I confess,” said he, “that I should not have been at all surprised by -her ladyship's asking us on Sunday to drink tea and spend the evening at -Rosings. I rather expected, from my knowledge of her affability, that it -would happen. But who could have foreseen such an attention as this? Who -could have imagined that we should receive an invitation to dine there -(an invitation, moreover, including the whole party) so immediately -after your arrival!” - -“I am the less surprised at what has happened,” replied Sir William, -“from that knowledge of what the manners of the great really are, which -my situation in life has allowed me to acquire. About the court, such -instances of elegant breeding are not uncommon.” - -Scarcely anything was talked of the whole day or next morning but their -visit to Rosings. Mr. Collins was carefully instructing them in what -they were to expect, that the sight of such rooms, so many servants, and -so splendid a dinner, might not wholly overpower them. - -When the ladies were separating for the toilette, he said to Elizabeth-- - -“Do not make yourself uneasy, my dear cousin, about your apparel. Lady -Catherine is far from requiring that elegance of dress in us which -becomes herself and her daughter. I would advise you merely to put on -whatever of your clothes is superior to the rest--there is no occasion -for anything more. Lady Catherine will not think the worse of you -for being simply dressed. She likes to have the distinction of rank -preserved.” - -While they were dressing, he came two or three times to their different -doors, to recommend their being quick, as Lady Catherine very much -objected to be kept waiting for her dinner. Such formidable accounts of -her ladyship, and her manner of living, quite frightened Maria Lucas -who had been little used to company, and she looked forward to her -introduction at Rosings with as much apprehension as her father had done -to his presentation at St. James's. - -As the weather was fine, they had a pleasant walk of about half a -mile across the park. Every park has its beauty and its prospects; and -Elizabeth saw much to be pleased with, though she could not be in such -raptures as Mr. Collins expected the scene to inspire, and was but -slightly affected by his enumeration of the windows in front of the -house, and his relation of what the glazing altogether had originally -cost Sir Lewis de Bourgh. - -When they ascended the steps to the hall, Maria's alarm was every -moment increasing, and even Sir William did not look perfectly calm. -Elizabeth's courage did not fail her. She had heard nothing of Lady -Catherine that spoke her awful from any extraordinary talents or -miraculous virtue, and the mere stateliness of money or rank she thought -she could witness without trepidation. - -From the entrance-hall, of which Mr. Collins pointed out, with a -rapturous air, the fine proportion and the finished ornaments, they -followed the servants through an ante-chamber, to the room where Lady -Catherine, her daughter, and Mrs. Jenkinson were sitting. Her ladyship, -with great condescension, arose to receive them; and as Mrs. Collins had -settled it with her husband that the office of introduction should -be hers, it was performed in a proper manner, without any of those -apologies and thanks which he would have thought necessary. - -In spite of having been at St. James's, Sir William was so completely -awed by the grandeur surrounding him, that he had but just courage -enough to make a very low bow, and take his seat without saying a word; -and his daughter, frightened almost out of her senses, sat on the edge -of her chair, not knowing which way to look. Elizabeth found herself -quite equal to the scene, and could observe the three ladies before her -composedly. Lady Catherine was a tall, large woman, with strongly-marked -features, which might once have been handsome. Her air was not -conciliating, nor was her manner of receiving them such as to make her -visitors forget their inferior rank. She was not rendered formidable by -silence; but whatever she said was spoken in so authoritative a tone, -as marked her self-importance, and brought Mr. Wickham immediately to -Elizabeth's mind; and from the observation of the day altogether, she -believed Lady Catherine to be exactly what he represented. - -When, after examining the mother, in whose countenance and deportment -she soon found some resemblance of Mr. Darcy, she turned her eyes on the -daughter, she could almost have joined in Maria's astonishment at her -being so thin and so small. There was neither in figure nor face any -likeness between the ladies. Miss de Bourgh was pale and sickly; her -features, though not plain, were insignificant; and she spoke very -little, except in a low voice, to Mrs. Jenkinson, in whose appearance -there was nothing remarkable, and who was entirely engaged in listening -to what she said, and placing a screen in the proper direction before -her eyes. - -After sitting a few minutes, they were all sent to one of the windows to -admire the view, Mr. Collins attending them to point out its beauties, -and Lady Catherine kindly informing them that it was much better worth -looking at in the summer. - -The dinner was exceedingly handsome, and there were all the servants and -all the articles of plate which Mr. Collins had promised; and, as he had -likewise foretold, he took his seat at the bottom of the table, by her -ladyship's desire, and looked as if he felt that life could furnish -nothing greater. He carved, and ate, and praised with delighted -alacrity; and every dish was commended, first by him and then by Sir -William, who was now enough recovered to echo whatever his son-in-law -said, in a manner which Elizabeth wondered Lady Catherine could bear. -But Lady Catherine seemed gratified by their excessive admiration, and -gave most gracious smiles, especially when any dish on the table proved -a novelty to them. The party did not supply much conversation. Elizabeth -was ready to speak whenever there was an opening, but she was seated -between Charlotte and Miss de Bourgh--the former of whom was engaged in -listening to Lady Catherine, and the latter said not a word to her all -dinner-time. Mrs. Jenkinson was chiefly employed in watching how little -Miss de Bourgh ate, pressing her to try some other dish, and fearing -she was indisposed. Maria thought speaking out of the question, and the -gentlemen did nothing but eat and admire. - -When the ladies returned to the drawing-room, there was little to -be done but to hear Lady Catherine talk, which she did without any -intermission till coffee came in, delivering her opinion on every -subject in so decisive a manner, as proved that she was not used to -have her judgement controverted. She inquired into Charlotte's domestic -concerns familiarly and minutely, gave her a great deal of advice as -to the management of them all; told her how everything ought to be -regulated in so small a family as hers, and instructed her as to the -care of her cows and her poultry. Elizabeth found that nothing was -beneath this great lady's attention, which could furnish her with an -occasion of dictating to others. In the intervals of her discourse -with Mrs. Collins, she addressed a variety of questions to Maria and -Elizabeth, but especially to the latter, of whose connections she knew -the least, and who she observed to Mrs. Collins was a very genteel, -pretty kind of girl. She asked her, at different times, how many sisters -she had, whether they were older or younger than herself, whether any of -them were likely to be married, whether they were handsome, where they -had been educated, what carriage her father kept, and what had been -her mother's maiden name? Elizabeth felt all the impertinence of -her questions but answered them very composedly. Lady Catherine then -observed, - -“Your father's estate is entailed on Mr. Collins, I think. For your -sake,” turning to Charlotte, “I am glad of it; but otherwise I see no -occasion for entailing estates from the female line. It was not thought -necessary in Sir Lewis de Bourgh's family. Do you play and sing, Miss -Bennet?” - -“A little.” - -“Oh! then--some time or other we shall be happy to hear you. Our -instrument is a capital one, probably superior to----You shall try it -some day. Do your sisters play and sing?” - -“One of them does.” - -“Why did not you all learn? You ought all to have learned. The Miss -Webbs all play, and their father has not so good an income as yours. Do -you draw?” - -“No, not at all.” - -“What, none of you?” - -“Not one.” - -“That is very strange. But I suppose you had no opportunity. Your mother -should have taken you to town every spring for the benefit of masters.” - -“My mother would have had no objection, but my father hates London.” - -“Has your governess left you?” - -“We never had any governess.” - -“No governess! How was that possible? Five daughters brought up at home -without a governess! I never heard of such a thing. Your mother must -have been quite a slave to your education.” - -Elizabeth could hardly help smiling as she assured her that had not been -the case. - -“Then, who taught you? who attended to you? Without a governess, you -must have been neglected.” - -“Compared with some families, I believe we were; but such of us as -wished to learn never wanted the means. We were always encouraged to -read, and had all the masters that were necessary. Those who chose to be -idle, certainly might.” - -“Aye, no doubt; but that is what a governess will prevent, and if I had -known your mother, I should have advised her most strenuously to engage -one. I always say that nothing is to be done in education without steady -and regular instruction, and nobody but a governess can give it. It is -wonderful how many families I have been the means of supplying in that -way. I am always glad to get a young person well placed out. Four nieces -of Mrs. Jenkinson are most delightfully situated through my means; and -it was but the other day that I recommended another young person, -who was merely accidentally mentioned to me, and the family are quite -delighted with her. Mrs. Collins, did I tell you of Lady Metcalf's -calling yesterday to thank me? She finds Miss Pope a treasure. 'Lady -Catherine,' said she, 'you have given me a treasure.' Are any of your -younger sisters out, Miss Bennet?” - -“Yes, ma'am, all.” - -“All! What, all five out at once? Very odd! And you only the second. The -younger ones out before the elder ones are married! Your younger sisters -must be very young?” - -“Yes, my youngest is not sixteen. Perhaps _she_ is full young to be -much in company. But really, ma'am, I think it would be very hard upon -younger sisters, that they should not have their share of society and -amusement, because the elder may not have the means or inclination to -marry early. The last-born has as good a right to the pleasures of youth -as the first. And to be kept back on _such_ a motive! I think it would -not be very likely to promote sisterly affection or delicacy of mind.” - -“Upon my word,” said her ladyship, “you give your opinion very decidedly -for so young a person. Pray, what is your age?” - -“With three younger sisters grown up,” replied Elizabeth, smiling, “your -ladyship can hardly expect me to own it.” - -Lady Catherine seemed quite astonished at not receiving a direct answer; -and Elizabeth suspected herself to be the first creature who had ever -dared to trifle with so much dignified impertinence. - -“You cannot be more than twenty, I am sure, therefore you need not -conceal your age.” - -“I am not one-and-twenty.” - -When the gentlemen had joined them, and tea was over, the card-tables -were placed. Lady Catherine, Sir William, and Mr. and Mrs. Collins sat -down to quadrille; and as Miss de Bourgh chose to play at cassino, the -two girls had the honour of assisting Mrs. Jenkinson to make up her -party. Their table was superlatively stupid. Scarcely a syllable was -uttered that did not relate to the game, except when Mrs. Jenkinson -expressed her fears of Miss de Bourgh's being too hot or too cold, or -having too much or too little light. A great deal more passed at the -other table. Lady Catherine was generally speaking--stating the mistakes -of the three others, or relating some anecdote of herself. Mr. Collins -was employed in agreeing to everything her ladyship said, thanking her -for every fish he won, and apologising if he thought he won too many. -Sir William did not say much. He was storing his memory with anecdotes -and noble names. - -When Lady Catherine and her daughter had played as long as they chose, -the tables were broken up, the carriage was offered to Mrs. Collins, -gratefully accepted and immediately ordered. The party then gathered -round the fire to hear Lady Catherine determine what weather they were -to have on the morrow. From these instructions they were summoned by -the arrival of the coach; and with many speeches of thankfulness on Mr. -Collins's side and as many bows on Sir William's they departed. As soon -as they had driven from the door, Elizabeth was called on by her cousin -to give her opinion of all that she had seen at Rosings, which, for -Charlotte's sake, she made more favourable than it really was. But her -commendation, though costing her some trouble, could by no means satisfy -Mr. Collins, and he was very soon obliged to take her ladyship's praise -into his own hands. - - - -Chapter 30 - - -Sir William stayed only a week at Hunsford, but his visit was long -enough to convince him of his daughter's being most comfortably settled, -and of her possessing such a husband and such a neighbour as were not -often met with. While Sir William was with them, Mr. Collins devoted his -morning to driving him out in his gig, and showing him the country; but -when he went away, the whole family returned to their usual employments, -and Elizabeth was thankful to find that they did not see more of her -cousin by the alteration, for the chief of the time between breakfast -and dinner was now passed by him either at work in the garden or in -reading and writing, and looking out of the window in his own book-room, -which fronted the road. The room in which the ladies sat was backwards. -Elizabeth had at first rather wondered that Charlotte should not prefer -the dining-parlour for common use; it was a better sized room, and had a -more pleasant aspect; but she soon saw that her friend had an excellent -reason for what she did, for Mr. Collins would undoubtedly have been -much less in his own apartment, had they sat in one equally lively; and -she gave Charlotte credit for the arrangement. - -From the drawing-room they could distinguish nothing in the lane, and -were indebted to Mr. Collins for the knowledge of what carriages went -along, and how often especially Miss de Bourgh drove by in her phaeton, -which he never failed coming to inform them of, though it happened -almost every day. She not unfrequently stopped at the Parsonage, and -had a few minutes' conversation with Charlotte, but was scarcely ever -prevailed upon to get out. - -Very few days passed in which Mr. Collins did not walk to Rosings, and -not many in which his wife did not think it necessary to go likewise; -and till Elizabeth recollected that there might be other family livings -to be disposed of, she could not understand the sacrifice of so many -hours. Now and then they were honoured with a call from her ladyship, -and nothing escaped her observation that was passing in the room during -these visits. She examined into their employments, looked at their work, -and advised them to do it differently; found fault with the arrangement -of the furniture; or detected the housemaid in negligence; and if she -accepted any refreshment, seemed to do it only for the sake of finding -out that Mrs. Collins's joints of meat were too large for her family. - -Elizabeth soon perceived, that though this great lady was not in -commission of the peace of the county, she was a most active magistrate -in her own parish, the minutest concerns of which were carried to her -by Mr. Collins; and whenever any of the cottagers were disposed to -be quarrelsome, discontented, or too poor, she sallied forth into the -village to settle their differences, silence their complaints, and scold -them into harmony and plenty. - -The entertainment of dining at Rosings was repeated about twice a week; -and, allowing for the loss of Sir William, and there being only one -card-table in the evening, every such entertainment was the counterpart -of the first. Their other engagements were few, as the style of living -in the neighbourhood in general was beyond Mr. Collins's reach. This, -however, was no evil to Elizabeth, and upon the whole she spent her time -comfortably enough; there were half-hours of pleasant conversation with -Charlotte, and the weather was so fine for the time of year that she had -often great enjoyment out of doors. Her favourite walk, and where she -frequently went while the others were calling on Lady Catherine, was -along the open grove which edged that side of the park, where there was -a nice sheltered path, which no one seemed to value but herself, and -where she felt beyond the reach of Lady Catherine's curiosity. - -In this quiet way, the first fortnight of her visit soon passed away. -Easter was approaching, and the week preceding it was to bring an -addition to the family at Rosings, which in so small a circle must be -important. Elizabeth had heard soon after her arrival that Mr. Darcy was -expected there in the course of a few weeks, and though there were not -many of her acquaintances whom she did not prefer, his coming would -furnish one comparatively new to look at in their Rosings parties, and -she might be amused in seeing how hopeless Miss Bingley's designs on him -were, by his behaviour to his cousin, for whom he was evidently -destined by Lady Catherine, who talked of his coming with the greatest -satisfaction, spoke of him in terms of the highest admiration, and -seemed almost angry to find that he had already been frequently seen by -Miss Lucas and herself. - -His arrival was soon known at the Parsonage; for Mr. Collins was walking -the whole morning within view of the lodges opening into Hunsford Lane, -in order to have the earliest assurance of it, and after making his -bow as the carriage turned into the Park, hurried home with the great -intelligence. On the following morning he hastened to Rosings to pay his -respects. There were two nephews of Lady Catherine to require them, for -Mr. Darcy had brought with him a Colonel Fitzwilliam, the younger son of -his uncle Lord ----, and, to the great surprise of all the party, when -Mr. Collins returned, the gentlemen accompanied him. Charlotte had seen -them from her husband's room, crossing the road, and immediately running -into the other, told the girls what an honour they might expect, adding: - -“I may thank you, Eliza, for this piece of civility. Mr. Darcy would -never have come so soon to wait upon me.” - -Elizabeth had scarcely time to disclaim all right to the compliment, -before their approach was announced by the door-bell, and shortly -afterwards the three gentlemen entered the room. Colonel Fitzwilliam, -who led the way, was about thirty, not handsome, but in person and -address most truly the gentleman. Mr. Darcy looked just as he had been -used to look in Hertfordshire--paid his compliments, with his usual -reserve, to Mrs. Collins, and whatever might be his feelings toward her -friend, met her with every appearance of composure. Elizabeth merely -curtseyed to him without saying a word. - -Colonel Fitzwilliam entered into conversation directly with the -readiness and ease of a well-bred man, and talked very pleasantly; but -his cousin, after having addressed a slight observation on the house and -garden to Mrs. Collins, sat for some time without speaking to anybody. -At length, however, his civility was so far awakened as to inquire of -Elizabeth after the health of her family. She answered him in the usual -way, and after a moment's pause, added: - -“My eldest sister has been in town these three months. Have you never -happened to see her there?” - -She was perfectly sensible that he never had; but she wished to see -whether he would betray any consciousness of what had passed between -the Bingleys and Jane, and she thought he looked a little confused as he -answered that he had never been so fortunate as to meet Miss Bennet. The -subject was pursued no farther, and the gentlemen soon afterwards went -away. - - - -Chapter 31 - - -Colonel Fitzwilliam's manners were very much admired at the Parsonage, -and the ladies all felt that he must add considerably to the pleasures -of their engagements at Rosings. It was some days, however, before they -received any invitation thither--for while there were visitors in the -house, they could not be necessary; and it was not till Easter-day, -almost a week after the gentlemen's arrival, that they were honoured by -such an attention, and then they were merely asked on leaving church to -come there in the evening. For the last week they had seen very little -of Lady Catherine or her daughter. Colonel Fitzwilliam had called at the -Parsonage more than once during the time, but Mr. Darcy they had seen -only at church. - -The invitation was accepted of course, and at a proper hour they joined -the party in Lady Catherine's drawing-room. Her ladyship received -them civilly, but it was plain that their company was by no means so -acceptable as when she could get nobody else; and she was, in fact, -almost engrossed by her nephews, speaking to them, especially to Darcy, -much more than to any other person in the room. - -Colonel Fitzwilliam seemed really glad to see them; anything was a -welcome relief to him at Rosings; and Mrs. Collins's pretty friend had -moreover caught his fancy very much. He now seated himself by her, and -talked so agreeably of Kent and Hertfordshire, of travelling and staying -at home, of new books and music, that Elizabeth had never been half so -well entertained in that room before; and they conversed with so much -spirit and flow, as to draw the attention of Lady Catherine herself, -as well as of Mr. Darcy. _His_ eyes had been soon and repeatedly turned -towards them with a look of curiosity; and that her ladyship, after a -while, shared the feeling, was more openly acknowledged, for she did not -scruple to call out: - -“What is that you are saying, Fitzwilliam? What is it you are talking -of? What are you telling Miss Bennet? Let me hear what it is.” - -“We are speaking of music, madam,” said he, when no longer able to avoid -a reply. - -“Of music! Then pray speak aloud. It is of all subjects my delight. I -must have my share in the conversation if you are speaking of music. -There are few people in England, I suppose, who have more true enjoyment -of music than myself, or a better natural taste. If I had ever learnt, -I should have been a great proficient. And so would Anne, if her health -had allowed her to apply. I am confident that she would have performed -delightfully. How does Georgiana get on, Darcy?” - -Mr. Darcy spoke with affectionate praise of his sister's proficiency. - -“I am very glad to hear such a good account of her,” said Lady -Catherine; “and pray tell her from me, that she cannot expect to excel -if she does not practice a good deal.” - -“I assure you, madam,” he replied, “that she does not need such advice. -She practises very constantly.” - -“So much the better. It cannot be done too much; and when I next write -to her, I shall charge her not to neglect it on any account. I often -tell young ladies that no excellence in music is to be acquired without -constant practice. I have told Miss Bennet several times, that she -will never play really well unless she practises more; and though Mrs. -Collins has no instrument, she is very welcome, as I have often told -her, to come to Rosings every day, and play on the pianoforte in Mrs. -Jenkinson's room. She would be in nobody's way, you know, in that part -of the house.” - -Mr. Darcy looked a little ashamed of his aunt's ill-breeding, and made -no answer. - -When coffee was over, Colonel Fitzwilliam reminded Elizabeth of having -promised to play to him; and she sat down directly to the instrument. He -drew a chair near her. Lady Catherine listened to half a song, and then -talked, as before, to her other nephew; till the latter walked away -from her, and making with his usual deliberation towards the pianoforte -stationed himself so as to command a full view of the fair performer's -countenance. Elizabeth saw what he was doing, and at the first -convenient pause, turned to him with an arch smile, and said: - -“You mean to frighten me, Mr. Darcy, by coming in all this state to hear -me? I will not be alarmed though your sister _does_ play so well. There -is a stubbornness about me that never can bear to be frightened at the -will of others. My courage always rises at every attempt to intimidate -me.” - -“I shall not say you are mistaken,” he replied, “because you could not -really believe me to entertain any design of alarming you; and I have -had the pleasure of your acquaintance long enough to know that you find -great enjoyment in occasionally professing opinions which in fact are -not your own.” - -Elizabeth laughed heartily at this picture of herself, and said to -Colonel Fitzwilliam, “Your cousin will give you a very pretty notion of -me, and teach you not to believe a word I say. I am particularly unlucky -in meeting with a person so able to expose my real character, in a part -of the world where I had hoped to pass myself off with some degree of -credit. Indeed, Mr. Darcy, it is very ungenerous in you to mention all -that you knew to my disadvantage in Hertfordshire--and, give me leave to -say, very impolitic too--for it is provoking me to retaliate, and such -things may come out as will shock your relations to hear.” - -“I am not afraid of you,” said he, smilingly. - -“Pray let me hear what you have to accuse him of,” cried Colonel -Fitzwilliam. “I should like to know how he behaves among strangers.” - -“You shall hear then--but prepare yourself for something very dreadful. -The first time of my ever seeing him in Hertfordshire, you must know, -was at a ball--and at this ball, what do you think he did? He danced -only four dances, though gentlemen were scarce; and, to my certain -knowledge, more than one young lady was sitting down in want of a -partner. Mr. Darcy, you cannot deny the fact.” - -“I had not at that time the honour of knowing any lady in the assembly -beyond my own party.” - -“True; and nobody can ever be introduced in a ball-room. Well, Colonel -Fitzwilliam, what do I play next? My fingers wait your orders.” - -“Perhaps,” said Darcy, “I should have judged better, had I sought an -introduction; but I am ill-qualified to recommend myself to strangers.” - -“Shall we ask your cousin the reason of this?” said Elizabeth, still -addressing Colonel Fitzwilliam. “Shall we ask him why a man of sense and -education, and who has lived in the world, is ill qualified to recommend -himself to strangers?” - -“I can answer your question,” said Fitzwilliam, “without applying to -him. It is because he will not give himself the trouble.” - -“I certainly have not the talent which some people possess,” said Darcy, -“of conversing easily with those I have never seen before. I cannot -catch their tone of conversation, or appear interested in their -concerns, as I often see done.” - -“My fingers,” said Elizabeth, “do not move over this instrument in the -masterly manner which I see so many women's do. They have not the same -force or rapidity, and do not produce the same expression. But then I -have always supposed it to be my own fault--because I will not take the -trouble of practising. It is not that I do not believe _my_ fingers as -capable as any other woman's of superior execution.” - -Darcy smiled and said, “You are perfectly right. You have employed your -time much better. No one admitted to the privilege of hearing you can -think anything wanting. We neither of us perform to strangers.” - -Here they were interrupted by Lady Catherine, who called out to know -what they were talking of. Elizabeth immediately began playing again. -Lady Catherine approached, and, after listening for a few minutes, said -to Darcy: - -“Miss Bennet would not play at all amiss if she practised more, and -could have the advantage of a London master. She has a very good notion -of fingering, though her taste is not equal to Anne's. Anne would have -been a delightful performer, had her health allowed her to learn.” - -Elizabeth looked at Darcy to see how cordially he assented to his -cousin's praise; but neither at that moment nor at any other could she -discern any symptom of love; and from the whole of his behaviour to Miss -de Bourgh she derived this comfort for Miss Bingley, that he might have -been just as likely to marry _her_, had she been his relation. - -Lady Catherine continued her remarks on Elizabeth's performance, mixing -with them many instructions on execution and taste. Elizabeth received -them with all the forbearance of civility, and, at the request of the -gentlemen, remained at the instrument till her ladyship's carriage was -ready to take them all home. - - - -Chapter 32 - - -Elizabeth was sitting by herself the next morning, and writing to Jane -while Mrs. Collins and Maria were gone on business into the village, -when she was startled by a ring at the door, the certain signal of a -visitor. As she had heard no carriage, she thought it not unlikely to -be Lady Catherine, and under that apprehension was putting away her -half-finished letter that she might escape all impertinent questions, -when the door opened, and, to her very great surprise, Mr. Darcy, and -Mr. Darcy only, entered the room. - -He seemed astonished too on finding her alone, and apologised for his -intrusion by letting her know that he had understood all the ladies were -to be within. - -They then sat down, and when her inquiries after Rosings were made, -seemed in danger of sinking into total silence. It was absolutely -necessary, therefore, to think of something, and in this emergence -recollecting _when_ she had seen him last in Hertfordshire, and -feeling curious to know what he would say on the subject of their hasty -departure, she observed: - -“How very suddenly you all quitted Netherfield last November, Mr. Darcy! -It must have been a most agreeable surprise to Mr. Bingley to see you -all after him so soon; for, if I recollect right, he went but the day -before. He and his sisters were well, I hope, when you left London?” - -“Perfectly so, I thank you.” - -She found that she was to receive no other answer, and, after a short -pause added: - -“I think I have understood that Mr. Bingley has not much idea of ever -returning to Netherfield again?” - -“I have never heard him say so; but it is probable that he may spend -very little of his time there in the future. He has many friends, and -is at a time of life when friends and engagements are continually -increasing.” - -“If he means to be but little at Netherfield, it would be better for -the neighbourhood that he should give up the place entirely, for then we -might possibly get a settled family there. But, perhaps, Mr. Bingley did -not take the house so much for the convenience of the neighbourhood as -for his own, and we must expect him to keep it or quit it on the same -principle.” - -“I should not be surprised,” said Darcy, “if he were to give it up as -soon as any eligible purchase offers.” - -Elizabeth made no answer. She was afraid of talking longer of his -friend; and, having nothing else to say, was now determined to leave the -trouble of finding a subject to him. - -He took the hint, and soon began with, “This seems a very comfortable -house. Lady Catherine, I believe, did a great deal to it when Mr. -Collins first came to Hunsford.” - -“I believe she did--and I am sure she could not have bestowed her -kindness on a more grateful object.” - -“Mr. Collins appears to be very fortunate in his choice of a wife.” - -“Yes, indeed, his friends may well rejoice in his having met with one -of the very few sensible women who would have accepted him, or have made -him happy if they had. My friend has an excellent understanding--though -I am not certain that I consider her marrying Mr. Collins as the -wisest thing she ever did. She seems perfectly happy, however, and in a -prudential light it is certainly a very good match for her.” - -“It must be very agreeable for her to be settled within so easy a -distance of her own family and friends.” - -“An easy distance, do you call it? It is nearly fifty miles.” - -“And what is fifty miles of good road? Little more than half a day's -journey. Yes, I call it a _very_ easy distance.” - -“I should never have considered the distance as one of the _advantages_ -of the match,” cried Elizabeth. “I should never have said Mrs. Collins -was settled _near_ her family.” - -“It is a proof of your own attachment to Hertfordshire. Anything beyond -the very neighbourhood of Longbourn, I suppose, would appear far.” - -As he spoke there was a sort of smile which Elizabeth fancied she -understood; he must be supposing her to be thinking of Jane and -Netherfield, and she blushed as she answered: - -“I do not mean to say that a woman may not be settled too near her -family. The far and the near must be relative, and depend on many -varying circumstances. Where there is fortune to make the expenses of -travelling unimportant, distance becomes no evil. But that is not the -case _here_. Mr. and Mrs. Collins have a comfortable income, but not -such a one as will allow of frequent journeys--and I am persuaded my -friend would not call herself _near_ her family under less than _half_ -the present distance.” - -Mr. Darcy drew his chair a little towards her, and said, “_You_ cannot -have a right to such very strong local attachment. _You_ cannot have -been always at Longbourn.” - -Elizabeth looked surprised. The gentleman experienced some change of -feeling; he drew back his chair, took a newspaper from the table, and -glancing over it, said, in a colder voice: - -“Are you pleased with Kent?” - -A short dialogue on the subject of the country ensued, on either side -calm and concise--and soon put an end to by the entrance of Charlotte -and her sister, just returned from her walk. The tete-a-tete surprised -them. Mr. Darcy related the mistake which had occasioned his intruding -on Miss Bennet, and after sitting a few minutes longer without saying -much to anybody, went away. - -“What can be the meaning of this?” said Charlotte, as soon as he was -gone. “My dear, Eliza, he must be in love with you, or he would never -have called us in this familiar way.” - -But when Elizabeth told of his silence, it did not seem very likely, -even to Charlotte's wishes, to be the case; and after various -conjectures, they could at last only suppose his visit to proceed from -the difficulty of finding anything to do, which was the more probable -from the time of year. All field sports were over. Within doors there -was Lady Catherine, books, and a billiard-table, but gentlemen cannot -always be within doors; and in the nearness of the Parsonage, or the -pleasantness of the walk to it, or of the people who lived in it, the -two cousins found a temptation from this period of walking thither -almost every day. They called at various times of the morning, sometimes -separately, sometimes together, and now and then accompanied by their -aunt. It was plain to them all that Colonel Fitzwilliam came because he -had pleasure in their society, a persuasion which of course recommended -him still more; and Elizabeth was reminded by her own satisfaction in -being with him, as well as by his evident admiration of her, of her -former favourite George Wickham; and though, in comparing them, she saw -there was less captivating softness in Colonel Fitzwilliam's manners, -she believed he might have the best informed mind. - -But why Mr. Darcy came so often to the Parsonage, it was more difficult -to understand. It could not be for society, as he frequently sat there -ten minutes together without opening his lips; and when he did speak, -it seemed the effect of necessity rather than of choice--a sacrifice -to propriety, not a pleasure to himself. He seldom appeared really -animated. Mrs. Collins knew not what to make of him. Colonel -Fitzwilliam's occasionally laughing at his stupidity, proved that he was -generally different, which her own knowledge of him could not have told -her; and as she would liked to have believed this change the effect -of love, and the object of that love her friend Eliza, she set herself -seriously to work to find it out. She watched him whenever they were at -Rosings, and whenever he came to Hunsford; but without much success. He -certainly looked at her friend a great deal, but the expression of that -look was disputable. It was an earnest, steadfast gaze, but she often -doubted whether there were much admiration in it, and sometimes it -seemed nothing but absence of mind. - -She had once or twice suggested to Elizabeth the possibility of his -being partial to her, but Elizabeth always laughed at the idea; and Mrs. -Collins did not think it right to press the subject, from the danger of -raising expectations which might only end in disappointment; for in her -opinion it admitted not of a doubt, that all her friend's dislike would -vanish, if she could suppose him to be in her power. - - -In her kind schemes for Elizabeth, she sometimes planned her marrying -Colonel Fitzwilliam. He was beyond comparison the most pleasant man; he -certainly admired her, and his situation in life was most eligible; but, -to counterbalance these advantages, Mr. Darcy had considerable patronage -in the church, and his cousin could have none at all. - - - -Chapter 33 - - -More than once did Elizabeth, in her ramble within the park, -unexpectedly meet Mr. Darcy. She felt all the perverseness of the -mischance that should bring him where no one else was brought, and, to -prevent its ever happening again, took care to inform him at first that -it was a favourite haunt of hers. How it could occur a second time, -therefore, was very odd! Yet it did, and even a third. It seemed like -wilful ill-nature, or a voluntary penance, for on these occasions it was -not merely a few formal inquiries and an awkward pause and then away, -but he actually thought it necessary to turn back and walk with her. He -never said a great deal, nor did she give herself the trouble of talking -or of listening much; but it struck her in the course of their third -rencontre that he was asking some odd unconnected questions--about -her pleasure in being at Hunsford, her love of solitary walks, and her -opinion of Mr. and Mrs. Collins's happiness; and that in speaking of -Rosings and her not perfectly understanding the house, he seemed to -expect that whenever she came into Kent again she would be staying -_there_ too. His words seemed to imply it. Could he have Colonel -Fitzwilliam in his thoughts? She supposed, if he meant anything, he must -mean an allusion to what might arise in that quarter. It distressed -her a little, and she was quite glad to find herself at the gate in the -pales opposite the Parsonage. - -She was engaged one day as she walked, in perusing Jane's last letter, -and dwelling on some passages which proved that Jane had not written in -spirits, when, instead of being again surprised by Mr. Darcy, she saw -on looking up that Colonel Fitzwilliam was meeting her. Putting away the -letter immediately and forcing a smile, she said: - -“I did not know before that you ever walked this way.” - -“I have been making the tour of the park,” he replied, “as I generally -do every year, and intend to close it with a call at the Parsonage. Are -you going much farther?” - -“No, I should have turned in a moment.” - -And accordingly she did turn, and they walked towards the Parsonage -together. - -“Do you certainly leave Kent on Saturday?” said she. - -“Yes--if Darcy does not put it off again. But I am at his disposal. He -arranges the business just as he pleases.” - -“And if not able to please himself in the arrangement, he has at least -pleasure in the great power of choice. I do not know anybody who seems -more to enjoy the power of doing what he likes than Mr. Darcy.” - -“He likes to have his own way very well,” replied Colonel Fitzwilliam. -“But so we all do. It is only that he has better means of having it -than many others, because he is rich, and many others are poor. I speak -feelingly. A younger son, you know, must be inured to self-denial and -dependence.” - -“In my opinion, the younger son of an earl can know very little of -either. Now seriously, what have you ever known of self-denial and -dependence? When have you been prevented by want of money from going -wherever you chose, or procuring anything you had a fancy for?” - -“These are home questions--and perhaps I cannot say that I have -experienced many hardships of that nature. But in matters of greater -weight, I may suffer from want of money. Younger sons cannot marry where -they like.” - -“Unless where they like women of fortune, which I think they very often -do.” - -“Our habits of expense make us too dependent, and there are not many -in my rank of life who can afford to marry without some attention to -money.” - -“Is this,” thought Elizabeth, “meant for me?” and she coloured at the -idea; but, recovering herself, said in a lively tone, “And pray, what -is the usual price of an earl's younger son? Unless the elder brother is -very sickly, I suppose you would not ask above fifty thousand pounds.” - -He answered her in the same style, and the subject dropped. To interrupt -a silence which might make him fancy her affected with what had passed, -she soon afterwards said: - -“I imagine your cousin brought you down with him chiefly for the sake of -having someone at his disposal. I wonder he does not marry, to secure a -lasting convenience of that kind. But, perhaps, his sister does as well -for the present, and, as she is under his sole care, he may do what he -likes with her.” - -“No,” said Colonel Fitzwilliam, “that is an advantage which he must -divide with me. I am joined with him in the guardianship of Miss Darcy.” - -“Are you indeed? And pray what sort of guardians do you make? Does your -charge give you much trouble? Young ladies of her age are sometimes a -little difficult to manage, and if she has the true Darcy spirit, she -may like to have her own way.” - -As she spoke she observed him looking at her earnestly; and the manner -in which he immediately asked her why she supposed Miss Darcy likely to -give them any uneasiness, convinced her that she had somehow or other -got pretty near the truth. She directly replied: - -“You need not be frightened. I never heard any harm of her; and I dare -say she is one of the most tractable creatures in the world. She is a -very great favourite with some ladies of my acquaintance, Mrs. Hurst and -Miss Bingley. I think I have heard you say that you know them.” - -“I know them a little. Their brother is a pleasant gentlemanlike man--he -is a great friend of Darcy's.” - -“Oh! yes,” said Elizabeth drily; “Mr. Darcy is uncommonly kind to Mr. -Bingley, and takes a prodigious deal of care of him.” - -“Care of him! Yes, I really believe Darcy _does_ take care of him in -those points where he most wants care. From something that he told me in -our journey hither, I have reason to think Bingley very much indebted to -him. But I ought to beg his pardon, for I have no right to suppose that -Bingley was the person meant. It was all conjecture.” - -“What is it you mean?” - -“It is a circumstance which Darcy could not wish to be generally known, -because if it were to get round to the lady's family, it would be an -unpleasant thing.” - -“You may depend upon my not mentioning it.” - -“And remember that I have not much reason for supposing it to be -Bingley. What he told me was merely this: that he congratulated himself -on having lately saved a friend from the inconveniences of a most -imprudent marriage, but without mentioning names or any other -particulars, and I only suspected it to be Bingley from believing -him the kind of young man to get into a scrape of that sort, and from -knowing them to have been together the whole of last summer.” - -“Did Mr. Darcy give you reasons for this interference?” - -“I understood that there were some very strong objections against the -lady.” - -“And what arts did he use to separate them?” - -“He did not talk to me of his own arts,” said Fitzwilliam, smiling. “He -only told me what I have now told you.” - -Elizabeth made no answer, and walked on, her heart swelling with -indignation. After watching her a little, Fitzwilliam asked her why she -was so thoughtful. - -“I am thinking of what you have been telling me,” said she. “Your -cousin's conduct does not suit my feelings. Why was he to be the judge?” - -“You are rather disposed to call his interference officious?” - -“I do not see what right Mr. Darcy had to decide on the propriety of his -friend's inclination, or why, upon his own judgement alone, he was to -determine and direct in what manner his friend was to be happy. -But,” she continued, recollecting herself, “as we know none of the -particulars, it is not fair to condemn him. It is not to be supposed -that there was much affection in the case.” - -“That is not an unnatural surmise,” said Fitzwilliam, “but it is a -lessening of the honour of my cousin's triumph very sadly.” - -This was spoken jestingly; but it appeared to her so just a picture -of Mr. Darcy, that she would not trust herself with an answer, and -therefore, abruptly changing the conversation talked on indifferent -matters until they reached the Parsonage. There, shut into her own room, -as soon as their visitor left them, she could think without interruption -of all that she had heard. It was not to be supposed that any other -people could be meant than those with whom she was connected. There -could not exist in the world _two_ men over whom Mr. Darcy could have -such boundless influence. That he had been concerned in the measures -taken to separate Bingley and Jane she had never doubted; but she had -always attributed to Miss Bingley the principal design and arrangement -of them. If his own vanity, however, did not mislead him, _he_ was -the cause, his pride and caprice were the cause, of all that Jane had -suffered, and still continued to suffer. He had ruined for a while -every hope of happiness for the most affectionate, generous heart in the -world; and no one could say how lasting an evil he might have inflicted. - -“There were some very strong objections against the lady,” were Colonel -Fitzwilliam's words; and those strong objections probably were, her -having one uncle who was a country attorney, and another who was in -business in London. - -“To Jane herself,” she exclaimed, “there could be no possibility of -objection; all loveliness and goodness as she is!--her understanding -excellent, her mind improved, and her manners captivating. Neither -could anything be urged against my father, who, though with some -peculiarities, has abilities Mr. Darcy himself need not disdain, and -respectability which he will probably never reach.” When she thought of -her mother, her confidence gave way a little; but she would not allow -that any objections _there_ had material weight with Mr. Darcy, whose -pride, she was convinced, would receive a deeper wound from the want of -importance in his friend's connections, than from their want of sense; -and she was quite decided, at last, that he had been partly governed -by this worst kind of pride, and partly by the wish of retaining Mr. -Bingley for his sister. - -The agitation and tears which the subject occasioned, brought on a -headache; and it grew so much worse towards the evening, that, added to -her unwillingness to see Mr. Darcy, it determined her not to attend her -cousins to Rosings, where they were engaged to drink tea. Mrs. Collins, -seeing that she was really unwell, did not press her to go and as much -as possible prevented her husband from pressing her; but Mr. Collins -could not conceal his apprehension of Lady Catherine's being rather -displeased by her staying at home. - - - -Chapter 34 - - -When they were gone, Elizabeth, as if intending to exasperate herself -as much as possible against Mr. Darcy, chose for her employment the -examination of all the letters which Jane had written to her since her -being in Kent. They contained no actual complaint, nor was there any -revival of past occurrences, or any communication of present suffering. -But in all, and in almost every line of each, there was a want of that -cheerfulness which had been used to characterise her style, and which, -proceeding from the serenity of a mind at ease with itself and kindly -disposed towards everyone, had been scarcely ever clouded. Elizabeth -noticed every sentence conveying the idea of uneasiness, with an -attention which it had hardly received on the first perusal. Mr. Darcy's -shameful boast of what misery he had been able to inflict, gave her -a keener sense of her sister's sufferings. It was some consolation -to think that his visit to Rosings was to end on the day after the -next--and, a still greater, that in less than a fortnight she should -herself be with Jane again, and enabled to contribute to the recovery of -her spirits, by all that affection could do. - -She could not think of Darcy's leaving Kent without remembering that -his cousin was to go with him; but Colonel Fitzwilliam had made it clear -that he had no intentions at all, and agreeable as he was, she did not -mean to be unhappy about him. - -While settling this point, she was suddenly roused by the sound of the -door-bell, and her spirits were a little fluttered by the idea of its -being Colonel Fitzwilliam himself, who had once before called late in -the evening, and might now come to inquire particularly after her. -But this idea was soon banished, and her spirits were very differently -affected, when, to her utter amazement, she saw Mr. Darcy walk into the -room. In an hurried manner he immediately began an inquiry after her -health, imputing his visit to a wish of hearing that she were better. -She answered him with cold civility. He sat down for a few moments, and -then getting up, walked about the room. Elizabeth was surprised, but -said not a word. After a silence of several minutes, he came towards her -in an agitated manner, and thus began: - -“In vain I have struggled. It will not do. My feelings will not be -repressed. You must allow me to tell you how ardently I admire and love -you.” - -Elizabeth's astonishment was beyond expression. She stared, coloured, -doubted, and was silent. This he considered sufficient encouragement; -and the avowal of all that he felt, and had long felt for her, -immediately followed. He spoke well; but there were feelings besides -those of the heart to be detailed; and he was not more eloquent on the -subject of tenderness than of pride. His sense of her inferiority--of -its being a degradation--of the family obstacles which had always -opposed to inclination, were dwelt on with a warmth which seemed due to -the consequence he was wounding, but was very unlikely to recommend his -suit. - -In spite of her deeply-rooted dislike, she could not be insensible to -the compliment of such a man's affection, and though her intentions did -not vary for an instant, she was at first sorry for the pain he was to -receive; till, roused to resentment by his subsequent language, she -lost all compassion in anger. She tried, however, to compose herself to -answer him with patience, when he should have done. He concluded with -representing to her the strength of that attachment which, in spite -of all his endeavours, he had found impossible to conquer; and with -expressing his hope that it would now be rewarded by her acceptance of -his hand. As he said this, she could easily see that he had no doubt -of a favourable answer. He _spoke_ of apprehension and anxiety, but -his countenance expressed real security. Such a circumstance could -only exasperate farther, and, when he ceased, the colour rose into her -cheeks, and she said: - -“In such cases as this, it is, I believe, the established mode to -express a sense of obligation for the sentiments avowed, however -unequally they may be returned. It is natural that obligation should -be felt, and if I could _feel_ gratitude, I would now thank you. But I -cannot--I have never desired your good opinion, and you have certainly -bestowed it most unwillingly. I am sorry to have occasioned pain to -anyone. It has been most unconsciously done, however, and I hope will be -of short duration. The feelings which, you tell me, have long prevented -the acknowledgment of your regard, can have little difficulty in -overcoming it after this explanation.” - -Mr. Darcy, who was leaning against the mantelpiece with his eyes fixed -on her face, seemed to catch her words with no less resentment than -surprise. His complexion became pale with anger, and the disturbance -of his mind was visible in every feature. He was struggling for the -appearance of composure, and would not open his lips till he believed -himself to have attained it. The pause was to Elizabeth's feelings -dreadful. At length, with a voice of forced calmness, he said: - -“And this is all the reply which I am to have the honour of expecting! -I might, perhaps, wish to be informed why, with so little _endeavour_ at -civility, I am thus rejected. But it is of small importance.” - -“I might as well inquire,” replied she, “why with so evident a desire -of offending and insulting me, you chose to tell me that you liked me -against your will, against your reason, and even against your character? -Was not this some excuse for incivility, if I _was_ uncivil? But I have -other provocations. You know I have. Had not my feelings decided against -you--had they been indifferent, or had they even been favourable, do you -think that any consideration would tempt me to accept the man who has -been the means of ruining, perhaps for ever, the happiness of a most -beloved sister?” - -As she pronounced these words, Mr. Darcy changed colour; but the emotion -was short, and he listened without attempting to interrupt her while she -continued: - -“I have every reason in the world to think ill of you. No motive can -excuse the unjust and ungenerous part you acted _there_. You dare not, -you cannot deny, that you have been the principal, if not the only means -of dividing them from each other--of exposing one to the censure of the -world for caprice and instability, and the other to its derision for -disappointed hopes, and involving them both in misery of the acutest -kind.” - -She paused, and saw with no slight indignation that he was listening -with an air which proved him wholly unmoved by any feeling of remorse. -He even looked at her with a smile of affected incredulity. - -“Can you deny that you have done it?” she repeated. - -With assumed tranquillity he then replied: “I have no wish of denying -that I did everything in my power to separate my friend from your -sister, or that I rejoice in my success. Towards _him_ I have been -kinder than towards myself.” - -Elizabeth disdained the appearance of noticing this civil reflection, -but its meaning did not escape, nor was it likely to conciliate her. - -“But it is not merely this affair,” she continued, “on which my dislike -is founded. Long before it had taken place my opinion of you was -decided. Your character was unfolded in the recital which I received -many months ago from Mr. Wickham. On this subject, what can you have to -say? In what imaginary act of friendship can you here defend yourself? -or under what misrepresentation can you here impose upon others?” - -“You take an eager interest in that gentleman's concerns,” said Darcy, -in a less tranquil tone, and with a heightened colour. - -“Who that knows what his misfortunes have been, can help feeling an -interest in him?” - -“His misfortunes!” repeated Darcy contemptuously; “yes, his misfortunes -have been great indeed.” - -“And of your infliction,” cried Elizabeth with energy. “You have reduced -him to his present state of poverty--comparative poverty. You have -withheld the advantages which you must know to have been designed for -him. You have deprived the best years of his life of that independence -which was no less his due than his desert. You have done all this! -and yet you can treat the mention of his misfortune with contempt and -ridicule.” - -“And this,” cried Darcy, as he walked with quick steps across the room, -“is your opinion of me! This is the estimation in which you hold me! -I thank you for explaining it so fully. My faults, according to this -calculation, are heavy indeed! But perhaps,” added he, stopping in -his walk, and turning towards her, “these offenses might have been -overlooked, had not your pride been hurt by my honest confession of the -scruples that had long prevented my forming any serious design. These -bitter accusations might have been suppressed, had I, with greater -policy, concealed my struggles, and flattered you into the belief of -my being impelled by unqualified, unalloyed inclination; by reason, by -reflection, by everything. But disguise of every sort is my abhorrence. -Nor am I ashamed of the feelings I related. They were natural and -just. Could you expect me to rejoice in the inferiority of your -connections?--to congratulate myself on the hope of relations, whose -condition in life is so decidedly beneath my own?” - -Elizabeth felt herself growing more angry every moment; yet she tried to -the utmost to speak with composure when she said: - -“You are mistaken, Mr. Darcy, if you suppose that the mode of your -declaration affected me in any other way, than as it spared me the concern -which I might have felt in refusing you, had you behaved in a more -gentlemanlike manner.” - -She saw him start at this, but he said nothing, and she continued: - -“You could not have made the offer of your hand in any possible way that -would have tempted me to accept it.” - -Again his astonishment was obvious; and he looked at her with an -expression of mingled incredulity and mortification. She went on: - -“From the very beginning--from the first moment, I may almost say--of -my acquaintance with you, your manners, impressing me with the fullest -belief of your arrogance, your conceit, and your selfish disdain of -the feelings of others, were such as to form the groundwork of -disapprobation on which succeeding events have built so immovable a -dislike; and I had not known you a month before I felt that you were the -last man in the world whom I could ever be prevailed on to marry.” - -“You have said quite enough, madam. I perfectly comprehend your -feelings, and have now only to be ashamed of what my own have been. -Forgive me for having taken up so much of your time, and accept my best -wishes for your health and happiness.” - -And with these words he hastily left the room, and Elizabeth heard him -the next moment open the front door and quit the house. - -The tumult of her mind, was now painfully great. She knew not how -to support herself, and from actual weakness sat down and cried for -half-an-hour. Her astonishment, as she reflected on what had passed, -was increased by every review of it. That she should receive an offer of -marriage from Mr. Darcy! That he should have been in love with her for -so many months! So much in love as to wish to marry her in spite of -all the objections which had made him prevent his friend's marrying -her sister, and which must appear at least with equal force in his -own case--was almost incredible! It was gratifying to have inspired -unconsciously so strong an affection. But his pride, his abominable -pride--his shameless avowal of what he had done with respect to -Jane--his unpardonable assurance in acknowledging, though he could -not justify it, and the unfeeling manner in which he had mentioned Mr. -Wickham, his cruelty towards whom he had not attempted to deny, soon -overcame the pity which the consideration of his attachment had for -a moment excited. She continued in very agitated reflections till the -sound of Lady Catherine's carriage made her feel how unequal she was to -encounter Charlotte's observation, and hurried her away to her room. - - - -Chapter 35 - - -Elizabeth awoke the next morning to the same thoughts and meditations -which had at length closed her eyes. She could not yet recover from the -surprise of what had happened; it was impossible to think of anything -else; and, totally indisposed for employment, she resolved, soon after -breakfast, to indulge herself in air and exercise. She was proceeding -directly to her favourite walk, when the recollection of Mr. Darcy's -sometimes coming there stopped her, and instead of entering the park, -she turned up the lane, which led farther from the turnpike-road. The -park paling was still the boundary on one side, and she soon passed one -of the gates into the ground. - -After walking two or three times along that part of the lane, she was -tempted, by the pleasantness of the morning, to stop at the gates and -look into the park. The five weeks which she had now passed in Kent had -made a great difference in the country, and every day was adding to the -verdure of the early trees. She was on the point of continuing her walk, -when she caught a glimpse of a gentleman within the sort of grove which -edged the park; he was moving that way; and, fearful of its being Mr. -Darcy, she was directly retreating. But the person who advanced was now -near enough to see her, and stepping forward with eagerness, pronounced -her name. She had turned away; but on hearing herself called, though -in a voice which proved it to be Mr. Darcy, she moved again towards the -gate. He had by that time reached it also, and, holding out a letter, -which she instinctively took, said, with a look of haughty composure, -“I have been walking in the grove some time in the hope of meeting you. -Will you do me the honour of reading that letter?” And then, with a -slight bow, turned again into the plantation, and was soon out of sight. - -With no expectation of pleasure, but with the strongest curiosity, -Elizabeth opened the letter, and, to her still increasing wonder, -perceived an envelope containing two sheets of letter-paper, written -quite through, in a very close hand. The envelope itself was likewise -full. Pursuing her way along the lane, she then began it. It was dated -from Rosings, at eight o'clock in the morning, and was as follows:-- - -“Be not alarmed, madam, on receiving this letter, by the apprehension -of its containing any repetition of those sentiments or renewal of those -offers which were last night so disgusting to you. I write without any -intention of paining you, or humbling myself, by dwelling on wishes -which, for the happiness of both, cannot be too soon forgotten; and the -effort which the formation and the perusal of this letter must occasion, -should have been spared, had not my character required it to be written -and read. You must, therefore, pardon the freedom with which I demand -your attention; your feelings, I know, will bestow it unwillingly, but I -demand it of your justice. - -“Two offenses of a very different nature, and by no means of equal -magnitude, you last night laid to my charge. The first mentioned was, -that, regardless of the sentiments of either, I had detached Mr. Bingley -from your sister, and the other, that I had, in defiance of various -claims, in defiance of honour and humanity, ruined the immediate -prosperity and blasted the prospects of Mr. Wickham. Wilfully and -wantonly to have thrown off the companion of my youth, the acknowledged -favourite of my father, a young man who had scarcely any other -dependence than on our patronage, and who had been brought up to expect -its exertion, would be a depravity, to which the separation of two young -persons, whose affection could be the growth of only a few weeks, could -bear no comparison. But from the severity of that blame which was last -night so liberally bestowed, respecting each circumstance, I shall hope -to be in the future secured, when the following account of my actions -and their motives has been read. If, in the explanation of them, which -is due to myself, I am under the necessity of relating feelings which -may be offensive to yours, I can only say that I am sorry. The necessity -must be obeyed, and further apology would be absurd. - -“I had not been long in Hertfordshire, before I saw, in common with -others, that Bingley preferred your elder sister to any other young -woman in the country. But it was not till the evening of the dance -at Netherfield that I had any apprehension of his feeling a serious -attachment. I had often seen him in love before. At that ball, while I -had the honour of dancing with you, I was first made acquainted, by Sir -William Lucas's accidental information, that Bingley's attentions to -your sister had given rise to a general expectation of their marriage. -He spoke of it as a certain event, of which the time alone could -be undecided. From that moment I observed my friend's behaviour -attentively; and I could then perceive that his partiality for Miss -Bennet was beyond what I had ever witnessed in him. Your sister I also -watched. Her look and manners were open, cheerful, and engaging as ever, -but without any symptom of peculiar regard, and I remained convinced -from the evening's scrutiny, that though she received his attentions -with pleasure, she did not invite them by any participation of -sentiment. If _you_ have not been mistaken here, _I_ must have been -in error. Your superior knowledge of your sister must make the latter -probable. If it be so, if I have been misled by such error to inflict -pain on her, your resentment has not been unreasonable. But I shall not -scruple to assert, that the serenity of your sister's countenance and -air was such as might have given the most acute observer a conviction -that, however amiable her temper, her heart was not likely to be -easily touched. That I was desirous of believing her indifferent is -certain--but I will venture to say that my investigation and decisions -are not usually influenced by my hopes or fears. I did not believe -her to be indifferent because I wished it; I believed it on impartial -conviction, as truly as I wished it in reason. My objections to the -marriage were not merely those which I last night acknowledged to have -the utmost force of passion to put aside, in my own case; the want of -connection could not be so great an evil to my friend as to me. But -there were other causes of repugnance; causes which, though still -existing, and existing to an equal degree in both instances, I had -myself endeavoured to forget, because they were not immediately before -me. These causes must be stated, though briefly. The situation of your -mother's family, though objectionable, was nothing in comparison to that -total want of propriety so frequently, so almost uniformly betrayed by -herself, by your three younger sisters, and occasionally even by your -father. Pardon me. It pains me to offend you. But amidst your concern -for the defects of your nearest relations, and your displeasure at this -representation of them, let it give you consolation to consider that, to -have conducted yourselves so as to avoid any share of the like censure, -is praise no less generally bestowed on you and your elder sister, than -it is honourable to the sense and disposition of both. I will only say -farther that from what passed that evening, my opinion of all parties -was confirmed, and every inducement heightened which could have led -me before, to preserve my friend from what I esteemed a most unhappy -connection. He left Netherfield for London, on the day following, as -you, I am certain, remember, with the design of soon returning. - -“The part which I acted is now to be explained. His sisters' uneasiness -had been equally excited with my own; our coincidence of feeling was -soon discovered, and, alike sensible that no time was to be lost in -detaching their brother, we shortly resolved on joining him directly in -London. We accordingly went--and there I readily engaged in the office -of pointing out to my friend the certain evils of such a choice. I -described, and enforced them earnestly. But, however this remonstrance -might have staggered or delayed his determination, I do not suppose -that it would ultimately have prevented the marriage, had it not been -seconded by the assurance that I hesitated not in giving, of your -sister's indifference. He had before believed her to return his -affection with sincere, if not with equal regard. But Bingley has great -natural modesty, with a stronger dependence on my judgement than on his -own. To convince him, therefore, that he had deceived himself, was -no very difficult point. To persuade him against returning into -Hertfordshire, when that conviction had been given, was scarcely the -work of a moment. I cannot blame myself for having done thus much. There -is but one part of my conduct in the whole affair on which I do not -reflect with satisfaction; it is that I condescended to adopt the -measures of art so far as to conceal from him your sister's being in -town. I knew it myself, as it was known to Miss Bingley; but her -brother is even yet ignorant of it. That they might have met without -ill consequence is perhaps probable; but his regard did not appear to me -enough extinguished for him to see her without some danger. Perhaps this -concealment, this disguise was beneath me; it is done, however, and it -was done for the best. On this subject I have nothing more to say, no -other apology to offer. If I have wounded your sister's feelings, it -was unknowingly done and though the motives which governed me may to -you very naturally appear insufficient, I have not yet learnt to condemn -them. - -“With respect to that other, more weighty accusation, of having injured -Mr. Wickham, I can only refute it by laying before you the whole of his -connection with my family. Of what he has _particularly_ accused me I -am ignorant; but of the truth of what I shall relate, I can summon more -than one witness of undoubted veracity. - -“Mr. Wickham is the son of a very respectable man, who had for many -years the management of all the Pemberley estates, and whose good -conduct in the discharge of his trust naturally inclined my father to -be of service to him; and on George Wickham, who was his godson, his -kindness was therefore liberally bestowed. My father supported him at -school, and afterwards at Cambridge--most important assistance, as his -own father, always poor from the extravagance of his wife, would have -been unable to give him a gentleman's education. My father was not only -fond of this young man's society, whose manners were always engaging; he -had also the highest opinion of him, and hoping the church would be -his profession, intended to provide for him in it. As for myself, it is -many, many years since I first began to think of him in a very different -manner. The vicious propensities--the want of principle, which he was -careful to guard from the knowledge of his best friend, could not escape -the observation of a young man of nearly the same age with himself, -and who had opportunities of seeing him in unguarded moments, which Mr. -Darcy could not have. Here again I shall give you pain--to what degree -you only can tell. But whatever may be the sentiments which Mr. Wickham -has created, a suspicion of their nature shall not prevent me from -unfolding his real character--it adds even another motive. - -“My excellent father died about five years ago; and his attachment to -Mr. Wickham was to the last so steady, that in his will he particularly -recommended it to me, to promote his advancement in the best manner -that his profession might allow--and if he took orders, desired that a -valuable family living might be his as soon as it became vacant. There -was also a legacy of one thousand pounds. His own father did not long -survive mine, and within half a year from these events, Mr. Wickham -wrote to inform me that, having finally resolved against taking orders, -he hoped I should not think it unreasonable for him to expect some more -immediate pecuniary advantage, in lieu of the preferment, by which he -could not be benefited. He had some intention, he added, of studying -law, and I must be aware that the interest of one thousand pounds would -be a very insufficient support therein. I rather wished, than believed -him to be sincere; but, at any rate, was perfectly ready to accede to -his proposal. I knew that Mr. Wickham ought not to be a clergyman; the -business was therefore soon settled--he resigned all claim to assistance -in the church, were it possible that he could ever be in a situation to -receive it, and accepted in return three thousand pounds. All connection -between us seemed now dissolved. I thought too ill of him to invite him -to Pemberley, or admit his society in town. In town I believe he chiefly -lived, but his studying the law was a mere pretence, and being now free -from all restraint, his life was a life of idleness and dissipation. -For about three years I heard little of him; but on the decease of the -incumbent of the living which had been designed for him, he applied to -me again by letter for the presentation. His circumstances, he assured -me, and I had no difficulty in believing it, were exceedingly bad. He -had found the law a most unprofitable study, and was now absolutely -resolved on being ordained, if I would present him to the living in -question--of which he trusted there could be little doubt, as he was -well assured that I had no other person to provide for, and I could not -have forgotten my revered father's intentions. You will hardly blame -me for refusing to comply with this entreaty, or for resisting every -repetition to it. His resentment was in proportion to the distress of -his circumstances--and he was doubtless as violent in his abuse of me -to others as in his reproaches to myself. After this period every -appearance of acquaintance was dropped. How he lived I know not. But -last summer he was again most painfully obtruded on my notice. - -“I must now mention a circumstance which I would wish to forget myself, -and which no obligation less than the present should induce me to unfold -to any human being. Having said thus much, I feel no doubt of your -secrecy. My sister, who is more than ten years my junior, was left to -the guardianship of my mother's nephew, Colonel Fitzwilliam, and myself. -About a year ago, she was taken from school, and an establishment formed -for her in London; and last summer she went with the lady who presided -over it, to Ramsgate; and thither also went Mr. Wickham, undoubtedly by -design; for there proved to have been a prior acquaintance between him -and Mrs. Younge, in whose character we were most unhappily deceived; and -by her connivance and aid, he so far recommended himself to Georgiana, -whose affectionate heart retained a strong impression of his kindness to -her as a child, that she was persuaded to believe herself in love, and -to consent to an elopement. She was then but fifteen, which must be her -excuse; and after stating her imprudence, I am happy to add, that I owed -the knowledge of it to herself. I joined them unexpectedly a day or two -before the intended elopement, and then Georgiana, unable to support the -idea of grieving and offending a brother whom she almost looked up to as -a father, acknowledged the whole to me. You may imagine what I felt and -how I acted. Regard for my sister's credit and feelings prevented -any public exposure; but I wrote to Mr. Wickham, who left the place -immediately, and Mrs. Younge was of course removed from her charge. Mr. -Wickham's chief object was unquestionably my sister's fortune, which -is thirty thousand pounds; but I cannot help supposing that the hope of -revenging himself on me was a strong inducement. His revenge would have -been complete indeed. - -“This, madam, is a faithful narrative of every event in which we have -been concerned together; and if you do not absolutely reject it as -false, you will, I hope, acquit me henceforth of cruelty towards Mr. -Wickham. I know not in what manner, under what form of falsehood he -had imposed on you; but his success is not perhaps to be wondered -at. Ignorant as you previously were of everything concerning either, -detection could not be in your power, and suspicion certainly not in -your inclination. - -“You may possibly wonder why all this was not told you last night; but -I was not then master enough of myself to know what could or ought to -be revealed. For the truth of everything here related, I can appeal more -particularly to the testimony of Colonel Fitzwilliam, who, from our -near relationship and constant intimacy, and, still more, as one of -the executors of my father's will, has been unavoidably acquainted -with every particular of these transactions. If your abhorrence of _me_ -should make _my_ assertions valueless, you cannot be prevented by -the same cause from confiding in my cousin; and that there may be -the possibility of consulting him, I shall endeavour to find some -opportunity of putting this letter in your hands in the course of the -morning. I will only add, God bless you. - -“FITZWILLIAM DARCY” - - - -Chapter 36 - - -If Elizabeth, when Mr. Darcy gave her the letter, did not expect it to -contain a renewal of his offers, she had formed no expectation at all of -its contents. But such as they were, it may well be supposed how eagerly -she went through them, and what a contrariety of emotion they excited. -Her feelings as she read were scarcely to be defined. With amazement did -she first understand that he believed any apology to be in his power; -and steadfastly was she persuaded, that he could have no explanation -to give, which a just sense of shame would not conceal. With a strong -prejudice against everything he might say, she began his account of what -had happened at Netherfield. She read with an eagerness which hardly -left her power of comprehension, and from impatience of knowing what the -next sentence might bring, was incapable of attending to the sense of -the one before her eyes. His belief of her sister's insensibility she -instantly resolved to be false; and his account of the real, the worst -objections to the match, made her too angry to have any wish of doing -him justice. He expressed no regret for what he had done which satisfied -her; his style was not penitent, but haughty. It was all pride and -insolence. - -But when this subject was succeeded by his account of Mr. Wickham--when -she read with somewhat clearer attention a relation of events which, -if true, must overthrow every cherished opinion of his worth, and which -bore so alarming an affinity to his own history of himself--her -feelings were yet more acutely painful and more difficult of definition. -Astonishment, apprehension, and even horror, oppressed her. She wished -to discredit it entirely, repeatedly exclaiming, “This must be false! -This cannot be! This must be the grossest falsehood!”--and when she had -gone through the whole letter, though scarcely knowing anything of the -last page or two, put it hastily away, protesting that she would not -regard it, that she would never look in it again. - -In this perturbed state of mind, with thoughts that could rest on -nothing, she walked on; but it would not do; in half a minute the letter -was unfolded again, and collecting herself as well as she could, she -again began the mortifying perusal of all that related to Wickham, and -commanded herself so far as to examine the meaning of every sentence. -The account of his connection with the Pemberley family was exactly what -he had related himself; and the kindness of the late Mr. Darcy, though -she had not before known its extent, agreed equally well with his own -words. So far each recital confirmed the other; but when she came to the -will, the difference was great. What Wickham had said of the living -was fresh in her memory, and as she recalled his very words, it was -impossible not to feel that there was gross duplicity on one side or the -other; and, for a few moments, she flattered herself that her wishes did -not err. But when she read and re-read with the closest attention, the -particulars immediately following of Wickham's resigning all pretensions -to the living, of his receiving in lieu so considerable a sum as three -thousand pounds, again was she forced to hesitate. She put down -the letter, weighed every circumstance with what she meant to be -impartiality--deliberated on the probability of each statement--but with -little success. On both sides it was only assertion. Again she read -on; but every line proved more clearly that the affair, which she had -believed it impossible that any contrivance could so represent as to -render Mr. Darcy's conduct in it less than infamous, was capable of a -turn which must make him entirely blameless throughout the whole. - -The extravagance and general profligacy which he scrupled not to lay at -Mr. Wickham's charge, exceedingly shocked her; the more so, as she could -bring no proof of its injustice. She had never heard of him before his -entrance into the ----shire Militia, in which he had engaged at the -persuasion of the young man who, on meeting him accidentally in town, -had there renewed a slight acquaintance. Of his former way of life -nothing had been known in Hertfordshire but what he told himself. As -to his real character, had information been in her power, she had -never felt a wish of inquiring. His countenance, voice, and manner had -established him at once in the possession of every virtue. She tried -to recollect some instance of goodness, some distinguished trait of -integrity or benevolence, that might rescue him from the attacks of -Mr. Darcy; or at least, by the predominance of virtue, atone for those -casual errors under which she would endeavour to class what Mr. Darcy -had described as the idleness and vice of many years' continuance. But -no such recollection befriended her. She could see him instantly before -her, in every charm of air and address; but she could remember no more -substantial good than the general approbation of the neighbourhood, and -the regard which his social powers had gained him in the mess. After -pausing on this point a considerable while, she once more continued to -read. But, alas! the story which followed, of his designs on Miss -Darcy, received some confirmation from what had passed between Colonel -Fitzwilliam and herself only the morning before; and at last she was -referred for the truth of every particular to Colonel Fitzwilliam -himself--from whom she had previously received the information of his -near concern in all his cousin's affairs, and whose character she had no -reason to question. At one time she had almost resolved on applying to -him, but the idea was checked by the awkwardness of the application, and -at length wholly banished by the conviction that Mr. Darcy would never -have hazarded such a proposal, if he had not been well assured of his -cousin's corroboration. - -She perfectly remembered everything that had passed in conversation -between Wickham and herself, in their first evening at Mr. Phillips's. -Many of his expressions were still fresh in her memory. She was _now_ -struck with the impropriety of such communications to a stranger, and -wondered it had escaped her before. She saw the indelicacy of putting -himself forward as he had done, and the inconsistency of his professions -with his conduct. She remembered that he had boasted of having no fear -of seeing Mr. Darcy--that Mr. Darcy might leave the country, but that -_he_ should stand his ground; yet he had avoided the Netherfield ball -the very next week. She remembered also that, till the Netherfield -family had quitted the country, he had told his story to no one but -herself; but that after their removal it had been everywhere discussed; -that he had then no reserves, no scruples in sinking Mr. Darcy's -character, though he had assured her that respect for the father would -always prevent his exposing the son. - -How differently did everything now appear in which he was concerned! -His attentions to Miss King were now the consequence of views solely and -hatefully mercenary; and the mediocrity of her fortune proved no longer -the moderation of his wishes, but his eagerness to grasp at anything. -His behaviour to herself could now have had no tolerable motive; he had -either been deceived with regard to her fortune, or had been gratifying -his vanity by encouraging the preference which she believed she had most -incautiously shown. Every lingering struggle in his favour grew fainter -and fainter; and in farther justification of Mr. Darcy, she could not -but allow that Mr. Bingley, when questioned by Jane, had long ago -asserted his blamelessness in the affair; that proud and repulsive as -were his manners, she had never, in the whole course of their -acquaintance--an acquaintance which had latterly brought them much -together, and given her a sort of intimacy with his ways--seen anything -that betrayed him to be unprincipled or unjust--anything that spoke him -of irreligious or immoral habits; that among his own connections he was -esteemed and valued--that even Wickham had allowed him merit as a -brother, and that she had often heard him speak so affectionately of his -sister as to prove him capable of _some_ amiable feeling; that had his -actions been what Mr. Wickham represented them, so gross a violation of -everything right could hardly have been concealed from the world; and -that friendship between a person capable of it, and such an amiable man -as Mr. Bingley, was incomprehensible. - -She grew absolutely ashamed of herself. Of neither Darcy nor Wickham -could she think without feeling she had been blind, partial, prejudiced, -absurd. - -“How despicably I have acted!” she cried; “I, who have prided myself -on my discernment! I, who have valued myself on my abilities! who have -often disdained the generous candour of my sister, and gratified -my vanity in useless or blameable mistrust! How humiliating is this -discovery! Yet, how just a humiliation! Had I been in love, I could -not have been more wretchedly blind! But vanity, not love, has been my -folly. Pleased with the preference of one, and offended by the neglect -of the other, on the very beginning of our acquaintance, I have courted -prepossession and ignorance, and driven reason away, where either were -concerned. Till this moment I never knew myself.” - -From herself to Jane--from Jane to Bingley, her thoughts were in a line -which soon brought to her recollection that Mr. Darcy's explanation -_there_ had appeared very insufficient, and she read it again. Widely -different was the effect of a second perusal. How could she deny that -credit to his assertions in one instance, which she had been obliged to -give in the other? He declared himself to be totally unsuspicious of her -sister's attachment; and she could not help remembering what Charlotte's -opinion had always been. Neither could she deny the justice of his -description of Jane. She felt that Jane's feelings, though fervent, were -little displayed, and that there was a constant complacency in her air -and manner not often united with great sensibility. - -When she came to that part of the letter in which her family were -mentioned in terms of such mortifying, yet merited reproach, her sense -of shame was severe. The justice of the charge struck her too forcibly -for denial, and the circumstances to which he particularly alluded as -having passed at the Netherfield ball, and as confirming all his first -disapprobation, could not have made a stronger impression on his mind -than on hers. - -The compliment to herself and her sister was not unfelt. It soothed, -but it could not console her for the contempt which had thus been -self-attracted by the rest of her family; and as she considered -that Jane's disappointment had in fact been the work of her nearest -relations, and reflected how materially the credit of both must be hurt -by such impropriety of conduct, she felt depressed beyond anything she -had ever known before. - -After wandering along the lane for two hours, giving way to every -variety of thought--re-considering events, determining probabilities, -and reconciling herself, as well as she could, to a change so sudden and -so important, fatigue, and a recollection of her long absence, made -her at length return home; and she entered the house with the wish -of appearing cheerful as usual, and the resolution of repressing such -reflections as must make her unfit for conversation. - -She was immediately told that the two gentlemen from Rosings had each -called during her absence; Mr. Darcy, only for a few minutes, to take -leave--but that Colonel Fitzwilliam had been sitting with them at least -an hour, hoping for her return, and almost resolving to walk after her -till she could be found. Elizabeth could but just _affect_ concern -in missing him; she really rejoiced at it. Colonel Fitzwilliam was no -longer an object; she could think only of her letter. - - - -Chapter 37 - - -The two gentlemen left Rosings the next morning, and Mr. Collins having -been in waiting near the lodges, to make them his parting obeisance, was -able to bring home the pleasing intelligence, of their appearing in very -good health, and in as tolerable spirits as could be expected, after the -melancholy scene so lately gone through at Rosings. To Rosings he then -hastened, to console Lady Catherine and her daughter; and on his return -brought back, with great satisfaction, a message from her ladyship, -importing that she felt herself so dull as to make her very desirous of -having them all to dine with her. - -Elizabeth could not see Lady Catherine without recollecting that, had -she chosen it, she might by this time have been presented to her as -her future niece; nor could she think, without a smile, of what her -ladyship's indignation would have been. “What would she have said? how -would she have behaved?” were questions with which she amused herself. - -Their first subject was the diminution of the Rosings party. “I assure -you, I feel it exceedingly,” said Lady Catherine; “I believe no one -feels the loss of friends so much as I do. But I am particularly -attached to these young men, and know them to be so much attached to -me! They were excessively sorry to go! But so they always are. The -dear Colonel rallied his spirits tolerably till just at last; but Darcy -seemed to feel it most acutely, more, I think, than last year. His -attachment to Rosings certainly increases.” - -Mr. Collins had a compliment, and an allusion to throw in here, which -were kindly smiled on by the mother and daughter. - -Lady Catherine observed, after dinner, that Miss Bennet seemed out of -spirits, and immediately accounting for it by herself, by supposing that -she did not like to go home again so soon, she added: - -“But if that is the case, you must write to your mother and beg that -you may stay a little longer. Mrs. Collins will be very glad of your -company, I am sure.” - -“I am much obliged to your ladyship for your kind invitation,” replied -Elizabeth, “but it is not in my power to accept it. I must be in town -next Saturday.” - -“Why, at that rate, you will have been here only six weeks. I expected -you to stay two months. I told Mrs. Collins so before you came. There -can be no occasion for your going so soon. Mrs. Bennet could certainly -spare you for another fortnight.” - -“But my father cannot. He wrote last week to hurry my return.” - -“Oh! your father of course may spare you, if your mother can. Daughters -are never of so much consequence to a father. And if you will stay -another _month_ complete, it will be in my power to take one of you as -far as London, for I am going there early in June, for a week; and as -Dawson does not object to the barouche-box, there will be very good room -for one of you--and indeed, if the weather should happen to be cool, I -should not object to taking you both, as you are neither of you large.” - -“You are all kindness, madam; but I believe we must abide by our -original plan.” - -Lady Catherine seemed resigned. “Mrs. Collins, you must send a servant -with them. You know I always speak my mind, and I cannot bear the idea -of two young women travelling post by themselves. It is highly improper. -You must contrive to send somebody. I have the greatest dislike in -the world to that sort of thing. Young women should always be properly -guarded and attended, according to their situation in life. When my -niece Georgiana went to Ramsgate last summer, I made a point of her -having two men-servants go with her. Miss Darcy, the daughter of -Mr. Darcy, of Pemberley, and Lady Anne, could not have appeared with -propriety in a different manner. I am excessively attentive to all those -things. You must send John with the young ladies, Mrs. Collins. I -am glad it occurred to me to mention it; for it would really be -discreditable to _you_ to let them go alone.” - -“My uncle is to send a servant for us.” - -“Oh! Your uncle! He keeps a man-servant, does he? I am very glad you -have somebody who thinks of these things. Where shall you change horses? -Oh! Bromley, of course. If you mention my name at the Bell, you will be -attended to.” - -Lady Catherine had many other questions to ask respecting their journey, -and as she did not answer them all herself, attention was necessary, -which Elizabeth believed to be lucky for her; or, with a mind so -occupied, she might have forgotten where she was. Reflection must be -reserved for solitary hours; whenever she was alone, she gave way to it -as the greatest relief; and not a day went by without a solitary -walk, in which she might indulge in all the delight of unpleasant -recollections. - -Mr. Darcy's letter she was in a fair way of soon knowing by heart. She -studied every sentence; and her feelings towards its writer were at -times widely different. When she remembered the style of his address, -she was still full of indignation; but when she considered how unjustly -she had condemned and upbraided him, her anger was turned against -herself; and his disappointed feelings became the object of compassion. -His attachment excited gratitude, his general character respect; but she -could not approve him; nor could she for a moment repent her refusal, -or feel the slightest inclination ever to see him again. In her own past -behaviour, there was a constant source of vexation and regret; and in -the unhappy defects of her family, a subject of yet heavier chagrin. -They were hopeless of remedy. Her father, contented with laughing at -them, would never exert himself to restrain the wild giddiness of his -youngest daughters; and her mother, with manners so far from right -herself, was entirely insensible of the evil. Elizabeth had frequently -united with Jane in an endeavour to check the imprudence of Catherine -and Lydia; but while they were supported by their mother's indulgence, -what chance could there be of improvement? Catherine, weak-spirited, -irritable, and completely under Lydia's guidance, had been always -affronted by their advice; and Lydia, self-willed and careless, would -scarcely give them a hearing. They were ignorant, idle, and vain. While -there was an officer in Meryton, they would flirt with him; and while -Meryton was within a walk of Longbourn, they would be going there -forever. - -Anxiety on Jane's behalf was another prevailing concern; and Mr. Darcy's -explanation, by restoring Bingley to all her former good opinion, -heightened the sense of what Jane had lost. His affection was proved -to have been sincere, and his conduct cleared of all blame, unless any -could attach to the implicitness of his confidence in his friend. How -grievous then was the thought that, of a situation so desirable in every -respect, so replete with advantage, so promising for happiness, Jane had -been deprived, by the folly and indecorum of her own family! - -When to these recollections was added the development of Wickham's -character, it may be easily believed that the happy spirits which had -seldom been depressed before, were now so much affected as to make it -almost impossible for her to appear tolerably cheerful. - -Their engagements at Rosings were as frequent during the last week of -her stay as they had been at first. The very last evening was spent -there; and her ladyship again inquired minutely into the particulars of -their journey, gave them directions as to the best method of packing, -and was so urgent on the necessity of placing gowns in the only right -way, that Maria thought herself obliged, on her return, to undo all the -work of the morning, and pack her trunk afresh. - -When they parted, Lady Catherine, with great condescension, wished them -a good journey, and invited them to come to Hunsford again next year; -and Miss de Bourgh exerted herself so far as to curtsey and hold out her -hand to both. - - - -Chapter 38 - - -On Saturday morning Elizabeth and Mr. Collins met for breakfast a few -minutes before the others appeared; and he took the opportunity of -paying the parting civilities which he deemed indispensably necessary. - -“I know not, Miss Elizabeth,” said he, “whether Mrs. Collins has yet -expressed her sense of your kindness in coming to us; but I am very -certain you will not leave the house without receiving her thanks for -it. The favour of your company has been much felt, I assure you. We -know how little there is to tempt anyone to our humble abode. Our plain -manner of living, our small rooms and few domestics, and the little we -see of the world, must make Hunsford extremely dull to a young lady like -yourself; but I hope you will believe us grateful for the condescension, -and that we have done everything in our power to prevent your spending -your time unpleasantly.” - -Elizabeth was eager with her thanks and assurances of happiness. She -had spent six weeks with great enjoyment; and the pleasure of being with -Charlotte, and the kind attentions she had received, must make _her_ -feel the obliged. Mr. Collins was gratified, and with a more smiling -solemnity replied: - -“It gives me great pleasure to hear that you have passed your time not -disagreeably. We have certainly done our best; and most fortunately -having it in our power to introduce you to very superior society, and, -from our connection with Rosings, the frequent means of varying the -humble home scene, I think we may flatter ourselves that your Hunsford -visit cannot have been entirely irksome. Our situation with regard to -Lady Catherine's family is indeed the sort of extraordinary advantage -and blessing which few can boast. You see on what a footing we are. You -see how continually we are engaged there. In truth I must acknowledge -that, with all the disadvantages of this humble parsonage, I should -not think anyone abiding in it an object of compassion, while they are -sharers of our intimacy at Rosings.” - -Words were insufficient for the elevation of his feelings; and he was -obliged to walk about the room, while Elizabeth tried to unite civility -and truth in a few short sentences. - -“You may, in fact, carry a very favourable report of us into -Hertfordshire, my dear cousin. I flatter myself at least that you will -be able to do so. Lady Catherine's great attentions to Mrs. Collins you -have been a daily witness of; and altogether I trust it does not appear -that your friend has drawn an unfortunate--but on this point it will be -as well to be silent. Only let me assure you, my dear Miss Elizabeth, -that I can from my heart most cordially wish you equal felicity in -marriage. My dear Charlotte and I have but one mind and one way of -thinking. There is in everything a most remarkable resemblance of -character and ideas between us. We seem to have been designed for each -other.” - -Elizabeth could safely say that it was a great happiness where that was -the case, and with equal sincerity could add, that she firmly believed -and rejoiced in his domestic comforts. She was not sorry, however, to -have the recital of them interrupted by the lady from whom they sprang. -Poor Charlotte! it was melancholy to leave her to such society! But she -had chosen it with her eyes open; and though evidently regretting that -her visitors were to go, she did not seem to ask for compassion. Her -home and her housekeeping, her parish and her poultry, and all their -dependent concerns, had not yet lost their charms. - -At length the chaise arrived, the trunks were fastened on, the parcels -placed within, and it was pronounced to be ready. After an affectionate -parting between the friends, Elizabeth was attended to the carriage by -Mr. Collins, and as they walked down the garden he was commissioning her -with his best respects to all her family, not forgetting his thanks -for the kindness he had received at Longbourn in the winter, and his -compliments to Mr. and Mrs. Gardiner, though unknown. He then handed her -in, Maria followed, and the door was on the point of being closed, -when he suddenly reminded them, with some consternation, that they had -hitherto forgotten to leave any message for the ladies at Rosings. - -“But,” he added, “you will of course wish to have your humble respects -delivered to them, with your grateful thanks for their kindness to you -while you have been here.” - -Elizabeth made no objection; the door was then allowed to be shut, and -the carriage drove off. - -“Good gracious!” cried Maria, after a few minutes' silence, “it seems -but a day or two since we first came! and yet how many things have -happened!” - -“A great many indeed,” said her companion with a sigh. - -“We have dined nine times at Rosings, besides drinking tea there twice! -How much I shall have to tell!” - -Elizabeth added privately, “And how much I shall have to conceal!” - -Their journey was performed without much conversation, or any alarm; and -within four hours of their leaving Hunsford they reached Mr. Gardiner's -house, where they were to remain a few days. - -Jane looked well, and Elizabeth had little opportunity of studying her -spirits, amidst the various engagements which the kindness of her -aunt had reserved for them. But Jane was to go home with her, and at -Longbourn there would be leisure enough for observation. - -It was not without an effort, meanwhile, that she could wait even for -Longbourn, before she told her sister of Mr. Darcy's proposals. To know -that she had the power of revealing what would so exceedingly astonish -Jane, and must, at the same time, so highly gratify whatever of her own -vanity she had not yet been able to reason away, was such a temptation -to openness as nothing could have conquered but the state of indecision -in which she remained as to the extent of what she should communicate; -and her fear, if she once entered on the subject, of being hurried -into repeating something of Bingley which might only grieve her sister -further. - - - -Chapter 39 - - -It was the second week in May, in which the three young ladies set out -together from Gracechurch Street for the town of ----, in Hertfordshire; -and, as they drew near the appointed inn where Mr. Bennet's carriage -was to meet them, they quickly perceived, in token of the coachman's -punctuality, both Kitty and Lydia looking out of a dining-room up stairs. -These two girls had been above an hour in the place, happily employed -in visiting an opposite milliner, watching the sentinel on guard, and -dressing a salad and cucumber. - -After welcoming their sisters, they triumphantly displayed a table set -out with such cold meat as an inn larder usually affords, exclaiming, -“Is not this nice? Is not this an agreeable surprise?” - -“And we mean to treat you all,” added Lydia, “but you must lend us the -money, for we have just spent ours at the shop out there.” Then, showing -her purchases--“Look here, I have bought this bonnet. I do not think -it is very pretty; but I thought I might as well buy it as not. I shall -pull it to pieces as soon as I get home, and see if I can make it up any -better.” - -And when her sisters abused it as ugly, she added, with perfect -unconcern, “Oh! but there were two or three much uglier in the shop; and -when I have bought some prettier-coloured satin to trim it with fresh, I -think it will be very tolerable. Besides, it will not much signify what -one wears this summer, after the ----shire have left Meryton, and they -are going in a fortnight.” - -“Are they indeed!” cried Elizabeth, with the greatest satisfaction. - -“They are going to be encamped near Brighton; and I do so want papa to -take us all there for the summer! It would be such a delicious scheme; -and I dare say would hardly cost anything at all. Mamma would like to -go too of all things! Only think what a miserable summer else we shall -have!” - -“Yes,” thought Elizabeth, “_that_ would be a delightful scheme indeed, -and completely do for us at once. Good Heaven! Brighton, and a whole -campful of soldiers, to us, who have been overset already by one poor -regiment of militia, and the monthly balls of Meryton!” - -“Now I have got some news for you,” said Lydia, as they sat down at -table. “What do you think? It is excellent news--capital news--and about -a certain person we all like!” - -Jane and Elizabeth looked at each other, and the waiter was told he need -not stay. Lydia laughed, and said: - -“Aye, that is just like your formality and discretion. You thought the -waiter must not hear, as if he cared! I dare say he often hears worse -things said than I am going to say. But he is an ugly fellow! I am glad -he is gone. I never saw such a long chin in my life. Well, but now for -my news; it is about dear Wickham; too good for the waiter, is it not? -There is no danger of Wickham's marrying Mary King. There's for you! She -is gone down to her uncle at Liverpool: gone to stay. Wickham is safe.” - -“And Mary King is safe!” added Elizabeth; “safe from a connection -imprudent as to fortune.” - -“She is a great fool for going away, if she liked him.” - -“But I hope there is no strong attachment on either side,” said Jane. - -“I am sure there is not on _his_. I will answer for it, he never cared -three straws about her--who could about such a nasty little freckled -thing?” - -Elizabeth was shocked to think that, however incapable of such -coarseness of _expression_ herself, the coarseness of the _sentiment_ -was little other than her own breast had harboured and fancied liberal! - -As soon as all had ate, and the elder ones paid, the carriage was -ordered; and after some contrivance, the whole party, with all their -boxes, work-bags, and parcels, and the unwelcome addition of Kitty's and -Lydia's purchases, were seated in it. - -“How nicely we are all crammed in,” cried Lydia. “I am glad I bought my -bonnet, if it is only for the fun of having another bandbox! Well, now -let us be quite comfortable and snug, and talk and laugh all the way -home. And in the first place, let us hear what has happened to you all -since you went away. Have you seen any pleasant men? Have you had any -flirting? I was in great hopes that one of you would have got a husband -before you came back. Jane will be quite an old maid soon, I declare. -She is almost three-and-twenty! Lord, how ashamed I should be of not -being married before three-and-twenty! My aunt Phillips wants you so to -get husbands, you can't think. She says Lizzy had better have taken Mr. -Collins; but _I_ do not think there would have been any fun in it. Lord! -how I should like to be married before any of you; and then I would -chaperon you about to all the balls. Dear me! we had such a good piece -of fun the other day at Colonel Forster's. Kitty and me were to spend -the day there, and Mrs. Forster promised to have a little dance in the -evening; (by the bye, Mrs. Forster and me are _such_ friends!) and so -she asked the two Harringtons to come, but Harriet was ill, and so Pen -was forced to come by herself; and then, what do you think we did? We -dressed up Chamberlayne in woman's clothes on purpose to pass for a -lady, only think what fun! Not a soul knew of it, but Colonel and Mrs. -Forster, and Kitty and me, except my aunt, for we were forced to borrow -one of her gowns; and you cannot imagine how well he looked! When Denny, -and Wickham, and Pratt, and two or three more of the men came in, they -did not know him in the least. Lord! how I laughed! and so did Mrs. -Forster. I thought I should have died. And _that_ made the men suspect -something, and then they soon found out what was the matter.” - -With such kinds of histories of their parties and good jokes, did -Lydia, assisted by Kitty's hints and additions, endeavour to amuse her -companions all the way to Longbourn. Elizabeth listened as little as she -could, but there was no escaping the frequent mention of Wickham's name. - -Their reception at home was most kind. Mrs. Bennet rejoiced to see Jane -in undiminished beauty; and more than once during dinner did Mr. Bennet -say voluntarily to Elizabeth: - -“I am glad you are come back, Lizzy.” - -Their party in the dining-room was large, for almost all the Lucases -came to meet Maria and hear the news; and various were the subjects that -occupied them: Lady Lucas was inquiring of Maria, after the welfare and -poultry of her eldest daughter; Mrs. Bennet was doubly engaged, on one -hand collecting an account of the present fashions from Jane, who sat -some way below her, and, on the other, retailing them all to the younger -Lucases; and Lydia, in a voice rather louder than any other person's, -was enumerating the various pleasures of the morning to anybody who -would hear her. - -“Oh! Mary,” said she, “I wish you had gone with us, for we had such fun! -As we went along, Kitty and I drew up the blinds, and pretended there -was nobody in the coach; and I should have gone so all the way, if Kitty -had not been sick; and when we got to the George, I do think we behaved -very handsomely, for we treated the other three with the nicest cold -luncheon in the world, and if you would have gone, we would have treated -you too. And then when we came away it was such fun! I thought we never -should have got into the coach. I was ready to die of laughter. And then -we were so merry all the way home! we talked and laughed so loud, that -anybody might have heard us ten miles off!” - -To this Mary very gravely replied, “Far be it from me, my dear sister, -to depreciate such pleasures! They would doubtless be congenial with the -generality of female minds. But I confess they would have no charms for -_me_--I should infinitely prefer a book.” - -But of this answer Lydia heard not a word. She seldom listened to -anybody for more than half a minute, and never attended to Mary at all. - -In the afternoon Lydia was urgent with the rest of the girls to walk -to Meryton, and to see how everybody went on; but Elizabeth steadily -opposed the scheme. It should not be said that the Miss Bennets could -not be at home half a day before they were in pursuit of the officers. -There was another reason too for her opposition. She dreaded seeing Mr. -Wickham again, and was resolved to avoid it as long as possible. The -comfort to _her_ of the regiment's approaching removal was indeed beyond -expression. In a fortnight they were to go--and once gone, she hoped -there could be nothing more to plague her on his account. - -She had not been many hours at home before she found that the Brighton -scheme, of which Lydia had given them a hint at the inn, was under -frequent discussion between her parents. Elizabeth saw directly that her -father had not the smallest intention of yielding; but his answers were -at the same time so vague and equivocal, that her mother, though often -disheartened, had never yet despaired of succeeding at last. - - - -Chapter 40 - - -Elizabeth's impatience to acquaint Jane with what had happened could -no longer be overcome; and at length, resolving to suppress every -particular in which her sister was concerned, and preparing her to be -surprised, she related to her the next morning the chief of the scene -between Mr. Darcy and herself. - -Miss Bennet's astonishment was soon lessened by the strong sisterly -partiality which made any admiration of Elizabeth appear perfectly -natural; and all surprise was shortly lost in other feelings. She was -sorry that Mr. Darcy should have delivered his sentiments in a manner so -little suited to recommend them; but still more was she grieved for the -unhappiness which her sister's refusal must have given him. - -“His being so sure of succeeding was wrong,” said she, “and certainly -ought not to have appeared; but consider how much it must increase his -disappointment!” - -“Indeed,” replied Elizabeth, “I am heartily sorry for him; but he has -other feelings, which will probably soon drive away his regard for me. -You do not blame me, however, for refusing him?” - -“Blame you! Oh, no.” - -“But you blame me for having spoken so warmly of Wickham?” - -“No--I do not know that you were wrong in saying what you did.” - -“But you _will_ know it, when I tell you what happened the very next -day.” - -She then spoke of the letter, repeating the whole of its contents as far -as they concerned George Wickham. What a stroke was this for poor Jane! -who would willingly have gone through the world without believing that -so much wickedness existed in the whole race of mankind, as was here -collected in one individual. Nor was Darcy's vindication, though -grateful to her feelings, capable of consoling her for such discovery. -Most earnestly did she labour to prove the probability of error, and -seek to clear the one without involving the other. - -“This will not do,” said Elizabeth; “you never will be able to make both -of them good for anything. Take your choice, but you must be satisfied -with only one. There is but such a quantity of merit between them; just -enough to make one good sort of man; and of late it has been shifting -about pretty much. For my part, I am inclined to believe it all Darcy's; -but you shall do as you choose.” - -It was some time, however, before a smile could be extorted from Jane. - -“I do not know when I have been more shocked,” said she. “Wickham so -very bad! It is almost past belief. And poor Mr. Darcy! Dear Lizzy, only -consider what he must have suffered. Such a disappointment! and with the -knowledge of your ill opinion, too! and having to relate such a thing -of his sister! It is really too distressing. I am sure you must feel it -so.” - -“Oh! no, my regret and compassion are all done away by seeing you so -full of both. I know you will do him such ample justice, that I am -growing every moment more unconcerned and indifferent. Your profusion -makes me saving; and if you lament over him much longer, my heart will -be as light as a feather.” - -“Poor Wickham! there is such an expression of goodness in his -countenance! such an openness and gentleness in his manner!” - -“There certainly was some great mismanagement in the education of those -two young men. One has got all the goodness, and the other all the -appearance of it.” - -“I never thought Mr. Darcy so deficient in the _appearance_ of it as you -used to do.” - -“And yet I meant to be uncommonly clever in taking so decided a dislike -to him, without any reason. It is such a spur to one's genius, such an -opening for wit, to have a dislike of that kind. One may be continually -abusive without saying anything just; but one cannot always be laughing -at a man without now and then stumbling on something witty.” - -“Lizzy, when you first read that letter, I am sure you could not treat -the matter as you do now.” - -“Indeed, I could not. I was uncomfortable enough, I may say unhappy. And -with no one to speak to about what I felt, no Jane to comfort me and say -that I had not been so very weak and vain and nonsensical as I knew I -had! Oh! how I wanted you!” - -“How unfortunate that you should have used such very strong expressions -in speaking of Wickham to Mr. Darcy, for now they _do_ appear wholly -undeserved.” - -“Certainly. But the misfortune of speaking with bitterness is a most -natural consequence of the prejudices I had been encouraging. There -is one point on which I want your advice. I want to be told whether I -ought, or ought not, to make our acquaintances in general understand -Wickham's character.” - -Miss Bennet paused a little, and then replied, “Surely there can be no -occasion for exposing him so dreadfully. What is your opinion?” - -“That it ought not to be attempted. Mr. Darcy has not authorised me -to make his communication public. On the contrary, every particular -relative to his sister was meant to be kept as much as possible to -myself; and if I endeavour to undeceive people as to the rest of his -conduct, who will believe me? The general prejudice against Mr. Darcy -is so violent, that it would be the death of half the good people in -Meryton to attempt to place him in an amiable light. I am not equal -to it. Wickham will soon be gone; and therefore it will not signify to -anyone here what he really is. Some time hence it will be all found out, -and then we may laugh at their stupidity in not knowing it before. At -present I will say nothing about it.” - -“You are quite right. To have his errors made public might ruin him for -ever. He is now, perhaps, sorry for what he has done, and anxious to -re-establish a character. We must not make him desperate.” - -The tumult of Elizabeth's mind was allayed by this conversation. She had -got rid of two of the secrets which had weighed on her for a fortnight, -and was certain of a willing listener in Jane, whenever she might wish -to talk again of either. But there was still something lurking behind, -of which prudence forbade the disclosure. She dared not relate the other -half of Mr. Darcy's letter, nor explain to her sister how sincerely she -had been valued by her friend. Here was knowledge in which no one -could partake; and she was sensible that nothing less than a perfect -understanding between the parties could justify her in throwing off -this last encumbrance of mystery. “And then,” said she, “if that very -improbable event should ever take place, I shall merely be able to -tell what Bingley may tell in a much more agreeable manner himself. The -liberty of communication cannot be mine till it has lost all its value!” - -She was now, on being settled at home, at leisure to observe the real -state of her sister's spirits. Jane was not happy. She still cherished a -very tender affection for Bingley. Having never even fancied herself -in love before, her regard had all the warmth of first attachment, -and, from her age and disposition, greater steadiness than most first -attachments often boast; and so fervently did she value his remembrance, -and prefer him to every other man, that all her good sense, and all her -attention to the feelings of her friends, were requisite to check the -indulgence of those regrets which must have been injurious to her own -health and their tranquillity. - -“Well, Lizzy,” said Mrs. Bennet one day, “what is your opinion _now_ of -this sad business of Jane's? For my part, I am determined never to speak -of it again to anybody. I told my sister Phillips so the other day. But -I cannot find out that Jane saw anything of him in London. Well, he is -a very undeserving young man--and I do not suppose there's the least -chance in the world of her ever getting him now. There is no talk of -his coming to Netherfield again in the summer; and I have inquired of -everybody, too, who is likely to know.” - -“I do not believe he will ever live at Netherfield any more.” - -“Oh well! it is just as he chooses. Nobody wants him to come. Though I -shall always say he used my daughter extremely ill; and if I was her, I -would not have put up with it. Well, my comfort is, I am sure Jane will -die of a broken heart; and then he will be sorry for what he has done.” - -But as Elizabeth could not receive comfort from any such expectation, -she made no answer. - -“Well, Lizzy,” continued her mother, soon afterwards, “and so the -Collinses live very comfortable, do they? Well, well, I only hope -it will last. And what sort of table do they keep? Charlotte is an -excellent manager, I dare say. If she is half as sharp as her -mother, she is saving enough. There is nothing extravagant in _their_ -housekeeping, I dare say.” - -“No, nothing at all.” - -“A great deal of good management, depend upon it. Yes, yes, _they_ will -take care not to outrun their income. _They_ will never be distressed -for money. Well, much good may it do them! And so, I suppose, they often -talk of having Longbourn when your father is dead. They look upon it as -quite their own, I dare say, whenever that happens.” - -“It was a subject which they could not mention before me.” - -“No; it would have been strange if they had; but I make no doubt they -often talk of it between themselves. Well, if they can be easy with an -estate that is not lawfully their own, so much the better. I should be -ashamed of having one that was only entailed on me.” - - - -Chapter 41 - - -The first week of their return was soon gone. The second began. It was -the last of the regiment's stay in Meryton, and all the young ladies -in the neighbourhood were drooping apace. The dejection was almost -universal. The elder Miss Bennets alone were still able to eat, drink, -and sleep, and pursue the usual course of their employments. Very -frequently were they reproached for this insensibility by Kitty and -Lydia, whose own misery was extreme, and who could not comprehend such -hard-heartedness in any of the family. - -“Good Heaven! what is to become of us? What are we to do?” would they -often exclaim in the bitterness of woe. “How can you be smiling so, -Lizzy?” - -Their affectionate mother shared all their grief; she remembered what -she had herself endured on a similar occasion, five-and-twenty years -ago. - -“I am sure,” said she, “I cried for two days together when Colonel -Miller's regiment went away. I thought I should have broken my heart.” - -“I am sure I shall break _mine_,” said Lydia. - -“If one could but go to Brighton!” observed Mrs. Bennet. - -“Oh, yes!--if one could but go to Brighton! But papa is so -disagreeable.” - -“A little sea-bathing would set me up forever.” - -“And my aunt Phillips is sure it would do _me_ a great deal of good,” - added Kitty. - -Such were the kind of lamentations resounding perpetually through -Longbourn House. Elizabeth tried to be diverted by them; but all sense -of pleasure was lost in shame. She felt anew the justice of Mr. Darcy's -objections; and never had she been so much disposed to pardon his -interference in the views of his friend. - -But the gloom of Lydia's prospect was shortly cleared away; for she -received an invitation from Mrs. Forster, the wife of the colonel of -the regiment, to accompany her to Brighton. This invaluable friend was a -very young woman, and very lately married. A resemblance in good humour -and good spirits had recommended her and Lydia to each other, and out of -their _three_ months' acquaintance they had been intimate _two_. - -The rapture of Lydia on this occasion, her adoration of Mrs. Forster, -the delight of Mrs. Bennet, and the mortification of Kitty, are scarcely -to be described. Wholly inattentive to her sister's feelings, Lydia -flew about the house in restless ecstasy, calling for everyone's -congratulations, and laughing and talking with more violence than ever; -whilst the luckless Kitty continued in the parlour repined at her fate -in terms as unreasonable as her accent was peevish. - -“I cannot see why Mrs. Forster should not ask _me_ as well as Lydia,” - said she, “Though I am _not_ her particular friend. I have just as much -right to be asked as she has, and more too, for I am two years older.” - -In vain did Elizabeth attempt to make her reasonable, and Jane to make -her resigned. As for Elizabeth herself, this invitation was so far from -exciting in her the same feelings as in her mother and Lydia, that she -considered it as the death warrant of all possibility of common sense -for the latter; and detestable as such a step must make her were it -known, she could not help secretly advising her father not to let her -go. She represented to him all the improprieties of Lydia's general -behaviour, the little advantage she could derive from the friendship of -such a woman as Mrs. Forster, and the probability of her being yet more -imprudent with such a companion at Brighton, where the temptations must -be greater than at home. He heard her attentively, and then said: - -“Lydia will never be easy until she has exposed herself in some public -place or other, and we can never expect her to do it with so -little expense or inconvenience to her family as under the present -circumstances.” - -“If you were aware,” said Elizabeth, “of the very great disadvantage to -us all which must arise from the public notice of Lydia's unguarded and -imprudent manner--nay, which has already arisen from it, I am sure you -would judge differently in the affair.” - -“Already arisen?” repeated Mr. Bennet. “What, has she frightened away -some of your lovers? Poor little Lizzy! But do not be cast down. Such -squeamish youths as cannot bear to be connected with a little absurdity -are not worth a regret. Come, let me see the list of pitiful fellows who -have been kept aloof by Lydia's folly.” - -“Indeed you are mistaken. I have no such injuries to resent. It is not -of particular, but of general evils, which I am now complaining. Our -importance, our respectability in the world must be affected by the -wild volatility, the assurance and disdain of all restraint which mark -Lydia's character. Excuse me, for I must speak plainly. If you, my dear -father, will not take the trouble of checking her exuberant spirits, and -of teaching her that her present pursuits are not to be the business of -her life, she will soon be beyond the reach of amendment. Her character -will be fixed, and she will, at sixteen, be the most determined flirt -that ever made herself or her family ridiculous; a flirt, too, in the -worst and meanest degree of flirtation; without any attraction beyond -youth and a tolerable person; and, from the ignorance and emptiness -of her mind, wholly unable to ward off any portion of that universal -contempt which her rage for admiration will excite. In this danger -Kitty also is comprehended. She will follow wherever Lydia leads. Vain, -ignorant, idle, and absolutely uncontrolled! Oh! my dear father, can you -suppose it possible that they will not be censured and despised wherever -they are known, and that their sisters will not be often involved in the -disgrace?” - -Mr. Bennet saw that her whole heart was in the subject, and -affectionately taking her hand said in reply: - -“Do not make yourself uneasy, my love. Wherever you and Jane are known -you must be respected and valued; and you will not appear to less -advantage for having a couple of--or I may say, three--very silly -sisters. We shall have no peace at Longbourn if Lydia does not go to -Brighton. Let her go, then. Colonel Forster is a sensible man, and will -keep her out of any real mischief; and she is luckily too poor to be an -object of prey to anybody. At Brighton she will be of less importance -even as a common flirt than she has been here. The officers will find -women better worth their notice. Let us hope, therefore, that her being -there may teach her her own insignificance. At any rate, she cannot grow -many degrees worse, without authorising us to lock her up for the rest -of her life.” - -With this answer Elizabeth was forced to be content; but her own opinion -continued the same, and she left him disappointed and sorry. It was not -in her nature, however, to increase her vexations by dwelling on -them. She was confident of having performed her duty, and to fret -over unavoidable evils, or augment them by anxiety, was no part of her -disposition. - -Had Lydia and her mother known the substance of her conference with her -father, their indignation would hardly have found expression in their -united volubility. In Lydia's imagination, a visit to Brighton comprised -every possibility of earthly happiness. She saw, with the creative eye -of fancy, the streets of that gay bathing-place covered with officers. -She saw herself the object of attention, to tens and to scores of them -at present unknown. She saw all the glories of the camp--its tents -stretched forth in beauteous uniformity of lines, crowded with the young -and the gay, and dazzling with scarlet; and, to complete the view, she -saw herself seated beneath a tent, tenderly flirting with at least six -officers at once. - -Had she known her sister sought to tear her from such prospects and such -realities as these, what would have been her sensations? They could have -been understood only by her mother, who might have felt nearly the same. -Lydia's going to Brighton was all that consoled her for her melancholy -conviction of her husband's never intending to go there himself. - -But they were entirely ignorant of what had passed; and their raptures -continued, with little intermission, to the very day of Lydia's leaving -home. - -Elizabeth was now to see Mr. Wickham for the last time. Having been -frequently in company with him since her return, agitation was pretty -well over; the agitations of former partiality entirely so. She had even -learnt to detect, in the very gentleness which had first delighted -her, an affectation and a sameness to disgust and weary. In his present -behaviour to herself, moreover, she had a fresh source of displeasure, -for the inclination he soon testified of renewing those intentions which -had marked the early part of their acquaintance could only serve, after -what had since passed, to provoke her. She lost all concern for him in -finding herself thus selected as the object of such idle and frivolous -gallantry; and while she steadily repressed it, could not but feel the -reproof contained in his believing, that however long, and for whatever -cause, his attentions had been withdrawn, her vanity would be gratified, -and her preference secured at any time by their renewal. - -On the very last day of the regiment's remaining at Meryton, he dined, -with other of the officers, at Longbourn; and so little was Elizabeth -disposed to part from him in good humour, that on his making some -inquiry as to the manner in which her time had passed at Hunsford, she -mentioned Colonel Fitzwilliam's and Mr. Darcy's having both spent three -weeks at Rosings, and asked him, if he was acquainted with the former. - -He looked surprised, displeased, alarmed; but with a moment's -recollection and a returning smile, replied, that he had formerly seen -him often; and, after observing that he was a very gentlemanlike man, -asked her how she had liked him. Her answer was warmly in his favour. -With an air of indifference he soon afterwards added: - -“How long did you say he was at Rosings?” - -“Nearly three weeks.” - -“And you saw him frequently?” - -“Yes, almost every day.” - -“His manners are very different from his cousin's.” - -“Yes, very different. But I think Mr. Darcy improves upon acquaintance.” - -“Indeed!” cried Mr. Wickham with a look which did not escape her. “And -pray, may I ask?--” But checking himself, he added, in a gayer tone, “Is -it in address that he improves? Has he deigned to add aught of civility -to his ordinary style?--for I dare not hope,” he continued in a lower -and more serious tone, “that he is improved in essentials.” - -“Oh, no!” said Elizabeth. “In essentials, I believe, he is very much -what he ever was.” - -While she spoke, Wickham looked as if scarcely knowing whether to -rejoice over her words, or to distrust their meaning. There was a -something in her countenance which made him listen with an apprehensive -and anxious attention, while she added: - -“When I said that he improved on acquaintance, I did not mean that -his mind or his manners were in a state of improvement, but that, from -knowing him better, his disposition was better understood.” - -Wickham's alarm now appeared in a heightened complexion and agitated -look; for a few minutes he was silent, till, shaking off his -embarrassment, he turned to her again, and said in the gentlest of -accents: - -“You, who so well know my feeling towards Mr. Darcy, will readily -comprehend how sincerely I must rejoice that he is wise enough to assume -even the _appearance_ of what is right. His pride, in that direction, -may be of service, if not to himself, to many others, for it must only -deter him from such foul misconduct as I have suffered by. I only -fear that the sort of cautiousness to which you, I imagine, have been -alluding, is merely adopted on his visits to his aunt, of whose good -opinion and judgement he stands much in awe. His fear of her has always -operated, I know, when they were together; and a good deal is to be -imputed to his wish of forwarding the match with Miss de Bourgh, which I -am certain he has very much at heart.” - -Elizabeth could not repress a smile at this, but she answered only by a -slight inclination of the head. She saw that he wanted to engage her on -the old subject of his grievances, and she was in no humour to indulge -him. The rest of the evening passed with the _appearance_, on his -side, of usual cheerfulness, but with no further attempt to distinguish -Elizabeth; and they parted at last with mutual civility, and possibly a -mutual desire of never meeting again. - -When the party broke up, Lydia returned with Mrs. Forster to Meryton, -from whence they were to set out early the next morning. The separation -between her and her family was rather noisy than pathetic. Kitty was the -only one who shed tears; but she did weep from vexation and envy. Mrs. -Bennet was diffuse in her good wishes for the felicity of her daughter, -and impressive in her injunctions that she should not miss the -opportunity of enjoying herself as much as possible--advice which -there was every reason to believe would be well attended to; and in -the clamorous happiness of Lydia herself in bidding farewell, the more -gentle adieus of her sisters were uttered without being heard. - - - -Chapter 42 - - -Had Elizabeth's opinion been all drawn from her own family, she could -not have formed a very pleasing opinion of conjugal felicity or domestic -comfort. Her father, captivated by youth and beauty, and that appearance -of good humour which youth and beauty generally give, had married a -woman whose weak understanding and illiberal mind had very early in -their marriage put an end to all real affection for her. Respect, -esteem, and confidence had vanished for ever; and all his views -of domestic happiness were overthrown. But Mr. Bennet was not of -a disposition to seek comfort for the disappointment which his own -imprudence had brought on, in any of those pleasures which too often -console the unfortunate for their folly or their vice. He was fond of -the country and of books; and from these tastes had arisen his principal -enjoyments. To his wife he was very little otherwise indebted, than as -her ignorance and folly had contributed to his amusement. This is not -the sort of happiness which a man would in general wish to owe to his -wife; but where other powers of entertainment are wanting, the true -philosopher will derive benefit from such as are given. - -Elizabeth, however, had never been blind to the impropriety of her -father's behaviour as a husband. She had always seen it with pain; but -respecting his abilities, and grateful for his affectionate treatment of -herself, she endeavoured to forget what she could not overlook, and to -banish from her thoughts that continual breach of conjugal obligation -and decorum which, in exposing his wife to the contempt of her own -children, was so highly reprehensible. But she had never felt so -strongly as now the disadvantages which must attend the children of so -unsuitable a marriage, nor ever been so fully aware of the evils arising -from so ill-judged a direction of talents; talents, which, rightly used, -might at least have preserved the respectability of his daughters, even -if incapable of enlarging the mind of his wife. - -When Elizabeth had rejoiced over Wickham's departure she found little -other cause for satisfaction in the loss of the regiment. Their parties -abroad were less varied than before, and at home she had a mother and -sister whose constant repinings at the dullness of everything around -them threw a real gloom over their domestic circle; and, though Kitty -might in time regain her natural degree of sense, since the disturbers -of her brain were removed, her other sister, from whose disposition -greater evil might be apprehended, was likely to be hardened in all -her folly and assurance by a situation of such double danger as a -watering-place and a camp. Upon the whole, therefore, she found, what -has been sometimes found before, that an event to which she had been -looking with impatient desire did not, in taking place, bring all the -satisfaction she had promised herself. It was consequently necessary to -name some other period for the commencement of actual felicity--to have -some other point on which her wishes and hopes might be fixed, and by -again enjoying the pleasure of anticipation, console herself for the -present, and prepare for another disappointment. Her tour to the Lakes -was now the object of her happiest thoughts; it was her best consolation -for all the uncomfortable hours which the discontentedness of her mother -and Kitty made inevitable; and could she have included Jane in the -scheme, every part of it would have been perfect. - -“But it is fortunate,” thought she, “that I have something to wish for. -Were the whole arrangement complete, my disappointment would be certain. -But here, by carrying with me one ceaseless source of regret in my -sister's absence, I may reasonably hope to have all my expectations of -pleasure realised. A scheme of which every part promises delight can -never be successful; and general disappointment is only warded off by -the defence of some little peculiar vexation.” - -When Lydia went away she promised to write very often and very minutely -to her mother and Kitty; but her letters were always long expected, and -always very short. Those to her mother contained little else than that -they were just returned from the library, where such and such officers -had attended them, and where she had seen such beautiful ornaments as -made her quite wild; that she had a new gown, or a new parasol, which -she would have described more fully, but was obliged to leave off in a -violent hurry, as Mrs. Forster called her, and they were going off to -the camp; and from her correspondence with her sister, there was still -less to be learnt--for her letters to Kitty, though rather longer, were -much too full of lines under the words to be made public. - -After the first fortnight or three weeks of her absence, health, good -humour, and cheerfulness began to reappear at Longbourn. Everything wore -a happier aspect. The families who had been in town for the winter came -back again, and summer finery and summer engagements arose. Mrs. Bennet -was restored to her usual querulous serenity; and, by the middle of -June, Kitty was so much recovered as to be able to enter Meryton without -tears; an event of such happy promise as to make Elizabeth hope that by -the following Christmas she might be so tolerably reasonable as not to -mention an officer above once a day, unless, by some cruel and malicious -arrangement at the War Office, another regiment should be quartered in -Meryton. - -The time fixed for the beginning of their northern tour was now fast -approaching, and a fortnight only was wanting of it, when a letter -arrived from Mrs. Gardiner, which at once delayed its commencement and -curtailed its extent. Mr. Gardiner would be prevented by business from -setting out till a fortnight later in July, and must be in London again -within a month, and as that left too short a period for them to go so -far, and see so much as they had proposed, or at least to see it with -the leisure and comfort they had built on, they were obliged to give up -the Lakes, and substitute a more contracted tour, and, according to the -present plan, were to go no farther northwards than Derbyshire. In that -county there was enough to be seen to occupy the chief of their three -weeks; and to Mrs. Gardiner it had a peculiarly strong attraction. The -town where she had formerly passed some years of her life, and where -they were now to spend a few days, was probably as great an object of -her curiosity as all the celebrated beauties of Matlock, Chatsworth, -Dovedale, or the Peak. - -Elizabeth was excessively disappointed; she had set her heart on seeing -the Lakes, and still thought there might have been time enough. But it -was her business to be satisfied--and certainly her temper to be happy; -and all was soon right again. - -With the mention of Derbyshire there were many ideas connected. It was -impossible for her to see the word without thinking of Pemberley and its -owner. “But surely,” said she, “I may enter his county with impunity, -and rob it of a few petrified spars without his perceiving me.” - -The period of expectation was now doubled. Four weeks were to pass away -before her uncle and aunt's arrival. But they did pass away, and Mr. -and Mrs. Gardiner, with their four children, did at length appear at -Longbourn. The children, two girls of six and eight years old, and two -younger boys, were to be left under the particular care of their -cousin Jane, who was the general favourite, and whose steady sense and -sweetness of temper exactly adapted her for attending to them in every -way--teaching them, playing with them, and loving them. - -The Gardiners stayed only one night at Longbourn, and set off the -next morning with Elizabeth in pursuit of novelty and amusement. -One enjoyment was certain--that of suitableness of companions; -a suitableness which comprehended health and temper to bear -inconveniences--cheerfulness to enhance every pleasure--and affection -and intelligence, which might supply it among themselves if there were -disappointments abroad. - -It is not the object of this work to give a description of Derbyshire, -nor of any of the remarkable places through which their route thither -lay; Oxford, Blenheim, Warwick, Kenilworth, Birmingham, etc. are -sufficiently known. A small part of Derbyshire is all the present -concern. To the little town of Lambton, the scene of Mrs. Gardiner's -former residence, and where she had lately learned some acquaintance -still remained, they bent their steps, after having seen all the -principal wonders of the country; and within five miles of Lambton, -Elizabeth found from her aunt that Pemberley was situated. It was not -in their direct road, nor more than a mile or two out of it. In -talking over their route the evening before, Mrs. Gardiner expressed -an inclination to see the place again. Mr. Gardiner declared his -willingness, and Elizabeth was applied to for her approbation. - -“My love, should not you like to see a place of which you have heard -so much?” said her aunt; “a place, too, with which so many of your -acquaintances are connected. Wickham passed all his youth there, you -know.” - -Elizabeth was distressed. She felt that she had no business at -Pemberley, and was obliged to assume a disinclination for seeing it. She -must own that she was tired of seeing great houses; after going over so -many, she really had no pleasure in fine carpets or satin curtains. - -Mrs. Gardiner abused her stupidity. “If it were merely a fine house -richly furnished,” said she, “I should not care about it myself; but -the grounds are delightful. They have some of the finest woods in the -country.” - -Elizabeth said no more--but her mind could not acquiesce. The -possibility of meeting Mr. Darcy, while viewing the place, instantly -occurred. It would be dreadful! She blushed at the very idea, and -thought it would be better to speak openly to her aunt than to run such -a risk. But against this there were objections; and she finally resolved -that it could be the last resource, if her private inquiries to the -absence of the family were unfavourably answered. - -Accordingly, when she retired at night, she asked the chambermaid -whether Pemberley were not a very fine place? what was the name of its -proprietor? and, with no little alarm, whether the family were down for -the summer? A most welcome negative followed the last question--and her -alarms now being removed, she was at leisure to feel a great deal of -curiosity to see the house herself; and when the subject was revived the -next morning, and she was again applied to, could readily answer, and -with a proper air of indifference, that she had not really any dislike -to the scheme. To Pemberley, therefore, they were to go. - - - -Chapter 43 - - -Elizabeth, as they drove along, watched for the first appearance of -Pemberley Woods with some perturbation; and when at length they turned -in at the lodge, her spirits were in a high flutter. - -The park was very large, and contained great variety of ground. They -entered it in one of its lowest points, and drove for some time through -a beautiful wood stretching over a wide extent. - -Elizabeth's mind was too full for conversation, but she saw and admired -every remarkable spot and point of view. They gradually ascended for -half-a-mile, and then found themselves at the top of a considerable -eminence, where the wood ceased, and the eye was instantly caught by -Pemberley House, situated on the opposite side of a valley, into which -the road with some abruptness wound. It was a large, handsome stone -building, standing well on rising ground, and backed by a ridge of -high woody hills; and in front, a stream of some natural importance was -swelled into greater, but without any artificial appearance. Its banks -were neither formal nor falsely adorned. Elizabeth was delighted. She -had never seen a place for which nature had done more, or where natural -beauty had been so little counteracted by an awkward taste. They were -all of them warm in their admiration; and at that moment she felt that -to be mistress of Pemberley might be something! - -They descended the hill, crossed the bridge, and drove to the door; and, -while examining the nearer aspect of the house, all her apprehension of -meeting its owner returned. She dreaded lest the chambermaid had been -mistaken. On applying to see the place, they were admitted into the -hall; and Elizabeth, as they waited for the housekeeper, had leisure to -wonder at her being where she was. - -The housekeeper came; a respectable-looking elderly woman, much less -fine, and more civil, than she had any notion of finding her. They -followed her into the dining-parlour. It was a large, well proportioned -room, handsomely fitted up. Elizabeth, after slightly surveying it, went -to a window to enjoy its prospect. The hill, crowned with wood, which -they had descended, receiving increased abruptness from the distance, -was a beautiful object. Every disposition of the ground was good; and -she looked on the whole scene, the river, the trees scattered on its -banks and the winding of the valley, as far as she could trace it, -with delight. As they passed into other rooms these objects were taking -different positions; but from every window there were beauties to be -seen. The rooms were lofty and handsome, and their furniture suitable to -the fortune of its proprietor; but Elizabeth saw, with admiration of -his taste, that it was neither gaudy nor uselessly fine; with less of -splendour, and more real elegance, than the furniture of Rosings. - -“And of this place,” thought she, “I might have been mistress! With -these rooms I might now have been familiarly acquainted! Instead of -viewing them as a stranger, I might have rejoiced in them as my own, and -welcomed to them as visitors my uncle and aunt. But no,”--recollecting -herself--“that could never be; my uncle and aunt would have been lost to -me; I should not have been allowed to invite them.” - -This was a lucky recollection--it saved her from something very like -regret. - -She longed to inquire of the housekeeper whether her master was really -absent, but had not the courage for it. At length however, the question -was asked by her uncle; and she turned away with alarm, while Mrs. -Reynolds replied that he was, adding, “But we expect him to-morrow, with -a large party of friends.” How rejoiced was Elizabeth that their own -journey had not by any circumstance been delayed a day! - -Her aunt now called her to look at a picture. She approached and saw the -likeness of Mr. Wickham, suspended, amongst several other miniatures, -over the mantelpiece. Her aunt asked her, smilingly, how she liked it. -The housekeeper came forward, and told them it was a picture of a young -gentleman, the son of her late master's steward, who had been brought -up by him at his own expense. “He is now gone into the army,” she added; -“but I am afraid he has turned out very wild.” - -Mrs. Gardiner looked at her niece with a smile, but Elizabeth could not -return it. - -“And that,” said Mrs. Reynolds, pointing to another of the miniatures, -“is my master--and very like him. It was drawn at the same time as the -other--about eight years ago.” - -“I have heard much of your master's fine person,” said Mrs. Gardiner, -looking at the picture; “it is a handsome face. But, Lizzy, you can tell -us whether it is like or not.” - -Mrs. Reynolds respect for Elizabeth seemed to increase on this -intimation of her knowing her master. - -“Does that young lady know Mr. Darcy?” - -Elizabeth coloured, and said: “A little.” - -“And do not you think him a very handsome gentleman, ma'am?” - -“Yes, very handsome.” - -“I am sure I know none so handsome; but in the gallery up stairs you -will see a finer, larger picture of him than this. This room was my late -master's favourite room, and these miniatures are just as they used to -be then. He was very fond of them.” - -This accounted to Elizabeth for Mr. Wickham's being among them. - -Mrs. Reynolds then directed their attention to one of Miss Darcy, drawn -when she was only eight years old. - -“And is Miss Darcy as handsome as her brother?” said Mrs. Gardiner. - -“Oh! yes--the handsomest young lady that ever was seen; and so -accomplished!--She plays and sings all day long. In the next room is -a new instrument just come down for her--a present from my master; she -comes here to-morrow with him.” - -Mr. Gardiner, whose manners were very easy and pleasant, encouraged her -communicativeness by his questions and remarks; Mrs. Reynolds, either -by pride or attachment, had evidently great pleasure in talking of her -master and his sister. - -“Is your master much at Pemberley in the course of the year?” - -“Not so much as I could wish, sir; but I dare say he may spend half his -time here; and Miss Darcy is always down for the summer months.” - -“Except,” thought Elizabeth, “when she goes to Ramsgate.” - -“If your master would marry, you might see more of him.” - -“Yes, sir; but I do not know when _that_ will be. I do not know who is -good enough for him.” - -Mr. and Mrs. Gardiner smiled. Elizabeth could not help saying, “It is -very much to his credit, I am sure, that you should think so.” - -“I say no more than the truth, and everybody will say that knows him,” - replied the other. Elizabeth thought this was going pretty far; and she -listened with increasing astonishment as the housekeeper added, “I have -never known a cross word from him in my life, and I have known him ever -since he was four years old.” - -This was praise, of all others most extraordinary, most opposite to her -ideas. That he was not a good-tempered man had been her firmest opinion. -Her keenest attention was awakened; she longed to hear more, and was -grateful to her uncle for saying: - -“There are very few people of whom so much can be said. You are lucky in -having such a master.” - -“Yes, sir, I know I am. If I were to go through the world, I could -not meet with a better. But I have always observed, that they who are -good-natured when children, are good-natured when they grow up; and -he was always the sweetest-tempered, most generous-hearted boy in the -world.” - -Elizabeth almost stared at her. “Can this be Mr. Darcy?” thought she. - -“His father was an excellent man,” said Mrs. Gardiner. - -“Yes, ma'am, that he was indeed; and his son will be just like him--just -as affable to the poor.” - -Elizabeth listened, wondered, doubted, and was impatient for more. Mrs. -Reynolds could interest her on no other point. She related the subjects -of the pictures, the dimensions of the rooms, and the price of the -furniture, in vain. Mr. Gardiner, highly amused by the kind of family -prejudice to which he attributed her excessive commendation of her -master, soon led again to the subject; and she dwelt with energy on his -many merits as they proceeded together up the great staircase. - -“He is the best landlord, and the best master,” said she, “that ever -lived; not like the wild young men nowadays, who think of nothing but -themselves. There is not one of his tenants or servants but will give -him a good name. Some people call him proud; but I am sure I never saw -anything of it. To my fancy, it is only because he does not rattle away -like other young men.” - -“In what an amiable light does this place him!” thought Elizabeth. - -“This fine account of him,” whispered her aunt as they walked, “is not -quite consistent with his behaviour to our poor friend.” - -“Perhaps we might be deceived.” - -“That is not very likely; our authority was too good.” - -On reaching the spacious lobby above they were shown into a very pretty -sitting-room, lately fitted up with greater elegance and lightness than -the apartments below; and were informed that it was but just done to -give pleasure to Miss Darcy, who had taken a liking to the room when -last at Pemberley. - -“He is certainly a good brother,” said Elizabeth, as she walked towards -one of the windows. - -Mrs. Reynolds anticipated Miss Darcy's delight, when she should enter -the room. “And this is always the way with him,” she added. “Whatever -can give his sister any pleasure is sure to be done in a moment. There -is nothing he would not do for her.” - -The picture-gallery, and two or three of the principal bedrooms, were -all that remained to be shown. In the former were many good paintings; -but Elizabeth knew nothing of the art; and from such as had been already -visible below, she had willingly turned to look at some drawings of Miss -Darcy's, in crayons, whose subjects were usually more interesting, and -also more intelligible. - -In the gallery there were many family portraits, but they could have -little to fix the attention of a stranger. Elizabeth walked in quest of -the only face whose features would be known to her. At last it arrested -her--and she beheld a striking resemblance to Mr. Darcy, with such a -smile over the face as she remembered to have sometimes seen when he -looked at her. She stood several minutes before the picture, in earnest -contemplation, and returned to it again before they quitted the gallery. -Mrs. Reynolds informed them that it had been taken in his father's -lifetime. - -There was certainly at this moment, in Elizabeth's mind, a more gentle -sensation towards the original than she had ever felt at the height of -their acquaintance. The commendation bestowed on him by Mrs. Reynolds -was of no trifling nature. What praise is more valuable than the praise -of an intelligent servant? As a brother, a landlord, a master, she -considered how many people's happiness were in his guardianship!--how -much of pleasure or pain was it in his power to bestow!--how much of -good or evil must be done by him! Every idea that had been brought -forward by the housekeeper was favourable to his character, and as she -stood before the canvas on which he was represented, and fixed his -eyes upon herself, she thought of his regard with a deeper sentiment of -gratitude than it had ever raised before; she remembered its warmth, and -softened its impropriety of expression. - -When all of the house that was open to general inspection had been seen, -they returned downstairs, and, taking leave of the housekeeper, were -consigned over to the gardener, who met them at the hall-door. - -As they walked across the hall towards the river, Elizabeth turned back -to look again; her uncle and aunt stopped also, and while the former -was conjecturing as to the date of the building, the owner of it himself -suddenly came forward from the road, which led behind it to the stables. - -They were within twenty yards of each other, and so abrupt was his -appearance, that it was impossible to avoid his sight. Their eyes -instantly met, and the cheeks of both were overspread with the deepest -blush. He absolutely started, and for a moment seemed immovable from -surprise; but shortly recovering himself, advanced towards the party, -and spoke to Elizabeth, if not in terms of perfect composure, at least -of perfect civility. - -She had instinctively turned away; but stopping on his approach, -received his compliments with an embarrassment impossible to be -overcome. Had his first appearance, or his resemblance to the picture -they had just been examining, been insufficient to assure the other two -that they now saw Mr. Darcy, the gardener's expression of surprise, on -beholding his master, must immediately have told it. They stood a little -aloof while he was talking to their niece, who, astonished and confused, -scarcely dared lift her eyes to his face, and knew not what answer -she returned to his civil inquiries after her family. Amazed at the -alteration of his manner since they last parted, every sentence that -he uttered was increasing her embarrassment; and every idea of the -impropriety of her being found there recurring to her mind, the few -minutes in which they continued were some of the most uncomfortable in -her life. Nor did he seem much more at ease; when he spoke, his accent -had none of its usual sedateness; and he repeated his inquiries as -to the time of her having left Longbourn, and of her having stayed in -Derbyshire, so often, and in so hurried a way, as plainly spoke the -distraction of his thoughts. - -At length every idea seemed to fail him; and, after standing a few -moments without saying a word, he suddenly recollected himself, and took -leave. - -The others then joined her, and expressed admiration of his figure; but -Elizabeth heard not a word, and wholly engrossed by her own feelings, -followed them in silence. She was overpowered by shame and vexation. Her -coming there was the most unfortunate, the most ill-judged thing in the -world! How strange it must appear to him! In what a disgraceful light -might it not strike so vain a man! It might seem as if she had purposely -thrown herself in his way again! Oh! why did she come? Or, why did he -thus come a day before he was expected? Had they been only ten minutes -sooner, they should have been beyond the reach of his discrimination; -for it was plain that he was that moment arrived--that moment alighted -from his horse or his carriage. She blushed again and again over -the perverseness of the meeting. And his behaviour, so strikingly -altered--what could it mean? That he should even speak to her was -amazing!--but to speak with such civility, to inquire after her family! -Never in her life had she seen his manners so little dignified, never -had he spoken with such gentleness as on this unexpected meeting. What -a contrast did it offer to his last address in Rosings Park, when he put -his letter into her hand! She knew not what to think, or how to account -for it. - -They had now entered a beautiful walk by the side of the water, and -every step was bringing forward a nobler fall of ground, or a finer -reach of the woods to which they were approaching; but it was some time -before Elizabeth was sensible of any of it; and, though she answered -mechanically to the repeated appeals of her uncle and aunt, and -seemed to direct her eyes to such objects as they pointed out, she -distinguished no part of the scene. Her thoughts were all fixed on that -one spot of Pemberley House, whichever it might be, where Mr. Darcy then -was. She longed to know what at the moment was passing in his mind--in -what manner he thought of her, and whether, in defiance of everything, -she was still dear to him. Perhaps he had been civil only because he -felt himself at ease; yet there had been _that_ in his voice which was -not like ease. Whether he had felt more of pain or of pleasure in -seeing her she could not tell, but he certainly had not seen her with -composure. - -At length, however, the remarks of her companions on her absence of mind -aroused her, and she felt the necessity of appearing more like herself. - -They entered the woods, and bidding adieu to the river for a while, -ascended some of the higher grounds; when, in spots where the opening of -the trees gave the eye power to wander, were many charming views of the -valley, the opposite hills, with the long range of woods overspreading -many, and occasionally part of the stream. Mr. Gardiner expressed a wish -of going round the whole park, but feared it might be beyond a walk. -With a triumphant smile they were told that it was ten miles round. -It settled the matter; and they pursued the accustomed circuit; which -brought them again, after some time, in a descent among hanging woods, -to the edge of the water, and one of its narrowest parts. They crossed -it by a simple bridge, in character with the general air of the scene; -it was a spot less adorned than any they had yet visited; and the -valley, here contracted into a glen, allowed room only for the stream, -and a narrow walk amidst the rough coppice-wood which bordered it. -Elizabeth longed to explore its windings; but when they had crossed the -bridge, and perceived their distance from the house, Mrs. Gardiner, -who was not a great walker, could go no farther, and thought only -of returning to the carriage as quickly as possible. Her niece was, -therefore, obliged to submit, and they took their way towards the house -on the opposite side of the river, in the nearest direction; but their -progress was slow, for Mr. Gardiner, though seldom able to indulge the -taste, was very fond of fishing, and was so much engaged in watching the -occasional appearance of some trout in the water, and talking to the -man about them, that he advanced but little. Whilst wandering on in this -slow manner, they were again surprised, and Elizabeth's astonishment -was quite equal to what it had been at first, by the sight of Mr. Darcy -approaching them, and at no great distance. The walk being here -less sheltered than on the other side, allowed them to see him before -they met. Elizabeth, however astonished, was at least more prepared -for an interview than before, and resolved to appear and to speak with -calmness, if he really intended to meet them. For a few moments, indeed, -she felt that he would probably strike into some other path. The idea -lasted while a turning in the walk concealed him from their view; the -turning past, he was immediately before them. With a glance, she saw -that he had lost none of his recent civility; and, to imitate his -politeness, she began, as they met, to admire the beauty of the place; -but she had not got beyond the words “delightful,” and “charming,” when -some unlucky recollections obtruded, and she fancied that praise of -Pemberley from her might be mischievously construed. Her colour changed, -and she said no more. - -Mrs. Gardiner was standing a little behind; and on her pausing, he asked -her if she would do him the honour of introducing him to her friends. -This was a stroke of civility for which she was quite unprepared; -and she could hardly suppress a smile at his being now seeking the -acquaintance of some of those very people against whom his pride had -revolted in his offer to herself. “What will be his surprise,” thought -she, “when he knows who they are? He takes them now for people of -fashion.” - -The introduction, however, was immediately made; and as she named their -relationship to herself, she stole a sly look at him, to see how he bore -it, and was not without the expectation of his decamping as fast as he -could from such disgraceful companions. That he was _surprised_ by the -connection was evident; he sustained it, however, with fortitude, and -so far from going away, turned back with them, and entered into -conversation with Mr. Gardiner. Elizabeth could not but be pleased, -could not but triumph. It was consoling that he should know she had -some relations for whom there was no need to blush. She listened most -attentively to all that passed between them, and gloried in every -expression, every sentence of her uncle, which marked his intelligence, -his taste, or his good manners. - -The conversation soon turned upon fishing; and she heard Mr. Darcy -invite him, with the greatest civility, to fish there as often as he -chose while he continued in the neighbourhood, offering at the same time -to supply him with fishing tackle, and pointing out those parts of -the stream where there was usually most sport. Mrs. Gardiner, who was -walking arm-in-arm with Elizabeth, gave her a look expressive of wonder. -Elizabeth said nothing, but it gratified her exceedingly; the compliment -must be all for herself. Her astonishment, however, was extreme, and -continually was she repeating, “Why is he so altered? From what can -it proceed? It cannot be for _me_--it cannot be for _my_ sake that his -manners are thus softened. My reproofs at Hunsford could not work such a -change as this. It is impossible that he should still love me.” - -After walking some time in this way, the two ladies in front, the two -gentlemen behind, on resuming their places, after descending to -the brink of the river for the better inspection of some curious -water-plant, there chanced to be a little alteration. It originated -in Mrs. Gardiner, who, fatigued by the exercise of the morning, found -Elizabeth's arm inadequate to her support, and consequently preferred -her husband's. Mr. Darcy took her place by her niece, and they walked on -together. After a short silence, the lady first spoke. She wished him -to know that she had been assured of his absence before she came to the -place, and accordingly began by observing, that his arrival had been -very unexpected--“for your housekeeper,” she added, “informed us that -you would certainly not be here till to-morrow; and indeed, before we -left Bakewell, we understood that you were not immediately expected -in the country.” He acknowledged the truth of it all, and said that -business with his steward had occasioned his coming forward a few hours -before the rest of the party with whom he had been travelling. “They -will join me early to-morrow,” he continued, “and among them are some -who will claim an acquaintance with you--Mr. Bingley and his sisters.” - -Elizabeth answered only by a slight bow. Her thoughts were instantly -driven back to the time when Mr. Bingley's name had been the last -mentioned between them; and, if she might judge by his complexion, _his_ -mind was not very differently engaged. - -“There is also one other person in the party,” he continued after a -pause, “who more particularly wishes to be known to you. Will you allow -me, or do I ask too much, to introduce my sister to your acquaintance -during your stay at Lambton?” - -The surprise of such an application was great indeed; it was too great -for her to know in what manner she acceded to it. She immediately felt -that whatever desire Miss Darcy might have of being acquainted with her -must be the work of her brother, and, without looking farther, it was -satisfactory; it was gratifying to know that his resentment had not made -him think really ill of her. - -They now walked on in silence, each of them deep in thought. Elizabeth -was not comfortable; that was impossible; but she was flattered and -pleased. His wish of introducing his sister to her was a compliment of -the highest kind. They soon outstripped the others, and when they had -reached the carriage, Mr. and Mrs. Gardiner were half a quarter of a -mile behind. - -He then asked her to walk into the house--but she declared herself not -tired, and they stood together on the lawn. At such a time much might -have been said, and silence was very awkward. She wanted to talk, but -there seemed to be an embargo on every subject. At last she recollected -that she had been travelling, and they talked of Matlock and Dove Dale -with great perseverance. Yet time and her aunt moved slowly--and her -patience and her ideas were nearly worn out before the tete-a-tete was -over. On Mr. and Mrs. Gardiner's coming up they were all pressed to go -into the house and take some refreshment; but this was declined, and -they parted on each side with utmost politeness. Mr. Darcy handed the -ladies into the carriage; and when it drove off, Elizabeth saw him -walking slowly towards the house. - -The observations of her uncle and aunt now began; and each of them -pronounced him to be infinitely superior to anything they had expected. -“He is perfectly well behaved, polite, and unassuming,” said her uncle. - -“There _is_ something a little stately in him, to be sure,” replied her -aunt, “but it is confined to his air, and is not unbecoming. I can now -say with the housekeeper, that though some people may call him proud, I -have seen nothing of it.” - -“I was never more surprised than by his behaviour to us. It was more -than civil; it was really attentive; and there was no necessity for such -attention. His acquaintance with Elizabeth was very trifling.” - -“To be sure, Lizzy,” said her aunt, “he is not so handsome as Wickham; -or, rather, he has not Wickham's countenance, for his features -are perfectly good. But how came you to tell me that he was so -disagreeable?” - -Elizabeth excused herself as well as she could; said that she had liked -him better when they had met in Kent than before, and that she had never -seen him so pleasant as this morning. - -“But perhaps he may be a little whimsical in his civilities,” replied -her uncle. “Your great men often are; and therefore I shall not take him -at his word, as he might change his mind another day, and warn me off -his grounds.” - -Elizabeth felt that they had entirely misunderstood his character, but -said nothing. - -“From what we have seen of him,” continued Mrs. Gardiner, “I really -should not have thought that he could have behaved in so cruel a way by -anybody as he has done by poor Wickham. He has not an ill-natured look. -On the contrary, there is something pleasing about his mouth when he -speaks. And there is something of dignity in his countenance that would -not give one an unfavourable idea of his heart. But, to be sure, the -good lady who showed us his house did give him a most flaming character! -I could hardly help laughing aloud sometimes. But he is a liberal -master, I suppose, and _that_ in the eye of a servant comprehends every -virtue.” - -Elizabeth here felt herself called on to say something in vindication of -his behaviour to Wickham; and therefore gave them to understand, in -as guarded a manner as she could, that by what she had heard from -his relations in Kent, his actions were capable of a very different -construction; and that his character was by no means so faulty, nor -Wickham's so amiable, as they had been considered in Hertfordshire. In -confirmation of this, she related the particulars of all the pecuniary -transactions in which they had been connected, without actually naming -her authority, but stating it to be such as might be relied on. - -Mrs. Gardiner was surprised and concerned; but as they were now -approaching the scene of her former pleasures, every idea gave way to -the charm of recollection; and she was too much engaged in pointing out -to her husband all the interesting spots in its environs to think of -anything else. Fatigued as she had been by the morning's walk they -had no sooner dined than she set off again in quest of her former -acquaintance, and the evening was spent in the satisfactions of a -intercourse renewed after many years' discontinuance. - -The occurrences of the day were too full of interest to leave Elizabeth -much attention for any of these new friends; and she could do nothing -but think, and think with wonder, of Mr. Darcy's civility, and, above -all, of his wishing her to be acquainted with his sister. - - - -Chapter 44 - - -Elizabeth had settled it that Mr. Darcy would bring his sister to visit -her the very day after her reaching Pemberley; and was consequently -resolved not to be out of sight of the inn the whole of that morning. -But her conclusion was false; for on the very morning after their -arrival at Lambton, these visitors came. They had been walking about the -place with some of their new friends, and were just returning to the inn -to dress themselves for dining with the same family, when the sound of a -carriage drew them to a window, and they saw a gentleman and a lady in -a curricle driving up the street. Elizabeth immediately recognizing -the livery, guessed what it meant, and imparted no small degree of her -surprise to her relations by acquainting them with the honour which she -expected. Her uncle and aunt were all amazement; and the embarrassment -of her manner as she spoke, joined to the circumstance itself, and many -of the circumstances of the preceding day, opened to them a new idea on -the business. Nothing had ever suggested it before, but they felt that -there was no other way of accounting for such attentions from such a -quarter than by supposing a partiality for their niece. While these -newly-born notions were passing in their heads, the perturbation of -Elizabeth's feelings was at every moment increasing. She was quite -amazed at her own discomposure; but amongst other causes of disquiet, -she dreaded lest the partiality of the brother should have said too much -in her favour; and, more than commonly anxious to please, she naturally -suspected that every power of pleasing would fail her. - -She retreated from the window, fearful of being seen; and as she walked -up and down the room, endeavouring to compose herself, saw such looks of -inquiring surprise in her uncle and aunt as made everything worse. - -Miss Darcy and her brother appeared, and this formidable introduction -took place. With astonishment did Elizabeth see that her new -acquaintance was at least as much embarrassed as herself. Since her -being at Lambton, she had heard that Miss Darcy was exceedingly proud; -but the observation of a very few minutes convinced her that she was -only exceedingly shy. She found it difficult to obtain even a word from -her beyond a monosyllable. - -Miss Darcy was tall, and on a larger scale than Elizabeth; and, though -little more than sixteen, her figure was formed, and her appearance -womanly and graceful. She was less handsome than her brother; but there -was sense and good humour in her face, and her manners were perfectly -unassuming and gentle. Elizabeth, who had expected to find in her as -acute and unembarrassed an observer as ever Mr. Darcy had been, was much -relieved by discerning such different feelings. - -They had not long been together before Mr. Darcy told her that Bingley -was also coming to wait on her; and she had barely time to express her -satisfaction, and prepare for such a visitor, when Bingley's quick -step was heard on the stairs, and in a moment he entered the room. All -Elizabeth's anger against him had been long done away; but had she still -felt any, it could hardly have stood its ground against the unaffected -cordiality with which he expressed himself on seeing her again. He -inquired in a friendly, though general way, after her family, and looked -and spoke with the same good-humoured ease that he had ever done. - -To Mr. and Mrs. Gardiner he was scarcely a less interesting personage -than to herself. They had long wished to see him. The whole party before -them, indeed, excited a lively attention. The suspicions which had just -arisen of Mr. Darcy and their niece directed their observation towards -each with an earnest though guarded inquiry; and they soon drew from -those inquiries the full conviction that one of them at least knew -what it was to love. Of the lady's sensations they remained a little -in doubt; but that the gentleman was overflowing with admiration was -evident enough. - -Elizabeth, on her side, had much to do. She wanted to ascertain the -feelings of each of her visitors; she wanted to compose her own, and -to make herself agreeable to all; and in the latter object, where she -feared most to fail, she was most sure of success, for those to whom she -endeavoured to give pleasure were prepossessed in her favour. Bingley -was ready, Georgiana was eager, and Darcy determined, to be pleased. - -In seeing Bingley, her thoughts naturally flew to her sister; and, oh! -how ardently did she long to know whether any of his were directed in -a like manner. Sometimes she could fancy that he talked less than on -former occasions, and once or twice pleased herself with the notion -that, as he looked at her, he was trying to trace a resemblance. But, -though this might be imaginary, she could not be deceived as to his -behaviour to Miss Darcy, who had been set up as a rival to Jane. No look -appeared on either side that spoke particular regard. Nothing occurred -between them that could justify the hopes of his sister. On this point -she was soon satisfied; and two or three little circumstances occurred -ere they parted, which, in her anxious interpretation, denoted a -recollection of Jane not untinctured by tenderness, and a wish of saying -more that might lead to the mention of her, had he dared. He observed -to her, at a moment when the others were talking together, and in a tone -which had something of real regret, that it “was a very long time since -he had had the pleasure of seeing her;” and, before she could reply, -he added, “It is above eight months. We have not met since the 26th of -November, when we were all dancing together at Netherfield.” - -Elizabeth was pleased to find his memory so exact; and he afterwards -took occasion to ask her, when unattended to by any of the rest, whether -_all_ her sisters were at Longbourn. There was not much in the question, -nor in the preceding remark; but there was a look and a manner which -gave them meaning. - -It was not often that she could turn her eyes on Mr. Darcy himself; -but, whenever she did catch a glimpse, she saw an expression of general -complaisance, and in all that he said she heard an accent so removed -from _hauteur_ or disdain of his companions, as convinced her that -the improvement of manners which she had yesterday witnessed however -temporary its existence might prove, had at least outlived one day. When -she saw him thus seeking the acquaintance and courting the good opinion -of people with whom any intercourse a few months ago would have been a -disgrace--when she saw him thus civil, not only to herself, but to the -very relations whom he had openly disdained, and recollected their last -lively scene in Hunsford Parsonage--the difference, the change was -so great, and struck so forcibly on her mind, that she could hardly -restrain her astonishment from being visible. Never, even in the company -of his dear friends at Netherfield, or his dignified relations -at Rosings, had she seen him so desirous to please, so free from -self-consequence or unbending reserve, as now, when no importance -could result from the success of his endeavours, and when even the -acquaintance of those to whom his attentions were addressed would draw -down the ridicule and censure of the ladies both of Netherfield and -Rosings. - -Their visitors stayed with them above half-an-hour; and when they arose -to depart, Mr. Darcy called on his sister to join him in expressing -their wish of seeing Mr. and Mrs. Gardiner, and Miss Bennet, to dinner -at Pemberley, before they left the country. Miss Darcy, though with a -diffidence which marked her little in the habit of giving invitations, -readily obeyed. Mrs. Gardiner looked at her niece, desirous of knowing -how _she_, whom the invitation most concerned, felt disposed as to its -acceptance, but Elizabeth had turned away her head. Presuming however, -that this studied avoidance spoke rather a momentary embarrassment than -any dislike of the proposal, and seeing in her husband, who was fond of -society, a perfect willingness to accept it, she ventured to engage for -her attendance, and the day after the next was fixed on. - -Bingley expressed great pleasure in the certainty of seeing Elizabeth -again, having still a great deal to say to her, and many inquiries to -make after all their Hertfordshire friends. Elizabeth, construing all -this into a wish of hearing her speak of her sister, was pleased, and on -this account, as well as some others, found herself, when their -visitors left them, capable of considering the last half-hour with some -satisfaction, though while it was passing, the enjoyment of it had been -little. Eager to be alone, and fearful of inquiries or hints from her -uncle and aunt, she stayed with them only long enough to hear their -favourable opinion of Bingley, and then hurried away to dress. - -But she had no reason to fear Mr. and Mrs. Gardiner's curiosity; it was -not their wish to force her communication. It was evident that she was -much better acquainted with Mr. Darcy than they had before any idea of; -it was evident that he was very much in love with her. They saw much to -interest, but nothing to justify inquiry. - -Of Mr. Darcy it was now a matter of anxiety to think well; and, as far -as their acquaintance reached, there was no fault to find. They could -not be untouched by his politeness; and had they drawn his character -from their own feelings and his servant's report, without any reference -to any other account, the circle in Hertfordshire to which he was known -would not have recognized it for Mr. Darcy. There was now an interest, -however, in believing the housekeeper; and they soon became sensible -that the authority of a servant who had known him since he was four -years old, and whose own manners indicated respectability, was not to be -hastily rejected. Neither had anything occurred in the intelligence of -their Lambton friends that could materially lessen its weight. They had -nothing to accuse him of but pride; pride he probably had, and if not, -it would certainly be imputed by the inhabitants of a small market-town -where the family did not visit. It was acknowledged, however, that he -was a liberal man, and did much good among the poor. - -With respect to Wickham, the travellers soon found that he was not held -there in much estimation; for though the chief of his concerns with the -son of his patron were imperfectly understood, it was yet a well-known -fact that, on his quitting Derbyshire, he had left many debts behind -him, which Mr. Darcy afterwards discharged. - -As for Elizabeth, her thoughts were at Pemberley this evening more than -the last; and the evening, though as it passed it seemed long, was not -long enough to determine her feelings towards _one_ in that mansion; -and she lay awake two whole hours endeavouring to make them out. She -certainly did not hate him. No; hatred had vanished long ago, and she -had almost as long been ashamed of ever feeling a dislike against him, -that could be so called. The respect created by the conviction of his -valuable qualities, though at first unwillingly admitted, had for some -time ceased to be repugnant to her feeling; and it was now heightened -into somewhat of a friendlier nature, by the testimony so highly in -his favour, and bringing forward his disposition in so amiable a light, -which yesterday had produced. But above all, above respect and esteem, -there was a motive within her of goodwill which could not be overlooked. -It was gratitude; gratitude, not merely for having once loved her, -but for loving her still well enough to forgive all the petulance and -acrimony of her manner in rejecting him, and all the unjust accusations -accompanying her rejection. He who, she had been persuaded, would avoid -her as his greatest enemy, seemed, on this accidental meeting, most -eager to preserve the acquaintance, and without any indelicate display -of regard, or any peculiarity of manner, where their two selves only -were concerned, was soliciting the good opinion of her friends, and bent -on making her known to his sister. Such a change in a man of so much -pride exciting not only astonishment but gratitude--for to love, ardent -love, it must be attributed; and as such its impression on her was of a -sort to be encouraged, as by no means unpleasing, though it could not be -exactly defined. She respected, she esteemed, she was grateful to him, -she felt a real interest in his welfare; and she only wanted to know how -far she wished that welfare to depend upon herself, and how far it would -be for the happiness of both that she should employ the power, which her -fancy told her she still possessed, of bringing on her the renewal of -his addresses. - -It had been settled in the evening between the aunt and the niece, that -such a striking civility as Miss Darcy's in coming to see them on the -very day of her arrival at Pemberley, for she had reached it only to a -late breakfast, ought to be imitated, though it could not be equalled, -by some exertion of politeness on their side; and, consequently, that -it would be highly expedient to wait on her at Pemberley the following -morning. They were, therefore, to go. Elizabeth was pleased; though when -she asked herself the reason, she had very little to say in reply. - -Mr. Gardiner left them soon after breakfast. The fishing scheme had been -renewed the day before, and a positive engagement made of his meeting -some of the gentlemen at Pemberley before noon. - - - -Chapter 45 - - -Convinced as Elizabeth now was that Miss Bingley's dislike of her had -originated in jealousy, she could not help feeling how unwelcome her -appearance at Pemberley must be to her, and was curious to know with how -much civility on that lady's side the acquaintance would now be renewed. - -On reaching the house, they were shown through the hall into the saloon, -whose northern aspect rendered it delightful for summer. Its windows -opening to the ground, admitted a most refreshing view of the high woody -hills behind the house, and of the beautiful oaks and Spanish chestnuts -which were scattered over the intermediate lawn. - -In this house they were received by Miss Darcy, who was sitting there -with Mrs. Hurst and Miss Bingley, and the lady with whom she lived in -London. Georgiana's reception of them was very civil, but attended with -all the embarrassment which, though proceeding from shyness and the fear -of doing wrong, would easily give to those who felt themselves inferior -the belief of her being proud and reserved. Mrs. Gardiner and her niece, -however, did her justice, and pitied her. - -By Mrs. Hurst and Miss Bingley they were noticed only by a curtsey; and, -on their being seated, a pause, awkward as such pauses must always be, -succeeded for a few moments. It was first broken by Mrs. Annesley, a -genteel, agreeable-looking woman, whose endeavour to introduce some kind -of discourse proved her to be more truly well-bred than either of the -others; and between her and Mrs. Gardiner, with occasional help from -Elizabeth, the conversation was carried on. Miss Darcy looked as if she -wished for courage enough to join in it; and sometimes did venture a -short sentence when there was least danger of its being heard. - -Elizabeth soon saw that she was herself closely watched by Miss Bingley, -and that she could not speak a word, especially to Miss Darcy, without -calling her attention. This observation would not have prevented her -from trying to talk to the latter, had they not been seated at an -inconvenient distance; but she was not sorry to be spared the necessity -of saying much. Her own thoughts were employing her. She expected every -moment that some of the gentlemen would enter the room. She wished, she -feared that the master of the house might be amongst them; and whether -she wished or feared it most, she could scarcely determine. After -sitting in this manner a quarter of an hour without hearing Miss -Bingley's voice, Elizabeth was roused by receiving from her a cold -inquiry after the health of her family. She answered with equal -indifference and brevity, and the other said no more. - -The next variation which their visit afforded was produced by the -entrance of servants with cold meat, cake, and a variety of all the -finest fruits in season; but this did not take place till after many -a significant look and smile from Mrs. Annesley to Miss Darcy had been -given, to remind her of her post. There was now employment for the whole -party--for though they could not all talk, they could all eat; and the -beautiful pyramids of grapes, nectarines, and peaches soon collected -them round the table. - -While thus engaged, Elizabeth had a fair opportunity of deciding whether -she most feared or wished for the appearance of Mr. Darcy, by the -feelings which prevailed on his entering the room; and then, though but -a moment before she had believed her wishes to predominate, she began to -regret that he came. - -He had been some time with Mr. Gardiner, who, with two or three other -gentlemen from the house, was engaged by the river, and had left him -only on learning that the ladies of the family intended a visit to -Georgiana that morning. No sooner did he appear than Elizabeth wisely -resolved to be perfectly easy and unembarrassed; a resolution the more -necessary to be made, but perhaps not the more easily kept, because she -saw that the suspicions of the whole party were awakened against them, -and that there was scarcely an eye which did not watch his behaviour -when he first came into the room. In no countenance was attentive -curiosity so strongly marked as in Miss Bingley's, in spite of the -smiles which overspread her face whenever she spoke to one of its -objects; for jealousy had not yet made her desperate, and her attentions -to Mr. Darcy were by no means over. Miss Darcy, on her brother's -entrance, exerted herself much more to talk, and Elizabeth saw that he -was anxious for his sister and herself to get acquainted, and forwarded -as much as possible, every attempt at conversation on either side. Miss -Bingley saw all this likewise; and, in the imprudence of anger, took the -first opportunity of saying, with sneering civility: - -“Pray, Miss Eliza, are not the ----shire Militia removed from Meryton? -They must be a great loss to _your_ family.” - -In Darcy's presence she dared not mention Wickham's name; but Elizabeth -instantly comprehended that he was uppermost in her thoughts; and the -various recollections connected with him gave her a moment's distress; -but exerting herself vigorously to repel the ill-natured attack, she -presently answered the question in a tolerably detached tone. While -she spoke, an involuntary glance showed her Darcy, with a heightened -complexion, earnestly looking at her, and his sister overcome with -confusion, and unable to lift up her eyes. Had Miss Bingley known what -pain she was then giving her beloved friend, she undoubtedly would -have refrained from the hint; but she had merely intended to discompose -Elizabeth by bringing forward the idea of a man to whom she believed -her partial, to make her betray a sensibility which might injure her in -Darcy's opinion, and, perhaps, to remind the latter of all the follies -and absurdities by which some part of her family were connected -with that corps. Not a syllable had ever reached her of Miss Darcy's -meditated elopement. To no creature had it been revealed, where secrecy -was possible, except to Elizabeth; and from all Bingley's connections -her brother was particularly anxious to conceal it, from the very -wish which Elizabeth had long ago attributed to him, of their becoming -hereafter her own. He had certainly formed such a plan, and without -meaning that it should affect his endeavour to separate him from Miss -Bennet, it is probable that it might add something to his lively concern -for the welfare of his friend. - -Elizabeth's collected behaviour, however, soon quieted his emotion; and -as Miss Bingley, vexed and disappointed, dared not approach nearer to -Wickham, Georgiana also recovered in time, though not enough to be able -to speak any more. Her brother, whose eye she feared to meet, scarcely -recollected her interest in the affair, and the very circumstance which -had been designed to turn his thoughts from Elizabeth seemed to have -fixed them on her more and more cheerfully. - -Their visit did not continue long after the question and answer above -mentioned; and while Mr. Darcy was attending them to their carriage Miss -Bingley was venting her feelings in criticisms on Elizabeth's person, -behaviour, and dress. But Georgiana would not join her. Her brother's -recommendation was enough to ensure her favour; his judgement could not -err. And he had spoken in such terms of Elizabeth as to leave Georgiana -without the power of finding her otherwise than lovely and amiable. When -Darcy returned to the saloon, Miss Bingley could not help repeating to -him some part of what she had been saying to his sister. - -“How very ill Miss Eliza Bennet looks this morning, Mr. Darcy,” she -cried; “I never in my life saw anyone so much altered as she is since -the winter. She is grown so brown and coarse! Louisa and I were agreeing -that we should not have known her again.” - -However little Mr. Darcy might have liked such an address, he contented -himself with coolly replying that he perceived no other alteration than -her being rather tanned, no miraculous consequence of travelling in the -summer. - -“For my own part,” she rejoined, “I must confess that I never could -see any beauty in her. Her face is too thin; her complexion has no -brilliancy; and her features are not at all handsome. Her nose -wants character--there is nothing marked in its lines. Her teeth are -tolerable, but not out of the common way; and as for her eyes, -which have sometimes been called so fine, I could never see anything -extraordinary in them. They have a sharp, shrewish look, which I do -not like at all; and in her air altogether there is a self-sufficiency -without fashion, which is intolerable.” - -Persuaded as Miss Bingley was that Darcy admired Elizabeth, this was not -the best method of recommending herself; but angry people are not always -wise; and in seeing him at last look somewhat nettled, she had all the -success she expected. He was resolutely silent, however, and, from a -determination of making him speak, she continued: - -“I remember, when we first knew her in Hertfordshire, how amazed we all -were to find that she was a reputed beauty; and I particularly recollect -your saying one night, after they had been dining at Netherfield, '_She_ -a beauty!--I should as soon call her mother a wit.' But afterwards she -seemed to improve on you, and I believe you thought her rather pretty at -one time.” - -“Yes,” replied Darcy, who could contain himself no longer, “but _that_ -was only when I first saw her, for it is many months since I have -considered her as one of the handsomest women of my acquaintance.” - -He then went away, and Miss Bingley was left to all the satisfaction of -having forced him to say what gave no one any pain but herself. - -Mrs. Gardiner and Elizabeth talked of all that had occurred during their -visit, as they returned, except what had particularly interested them -both. The look and behaviour of everybody they had seen were discussed, -except of the person who had mostly engaged their attention. They talked -of his sister, his friends, his house, his fruit--of everything but -himself; yet Elizabeth was longing to know what Mrs. Gardiner thought of -him, and Mrs. Gardiner would have been highly gratified by her niece's -beginning the subject. - - - -Chapter 46 - - -Elizabeth had been a good deal disappointed in not finding a letter from -Jane on their first arrival at Lambton; and this disappointment had been -renewed on each of the mornings that had now been spent there; but -on the third her repining was over, and her sister justified, by the -receipt of two letters from her at once, on one of which was marked that -it had been missent elsewhere. Elizabeth was not surprised at it, as -Jane had written the direction remarkably ill. - -They had just been preparing to walk as the letters came in; and -her uncle and aunt, leaving her to enjoy them in quiet, set off by -themselves. The one missent must first be attended to; it had been -written five days ago. The beginning contained an account of all their -little parties and engagements, with such news as the country afforded; -but the latter half, which was dated a day later, and written in evident -agitation, gave more important intelligence. It was to this effect: - -“Since writing the above, dearest Lizzy, something has occurred of a -most unexpected and serious nature; but I am afraid of alarming you--be -assured that we are all well. What I have to say relates to poor Lydia. -An express came at twelve last night, just as we were all gone to bed, -from Colonel Forster, to inform us that she was gone off to Scotland -with one of his officers; to own the truth, with Wickham! Imagine our -surprise. To Kitty, however, it does not seem so wholly unexpected. I am -very, very sorry. So imprudent a match on both sides! But I am willing -to hope the best, and that his character has been misunderstood. -Thoughtless and indiscreet I can easily believe him, but this step -(and let us rejoice over it) marks nothing bad at heart. His choice is -disinterested at least, for he must know my father can give her nothing. -Our poor mother is sadly grieved. My father bears it better. How -thankful am I that we never let them know what has been said against -him; we must forget it ourselves. They were off Saturday night about -twelve, as is conjectured, but were not missed till yesterday morning at -eight. The express was sent off directly. My dear Lizzy, they must have -passed within ten miles of us. Colonel Forster gives us reason to expect -him here soon. Lydia left a few lines for his wife, informing her of -their intention. I must conclude, for I cannot be long from my poor -mother. I am afraid you will not be able to make it out, but I hardly -know what I have written.” - -Without allowing herself time for consideration, and scarcely knowing -what she felt, Elizabeth on finishing this letter instantly seized the -other, and opening it with the utmost impatience, read as follows: it -had been written a day later than the conclusion of the first. - -“By this time, my dearest sister, you have received my hurried letter; I -wish this may be more intelligible, but though not confined for time, my -head is so bewildered that I cannot answer for being coherent. Dearest -Lizzy, I hardly know what I would write, but I have bad news for you, -and it cannot be delayed. Imprudent as the marriage between Mr. Wickham -and our poor Lydia would be, we are now anxious to be assured it has -taken place, for there is but too much reason to fear they are not gone -to Scotland. Colonel Forster came yesterday, having left Brighton the -day before, not many hours after the express. Though Lydia's short -letter to Mrs. F. gave them to understand that they were going to Gretna -Green, something was dropped by Denny expressing his belief that W. -never intended to go there, or to marry Lydia at all, which was -repeated to Colonel F., who, instantly taking the alarm, set off from B. -intending to trace their route. He did trace them easily to Clapham, -but no further; for on entering that place, they removed into a hackney -coach, and dismissed the chaise that brought them from Epsom. All that -is known after this is, that they were seen to continue the London road. -I know not what to think. After making every possible inquiry on that -side London, Colonel F. came on into Hertfordshire, anxiously renewing -them at all the turnpikes, and at the inns in Barnet and Hatfield, but -without any success--no such people had been seen to pass through. With -the kindest concern he came on to Longbourn, and broke his apprehensions -to us in a manner most creditable to his heart. I am sincerely grieved -for him and Mrs. F., but no one can throw any blame on them. Our -distress, my dear Lizzy, is very great. My father and mother believe the -worst, but I cannot think so ill of him. Many circumstances might make -it more eligible for them to be married privately in town than to pursue -their first plan; and even if _he_ could form such a design against a -young woman of Lydia's connections, which is not likely, can I suppose -her so lost to everything? Impossible! I grieve to find, however, that -Colonel F. is not disposed to depend upon their marriage; he shook his -head when I expressed my hopes, and said he feared W. was not a man to -be trusted. My poor mother is really ill, and keeps her room. Could she -exert herself, it would be better; but this is not to be expected. And -as to my father, I never in my life saw him so affected. Poor Kitty has -anger for having concealed their attachment; but as it was a matter of -confidence, one cannot wonder. I am truly glad, dearest Lizzy, that you -have been spared something of these distressing scenes; but now, as the -first shock is over, shall I own that I long for your return? I am not -so selfish, however, as to press for it, if inconvenient. Adieu! I -take up my pen again to do what I have just told you I would not; but -circumstances are such that I cannot help earnestly begging you all to -come here as soon as possible. I know my dear uncle and aunt so well, -that I am not afraid of requesting it, though I have still something -more to ask of the former. My father is going to London with Colonel -Forster instantly, to try to discover her. What he means to do I am sure -I know not; but his excessive distress will not allow him to pursue any -measure in the best and safest way, and Colonel Forster is obliged to -be at Brighton again to-morrow evening. In such an exigence, my -uncle's advice and assistance would be everything in the world; he will -immediately comprehend what I must feel, and I rely upon his goodness.” - -“Oh! where, where is my uncle?” cried Elizabeth, darting from her seat -as she finished the letter, in eagerness to follow him, without losing -a moment of the time so precious; but as she reached the door it was -opened by a servant, and Mr. Darcy appeared. Her pale face and impetuous -manner made him start, and before he could recover himself to speak, -she, in whose mind every idea was superseded by Lydia's situation, -hastily exclaimed, “I beg your pardon, but I must leave you. I must find -Mr. Gardiner this moment, on business that cannot be delayed; I have not -an instant to lose.” - -“Good God! what is the matter?” cried he, with more feeling than -politeness; then recollecting himself, “I will not detain you a minute; -but let me, or let the servant go after Mr. and Mrs. Gardiner. You are -not well enough; you cannot go yourself.” - -Elizabeth hesitated, but her knees trembled under her and she felt how -little would be gained by her attempting to pursue them. Calling back -the servant, therefore, she commissioned him, though in so breathless -an accent as made her almost unintelligible, to fetch his master and -mistress home instantly. - -On his quitting the room she sat down, unable to support herself, and -looking so miserably ill, that it was impossible for Darcy to leave her, -or to refrain from saying, in a tone of gentleness and commiseration, -“Let me call your maid. Is there nothing you could take to give you -present relief? A glass of wine; shall I get you one? You are very ill.” - -“No, I thank you,” she replied, endeavouring to recover herself. “There -is nothing the matter with me. I am quite well; I am only distressed by -some dreadful news which I have just received from Longbourn.” - -She burst into tears as she alluded to it, and for a few minutes could -not speak another word. Darcy, in wretched suspense, could only say -something indistinctly of his concern, and observe her in compassionate -silence. At length she spoke again. “I have just had a letter from Jane, -with such dreadful news. It cannot be concealed from anyone. My younger -sister has left all her friends--has eloped; has thrown herself into -the power of--of Mr. Wickham. They are gone off together from Brighton. -_You_ know him too well to doubt the rest. She has no money, no -connections, nothing that can tempt him to--she is lost for ever.” - -Darcy was fixed in astonishment. “When I consider,” she added in a yet -more agitated voice, “that I might have prevented it! I, who knew what -he was. Had I but explained some part of it only--some part of what I -learnt, to my own family! Had his character been known, this could not -have happened. But it is all--all too late now.” - -“I am grieved indeed,” cried Darcy; “grieved--shocked. But is it -certain--absolutely certain?” - -“Oh, yes! They left Brighton together on Sunday night, and were traced -almost to London, but not beyond; they are certainly not gone to -Scotland.” - -“And what has been done, what has been attempted, to recover her?” - -“My father is gone to London, and Jane has written to beg my uncle's -immediate assistance; and we shall be off, I hope, in half-an-hour. But -nothing can be done--I know very well that nothing can be done. How is -such a man to be worked on? How are they even to be discovered? I have -not the smallest hope. It is every way horrible!” - -Darcy shook his head in silent acquiescence. - -“When _my_ eyes were opened to his real character--Oh! had I known what -I ought, what I dared to do! But I knew not--I was afraid of doing too -much. Wretched, wretched mistake!” - -Darcy made no answer. He seemed scarcely to hear her, and was walking -up and down the room in earnest meditation, his brow contracted, his air -gloomy. Elizabeth soon observed, and instantly understood it. Her -power was sinking; everything _must_ sink under such a proof of family -weakness, such an assurance of the deepest disgrace. She could neither -wonder nor condemn, but the belief of his self-conquest brought nothing -consolatory to her bosom, afforded no palliation of her distress. It -was, on the contrary, exactly calculated to make her understand her own -wishes; and never had she so honestly felt that she could have loved -him, as now, when all love must be vain. - -But self, though it would intrude, could not engross her. Lydia--the -humiliation, the misery she was bringing on them all, soon swallowed -up every private care; and covering her face with her handkerchief, -Elizabeth was soon lost to everything else; and, after a pause of -several minutes, was only recalled to a sense of her situation by -the voice of her companion, who, in a manner which, though it spoke -compassion, spoke likewise restraint, said, “I am afraid you have been -long desiring my absence, nor have I anything to plead in excuse of my -stay, but real, though unavailing concern. Would to Heaven that anything -could be either said or done on my part that might offer consolation to -such distress! But I will not torment you with vain wishes, which may -seem purposely to ask for your thanks. This unfortunate affair will, I -fear, prevent my sister's having the pleasure of seeing you at Pemberley -to-day.” - -“Oh, yes. Be so kind as to apologise for us to Miss Darcy. Say that -urgent business calls us home immediately. Conceal the unhappy truth as -long as it is possible, I know it cannot be long.” - -He readily assured her of his secrecy; again expressed his sorrow for -her distress, wished it a happier conclusion than there was at present -reason to hope, and leaving his compliments for her relations, with only -one serious, parting look, went away. - -As he quitted the room, Elizabeth felt how improbable it was that they -should ever see each other again on such terms of cordiality as -had marked their several meetings in Derbyshire; and as she threw a -retrospective glance over the whole of their acquaintance, so full -of contradictions and varieties, sighed at the perverseness of those -feelings which would now have promoted its continuance, and would -formerly have rejoiced in its termination. - -If gratitude and esteem are good foundations of affection, Elizabeth's -change of sentiment will be neither improbable nor faulty. But if -otherwise--if regard springing from such sources is unreasonable or -unnatural, in comparison of what is so often described as arising on -a first interview with its object, and even before two words have been -exchanged, nothing can be said in her defence, except that she had given -somewhat of a trial to the latter method in her partiality for Wickham, -and that its ill success might, perhaps, authorise her to seek the other -less interesting mode of attachment. Be that as it may, she saw him -go with regret; and in this early example of what Lydia's infamy must -produce, found additional anguish as she reflected on that wretched -business. Never, since reading Jane's second letter, had she entertained -a hope of Wickham's meaning to marry her. No one but Jane, she thought, -could flatter herself with such an expectation. Surprise was the least -of her feelings on this development. While the contents of the first -letter remained in her mind, she was all surprise--all astonishment that -Wickham should marry a girl whom it was impossible he could marry -for money; and how Lydia could ever have attached him had appeared -incomprehensible. But now it was all too natural. For such an attachment -as this she might have sufficient charms; and though she did not suppose -Lydia to be deliberately engaging in an elopement without the intention -of marriage, she had no difficulty in believing that neither her virtue -nor her understanding would preserve her from falling an easy prey. - -She had never perceived, while the regiment was in Hertfordshire, that -Lydia had any partiality for him; but she was convinced that Lydia -wanted only encouragement to attach herself to anybody. Sometimes one -officer, sometimes another, had been her favourite, as their attentions -raised them in her opinion. Her affections had continually been -fluctuating but never without an object. The mischief of neglect and -mistaken indulgence towards such a girl--oh! how acutely did she now -feel it! - -She was wild to be at home--to hear, to see, to be upon the spot to -share with Jane in the cares that must now fall wholly upon her, in a -family so deranged, a father absent, a mother incapable of exertion, and -requiring constant attendance; and though almost persuaded that nothing -could be done for Lydia, her uncle's interference seemed of the utmost -importance, and till he entered the room her impatience was severe. Mr. -and Mrs. Gardiner had hurried back in alarm, supposing by the servant's -account that their niece was taken suddenly ill; but satisfying them -instantly on that head, she eagerly communicated the cause of their -summons, reading the two letters aloud, and dwelling on the postscript -of the last with trembling energy.--Though Lydia had never been a -favourite with them, Mr. and Mrs. Gardiner could not but be deeply -afflicted. Not Lydia only, but all were concerned in it; and after the -first exclamations of surprise and horror, Mr. Gardiner promised every -assistance in his power. Elizabeth, though expecting no less, thanked -him with tears of gratitude; and all three being actuated by one spirit, -everything relating to their journey was speedily settled. They were to -be off as soon as possible. “But what is to be done about Pemberley?” - cried Mrs. Gardiner. “John told us Mr. Darcy was here when you sent for -us; was it so?” - -“Yes; and I told him we should not be able to keep our engagement. -_That_ is all settled.” - -“What is all settled?” repeated the other, as she ran into her room to -prepare. “And are they upon such terms as for her to disclose the real -truth? Oh, that I knew how it was!” - -But wishes were vain, or at least could only serve to amuse her in the -hurry and confusion of the following hour. Had Elizabeth been at leisure -to be idle, she would have remained certain that all employment was -impossible to one so wretched as herself; but she had her share of -business as well as her aunt, and amongst the rest there were notes to -be written to all their friends at Lambton, with false excuses for their -sudden departure. An hour, however, saw the whole completed; and Mr. -Gardiner meanwhile having settled his account at the inn, nothing -remained to be done but to go; and Elizabeth, after all the misery of -the morning, found herself, in a shorter space of time than she could -have supposed, seated in the carriage, and on the road to Longbourn. - - - -Chapter 47 - - -“I have been thinking it over again, Elizabeth,” said her uncle, as they -drove from the town; “and really, upon serious consideration, I am much -more inclined than I was to judge as your eldest sister does on the -matter. It appears to me so very unlikely that any young man should -form such a design against a girl who is by no means unprotected or -friendless, and who was actually staying in his colonel's family, that I -am strongly inclined to hope the best. Could he expect that her friends -would not step forward? Could he expect to be noticed again by the -regiment, after such an affront to Colonel Forster? His temptation is -not adequate to the risk!” - -“Do you really think so?” cried Elizabeth, brightening up for a moment. - -“Upon my word,” said Mrs. Gardiner, “I begin to be of your uncle's -opinion. It is really too great a violation of decency, honour, and -interest, for him to be guilty of. I cannot think so very ill of -Wickham. Can you yourself, Lizzy, so wholly give him up, as to believe -him capable of it?” - -“Not, perhaps, of neglecting his own interest; but of every other -neglect I can believe him capable. If, indeed, it should be so! But I -dare not hope it. Why should they not go on to Scotland if that had been -the case?” - -“In the first place,” replied Mr. Gardiner, “there is no absolute proof -that they are not gone to Scotland.” - -“Oh! but their removing from the chaise into a hackney coach is such -a presumption! And, besides, no traces of them were to be found on the -Barnet road.” - -“Well, then--supposing them to be in London. They may be there, though -for the purpose of concealment, for no more exceptional purpose. It is -not likely that money should be very abundant on either side; and it -might strike them that they could be more economically, though less -expeditiously, married in London than in Scotland.” - -“But why all this secrecy? Why any fear of detection? Why must their -marriage be private? Oh, no, no--this is not likely. His most particular -friend, you see by Jane's account, was persuaded of his never intending -to marry her. Wickham will never marry a woman without some money. He -cannot afford it. And what claims has Lydia--what attraction has she -beyond youth, health, and good humour that could make him, for her sake, -forego every chance of benefiting himself by marrying well? As to what -restraint the apprehensions of disgrace in the corps might throw on a -dishonourable elopement with her, I am not able to judge; for I know -nothing of the effects that such a step might produce. But as to your -other objection, I am afraid it will hardly hold good. Lydia has -no brothers to step forward; and he might imagine, from my father's -behaviour, from his indolence and the little attention he has ever -seemed to give to what was going forward in his family, that _he_ would -do as little, and think as little about it, as any father could do, in -such a matter.” - -“But can you think that Lydia is so lost to everything but love of him -as to consent to live with him on any terms other than marriage?” - -“It does seem, and it is most shocking indeed,” replied Elizabeth, with -tears in her eyes, “that a sister's sense of decency and virtue in such -a point should admit of doubt. But, really, I know not what to say. -Perhaps I am not doing her justice. But she is very young; she has never -been taught to think on serious subjects; and for the last half-year, -nay, for a twelvemonth--she has been given up to nothing but amusement -and vanity. She has been allowed to dispose of her time in the most idle -and frivolous manner, and to adopt any opinions that came in her way. -Since the ----shire were first quartered in Meryton, nothing but love, -flirtation, and officers have been in her head. She has been doing -everything in her power by thinking and talking on the subject, to give -greater--what shall I call it? susceptibility to her feelings; which are -naturally lively enough. And we all know that Wickham has every charm of -person and address that can captivate a woman.” - -“But you see that Jane,” said her aunt, “does not think so very ill of -Wickham as to believe him capable of the attempt.” - -“Of whom does Jane ever think ill? And who is there, whatever might be -their former conduct, that she would think capable of such an attempt, -till it were proved against them? But Jane knows, as well as I do, what -Wickham really is. We both know that he has been profligate in every -sense of the word; that he has neither integrity nor honour; that he is -as false and deceitful as he is insinuating.” - -“And do you really know all this?” cried Mrs. Gardiner, whose curiosity -as to the mode of her intelligence was all alive. - -“I do indeed,” replied Elizabeth, colouring. “I told you, the other day, -of his infamous behaviour to Mr. Darcy; and you yourself, when last at -Longbourn, heard in what manner he spoke of the man who had behaved -with such forbearance and liberality towards him. And there are other -circumstances which I am not at liberty--which it is not worth while to -relate; but his lies about the whole Pemberley family are endless. From -what he said of Miss Darcy I was thoroughly prepared to see a proud, -reserved, disagreeable girl. Yet he knew to the contrary himself. He -must know that she was as amiable and unpretending as we have found -her.” - -“But does Lydia know nothing of this? can she be ignorant of what you -and Jane seem so well to understand?” - -“Oh, yes!--that, that is the worst of all. Till I was in Kent, and saw -so much both of Mr. Darcy and his relation Colonel Fitzwilliam, I was -ignorant of the truth myself. And when I returned home, the ----shire -was to leave Meryton in a week or fortnight's time. As that was the -case, neither Jane, to whom I related the whole, nor I, thought it -necessary to make our knowledge public; for of what use could -it apparently be to any one, that the good opinion which all the -neighbourhood had of him should then be overthrown? And even when it was -settled that Lydia should go with Mrs. Forster, the necessity of opening -her eyes to his character never occurred to me. That _she_ could be -in any danger from the deception never entered my head. That such a -consequence as _this_ could ensue, you may easily believe, was far -enough from my thoughts.” - -“When they all removed to Brighton, therefore, you had no reason, I -suppose, to believe them fond of each other?” - -“Not the slightest. I can remember no symptom of affection on either -side; and had anything of the kind been perceptible, you must be aware -that ours is not a family on which it could be thrown away. When first -he entered the corps, she was ready enough to admire him; but so we all -were. Every girl in or near Meryton was out of her senses about him for -the first two months; but he never distinguished _her_ by any particular -attention; and, consequently, after a moderate period of extravagant and -wild admiration, her fancy for him gave way, and others of the regiment, -who treated her with more distinction, again became her favourites.” - - * * * * * - -It may be easily believed, that however little of novelty could be added -to their fears, hopes, and conjectures, on this interesting subject, by -its repeated discussion, no other could detain them from it long, during -the whole of the journey. From Elizabeth's thoughts it was never absent. -Fixed there by the keenest of all anguish, self-reproach, she could find -no interval of ease or forgetfulness. - -They travelled as expeditiously as possible, and, sleeping one night -on the road, reached Longbourn by dinner time the next day. It was a -comfort to Elizabeth to consider that Jane could not have been wearied -by long expectations. - -The little Gardiners, attracted by the sight of a chaise, were standing -on the steps of the house as they entered the paddock; and, when the -carriage drove up to the door, the joyful surprise that lighted up their -faces, and displayed itself over their whole bodies, in a variety of -capers and frisks, was the first pleasing earnest of their welcome. - -Elizabeth jumped out; and, after giving each of them a hasty kiss, -hurried into the vestibule, where Jane, who came running down from her -mother's apartment, immediately met her. - -Elizabeth, as she affectionately embraced her, whilst tears filled the -eyes of both, lost not a moment in asking whether anything had been -heard of the fugitives. - -“Not yet,” replied Jane. “But now that my dear uncle is come, I hope -everything will be well.” - -“Is my father in town?” - -“Yes, he went on Tuesday, as I wrote you word.” - -“And have you heard from him often?” - -“We have heard only twice. He wrote me a few lines on Wednesday to say -that he had arrived in safety, and to give me his directions, which I -particularly begged him to do. He merely added that he should not write -again till he had something of importance to mention.” - -“And my mother--how is she? How are you all?” - -“My mother is tolerably well, I trust; though her spirits are greatly -shaken. She is up stairs and will have great satisfaction in seeing you -all. She does not yet leave her dressing-room. Mary and Kitty, thank -Heaven, are quite well.” - -“But you--how are you?” cried Elizabeth. “You look pale. How much you -must have gone through!” - -Her sister, however, assured her of her being perfectly well; and their -conversation, which had been passing while Mr. and Mrs. Gardiner were -engaged with their children, was now put an end to by the approach -of the whole party. Jane ran to her uncle and aunt, and welcomed and -thanked them both, with alternate smiles and tears. - -When they were all in the drawing-room, the questions which Elizabeth -had already asked were of course repeated by the others, and they soon -found that Jane had no intelligence to give. The sanguine hope of -good, however, which the benevolence of her heart suggested had not yet -deserted her; she still expected that it would all end well, and that -every morning would bring some letter, either from Lydia or her father, -to explain their proceedings, and, perhaps, announce their marriage. - -Mrs. Bennet, to whose apartment they all repaired, after a few minutes' -conversation together, received them exactly as might be expected; with -tears and lamentations of regret, invectives against the villainous -conduct of Wickham, and complaints of her own sufferings and ill-usage; -blaming everybody but the person to whose ill-judging indulgence the -errors of her daughter must principally be owing. - -“If I had been able,” said she, “to carry my point in going to Brighton, -with all my family, _this_ would not have happened; but poor dear Lydia -had nobody to take care of her. Why did the Forsters ever let her go out -of their sight? I am sure there was some great neglect or other on their -side, for she is not the kind of girl to do such a thing if she had been -well looked after. I always thought they were very unfit to have the -charge of her; but I was overruled, as I always am. Poor dear child! -And now here's Mr. Bennet gone away, and I know he will fight Wickham, -wherever he meets him and then he will be killed, and what is to become -of us all? The Collinses will turn us out before he is cold in his -grave, and if you are not kind to us, brother, I do not know what we -shall do.” - -They all exclaimed against such terrific ideas; and Mr. Gardiner, after -general assurances of his affection for her and all her family, told her -that he meant to be in London the very next day, and would assist Mr. -Bennet in every endeavour for recovering Lydia. - -“Do not give way to useless alarm,” added he; “though it is right to be -prepared for the worst, there is no occasion to look on it as certain. -It is not quite a week since they left Brighton. In a few days more we -may gain some news of them; and till we know that they are not married, -and have no design of marrying, do not let us give the matter over as -lost. As soon as I get to town I shall go to my brother, and make -him come home with me to Gracechurch Street; and then we may consult -together as to what is to be done.” - -“Oh! my dear brother,” replied Mrs. Bennet, “that is exactly what I -could most wish for. And now do, when you get to town, find them out, -wherever they may be; and if they are not married already, _make_ them -marry. And as for wedding clothes, do not let them wait for that, but -tell Lydia she shall have as much money as she chooses to buy them, -after they are married. And, above all, keep Mr. Bennet from fighting. -Tell him what a dreadful state I am in, that I am frighted out of my -wits--and have such tremblings, such flutterings, all over me--such -spasms in my side and pains in my head, and such beatings at heart, that -I can get no rest by night nor by day. And tell my dear Lydia not to -give any directions about her clothes till she has seen me, for she does -not know which are the best warehouses. Oh, brother, how kind you are! I -know you will contrive it all.” - -But Mr. Gardiner, though he assured her again of his earnest endeavours -in the cause, could not avoid recommending moderation to her, as well -in her hopes as her fear; and after talking with her in this manner till -dinner was on the table, they all left her to vent all her feelings on -the housekeeper, who attended in the absence of her daughters. - -Though her brother and sister were persuaded that there was no real -occasion for such a seclusion from the family, they did not attempt to -oppose it, for they knew that she had not prudence enough to hold her -tongue before the servants, while they waited at table, and judged it -better that _one_ only of the household, and the one whom they could -most trust should comprehend all her fears and solicitude on the -subject. - -In the dining-room they were soon joined by Mary and Kitty, who had been -too busily engaged in their separate apartments to make their appearance -before. One came from her books, and the other from her toilette. The -faces of both, however, were tolerably calm; and no change was visible -in either, except that the loss of her favourite sister, or the anger -which she had herself incurred in this business, had given more of -fretfulness than usual to the accents of Kitty. As for Mary, she was -mistress enough of herself to whisper to Elizabeth, with a countenance -of grave reflection, soon after they were seated at table: - -“This is a most unfortunate affair, and will probably be much talked of. -But we must stem the tide of malice, and pour into the wounded bosoms of -each other the balm of sisterly consolation.” - -Then, perceiving in Elizabeth no inclination of replying, she added, -“Unhappy as the event must be for Lydia, we may draw from it this useful -lesson: that loss of virtue in a female is irretrievable; that one -false step involves her in endless ruin; that her reputation is no less -brittle than it is beautiful; and that she cannot be too much guarded in -her behaviour towards the undeserving of the other sex.” - -Elizabeth lifted up her eyes in amazement, but was too much oppressed -to make any reply. Mary, however, continued to console herself with such -kind of moral extractions from the evil before them. - -In the afternoon, the two elder Miss Bennets were able to be for -half-an-hour by themselves; and Elizabeth instantly availed herself of -the opportunity of making any inquiries, which Jane was equally eager to -satisfy. After joining in general lamentations over the dreadful sequel -of this event, which Elizabeth considered as all but certain, and Miss -Bennet could not assert to be wholly impossible, the former continued -the subject, by saying, “But tell me all and everything about it which -I have not already heard. Give me further particulars. What did Colonel -Forster say? Had they no apprehension of anything before the elopement -took place? They must have seen them together for ever.” - -“Colonel Forster did own that he had often suspected some partiality, -especially on Lydia's side, but nothing to give him any alarm. I am so -grieved for him! His behaviour was attentive and kind to the utmost. He -_was_ coming to us, in order to assure us of his concern, before he had -any idea of their not being gone to Scotland: when that apprehension -first got abroad, it hastened his journey.” - -“And was Denny convinced that Wickham would not marry? Did he know of -their intending to go off? Had Colonel Forster seen Denny himself?” - -“Yes; but, when questioned by _him_, Denny denied knowing anything of -their plans, and would not give his real opinion about it. He did not -repeat his persuasion of their not marrying--and from _that_, I am -inclined to hope, he might have been misunderstood before.” - -“And till Colonel Forster came himself, not one of you entertained a -doubt, I suppose, of their being really married?” - -“How was it possible that such an idea should enter our brains? I felt -a little uneasy--a little fearful of my sister's happiness with him -in marriage, because I knew that his conduct had not been always quite -right. My father and mother knew nothing of that; they only felt how -imprudent a match it must be. Kitty then owned, with a very natural -triumph on knowing more than the rest of us, that in Lydia's last letter -she had prepared her for such a step. She had known, it seems, of their -being in love with each other, many weeks.” - -“But not before they went to Brighton?” - -“No, I believe not.” - -“And did Colonel Forster appear to think well of Wickham himself? Does -he know his real character?” - -“I must confess that he did not speak so well of Wickham as he formerly -did. He believed him to be imprudent and extravagant. And since this sad -affair has taken place, it is said that he left Meryton greatly in debt; -but I hope this may be false.” - -“Oh, Jane, had we been less secret, had we told what we knew of him, -this could not have happened!” - -“Perhaps it would have been better,” replied her sister. “But to expose -the former faults of any person without knowing what their present -feelings were, seemed unjustifiable. We acted with the best intentions.” - -“Could Colonel Forster repeat the particulars of Lydia's note to his -wife?” - -“He brought it with him for us to see.” - -Jane then took it from her pocket-book, and gave it to Elizabeth. These -were the contents: - -“MY DEAR HARRIET, - -“You will laugh when you know where I am gone, and I cannot help -laughing myself at your surprise to-morrow morning, as soon as I am -missed. I am going to Gretna Green, and if you cannot guess with who, -I shall think you a simpleton, for there is but one man in the world I -love, and he is an angel. I should never be happy without him, so think -it no harm to be off. You need not send them word at Longbourn of my -going, if you do not like it, for it will make the surprise the greater, -when I write to them and sign my name 'Lydia Wickham.' What a good joke -it will be! I can hardly write for laughing. Pray make my excuses to -Pratt for not keeping my engagement, and dancing with him to-night. -Tell him I hope he will excuse me when he knows all; and tell him I will -dance with him at the next ball we meet, with great pleasure. I shall -send for my clothes when I get to Longbourn; but I wish you would tell -Sally to mend a great slit in my worked muslin gown before they are -packed up. Good-bye. Give my love to Colonel Forster. I hope you will -drink to our good journey. - -“Your affectionate friend, - -“LYDIA BENNET.” - -“Oh! thoughtless, thoughtless Lydia!” cried Elizabeth when she had -finished it. “What a letter is this, to be written at such a moment! -But at least it shows that _she_ was serious on the subject of their -journey. Whatever he might afterwards persuade her to, it was not on her -side a _scheme_ of infamy. My poor father! how he must have felt it!” - -“I never saw anyone so shocked. He could not speak a word for full ten -minutes. My mother was taken ill immediately, and the whole house in -such confusion!” - -“Oh! Jane,” cried Elizabeth, “was there a servant belonging to it who -did not know the whole story before the end of the day?” - -“I do not know. I hope there was. But to be guarded at such a time is -very difficult. My mother was in hysterics, and though I endeavoured to -give her every assistance in my power, I am afraid I did not do so -much as I might have done! But the horror of what might possibly happen -almost took from me my faculties.” - -“Your attendance upon her has been too much for you. You do not look -well. Oh that I had been with you! you have had every care and anxiety -upon yourself alone.” - -“Mary and Kitty have been very kind, and would have shared in every -fatigue, I am sure; but I did not think it right for either of them. -Kitty is slight and delicate; and Mary studies so much, that her hours -of repose should not be broken in on. My aunt Phillips came to Longbourn -on Tuesday, after my father went away; and was so good as to stay till -Thursday with me. She was of great use and comfort to us all. And -Lady Lucas has been very kind; she walked here on Wednesday morning to -condole with us, and offered her services, or any of her daughters', if -they should be of use to us.” - -“She had better have stayed at home,” cried Elizabeth; “perhaps she -_meant_ well, but, under such a misfortune as this, one cannot see -too little of one's neighbours. Assistance is impossible; condolence -insufferable. Let them triumph over us at a distance, and be satisfied.” - -She then proceeded to inquire into the measures which her father had -intended to pursue, while in town, for the recovery of his daughter. - -“He meant I believe,” replied Jane, “to go to Epsom, the place where -they last changed horses, see the postilions and try if anything could -be made out from them. His principal object must be to discover the -number of the hackney coach which took them from Clapham. It had come -with a fare from London; and as he thought that the circumstance of a -gentleman and lady's removing from one carriage into another might -be remarked he meant to make inquiries at Clapham. If he could anyhow -discover at what house the coachman had before set down his fare, he -determined to make inquiries there, and hoped it might not be impossible -to find out the stand and number of the coach. I do not know of any -other designs that he had formed; but he was in such a hurry to be gone, -and his spirits so greatly discomposed, that I had difficulty in finding -out even so much as this.” - - - -Chapter 48 - - -The whole party were in hopes of a letter from Mr. Bennet the next -morning, but the post came in without bringing a single line from him. -His family knew him to be, on all common occasions, a most negligent and -dilatory correspondent; but at such a time they had hoped for exertion. -They were forced to conclude that he had no pleasing intelligence to -send; but even of _that_ they would have been glad to be certain. Mr. -Gardiner had waited only for the letters before he set off. - -When he was gone, they were certain at least of receiving constant -information of what was going on, and their uncle promised, at parting, -to prevail on Mr. Bennet to return to Longbourn, as soon as he could, -to the great consolation of his sister, who considered it as the only -security for her husband's not being killed in a duel. - -Mrs. Gardiner and the children were to remain in Hertfordshire a few -days longer, as the former thought her presence might be serviceable -to her nieces. She shared in their attendance on Mrs. Bennet, and was a -great comfort to them in their hours of freedom. Their other aunt also -visited them frequently, and always, as she said, with the design of -cheering and heartening them up--though, as she never came without -reporting some fresh instance of Wickham's extravagance or irregularity, -she seldom went away without leaving them more dispirited than she found -them. - -All Meryton seemed striving to blacken the man who, but three months -before, had been almost an angel of light. He was declared to be in debt -to every tradesman in the place, and his intrigues, all honoured with -the title of seduction, had been extended into every tradesman's family. -Everybody declared that he was the wickedest young man in the world; -and everybody began to find out that they had always distrusted the -appearance of his goodness. Elizabeth, though she did not credit above -half of what was said, believed enough to make her former assurance of -her sister's ruin more certain; and even Jane, who believed still less -of it, became almost hopeless, more especially as the time was now come -when, if they had gone to Scotland, which she had never before entirely -despaired of, they must in all probability have gained some news of -them. - -Mr. Gardiner left Longbourn on Sunday; on Tuesday his wife received a -letter from him; it told them that, on his arrival, he had immediately -found out his brother, and persuaded him to come to Gracechurch Street; -that Mr. Bennet had been to Epsom and Clapham, before his arrival, -but without gaining any satisfactory information; and that he was now -determined to inquire at all the principal hotels in town, as Mr. Bennet -thought it possible they might have gone to one of them, on their first -coming to London, before they procured lodgings. Mr. Gardiner himself -did not expect any success from this measure, but as his brother was -eager in it, he meant to assist him in pursuing it. He added that Mr. -Bennet seemed wholly disinclined at present to leave London and promised -to write again very soon. There was also a postscript to this effect: - -“I have written to Colonel Forster to desire him to find out, if -possible, from some of the young man's intimates in the regiment, -whether Wickham has any relations or connections who would be likely to -know in what part of town he has now concealed himself. If there were -anyone that one could apply to with a probability of gaining such a -clue as that, it might be of essential consequence. At present we have -nothing to guide us. Colonel Forster will, I dare say, do everything in -his power to satisfy us on this head. But, on second thoughts, perhaps, -Lizzy could tell us what relations he has now living, better than any -other person.” - -Elizabeth was at no loss to understand from whence this deference to her -authority proceeded; but it was not in her power to give any information -of so satisfactory a nature as the compliment deserved. She had never -heard of his having had any relations, except a father and mother, both -of whom had been dead many years. It was possible, however, that some of -his companions in the ----shire might be able to give more information; -and though she was not very sanguine in expecting it, the application -was a something to look forward to. - -Every day at Longbourn was now a day of anxiety; but the most anxious -part of each was when the post was expected. The arrival of letters -was the grand object of every morning's impatience. Through letters, -whatever of good or bad was to be told would be communicated, and every -succeeding day was expected to bring some news of importance. - -But before they heard again from Mr. Gardiner, a letter arrived for -their father, from a different quarter, from Mr. Collins; which, as Jane -had received directions to open all that came for him in his absence, -she accordingly read; and Elizabeth, who knew what curiosities his -letters always were, looked over her, and read it likewise. It was as -follows: - -“MY DEAR SIR, - -“I feel myself called upon, by our relationship, and my situation -in life, to condole with you on the grievous affliction you are now -suffering under, of which we were yesterday informed by a letter from -Hertfordshire. Be assured, my dear sir, that Mrs. Collins and myself -sincerely sympathise with you and all your respectable family, in -your present distress, which must be of the bitterest kind, because -proceeding from a cause which no time can remove. No arguments shall be -wanting on my part that can alleviate so severe a misfortune--or that -may comfort you, under a circumstance that must be of all others the -most afflicting to a parent's mind. The death of your daughter would -have been a blessing in comparison of this. And it is the more to -be lamented, because there is reason to suppose as my dear Charlotte -informs me, that this licentiousness of behaviour in your daughter has -proceeded from a faulty degree of indulgence; though, at the same time, -for the consolation of yourself and Mrs. Bennet, I am inclined to think -that her own disposition must be naturally bad, or she could not be -guilty of such an enormity, at so early an age. Howsoever that may be, -you are grievously to be pitied; in which opinion I am not only joined -by Mrs. Collins, but likewise by Lady Catherine and her daughter, to -whom I have related the affair. They agree with me in apprehending that -this false step in one daughter will be injurious to the fortunes of -all the others; for who, as Lady Catherine herself condescendingly says, -will connect themselves with such a family? And this consideration leads -me moreover to reflect, with augmented satisfaction, on a certain event -of last November; for had it been otherwise, I must have been involved -in all your sorrow and disgrace. Let me then advise you, dear sir, to -console yourself as much as possible, to throw off your unworthy child -from your affection for ever, and leave her to reap the fruits of her -own heinous offense. - -“I am, dear sir, etc., etc.” - -Mr. Gardiner did not write again till he had received an answer from -Colonel Forster; and then he had nothing of a pleasant nature to send. -It was not known that Wickham had a single relationship with whom he -kept up any connection, and it was certain that he had no near one -living. His former acquaintances had been numerous; but since he -had been in the militia, it did not appear that he was on terms of -particular friendship with any of them. There was no one, therefore, -who could be pointed out as likely to give any news of him. And in the -wretched state of his own finances, there was a very powerful motive for -secrecy, in addition to his fear of discovery by Lydia's relations, for -it had just transpired that he had left gaming debts behind him to a -very considerable amount. Colonel Forster believed that more than a -thousand pounds would be necessary to clear his expenses at Brighton. -He owed a good deal in town, but his debts of honour were still more -formidable. Mr. Gardiner did not attempt to conceal these particulars -from the Longbourn family. Jane heard them with horror. “A gamester!” - she cried. “This is wholly unexpected. I had not an idea of it.” - -Mr. Gardiner added in his letter, that they might expect to see their -father at home on the following day, which was Saturday. Rendered -spiritless by the ill-success of all their endeavours, he had yielded -to his brother-in-law's entreaty that he would return to his family, and -leave it to him to do whatever occasion might suggest to be advisable -for continuing their pursuit. When Mrs. Bennet was told of this, she did -not express so much satisfaction as her children expected, considering -what her anxiety for his life had been before. - -“What, is he coming home, and without poor Lydia?” she cried. “Sure he -will not leave London before he has found them. Who is to fight Wickham, -and make him marry her, if he comes away?” - -As Mrs. Gardiner began to wish to be at home, it was settled that she -and the children should go to London, at the same time that Mr. Bennet -came from it. The coach, therefore, took them the first stage of their -journey, and brought its master back to Longbourn. - -Mrs. Gardiner went away in all the perplexity about Elizabeth and her -Derbyshire friend that had attended her from that part of the world. His -name had never been voluntarily mentioned before them by her niece; and -the kind of half-expectation which Mrs. Gardiner had formed, of their -being followed by a letter from him, had ended in nothing. Elizabeth had -received none since her return that could come from Pemberley. - -The present unhappy state of the family rendered any other excuse for -the lowness of her spirits unnecessary; nothing, therefore, could be -fairly conjectured from _that_, though Elizabeth, who was by this time -tolerably well acquainted with her own feelings, was perfectly aware -that, had she known nothing of Darcy, she could have borne the dread of -Lydia's infamy somewhat better. It would have spared her, she thought, -one sleepless night out of two. - -When Mr. Bennet arrived, he had all the appearance of his usual -philosophic composure. He said as little as he had ever been in the -habit of saying; made no mention of the business that had taken him -away, and it was some time before his daughters had courage to speak of -it. - -It was not till the afternoon, when he had joined them at tea, that -Elizabeth ventured to introduce the subject; and then, on her briefly -expressing her sorrow for what he must have endured, he replied, “Say -nothing of that. Who should suffer but myself? It has been my own doing, -and I ought to feel it.” - -“You must not be too severe upon yourself,” replied Elizabeth. - -“You may well warn me against such an evil. Human nature is so prone -to fall into it! No, Lizzy, let me once in my life feel how much I have -been to blame. I am not afraid of being overpowered by the impression. -It will pass away soon enough.” - -“Do you suppose them to be in London?” - -“Yes; where else can they be so well concealed?” - -“And Lydia used to want to go to London,” added Kitty. - -“She is happy then,” said her father drily; “and her residence there -will probably be of some duration.” - -Then after a short silence he continued: - -“Lizzy, I bear you no ill-will for being justified in your advice to me -last May, which, considering the event, shows some greatness of mind.” - -They were interrupted by Miss Bennet, who came to fetch her mother's -tea. - -“This is a parade,” he cried, “which does one good; it gives such an -elegance to misfortune! Another day I will do the same; I will sit in my -library, in my nightcap and powdering gown, and give as much trouble as -I can; or, perhaps, I may defer it till Kitty runs away.” - -“I am not going to run away, papa,” said Kitty fretfully. “If I should -ever go to Brighton, I would behave better than Lydia.” - -“_You_ go to Brighton. I would not trust you so near it as Eastbourne -for fifty pounds! No, Kitty, I have at last learnt to be cautious, and -you will feel the effects of it. No officer is ever to enter into -my house again, nor even to pass through the village. Balls will be -absolutely prohibited, unless you stand up with one of your sisters. -And you are never to stir out of doors till you can prove that you have -spent ten minutes of every day in a rational manner.” - -Kitty, who took all these threats in a serious light, began to cry. - -“Well, well,” said he, “do not make yourself unhappy. If you are a good -girl for the next ten years, I will take you to a review at the end of -them.” - - - -Chapter 49 - - -Two days after Mr. Bennet's return, as Jane and Elizabeth were walking -together in the shrubbery behind the house, they saw the housekeeper -coming towards them, and, concluding that she came to call them to their -mother, went forward to meet her; but, instead of the expected summons, -when they approached her, she said to Miss Bennet, “I beg your pardon, -madam, for interrupting you, but I was in hopes you might have got some -good news from town, so I took the liberty of coming to ask.” - -“What do you mean, Hill? We have heard nothing from town.” - -“Dear madam,” cried Mrs. Hill, in great astonishment, “don't you know -there is an express come for master from Mr. Gardiner? He has been here -this half-hour, and master has had a letter.” - -Away ran the girls, too eager to get in to have time for speech. They -ran through the vestibule into the breakfast-room; from thence to the -library; their father was in neither; and they were on the point of -seeking him up stairs with their mother, when they were met by the -butler, who said: - -“If you are looking for my master, ma'am, he is walking towards the -little copse.” - -Upon this information, they instantly passed through the hall once -more, and ran across the lawn after their father, who was deliberately -pursuing his way towards a small wood on one side of the paddock. - -Jane, who was not so light nor so much in the habit of running as -Elizabeth, soon lagged behind, while her sister, panting for breath, -came up with him, and eagerly cried out: - -“Oh, papa, what news--what news? Have you heard from my uncle?” - -“Yes I have had a letter from him by express.” - -“Well, and what news does it bring--good or bad?” - -“What is there of good to be expected?” said he, taking the letter from -his pocket. “But perhaps you would like to read it.” - -Elizabeth impatiently caught it from his hand. Jane now came up. - -“Read it aloud,” said their father, “for I hardly know myself what it is -about.” - -“Gracechurch Street, Monday, August 2. - -“MY DEAR BROTHER, - -“At last I am able to send you some tidings of my niece, and such as, -upon the whole, I hope it will give you satisfaction. Soon after you -left me on Saturday, I was fortunate enough to find out in what part of -London they were. The particulars I reserve till we meet; it is enough -to know they are discovered. I have seen them both--” - -“Then it is as I always hoped,” cried Jane; “they are married!” - -Elizabeth read on: - -“I have seen them both. They are not married, nor can I find there -was any intention of being so; but if you are willing to perform the -engagements which I have ventured to make on your side, I hope it will -not be long before they are. All that is required of you is, to assure -to your daughter, by settlement, her equal share of the five thousand -pounds secured among your children after the decease of yourself and -my sister; and, moreover, to enter into an engagement of allowing her, -during your life, one hundred pounds per annum. These are conditions -which, considering everything, I had no hesitation in complying with, -as far as I thought myself privileged, for you. I shall send this by -express, that no time may be lost in bringing me your answer. You -will easily comprehend, from these particulars, that Mr. Wickham's -circumstances are not so hopeless as they are generally believed to be. -The world has been deceived in that respect; and I am happy to say there -will be some little money, even when all his debts are discharged, to -settle on my niece, in addition to her own fortune. If, as I conclude -will be the case, you send me full powers to act in your name throughout -the whole of this business, I will immediately give directions to -Haggerston for preparing a proper settlement. There will not be the -smallest occasion for your coming to town again; therefore stay quiet at -Longbourn, and depend on my diligence and care. Send back your answer as -fast as you can, and be careful to write explicitly. We have judged it -best that my niece should be married from this house, of which I hope -you will approve. She comes to us to-day. I shall write again as soon as -anything more is determined on. Yours, etc., - -“EDW. GARDINER.” - -“Is it possible?” cried Elizabeth, when she had finished. “Can it be -possible that he will marry her?” - -“Wickham is not so undeserving, then, as we thought him,” said her -sister. “My dear father, I congratulate you.” - -“And have you answered the letter?” cried Elizabeth. - -“No; but it must be done soon.” - -Most earnestly did she then entreat him to lose no more time before he -wrote. - -“Oh! my dear father,” she cried, “come back and write immediately. -Consider how important every moment is in such a case.” - -“Let me write for you,” said Jane, “if you dislike the trouble -yourself.” - -“I dislike it very much,” he replied; “but it must be done.” - -And so saying, he turned back with them, and walked towards the house. - -“And may I ask--” said Elizabeth; “but the terms, I suppose, must be -complied with.” - -“Complied with! I am only ashamed of his asking so little.” - -“And they _must_ marry! Yet he is _such_ a man!” - -“Yes, yes, they must marry. There is nothing else to be done. But there -are two things that I want very much to know; one is, how much money -your uncle has laid down to bring it about; and the other, how am I ever -to pay him.” - -“Money! My uncle!” cried Jane, “what do you mean, sir?” - -“I mean, that no man in his senses would marry Lydia on so slight a -temptation as one hundred a year during my life, and fifty after I am -gone.” - -“That is very true,” said Elizabeth; “though it had not occurred to me -before. His debts to be discharged, and something still to remain! Oh! -it must be my uncle's doings! Generous, good man, I am afraid he has -distressed himself. A small sum could not do all this.” - -“No,” said her father; “Wickham's a fool if he takes her with a farthing -less than ten thousand pounds. I should be sorry to think so ill of him, -in the very beginning of our relationship.” - -“Ten thousand pounds! Heaven forbid! How is half such a sum to be -repaid?” - -Mr. Bennet made no answer, and each of them, deep in thought, continued -silent till they reached the house. Their father then went on to the -library to write, and the girls walked into the breakfast-room. - -“And they are really to be married!” cried Elizabeth, as soon as they -were by themselves. “How strange this is! And for _this_ we are to be -thankful. That they should marry, small as is their chance of happiness, -and wretched as is his character, we are forced to rejoice. Oh, Lydia!” - -“I comfort myself with thinking,” replied Jane, “that he certainly would -not marry Lydia if he had not a real regard for her. Though our kind -uncle has done something towards clearing him, I cannot believe that ten -thousand pounds, or anything like it, has been advanced. He has children -of his own, and may have more. How could he spare half ten thousand -pounds?” - -“If he were ever able to learn what Wickham's debts have been,” said -Elizabeth, “and how much is settled on his side on our sister, we shall -exactly know what Mr. Gardiner has done for them, because Wickham has -not sixpence of his own. The kindness of my uncle and aunt can never -be requited. Their taking her home, and affording her their personal -protection and countenance, is such a sacrifice to her advantage as -years of gratitude cannot enough acknowledge. By this time she is -actually with them! If such goodness does not make her miserable now, -she will never deserve to be happy! What a meeting for her, when she -first sees my aunt!” - -“We must endeavour to forget all that has passed on either side,” said -Jane: “I hope and trust they will yet be happy. His consenting to -marry her is a proof, I will believe, that he is come to a right way of -thinking. Their mutual affection will steady them; and I flatter myself -they will settle so quietly, and live in so rational a manner, as may in -time make their past imprudence forgotten.” - -“Their conduct has been such,” replied Elizabeth, “as neither you, nor -I, nor anybody can ever forget. It is useless to talk of it.” - -It now occurred to the girls that their mother was in all likelihood -perfectly ignorant of what had happened. They went to the library, -therefore, and asked their father whether he would not wish them to make -it known to her. He was writing and, without raising his head, coolly -replied: - -“Just as you please.” - -“May we take my uncle's letter to read to her?” - -“Take whatever you like, and get away.” - -Elizabeth took the letter from his writing-table, and they went up stairs -together. Mary and Kitty were both with Mrs. Bennet: one communication -would, therefore, do for all. After a slight preparation for good news, -the letter was read aloud. Mrs. Bennet could hardly contain herself. As -soon as Jane had read Mr. Gardiner's hope of Lydia's being soon -married, her joy burst forth, and every following sentence added to its -exuberance. She was now in an irritation as violent from delight, as she -had ever been fidgety from alarm and vexation. To know that her daughter -would be married was enough. She was disturbed by no fear for her -felicity, nor humbled by any remembrance of her misconduct. - -“My dear, dear Lydia!” she cried. “This is delightful indeed! She will -be married! I shall see her again! She will be married at sixteen! -My good, kind brother! I knew how it would be. I knew he would manage -everything! How I long to see her! and to see dear Wickham too! But the -clothes, the wedding clothes! I will write to my sister Gardiner about -them directly. Lizzy, my dear, run down to your father, and ask him -how much he will give her. Stay, stay, I will go myself. Ring the bell, -Kitty, for Hill. I will put on my things in a moment. My dear, dear -Lydia! How merry we shall be together when we meet!” - -Her eldest daughter endeavoured to give some relief to the violence of -these transports, by leading her thoughts to the obligations which Mr. -Gardiner's behaviour laid them all under. - -“For we must attribute this happy conclusion,” she added, “in a great -measure to his kindness. We are persuaded that he has pledged himself to -assist Mr. Wickham with money.” - -“Well,” cried her mother, “it is all very right; who should do it but -her own uncle? If he had not had a family of his own, I and my children -must have had all his money, you know; and it is the first time we have -ever had anything from him, except a few presents. Well! I am so happy! -In a short time I shall have a daughter married. Mrs. Wickham! How well -it sounds! And she was only sixteen last June. My dear Jane, I am in -such a flutter, that I am sure I can't write; so I will dictate, and -you write for me. We will settle with your father about the money -afterwards; but the things should be ordered immediately.” - -She was then proceeding to all the particulars of calico, muslin, and -cambric, and would shortly have dictated some very plentiful orders, had -not Jane, though with some difficulty, persuaded her to wait till her -father was at leisure to be consulted. One day's delay, she observed, -would be of small importance; and her mother was too happy to be quite -so obstinate as usual. Other schemes, too, came into her head. - -“I will go to Meryton,” said she, “as soon as I am dressed, and tell the -good, good news to my sister Philips. And as I come back, I can call -on Lady Lucas and Mrs. Long. Kitty, run down and order the carriage. -An airing would do me a great deal of good, I am sure. Girls, can I do -anything for you in Meryton? Oh! Here comes Hill! My dear Hill, have you -heard the good news? Miss Lydia is going to be married; and you shall -all have a bowl of punch to make merry at her wedding.” - -Mrs. Hill began instantly to express her joy. Elizabeth received her -congratulations amongst the rest, and then, sick of this folly, took -refuge in her own room, that she might think with freedom. - -Poor Lydia's situation must, at best, be bad enough; but that it was -no worse, she had need to be thankful. She felt it so; and though, in -looking forward, neither rational happiness nor worldly prosperity could -be justly expected for her sister, in looking back to what they had -feared, only two hours ago, she felt all the advantages of what they had -gained. - - - -Chapter 50 - - -Mr. Bennet had very often wished before this period of his life that, -instead of spending his whole income, he had laid by an annual sum for -the better provision of his children, and of his wife, if she survived -him. He now wished it more than ever. Had he done his duty in that -respect, Lydia need not have been indebted to her uncle for whatever -of honour or credit could now be purchased for her. The satisfaction of -prevailing on one of the most worthless young men in Great Britain to be -her husband might then have rested in its proper place. - -He was seriously concerned that a cause of so little advantage to anyone -should be forwarded at the sole expense of his brother-in-law, and he -was determined, if possible, to find out the extent of his assistance, -and to discharge the obligation as soon as he could. - -When first Mr. Bennet had married, economy was held to be perfectly -useless, for, of course, they were to have a son. The son was to join -in cutting off the entail, as soon as he should be of age, and the widow -and younger children would by that means be provided for. Five daughters -successively entered the world, but yet the son was to come; and Mrs. -Bennet, for many years after Lydia's birth, had been certain that he -would. This event had at last been despaired of, but it was then -too late to be saving. Mrs. Bennet had no turn for economy, and her -husband's love of independence had alone prevented their exceeding their -income. - -Five thousand pounds was settled by marriage articles on Mrs. Bennet and -the children. But in what proportions it should be divided amongst the -latter depended on the will of the parents. This was one point, with -regard to Lydia, at least, which was now to be settled, and Mr. Bennet -could have no hesitation in acceding to the proposal before him. In -terms of grateful acknowledgment for the kindness of his brother, -though expressed most concisely, he then delivered on paper his perfect -approbation of all that was done, and his willingness to fulfil the -engagements that had been made for him. He had never before supposed -that, could Wickham be prevailed on to marry his daughter, it would -be done with so little inconvenience to himself as by the present -arrangement. He would scarcely be ten pounds a year the loser by the -hundred that was to be paid them; for, what with her board and pocket -allowance, and the continual presents in money which passed to her -through her mother's hands, Lydia's expenses had been very little within -that sum. - -That it would be done with such trifling exertion on his side, too, was -another very welcome surprise; for his wish at present was to have as -little trouble in the business as possible. When the first transports -of rage which had produced his activity in seeking her were over, he -naturally returned to all his former indolence. His letter was soon -dispatched; for, though dilatory in undertaking business, he was quick -in its execution. He begged to know further particulars of what he -was indebted to his brother, but was too angry with Lydia to send any -message to her. - -The good news spread quickly through the house, and with proportionate -speed through the neighbourhood. It was borne in the latter with decent -philosophy. To be sure, it would have been more for the advantage -of conversation had Miss Lydia Bennet come upon the town; or, as the -happiest alternative, been secluded from the world, in some distant -farmhouse. But there was much to be talked of in marrying her; and the -good-natured wishes for her well-doing which had proceeded before from -all the spiteful old ladies in Meryton lost but a little of their spirit -in this change of circumstances, because with such an husband her misery -was considered certain. - -It was a fortnight since Mrs. Bennet had been downstairs; but on this -happy day she again took her seat at the head of her table, and in -spirits oppressively high. No sentiment of shame gave a damp to her -triumph. The marriage of a daughter, which had been the first object -of her wishes since Jane was sixteen, was now on the point of -accomplishment, and her thoughts and her words ran wholly on those -attendants of elegant nuptials, fine muslins, new carriages, and -servants. She was busily searching through the neighbourhood for a -proper situation for her daughter, and, without knowing or considering -what their income might be, rejected many as deficient in size and -importance. - -“Haye Park might do,” said she, “if the Gouldings could quit it--or the -great house at Stoke, if the drawing-room were larger; but Ashworth is -too far off! I could not bear to have her ten miles from me; and as for -Pulvis Lodge, the attics are dreadful.” - -Her husband allowed her to talk on without interruption while the -servants remained. But when they had withdrawn, he said to her: “Mrs. -Bennet, before you take any or all of these houses for your son and -daughter, let us come to a right understanding. Into _one_ house in this -neighbourhood they shall never have admittance. I will not encourage the -impudence of either, by receiving them at Longbourn.” - -A long dispute followed this declaration; but Mr. Bennet was firm. It -soon led to another; and Mrs. Bennet found, with amazement and horror, -that her husband would not advance a guinea to buy clothes for his -daughter. He protested that she should receive from him no mark of -affection whatever on the occasion. Mrs. Bennet could hardly comprehend -it. That his anger could be carried to such a point of inconceivable -resentment as to refuse his daughter a privilege without which her -marriage would scarcely seem valid, exceeded all she could believe -possible. She was more alive to the disgrace which her want of new -clothes must reflect on her daughter's nuptials, than to any sense of -shame at her eloping and living with Wickham a fortnight before they -took place. - -Elizabeth was now most heartily sorry that she had, from the distress of -the moment, been led to make Mr. Darcy acquainted with their fears for -her sister; for since her marriage would so shortly give the -proper termination to the elopement, they might hope to conceal its -unfavourable beginning from all those who were not immediately on the -spot. - -She had no fear of its spreading farther through his means. There were -few people on whose secrecy she would have more confidently depended; -but, at the same time, there was no one whose knowledge of a sister's -frailty would have mortified her so much--not, however, from any fear -of disadvantage from it individually to herself, for, at any rate, -there seemed a gulf impassable between them. Had Lydia's marriage been -concluded on the most honourable terms, it was not to be supposed that -Mr. Darcy would connect himself with a family where, to every other -objection, would now be added an alliance and relationship of the -nearest kind with a man whom he so justly scorned. - -From such a connection she could not wonder that he would shrink. The -wish of procuring her regard, which she had assured herself of his -feeling in Derbyshire, could not in rational expectation survive such a -blow as this. She was humbled, she was grieved; she repented, though she -hardly knew of what. She became jealous of his esteem, when she could no -longer hope to be benefited by it. She wanted to hear of him, when there -seemed the least chance of gaining intelligence. She was convinced that -she could have been happy with him, when it was no longer likely they -should meet. - -What a triumph for him, as she often thought, could he know that the -proposals which she had proudly spurned only four months ago, would now -have been most gladly and gratefully received! He was as generous, she -doubted not, as the most generous of his sex; but while he was mortal, -there must be a triumph. - -She began now to comprehend that he was exactly the man who, in -disposition and talents, would most suit her. His understanding and -temper, though unlike her own, would have answered all her wishes. It -was an union that must have been to the advantage of both; by her ease -and liveliness, his mind might have been softened, his manners improved; -and from his judgement, information, and knowledge of the world, she -must have received benefit of greater importance. - -But no such happy marriage could now teach the admiring multitude what -connubial felicity really was. An union of a different tendency, and -precluding the possibility of the other, was soon to be formed in their -family. - -How Wickham and Lydia were to be supported in tolerable independence, -she could not imagine. But how little of permanent happiness could -belong to a couple who were only brought together because their passions -were stronger than their virtue, she could easily conjecture. - - * * * * * - -Mr. Gardiner soon wrote again to his brother. To Mr. Bennet's -acknowledgments he briefly replied, with assurance of his eagerness to -promote the welfare of any of his family; and concluded with entreaties -that the subject might never be mentioned to him again. The principal -purport of his letter was to inform them that Mr. Wickham had resolved -on quitting the militia. - -“It was greatly my wish that he should do so,” he added, “as soon as -his marriage was fixed on. And I think you will agree with me, in -considering the removal from that corps as highly advisable, both on -his account and my niece's. It is Mr. Wickham's intention to go into -the regulars; and among his former friends, there are still some who -are able and willing to assist him in the army. He has the promise of an -ensigncy in General ----'s regiment, now quartered in the North. It -is an advantage to have it so far from this part of the kingdom. He -promises fairly; and I hope among different people, where they may each -have a character to preserve, they will both be more prudent. I have -written to Colonel Forster, to inform him of our present arrangements, -and to request that he will satisfy the various creditors of Mr. Wickham -in and near Brighton, with assurances of speedy payment, for which I -have pledged myself. And will you give yourself the trouble of carrying -similar assurances to his creditors in Meryton, of whom I shall subjoin -a list according to his information? He has given in all his debts; I -hope at least he has not deceived us. Haggerston has our directions, -and all will be completed in a week. They will then join his regiment, -unless they are first invited to Longbourn; and I understand from Mrs. -Gardiner, that my niece is very desirous of seeing you all before she -leaves the South. She is well, and begs to be dutifully remembered to -you and her mother.--Yours, etc., - -“E. GARDINER.” - -Mr. Bennet and his daughters saw all the advantages of Wickham's removal -from the ----shire as clearly as Mr. Gardiner could do. But Mrs. Bennet -was not so well pleased with it. Lydia's being settled in the North, -just when she had expected most pleasure and pride in her company, -for she had by no means given up her plan of their residing in -Hertfordshire, was a severe disappointment; and, besides, it was such a -pity that Lydia should be taken from a regiment where she was acquainted -with everybody, and had so many favourites. - -“She is so fond of Mrs. Forster,” said she, “it will be quite shocking -to send her away! And there are several of the young men, too, that she -likes very much. The officers may not be so pleasant in General ----'s -regiment.” - -His daughter's request, for such it might be considered, of being -admitted into her family again before she set off for the North, -received at first an absolute negative. But Jane and Elizabeth, -who agreed in wishing, for the sake of their sister's feelings and -consequence, that she should be noticed on her marriage by her parents, -urged him so earnestly yet so rationally and so mildly, to receive her -and her husband at Longbourn, as soon as they were married, that he was -prevailed on to think as they thought, and act as they wished. And their -mother had the satisfaction of knowing that she would be able to show -her married daughter in the neighbourhood before she was banished to the -North. When Mr. Bennet wrote again to his brother, therefore, he sent -his permission for them to come; and it was settled, that as soon as -the ceremony was over, they should proceed to Longbourn. Elizabeth was -surprised, however, that Wickham should consent to such a scheme, and -had she consulted only her own inclination, any meeting with him would -have been the last object of her wishes. - - - -Chapter 51 - - -Their sister's wedding day arrived; and Jane and Elizabeth felt for her -probably more than she felt for herself. The carriage was sent to -meet them at ----, and they were to return in it by dinner-time. Their -arrival was dreaded by the elder Miss Bennets, and Jane more especially, -who gave Lydia the feelings which would have attended herself, had she -been the culprit, and was wretched in the thought of what her sister -must endure. - -They came. The family were assembled in the breakfast room to receive -them. Smiles decked the face of Mrs. Bennet as the carriage drove up to -the door; her husband looked impenetrably grave; her daughters, alarmed, -anxious, uneasy. - -Lydia's voice was heard in the vestibule; the door was thrown open, and -she ran into the room. Her mother stepped forwards, embraced her, and -welcomed her with rapture; gave her hand, with an affectionate smile, -to Wickham, who followed his lady; and wished them both joy with an -alacrity which shewed no doubt of their happiness. - -Their reception from Mr. Bennet, to whom they then turned, was not quite -so cordial. His countenance rather gained in austerity; and he scarcely -opened his lips. The easy assurance of the young couple, indeed, was -enough to provoke him. Elizabeth was disgusted, and even Miss Bennet -was shocked. Lydia was Lydia still; untamed, unabashed, wild, noisy, -and fearless. She turned from sister to sister, demanding their -congratulations; and when at length they all sat down, looked eagerly -round the room, took notice of some little alteration in it, and -observed, with a laugh, that it was a great while since she had been -there. - -Wickham was not at all more distressed than herself, but his manners -were always so pleasing, that had his character and his marriage been -exactly what they ought, his smiles and his easy address, while he -claimed their relationship, would have delighted them all. Elizabeth had -not before believed him quite equal to such assurance; but she sat down, -resolving within herself to draw no limits in future to the impudence -of an impudent man. She blushed, and Jane blushed; but the cheeks of the -two who caused their confusion suffered no variation of colour. - -There was no want of discourse. The bride and her mother could neither -of them talk fast enough; and Wickham, who happened to sit near -Elizabeth, began inquiring after his acquaintance in that neighbourhood, -with a good humoured ease which she felt very unable to equal in her -replies. They seemed each of them to have the happiest memories in the -world. Nothing of the past was recollected with pain; and Lydia led -voluntarily to subjects which her sisters would not have alluded to for -the world. - -“Only think of its being three months,” she cried, “since I went away; -it seems but a fortnight I declare; and yet there have been things -enough happened in the time. Good gracious! when I went away, I am sure -I had no more idea of being married till I came back again! though I -thought it would be very good fun if I was.” - -Her father lifted up his eyes. Jane was distressed. Elizabeth looked -expressively at Lydia; but she, who never heard nor saw anything of -which she chose to be insensible, gaily continued, “Oh! mamma, do the -people hereabouts know I am married to-day? I was afraid they might not; -and we overtook William Goulding in his curricle, so I was determined he -should know it, and so I let down the side-glass next to him, and took -off my glove, and let my hand just rest upon the window frame, so that -he might see the ring, and then I bowed and smiled like anything.” - -Elizabeth could bear it no longer. She got up, and ran out of the room; -and returned no more, till she heard them passing through the hall to -the dining parlour. She then joined them soon enough to see Lydia, with -anxious parade, walk up to her mother's right hand, and hear her say -to her eldest sister, “Ah! Jane, I take your place now, and you must go -lower, because I am a married woman.” - -It was not to be supposed that time would give Lydia that embarrassment -from which she had been so wholly free at first. Her ease and good -spirits increased. She longed to see Mrs. Phillips, the Lucases, and -all their other neighbours, and to hear herself called “Mrs. Wickham” - by each of them; and in the mean time, she went after dinner to show her -ring, and boast of being married, to Mrs. Hill and the two housemaids. - -“Well, mamma,” said she, when they were all returned to the breakfast -room, “and what do you think of my husband? Is not he a charming man? I -am sure my sisters must all envy me. I only hope they may have half -my good luck. They must all go to Brighton. That is the place to get -husbands. What a pity it is, mamma, we did not all go.” - -“Very true; and if I had my will, we should. But my dear Lydia, I don't -at all like your going such a way off. Must it be so?” - -“Oh, lord! yes;--there is nothing in that. I shall like it of all -things. You and papa, and my sisters, must come down and see us. We -shall be at Newcastle all the winter, and I dare say there will be some -balls, and I will take care to get good partners for them all.” - -“I should like it beyond anything!” said her mother. - -“And then when you go away, you may leave one or two of my sisters -behind you; and I dare say I shall get husbands for them before the -winter is over.” - -“I thank you for my share of the favour,” said Elizabeth; “but I do not -particularly like your way of getting husbands.” - -Their visitors were not to remain above ten days with them. Mr. Wickham -had received his commission before he left London, and he was to join -his regiment at the end of a fortnight. - -No one but Mrs. Bennet regretted that their stay would be so short; and -she made the most of the time by visiting about with her daughter, and -having very frequent parties at home. These parties were acceptable to -all; to avoid a family circle was even more desirable to such as did -think, than such as did not. - -Wickham's affection for Lydia was just what Elizabeth had expected -to find it; not equal to Lydia's for him. She had scarcely needed her -present observation to be satisfied, from the reason of things, that -their elopement had been brought on by the strength of her love, rather -than by his; and she would have wondered why, without violently caring -for her, he chose to elope with her at all, had she not felt certain -that his flight was rendered necessary by distress of circumstances; and -if that were the case, he was not the young man to resist an opportunity -of having a companion. - -Lydia was exceedingly fond of him. He was her dear Wickham on every -occasion; no one was to be put in competition with him. He did every -thing best in the world; and she was sure he would kill more birds on -the first of September, than any body else in the country. - -One morning, soon after their arrival, as she was sitting with her two -elder sisters, she said to Elizabeth: - -“Lizzy, I never gave _you_ an account of my wedding, I believe. You -were not by, when I told mamma and the others all about it. Are not you -curious to hear how it was managed?” - -“No really,” replied Elizabeth; “I think there cannot be too little said -on the subject.” - -“La! You are so strange! But I must tell you how it went off. We were -married, you know, at St. Clement's, because Wickham's lodgings were in -that parish. And it was settled that we should all be there by eleven -o'clock. My uncle and aunt and I were to go together; and the others -were to meet us at the church. Well, Monday morning came, and I was in -such a fuss! I was so afraid, you know, that something would happen to -put it off, and then I should have gone quite distracted. And there was -my aunt, all the time I was dressing, preaching and talking away just as -if she was reading a sermon. However, I did not hear above one word in -ten, for I was thinking, you may suppose, of my dear Wickham. I longed -to know whether he would be married in his blue coat.” - -“Well, and so we breakfasted at ten as usual; I thought it would never -be over; for, by the bye, you are to understand, that my uncle and aunt -were horrid unpleasant all the time I was with them. If you'll believe -me, I did not once put my foot out of doors, though I was there a -fortnight. Not one party, or scheme, or anything. To be sure London was -rather thin, but, however, the Little Theatre was open. Well, and so -just as the carriage came to the door, my uncle was called away upon -business to that horrid man Mr. Stone. And then, you know, when once -they get together, there is no end of it. Well, I was so frightened I -did not know what to do, for my uncle was to give me away; and if we -were beyond the hour, we could not be married all day. But, luckily, he -came back again in ten minutes' time, and then we all set out. However, -I recollected afterwards that if he had been prevented going, the -wedding need not be put off, for Mr. Darcy might have done as well.” - -“Mr. Darcy!” repeated Elizabeth, in utter amazement. - -“Oh, yes!--he was to come there with Wickham, you know. But gracious -me! I quite forgot! I ought not to have said a word about it. I promised -them so faithfully! What will Wickham say? It was to be such a secret!” - -“If it was to be secret,” said Jane, “say not another word on the -subject. You may depend upon my seeking no further.” - -“Oh! certainly,” said Elizabeth, though burning with curiosity; “we will -ask you no questions.” - -“Thank you,” said Lydia, “for if you did, I should certainly tell you -all, and then Wickham would be angry.” - -On such encouragement to ask, Elizabeth was forced to put it out of her -power, by running away. - -But to live in ignorance on such a point was impossible; or at least -it was impossible not to try for information. Mr. Darcy had been at -her sister's wedding. It was exactly a scene, and exactly among people, -where he had apparently least to do, and least temptation to go. -Conjectures as to the meaning of it, rapid and wild, hurried into her -brain; but she was satisfied with none. Those that best pleased her, as -placing his conduct in the noblest light, seemed most improbable. She -could not bear such suspense; and hastily seizing a sheet of paper, -wrote a short letter to her aunt, to request an explanation of what -Lydia had dropt, if it were compatible with the secrecy which had been -intended. - -“You may readily comprehend,” she added, “what my curiosity must be -to know how a person unconnected with any of us, and (comparatively -speaking) a stranger to our family, should have been amongst you at such -a time. Pray write instantly, and let me understand it--unless it is, -for very cogent reasons, to remain in the secrecy which Lydia seems -to think necessary; and then I must endeavour to be satisfied with -ignorance.” - -“Not that I _shall_, though,” she added to herself, as she finished -the letter; “and my dear aunt, if you do not tell me in an honourable -manner, I shall certainly be reduced to tricks and stratagems to find it -out.” - -Jane's delicate sense of honour would not allow her to speak to -Elizabeth privately of what Lydia had let fall; Elizabeth was glad -of it;--till it appeared whether her inquiries would receive any -satisfaction, she had rather be without a confidante. - - - -Chapter 52 - - -Elizabeth had the satisfaction of receiving an answer to her letter as -soon as she possibly could. She was no sooner in possession of it -than, hurrying into the little copse, where she was least likely to -be interrupted, she sat down on one of the benches and prepared to -be happy; for the length of the letter convinced her that it did not -contain a denial. - -“Gracechurch street, Sept. 6. - -“MY DEAR NIECE, - -“I have just received your letter, and shall devote this whole morning -to answering it, as I foresee that a _little_ writing will not comprise -what I have to tell you. I must confess myself surprised by your -application; I did not expect it from _you_. Don't think me angry, -however, for I only mean to let you know that I had not imagined such -inquiries to be necessary on _your_ side. If you do not choose to -understand me, forgive my impertinence. Your uncle is as much surprised -as I am--and nothing but the belief of your being a party concerned -would have allowed him to act as he has done. But if you are really -innocent and ignorant, I must be more explicit. - -“On the very day of my coming home from Longbourn, your uncle had a most -unexpected visitor. Mr. Darcy called, and was shut up with him several -hours. It was all over before I arrived; so my curiosity was not so -dreadfully racked as _yours_ seems to have been. He came to tell Mr. -Gardiner that he had found out where your sister and Mr. Wickham were, -and that he had seen and talked with them both; Wickham repeatedly, -Lydia once. From what I can collect, he left Derbyshire only one day -after ourselves, and came to town with the resolution of hunting for -them. The motive professed was his conviction of its being owing to -himself that Wickham's worthlessness had not been so well known as to -make it impossible for any young woman of character to love or confide -in him. He generously imputed the whole to his mistaken pride, and -confessed that he had before thought it beneath him to lay his private -actions open to the world. His character was to speak for itself. He -called it, therefore, his duty to step forward, and endeavour to remedy -an evil which had been brought on by himself. If he _had another_ -motive, I am sure it would never disgrace him. He had been some days -in town, before he was able to discover them; but he had something to -direct his search, which was more than _we_ had; and the consciousness -of this was another reason for his resolving to follow us. - -“There is a lady, it seems, a Mrs. Younge, who was some time ago -governess to Miss Darcy, and was dismissed from her charge on some cause -of disapprobation, though he did not say what. She then took a large -house in Edward-street, and has since maintained herself by letting -lodgings. This Mrs. Younge was, he knew, intimately acquainted with -Wickham; and he went to her for intelligence of him as soon as he got to -town. But it was two or three days before he could get from her what he -wanted. She would not betray her trust, I suppose, without bribery and -corruption, for she really did know where her friend was to be found. -Wickham indeed had gone to her on their first arrival in London, and had -she been able to receive them into her house, they would have taken up -their abode with her. At length, however, our kind friend procured the -wished-for direction. They were in ---- street. He saw Wickham, and -afterwards insisted on seeing Lydia. His first object with her, he -acknowledged, had been to persuade her to quit her present disgraceful -situation, and return to her friends as soon as they could be prevailed -on to receive her, offering his assistance, as far as it would go. But -he found Lydia absolutely resolved on remaining where she was. She cared -for none of her friends; she wanted no help of his; she would not hear -of leaving Wickham. She was sure they should be married some time or -other, and it did not much signify when. Since such were her feelings, -it only remained, he thought, to secure and expedite a marriage, which, -in his very first conversation with Wickham, he easily learnt had never -been _his_ design. He confessed himself obliged to leave the regiment, -on account of some debts of honour, which were very pressing; and -scrupled not to lay all the ill-consequences of Lydia's flight on her -own folly alone. He meant to resign his commission immediately; and as -to his future situation, he could conjecture very little about it. He -must go somewhere, but he did not know where, and he knew he should have -nothing to live on. - -“Mr. Darcy asked him why he had not married your sister at once. Though -Mr. Bennet was not imagined to be very rich, he would have been able -to do something for him, and his situation must have been benefited by -marriage. But he found, in reply to this question, that Wickham still -cherished the hope of more effectually making his fortune by marriage in -some other country. Under such circumstances, however, he was not likely -to be proof against the temptation of immediate relief. - -“They met several times, for there was much to be discussed. Wickham of -course wanted more than he could get; but at length was reduced to be -reasonable. - -“Every thing being settled between _them_, Mr. Darcy's next step was to -make your uncle acquainted with it, and he first called in Gracechurch -street the evening before I came home. But Mr. Gardiner could not be -seen, and Mr. Darcy found, on further inquiry, that your father was -still with him, but would quit town the next morning. He did not judge -your father to be a person whom he could so properly consult as your -uncle, and therefore readily postponed seeing him till after the -departure of the former. He did not leave his name, and till the next -day it was only known that a gentleman had called on business. - -“On Saturday he came again. Your father was gone, your uncle at home, -and, as I said before, they had a great deal of talk together. - -“They met again on Sunday, and then _I_ saw him too. It was not all -settled before Monday: as soon as it was, the express was sent off to -Longbourn. But our visitor was very obstinate. I fancy, Lizzy, that -obstinacy is the real defect of his character, after all. He has been -accused of many faults at different times, but _this_ is the true one. -Nothing was to be done that he did not do himself; though I am sure (and -I do not speak it to be thanked, therefore say nothing about it), your -uncle would most readily have settled the whole. - -“They battled it together for a long time, which was more than either -the gentleman or lady concerned in it deserved. But at last your uncle -was forced to yield, and instead of being allowed to be of use to his -niece, was forced to put up with only having the probable credit of it, -which went sorely against the grain; and I really believe your letter -this morning gave him great pleasure, because it required an explanation -that would rob him of his borrowed feathers, and give the praise where -it was due. But, Lizzy, this must go no farther than yourself, or Jane -at most. - -“You know pretty well, I suppose, what has been done for the young -people. His debts are to be paid, amounting, I believe, to considerably -more than a thousand pounds, another thousand in addition to her own -settled upon _her_, and his commission purchased. The reason why all -this was to be done by him alone, was such as I have given above. It -was owing to him, to his reserve and want of proper consideration, that -Wickham's character had been so misunderstood, and consequently that he -had been received and noticed as he was. Perhaps there was some truth -in _this_; though I doubt whether _his_ reserve, or _anybody's_ reserve, -can be answerable for the event. But in spite of all this fine talking, -my dear Lizzy, you may rest perfectly assured that your uncle would -never have yielded, if we had not given him credit for _another -interest_ in the affair. - -“When all this was resolved on, he returned again to his friends, who -were still staying at Pemberley; but it was agreed that he should be in -London once more when the wedding took place, and all money matters were -then to receive the last finish. - -“I believe I have now told you every thing. It is a relation which -you tell me is to give you great surprise; I hope at least it will not -afford you any displeasure. Lydia came to us; and Wickham had constant -admission to the house. _He_ was exactly what he had been, when I -knew him in Hertfordshire; but I would not tell you how little I was -satisfied with her behaviour while she staid with us, if I had not -perceived, by Jane's letter last Wednesday, that her conduct on coming -home was exactly of a piece with it, and therefore what I now tell -you can give you no fresh pain. I talked to her repeatedly in the most -serious manner, representing to her all the wickedness of what she had -done, and all the unhappiness she had brought on her family. If she -heard me, it was by good luck, for I am sure she did not listen. I was -sometimes quite provoked, but then I recollected my dear Elizabeth and -Jane, and for their sakes had patience with her. - -“Mr. Darcy was punctual in his return, and as Lydia informed you, -attended the wedding. He dined with us the next day, and was to leave -town again on Wednesday or Thursday. Will you be very angry with me, my -dear Lizzy, if I take this opportunity of saying (what I was never bold -enough to say before) how much I like him. His behaviour to us has, -in every respect, been as pleasing as when we were in Derbyshire. His -understanding and opinions all please me; he wants nothing but a little -more liveliness, and _that_, if he marry _prudently_, his wife may teach -him. I thought him very sly;--he hardly ever mentioned your name. But -slyness seems the fashion. - -“Pray forgive me if I have been very presuming, or at least do not -punish me so far as to exclude me from P. I shall never be quite happy -till I have been all round the park. A low phaeton, with a nice little -pair of ponies, would be the very thing. - -“But I must write no more. The children have been wanting me this half -hour. - -“Yours, very sincerely, - -“M. GARDINER.” - -The contents of this letter threw Elizabeth into a flutter of spirits, -in which it was difficult to determine whether pleasure or pain bore the -greatest share. The vague and unsettled suspicions which uncertainty had -produced of what Mr. Darcy might have been doing to forward her sister's -match, which she had feared to encourage as an exertion of goodness too -great to be probable, and at the same time dreaded to be just, from the -pain of obligation, were proved beyond their greatest extent to be true! -He had followed them purposely to town, he had taken on himself all -the trouble and mortification attendant on such a research; in which -supplication had been necessary to a woman whom he must abominate and -despise, and where he was reduced to meet, frequently meet, reason -with, persuade, and finally bribe, the man whom he always most wished to -avoid, and whose very name it was punishment to him to pronounce. He had -done all this for a girl whom he could neither regard nor esteem. Her -heart did whisper that he had done it for her. But it was a hope shortly -checked by other considerations, and she soon felt that even her vanity -was insufficient, when required to depend on his affection for her--for -a woman who had already refused him--as able to overcome a sentiment so -natural as abhorrence against relationship with Wickham. Brother-in-law -of Wickham! Every kind of pride must revolt from the connection. He had, -to be sure, done much. She was ashamed to think how much. But he had -given a reason for his interference, which asked no extraordinary -stretch of belief. It was reasonable that he should feel he had been -wrong; he had liberality, and he had the means of exercising it; and -though she would not place herself as his principal inducement, she -could, perhaps, believe that remaining partiality for her might assist -his endeavours in a cause where her peace of mind must be materially -concerned. It was painful, exceedingly painful, to know that they were -under obligations to a person who could never receive a return. They -owed the restoration of Lydia, her character, every thing, to him. Oh! -how heartily did she grieve over every ungracious sensation she had ever -encouraged, every saucy speech she had ever directed towards him. For -herself she was humbled; but she was proud of him. Proud that in a cause -of compassion and honour, he had been able to get the better of himself. -She read over her aunt's commendation of him again and again. It -was hardly enough; but it pleased her. She was even sensible of some -pleasure, though mixed with regret, on finding how steadfastly both she -and her uncle had been persuaded that affection and confidence subsisted -between Mr. Darcy and herself. - -She was roused from her seat, and her reflections, by some one's -approach; and before she could strike into another path, she was -overtaken by Wickham. - -“I am afraid I interrupt your solitary ramble, my dear sister?” said he, -as he joined her. - -“You certainly do,” she replied with a smile; “but it does not follow -that the interruption must be unwelcome.” - -“I should be sorry indeed, if it were. We were always good friends; and -now we are better.” - -“True. Are the others coming out?” - -“I do not know. Mrs. Bennet and Lydia are going in the carriage to -Meryton. And so, my dear sister, I find, from our uncle and aunt, that -you have actually seen Pemberley.” - -She replied in the affirmative. - -“I almost envy you the pleasure, and yet I believe it would be too much -for me, or else I could take it in my way to Newcastle. And you saw the -old housekeeper, I suppose? Poor Reynolds, she was always very fond of -me. But of course she did not mention my name to you.” - -“Yes, she did.” - -“And what did she say?” - -“That you were gone into the army, and she was afraid had--not turned -out well. At such a distance as _that_, you know, things are strangely -misrepresented.” - -“Certainly,” he replied, biting his lips. Elizabeth hoped she had -silenced him; but he soon afterwards said: - -“I was surprised to see Darcy in town last month. We passed each other -several times. I wonder what he can be doing there.” - -“Perhaps preparing for his marriage with Miss de Bourgh,” said -Elizabeth. “It must be something particular, to take him there at this -time of year.” - -“Undoubtedly. Did you see him while you were at Lambton? I thought I -understood from the Gardiners that you had.” - -“Yes; he introduced us to his sister.” - -“And do you like her?” - -“Very much.” - -“I have heard, indeed, that she is uncommonly improved within this year -or two. When I last saw her, she was not very promising. I am very glad -you liked her. I hope she will turn out well.” - -“I dare say she will; she has got over the most trying age.” - -“Did you go by the village of Kympton?” - -“I do not recollect that we did.” - -“I mention it, because it is the living which I ought to have had. A -most delightful place!--Excellent Parsonage House! It would have suited -me in every respect.” - -“How should you have liked making sermons?” - -“Exceedingly well. I should have considered it as part of my duty, -and the exertion would soon have been nothing. One ought not to -repine;--but, to be sure, it would have been such a thing for me! The -quiet, the retirement of such a life would have answered all my ideas -of happiness! But it was not to be. Did you ever hear Darcy mention the -circumstance, when you were in Kent?” - -“I have heard from authority, which I thought _as good_, that it was -left you conditionally only, and at the will of the present patron.” - -“You have. Yes, there was something in _that_; I told you so from the -first, you may remember.” - -“I _did_ hear, too, that there was a time, when sermon-making was not -so palatable to you as it seems to be at present; that you actually -declared your resolution of never taking orders, and that the business -had been compromised accordingly.” - -“You did! and it was not wholly without foundation. You may remember -what I told you on that point, when first we talked of it.” - -They were now almost at the door of the house, for she had walked fast -to get rid of him; and unwilling, for her sister's sake, to provoke him, -she only said in reply, with a good-humoured smile: - -“Come, Mr. Wickham, we are brother and sister, you know. Do not let -us quarrel about the past. In future, I hope we shall be always of one -mind.” - -She held out her hand; he kissed it with affectionate gallantry, though -he hardly knew how to look, and they entered the house. - - - -Chapter 53 - - -Mr. Wickham was so perfectly satisfied with this conversation that he -never again distressed himself, or provoked his dear sister Elizabeth, -by introducing the subject of it; and she was pleased to find that she -had said enough to keep him quiet. - -The day of his and Lydia's departure soon came, and Mrs. Bennet was -forced to submit to a separation, which, as her husband by no means -entered into her scheme of their all going to Newcastle, was likely to -continue at least a twelvemonth. - -“Oh! my dear Lydia,” she cried, “when shall we meet again?” - -“Oh, lord! I don't know. Not these two or three years, perhaps.” - -“Write to me very often, my dear.” - -“As often as I can. But you know married women have never much time for -writing. My sisters may write to _me_. They will have nothing else to -do.” - -Mr. Wickham's adieus were much more affectionate than his wife's. He -smiled, looked handsome, and said many pretty things. - -“He is as fine a fellow,” said Mr. Bennet, as soon as they were out of -the house, “as ever I saw. He simpers, and smirks, and makes love to -us all. I am prodigiously proud of him. I defy even Sir William Lucas -himself to produce a more valuable son-in-law.” - -The loss of her daughter made Mrs. Bennet very dull for several days. - -“I often think,” said she, “that there is nothing so bad as parting with -one's friends. One seems so forlorn without them.” - -“This is the consequence, you see, Madam, of marrying a daughter,” said -Elizabeth. “It must make you better satisfied that your other four are -single.” - -“It is no such thing. Lydia does not leave me because she is married, -but only because her husband's regiment happens to be so far off. If -that had been nearer, she would not have gone so soon.” - -But the spiritless condition which this event threw her into was shortly -relieved, and her mind opened again to the agitation of hope, by an -article of news which then began to be in circulation. The housekeeper -at Netherfield had received orders to prepare for the arrival of her -master, who was coming down in a day or two, to shoot there for several -weeks. Mrs. Bennet was quite in the fidgets. She looked at Jane, and -smiled and shook her head by turns. - -“Well, well, and so Mr. Bingley is coming down, sister,” (for Mrs. -Phillips first brought her the news). “Well, so much the better. Not -that I care about it, though. He is nothing to us, you know, and I am -sure _I_ never want to see him again. But, however, he is very welcome -to come to Netherfield, if he likes it. And who knows what _may_ happen? -But that is nothing to us. You know, sister, we agreed long ago never to -mention a word about it. And so, is it quite certain he is coming?” - -“You may depend on it,” replied the other, “for Mrs. Nicholls was in -Meryton last night; I saw her passing by, and went out myself on purpose -to know the truth of it; and she told me that it was certain true. He -comes down on Thursday at the latest, very likely on Wednesday. She was -going to the butcher's, she told me, on purpose to order in some meat on -Wednesday, and she has got three couple of ducks just fit to be killed.” - -Miss Bennet had not been able to hear of his coming without changing -colour. It was many months since she had mentioned his name to -Elizabeth; but now, as soon as they were alone together, she said: - -“I saw you look at me to-day, Lizzy, when my aunt told us of the present -report; and I know I appeared distressed. But don't imagine it was from -any silly cause. I was only confused for the moment, because I felt that -I _should_ be looked at. I do assure you that the news does not affect -me either with pleasure or pain. I am glad of one thing, that he comes -alone; because we shall see the less of him. Not that I am afraid of -_myself_, but I dread other people's remarks.” - -Elizabeth did not know what to make of it. Had she not seen him in -Derbyshire, she might have supposed him capable of coming there with no -other view than what was acknowledged; but she still thought him partial -to Jane, and she wavered as to the greater probability of his coming -there _with_ his friend's permission, or being bold enough to come -without it. - -“Yet it is hard,” she sometimes thought, “that this poor man cannot -come to a house which he has legally hired, without raising all this -speculation! I _will_ leave him to himself.” - -In spite of what her sister declared, and really believed to be her -feelings in the expectation of his arrival, Elizabeth could easily -perceive that her spirits were affected by it. They were more disturbed, -more unequal, than she had often seen them. - -The subject which had been so warmly canvassed between their parents, -about a twelvemonth ago, was now brought forward again. - -“As soon as ever Mr. Bingley comes, my dear,” said Mrs. Bennet, “you -will wait on him of course.” - -“No, no. You forced me into visiting him last year, and promised, if I -went to see him, he should marry one of my daughters. But it ended in -nothing, and I will not be sent on a fool's errand again.” - -His wife represented to him how absolutely necessary such an attention -would be from all the neighbouring gentlemen, on his returning to -Netherfield. - -“'Tis an etiquette I despise,” said he. “If he wants our society, -let him seek it. He knows where we live. I will not spend my hours -in running after my neighbours every time they go away and come back -again.” - -“Well, all I know is, that it will be abominably rude if you do not wait -on him. But, however, that shan't prevent my asking him to dine here, I -am determined. We must have Mrs. Long and the Gouldings soon. That will -make thirteen with ourselves, so there will be just room at table for -him.” - -Consoled by this resolution, she was the better able to bear her -husband's incivility; though it was very mortifying to know that her -neighbours might all see Mr. Bingley, in consequence of it, before -_they_ did. As the day of his arrival drew near,-- - -“I begin to be sorry that he comes at all,” said Jane to her sister. “It -would be nothing; I could see him with perfect indifference, but I can -hardly bear to hear it thus perpetually talked of. My mother means well; -but she does not know, no one can know, how much I suffer from what she -says. Happy shall I be, when his stay at Netherfield is over!” - -“I wish I could say anything to comfort you,” replied Elizabeth; “but it -is wholly out of my power. You must feel it; and the usual satisfaction -of preaching patience to a sufferer is denied me, because you have -always so much.” - -Mr. Bingley arrived. Mrs. Bennet, through the assistance of servants, -contrived to have the earliest tidings of it, that the period of anxiety -and fretfulness on her side might be as long as it could. She counted -the days that must intervene before their invitation could be sent; -hopeless of seeing him before. But on the third morning after his -arrival in Hertfordshire, she saw him, from her dressing-room window, -enter the paddock and ride towards the house. - -Her daughters were eagerly called to partake of her joy. Jane resolutely -kept her place at the table; but Elizabeth, to satisfy her mother, went -to the window--she looked,--she saw Mr. Darcy with him, and sat down -again by her sister. - -“There is a gentleman with him, mamma,” said Kitty; “who can it be?” - -“Some acquaintance or other, my dear, I suppose; I am sure I do not -know.” - -“La!” replied Kitty, “it looks just like that man that used to be with -him before. Mr. what's-his-name. That tall, proud man.” - -“Good gracious! Mr. Darcy!--and so it does, I vow. Well, any friend of -Mr. Bingley's will always be welcome here, to be sure; but else I must -say that I hate the very sight of him.” - -Jane looked at Elizabeth with surprise and concern. She knew but little -of their meeting in Derbyshire, and therefore felt for the awkwardness -which must attend her sister, in seeing him almost for the first time -after receiving his explanatory letter. Both sisters were uncomfortable -enough. Each felt for the other, and of course for themselves; and their -mother talked on, of her dislike of Mr. Darcy, and her resolution to be -civil to him only as Mr. Bingley's friend, without being heard by either -of them. But Elizabeth had sources of uneasiness which could not be -suspected by Jane, to whom she had never yet had courage to shew Mrs. -Gardiner's letter, or to relate her own change of sentiment towards him. -To Jane, he could be only a man whose proposals she had refused, -and whose merit she had undervalued; but to her own more extensive -information, he was the person to whom the whole family were indebted -for the first of benefits, and whom she regarded herself with an -interest, if not quite so tender, at least as reasonable and just as -what Jane felt for Bingley. Her astonishment at his coming--at his -coming to Netherfield, to Longbourn, and voluntarily seeking her again, -was almost equal to what she had known on first witnessing his altered -behaviour in Derbyshire. - -The colour which had been driven from her face, returned for half a -minute with an additional glow, and a smile of delight added lustre to -her eyes, as she thought for that space of time that his affection and -wishes must still be unshaken. But she would not be secure. - -“Let me first see how he behaves,” said she; “it will then be early -enough for expectation.” - -She sat intently at work, striving to be composed, and without daring to -lift up her eyes, till anxious curiosity carried them to the face of -her sister as the servant was approaching the door. Jane looked a little -paler than usual, but more sedate than Elizabeth had expected. On the -gentlemen's appearing, her colour increased; yet she received them with -tolerable ease, and with a propriety of behaviour equally free from any -symptom of resentment or any unnecessary complaisance. - -Elizabeth said as little to either as civility would allow, and sat down -again to her work, with an eagerness which it did not often command. She -had ventured only one glance at Darcy. He looked serious, as usual; and, -she thought, more as he had been used to look in Hertfordshire, than as -she had seen him at Pemberley. But, perhaps he could not in her mother's -presence be what he was before her uncle and aunt. It was a painful, but -not an improbable, conjecture. - -Bingley, she had likewise seen for an instant, and in that short period -saw him looking both pleased and embarrassed. He was received by Mrs. -Bennet with a degree of civility which made her two daughters ashamed, -especially when contrasted with the cold and ceremonious politeness of -her curtsey and address to his friend. - -Elizabeth, particularly, who knew that her mother owed to the latter -the preservation of her favourite daughter from irremediable infamy, -was hurt and distressed to a most painful degree by a distinction so ill -applied. - -Darcy, after inquiring of her how Mr. and Mrs. Gardiner did, a question -which she could not answer without confusion, said scarcely anything. He -was not seated by her; perhaps that was the reason of his silence; but -it had not been so in Derbyshire. There he had talked to her friends, -when he could not to herself. But now several minutes elapsed without -bringing the sound of his voice; and when occasionally, unable to resist -the impulse of curiosity, she raised her eyes to his face, she as often -found him looking at Jane as at herself, and frequently on no object but -the ground. More thoughtfulness and less anxiety to please, than when -they last met, were plainly expressed. She was disappointed, and angry -with herself for being so. - -“Could I expect it to be otherwise!” said she. “Yet why did he come?” - -She was in no humour for conversation with anyone but himself; and to -him she had hardly courage to speak. - -She inquired after his sister, but could do no more. - -“It is a long time, Mr. Bingley, since you went away,” said Mrs. Bennet. - -He readily agreed to it. - -“I began to be afraid you would never come back again. People _did_ say -you meant to quit the place entirely at Michaelmas; but, however, I hope -it is not true. A great many changes have happened in the neighbourhood, -since you went away. Miss Lucas is married and settled. And one of my -own daughters. I suppose you have heard of it; indeed, you must have -seen it in the papers. It was in The Times and The Courier, I know; -though it was not put in as it ought to be. It was only said, 'Lately, -George Wickham, Esq. to Miss Lydia Bennet,' without there being a -syllable said of her father, or the place where she lived, or anything. -It was my brother Gardiner's drawing up too, and I wonder how he came to -make such an awkward business of it. Did you see it?” - -Bingley replied that he did, and made his congratulations. Elizabeth -dared not lift up her eyes. How Mr. Darcy looked, therefore, she could -not tell. - -“It is a delightful thing, to be sure, to have a daughter well married,” - continued her mother, “but at the same time, Mr. Bingley, it is very -hard to have her taken such a way from me. They are gone down to -Newcastle, a place quite northward, it seems, and there they are to stay -I do not know how long. His regiment is there; for I suppose you have -heard of his leaving the ----shire, and of his being gone into the -regulars. Thank Heaven! he has _some_ friends, though perhaps not so -many as he deserves.” - -Elizabeth, who knew this to be levelled at Mr. Darcy, was in such -misery of shame, that she could hardly keep her seat. It drew from her, -however, the exertion of speaking, which nothing else had so effectually -done before; and she asked Bingley whether he meant to make any stay in -the country at present. A few weeks, he believed. - -“When you have killed all your own birds, Mr. Bingley,” said her mother, -“I beg you will come here, and shoot as many as you please on Mr. -Bennet's manor. I am sure he will be vastly happy to oblige you, and -will save all the best of the covies for you.” - -Elizabeth's misery increased, at such unnecessary, such officious -attention! Were the same fair prospect to arise at present as had -flattered them a year ago, every thing, she was persuaded, would be -hastening to the same vexatious conclusion. At that instant, she felt -that years of happiness could not make Jane or herself amends for -moments of such painful confusion. - -“The first wish of my heart,” said she to herself, “is never more to -be in company with either of them. Their society can afford no pleasure -that will atone for such wretchedness as this! Let me never see either -one or the other again!” - -Yet the misery, for which years of happiness were to offer no -compensation, received soon afterwards material relief, from observing -how much the beauty of her sister re-kindled the admiration of her -former lover. When first he came in, he had spoken to her but little; -but every five minutes seemed to be giving her more of his attention. He -found her as handsome as she had been last year; as good natured, and -as unaffected, though not quite so chatty. Jane was anxious that no -difference should be perceived in her at all, and was really persuaded -that she talked as much as ever. But her mind was so busily engaged, -that she did not always know when she was silent. - -When the gentlemen rose to go away, Mrs. Bennet was mindful of her -intended civility, and they were invited and engaged to dine at -Longbourn in a few days time. - -“You are quite a visit in my debt, Mr. Bingley,” she added, “for when -you went to town last winter, you promised to take a family dinner with -us, as soon as you returned. I have not forgot, you see; and I assure -you, I was very much disappointed that you did not come back and keep -your engagement.” - -Bingley looked a little silly at this reflection, and said something of -his concern at having been prevented by business. They then went away. - -Mrs. Bennet had been strongly inclined to ask them to stay and dine -there that day; but, though she always kept a very good table, she did -not think anything less than two courses could be good enough for a man -on whom she had such anxious designs, or satisfy the appetite and pride -of one who had ten thousand a year. - - - -Chapter 54 - - -As soon as they were gone, Elizabeth walked out to recover her spirits; -or in other words, to dwell without interruption on those subjects that -must deaden them more. Mr. Darcy's behaviour astonished and vexed her. - -“Why, if he came only to be silent, grave, and indifferent,” said she, -“did he come at all?” - -She could settle it in no way that gave her pleasure. - -“He could be still amiable, still pleasing, to my uncle and aunt, when -he was in town; and why not to me? If he fears me, why come hither? If -he no longer cares for me, why silent? Teasing, teasing, man! I will -think no more about him.” - -Her resolution was for a short time involuntarily kept by the approach -of her sister, who joined her with a cheerful look, which showed her -better satisfied with their visitors, than Elizabeth. - -“Now,” said she, “that this first meeting is over, I feel perfectly -easy. I know my own strength, and I shall never be embarrassed again by -his coming. I am glad he dines here on Tuesday. It will then be publicly -seen that, on both sides, we meet only as common and indifferent -acquaintance.” - -“Yes, very indifferent indeed,” said Elizabeth, laughingly. “Oh, Jane, -take care.” - -“My dear Lizzy, you cannot think me so weak, as to be in danger now?” - -“I think you are in very great danger of making him as much in love with -you as ever.” - - * * * * * - -They did not see the gentlemen again till Tuesday; and Mrs. Bennet, in -the meanwhile, was giving way to all the happy schemes, which the good -humour and common politeness of Bingley, in half an hour's visit, had -revived. - -On Tuesday there was a large party assembled at Longbourn; and the two -who were most anxiously expected, to the credit of their punctuality -as sportsmen, were in very good time. When they repaired to the -dining-room, Elizabeth eagerly watched to see whether Bingley would take -the place, which, in all their former parties, had belonged to him, by -her sister. Her prudent mother, occupied by the same ideas, forbore -to invite him to sit by herself. On entering the room, he seemed to -hesitate; but Jane happened to look round, and happened to smile: it was -decided. He placed himself by her. - -Elizabeth, with a triumphant sensation, looked towards his friend. -He bore it with noble indifference, and she would have imagined that -Bingley had received his sanction to be happy, had she not seen his eyes -likewise turned towards Mr. Darcy, with an expression of half-laughing -alarm. - -His behaviour to her sister was such, during dinner time, as showed an -admiration of her, which, though more guarded than formerly, persuaded -Elizabeth, that if left wholly to himself, Jane's happiness, and his -own, would be speedily secured. Though she dared not depend upon the -consequence, she yet received pleasure from observing his behaviour. It -gave her all the animation that her spirits could boast; for she was in -no cheerful humour. Mr. Darcy was almost as far from her as the table -could divide them. He was on one side of her mother. She knew how little -such a situation would give pleasure to either, or make either appear to -advantage. She was not near enough to hear any of their discourse, but -she could see how seldom they spoke to each other, and how formal and -cold was their manner whenever they did. Her mother's ungraciousness, -made the sense of what they owed him more painful to Elizabeth's mind; -and she would, at times, have given anything to be privileged to tell -him that his kindness was neither unknown nor unfelt by the whole of the -family. - -She was in hopes that the evening would afford some opportunity of -bringing them together; that the whole of the visit would not pass away -without enabling them to enter into something more of conversation than -the mere ceremonious salutation attending his entrance. Anxious -and uneasy, the period which passed in the drawing-room, before the -gentlemen came, was wearisome and dull to a degree that almost made her -uncivil. She looked forward to their entrance as the point on which all -her chance of pleasure for the evening must depend. - -“If he does not come to me, _then_,” said she, “I shall give him up for -ever.” - -The gentlemen came; and she thought he looked as if he would have -answered her hopes; but, alas! the ladies had crowded round the table, -where Miss Bennet was making tea, and Elizabeth pouring out the coffee, -in so close a confederacy that there was not a single vacancy near her -which would admit of a chair. And on the gentlemen's approaching, one of -the girls moved closer to her than ever, and said, in a whisper: - -“The men shan't come and part us, I am determined. We want none of them; -do we?” - -Darcy had walked away to another part of the room. She followed him with -her eyes, envied everyone to whom he spoke, had scarcely patience enough -to help anybody to coffee; and then was enraged against herself for -being so silly! - -“A man who has once been refused! How could I ever be foolish enough to -expect a renewal of his love? Is there one among the sex, who would not -protest against such a weakness as a second proposal to the same woman? -There is no indignity so abhorrent to their feelings!” - -She was a little revived, however, by his bringing back his coffee cup -himself; and she seized the opportunity of saying: - -“Is your sister at Pemberley still?” - -“Yes, she will remain there till Christmas.” - -“And quite alone? Have all her friends left her?” - -“Mrs. Annesley is with her. The others have been gone on to Scarborough, -these three weeks.” - -She could think of nothing more to say; but if he wished to converse -with her, he might have better success. He stood by her, however, for -some minutes, in silence; and, at last, on the young lady's whispering -to Elizabeth again, he walked away. - -When the tea-things were removed, and the card-tables placed, the ladies -all rose, and Elizabeth was then hoping to be soon joined by him, -when all her views were overthrown by seeing him fall a victim to her -mother's rapacity for whist players, and in a few moments after seated -with the rest of the party. She now lost every expectation of pleasure. -They were confined for the evening at different tables, and she had -nothing to hope, but that his eyes were so often turned towards her side -of the room, as to make him play as unsuccessfully as herself. - -Mrs. Bennet had designed to keep the two Netherfield gentlemen to -supper; but their carriage was unluckily ordered before any of the -others, and she had no opportunity of detaining them. - -“Well girls,” said she, as soon as they were left to themselves, “What -say you to the day? I think every thing has passed off uncommonly well, -I assure you. The dinner was as well dressed as any I ever saw. The -venison was roasted to a turn--and everybody said they never saw so -fat a haunch. The soup was fifty times better than what we had at the -Lucases' last week; and even Mr. Darcy acknowledged, that the partridges -were remarkably well done; and I suppose he has two or three French -cooks at least. And, my dear Jane, I never saw you look in greater -beauty. Mrs. Long said so too, for I asked her whether you did not. And -what do you think she said besides? 'Ah! Mrs. Bennet, we shall have her -at Netherfield at last.' She did indeed. I do think Mrs. Long is as good -a creature as ever lived--and her nieces are very pretty behaved girls, -and not at all handsome: I like them prodigiously.” - -Mrs. Bennet, in short, was in very great spirits; she had seen enough of -Bingley's behaviour to Jane, to be convinced that she would get him at -last; and her expectations of advantage to her family, when in a happy -humour, were so far beyond reason, that she was quite disappointed at -not seeing him there again the next day, to make his proposals. - -“It has been a very agreeable day,” said Miss Bennet to Elizabeth. “The -party seemed so well selected, so suitable one with the other. I hope we -may often meet again.” - -Elizabeth smiled. - -“Lizzy, you must not do so. You must not suspect me. It mortifies me. -I assure you that I have now learnt to enjoy his conversation as an -agreeable and sensible young man, without having a wish beyond it. I am -perfectly satisfied, from what his manners now are, that he never had -any design of engaging my affection. It is only that he is blessed -with greater sweetness of address, and a stronger desire of generally -pleasing, than any other man.” - -“You are very cruel,” said her sister, “you will not let me smile, and -are provoking me to it every moment.” - -“How hard it is in some cases to be believed!” - -“And how impossible in others!” - -“But why should you wish to persuade me that I feel more than I -acknowledge?” - -“That is a question which I hardly know how to answer. We all love to -instruct, though we can teach only what is not worth knowing. Forgive -me; and if you persist in indifference, do not make me your confidante.” - - - -Chapter 55 - - -A few days after this visit, Mr. Bingley called again, and alone. His -friend had left him that morning for London, but was to return home in -ten days time. He sat with them above an hour, and was in remarkably -good spirits. Mrs. Bennet invited him to dine with them; but, with many -expressions of concern, he confessed himself engaged elsewhere. - -“Next time you call,” said she, “I hope we shall be more lucky.” - -He should be particularly happy at any time, etc. etc.; and if she would -give him leave, would take an early opportunity of waiting on them. - -“Can you come to-morrow?” - -Yes, he had no engagement at all for to-morrow; and her invitation was -accepted with alacrity. - -He came, and in such very good time that the ladies were none of them -dressed. In ran Mrs. Bennet to her daughter's room, in her dressing -gown, and with her hair half finished, crying out: - -“My dear Jane, make haste and hurry down. He is come--Mr. Bingley is -come. He is, indeed. Make haste, make haste. Here, Sarah, come to Miss -Bennet this moment, and help her on with her gown. Never mind Miss -Lizzy's hair.” - -“We will be down as soon as we can,” said Jane; “but I dare say Kitty is -forwarder than either of us, for she went up stairs half an hour ago.” - -“Oh! hang Kitty! what has she to do with it? Come be quick, be quick! -Where is your sash, my dear?” - -But when her mother was gone, Jane would not be prevailed on to go down -without one of her sisters. - -The same anxiety to get them by themselves was visible again in the -evening. After tea, Mr. Bennet retired to the library, as was his -custom, and Mary went up stairs to her instrument. Two obstacles of -the five being thus removed, Mrs. Bennet sat looking and winking at -Elizabeth and Catherine for a considerable time, without making any -impression on them. Elizabeth would not observe her; and when at last -Kitty did, she very innocently said, “What is the matter mamma? What do -you keep winking at me for? What am I to do?” - -“Nothing child, nothing. I did not wink at you.” She then sat still -five minutes longer; but unable to waste such a precious occasion, she -suddenly got up, and saying to Kitty, “Come here, my love, I want to -speak to you,” took her out of the room. Jane instantly gave a look -at Elizabeth which spoke her distress at such premeditation, and her -entreaty that _she_ would not give in to it. In a few minutes, Mrs. -Bennet half-opened the door and called out: - -“Lizzy, my dear, I want to speak with you.” - -Elizabeth was forced to go. - -“We may as well leave them by themselves you know;” said her mother, as -soon as she was in the hall. “Kitty and I are going up stairs to sit in -my dressing-room.” - -Elizabeth made no attempt to reason with her mother, but remained -quietly in the hall, till she and Kitty were out of sight, then returned -into the drawing-room. - -Mrs. Bennet's schemes for this day were ineffectual. Bingley was every -thing that was charming, except the professed lover of her daughter. His -ease and cheerfulness rendered him a most agreeable addition to their -evening party; and he bore with the ill-judged officiousness of the -mother, and heard all her silly remarks with a forbearance and command -of countenance particularly grateful to the daughter. - -He scarcely needed an invitation to stay supper; and before he went -away, an engagement was formed, chiefly through his own and Mrs. -Bennet's means, for his coming next morning to shoot with her husband. - -After this day, Jane said no more of her indifference. Not a word passed -between the sisters concerning Bingley; but Elizabeth went to bed in -the happy belief that all must speedily be concluded, unless Mr. Darcy -returned within the stated time. Seriously, however, she felt tolerably -persuaded that all this must have taken place with that gentleman's -concurrence. - -Bingley was punctual to his appointment; and he and Mr. Bennet spent -the morning together, as had been agreed on. The latter was much more -agreeable than his companion expected. There was nothing of presumption -or folly in Bingley that could provoke his ridicule, or disgust him into -silence; and he was more communicative, and less eccentric, than the -other had ever seen him. Bingley of course returned with him to dinner; -and in the evening Mrs. Bennet's invention was again at work to get -every body away from him and her daughter. Elizabeth, who had a letter -to write, went into the breakfast room for that purpose soon after tea; -for as the others were all going to sit down to cards, she could not be -wanted to counteract her mother's schemes. - -But on returning to the drawing-room, when her letter was finished, she -saw, to her infinite surprise, there was reason to fear that her mother -had been too ingenious for her. On opening the door, she perceived her -sister and Bingley standing together over the hearth, as if engaged in -earnest conversation; and had this led to no suspicion, the faces of -both, as they hastily turned round and moved away from each other, would -have told it all. Their situation was awkward enough; but _hers_ she -thought was still worse. Not a syllable was uttered by either; and -Elizabeth was on the point of going away again, when Bingley, who as -well as the other had sat down, suddenly rose, and whispering a few -words to her sister, ran out of the room. - -Jane could have no reserves from Elizabeth, where confidence would give -pleasure; and instantly embracing her, acknowledged, with the liveliest -emotion, that she was the happiest creature in the world. - -“'Tis too much!” she added, “by far too much. I do not deserve it. Oh! -why is not everybody as happy?” - -Elizabeth's congratulations were given with a sincerity, a warmth, -a delight, which words could but poorly express. Every sentence of -kindness was a fresh source of happiness to Jane. But she would not -allow herself to stay with her sister, or say half that remained to be -said for the present. - -“I must go instantly to my mother;” she cried. “I would not on any -account trifle with her affectionate solicitude; or allow her to hear it -from anyone but myself. He is gone to my father already. Oh! Lizzy, to -know that what I have to relate will give such pleasure to all my dear -family! how shall I bear so much happiness!” - -She then hastened away to her mother, who had purposely broken up the -card party, and was sitting up stairs with Kitty. - -Elizabeth, who was left by herself, now smiled at the rapidity and ease -with which an affair was finally settled, that had given them so many -previous months of suspense and vexation. - -“And this,” said she, “is the end of all his friend's anxious -circumspection! of all his sister's falsehood and contrivance! the -happiest, wisest, most reasonable end!” - -In a few minutes she was joined by Bingley, whose conference with her -father had been short and to the purpose. - -“Where is your sister?” said he hastily, as he opened the door. - -“With my mother up stairs. She will be down in a moment, I dare say.” - -He then shut the door, and, coming up to her, claimed the good wishes -and affection of a sister. Elizabeth honestly and heartily expressed -her delight in the prospect of their relationship. They shook hands with -great cordiality; and then, till her sister came down, she had to listen -to all he had to say of his own happiness, and of Jane's perfections; -and in spite of his being a lover, Elizabeth really believed all his -expectations of felicity to be rationally founded, because they had for -basis the excellent understanding, and super-excellent disposition of -Jane, and a general similarity of feeling and taste between her and -himself. - -It was an evening of no common delight to them all; the satisfaction of -Miss Bennet's mind gave a glow of such sweet animation to her face, as -made her look handsomer than ever. Kitty simpered and smiled, and hoped -her turn was coming soon. Mrs. Bennet could not give her consent or -speak her approbation in terms warm enough to satisfy her feelings, -though she talked to Bingley of nothing else for half an hour; and when -Mr. Bennet joined them at supper, his voice and manner plainly showed -how really happy he was. - -Not a word, however, passed his lips in allusion to it, till their -visitor took his leave for the night; but as soon as he was gone, he -turned to his daughter, and said: - -“Jane, I congratulate you. You will be a very happy woman.” - -Jane went to him instantly, kissed him, and thanked him for his -goodness. - -“You are a good girl;” he replied, “and I have great pleasure in -thinking you will be so happily settled. I have not a doubt of your -doing very well together. Your tempers are by no means unlike. You are -each of you so complying, that nothing will ever be resolved on; so -easy, that every servant will cheat you; and so generous, that you will -always exceed your income.” - -“I hope not so. Imprudence or thoughtlessness in money matters would be -unpardonable in me.” - -“Exceed their income! My dear Mr. Bennet,” cried his wife, “what are you -talking of? Why, he has four or five thousand a year, and very likely -more.” Then addressing her daughter, “Oh! my dear, dear Jane, I am so -happy! I am sure I shan't get a wink of sleep all night. I knew how it -would be. I always said it must be so, at last. I was sure you could not -be so beautiful for nothing! I remember, as soon as ever I saw him, when -he first came into Hertfordshire last year, I thought how likely it was -that you should come together. Oh! he is the handsomest young man that -ever was seen!” - -Wickham, Lydia, were all forgotten. Jane was beyond competition her -favourite child. At that moment, she cared for no other. Her younger -sisters soon began to make interest with her for objects of happiness -which she might in future be able to dispense. - -Mary petitioned for the use of the library at Netherfield; and Kitty -begged very hard for a few balls there every winter. - -Bingley, from this time, was of course a daily visitor at Longbourn; -coming frequently before breakfast, and always remaining till after -supper; unless when some barbarous neighbour, who could not be enough -detested, had given him an invitation to dinner which he thought himself -obliged to accept. - -Elizabeth had now but little time for conversation with her sister; for -while he was present, Jane had no attention to bestow on anyone else; -but she found herself considerably useful to both of them in those hours -of separation that must sometimes occur. In the absence of Jane, he -always attached himself to Elizabeth, for the pleasure of talking of -her; and when Bingley was gone, Jane constantly sought the same means of -relief. - -“He has made me so happy,” said she, one evening, “by telling me that he -was totally ignorant of my being in town last spring! I had not believed -it possible.” - -“I suspected as much,” replied Elizabeth. “But how did he account for -it?” - -“It must have been his sister's doing. They were certainly no friends to -his acquaintance with me, which I cannot wonder at, since he might have -chosen so much more advantageously in many respects. But when they see, -as I trust they will, that their brother is happy with me, they will -learn to be contented, and we shall be on good terms again; though we -can never be what we once were to each other.” - -“That is the most unforgiving speech,” said Elizabeth, “that I ever -heard you utter. Good girl! It would vex me, indeed, to see you again -the dupe of Miss Bingley's pretended regard.” - -“Would you believe it, Lizzy, that when he went to town last November, -he really loved me, and nothing but a persuasion of _my_ being -indifferent would have prevented his coming down again!” - -“He made a little mistake to be sure; but it is to the credit of his -modesty.” - -This naturally introduced a panegyric from Jane on his diffidence, and -the little value he put on his own good qualities. Elizabeth was pleased -to find that he had not betrayed the interference of his friend; for, -though Jane had the most generous and forgiving heart in the world, she -knew it was a circumstance which must prejudice her against him. - -“I am certainly the most fortunate creature that ever existed!” cried -Jane. “Oh! Lizzy, why am I thus singled from my family, and blessed -above them all! If I could but see _you_ as happy! If there _were_ but -such another man for you!” - -“If you were to give me forty such men, I never could be so happy as -you. Till I have your disposition, your goodness, I never can have your -happiness. No, no, let me shift for myself; and, perhaps, if I have very -good luck, I may meet with another Mr. Collins in time.” - -The situation of affairs in the Longbourn family could not be long a -secret. Mrs. Bennet was privileged to whisper it to Mrs. Phillips, -and she ventured, without any permission, to do the same by all her -neighbours in Meryton. - -The Bennets were speedily pronounced to be the luckiest family in the -world, though only a few weeks before, when Lydia had first run away, -they had been generally proved to be marked out for misfortune. - - - -Chapter 56 - - -One morning, about a week after Bingley's engagement with Jane had been -formed, as he and the females of the family were sitting together in the -dining-room, their attention was suddenly drawn to the window, by the -sound of a carriage; and they perceived a chaise and four driving up -the lawn. It was too early in the morning for visitors, and besides, the -equipage did not answer to that of any of their neighbours. The horses -were post; and neither the carriage, nor the livery of the servant who -preceded it, were familiar to them. As it was certain, however, that -somebody was coming, Bingley instantly prevailed on Miss Bennet to avoid -the confinement of such an intrusion, and walk away with him into the -shrubbery. They both set off, and the conjectures of the remaining three -continued, though with little satisfaction, till the door was thrown -open and their visitor entered. It was Lady Catherine de Bourgh. - -They were of course all intending to be surprised; but their -astonishment was beyond their expectation; and on the part of Mrs. -Bennet and Kitty, though she was perfectly unknown to them, even -inferior to what Elizabeth felt. - -She entered the room with an air more than usually ungracious, made no -other reply to Elizabeth's salutation than a slight inclination of the -head, and sat down without saying a word. Elizabeth had mentioned her -name to her mother on her ladyship's entrance, though no request of -introduction had been made. - -Mrs. Bennet, all amazement, though flattered by having a guest of such -high importance, received her with the utmost politeness. After sitting -for a moment in silence, she said very stiffly to Elizabeth, - -“I hope you are well, Miss Bennet. That lady, I suppose, is your -mother.” - -Elizabeth replied very concisely that she was. - -“And _that_ I suppose is one of your sisters.” - -“Yes, madam,” said Mrs. Bennet, delighted to speak to Lady Catherine. -“She is my youngest girl but one. My youngest of all is lately married, -and my eldest is somewhere about the grounds, walking with a young man -who, I believe, will soon become a part of the family.” - -“You have a very small park here,” returned Lady Catherine after a short -silence. - -“It is nothing in comparison of Rosings, my lady, I dare say; but I -assure you it is much larger than Sir William Lucas's.” - -“This must be a most inconvenient sitting room for the evening, in -summer; the windows are full west.” - -Mrs. Bennet assured her that they never sat there after dinner, and then -added: - -“May I take the liberty of asking your ladyship whether you left Mr. and -Mrs. Collins well.” - -“Yes, very well. I saw them the night before last.” - -Elizabeth now expected that she would produce a letter for her from -Charlotte, as it seemed the only probable motive for her calling. But no -letter appeared, and she was completely puzzled. - -Mrs. Bennet, with great civility, begged her ladyship to take some -refreshment; but Lady Catherine very resolutely, and not very politely, -declined eating anything; and then, rising up, said to Elizabeth, - -“Miss Bennet, there seemed to be a prettyish kind of a little wilderness -on one side of your lawn. I should be glad to take a turn in it, if you -will favour me with your company.” - -“Go, my dear,” cried her mother, “and show her ladyship about the -different walks. I think she will be pleased with the hermitage.” - -Elizabeth obeyed, and running into her own room for her parasol, -attended her noble guest downstairs. As they passed through the -hall, Lady Catherine opened the doors into the dining-parlour and -drawing-room, and pronouncing them, after a short survey, to be decent -looking rooms, walked on. - -Her carriage remained at the door, and Elizabeth saw that her -waiting-woman was in it. They proceeded in silence along the gravel walk -that led to the copse; Elizabeth was determined to make no effort for -conversation with a woman who was now more than usually insolent and -disagreeable. - -“How could I ever think her like her nephew?” said she, as she looked in -her face. - -As soon as they entered the copse, Lady Catherine began in the following -manner:-- - -“You can be at no loss, Miss Bennet, to understand the reason of my -journey hither. Your own heart, your own conscience, must tell you why I -come.” - -Elizabeth looked with unaffected astonishment. - -“Indeed, you are mistaken, Madam. I have not been at all able to account -for the honour of seeing you here.” - -“Miss Bennet,” replied her ladyship, in an angry tone, “you ought to -know, that I am not to be trifled with. But however insincere _you_ may -choose to be, you shall not find _me_ so. My character has ever been -celebrated for its sincerity and frankness, and in a cause of such -moment as this, I shall certainly not depart from it. A report of a most -alarming nature reached me two days ago. I was told that not only your -sister was on the point of being most advantageously married, but that -you, that Miss Elizabeth Bennet, would, in all likelihood, be soon -afterwards united to my nephew, my own nephew, Mr. Darcy. Though I -_know_ it must be a scandalous falsehood, though I would not injure him -so much as to suppose the truth of it possible, I instantly resolved -on setting off for this place, that I might make my sentiments known to -you.” - -“If you believed it impossible to be true,” said Elizabeth, colouring -with astonishment and disdain, “I wonder you took the trouble of coming -so far. What could your ladyship propose by it?” - -“At once to insist upon having such a report universally contradicted.” - -“Your coming to Longbourn, to see me and my family,” said Elizabeth -coolly, “will be rather a confirmation of it; if, indeed, such a report -is in existence.” - -“If! Do you then pretend to be ignorant of it? Has it not been -industriously circulated by yourselves? Do you not know that such a -report is spread abroad?” - -“I never heard that it was.” - -“And can you likewise declare, that there is no foundation for it?” - -“I do not pretend to possess equal frankness with your ladyship. You may -ask questions which I shall not choose to answer.” - -“This is not to be borne. Miss Bennet, I insist on being satisfied. Has -he, has my nephew, made you an offer of marriage?” - -“Your ladyship has declared it to be impossible.” - -“It ought to be so; it must be so, while he retains the use of his -reason. But your arts and allurements may, in a moment of infatuation, -have made him forget what he owes to himself and to all his family. You -may have drawn him in.” - -“If I have, I shall be the last person to confess it.” - -“Miss Bennet, do you know who I am? I have not been accustomed to such -language as this. I am almost the nearest relation he has in the world, -and am entitled to know all his dearest concerns.” - -“But you are not entitled to know mine; nor will such behaviour as this, -ever induce me to be explicit.” - -“Let me be rightly understood. This match, to which you have the -presumption to aspire, can never take place. No, never. Mr. Darcy is -engaged to my daughter. Now what have you to say?” - -“Only this; that if he is so, you can have no reason to suppose he will -make an offer to me.” - -Lady Catherine hesitated for a moment, and then replied: - -“The engagement between them is of a peculiar kind. From their infancy, -they have been intended for each other. It was the favourite wish of -_his_ mother, as well as of hers. While in their cradles, we planned -the union: and now, at the moment when the wishes of both sisters would -be accomplished in their marriage, to be prevented by a young woman of -inferior birth, of no importance in the world, and wholly unallied to -the family! Do you pay no regard to the wishes of his friends? To his -tacit engagement with Miss de Bourgh? Are you lost to every feeling of -propriety and delicacy? Have you not heard me say that from his earliest -hours he was destined for his cousin?” - -“Yes, and I had heard it before. But what is that to me? If there is -no other objection to my marrying your nephew, I shall certainly not -be kept from it by knowing that his mother and aunt wished him to -marry Miss de Bourgh. You both did as much as you could in planning the -marriage. Its completion depended on others. If Mr. Darcy is neither -by honour nor inclination confined to his cousin, why is not he to make -another choice? And if I am that choice, why may not I accept him?” - -“Because honour, decorum, prudence, nay, interest, forbid it. Yes, -Miss Bennet, interest; for do not expect to be noticed by his family or -friends, if you wilfully act against the inclinations of all. You will -be censured, slighted, and despised, by everyone connected with him. -Your alliance will be a disgrace; your name will never even be mentioned -by any of us.” - -“These are heavy misfortunes,” replied Elizabeth. “But the wife of Mr. -Darcy must have such extraordinary sources of happiness necessarily -attached to her situation, that she could, upon the whole, have no cause -to repine.” - -“Obstinate, headstrong girl! I am ashamed of you! Is this your gratitude -for my attentions to you last spring? Is nothing due to me on that -score? Let us sit down. You are to understand, Miss Bennet, that I came -here with the determined resolution of carrying my purpose; nor will -I be dissuaded from it. I have not been used to submit to any person's -whims. I have not been in the habit of brooking disappointment.” - -“_That_ will make your ladyship's situation at present more pitiable; -but it will have no effect on me.” - -“I will not be interrupted. Hear me in silence. My daughter and my -nephew are formed for each other. They are descended, on the maternal -side, from the same noble line; and, on the father's, from respectable, -honourable, and ancient--though untitled--families. Their fortune on -both sides is splendid. They are destined for each other by the voice of -every member of their respective houses; and what is to divide them? -The upstart pretensions of a young woman without family, connections, -or fortune. Is this to be endured! But it must not, shall not be. If you -were sensible of your own good, you would not wish to quit the sphere in -which you have been brought up.” - -“In marrying your nephew, I should not consider myself as quitting that -sphere. He is a gentleman; I am a gentleman's daughter; so far we are -equal.” - -“True. You _are_ a gentleman's daughter. But who was your mother? -Who are your uncles and aunts? Do not imagine me ignorant of their -condition.” - -“Whatever my connections may be,” said Elizabeth, “if your nephew does -not object to them, they can be nothing to _you_.” - -“Tell me once for all, are you engaged to him?” - -Though Elizabeth would not, for the mere purpose of obliging Lady -Catherine, have answered this question, she could not but say, after a -moment's deliberation: - -“I am not.” - -Lady Catherine seemed pleased. - -“And will you promise me, never to enter into such an engagement?” - -“I will make no promise of the kind.” - -“Miss Bennet I am shocked and astonished. I expected to find a more -reasonable young woman. But do not deceive yourself into a belief that -I will ever recede. I shall not go away till you have given me the -assurance I require.” - -“And I certainly _never_ shall give it. I am not to be intimidated into -anything so wholly unreasonable. Your ladyship wants Mr. Darcy to marry -your daughter; but would my giving you the wished-for promise make their -marriage at all more probable? Supposing him to be attached to me, would -my refusing to accept his hand make him wish to bestow it on his cousin? -Allow me to say, Lady Catherine, that the arguments with which you have -supported this extraordinary application have been as frivolous as the -application was ill-judged. You have widely mistaken my character, if -you think I can be worked on by such persuasions as these. How far your -nephew might approve of your interference in his affairs, I cannot tell; -but you have certainly no right to concern yourself in mine. I must beg, -therefore, to be importuned no farther on the subject.” - -“Not so hasty, if you please. I have by no means done. To all the -objections I have already urged, I have still another to add. I am -no stranger to the particulars of your youngest sister's infamous -elopement. I know it all; that the young man's marrying her was a -patched-up business, at the expence of your father and uncles. And is -such a girl to be my nephew's sister? Is her husband, is the son of his -late father's steward, to be his brother? Heaven and earth!--of what are -you thinking? Are the shades of Pemberley to be thus polluted?” - -“You can now have nothing further to say,” she resentfully answered. -“You have insulted me in every possible method. I must beg to return to -the house.” - -And she rose as she spoke. Lady Catherine rose also, and they turned -back. Her ladyship was highly incensed. - -“You have no regard, then, for the honour and credit of my nephew! -Unfeeling, selfish girl! Do you not consider that a connection with you -must disgrace him in the eyes of everybody?” - -“Lady Catherine, I have nothing further to say. You know my sentiments.” - -“You are then resolved to have him?” - -“I have said no such thing. I am only resolved to act in that manner, -which will, in my own opinion, constitute my happiness, without -reference to _you_, or to any person so wholly unconnected with me.” - -“It is well. You refuse, then, to oblige me. You refuse to obey the -claims of duty, honour, and gratitude. You are determined to ruin him in -the opinion of all his friends, and make him the contempt of the world.” - -“Neither duty, nor honour, nor gratitude,” replied Elizabeth, “have any -possible claim on me, in the present instance. No principle of either -would be violated by my marriage with Mr. Darcy. And with regard to the -resentment of his family, or the indignation of the world, if the former -_were_ excited by his marrying me, it would not give me one moment's -concern--and the world in general would have too much sense to join in -the scorn.” - -“And this is your real opinion! This is your final resolve! Very well. -I shall now know how to act. Do not imagine, Miss Bennet, that your -ambition will ever be gratified. I came to try you. I hoped to find you -reasonable; but, depend upon it, I will carry my point.” - -In this manner Lady Catherine talked on, till they were at the door of -the carriage, when, turning hastily round, she added, “I take no leave -of you, Miss Bennet. I send no compliments to your mother. You deserve -no such attention. I am most seriously displeased.” - -Elizabeth made no answer; and without attempting to persuade her -ladyship to return into the house, walked quietly into it herself. She -heard the carriage drive away as she proceeded up stairs. Her mother -impatiently met her at the door of the dressing-room, to ask why Lady -Catherine would not come in again and rest herself. - -“She did not choose it,” said her daughter, “she would go.” - -“She is a very fine-looking woman! and her calling here was prodigiously -civil! for she only came, I suppose, to tell us the Collinses were -well. She is on her road somewhere, I dare say, and so, passing through -Meryton, thought she might as well call on you. I suppose she had -nothing particular to say to you, Lizzy?” - -Elizabeth was forced to give into a little falsehood here; for to -acknowledge the substance of their conversation was impossible. - - - -Chapter 57 - - -The discomposure of spirits which this extraordinary visit threw -Elizabeth into, could not be easily overcome; nor could she, for many -hours, learn to think of it less than incessantly. Lady Catherine, it -appeared, had actually taken the trouble of this journey from Rosings, -for the sole purpose of breaking off her supposed engagement with Mr. -Darcy. It was a rational scheme, to be sure! but from what the report -of their engagement could originate, Elizabeth was at a loss to imagine; -till she recollected that _his_ being the intimate friend of Bingley, -and _her_ being the sister of Jane, was enough, at a time when the -expectation of one wedding made everybody eager for another, to supply -the idea. She had not herself forgotten to feel that the marriage of her -sister must bring them more frequently together. And her neighbours -at Lucas Lodge, therefore (for through their communication with the -Collinses, the report, she concluded, had reached Lady Catherine), had -only set that down as almost certain and immediate, which she had looked -forward to as possible at some future time. - -In revolving Lady Catherine's expressions, however, she could not help -feeling some uneasiness as to the possible consequence of her persisting -in this interference. From what she had said of her resolution to -prevent their marriage, it occurred to Elizabeth that she must meditate -an application to her nephew; and how _he_ might take a similar -representation of the evils attached to a connection with her, she dared -not pronounce. She knew not the exact degree of his affection for his -aunt, or his dependence on her judgment, but it was natural to suppose -that he thought much higher of her ladyship than _she_ could do; and it -was certain that, in enumerating the miseries of a marriage with _one_, -whose immediate connections were so unequal to his own, his aunt would -address him on his weakest side. With his notions of dignity, he would -probably feel that the arguments, which to Elizabeth had appeared weak -and ridiculous, contained much good sense and solid reasoning. - -If he had been wavering before as to what he should do, which had often -seemed likely, the advice and entreaty of so near a relation might -settle every doubt, and determine him at once to be as happy as dignity -unblemished could make him. In that case he would return no more. Lady -Catherine might see him in her way through town; and his engagement to -Bingley of coming again to Netherfield must give way. - -“If, therefore, an excuse for not keeping his promise should come to his -friend within a few days,” she added, “I shall know how to understand -it. I shall then give over every expectation, every wish of his -constancy. If he is satisfied with only regretting me, when he might -have obtained my affections and hand, I shall soon cease to regret him -at all.” - - * * * * * - -The surprise of the rest of the family, on hearing who their visitor had -been, was very great; but they obligingly satisfied it, with the same -kind of supposition which had appeased Mrs. Bennet's curiosity; and -Elizabeth was spared from much teasing on the subject. - -The next morning, as she was going downstairs, she was met by her -father, who came out of his library with a letter in his hand. - -“Lizzy,” said he, “I was going to look for you; come into my room.” - -She followed him thither; and her curiosity to know what he had to -tell her was heightened by the supposition of its being in some manner -connected with the letter he held. It suddenly struck her that it -might be from Lady Catherine; and she anticipated with dismay all the -consequent explanations. - -She followed her father to the fire place, and they both sat down. He -then said, - -“I have received a letter this morning that has astonished me -exceedingly. As it principally concerns yourself, you ought to know its -contents. I did not know before, that I had two daughters on the brink -of matrimony. Let me congratulate you on a very important conquest.” - -The colour now rushed into Elizabeth's cheeks in the instantaneous -conviction of its being a letter from the nephew, instead of the aunt; -and she was undetermined whether most to be pleased that he explained -himself at all, or offended that his letter was not rather addressed to -herself; when her father continued: - -“You look conscious. Young ladies have great penetration in such matters -as these; but I think I may defy even _your_ sagacity, to discover the -name of your admirer. This letter is from Mr. Collins.” - -“From Mr. Collins! and what can _he_ have to say?” - -“Something very much to the purpose of course. He begins with -congratulations on the approaching nuptials of my eldest daughter, of -which, it seems, he has been told by some of the good-natured, gossiping -Lucases. I shall not sport with your impatience, by reading what he says -on that point. What relates to yourself, is as follows: 'Having thus -offered you the sincere congratulations of Mrs. Collins and myself on -this happy event, let me now add a short hint on the subject of another; -of which we have been advertised by the same authority. Your daughter -Elizabeth, it is presumed, will not long bear the name of Bennet, after -her elder sister has resigned it, and the chosen partner of her fate may -be reasonably looked up to as one of the most illustrious personages in -this land.' - -“Can you possibly guess, Lizzy, who is meant by this? 'This young -gentleman is blessed, in a peculiar way, with every thing the heart of -mortal can most desire,--splendid property, noble kindred, and extensive -patronage. Yet in spite of all these temptations, let me warn my cousin -Elizabeth, and yourself, of what evils you may incur by a precipitate -closure with this gentleman's proposals, which, of course, you will be -inclined to take immediate advantage of.' - -“Have you any idea, Lizzy, who this gentleman is? But now it comes out: - -“'My motive for cautioning you is as follows. We have reason to imagine -that his aunt, Lady Catherine de Bourgh, does not look on the match with -a friendly eye.' - -“_Mr. Darcy_, you see, is the man! Now, Lizzy, I think I _have_ -surprised you. Could he, or the Lucases, have pitched on any man within -the circle of our acquaintance, whose name would have given the lie -more effectually to what they related? Mr. Darcy, who never looks at any -woman but to see a blemish, and who probably never looked at you in his -life! It is admirable!” - -Elizabeth tried to join in her father's pleasantry, but could only force -one most reluctant smile. Never had his wit been directed in a manner so -little agreeable to her. - -“Are you not diverted?” - -“Oh! yes. Pray read on.” - -“'After mentioning the likelihood of this marriage to her ladyship last -night, she immediately, with her usual condescension, expressed what she -felt on the occasion; when it became apparent, that on the score of some -family objections on the part of my cousin, she would never give her -consent to what she termed so disgraceful a match. I thought it my duty -to give the speediest intelligence of this to my cousin, that she and -her noble admirer may be aware of what they are about, and not run -hastily into a marriage which has not been properly sanctioned.' Mr. -Collins moreover adds, 'I am truly rejoiced that my cousin Lydia's sad -business has been so well hushed up, and am only concerned that their -living together before the marriage took place should be so generally -known. I must not, however, neglect the duties of my station, or refrain -from declaring my amazement at hearing that you received the young -couple into your house as soon as they were married. It was an -encouragement of vice; and had I been the rector of Longbourn, I should -very strenuously have opposed it. You ought certainly to forgive them, -as a Christian, but never to admit them in your sight, or allow their -names to be mentioned in your hearing.' That is his notion of Christian -forgiveness! The rest of his letter is only about his dear Charlotte's -situation, and his expectation of a young olive-branch. But, Lizzy, you -look as if you did not enjoy it. You are not going to be _missish_, -I hope, and pretend to be affronted at an idle report. For what do we -live, but to make sport for our neighbours, and laugh at them in our -turn?” - -“Oh!” cried Elizabeth, “I am excessively diverted. But it is so -strange!” - -“Yes--_that_ is what makes it amusing. Had they fixed on any other man -it would have been nothing; but _his_ perfect indifference, and _your_ -pointed dislike, make it so delightfully absurd! Much as I abominate -writing, I would not give up Mr. Collins's correspondence for any -consideration. Nay, when I read a letter of his, I cannot help giving -him the preference even over Wickham, much as I value the impudence and -hypocrisy of my son-in-law. And pray, Lizzy, what said Lady Catherine -about this report? Did she call to refuse her consent?” - -To this question his daughter replied only with a laugh; and as it had -been asked without the least suspicion, she was not distressed by -his repeating it. Elizabeth had never been more at a loss to make her -feelings appear what they were not. It was necessary to laugh, when she -would rather have cried. Her father had most cruelly mortified her, by -what he said of Mr. Darcy's indifference, and she could do nothing but -wonder at such a want of penetration, or fear that perhaps, instead of -his seeing too little, she might have fancied too much. - - - -Chapter 58 - - -Instead of receiving any such letter of excuse from his friend, as -Elizabeth half expected Mr. Bingley to do, he was able to bring Darcy -with him to Longbourn before many days had passed after Lady Catherine's -visit. The gentlemen arrived early; and, before Mrs. Bennet had time -to tell him of their having seen his aunt, of which her daughter sat -in momentary dread, Bingley, who wanted to be alone with Jane, proposed -their all walking out. It was agreed to. Mrs. Bennet was not in the -habit of walking; Mary could never spare time; but the remaining five -set off together. Bingley and Jane, however, soon allowed the others -to outstrip them. They lagged behind, while Elizabeth, Kitty, and Darcy -were to entertain each other. Very little was said by either; Kitty -was too much afraid of him to talk; Elizabeth was secretly forming a -desperate resolution; and perhaps he might be doing the same. - -They walked towards the Lucases, because Kitty wished to call upon -Maria; and as Elizabeth saw no occasion for making it a general concern, -when Kitty left them she went boldly on with him alone. Now was the -moment for her resolution to be executed, and, while her courage was -high, she immediately said: - -“Mr. Darcy, I am a very selfish creature; and, for the sake of giving -relief to my own feelings, care not how much I may be wounding yours. I -can no longer help thanking you for your unexampled kindness to my -poor sister. Ever since I have known it, I have been most anxious to -acknowledge to you how gratefully I feel it. Were it known to the rest -of my family, I should not have merely my own gratitude to express.” - -“I am sorry, exceedingly sorry,” replied Darcy, in a tone of surprise -and emotion, “that you have ever been informed of what may, in a -mistaken light, have given you uneasiness. I did not think Mrs. Gardiner -was so little to be trusted.” - -“You must not blame my aunt. Lydia's thoughtlessness first betrayed to -me that you had been concerned in the matter; and, of course, I could -not rest till I knew the particulars. Let me thank you again and again, -in the name of all my family, for that generous compassion which induced -you to take so much trouble, and bear so many mortifications, for the -sake of discovering them.” - -“If you _will_ thank me,” he replied, “let it be for yourself alone. -That the wish of giving happiness to you might add force to the other -inducements which led me on, I shall not attempt to deny. But your -_family_ owe me nothing. Much as I respect them, I believe I thought -only of _you_.” - -Elizabeth was too much embarrassed to say a word. After a short pause, -her companion added, “You are too generous to trifle with me. If your -feelings are still what they were last April, tell me so at once. _My_ -affections and wishes are unchanged, but one word from you will silence -me on this subject for ever.” - -Elizabeth, feeling all the more than common awkwardness and anxiety of -his situation, now forced herself to speak; and immediately, though not -very fluently, gave him to understand that her sentiments had undergone -so material a change, since the period to which he alluded, as to make -her receive with gratitude and pleasure his present assurances. The -happiness which this reply produced, was such as he had probably never -felt before; and he expressed himself on the occasion as sensibly and as -warmly as a man violently in love can be supposed to do. Had Elizabeth -been able to encounter his eye, she might have seen how well the -expression of heartfelt delight, diffused over his face, became him; -but, though she could not look, she could listen, and he told her of -feelings, which, in proving of what importance she was to him, made his -affection every moment more valuable. - -They walked on, without knowing in what direction. There was too much to -be thought, and felt, and said, for attention to any other objects. She -soon learnt that they were indebted for their present good understanding -to the efforts of his aunt, who did call on him in her return through -London, and there relate her journey to Longbourn, its motive, and the -substance of her conversation with Elizabeth; dwelling emphatically on -every expression of the latter which, in her ladyship's apprehension, -peculiarly denoted her perverseness and assurance; in the belief that -such a relation must assist her endeavours to obtain that promise -from her nephew which she had refused to give. But, unluckily for her -ladyship, its effect had been exactly contrariwise. - -“It taught me to hope,” said he, “as I had scarcely ever allowed myself -to hope before. I knew enough of your disposition to be certain that, -had you been absolutely, irrevocably decided against me, you would have -acknowledged it to Lady Catherine, frankly and openly.” - -Elizabeth coloured and laughed as she replied, “Yes, you know enough -of my frankness to believe me capable of _that_. After abusing you so -abominably to your face, I could have no scruple in abusing you to all -your relations.” - -“What did you say of me, that I did not deserve? For, though your -accusations were ill-founded, formed on mistaken premises, my -behaviour to you at the time had merited the severest reproof. It was -unpardonable. I cannot think of it without abhorrence.” - -“We will not quarrel for the greater share of blame annexed to that -evening,” said Elizabeth. “The conduct of neither, if strictly examined, -will be irreproachable; but since then, we have both, I hope, improved -in civility.” - -“I cannot be so easily reconciled to myself. The recollection of what I -then said, of my conduct, my manners, my expressions during the whole of -it, is now, and has been many months, inexpressibly painful to me. Your -reproof, so well applied, I shall never forget: 'had you behaved in a -more gentlemanlike manner.' Those were your words. You know not, you can -scarcely conceive, how they have tortured me;--though it was some time, -I confess, before I was reasonable enough to allow their justice.” - -“I was certainly very far from expecting them to make so strong an -impression. I had not the smallest idea of their being ever felt in such -a way.” - -“I can easily believe it. You thought me then devoid of every proper -feeling, I am sure you did. The turn of your countenance I shall never -forget, as you said that I could not have addressed you in any possible -way that would induce you to accept me.” - -“Oh! do not repeat what I then said. These recollections will not do at -all. I assure you that I have long been most heartily ashamed of it.” - -Darcy mentioned his letter. “Did it,” said he, “did it soon make you -think better of me? Did you, on reading it, give any credit to its -contents?” - -She explained what its effect on her had been, and how gradually all her -former prejudices had been removed. - -“I knew,” said he, “that what I wrote must give you pain, but it was -necessary. I hope you have destroyed the letter. There was one part -especially, the opening of it, which I should dread your having the -power of reading again. I can remember some expressions which might -justly make you hate me.” - -“The letter shall certainly be burnt, if you believe it essential to the -preservation of my regard; but, though we have both reason to think my -opinions not entirely unalterable, they are not, I hope, quite so easily -changed as that implies.” - -“When I wrote that letter,” replied Darcy, “I believed myself perfectly -calm and cool, but I am since convinced that it was written in a -dreadful bitterness of spirit.” - -“The letter, perhaps, began in bitterness, but it did not end so. The -adieu is charity itself. But think no more of the letter. The feelings -of the person who wrote, and the person who received it, are now -so widely different from what they were then, that every unpleasant -circumstance attending it ought to be forgotten. You must learn some -of my philosophy. Think only of the past as its remembrance gives you -pleasure.” - -“I cannot give you credit for any philosophy of the kind. Your -retrospections must be so totally void of reproach, that the contentment -arising from them is not of philosophy, but, what is much better, of -innocence. But with me, it is not so. Painful recollections will intrude -which cannot, which ought not, to be repelled. I have been a selfish -being all my life, in practice, though not in principle. As a child I -was taught what was right, but I was not taught to correct my temper. I -was given good principles, but left to follow them in pride and conceit. -Unfortunately an only son (for many years an only child), I was spoilt -by my parents, who, though good themselves (my father, particularly, all -that was benevolent and amiable), allowed, encouraged, almost taught -me to be selfish and overbearing; to care for none beyond my own family -circle; to think meanly of all the rest of the world; to wish at least -to think meanly of their sense and worth compared with my own. Such I -was, from eight to eight and twenty; and such I might still have been -but for you, dearest, loveliest Elizabeth! What do I not owe you! You -taught me a lesson, hard indeed at first, but most advantageous. By you, -I was properly humbled. I came to you without a doubt of my reception. -You showed me how insufficient were all my pretensions to please a woman -worthy of being pleased.” - -“Had you then persuaded yourself that I should?” - -“Indeed I had. What will you think of my vanity? I believed you to be -wishing, expecting my addresses.” - -“My manners must have been in fault, but not intentionally, I assure -you. I never meant to deceive you, but my spirits might often lead me -wrong. How you must have hated me after _that_ evening?” - -“Hate you! I was angry perhaps at first, but my anger soon began to take -a proper direction.” - -“I am almost afraid of asking what you thought of me, when we met at -Pemberley. You blamed me for coming?” - -“No indeed; I felt nothing but surprise.” - -“Your surprise could not be greater than _mine_ in being noticed by you. -My conscience told me that I deserved no extraordinary politeness, and I -confess that I did not expect to receive _more_ than my due.” - -“My object then,” replied Darcy, “was to show you, by every civility in -my power, that I was not so mean as to resent the past; and I hoped to -obtain your forgiveness, to lessen your ill opinion, by letting you -see that your reproofs had been attended to. How soon any other wishes -introduced themselves I can hardly tell, but I believe in about half an -hour after I had seen you.” - -He then told her of Georgiana's delight in her acquaintance, and of her -disappointment at its sudden interruption; which naturally leading to -the cause of that interruption, she soon learnt that his resolution of -following her from Derbyshire in quest of her sister had been formed -before he quitted the inn, and that his gravity and thoughtfulness -there had arisen from no other struggles than what such a purpose must -comprehend. - -She expressed her gratitude again, but it was too painful a subject to -each, to be dwelt on farther. - -After walking several miles in a leisurely manner, and too busy to know -anything about it, they found at last, on examining their watches, that -it was time to be at home. - -“What could become of Mr. Bingley and Jane!” was a wonder which -introduced the discussion of their affairs. Darcy was delighted with -their engagement; his friend had given him the earliest information of -it. - -“I must ask whether you were surprised?” said Elizabeth. - -“Not at all. When I went away, I felt that it would soon happen.” - -“That is to say, you had given your permission. I guessed as much.” And -though he exclaimed at the term, she found that it had been pretty much -the case. - -“On the evening before my going to London,” said he, “I made a -confession to him, which I believe I ought to have made long ago. I -told him of all that had occurred to make my former interference in his -affairs absurd and impertinent. His surprise was great. He had never had -the slightest suspicion. I told him, moreover, that I believed myself -mistaken in supposing, as I had done, that your sister was indifferent -to him; and as I could easily perceive that his attachment to her was -unabated, I felt no doubt of their happiness together.” - -Elizabeth could not help smiling at his easy manner of directing his -friend. - -“Did you speak from your own observation,” said she, “when you told him -that my sister loved him, or merely from my information last spring?” - -“From the former. I had narrowly observed her during the two visits -which I had lately made here; and I was convinced of her affection.” - -“And your assurance of it, I suppose, carried immediate conviction to -him.” - -“It did. Bingley is most unaffectedly modest. His diffidence had -prevented his depending on his own judgment in so anxious a case, but -his reliance on mine made every thing easy. I was obliged to confess -one thing, which for a time, and not unjustly, offended him. I could not -allow myself to conceal that your sister had been in town three months -last winter, that I had known it, and purposely kept it from him. He was -angry. But his anger, I am persuaded, lasted no longer than he remained -in any doubt of your sister's sentiments. He has heartily forgiven me -now.” - -Elizabeth longed to observe that Mr. Bingley had been a most delightful -friend; so easily guided that his worth was invaluable; but she checked -herself. She remembered that he had yet to learn to be laughed at, -and it was rather too early to begin. In anticipating the happiness -of Bingley, which of course was to be inferior only to his own, he -continued the conversation till they reached the house. In the hall they -parted. - - - -Chapter 59 - - -“My dear Lizzy, where can you have been walking to?” was a question -which Elizabeth received from Jane as soon as she entered their room, -and from all the others when they sat down to table. She had only to -say in reply, that they had wandered about, till she was beyond her own -knowledge. She coloured as she spoke; but neither that, nor anything -else, awakened a suspicion of the truth. - -The evening passed quietly, unmarked by anything extraordinary. The -acknowledged lovers talked and laughed, the unacknowledged were silent. -Darcy was not of a disposition in which happiness overflows in mirth; -and Elizabeth, agitated and confused, rather _knew_ that she was happy -than _felt_ herself to be so; for, besides the immediate embarrassment, -there were other evils before her. She anticipated what would be felt -in the family when her situation became known; she was aware that no -one liked him but Jane; and even feared that with the others it was a -dislike which not all his fortune and consequence might do away. - -At night she opened her heart to Jane. Though suspicion was very far -from Miss Bennet's general habits, she was absolutely incredulous here. - -“You are joking, Lizzy. This cannot be!--engaged to Mr. Darcy! No, no, -you shall not deceive me. I know it to be impossible.” - -“This is a wretched beginning indeed! My sole dependence was on you; and -I am sure nobody else will believe me, if you do not. Yet, indeed, I am -in earnest. I speak nothing but the truth. He still loves me, and we are -engaged.” - -Jane looked at her doubtingly. “Oh, Lizzy! it cannot be. I know how much -you dislike him.” - -“You know nothing of the matter. _That_ is all to be forgot. Perhaps I -did not always love him so well as I do now. But in such cases as -these, a good memory is unpardonable. This is the last time I shall ever -remember it myself.” - -Miss Bennet still looked all amazement. Elizabeth again, and more -seriously assured her of its truth. - -“Good Heaven! can it be really so! Yet now I must believe you,” cried -Jane. “My dear, dear Lizzy, I would--I do congratulate you--but are you -certain? forgive the question--are you quite certain that you can be -happy with him?” - -“There can be no doubt of that. It is settled between us already, that -we are to be the happiest couple in the world. But are you pleased, -Jane? Shall you like to have such a brother?” - -“Very, very much. Nothing could give either Bingley or myself more -delight. But we considered it, we talked of it as impossible. And do you -really love him quite well enough? Oh, Lizzy! do anything rather than -marry without affection. Are you quite sure that you feel what you ought -to do?” - -“Oh, yes! You will only think I feel _more_ than I ought to do, when I -tell you all.” - -“What do you mean?” - -“Why, I must confess that I love him better than I do Bingley. I am -afraid you will be angry.” - -“My dearest sister, now _be_ serious. I want to talk very seriously. Let -me know every thing that I am to know, without delay. Will you tell me -how long you have loved him?” - -“It has been coming on so gradually, that I hardly know when it began. -But I believe I must date it from my first seeing his beautiful grounds -at Pemberley.” - -Another entreaty that she would be serious, however, produced the -desired effect; and she soon satisfied Jane by her solemn assurances -of attachment. When convinced on that article, Miss Bennet had nothing -further to wish. - -“Now I am quite happy,” said she, “for you will be as happy as myself. -I always had a value for him. Were it for nothing but his love of you, -I must always have esteemed him; but now, as Bingley's friend and your -husband, there can be only Bingley and yourself more dear to me. But -Lizzy, you have been very sly, very reserved with me. How little did you -tell me of what passed at Pemberley and Lambton! I owe all that I know -of it to another, not to you.” - -Elizabeth told her the motives of her secrecy. She had been unwilling -to mention Bingley; and the unsettled state of her own feelings had made -her equally avoid the name of his friend. But now she would no longer -conceal from her his share in Lydia's marriage. All was acknowledged, -and half the night spent in conversation. - - * * * * * - -“Good gracious!” cried Mrs. Bennet, as she stood at a window the next -morning, “if that disagreeable Mr. Darcy is not coming here again with -our dear Bingley! What can he mean by being so tiresome as to be always -coming here? I had no notion but he would go a-shooting, or something or -other, and not disturb us with his company. What shall we do with him? -Lizzy, you must walk out with him again, that he may not be in Bingley's -way.” - -Elizabeth could hardly help laughing at so convenient a proposal; yet -was really vexed that her mother should be always giving him such an -epithet. - -As soon as they entered, Bingley looked at her so expressively, and -shook hands with such warmth, as left no doubt of his good information; -and he soon afterwards said aloud, “Mrs. Bennet, have you no more lanes -hereabouts in which Lizzy may lose her way again to-day?” - -“I advise Mr. Darcy, and Lizzy, and Kitty,” said Mrs. Bennet, “to walk -to Oakham Mount this morning. It is a nice long walk, and Mr. Darcy has -never seen the view.” - -“It may do very well for the others,” replied Mr. Bingley; “but I am -sure it will be too much for Kitty. Won't it, Kitty?” Kitty owned that -she had rather stay at home. Darcy professed a great curiosity to see -the view from the Mount, and Elizabeth silently consented. As she went -up stairs to get ready, Mrs. Bennet followed her, saying: - -“I am quite sorry, Lizzy, that you should be forced to have that -disagreeable man all to yourself. But I hope you will not mind it: it is -all for Jane's sake, you know; and there is no occasion for talking -to him, except just now and then. So, do not put yourself to -inconvenience.” - -During their walk, it was resolved that Mr. Bennet's consent should be -asked in the course of the evening. Elizabeth reserved to herself the -application for her mother's. She could not determine how her mother -would take it; sometimes doubting whether all his wealth and grandeur -would be enough to overcome her abhorrence of the man. But whether she -were violently set against the match, or violently delighted with it, it -was certain that her manner would be equally ill adapted to do credit -to her sense; and she could no more bear that Mr. Darcy should hear -the first raptures of her joy, than the first vehemence of her -disapprobation. - - * * * * * - -In the evening, soon after Mr. Bennet withdrew to the library, she saw -Mr. Darcy rise also and follow him, and her agitation on seeing it was -extreme. She did not fear her father's opposition, but he was going to -be made unhappy; and that it should be through her means--that _she_, -his favourite child, should be distressing him by her choice, should be -filling him with fears and regrets in disposing of her--was a wretched -reflection, and she sat in misery till Mr. Darcy appeared again, when, -looking at him, she was a little relieved by his smile. In a few minutes -he approached the table where she was sitting with Kitty; and, while -pretending to admire her work said in a whisper, “Go to your father, he -wants you in the library.” She was gone directly. - -Her father was walking about the room, looking grave and anxious. -“Lizzy,” said he, “what are you doing? Are you out of your senses, to be -accepting this man? Have not you always hated him?” - -How earnestly did she then wish that her former opinions had been more -reasonable, her expressions more moderate! It would have spared her from -explanations and professions which it was exceedingly awkward to give; -but they were now necessary, and she assured him, with some confusion, -of her attachment to Mr. Darcy. - -“Or, in other words, you are determined to have him. He is rich, to be -sure, and you may have more fine clothes and fine carriages than Jane. -But will they make you happy?” - -“Have you any other objection,” said Elizabeth, “than your belief of my -indifference?” - -“None at all. We all know him to be a proud, unpleasant sort of man; but -this would be nothing if you really liked him.” - -“I do, I do like him,” she replied, with tears in her eyes, “I love him. -Indeed he has no improper pride. He is perfectly amiable. You do not -know what he really is; then pray do not pain me by speaking of him in -such terms.” - -“Lizzy,” said her father, “I have given him my consent. He is the kind -of man, indeed, to whom I should never dare refuse anything, which he -condescended to ask. I now give it to _you_, if you are resolved on -having him. But let me advise you to think better of it. I know -your disposition, Lizzy. I know that you could be neither happy nor -respectable, unless you truly esteemed your husband; unless you looked -up to him as a superior. Your lively talents would place you in the -greatest danger in an unequal marriage. You could scarcely escape -discredit and misery. My child, let me not have the grief of seeing -_you_ unable to respect your partner in life. You know not what you are -about.” - -Elizabeth, still more affected, was earnest and solemn in her reply; and -at length, by repeated assurances that Mr. Darcy was really the object -of her choice, by explaining the gradual change which her estimation of -him had undergone, relating her absolute certainty that his affection -was not the work of a day, but had stood the test of many months' -suspense, and enumerating with energy all his good qualities, she did -conquer her father's incredulity, and reconcile him to the match. - -“Well, my dear,” said he, when she ceased speaking, “I have no more to -say. If this be the case, he deserves you. I could not have parted with -you, my Lizzy, to anyone less worthy.” - -To complete the favourable impression, she then told him what Mr. Darcy -had voluntarily done for Lydia. He heard her with astonishment. - -“This is an evening of wonders, indeed! And so, Darcy did every thing; -made up the match, gave the money, paid the fellow's debts, and got him -his commission! So much the better. It will save me a world of trouble -and economy. Had it been your uncle's doing, I must and _would_ have -paid him; but these violent young lovers carry every thing their own -way. I shall offer to pay him to-morrow; he will rant and storm about -his love for you, and there will be an end of the matter.” - -He then recollected her embarrassment a few days before, on his reading -Mr. Collins's letter; and after laughing at her some time, allowed her -at last to go--saying, as she quitted the room, “If any young men come -for Mary or Kitty, send them in, for I am quite at leisure.” - -Elizabeth's mind was now relieved from a very heavy weight; and, after -half an hour's quiet reflection in her own room, she was able to join -the others with tolerable composure. Every thing was too recent for -gaiety, but the evening passed tranquilly away; there was no longer -anything material to be dreaded, and the comfort of ease and familiarity -would come in time. - -When her mother went up to her dressing-room at night, she followed her, -and made the important communication. Its effect was most extraordinary; -for on first hearing it, Mrs. Bennet sat quite still, and unable to -utter a syllable. Nor was it under many, many minutes that she could -comprehend what she heard; though not in general backward to credit -what was for the advantage of her family, or that came in the shape of a -lover to any of them. She began at length to recover, to fidget about in -her chair, get up, sit down again, wonder, and bless herself. - -“Good gracious! Lord bless me! only think! dear me! Mr. Darcy! Who would -have thought it! And is it really true? Oh! my sweetest Lizzy! how rich -and how great you will be! What pin-money, what jewels, what carriages -you will have! Jane's is nothing to it--nothing at all. I am so -pleased--so happy. Such a charming man!--so handsome! so tall!--Oh, my -dear Lizzy! pray apologise for my having disliked him so much before. I -hope he will overlook it. Dear, dear Lizzy. A house in town! Every thing -that is charming! Three daughters married! Ten thousand a year! Oh, -Lord! What will become of me. I shall go distracted.” - -This was enough to prove that her approbation need not be doubted: and -Elizabeth, rejoicing that such an effusion was heard only by herself, -soon went away. But before she had been three minutes in her own room, -her mother followed her. - -“My dearest child,” she cried, “I can think of nothing else! Ten -thousand a year, and very likely more! 'Tis as good as a Lord! And a -special licence. You must and shall be married by a special licence. But -my dearest love, tell me what dish Mr. Darcy is particularly fond of, -that I may have it to-morrow.” - -This was a sad omen of what her mother's behaviour to the gentleman -himself might be; and Elizabeth found that, though in the certain -possession of his warmest affection, and secure of her relations' -consent, there was still something to be wished for. But the morrow -passed off much better than she expected; for Mrs. Bennet luckily stood -in such awe of her intended son-in-law that she ventured not to speak to -him, unless it was in her power to offer him any attention, or mark her -deference for his opinion. - -Elizabeth had the satisfaction of seeing her father taking pains to get -acquainted with him; and Mr. Bennet soon assured her that he was rising -every hour in his esteem. - -“I admire all my three sons-in-law highly,” said he. “Wickham, perhaps, -is my favourite; but I think I shall like _your_ husband quite as well -as Jane's.” - - - -Chapter 60 - - -Elizabeth's spirits soon rising to playfulness again, she wanted Mr. -Darcy to account for his having ever fallen in love with her. “How could -you begin?” said she. “I can comprehend your going on charmingly, when -you had once made a beginning; but what could set you off in the first -place?” - -“I cannot fix on the hour, or the spot, or the look, or the words, which -laid the foundation. It is too long ago. I was in the middle before I -knew that I _had_ begun.” - -“My beauty you had early withstood, and as for my manners--my behaviour -to _you_ was at least always bordering on the uncivil, and I never spoke -to you without rather wishing to give you pain than not. Now be sincere; -did you admire me for my impertinence?” - -“For the liveliness of your mind, I did.” - -“You may as well call it impertinence at once. It was very little less. -The fact is, that you were sick of civility, of deference, of officious -attention. You were disgusted with the women who were always speaking, -and looking, and thinking for _your_ approbation alone. I roused, and -interested you, because I was so unlike _them_. Had you not been really -amiable, you would have hated me for it; but in spite of the pains you -took to disguise yourself, your feelings were always noble and just; and -in your heart, you thoroughly despised the persons who so assiduously -courted you. There--I have saved you the trouble of accounting for -it; and really, all things considered, I begin to think it perfectly -reasonable. To be sure, you knew no actual good of me--but nobody thinks -of _that_ when they fall in love.” - -“Was there no good in your affectionate behaviour to Jane while she was -ill at Netherfield?” - -“Dearest Jane! who could have done less for her? But make a virtue of it -by all means. My good qualities are under your protection, and you are -to exaggerate them as much as possible; and, in return, it belongs to me -to find occasions for teasing and quarrelling with you as often as may -be; and I shall begin directly by asking you what made you so unwilling -to come to the point at last. What made you so shy of me, when you first -called, and afterwards dined here? Why, especially, when you called, did -you look as if you did not care about me?” - -“Because you were grave and silent, and gave me no encouragement.” - -“But I was embarrassed.” - -“And so was I.” - -“You might have talked to me more when you came to dinner.” - -“A man who had felt less, might.” - -“How unlucky that you should have a reasonable answer to give, and that -I should be so reasonable as to admit it! But I wonder how long you -_would_ have gone on, if you had been left to yourself. I wonder when -you _would_ have spoken, if I had not asked you! My resolution of -thanking you for your kindness to Lydia had certainly great effect. -_Too much_, I am afraid; for what becomes of the moral, if our comfort -springs from a breach of promise? for I ought not to have mentioned the -subject. This will never do.” - -“You need not distress yourself. The moral will be perfectly fair. Lady -Catherine's unjustifiable endeavours to separate us were the means of -removing all my doubts. I am not indebted for my present happiness to -your eager desire of expressing your gratitude. I was not in a humour -to wait for any opening of yours. My aunt's intelligence had given me -hope, and I was determined at once to know every thing.” - -“Lady Catherine has been of infinite use, which ought to make her happy, -for she loves to be of use. But tell me, what did you come down to -Netherfield for? Was it merely to ride to Longbourn and be embarrassed? -or had you intended any more serious consequence?” - -“My real purpose was to see _you_, and to judge, if I could, whether I -might ever hope to make you love me. My avowed one, or what I avowed to -myself, was to see whether your sister were still partial to Bingley, -and if she were, to make the confession to him which I have since made.” - -“Shall you ever have courage to announce to Lady Catherine what is to -befall her?” - -“I am more likely to want more time than courage, Elizabeth. But it -ought to be done, and if you will give me a sheet of paper, it shall be -done directly.” - -“And if I had not a letter to write myself, I might sit by you and -admire the evenness of your writing, as another young lady once did. But -I have an aunt, too, who must not be longer neglected.” - -From an unwillingness to confess how much her intimacy with Mr. Darcy -had been over-rated, Elizabeth had never yet answered Mrs. Gardiner's -long letter; but now, having _that_ to communicate which she knew would -be most welcome, she was almost ashamed to find that her uncle and -aunt had already lost three days of happiness, and immediately wrote as -follows: - -“I would have thanked you before, my dear aunt, as I ought to have done, -for your long, kind, satisfactory, detail of particulars; but to say the -truth, I was too cross to write. You supposed more than really existed. -But _now_ suppose as much as you choose; give a loose rein to your -fancy, indulge your imagination in every possible flight which the -subject will afford, and unless you believe me actually married, you -cannot greatly err. You must write again very soon, and praise him a -great deal more than you did in your last. I thank you, again and again, -for not going to the Lakes. How could I be so silly as to wish it! Your -idea of the ponies is delightful. We will go round the Park every day. I -am the happiest creature in the world. Perhaps other people have said so -before, but not one with such justice. I am happier even than Jane; she -only smiles, I laugh. Mr. Darcy sends you all the love in the world that -he can spare from me. You are all to come to Pemberley at Christmas. -Yours, etc.” - -Mr. Darcy's letter to Lady Catherine was in a different style; and still -different from either was what Mr. Bennet sent to Mr. Collins, in reply -to his last. - -“DEAR SIR, - -“I must trouble you once more for congratulations. Elizabeth will soon -be the wife of Mr. Darcy. Console Lady Catherine as well as you can. -But, if I were you, I would stand by the nephew. He has more to give. - -“Yours sincerely, etc.” - -Miss Bingley's congratulations to her brother, on his approaching -marriage, were all that was affectionate and insincere. She wrote even -to Jane on the occasion, to express her delight, and repeat all her -former professions of regard. Jane was not deceived, but she was -affected; and though feeling no reliance on her, could not help writing -her a much kinder answer than she knew was deserved. - -The joy which Miss Darcy expressed on receiving similar information, -was as sincere as her brother's in sending it. Four sides of paper were -insufficient to contain all her delight, and all her earnest desire of -being loved by her sister. - -Before any answer could arrive from Mr. Collins, or any congratulations -to Elizabeth from his wife, the Longbourn family heard that the -Collinses were come themselves to Lucas Lodge. The reason of this -sudden removal was soon evident. Lady Catherine had been rendered -so exceedingly angry by the contents of her nephew's letter, that -Charlotte, really rejoicing in the match, was anxious to get away till -the storm was blown over. At such a moment, the arrival of her friend -was a sincere pleasure to Elizabeth, though in the course of their -meetings she must sometimes think the pleasure dearly bought, when she -saw Mr. Darcy exposed to all the parading and obsequious civility of -her husband. He bore it, however, with admirable calmness. He could even -listen to Sir William Lucas, when he complimented him on carrying away -the brightest jewel of the country, and expressed his hopes of their all -meeting frequently at St. James's, with very decent composure. If he did -shrug his shoulders, it was not till Sir William was out of sight. - -Mrs. Phillips's vulgarity was another, and perhaps a greater, tax on his -forbearance; and though Mrs. Phillips, as well as her sister, stood in -too much awe of him to speak with the familiarity which Bingley's good -humour encouraged, yet, whenever she _did_ speak, she must be vulgar. -Nor was her respect for him, though it made her more quiet, at all -likely to make her more elegant. Elizabeth did all she could to shield -him from the frequent notice of either, and was ever anxious to keep -him to herself, and to those of her family with whom he might converse -without mortification; and though the uncomfortable feelings arising -from all this took from the season of courtship much of its pleasure, it -added to the hope of the future; and she looked forward with delight to -the time when they should be removed from society so little pleasing -to either, to all the comfort and elegance of their family party at -Pemberley. - - - -Chapter 61 - - -Happy for all her maternal feelings was the day on which Mrs. Bennet got -rid of her two most deserving daughters. With what delighted pride -she afterwards visited Mrs. Bingley, and talked of Mrs. Darcy, may -be guessed. I wish I could say, for the sake of her family, that the -accomplishment of her earnest desire in the establishment of so many -of her children produced so happy an effect as to make her a sensible, -amiable, well-informed woman for the rest of her life; though perhaps it -was lucky for her husband, who might not have relished domestic felicity -in so unusual a form, that she still was occasionally nervous and -invariably silly. - -Mr. Bennet missed his second daughter exceedingly; his affection for her -drew him oftener from home than anything else could do. He delighted in -going to Pemberley, especially when he was least expected. - -Mr. Bingley and Jane remained at Netherfield only a twelvemonth. So near -a vicinity to her mother and Meryton relations was not desirable even to -_his_ easy temper, or _her_ affectionate heart. The darling wish of his -sisters was then gratified; he bought an estate in a neighbouring county -to Derbyshire, and Jane and Elizabeth, in addition to every other source -of happiness, were within thirty miles of each other. - -Kitty, to her very material advantage, spent the chief of her time with -her two elder sisters. In society so superior to what she had generally -known, her improvement was great. She was not of so ungovernable a -temper as Lydia; and, removed from the influence of Lydia's example, -she became, by proper attention and management, less irritable, less -ignorant, and less insipid. From the further disadvantage of Lydia's -society she was of course carefully kept, and though Mrs. Wickham -frequently invited her to come and stay with her, with the promise of -balls and young men, her father would never consent to her going. - -Mary was the only daughter who remained at home; and she was necessarily -drawn from the pursuit of accomplishments by Mrs. Bennet's being quite -unable to sit alone. Mary was obliged to mix more with the world, but -she could still moralize over every morning visit; and as she was no -longer mortified by comparisons between her sisters' beauty and her own, -it was suspected by her father that she submitted to the change without -much reluctance. - -As for Wickham and Lydia, their characters suffered no revolution from -the marriage of her sisters. He bore with philosophy the conviction that -Elizabeth must now become acquainted with whatever of his ingratitude -and falsehood had before been unknown to her; and in spite of every -thing, was not wholly without hope that Darcy might yet be prevailed on -to make his fortune. The congratulatory letter which Elizabeth received -from Lydia on her marriage, explained to her that, by his wife at least, -if not by himself, such a hope was cherished. The letter was to this -effect: - -“MY DEAR LIZZY, - -“I wish you joy. If you love Mr. Darcy half as well as I do my dear -Wickham, you must be very happy. It is a great comfort to have you so -rich, and when you have nothing else to do, I hope you will think of us. -I am sure Wickham would like a place at court very much, and I do not -think we shall have quite money enough to live upon without some help. -Any place would do, of about three or four hundred a year; but however, -do not speak to Mr. Darcy about it, if you had rather not. - -“Yours, etc.” - -As it happened that Elizabeth had _much_ rather not, she endeavoured in -her answer to put an end to every entreaty and expectation of the kind. -Such relief, however, as it was in her power to afford, by the practice -of what might be called economy in her own private expences, she -frequently sent them. It had always been evident to her that such an -income as theirs, under the direction of two persons so extravagant in -their wants, and heedless of the future, must be very insufficient to -their support; and whenever they changed their quarters, either Jane or -herself were sure of being applied to for some little assistance -towards discharging their bills. Their manner of living, even when the -restoration of peace dismissed them to a home, was unsettled in the -extreme. They were always moving from place to place in quest of a cheap -situation, and always spending more than they ought. His affection for -her soon sunk into indifference; hers lasted a little longer; and -in spite of her youth and her manners, she retained all the claims to -reputation which her marriage had given her. - -Though Darcy could never receive _him_ at Pemberley, yet, for -Elizabeth's sake, he assisted him further in his profession. Lydia was -occasionally a visitor there, when her husband was gone to enjoy himself -in London or Bath; and with the Bingleys they both of them frequently -staid so long, that even Bingley's good humour was overcome, and he -proceeded so far as to talk of giving them a hint to be gone. - -Miss Bingley was very deeply mortified by Darcy's marriage; but as she -thought it advisable to retain the right of visiting at Pemberley, she -dropt all her resentment; was fonder than ever of Georgiana, almost as -attentive to Darcy as heretofore, and paid off every arrear of civility -to Elizabeth. - -Pemberley was now Georgiana's home; and the attachment of the sisters -was exactly what Darcy had hoped to see. They were able to love each -other even as well as they intended. Georgiana had the highest opinion -in the world of Elizabeth; though at first she often listened with -an astonishment bordering on alarm at her lively, sportive, manner of -talking to her brother. He, who had always inspired in herself a respect -which almost overcame her affection, she now saw the object of open -pleasantry. Her mind received knowledge which had never before fallen -in her way. By Elizabeth's instructions, she began to comprehend that -a woman may take liberties with her husband which a brother will not -always allow in a sister more than ten years younger than himself. - -Lady Catherine was extremely indignant on the marriage of her nephew; -and as she gave way to all the genuine frankness of her character in -her reply to the letter which announced its arrangement, she sent him -language so very abusive, especially of Elizabeth, that for some time -all intercourse was at an end. But at length, by Elizabeth's persuasion, -he was prevailed on to overlook the offence, and seek a reconciliation; -and, after a little further resistance on the part of his aunt, her -resentment gave way, either to her affection for him, or her curiosity -to see how his wife conducted herself; and she condescended to wait -on them at Pemberley, in spite of that pollution which its woods had -received, not merely from the presence of such a mistress, but the -visits of her uncle and aunt from the city. - -With the Gardiners, they were always on the most intimate terms. -Darcy, as well as Elizabeth, really loved them; and they were both ever -sensible of the warmest gratitude towards the persons who, by bringing -her into Derbyshire, had been the means of uniting them. - - - - - -End of the Project Gutenberg EBook of Pride and Prejudice, by Jane Austen - -*** END OF THIS PROJECT GUTENBERG EBOOK PRIDE AND PREJUDICE *** - -***** This file should be named 1342-0.txt or 1342-0.zip ***** -This and all associated files of various formats will be found in: - http://www.gutenberg.org/1/3/4/1342/ - -Produced by Anonymous Volunteers - -Updated editions will replace the previous one--the old editions -will be renamed. - -Creating the works from public domain print editions means that no -one owns a United States copyright in these works, so the Foundation -(and you!) can copy and distribute it in the United States without -permission and without paying copyright royalties. Special rules, -set forth in the General Terms of Use part of this license, apply to -copying and distributing Project Gutenberg-tm electronic works to -protect the PROJECT GUTENBERG-tm concept and trademark. Project -Gutenberg is a registered trademark, and may not be used if you -charge for the eBooks, unless you receive specific permission. If you -do not charge anything for copies of this eBook, complying with the -rules is very easy. You may use this eBook for nearly any purpose -such as creation of derivative works, reports, performances and -research. They may be modified and printed and given away--you may do -practically ANYTHING with public domain eBooks. Redistribution is -subject to the trademark license, especially commercial -redistribution. - - - -*** START: FULL LICENSE *** - -THE FULL PROJECT GUTENBERG LICENSE -PLEASE READ THIS BEFORE YOU DISTRIBUTE OR USE THIS WORK - -To protect the Project Gutenberg-tm mission of promoting the free -distribution of electronic works, by using or distributing this work -(or any other work associated in any way with the phrase “Project -Gutenberg”), you agree to comply with all the terms of the Full Project -Gutenberg-tm License (available with this file or online at -http://gutenberg.org/license). - - -Section 1. General Terms of Use and Redistributing Project Gutenberg-tm -electronic works - -1.A. By reading or using any part of this Project Gutenberg-tm -electronic work, you indicate that you have read, understand, agree to -and accept all the terms of this license and intellectual property -(trademark/copyright) agreement. If you do not agree to abide by all -the terms of this agreement, you must cease using and return or destroy -all copies of Project Gutenberg-tm electronic works in your possession. -If you paid a fee for obtaining a copy of or access to a Project -Gutenberg-tm electronic work and you do not agree to be bound by the -terms of this agreement, you may obtain a refund from the person or -entity to whom you paid the fee as set forth in paragraph 1.E.8. - -1.B. “Project Gutenberg” is a registered trademark. It may only be -used on or associated in any way with an electronic work by people who -agree to be bound by the terms of this agreement. There are a few -things that you can do with most Project Gutenberg-tm electronic works -even without complying with the full terms of this agreement. See -paragraph 1.C below. There are a lot of things you can do with Project -Gutenberg-tm electronic works if you follow the terms of this agreement -and help preserve free future access to Project Gutenberg-tm electronic -works. See paragraph 1.E below. - -1.C. The Project Gutenberg Literary Archive Foundation (“the Foundation” - or PGLAF), owns a compilation copyright in the collection of Project -Gutenberg-tm electronic works. Nearly all the individual works in the -collection are in the public domain in the United States. If an -individual work is in the public domain in the United States and you are -located in the United States, we do not claim a right to prevent you from -copying, distributing, performing, displaying or creating derivative -works based on the work as long as all references to Project Gutenberg -are removed. Of course, we hope that you will support the Project -Gutenberg-tm mission of promoting free access to electronic works by -freely sharing Project Gutenberg-tm works in compliance with the terms of -this agreement for keeping the Project Gutenberg-tm name associated with -the work. You can easily comply with the terms of this agreement by -keeping this work in the same format with its attached full Project -Gutenberg-tm License when you share it without charge with others. - -1.D. The copyright laws of the place where you are located also govern -what you can do with this work. Copyright laws in most countries are in -a constant state of change. If you are outside the United States, check -the laws of your country in addition to the terms of this agreement -before downloading, copying, displaying, performing, distributing or -creating derivative works based on this work or any other Project -Gutenberg-tm work. The Foundation makes no representations concerning -the copyright status of any work in any country outside the United -States. - -1.E. Unless you have removed all references to Project Gutenberg: - -1.E.1. The following sentence, with active links to, or other immediate -access to, the full Project Gutenberg-tm License must appear prominently -whenever any copy of a Project Gutenberg-tm work (any work on which the -phrase “Project Gutenberg” appears, or with which the phrase “Project -Gutenberg” is associated) is accessed, displayed, performed, viewed, -copied or distributed: - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - -1.E.2. If an individual Project Gutenberg-tm electronic work is derived -from the public domain (does not contain a notice indicating that it is -posted with permission of the copyright holder), the work can be copied -and distributed to anyone in the United States without paying any fees -or charges. If you are redistributing or providing access to a work -with the phrase “Project Gutenberg” associated with or appearing on the -work, you must comply either with the requirements of paragraphs 1.E.1 -through 1.E.7 or obtain permission for the use of the work and the -Project Gutenberg-tm trademark as set forth in paragraphs 1.E.8 or -1.E.9. - -1.E.3. If an individual Project Gutenberg-tm electronic work is posted -with the permission of the copyright holder, your use and distribution -must comply with both paragraphs 1.E.1 through 1.E.7 and any additional -terms imposed by the copyright holder. Additional terms will be linked -to the Project Gutenberg-tm License for all works posted with the -permission of the copyright holder found at the beginning of this work. - -1.E.4. Do not unlink or detach or remove the full Project Gutenberg-tm -License terms from this work, or any files containing a part of this -work or any other work associated with Project Gutenberg-tm. - -1.E.5. Do not copy, display, perform, distribute or redistribute this -electronic work, or any part of this electronic work, without -prominently displaying the sentence set forth in paragraph 1.E.1 with -active links or immediate access to the full terms of the Project -Gutenberg-tm License. - -1.E.6. You may convert to and distribute this work in any binary, -compressed, marked up, nonproprietary or proprietary form, including any -word processing or hypertext form. However, if you provide access to or -distribute copies of a Project Gutenberg-tm work in a format other than -“Plain Vanilla ASCII” or other format used in the official version -posted on the official Project Gutenberg-tm web site (www.gutenberg.org), -you must, at no additional cost, fee or expense to the user, provide a -copy, a means of exporting a copy, or a means of obtaining a copy upon -request, of the work in its original “Plain Vanilla ASCII” or other -form. Any alternate format must include the full Project Gutenberg-tm -License as specified in paragraph 1.E.1. - -1.E.7. Do not charge a fee for access to, viewing, displaying, -performing, copying or distributing any Project Gutenberg-tm works -unless you comply with paragraph 1.E.8 or 1.E.9. - -1.E.8. You may charge a reasonable fee for copies of or providing -access to or distributing Project Gutenberg-tm electronic works provided -that - -- You pay a royalty fee of 20% of the gross profits you derive from - the use of Project Gutenberg-tm works calculated using the method - you already use to calculate your applicable taxes. The fee is - owed to the owner of the Project Gutenberg-tm trademark, but he - has agreed to donate royalties under this paragraph to the - Project Gutenberg Literary Archive Foundation. Royalty payments - must be paid within 60 days following each date on which you - prepare (or are legally required to prepare) your periodic tax - returns. Royalty payments should be clearly marked as such and - sent to the Project Gutenberg Literary Archive Foundation at the - address specified in Section 4, “Information about donations to - the Project Gutenberg Literary Archive Foundation.” - -- You provide a full refund of any money paid by a user who notifies - you in writing (or by e-mail) within 30 days of receipt that s/he - does not agree to the terms of the full Project Gutenberg-tm - License. You must require such a user to return or - destroy all copies of the works possessed in a physical medium - and discontinue all use of and all access to other copies of - Project Gutenberg-tm works. - -- You provide, in accordance with paragraph 1.F.3, a full refund of any - money paid for a work or a replacement copy, if a defect in the - electronic work is discovered and reported to you within 90 days - of receipt of the work. - -- You comply with all other terms of this agreement for free - distribution of Project Gutenberg-tm works. - -1.E.9. If you wish to charge a fee or distribute a Project Gutenberg-tm -electronic work or group of works on different terms than are set -forth in this agreement, you must obtain permission in writing from -both the Project Gutenberg Literary Archive Foundation and Michael -Hart, the owner of the Project Gutenberg-tm trademark. Contact the -Foundation as set forth in Section 3 below. - -1.F. - -1.F.1. Project Gutenberg volunteers and employees expend considerable -effort to identify, do copyright research on, transcribe and proofread -public domain works in creating the Project Gutenberg-tm -collection. Despite these efforts, Project Gutenberg-tm electronic -works, and the medium on which they may be stored, may contain -“Defects,” such as, but not limited to, incomplete, inaccurate or -corrupt data, transcription errors, a copyright or other intellectual -property infringement, a defective or damaged disk or other medium, a -computer virus, or computer codes that damage or cannot be read by -your equipment. - -1.F.2. LIMITED WARRANTY, DISCLAIMER OF DAMAGES - Except for the “Right -of Replacement or Refund” described in paragraph 1.F.3, the Project -Gutenberg Literary Archive Foundation, the owner of the Project -Gutenberg-tm trademark, and any other party distributing a Project -Gutenberg-tm electronic work under this agreement, disclaim all -liability to you for damages, costs and expenses, including legal -fees. YOU AGREE THAT YOU HAVE NO REMEDIES FOR NEGLIGENCE, STRICT -LIABILITY, BREACH OF WARRANTY OR BREACH OF CONTRACT EXCEPT THOSE -PROVIDED IN PARAGRAPH F3. YOU AGREE THAT THE FOUNDATION, THE -TRADEMARK OWNER, AND ANY DISTRIBUTOR UNDER THIS AGREEMENT WILL NOT BE -LIABLE TO YOU FOR ACTUAL, DIRECT, INDIRECT, CONSEQUENTIAL, PUNITIVE OR -INCIDENTAL DAMAGES EVEN IF YOU GIVE NOTICE OF THE POSSIBILITY OF SUCH -DAMAGE. - -1.F.3. LIMITED RIGHT OF REPLACEMENT OR REFUND - If you discover a -defect in this electronic work within 90 days of receiving it, you can -receive a refund of the money (if any) you paid for it by sending a -written explanation to the person you received the work from. If you -received the work on a physical medium, you must return the medium with -your written explanation. The person or entity that provided you with -the defective work may elect to provide a replacement copy in lieu of a -refund. If you received the work electronically, the person or entity -providing it to you may choose to give you a second opportunity to -receive the work electronically in lieu of a refund. If the second copy -is also defective, you may demand a refund in writing without further -opportunities to fix the problem. - -1.F.4. Except for the limited right of replacement or refund set forth -in paragraph 1.F.3, this work is provided to you 'AS-IS' WITH NO OTHER -WARRANTIES OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO -WARRANTIES OF MERCHANTIBILITY OR FITNESS FOR ANY PURPOSE. - -1.F.5. Some states do not allow disclaimers of certain implied -warranties or the exclusion or limitation of certain types of damages. -If any disclaimer or limitation set forth in this agreement violates the -law of the state applicable to this agreement, the agreement shall be -interpreted to make the maximum disclaimer or limitation permitted by -the applicable state law. The invalidity or unenforceability of any -provision of this agreement shall not void the remaining provisions. - -1.F.6. INDEMNITY - You agree to indemnify and hold the Foundation, the -trademark owner, any agent or employee of the Foundation, anyone -providing copies of Project Gutenberg-tm electronic works in accordance -with this agreement, and any volunteers associated with the production, -promotion and distribution of Project Gutenberg-tm electronic works, -harmless from all liability, costs and expenses, including legal fees, -that arise directly or indirectly from any of the following which you do -or cause to occur: (a) distribution of this or any Project Gutenberg-tm -work, (b) alteration, modification, or additions or deletions to any -Project Gutenberg-tm work, and (c) any Defect you cause. - - -Section 2. Information about the Mission of Project Gutenberg-tm - -Project Gutenberg-tm is synonymous with the free distribution of -electronic works in formats readable by the widest variety of computers -including obsolete, old, middle-aged and new computers. It exists -because of the efforts of hundreds of volunteers and donations from -people in all walks of life. - -Volunteers and financial support to provide volunteers with the -assistance they need, are critical to reaching Project Gutenberg-tm's -goals and ensuring that the Project Gutenberg-tm collection will -remain freely available for generations to come. In 2001, the Project -Gutenberg Literary Archive Foundation was created to provide a secure -and permanent future for Project Gutenberg-tm and future generations. -To learn more about the Project Gutenberg Literary Archive Foundation -and how your efforts and donations can help, see Sections 3 and 4 -and the Foundation web page at http://www.pglaf.org. - - -Section 3. Information about the Project Gutenberg Literary Archive -Foundation - -The Project Gutenberg Literary Archive Foundation is a non profit -501(c)(3) educational corporation organized under the laws of the -state of Mississippi and granted tax exempt status by the Internal -Revenue Service. The Foundation's EIN or federal tax identification -number is 64-6221541. Its 501(c)(3) letter is posted at -http://pglaf.org/fundraising. Contributions to the Project Gutenberg -Literary Archive Foundation are tax deductible to the full extent -permitted by U.S. federal laws and your state's laws. - -The Foundation's principal office is located at 4557 Melan Dr. S. -Fairbanks, AK, 99712., but its volunteers and employees are scattered -throughout numerous locations. Its business office is located at -809 North 1500 West, Salt Lake City, UT 84116, (801) 596-1887, email -business@pglaf.org. Email contact links and up to date contact -information can be found at the Foundation's web site and official -page at http://pglaf.org - -For additional contact information: - Dr. Gregory B. Newby - Chief Executive and Director - gbnewby@pglaf.org - - -Section 4. Information about Donations to the Project Gutenberg -Literary Archive Foundation - -Project Gutenberg-tm depends upon and cannot survive without wide -spread public support and donations to carry out its mission of -increasing the number of public domain and licensed works that can be -freely distributed in machine readable form accessible by the widest -array of equipment including outdated equipment. Many small donations -($1 to $5,000) are particularly important to maintaining tax exempt -status with the IRS. - -The Foundation is committed to complying with the laws regulating -charities and charitable donations in all 50 states of the United -States. Compliance requirements are not uniform and it takes a -considerable effort, much paperwork and many fees to meet and keep up -with these requirements. We do not solicit donations in locations -where we have not received written confirmation of compliance. To -SEND DONATIONS or determine the status of compliance for any -particular state visit http://pglaf.org - -While we cannot and do not solicit contributions from states where we -have not met the solicitation requirements, we know of no prohibition -against accepting unsolicited donations from donors in such states who -approach us with offers to donate. - -International donations are gratefully accepted, but we cannot make -any statements concerning tax treatment of donations received from -outside the United States. U.S. laws alone swamp our small staff. - -Please check the Project Gutenberg Web pages for current donation -methods and addresses. Donations are accepted in a number of other -ways including checks, online payments and credit card donations. -To donate, please visit: http://pglaf.org/donate - - -Section 5. General Information About Project Gutenberg-tm electronic -works. - -Professor Michael S. Hart is the originator of the Project Gutenberg-tm -concept of a library of electronic works that could be freely shared -with anyone. For thirty years, he produced and distributed Project -Gutenberg-tm eBooks with only a loose network of volunteer support. - - -Project Gutenberg-tm eBooks are often created from several printed -editions, all of which are confirmed as Public Domain in the U.S. -unless a copyright notice is included. Thus, we do not necessarily -keep eBooks in compliance with any particular paper edition. - - -Most people start at our Web site which has the main PG search facility: - - http://www.gutenberg.org - -This Web site includes information about Project Gutenberg-tm, -including how to make donations to the Project Gutenberg Literary -Archive Foundation, how to help produce our new eBooks, and how to -subscribe to our email newsletter to hear about new eBooks. -The Project Gutenberg EBook of A Tale of Two Cities, by Charles Dickens - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - - -Title: A Tale of Two Cities - A Story of the French Revolution - -Author: Charles Dickens - -Release Date: January, 1994 [EBook #98] -Posting Date: November 28, 2009 -Last Updated: March 4, 2018 - -Language: English - -Character set encoding: UTF-8 - -*** START OF THIS PROJECT GUTENBERG EBOOK A TALE OF TWO CITIES *** - - - - -Produced by Judith Boss - - - - - - - - -A TALE OF TWO CITIES - -A STORY OF THE FRENCH REVOLUTION - -By Charles Dickens - - -CONTENTS - - - Book the First--Recalled to Life - - Chapter I The Period - Chapter II The Mail - Chapter III The Night Shadows - Chapter IV The Preparation - Chapter V The Wine-shop - Chapter VI The Shoemaker - - - Book the Second--the Golden Thread - - Chapter I Five Years Later - Chapter II A Sight - Chapter III A Disappointment - Chapter IV Congratulatory - Chapter V The Jackal - Chapter VI Hundreds of People - Chapter VII Monseigneur in Town - Chapter VIII Monseigneur in the Country - Chapter IX The Gorgon's Head - Chapter X Two Promises - Chapter XI A Companion Picture - Chapter XII The Fellow of Delicacy - Chapter XIII The Fellow of no Delicacy - Chapter XIV The Honest Tradesman - Chapter XV Knitting - Chapter XVI Still Knitting - Chapter XVII One Night - Chapter XVIII Nine Days - Chapter XIX An Opinion - Chapter XX A Plea - Chapter XXI Echoing Footsteps - Chapter XXII The Sea Still Rises - Chapter XXIII Fire Rises - Chapter XXIV Drawn to the Loadstone Rock - - - Book the Third--the Track of a Storm - - Chapter I In Secret - Chapter II The Grindstone - Chapter III The Shadow - Chapter IV Calm in Storm - Chapter V The Wood-sawyer - Chapter VI Triumph - Chapter VII A Knock at the Door - Chapter VIII A Hand at Cards - Chapter IX The Game Made - Chapter X The Substance of the Shadow - Chapter XI Dusk - Chapter XII Darkness - Chapter XIII Fifty-two - Chapter XIV The Knitting Done - Chapter XV The Footsteps Die Out For Ever - - - - - -Book the First--Recalled to Life - - - - -I. The Period - - -It was the best of times, -it was the worst of times, -it was the age of wisdom, -it was the age of foolishness, -it was the epoch of belief, -it was the epoch of incredulity, -it was the season of Light, -it was the season of Darkness, -it was the spring of hope, -it was the winter of despair, -we had everything before us, -we had nothing before us, -we were all going direct to Heaven, -we were all going direct the other way-- -in short, the period was so far like the present period, that some of -its noisiest authorities insisted on its being received, for good or for -evil, in the superlative degree of comparison only. - -There were a king with a large jaw and a queen with a plain face, on the -throne of England; there were a king with a large jaw and a queen with -a fair face, on the throne of France. In both countries it was clearer -than crystal to the lords of the State preserves of loaves and fishes, -that things in general were settled for ever. - -It was the year of Our Lord one thousand seven hundred and seventy-five. -Spiritual revelations were conceded to England at that favoured period, -as at this. Mrs. Southcott had recently attained her five-and-twentieth -blessed birthday, of whom a prophetic private in the Life Guards had -heralded the sublime appearance by announcing that arrangements were -made for the swallowing up of London and Westminster. Even the Cock-lane -ghost had been laid only a round dozen of years, after rapping out its -messages, as the spirits of this very year last past (supernaturally -deficient in originality) rapped out theirs. Mere messages in the -earthly order of events had lately come to the English Crown and People, -from a congress of British subjects in America: which, strange -to relate, have proved more important to the human race than any -communications yet received through any of the chickens of the Cock-lane -brood. - -France, less favoured on the whole as to matters spiritual than her -sister of the shield and trident, rolled with exceeding smoothness down -hill, making paper money and spending it. Under the guidance of her -Christian pastors, she entertained herself, besides, with such humane -achievements as sentencing a youth to have his hands cut off, his tongue -torn out with pincers, and his body burned alive, because he had not -kneeled down in the rain to do honour to a dirty procession of monks -which passed within his view, at a distance of some fifty or sixty -yards. It is likely enough that, rooted in the woods of France and -Norway, there were growing trees, when that sufferer was put to death, -already marked by the Woodman, Fate, to come down and be sawn into -boards, to make a certain movable framework with a sack and a knife in -it, terrible in history. It is likely enough that in the rough outhouses -of some tillers of the heavy lands adjacent to Paris, there were -sheltered from the weather that very day, rude carts, bespattered with -rustic mire, snuffed about by pigs, and roosted in by poultry, which -the Farmer, Death, had already set apart to be his tumbrils of -the Revolution. But that Woodman and that Farmer, though they work -unceasingly, work silently, and no one heard them as they went about -with muffled tread: the rather, forasmuch as to entertain any suspicion -that they were awake, was to be atheistical and traitorous. - -In England, there was scarcely an amount of order and protection to -justify much national boasting. Daring burglaries by armed men, and -highway robberies, took place in the capital itself every night; -families were publicly cautioned not to go out of town without removing -their furniture to upholsterers' warehouses for security; the highwayman -in the dark was a City tradesman in the light, and, being recognised and -challenged by his fellow-tradesman whom he stopped in his character of -“the Captain,” gallantly shot him through the head and rode away; the -mail was waylaid by seven robbers, and the guard shot three dead, and -then got shot dead himself by the other four, “in consequence of the -failure of his ammunition:” after which the mail was robbed in peace; -that magnificent potentate, the Lord Mayor of London, was made to stand -and deliver on Turnham Green, by one highwayman, who despoiled the -illustrious creature in sight of all his retinue; prisoners in London -gaols fought battles with their turnkeys, and the majesty of the law -fired blunderbusses in among them, loaded with rounds of shot and ball; -thieves snipped off diamond crosses from the necks of noble lords at -Court drawing-rooms; musketeers went into St. Giles's, to search -for contraband goods, and the mob fired on the musketeers, and the -musketeers fired on the mob, and nobody thought any of these occurrences -much out of the common way. In the midst of them, the hangman, ever busy -and ever worse than useless, was in constant requisition; now, stringing -up long rows of miscellaneous criminals; now, hanging a housebreaker on -Saturday who had been taken on Tuesday; now, burning people in the -hand at Newgate by the dozen, and now burning pamphlets at the door of -Westminster Hall; to-day, taking the life of an atrocious murderer, -and to-morrow of a wretched pilferer who had robbed a farmer's boy of -sixpence. - -All these things, and a thousand like them, came to pass in and close -upon the dear old year one thousand seven hundred and seventy-five. -Environed by them, while the Woodman and the Farmer worked unheeded, -those two of the large jaws, and those other two of the plain and the -fair faces, trod with stir enough, and carried their divine rights -with a high hand. Thus did the year one thousand seven hundred -and seventy-five conduct their Greatnesses, and myriads of small -creatures--the creatures of this chronicle among the rest--along the -roads that lay before them. - - - - -II. The Mail - - -It was the Dover road that lay, on a Friday night late in November, -before the first of the persons with whom this history has business. -The Dover road lay, as to him, beyond the Dover mail, as it lumbered up -Shooter's Hill. He walked up hill in the mire by the side of the mail, -as the rest of the passengers did; not because they had the least relish -for walking exercise, under the circumstances, but because the hill, -and the harness, and the mud, and the mail, were all so heavy, that the -horses had three times already come to a stop, besides once drawing the -coach across the road, with the mutinous intent of taking it back -to Blackheath. Reins and whip and coachman and guard, however, in -combination, had read that article of war which forbade a purpose -otherwise strongly in favour of the argument, that some brute animals -are endued with Reason; and the team had capitulated and returned to -their duty. - -With drooping heads and tremulous tails, they mashed their way through -the thick mud, floundering and stumbling between whiles, as if they were -falling to pieces at the larger joints. As often as the driver rested -them and brought them to a stand, with a wary “Wo-ho! so-ho-then!” the -near leader violently shook his head and everything upon it--like an -unusually emphatic horse, denying that the coach could be got up the -hill. Whenever the leader made this rattle, the passenger started, as a -nervous passenger might, and was disturbed in mind. - -There was a steaming mist in all the hollows, and it had roamed in its -forlornness up the hill, like an evil spirit, seeking rest and finding -none. A clammy and intensely cold mist, it made its slow way through the -air in ripples that visibly followed and overspread one another, as the -waves of an unwholesome sea might do. It was dense enough to shut out -everything from the light of the coach-lamps but these its own workings, -and a few yards of road; and the reek of the labouring horses steamed -into it, as if they had made it all. - -Two other passengers, besides the one, were plodding up the hill by the -side of the mail. All three were wrapped to the cheekbones and over the -ears, and wore jack-boots. Not one of the three could have said, from -anything he saw, what either of the other two was like; and each was -hidden under almost as many wrappers from the eyes of the mind, as from -the eyes of the body, of his two companions. In those days, travellers -were very shy of being confidential on a short notice, for anybody on -the road might be a robber or in league with robbers. As to the latter, -when every posting-house and ale-house could produce somebody in -“the Captain's” pay, ranging from the landlord to the lowest stable -non-descript, it was the likeliest thing upon the cards. So the guard -of the Dover mail thought to himself, that Friday night in November, one -thousand seven hundred and seventy-five, lumbering up Shooter's Hill, as -he stood on his own particular perch behind the mail, beating his feet, -and keeping an eye and a hand on the arm-chest before him, where a -loaded blunderbuss lay at the top of six or eight loaded horse-pistols, -deposited on a substratum of cutlass. - -The Dover mail was in its usual genial position that the guard suspected -the passengers, the passengers suspected one another and the guard, they -all suspected everybody else, and the coachman was sure of nothing but -the horses; as to which cattle he could with a clear conscience have -taken his oath on the two Testaments that they were not fit for the -journey. - -“Wo-ho!” said the coachman. “So, then! One more pull and you're at the -top and be damned to you, for I have had trouble enough to get you to -it!--Joe!” - -“Halloa!” the guard replied. - -“What o'clock do you make it, Joe?” - -“Ten minutes, good, past eleven.” - -“My blood!” ejaculated the vexed coachman, “and not atop of Shooter's -yet! Tst! Yah! Get on with you!” - -The emphatic horse, cut short by the whip in a most decided negative, -made a decided scramble for it, and the three other horses followed -suit. Once more, the Dover mail struggled on, with the jack-boots of its -passengers squashing along by its side. They had stopped when the coach -stopped, and they kept close company with it. If any one of the three -had had the hardihood to propose to another to walk on a little ahead -into the mist and darkness, he would have put himself in a fair way of -getting shot instantly as a highwayman. - -The last burst carried the mail to the summit of the hill. The horses -stopped to breathe again, and the guard got down to skid the wheel for -the descent, and open the coach-door to let the passengers in. - -“Tst! Joe!” cried the coachman in a warning voice, looking down from his -box. - -“What do you say, Tom?” - -They both listened. - -“I say a horse at a canter coming up, Joe.” - -“_I_ say a horse at a gallop, Tom,” returned the guard, leaving his hold -of the door, and mounting nimbly to his place. “Gentlemen! In the king's -name, all of you!” - -With this hurried adjuration, he cocked his blunderbuss, and stood on -the offensive. - -The passenger booked by this history, was on the coach-step, getting in; -the two other passengers were close behind him, and about to follow. He -remained on the step, half in the coach and half out of; they remained -in the road below him. They all looked from the coachman to the guard, -and from the guard to the coachman, and listened. The coachman looked -back and the guard looked back, and even the emphatic leader pricked up -his ears and looked back, without contradicting. - -The stillness consequent on the cessation of the rumbling and labouring -of the coach, added to the stillness of the night, made it very quiet -indeed. The panting of the horses communicated a tremulous motion to -the coach, as if it were in a state of agitation. The hearts of the -passengers beat loud enough perhaps to be heard; but at any rate, the -quiet pause was audibly expressive of people out of breath, and holding -the breath, and having the pulses quickened by expectation. - -The sound of a horse at a gallop came fast and furiously up the hill. - -“So-ho!” the guard sang out, as loud as he could roar. “Yo there! Stand! -I shall fire!” - -The pace was suddenly checked, and, with much splashing and floundering, -a man's voice called from the mist, “Is that the Dover mail?” - -“Never you mind what it is!” the guard retorted. “What are you?” - -“_Is_ that the Dover mail?” - -“Why do you want to know?” - -“I want a passenger, if it is.” - -“What passenger?” - -“Mr. Jarvis Lorry.” - -Our booked passenger showed in a moment that it was his name. The guard, -the coachman, and the two other passengers eyed him distrustfully. - -“Keep where you are,” the guard called to the voice in the mist, -“because, if I should make a mistake, it could never be set right in -your lifetime. Gentleman of the name of Lorry answer straight.” - -“What is the matter?” asked the passenger, then, with mildly quavering -speech. “Who wants me? Is it Jerry?” - -(“I don't like Jerry's voice, if it is Jerry,” growled the guard to -himself. “He's hoarser than suits me, is Jerry.”) - -“Yes, Mr. Lorry.” - -“What is the matter?” - -“A despatch sent after you from over yonder. T. and Co.” - -“I know this messenger, guard,” said Mr. Lorry, getting down into the -road--assisted from behind more swiftly than politely by the other two -passengers, who immediately scrambled into the coach, shut the door, and -pulled up the window. “He may come close; there's nothing wrong.” - -“I hope there ain't, but I can't make so 'Nation sure of that,” said the -guard, in gruff soliloquy. “Hallo you!” - -“Well! And hallo you!” said Jerry, more hoarsely than before. - -“Come on at a footpace! d'ye mind me? And if you've got holsters to that -saddle o' yourn, don't let me see your hand go nigh 'em. For I'm a devil -at a quick mistake, and when I make one it takes the form of Lead. So -now let's look at you.” - -The figures of a horse and rider came slowly through the eddying mist, -and came to the side of the mail, where the passenger stood. The rider -stooped, and, casting up his eyes at the guard, handed the passenger -a small folded paper. The rider's horse was blown, and both horse and -rider were covered with mud, from the hoofs of the horse to the hat of -the man. - -“Guard!” said the passenger, in a tone of quiet business confidence. - -The watchful guard, with his right hand at the stock of his raised -blunderbuss, his left at the barrel, and his eye on the horseman, -answered curtly, “Sir.” - -“There is nothing to apprehend. I belong to Tellson's Bank. You must -know Tellson's Bank in London. I am going to Paris on business. A crown -to drink. I may read this?” - -“If so be as you're quick, sir.” - -He opened it in the light of the coach-lamp on that side, and -read--first to himself and then aloud: “'Wait at Dover for Mam'selle.' -It's not long, you see, guard. Jerry, say that my answer was, RECALLED -TO LIFE.” - -Jerry started in his saddle. “That's a Blazing strange answer, too,” - said he, at his hoarsest. - -“Take that message back, and they will know that I received this, as -well as if I wrote. Make the best of your way. Good night.” - -With those words the passenger opened the coach-door and got in; not at -all assisted by his fellow-passengers, who had expeditiously secreted -their watches and purses in their boots, and were now making a general -pretence of being asleep. With no more definite purpose than to escape -the hazard of originating any other kind of action. - -The coach lumbered on again, with heavier wreaths of mist closing round -it as it began the descent. The guard soon replaced his blunderbuss -in his arm-chest, and, having looked to the rest of its contents, and -having looked to the supplementary pistols that he wore in his belt, -looked to a smaller chest beneath his seat, in which there were a -few smith's tools, a couple of torches, and a tinder-box. For he was -furnished with that completeness that if the coach-lamps had been blown -and stormed out, which did occasionally happen, he had only to shut -himself up inside, keep the flint and steel sparks well off the straw, -and get a light with tolerable safety and ease (if he were lucky) in -five minutes. - -“Tom!” softly over the coach roof. - -“Hallo, Joe.” - -“Did you hear the message?” - -“I did, Joe.” - -“What did you make of it, Tom?” - -“Nothing at all, Joe.” - -“That's a coincidence, too,” the guard mused, “for I made the same of it -myself.” - -Jerry, left alone in the mist and darkness, dismounted meanwhile, not -only to ease his spent horse, but to wipe the mud from his face, and -shake the wet out of his hat-brim, which might be capable of -holding about half a gallon. After standing with the bridle over his -heavily-splashed arm, until the wheels of the mail were no longer within -hearing and the night was quite still again, he turned to walk down the -hill. - -“After that there gallop from Temple Bar, old lady, I won't trust your -fore-legs till I get you on the level,” said this hoarse messenger, -glancing at his mare. “'Recalled to life.' That's a Blazing strange -message. Much of that wouldn't do for you, Jerry! I say, Jerry! You'd -be in a Blazing bad way, if recalling to life was to come into fashion, -Jerry!” - - - - -III. The Night Shadows - - -A wonderful fact to reflect upon, that every human creature is -constituted to be that profound secret and mystery to every other. A -solemn consideration, when I enter a great city by night, that every -one of those darkly clustered houses encloses its own secret; that every -room in every one of them encloses its own secret; that every beating -heart in the hundreds of thousands of breasts there, is, in some of -its imaginings, a secret to the heart nearest it! Something of the -awfulness, even of Death itself, is referable to this. No more can I -turn the leaves of this dear book that I loved, and vainly hope in time -to read it all. No more can I look into the depths of this unfathomable -water, wherein, as momentary lights glanced into it, I have had glimpses -of buried treasure and other things submerged. It was appointed that the -book should shut with a spring, for ever and for ever, when I had read -but a page. It was appointed that the water should be locked in an -eternal frost, when the light was playing on its surface, and I stood -in ignorance on the shore. My friend is dead, my neighbour is dead, -my love, the darling of my soul, is dead; it is the inexorable -consolidation and perpetuation of the secret that was always in that -individuality, and which I shall carry in mine to my life's end. In -any of the burial-places of this city through which I pass, is there -a sleeper more inscrutable than its busy inhabitants are, in their -innermost personality, to me, or than I am to them? - -As to this, his natural and not to be alienated inheritance, the -messenger on horseback had exactly the same possessions as the King, the -first Minister of State, or the richest merchant in London. So with the -three passengers shut up in the narrow compass of one lumbering old mail -coach; they were mysteries to one another, as complete as if each had -been in his own coach and six, or his own coach and sixty, with the -breadth of a county between him and the next. - -The messenger rode back at an easy trot, stopping pretty often at -ale-houses by the way to drink, but evincing a tendency to keep his -own counsel, and to keep his hat cocked over his eyes. He had eyes that -assorted very well with that decoration, being of a surface black, with -no depth in the colour or form, and much too near together--as if they -were afraid of being found out in something, singly, if they kept too -far apart. They had a sinister expression, under an old cocked-hat like -a three-cornered spittoon, and over a great muffler for the chin and -throat, which descended nearly to the wearer's knees. When he stopped -for drink, he moved this muffler with his left hand, only while he -poured his liquor in with his right; as soon as that was done, he -muffled again. - -“No, Jerry, no!” said the messenger, harping on one theme as he rode. -“It wouldn't do for you, Jerry. Jerry, you honest tradesman, it wouldn't -suit _your_ line of business! Recalled--! Bust me if I don't think he'd -been a drinking!” - -His message perplexed his mind to that degree that he was fain, several -times, to take off his hat to scratch his head. Except on the crown, -which was raggedly bald, he had stiff, black hair, standing jaggedly all -over it, and growing down hill almost to his broad, blunt nose. It was -so like Smith's work, so much more like the top of a strongly spiked -wall than a head of hair, that the best of players at leap-frog might -have declined him, as the most dangerous man in the world to go over. - -While he trotted back with the message he was to deliver to the night -watchman in his box at the door of Tellson's Bank, by Temple Bar, who -was to deliver it to greater authorities within, the shadows of the -night took such shapes to him as arose out of the message, and took such -shapes to the mare as arose out of _her_ private topics of uneasiness. -They seemed to be numerous, for she shied at every shadow on the road. - -What time, the mail-coach lumbered, jolted, rattled, and bumped upon -its tedious way, with its three fellow-inscrutables inside. To whom, -likewise, the shadows of the night revealed themselves, in the forms -their dozing eyes and wandering thoughts suggested. - -Tellson's Bank had a run upon it in the mail. As the bank -passenger--with an arm drawn through the leathern strap, which did what -lay in it to keep him from pounding against the next passenger, -and driving him into his corner, whenever the coach got a special -jolt--nodded in his place, with half-shut eyes, the little -coach-windows, and the coach-lamp dimly gleaming through them, and the -bulky bundle of opposite passenger, became the bank, and did a great -stroke of business. The rattle of the harness was the chink of money, -and more drafts were honoured in five minutes than even Tellson's, with -all its foreign and home connection, ever paid in thrice the time. Then -the strong-rooms underground, at Tellson's, with such of their valuable -stores and secrets as were known to the passenger (and it was not a -little that he knew about them), opened before him, and he went in among -them with the great keys and the feebly-burning candle, and found them -safe, and strong, and sound, and still, just as he had last seen them. - -But, though the bank was almost always with him, and though the coach -(in a confused way, like the presence of pain under an opiate) was -always with him, there was another current of impression that never -ceased to run, all through the night. He was on his way to dig some one -out of a grave. - -Now, which of the multitude of faces that showed themselves before him -was the true face of the buried person, the shadows of the night did -not indicate; but they were all the faces of a man of five-and-forty by -years, and they differed principally in the passions they expressed, -and in the ghastliness of their worn and wasted state. Pride, contempt, -defiance, stubbornness, submission, lamentation, succeeded one another; -so did varieties of sunken cheek, cadaverous colour, emaciated hands -and figures. But the face was in the main one face, and every head was -prematurely white. A hundred times the dozing passenger inquired of this -spectre: - -“Buried how long?” - -The answer was always the same: “Almost eighteen years.” - -“You had abandoned all hope of being dug out?” - -“Long ago.” - -“You know that you are recalled to life?” - -“They tell me so.” - -“I hope you care to live?” - -“I can't say.” - -“Shall I show her to you? Will you come and see her?” - -The answers to this question were various and contradictory. Sometimes -the broken reply was, “Wait! It would kill me if I saw her too soon.” - Sometimes, it was given in a tender rain of tears, and then it was, -“Take me to her.” Sometimes it was staring and bewildered, and then it -was, “I don't know her. I don't understand.” - -After such imaginary discourse, the passenger in his fancy would dig, -and dig, dig--now with a spade, now with a great key, now with his -hands--to dig this wretched creature out. Got out at last, with earth -hanging about his face and hair, he would suddenly fan away to dust. The -passenger would then start to himself, and lower the window, to get the -reality of mist and rain on his cheek. - -Yet even when his eyes were opened on the mist and rain, on the moving -patch of light from the lamps, and the hedge at the roadside retreating -by jerks, the night shadows outside the coach would fall into the train -of the night shadows within. The real Banking-house by Temple Bar, the -real business of the past day, the real strong rooms, the real express -sent after him, and the real message returned, would all be there. Out -of the midst of them, the ghostly face would rise, and he would accost -it again. - -“Buried how long?” - -“Almost eighteen years.” - -“I hope you care to live?” - -“I can't say.” - -Dig--dig--dig--until an impatient movement from one of the two -passengers would admonish him to pull up the window, draw his arm -securely through the leathern strap, and speculate upon the two -slumbering forms, until his mind lost its hold of them, and they again -slid away into the bank and the grave. - -“Buried how long?” - -“Almost eighteen years.” - -“You had abandoned all hope of being dug out?” - -“Long ago.” - -The words were still in his hearing as just spoken--distinctly in -his hearing as ever spoken words had been in his life--when the weary -passenger started to the consciousness of daylight, and found that the -shadows of the night were gone. - -He lowered the window, and looked out at the rising sun. There was a -ridge of ploughed land, with a plough upon it where it had been left -last night when the horses were unyoked; beyond, a quiet coppice-wood, -in which many leaves of burning red and golden yellow still remained -upon the trees. Though the earth was cold and wet, the sky was clear, -and the sun rose bright, placid, and beautiful. - -“Eighteen years!” said the passenger, looking at the sun. “Gracious -Creator of day! To be buried alive for eighteen years!” - - - - -IV. The Preparation - - -When the mail got successfully to Dover, in the course of the forenoon, -the head drawer at the Royal George Hotel opened the coach-door as his -custom was. He did it with some flourish of ceremony, for a mail journey -from London in winter was an achievement to congratulate an adventurous -traveller upon. - -By that time, there was only one adventurous traveller left be -congratulated: for the two others had been set down at their respective -roadside destinations. The mildewy inside of the coach, with its damp -and dirty straw, its disagreeable smell, and its obscurity, was rather -like a larger dog-kennel. Mr. Lorry, the passenger, shaking himself out -of it in chains of straw, a tangle of shaggy wrapper, flapping hat, and -muddy legs, was rather like a larger sort of dog. - -“There will be a packet to Calais, tomorrow, drawer?” - -“Yes, sir, if the weather holds and the wind sets tolerable fair. The -tide will serve pretty nicely at about two in the afternoon, sir. Bed, -sir?” - -“I shall not go to bed till night; but I want a bedroom, and a barber.” - -“And then breakfast, sir? Yes, sir. That way, sir, if you please. -Show Concord! Gentleman's valise and hot water to Concord. Pull off -gentleman's boots in Concord. (You will find a fine sea-coal fire, sir.) -Fetch barber to Concord. Stir about there, now, for Concord!” - -The Concord bed-chamber being always assigned to a passenger by the -mail, and passengers by the mail being always heavily wrapped up from -head to foot, the room had the odd interest for the establishment of the -Royal George, that although but one kind of man was seen to go into it, -all kinds and varieties of men came out of it. Consequently, another -drawer, and two porters, and several maids and the landlady, were all -loitering by accident at various points of the road between the Concord -and the coffee-room, when a gentleman of sixty, formally dressed in a -brown suit of clothes, pretty well worn, but very well kept, with large -square cuffs and large flaps to the pockets, passed along on his way to -his breakfast. - -The coffee-room had no other occupant, that forenoon, than the gentleman -in brown. His breakfast-table was drawn before the fire, and as he sat, -with its light shining on him, waiting for the meal, he sat so still, -that he might have been sitting for his portrait. - -Very orderly and methodical he looked, with a hand on each knee, and a -loud watch ticking a sonorous sermon under his flapped waist-coat, -as though it pitted its gravity and longevity against the levity and -evanescence of the brisk fire. He had a good leg, and was a little vain -of it, for his brown stockings fitted sleek and close, and were of a -fine texture; his shoes and buckles, too, though plain, were trim. He -wore an odd little sleek crisp flaxen wig, setting very close to his -head: which wig, it is to be presumed, was made of hair, but which -looked far more as though it were spun from filaments of silk or glass. -His linen, though not of a fineness in accordance with his stockings, -was as white as the tops of the waves that broke upon the neighbouring -beach, or the specks of sail that glinted in the sunlight far at sea. A -face habitually suppressed and quieted, was still lighted up under the -quaint wig by a pair of moist bright eyes that it must have cost -their owner, in years gone by, some pains to drill to the composed and -reserved expression of Tellson's Bank. He had a healthy colour in his -cheeks, and his face, though lined, bore few traces of anxiety. -But, perhaps the confidential bachelor clerks in Tellson's Bank were -principally occupied with the cares of other people; and perhaps -second-hand cares, like second-hand clothes, come easily off and on. - -Completing his resemblance to a man who was sitting for his portrait, -Mr. Lorry dropped off to sleep. The arrival of his breakfast roused him, -and he said to the drawer, as he moved his chair to it: - -“I wish accommodation prepared for a young lady who may come here at any -time to-day. She may ask for Mr. Jarvis Lorry, or she may only ask for a -gentleman from Tellson's Bank. Please to let me know.” - -“Yes, sir. Tellson's Bank in London, sir?” - -“Yes.” - -“Yes, sir. We have oftentimes the honour to entertain your gentlemen in -their travelling backwards and forwards betwixt London and Paris, sir. A -vast deal of travelling, sir, in Tellson and Company's House.” - -“Yes. We are quite a French House, as well as an English one.” - -“Yes, sir. Not much in the habit of such travelling yourself, I think, -sir?” - -“Not of late years. It is fifteen years since we--since I--came last -from France.” - -“Indeed, sir? That was before my time here, sir. Before our people's -time here, sir. The George was in other hands at that time, sir.” - -“I believe so.” - -“But I would hold a pretty wager, sir, that a House like Tellson and -Company was flourishing, a matter of fifty, not to speak of fifteen -years ago?” - -“You might treble that, and say a hundred and fifty, yet not be far from -the truth.” - -“Indeed, sir!” - -Rounding his mouth and both his eyes, as he stepped backward from the -table, the waiter shifted his napkin from his right arm to his left, -dropped into a comfortable attitude, and stood surveying the guest while -he ate and drank, as from an observatory or watchtower. According to the -immemorial usage of waiters in all ages. - -When Mr. Lorry had finished his breakfast, he went out for a stroll on -the beach. The little narrow, crooked town of Dover hid itself away -from the beach, and ran its head into the chalk cliffs, like a marine -ostrich. The beach was a desert of heaps of sea and stones tumbling -wildly about, and the sea did what it liked, and what it liked was -destruction. It thundered at the town, and thundered at the cliffs, and -brought the coast down, madly. The air among the houses was of so strong -a piscatory flavour that one might have supposed sick fish went up to be -dipped in it, as sick people went down to be dipped in the sea. A little -fishing was done in the port, and a quantity of strolling about by -night, and looking seaward: particularly at those times when the tide -made, and was near flood. Small tradesmen, who did no business whatever, -sometimes unaccountably realised large fortunes, and it was remarkable -that nobody in the neighbourhood could endure a lamplighter. - -As the day declined into the afternoon, and the air, which had been -at intervals clear enough to allow the French coast to be seen, became -again charged with mist and vapour, Mr. Lorry's thoughts seemed to cloud -too. When it was dark, and he sat before the coffee-room fire, awaiting -his dinner as he had awaited his breakfast, his mind was busily digging, -digging, digging, in the live red coals. - -A bottle of good claret after dinner does a digger in the red coals no -harm, otherwise than as it has a tendency to throw him out of work. -Mr. Lorry had been idle a long time, and had just poured out his last -glassful of wine with as complete an appearance of satisfaction as is -ever to be found in an elderly gentleman of a fresh complexion who has -got to the end of a bottle, when a rattling of wheels came up the narrow -street, and rumbled into the inn-yard. - -He set down his glass untouched. “This is Mam'selle!” said he. - -In a very few minutes the waiter came in to announce that Miss Manette -had arrived from London, and would be happy to see the gentleman from -Tellson's. - -“So soon?” - -Miss Manette had taken some refreshment on the road, and required none -then, and was extremely anxious to see the gentleman from Tellson's -immediately, if it suited his pleasure and convenience. - -The gentleman from Tellson's had nothing left for it but to empty his -glass with an air of stolid desperation, settle his odd little flaxen -wig at the ears, and follow the waiter to Miss Manette's apartment. -It was a large, dark room, furnished in a funereal manner with black -horsehair, and loaded with heavy dark tables. These had been oiled and -oiled, until the two tall candles on the table in the middle of the room -were gloomily reflected on every leaf; as if _they_ were buried, in deep -graves of black mahogany, and no light to speak of could be expected -from them until they were dug out. - -The obscurity was so difficult to penetrate that Mr. Lorry, picking his -way over the well-worn Turkey carpet, supposed Miss Manette to be, for -the moment, in some adjacent room, until, having got past the two tall -candles, he saw standing to receive him by the table between them and -the fire, a young lady of not more than seventeen, in a riding-cloak, -and still holding her straw travelling-hat by its ribbon in her hand. As -his eyes rested on a short, slight, pretty figure, a quantity of golden -hair, a pair of blue eyes that met his own with an inquiring look, and -a forehead with a singular capacity (remembering how young and smooth -it was), of rifting and knitting itself into an expression that was -not quite one of perplexity, or wonder, or alarm, or merely of a bright -fixed attention, though it included all the four expressions--as his -eyes rested on these things, a sudden vivid likeness passed before him, -of a child whom he had held in his arms on the passage across that very -Channel, one cold time, when the hail drifted heavily and the sea ran -high. The likeness passed away, like a breath along the surface of -the gaunt pier-glass behind her, on the frame of which, a hospital -procession of negro cupids, several headless and all cripples, were -offering black baskets of Dead Sea fruit to black divinities of the -feminine gender--and he made his formal bow to Miss Manette. - -“Pray take a seat, sir.” In a very clear and pleasant young voice; a -little foreign in its accent, but a very little indeed. - -“I kiss your hand, miss,” said Mr. Lorry, with the manners of an earlier -date, as he made his formal bow again, and took his seat. - -“I received a letter from the Bank, sir, yesterday, informing me that -some intelligence--or discovery--” - -“The word is not material, miss; either word will do.” - -“--respecting the small property of my poor father, whom I never saw--so -long dead--” - -Mr. Lorry moved in his chair, and cast a troubled look towards the -hospital procession of negro cupids. As if _they_ had any help for -anybody in their absurd baskets! - -“--rendered it necessary that I should go to Paris, there to communicate -with a gentleman of the Bank, so good as to be despatched to Paris for -the purpose.” - -“Myself.” - -“As I was prepared to hear, sir.” - -She curtseyed to him (young ladies made curtseys in those days), with a -pretty desire to convey to him that she felt how much older and wiser he -was than she. He made her another bow. - -“I replied to the Bank, sir, that as it was considered necessary, by -those who know, and who are so kind as to advise me, that I should go to -France, and that as I am an orphan and have no friend who could go with -me, I should esteem it highly if I might be permitted to place myself, -during the journey, under that worthy gentleman's protection. The -gentleman had left London, but I think a messenger was sent after him to -beg the favour of his waiting for me here.” - -“I was happy,” said Mr. Lorry, “to be entrusted with the charge. I shall -be more happy to execute it.” - -“Sir, I thank you indeed. I thank you very gratefully. It was told me -by the Bank that the gentleman would explain to me the details of the -business, and that I must prepare myself to find them of a surprising -nature. I have done my best to prepare myself, and I naturally have a -strong and eager interest to know what they are.” - -“Naturally,” said Mr. Lorry. “Yes--I--” - -After a pause, he added, again settling the crisp flaxen wig at the -ears, “It is very difficult to begin.” - -He did not begin, but, in his indecision, met her glance. The young -forehead lifted itself into that singular expression--but it was pretty -and characteristic, besides being singular--and she raised her hand, -as if with an involuntary action she caught at, or stayed some passing -shadow. - -“Are you quite a stranger to me, sir?” - -“Am I not?” Mr. Lorry opened his hands, and extended them outwards with -an argumentative smile. - -Between the eyebrows and just over the little feminine nose, the line of -which was as delicate and fine as it was possible to be, the expression -deepened itself as she took her seat thoughtfully in the chair by which -she had hitherto remained standing. He watched her as she mused, and the -moment she raised her eyes again, went on: - -“In your adopted country, I presume, I cannot do better than address you -as a young English lady, Miss Manette?” - -“If you please, sir.” - -“Miss Manette, I am a man of business. I have a business charge to -acquit myself of. In your reception of it, don't heed me any more than -if I was a speaking machine--truly, I am not much else. I will, with -your leave, relate to you, miss, the story of one of our customers.” - -“Story!” - -He seemed wilfully to mistake the word she had repeated, when he added, -in a hurry, “Yes, customers; in the banking business we usually call -our connection our customers. He was a French gentleman; a scientific -gentleman; a man of great acquirements--a Doctor.” - -“Not of Beauvais?” - -“Why, yes, of Beauvais. Like Monsieur Manette, your father, the -gentleman was of Beauvais. Like Monsieur Manette, your father, the -gentleman was of repute in Paris. I had the honour of knowing him there. -Our relations were business relations, but confidential. I was at that -time in our French House, and had been--oh! twenty years.” - -“At that time--I may ask, at what time, sir?” - -“I speak, miss, of twenty years ago. He married--an English lady--and -I was one of the trustees. His affairs, like the affairs of many other -French gentlemen and French families, were entirely in Tellson's hands. -In a similar way I am, or I have been, trustee of one kind or other for -scores of our customers. These are mere business relations, miss; -there is no friendship in them, no particular interest, nothing like -sentiment. I have passed from one to another, in the course of my -business life, just as I pass from one of our customers to another in -the course of my business day; in short, I have no feelings; I am a mere -machine. To go on--” - -“But this is my father's story, sir; and I begin to think”--the -curiously roughened forehead was very intent upon him--“that when I was -left an orphan through my mother's surviving my father only two years, -it was you who brought me to England. I am almost sure it was you.” - -Mr. Lorry took the hesitating little hand that confidingly advanced -to take his, and he put it with some ceremony to his lips. He then -conducted the young lady straightway to her chair again, and, holding -the chair-back with his left hand, and using his right by turns to rub -his chin, pull his wig at the ears, or point what he said, stood looking -down into her face while she sat looking up into his. - -“Miss Manette, it _was_ I. And you will see how truly I spoke of myself -just now, in saying I had no feelings, and that all the relations I hold -with my fellow-creatures are mere business relations, when you reflect -that I have never seen you since. No; you have been the ward of -Tellson's House since, and I have been busy with the other business of -Tellson's House since. Feelings! I have no time for them, no chance -of them. I pass my whole life, miss, in turning an immense pecuniary -Mangle.” - -After this odd description of his daily routine of employment, Mr. Lorry -flattened his flaxen wig upon his head with both hands (which was most -unnecessary, for nothing could be flatter than its shining surface was -before), and resumed his former attitude. - -“So far, miss (as you have remarked), this is the story of your -regretted father. Now comes the difference. If your father had not died -when he did--Don't be frightened! How you start!” - -She did, indeed, start. And she caught his wrist with both her hands. - -“Pray,” said Mr. Lorry, in a soothing tone, bringing his left hand from -the back of the chair to lay it on the supplicatory fingers that clasped -him in so violent a tremble: “pray control your agitation--a matter of -business. As I was saying--” - -Her look so discomposed him that he stopped, wandered, and began anew: - -“As I was saying; if Monsieur Manette had not died; if he had suddenly -and silently disappeared; if he had been spirited away; if it had not -been difficult to guess to what dreadful place, though no art could -trace him; if he had an enemy in some compatriot who could exercise a -privilege that I in my own time have known the boldest people afraid -to speak of in a whisper, across the water there; for instance, the -privilege of filling up blank forms for the consignment of any one -to the oblivion of a prison for any length of time; if his wife had -implored the king, the queen, the court, the clergy, for any tidings of -him, and all quite in vain;--then the history of your father would have -been the history of this unfortunate gentleman, the Doctor of Beauvais.” - -“I entreat you to tell me more, sir.” - -“I will. I am going to. You can bear it?” - -“I can bear anything but the uncertainty you leave me in at this -moment.” - -“You speak collectedly, and you--_are_ collected. That's good!” (Though -his manner was less satisfied than his words.) “A matter of business. -Regard it as a matter of business--business that must be done. Now -if this doctor's wife, though a lady of great courage and spirit, -had suffered so intensely from this cause before her little child was -born--” - -“The little child was a daughter, sir.” - -“A daughter. A-a-matter of business--don't be distressed. Miss, if the -poor lady had suffered so intensely before her little child was born, -that she came to the determination of sparing the poor child the -inheritance of any part of the agony she had known the pains of, by -rearing her in the belief that her father was dead--No, don't kneel! In -Heaven's name why should you kneel to me!” - -“For the truth. O dear, good, compassionate sir, for the truth!” - -“A--a matter of business. You confuse me, and how can I transact -business if I am confused? Let us be clear-headed. If you could kindly -mention now, for instance, what nine times ninepence are, or how many -shillings in twenty guineas, it would be so encouraging. I should be so -much more at my ease about your state of mind.” - -Without directly answering to this appeal, she sat so still when he had -very gently raised her, and the hands that had not ceased to clasp -his wrists were so much more steady than they had been, that she -communicated some reassurance to Mr. Jarvis Lorry. - -“That's right, that's right. Courage! Business! You have business before -you; useful business. Miss Manette, your mother took this course with -you. And when she died--I believe broken-hearted--having never slackened -her unavailing search for your father, she left you, at two years old, -to grow to be blooming, beautiful, and happy, without the dark cloud -upon you of living in uncertainty whether your father soon wore his -heart out in prison, or wasted there through many lingering years.” - -As he said the words he looked down, with an admiring pity, on the -flowing golden hair; as if he pictured to himself that it might have -been already tinged with grey. - -“You know that your parents had no great possession, and that what -they had was secured to your mother and to you. There has been no new -discovery, of money, or of any other property; but--” - -He felt his wrist held closer, and he stopped. The expression in the -forehead, which had so particularly attracted his notice, and which was -now immovable, had deepened into one of pain and horror. - -“But he has been--been found. He is alive. Greatly changed, it is too -probable; almost a wreck, it is possible; though we will hope the best. -Still, alive. Your father has been taken to the house of an old servant -in Paris, and we are going there: I, to identify him if I can: you, to -restore him to life, love, duty, rest, comfort.” - -A shiver ran through her frame, and from it through his. She said, in a -low, distinct, awe-stricken voice, as if she were saying it in a dream, - -“I am going to see his Ghost! It will be his Ghost--not him!” - -Mr. Lorry quietly chafed the hands that held his arm. “There, there, -there! See now, see now! The best and the worst are known to you, now. -You are well on your way to the poor wronged gentleman, and, with a fair -sea voyage, and a fair land journey, you will be soon at his dear side.” - -She repeated in the same tone, sunk to a whisper, “I have been free, I -have been happy, yet his Ghost has never haunted me!” - -“Only one thing more,” said Mr. Lorry, laying stress upon it as a -wholesome means of enforcing her attention: “he has been found under -another name; his own, long forgotten or long concealed. It would be -worse than useless now to inquire which; worse than useless to seek to -know whether he has been for years overlooked, or always designedly -held prisoner. It would be worse than useless now to make any inquiries, -because it would be dangerous. Better not to mention the subject, -anywhere or in any way, and to remove him--for a while at all -events--out of France. Even I, safe as an Englishman, and even -Tellson's, important as they are to French credit, avoid all naming of -the matter. I carry about me, not a scrap of writing openly referring -to it. This is a secret service altogether. My credentials, entries, -and memoranda, are all comprehended in the one line, 'Recalled to Life;' -which may mean anything. But what is the matter! She doesn't notice a -word! Miss Manette!” - -Perfectly still and silent, and not even fallen back in her chair, she -sat under his hand, utterly insensible; with her eyes open and fixed -upon him, and with that last expression looking as if it were carved or -branded into her forehead. So close was her hold upon his arm, that he -feared to detach himself lest he should hurt her; therefore he called -out loudly for assistance without moving. - -A wild-looking woman, whom even in his agitation, Mr. Lorry observed to -be all of a red colour, and to have red hair, and to be dressed in some -extraordinary tight-fitting fashion, and to have on her head a most -wonderful bonnet like a Grenadier wooden measure, and good measure too, -or a great Stilton cheese, came running into the room in advance of the -inn servants, and soon settled the question of his detachment from the -poor young lady, by laying a brawny hand upon his chest, and sending him -flying back against the nearest wall. - -(“I really think this must be a man!” was Mr. Lorry's breathless -reflection, simultaneously with his coming against the wall.) - -“Why, look at you all!” bawled this figure, addressing the inn servants. -“Why don't you go and fetch things, instead of standing there staring -at me? I am not so much to look at, am I? Why don't you go and fetch -things? I'll let you know, if you don't bring smelling-salts, cold -water, and vinegar, quick, I will.” - -There was an immediate dispersal for these restoratives, and she -softly laid the patient on a sofa, and tended her with great skill and -gentleness: calling her “my precious!” and “my bird!” and spreading her -golden hair aside over her shoulders with great pride and care. - -“And you in brown!” she said, indignantly turning to Mr. Lorry; -“couldn't you tell her what you had to tell her, without frightening her -to death? Look at her, with her pretty pale face and her cold hands. Do -you call _that_ being a Banker?” - -Mr. Lorry was so exceedingly disconcerted by a question so hard to -answer, that he could only look on, at a distance, with much feebler -sympathy and humility, while the strong woman, having banished the inn -servants under the mysterious penalty of “letting them know” something -not mentioned if they stayed there, staring, recovered her charge by a -regular series of gradations, and coaxed her to lay her drooping head -upon her shoulder. - -“I hope she will do well now,” said Mr. Lorry. - -“No thanks to you in brown, if she does. My darling pretty!” - -“I hope,” said Mr. Lorry, after another pause of feeble sympathy and -humility, “that you accompany Miss Manette to France?” - -“A likely thing, too!” replied the strong woman. “If it was ever -intended that I should go across salt water, do you suppose Providence -would have cast my lot in an island?” - -This being another question hard to answer, Mr. Jarvis Lorry withdrew to -consider it. - - - - -V. The Wine-shop - - -A large cask of wine had been dropped and broken, in the street. The -accident had happened in getting it out of a cart; the cask had tumbled -out with a run, the hoops had burst, and it lay on the stones just -outside the door of the wine-shop, shattered like a walnut-shell. - -All the people within reach had suspended their business, or their -idleness, to run to the spot and drink the wine. The rough, irregular -stones of the street, pointing every way, and designed, one might have -thought, expressly to lame all living creatures that approached them, -had dammed it into little pools; these were surrounded, each by its own -jostling group or crowd, according to its size. Some men kneeled down, -made scoops of their two hands joined, and sipped, or tried to help -women, who bent over their shoulders, to sip, before the wine had all -run out between their fingers. Others, men and women, dipped in -the puddles with little mugs of mutilated earthenware, or even with -handkerchiefs from women's heads, which were squeezed dry into infants' -mouths; others made small mud-embankments, to stem the wine as it ran; -others, directed by lookers-on up at high windows, darted here and -there, to cut off little streams of wine that started away in new -directions; others devoted themselves to the sodden and lee-dyed -pieces of the cask, licking, and even champing the moister wine-rotted -fragments with eager relish. There was no drainage to carry off the -wine, and not only did it all get taken up, but so much mud got taken up -along with it, that there might have been a scavenger in the street, -if anybody acquainted with it could have believed in such a miraculous -presence. - -A shrill sound of laughter and of amused voices--voices of men, women, -and children--resounded in the street while this wine game lasted. There -was little roughness in the sport, and much playfulness. There was a -special companionship in it, an observable inclination on the part -of every one to join some other one, which led, especially among the -luckier or lighter-hearted, to frolicsome embraces, drinking of healths, -shaking of hands, and even joining of hands and dancing, a dozen -together. When the wine was gone, and the places where it had been -most abundant were raked into a gridiron-pattern by fingers, these -demonstrations ceased, as suddenly as they had broken out. The man who -had left his saw sticking in the firewood he was cutting, set it in -motion again; the women who had left on a door-step the little pot of -hot ashes, at which she had been trying to soften the pain in her own -starved fingers and toes, or in those of her child, returned to it; men -with bare arms, matted locks, and cadaverous faces, who had emerged into -the winter light from cellars, moved away, to descend again; and a gloom -gathered on the scene that appeared more natural to it than sunshine. - -The wine was red wine, and had stained the ground of the narrow street -in the suburb of Saint Antoine, in Paris, where it was spilled. It had -stained many hands, too, and many faces, and many naked feet, and many -wooden shoes. The hands of the man who sawed the wood, left red marks -on the billets; and the forehead of the woman who nursed her baby, was -stained with the stain of the old rag she wound about her head again. -Those who had been greedy with the staves of the cask, had acquired a -tigerish smear about the mouth; and one tall joker so besmirched, his -head more out of a long squalid bag of a nightcap than in it, scrawled -upon a wall with his finger dipped in muddy wine-lees--BLOOD. - -The time was to come, when that wine too would be spilled on the -street-stones, and when the stain of it would be red upon many there. - -And now that the cloud settled on Saint Antoine, which a momentary -gleam had driven from his sacred countenance, the darkness of it was -heavy--cold, dirt, sickness, ignorance, and want, were the lords in -waiting on the saintly presence--nobles of great power all of them; -but, most especially the last. Samples of a people that had undergone a -terrible grinding and regrinding in the mill, and certainly not in the -fabulous mill which ground old people young, shivered at every corner, -passed in and out at every doorway, looked from every window, fluttered -in every vestige of a garment that the wind shook. The mill which -had worked them down, was the mill that grinds young people old; the -children had ancient faces and grave voices; and upon them, and upon the -grown faces, and ploughed into every furrow of age and coming up afresh, -was the sigh, Hunger. It was prevalent everywhere. Hunger was pushed out -of the tall houses, in the wretched clothing that hung upon poles and -lines; Hunger was patched into them with straw and rag and wood and -paper; Hunger was repeated in every fragment of the small modicum of -firewood that the man sawed off; Hunger stared down from the smokeless -chimneys, and started up from the filthy street that had no offal, -among its refuse, of anything to eat. Hunger was the inscription on the -baker's shelves, written in every small loaf of his scanty stock of -bad bread; at the sausage-shop, in every dead-dog preparation that -was offered for sale. Hunger rattled its dry bones among the roasting -chestnuts in the turned cylinder; Hunger was shred into atomics in every -farthing porringer of husky chips of potato, fried with some reluctant -drops of oil. - -Its abiding place was in all things fitted to it. A narrow winding -street, full of offence and stench, with other narrow winding streets -diverging, all peopled by rags and nightcaps, and all smelling of rags -and nightcaps, and all visible things with a brooding look upon them -that looked ill. In the hunted air of the people there was yet some -wild-beast thought of the possibility of turning at bay. Depressed and -slinking though they were, eyes of fire were not wanting among them; nor -compressed lips, white with what they suppressed; nor foreheads knitted -into the likeness of the gallows-rope they mused about enduring, or -inflicting. The trade signs (and they were almost as many as the shops) -were, all, grim illustrations of Want. The butcher and the porkman -painted up, only the leanest scrags of meat; the baker, the coarsest of -meagre loaves. The people rudely pictured as drinking in the wine-shops, -croaked over their scanty measures of thin wine and beer, and were -gloweringly confidential together. Nothing was represented in a -flourishing condition, save tools and weapons; but, the cutler's knives -and axes were sharp and bright, the smith's hammers were heavy, and the -gunmaker's stock was murderous. The crippling stones of the pavement, -with their many little reservoirs of mud and water, had no footways, but -broke off abruptly at the doors. The kennel, to make amends, ran down -the middle of the street--when it ran at all: which was only after heavy -rains, and then it ran, by many eccentric fits, into the houses. Across -the streets, at wide intervals, one clumsy lamp was slung by a rope and -pulley; at night, when the lamplighter had let these down, and lighted, -and hoisted them again, a feeble grove of dim wicks swung in a sickly -manner overhead, as if they were at sea. Indeed they were at sea, and -the ship and crew were in peril of tempest. - -For, the time was to come, when the gaunt scarecrows of that region -should have watched the lamplighter, in their idleness and hunger, so -long, as to conceive the idea of improving on his method, and hauling -up men by those ropes and pulleys, to flare upon the darkness of their -condition. But, the time was not come yet; and every wind that blew over -France shook the rags of the scarecrows in vain, for the birds, fine of -song and feather, took no warning. - -The wine-shop was a corner shop, better than most others in its -appearance and degree, and the master of the wine-shop had stood outside -it, in a yellow waistcoat and green breeches, looking on at the struggle -for the lost wine. “It's not my affair,” said he, with a final shrug -of the shoulders. “The people from the market did it. Let them bring -another.” - -There, his eyes happening to catch the tall joker writing up his joke, -he called to him across the way: - -“Say, then, my Gaspard, what do you do there?” - -The fellow pointed to his joke with immense significance, as is often -the way with his tribe. It missed its mark, and completely failed, as is -often the way with his tribe too. - -“What now? Are you a subject for the mad hospital?” said the wine-shop -keeper, crossing the road, and obliterating the jest with a handful of -mud, picked up for the purpose, and smeared over it. “Why do you write -in the public streets? Is there--tell me thou--is there no other place -to write such words in?” - -In his expostulation he dropped his cleaner hand (perhaps accidentally, -perhaps not) upon the joker's heart. The joker rapped it with his -own, took a nimble spring upward, and came down in a fantastic dancing -attitude, with one of his stained shoes jerked off his foot into his -hand, and held out. A joker of an extremely, not to say wolfishly -practical character, he looked, under those circumstances. - -“Put it on, put it on,” said the other. “Call wine, wine; and finish -there.” With that advice, he wiped his soiled hand upon the joker's -dress, such as it was--quite deliberately, as having dirtied the hand on -his account; and then recrossed the road and entered the wine-shop. - -This wine-shop keeper was a bull-necked, martial-looking man of thirty, -and he should have been of a hot temperament, for, although it was a -bitter day, he wore no coat, but carried one slung over his shoulder. -His shirt-sleeves were rolled up, too, and his brown arms were bare to -the elbows. Neither did he wear anything more on his head than his own -crisply-curling short dark hair. He was a dark man altogether, with good -eyes and a good bold breadth between them. Good-humoured looking on -the whole, but implacable-looking, too; evidently a man of a strong -resolution and a set purpose; a man not desirable to be met, rushing -down a narrow pass with a gulf on either side, for nothing would turn -the man. - -Madame Defarge, his wife, sat in the shop behind the counter as he -came in. Madame Defarge was a stout woman of about his own age, with -a watchful eye that seldom seemed to look at anything, a large hand -heavily ringed, a steady face, strong features, and great composure of -manner. There was a character about Madame Defarge, from which one might -have predicated that she did not often make mistakes against herself -in any of the reckonings over which she presided. Madame Defarge being -sensitive to cold, was wrapped in fur, and had a quantity of bright -shawl twined about her head, though not to the concealment of her large -earrings. Her knitting was before her, but she had laid it down to pick -her teeth with a toothpick. Thus engaged, with her right elbow supported -by her left hand, Madame Defarge said nothing when her lord came in, but -coughed just one grain of cough. This, in combination with the lifting -of her darkly defined eyebrows over her toothpick by the breadth of a -line, suggested to her husband that he would do well to look round the -shop among the customers, for any new customer who had dropped in while -he stepped over the way. - -The wine-shop keeper accordingly rolled his eyes about, until they -rested upon an elderly gentleman and a young lady, who were seated in -a corner. Other company were there: two playing cards, two playing -dominoes, three standing by the counter lengthening out a short supply -of wine. As he passed behind the counter, he took notice that the -elderly gentleman said in a look to the young lady, “This is our man.” - -“What the devil do _you_ do in that galley there?” said Monsieur Defarge -to himself; “I don't know you.” - -But, he feigned not to notice the two strangers, and fell into discourse -with the triumvirate of customers who were drinking at the counter. - -“How goes it, Jacques?” said one of these three to Monsieur Defarge. “Is -all the spilt wine swallowed?” - -“Every drop, Jacques,” answered Monsieur Defarge. - -When this interchange of Christian name was effected, Madame Defarge, -picking her teeth with her toothpick, coughed another grain of cough, -and raised her eyebrows by the breadth of another line. - -“It is not often,” said the second of the three, addressing Monsieur -Defarge, “that many of these miserable beasts know the taste of wine, or -of anything but black bread and death. Is it not so, Jacques?” - -“It is so, Jacques,” Monsieur Defarge returned. - -At this second interchange of the Christian name, Madame Defarge, still -using her toothpick with profound composure, coughed another grain of -cough, and raised her eyebrows by the breadth of another line. - -The last of the three now said his say, as he put down his empty -drinking vessel and smacked his lips. - -“Ah! So much the worse! A bitter taste it is that such poor cattle -always have in their mouths, and hard lives they live, Jacques. Am I -right, Jacques?” - -“You are right, Jacques,” was the response of Monsieur Defarge. - -This third interchange of the Christian name was completed at the moment -when Madame Defarge put her toothpick by, kept her eyebrows up, and -slightly rustled in her seat. - -“Hold then! True!” muttered her husband. “Gentlemen--my wife!” - -The three customers pulled off their hats to Madame Defarge, with three -flourishes. She acknowledged their homage by bending her head, and -giving them a quick look. Then she glanced in a casual manner round the -wine-shop, took up her knitting with great apparent calmness and repose -of spirit, and became absorbed in it. - -“Gentlemen,” said her husband, who had kept his bright eye observantly -upon her, “good day. The chamber, furnished bachelor-fashion, that you -wished to see, and were inquiring for when I stepped out, is on the -fifth floor. The doorway of the staircase gives on the little courtyard -close to the left here,” pointing with his hand, “near to the window of -my establishment. But, now that I remember, one of you has already been -there, and can show the way. Gentlemen, adieu!” - -They paid for their wine, and left the place. The eyes of Monsieur -Defarge were studying his wife at her knitting when the elderly -gentleman advanced from his corner, and begged the favour of a word. - -“Willingly, sir,” said Monsieur Defarge, and quietly stepped with him to -the door. - -Their conference was very short, but very decided. Almost at the first -word, Monsieur Defarge started and became deeply attentive. It had -not lasted a minute, when he nodded and went out. The gentleman then -beckoned to the young lady, and they, too, went out. Madame Defarge -knitted with nimble fingers and steady eyebrows, and saw nothing. - -Mr. Jarvis Lorry and Miss Manette, emerging from the wine-shop thus, -joined Monsieur Defarge in the doorway to which he had directed his own -company just before. It opened from a stinking little black courtyard, -and was the general public entrance to a great pile of houses, inhabited -by a great number of people. In the gloomy tile-paved entry to the -gloomy tile-paved staircase, Monsieur Defarge bent down on one knee -to the child of his old master, and put her hand to his lips. It was -a gentle action, but not at all gently done; a very remarkable -transformation had come over him in a few seconds. He had no good-humour -in his face, nor any openness of aspect left, but had become a secret, -angry, dangerous man. - -“It is very high; it is a little difficult. Better to begin slowly.” - Thus, Monsieur Defarge, in a stern voice, to Mr. Lorry, as they began -ascending the stairs. - -“Is he alone?” the latter whispered. - -“Alone! God help him, who should be with him!” said the other, in the -same low voice. - -“Is he always alone, then?” - -“Yes.” - -“Of his own desire?” - -“Of his own necessity. As he was, when I first saw him after they -found me and demanded to know if I would take him, and, at my peril be -discreet--as he was then, so he is now.” - -“He is greatly changed?” - -“Changed!” - -The keeper of the wine-shop stopped to strike the wall with his hand, -and mutter a tremendous curse. No direct answer could have been half so -forcible. Mr. Lorry's spirits grew heavier and heavier, as he and his -two companions ascended higher and higher. - -Such a staircase, with its accessories, in the older and more crowded -parts of Paris, would be bad enough now; but, at that time, it was vile -indeed to unaccustomed and unhardened senses. Every little habitation -within the great foul nest of one high building--that is to say, -the room or rooms within every door that opened on the general -staircase--left its own heap of refuse on its own landing, besides -flinging other refuse from its own windows. The uncontrollable and -hopeless mass of decomposition so engendered, would have polluted -the air, even if poverty and deprivation had not loaded it with their -intangible impurities; the two bad sources combined made it almost -insupportable. Through such an atmosphere, by a steep dark shaft of dirt -and poison, the way lay. Yielding to his own disturbance of mind, and to -his young companion's agitation, which became greater every instant, Mr. -Jarvis Lorry twice stopped to rest. Each of these stoppages was made -at a doleful grating, by which any languishing good airs that were left -uncorrupted, seemed to escape, and all spoilt and sickly vapours seemed -to crawl in. Through the rusted bars, tastes, rather than glimpses, were -caught of the jumbled neighbourhood; and nothing within range, nearer -or lower than the summits of the two great towers of Notre-Dame, had any -promise on it of healthy life or wholesome aspirations. - -At last, the top of the staircase was gained, and they stopped for the -third time. There was yet an upper staircase, of a steeper inclination -and of contracted dimensions, to be ascended, before the garret story -was reached. The keeper of the wine-shop, always going a little in -advance, and always going on the side which Mr. Lorry took, as though he -dreaded to be asked any question by the young lady, turned himself about -here, and, carefully feeling in the pockets of the coat he carried over -his shoulder, took out a key. - -“The door is locked then, my friend?” said Mr. Lorry, surprised. - -“Ay. Yes,” was the grim reply of Monsieur Defarge. - -“You think it necessary to keep the unfortunate gentleman so retired?” - -“I think it necessary to turn the key.” Monsieur Defarge whispered it -closer in his ear, and frowned heavily. - -“Why?” - -“Why! Because he has lived so long, locked up, that he would be -frightened--rave--tear himself to pieces--die--come to I know not what -harm--if his door was left open.” - -“Is it possible!” exclaimed Mr. Lorry. - -“Is it possible!” repeated Defarge, bitterly. “Yes. And a beautiful -world we live in, when it _is_ possible, and when many other such things -are possible, and not only possible, but done--done, see you!--under -that sky there, every day. Long live the Devil. Let us go on.” - -This dialogue had been held in so very low a whisper, that not a word -of it had reached the young lady's ears. But, by this time she trembled -under such strong emotion, and her face expressed such deep anxiety, -and, above all, such dread and terror, that Mr. Lorry felt it incumbent -on him to speak a word or two of reassurance. - -“Courage, dear miss! Courage! Business! The worst will be over in a -moment; it is but passing the room-door, and the worst is over. Then, -all the good you bring to him, all the relief, all the happiness you -bring to him, begin. Let our good friend here, assist you on that side. -That's well, friend Defarge. Come, now. Business, business!” - -They went up slowly and softly. The staircase was short, and they were -soon at the top. There, as it had an abrupt turn in it, they came all at -once in sight of three men, whose heads were bent down close together at -the side of a door, and who were intently looking into the room to which -the door belonged, through some chinks or holes in the wall. On hearing -footsteps close at hand, these three turned, and rose, and showed -themselves to be the three of one name who had been drinking in the -wine-shop. - -“I forgot them in the surprise of your visit,” explained Monsieur -Defarge. “Leave us, good boys; we have business here.” - -The three glided by, and went silently down. - -There appearing to be no other door on that floor, and the keeper of -the wine-shop going straight to this one when they were left alone, Mr. -Lorry asked him in a whisper, with a little anger: - -“Do you make a show of Monsieur Manette?” - -“I show him, in the way you have seen, to a chosen few.” - -“Is that well?” - -“_I_ think it is well.” - -“Who are the few? How do you choose them?” - -“I choose them as real men, of my name--Jacques is my name--to whom the -sight is likely to do good. Enough; you are English; that is another -thing. Stay there, if you please, a little moment.” - -With an admonitory gesture to keep them back, he stooped, and looked in -through the crevice in the wall. Soon raising his head again, he struck -twice or thrice upon the door--evidently with no other object than to -make a noise there. With the same intention, he drew the key across it, -three or four times, before he put it clumsily into the lock, and turned -it as heavily as he could. - -The door slowly opened inward under his hand, and he looked into the -room and said something. A faint voice answered something. Little more -than a single syllable could have been spoken on either side. - -He looked back over his shoulder, and beckoned them to enter. Mr. Lorry -got his arm securely round the daughter's waist, and held her; for he -felt that she was sinking. - -“A-a-a-business, business!” he urged, with a moisture that was not of -business shining on his cheek. “Come in, come in!” - -“I am afraid of it,” she answered, shuddering. - -“Of it? What?” - -“I mean of him. Of my father.” - -Rendered in a manner desperate, by her state and by the beckoning of -their conductor, he drew over his neck the arm that shook upon his -shoulder, lifted her a little, and hurried her into the room. He sat her -down just within the door, and held her, clinging to him. - -Defarge drew out the key, closed the door, locked it on the inside, -took out the key again, and held it in his hand. All this he did, -methodically, and with as loud and harsh an accompaniment of noise as he -could make. Finally, he walked across the room with a measured tread to -where the window was. He stopped there, and faced round. - -The garret, built to be a depository for firewood and the like, was dim -and dark: for, the window of dormer shape, was in truth a door in the -roof, with a little crane over it for the hoisting up of stores from -the street: unglazed, and closing up the middle in two pieces, like any -other door of French construction. To exclude the cold, one half of this -door was fast closed, and the other was opened but a very little way. -Such a scanty portion of light was admitted through these means, that it -was difficult, on first coming in, to see anything; and long habit -alone could have slowly formed in any one, the ability to do any work -requiring nicety in such obscurity. Yet, work of that kind was being -done in the garret; for, with his back towards the door, and his face -towards the window where the keeper of the wine-shop stood looking at -him, a white-haired man sat on a low bench, stooping forward and very -busy, making shoes. - - - - -VI. The Shoemaker - - -“Good day!” said Monsieur Defarge, looking down at the white head that -bent low over the shoemaking. - -It was raised for a moment, and a very faint voice responded to the -salutation, as if it were at a distance: - -“Good day!” - -“You are still hard at work, I see?” - -After a long silence, the head was lifted for another moment, and the -voice replied, “Yes--I am working.” This time, a pair of haggard eyes -had looked at the questioner, before the face had dropped again. - -The faintness of the voice was pitiable and dreadful. It was not the -faintness of physical weakness, though confinement and hard fare no -doubt had their part in it. Its deplorable peculiarity was, that it was -the faintness of solitude and disuse. It was like the last feeble echo -of a sound made long and long ago. So entirely had it lost the life and -resonance of the human voice, that it affected the senses like a once -beautiful colour faded away into a poor weak stain. So sunken and -suppressed it was, that it was like a voice underground. So expressive -it was, of a hopeless and lost creature, that a famished traveller, -wearied out by lonely wandering in a wilderness, would have remembered -home and friends in such a tone before lying down to die. - -Some minutes of silent work had passed: and the haggard eyes had looked -up again: not with any interest or curiosity, but with a dull mechanical -perception, beforehand, that the spot where the only visitor they were -aware of had stood, was not yet empty. - -“I want,” said Defarge, who had not removed his gaze from the shoemaker, -“to let in a little more light here. You can bear a little more?” - -The shoemaker stopped his work; looked with a vacant air of listening, -at the floor on one side of him; then similarly, at the floor on the -other side of him; then, upward at the speaker. - -“What did you say?” - -“You can bear a little more light?” - -“I must bear it, if you let it in.” (Laying the palest shadow of a -stress upon the second word.) - -The opened half-door was opened a little further, and secured at that -angle for the time. A broad ray of light fell into the garret, and -showed the workman with an unfinished shoe upon his lap, pausing in his -labour. His few common tools and various scraps of leather were at his -feet and on his bench. He had a white beard, raggedly cut, but not very -long, a hollow face, and exceedingly bright eyes. The hollowness and -thinness of his face would have caused them to look large, under his yet -dark eyebrows and his confused white hair, though they had been really -otherwise; but, they were naturally large, and looked unnaturally so. -His yellow rags of shirt lay open at the throat, and showed his body -to be withered and worn. He, and his old canvas frock, and his loose -stockings, and all his poor tatters of clothes, had, in a long seclusion -from direct light and air, faded down to such a dull uniformity of -parchment-yellow, that it would have been hard to say which was which. - -He had put up a hand between his eyes and the light, and the very bones -of it seemed transparent. So he sat, with a steadfastly vacant gaze, -pausing in his work. He never looked at the figure before him, without -first looking down on this side of himself, then on that, as if he had -lost the habit of associating place with sound; he never spoke, without -first wandering in this manner, and forgetting to speak. - -“Are you going to finish that pair of shoes to-day?” asked Defarge, -motioning to Mr. Lorry to come forward. - -“What did you say?” - -“Do you mean to finish that pair of shoes to-day?” - -“I can't say that I mean to. I suppose so. I don't know.” - -But, the question reminded him of his work, and he bent over it again. - -Mr. Lorry came silently forward, leaving the daughter by the door. When -he had stood, for a minute or two, by the side of Defarge, the shoemaker -looked up. He showed no surprise at seeing another figure, but the -unsteady fingers of one of his hands strayed to his lips as he looked at -it (his lips and his nails were of the same pale lead-colour), and then -the hand dropped to his work, and he once more bent over the shoe. The -look and the action had occupied but an instant. - -“You have a visitor, you see,” said Monsieur Defarge. - -“What did you say?” - -“Here is a visitor.” - -The shoemaker looked up as before, but without removing a hand from his -work. - -“Come!” said Defarge. “Here is monsieur, who knows a well-made shoe when -he sees one. Show him that shoe you are working at. Take it, monsieur.” - -Mr. Lorry took it in his hand. - -“Tell monsieur what kind of shoe it is, and the maker's name.” - -There was a longer pause than usual, before the shoemaker replied: - -“I forget what it was you asked me. What did you say?” - -“I said, couldn't you describe the kind of shoe, for monsieur's -information?” - -“It is a lady's shoe. It is a young lady's walking-shoe. It is in the -present mode. I never saw the mode. I have had a pattern in my hand.” He -glanced at the shoe with some little passing touch of pride. - -“And the maker's name?” said Defarge. - -Now that he had no work to hold, he laid the knuckles of the right hand -in the hollow of the left, and then the knuckles of the left hand in the -hollow of the right, and then passed a hand across his bearded chin, and -so on in regular changes, without a moment's intermission. The task of -recalling him from the vagrancy into which he always sank when he -had spoken, was like recalling some very weak person from a swoon, or -endeavouring, in the hope of some disclosure, to stay the spirit of a -fast-dying man. - -“Did you ask me for my name?” - -“Assuredly I did.” - -“One Hundred and Five, North Tower.” - -“Is that all?” - -“One Hundred and Five, North Tower.” - -With a weary sound that was not a sigh, nor a groan, he bent to work -again, until the silence was again broken. - -“You are not a shoemaker by trade?” said Mr. Lorry, looking steadfastly -at him. - -His haggard eyes turned to Defarge as if he would have transferred the -question to him: but as no help came from that quarter, they turned back -on the questioner when they had sought the ground. - -“I am not a shoemaker by trade? No, I was not a shoemaker by trade. I-I -learnt it here. I taught myself. I asked leave to--” - -He lapsed away, even for minutes, ringing those measured changes on his -hands the whole time. His eyes came slowly back, at last, to the face -from which they had wandered; when they rested on it, he started, and -resumed, in the manner of a sleeper that moment awake, reverting to a -subject of last night. - -“I asked leave to teach myself, and I got it with much difficulty after -a long while, and I have made shoes ever since.” - -As he held out his hand for the shoe that had been taken from him, Mr. -Lorry said, still looking steadfastly in his face: - -“Monsieur Manette, do you remember nothing of me?” - -The shoe dropped to the ground, and he sat looking fixedly at the -questioner. - -“Monsieur Manette”; Mr. Lorry laid his hand upon Defarge's arm; “do you -remember nothing of this man? Look at him. Look at me. Is there no old -banker, no old business, no old servant, no old time, rising in your -mind, Monsieur Manette?” - -As the captive of many years sat looking fixedly, by turns, at Mr. -Lorry and at Defarge, some long obliterated marks of an actively intent -intelligence in the middle of the forehead, gradually forced themselves -through the black mist that had fallen on him. They were overclouded -again, they were fainter, they were gone; but they had been there. And -so exactly was the expression repeated on the fair young face of her who -had crept along the wall to a point where she could see him, and where -she now stood looking at him, with hands which at first had been only -raised in frightened compassion, if not even to keep him off and -shut out the sight of him, but which were now extending towards him, -trembling with eagerness to lay the spectral face upon her warm young -breast, and love it back to life and hope--so exactly was the expression -repeated (though in stronger characters) on her fair young face, that it -looked as though it had passed like a moving light, from him to her. - -Darkness had fallen on him in its place. He looked at the two, less and -less attentively, and his eyes in gloomy abstraction sought the ground -and looked about him in the old way. Finally, with a deep long sigh, he -took the shoe up, and resumed his work. - -“Have you recognised him, monsieur?” asked Defarge in a whisper. - -“Yes; for a moment. At first I thought it quite hopeless, but I have -unquestionably seen, for a single moment, the face that I once knew so -well. Hush! Let us draw further back. Hush!” - -She had moved from the wall of the garret, very near to the bench on -which he sat. There was something awful in his unconsciousness of the -figure that could have put out its hand and touched him as he stooped -over his labour. - -Not a word was spoken, not a sound was made. She stood, like a spirit, -beside him, and he bent over his work. - -It happened, at length, that he had occasion to change the instrument -in his hand, for his shoemaker's knife. It lay on that side of him -which was not the side on which she stood. He had taken it up, and was -stooping to work again, when his eyes caught the skirt of her dress. He -raised them, and saw her face. The two spectators started forward, -but she stayed them with a motion of her hand. She had no fear of his -striking at her with the knife, though they had. - -He stared at her with a fearful look, and after a while his lips began -to form some words, though no sound proceeded from them. By degrees, in -the pauses of his quick and laboured breathing, he was heard to say: - -“What is this?” - -With the tears streaming down her face, she put her two hands to her -lips, and kissed them to him; then clasped them on her breast, as if she -laid his ruined head there. - -“You are not the gaoler's daughter?” - -She sighed “No.” - -“Who are you?” - -Not yet trusting the tones of her voice, she sat down on the bench -beside him. He recoiled, but she laid her hand upon his arm. A strange -thrill struck him when she did so, and visibly passed over his frame; he -laid the knife down softly, as he sat staring at her. - -Her golden hair, which she wore in long curls, had been hurriedly pushed -aside, and fell down over her neck. Advancing his hand by little and -little, he took it up and looked at it. In the midst of the action -he went astray, and, with another deep sigh, fell to work at his -shoemaking. - -But not for long. Releasing his arm, she laid her hand upon his -shoulder. After looking doubtfully at it, two or three times, as if to -be sure that it was really there, he laid down his work, put his hand -to his neck, and took off a blackened string with a scrap of folded rag -attached to it. He opened this, carefully, on his knee, and it contained -a very little quantity of hair: not more than one or two long golden -hairs, which he had, in some old day, wound off upon his finger. - -He took her hair into his hand again, and looked closely at it. “It is -the same. How can it be! When was it! How was it!” - -As the concentrated expression returned to his forehead, he seemed to -become conscious that it was in hers too. He turned her full to the -light, and looked at her. - -“She had laid her head upon my shoulder, that night when I was summoned -out--she had a fear of my going, though I had none--and when I was -brought to the North Tower they found these upon my sleeve. 'You will -leave me them? They can never help me to escape in the body, though they -may in the spirit.' Those were the words I said. I remember them very -well.” - -He formed this speech with his lips many times before he could utter it. -But when he did find spoken words for it, they came to him coherently, -though slowly. - -“How was this?--_Was it you_?” - -Once more, the two spectators started, as he turned upon her with a -frightful suddenness. But she sat perfectly still in his grasp, and only -said, in a low voice, “I entreat you, good gentlemen, do not come near -us, do not speak, do not move!” - -“Hark!” he exclaimed. “Whose voice was that?” - -His hands released her as he uttered this cry, and went up to his white -hair, which they tore in a frenzy. It died out, as everything but his -shoemaking did die out of him, and he refolded his little packet and -tried to secure it in his breast; but he still looked at her, and -gloomily shook his head. - -“No, no, no; you are too young, too blooming. It can't be. See what the -prisoner is. These are not the hands she knew, this is not the face -she knew, this is not a voice she ever heard. No, no. She was--and He -was--before the slow years of the North Tower--ages ago. What is your -name, my gentle angel?” - -Hailing his softened tone and manner, his daughter fell upon her knees -before him, with her appealing hands upon his breast. - -“O, sir, at another time you shall know my name, and who my mother was, -and who my father, and how I never knew their hard, hard history. But I -cannot tell you at this time, and I cannot tell you here. All that I may -tell you, here and now, is, that I pray to you to touch me and to bless -me. Kiss me, kiss me! O my dear, my dear!” - -His cold white head mingled with her radiant hair, which warmed and -lighted it as though it were the light of Freedom shining on him. - -“If you hear in my voice--I don't know that it is so, but I hope it -is--if you hear in my voice any resemblance to a voice that once was -sweet music in your ears, weep for it, weep for it! If you touch, in -touching my hair, anything that recalls a beloved head that lay on your -breast when you were young and free, weep for it, weep for it! If, when -I hint to you of a Home that is before us, where I will be true to you -with all my duty and with all my faithful service, I bring back the -remembrance of a Home long desolate, while your poor heart pined away, -weep for it, weep for it!” - -She held him closer round the neck, and rocked him on her breast like a -child. - -“If, when I tell you, dearest dear, that your agony is over, and that I -have come here to take you from it, and that we go to England to be at -peace and at rest, I cause you to think of your useful life laid waste, -and of our native France so wicked to you, weep for it, weep for it! And -if, when I shall tell you of my name, and of my father who is living, -and of my mother who is dead, you learn that I have to kneel to my -honoured father, and implore his pardon for having never for his sake -striven all day and lain awake and wept all night, because the love of -my poor mother hid his torture from me, weep for it, weep for it! Weep -for her, then, and for me! Good gentlemen, thank God! I feel his sacred -tears upon my face, and his sobs strike against my heart. O, see! Thank -God for us, thank God!” - -He had sunk in her arms, and his face dropped on her breast: a sight so -touching, yet so terrible in the tremendous wrong and suffering which -had gone before it, that the two beholders covered their faces. - -When the quiet of the garret had been long undisturbed, and his heaving -breast and shaken form had long yielded to the calm that must follow all -storms--emblem to humanity, of the rest and silence into which the storm -called Life must hush at last--they came forward to raise the father and -daughter from the ground. He had gradually dropped to the floor, and lay -there in a lethargy, worn out. She had nestled down with him, that his -head might lie upon her arm; and her hair drooping over him curtained -him from the light. - -“If, without disturbing him,” she said, raising her hand to Mr. Lorry as -he stooped over them, after repeated blowings of his nose, “all could be -arranged for our leaving Paris at once, so that, from the very door, he -could be taken away--” - -“But, consider. Is he fit for the journey?” asked Mr. Lorry. - -“More fit for that, I think, than to remain in this city, so dreadful to -him.” - -“It is true,” said Defarge, who was kneeling to look on and hear. “More -than that; Monsieur Manette is, for all reasons, best out of France. -Say, shall I hire a carriage and post-horses?” - -“That's business,” said Mr. Lorry, resuming on the shortest notice his -methodical manners; “and if business is to be done, I had better do it.” - -“Then be so kind,” urged Miss Manette, “as to leave us here. You see how -composed he has become, and you cannot be afraid to leave him with me -now. Why should you be? If you will lock the door to secure us from -interruption, I do not doubt that you will find him, when you come back, -as quiet as you leave him. In any case, I will take care of him until -you return, and then we will remove him straight.” - -Both Mr. Lorry and Defarge were rather disinclined to this course, and -in favour of one of them remaining. But, as there were not only carriage -and horses to be seen to, but travelling papers; and as time pressed, -for the day was drawing to an end, it came at last to their hastily -dividing the business that was necessary to be done, and hurrying away -to do it. - -Then, as the darkness closed in, the daughter laid her head down on the -hard ground close at the father's side, and watched him. The darkness -deepened and deepened, and they both lay quiet, until a light gleamed -through the chinks in the wall. - -Mr. Lorry and Monsieur Defarge had made all ready for the journey, and -had brought with them, besides travelling cloaks and wrappers, bread and -meat, wine, and hot coffee. Monsieur Defarge put this provender, and the -lamp he carried, on the shoemaker's bench (there was nothing else in the -garret but a pallet bed), and he and Mr. Lorry roused the captive, and -assisted him to his feet. - -No human intelligence could have read the mysteries of his mind, in -the scared blank wonder of his face. Whether he knew what had happened, -whether he recollected what they had said to him, whether he knew that -he was free, were questions which no sagacity could have solved. They -tried speaking to him; but, he was so confused, and so very slow to -answer, that they took fright at his bewilderment, and agreed for -the time to tamper with him no more. He had a wild, lost manner of -occasionally clasping his head in his hands, that had not been seen -in him before; yet, he had some pleasure in the mere sound of his -daughter's voice, and invariably turned to it when she spoke. - -In the submissive way of one long accustomed to obey under coercion, he -ate and drank what they gave him to eat and drink, and put on the cloak -and other wrappings, that they gave him to wear. He readily responded to -his daughter's drawing her arm through his, and took--and kept--her hand -in both his own. - -They began to descend; Monsieur Defarge going first with the lamp, Mr. -Lorry closing the little procession. They had not traversed many steps -of the long main staircase when he stopped, and stared at the roof and -round at the walls. - -“You remember the place, my father? You remember coming up here?” - -“What did you say?” - -But, before she could repeat the question, he murmured an answer as if -she had repeated it. - -“Remember? No, I don't remember. It was so very long ago.” - -That he had no recollection whatever of his having been brought from his -prison to that house, was apparent to them. They heard him mutter, -“One Hundred and Five, North Tower;” and when he looked about him, it -evidently was for the strong fortress-walls which had long encompassed -him. On their reaching the courtyard he instinctively altered his -tread, as being in expectation of a drawbridge; and when there was -no drawbridge, and he saw the carriage waiting in the open street, he -dropped his daughter's hand and clasped his head again. - -No crowd was about the door; no people were discernible at any of the -many windows; not even a chance passerby was in the street. An unnatural -silence and desertion reigned there. Only one soul was to be seen, and -that was Madame Defarge--who leaned against the door-post, knitting, and -saw nothing. - -The prisoner had got into a coach, and his daughter had followed -him, when Mr. Lorry's feet were arrested on the step by his asking, -miserably, for his shoemaking tools and the unfinished shoes. Madame -Defarge immediately called to her husband that she would get them, and -went, knitting, out of the lamplight, through the courtyard. She quickly -brought them down and handed them in;--and immediately afterwards leaned -against the door-post, knitting, and saw nothing. - -Defarge got upon the box, and gave the word “To the Barrier!” The -postilion cracked his whip, and they clattered away under the feeble -over-swinging lamps. - -Under the over-swinging lamps--swinging ever brighter in the better -streets, and ever dimmer in the worse--and by lighted shops, gay crowds, -illuminated coffee-houses, and theatre-doors, to one of the city -gates. Soldiers with lanterns, at the guard-house there. “Your papers, -travellers!” “See here then, Monsieur the Officer,” said Defarge, -getting down, and taking him gravely apart, “these are the papers of -monsieur inside, with the white head. They were consigned to me, with -him, at the--” He dropped his voice, there was a flutter among the -military lanterns, and one of them being handed into the coach by an arm -in uniform, the eyes connected with the arm looked, not an every day -or an every night look, at monsieur with the white head. “It is well. -Forward!” from the uniform. “Adieu!” from Defarge. And so, under a short -grove of feebler and feebler over-swinging lamps, out under the great -grove of stars. - -Beneath that arch of unmoved and eternal lights; some, so remote from -this little earth that the learned tell us it is doubtful whether their -rays have even yet discovered it, as a point in space where anything -is suffered or done: the shadows of the night were broad and black. -All through the cold and restless interval, until dawn, they once more -whispered in the ears of Mr. Jarvis Lorry--sitting opposite the buried -man who had been dug out, and wondering what subtle powers were for ever -lost to him, and what were capable of restoration--the old inquiry: - -“I hope you care to be recalled to life?” - -And the old answer: - -“I can't say.” - - -The end of the first book. - - - - - -Book the Second--the Golden Thread - - - - -I. Five Years Later - - -Tellson's Bank by Temple Bar was an old-fashioned place, even in the -year one thousand seven hundred and eighty. It was very small, very -dark, very ugly, very incommodious. It was an old-fashioned place, -moreover, in the moral attribute that the partners in the House were -proud of its smallness, proud of its darkness, proud of its ugliness, -proud of its incommodiousness. They were even boastful of its eminence -in those particulars, and were fired by an express conviction that, if -it were less objectionable, it would be less respectable. This was -no passive belief, but an active weapon which they flashed at more -convenient places of business. Tellson's (they said) wanted -no elbow-room, Tellson's wanted no light, Tellson's wanted no -embellishment. Noakes and Co.'s might, or Snooks Brothers' might; but -Tellson's, thank Heaven--! - -Any one of these partners would have disinherited his son on the -question of rebuilding Tellson's. In this respect the House was much -on a par with the Country; which did very often disinherit its sons for -suggesting improvements in laws and customs that had long been highly -objectionable, but were only the more respectable. - -Thus it had come to pass, that Tellson's was the triumphant perfection -of inconvenience. After bursting open a door of idiotic obstinacy with -a weak rattle in its throat, you fell into Tellson's down two steps, -and came to your senses in a miserable little shop, with two little -counters, where the oldest of men made your cheque shake as if the -wind rustled it, while they examined the signature by the dingiest of -windows, which were always under a shower-bath of mud from Fleet-street, -and which were made the dingier by their own iron bars proper, and the -heavy shadow of Temple Bar. If your business necessitated your seeing -“the House,” you were put into a species of Condemned Hold at the back, -where you meditated on a misspent life, until the House came with its -hands in its pockets, and you could hardly blink at it in the dismal -twilight. Your money came out of, or went into, wormy old wooden -drawers, particles of which flew up your nose and down your throat when -they were opened and shut. Your bank-notes had a musty odour, as if they -were fast decomposing into rags again. Your plate was stowed away among -the neighbouring cesspools, and evil communications corrupted its good -polish in a day or two. Your deeds got into extemporised strong-rooms -made of kitchens and sculleries, and fretted all the fat out of their -parchments into the banking-house air. Your lighter boxes of family -papers went up-stairs into a Barmecide room, that always had a great -dining-table in it and never had a dinner, and where, even in the year -one thousand seven hundred and eighty, the first letters written to you -by your old love, or by your little children, were but newly released -from the horror of being ogled through the windows, by the heads -exposed on Temple Bar with an insensate brutality and ferocity worthy of -Abyssinia or Ashantee. - -But indeed, at that time, putting to death was a recipe much in vogue -with all trades and professions, and not least of all with Tellson's. -Death is Nature's remedy for all things, and why not Legislation's? -Accordingly, the forger was put to Death; the utterer of a bad note -was put to Death; the unlawful opener of a letter was put to Death; the -purloiner of forty shillings and sixpence was put to Death; the holder -of a horse at Tellson's door, who made off with it, was put to -Death; the coiner of a bad shilling was put to Death; the sounders of -three-fourths of the notes in the whole gamut of Crime, were put to -Death. Not that it did the least good in the way of prevention--it -might almost have been worth remarking that the fact was exactly the -reverse--but, it cleared off (as to this world) the trouble of each -particular case, and left nothing else connected with it to be looked -after. Thus, Tellson's, in its day, like greater places of business, -its contemporaries, had taken so many lives, that, if the heads laid -low before it had been ranged on Temple Bar instead of being privately -disposed of, they would probably have excluded what little light the -ground floor had, in a rather significant manner. - -Cramped in all kinds of dim cupboards and hutches at Tellson's, the -oldest of men carried on the business gravely. When they took a young -man into Tellson's London house, they hid him somewhere till he was -old. They kept him in a dark place, like a cheese, until he had the full -Tellson flavour and blue-mould upon him. Then only was he permitted to -be seen, spectacularly poring over large books, and casting his breeches -and gaiters into the general weight of the establishment. - -Outside Tellson's--never by any means in it, unless called in--was an -odd-job-man, an occasional porter and messenger, who served as the live -sign of the house. He was never absent during business hours, unless -upon an errand, and then he was represented by his son: a grisly urchin -of twelve, who was his express image. People understood that Tellson's, -in a stately way, tolerated the odd-job-man. The house had always -tolerated some person in that capacity, and time and tide had drifted -this person to the post. His surname was Cruncher, and on the youthful -occasion of his renouncing by proxy the works of darkness, in the -easterly parish church of Hounsditch, he had received the added -appellation of Jerry. - -The scene was Mr. Cruncher's private lodging in Hanging-sword-alley, -Whitefriars: the time, half-past seven of the clock on a windy March -morning, Anno Domini seventeen hundred and eighty. (Mr. Cruncher himself -always spoke of the year of our Lord as Anna Dominoes: apparently under -the impression that the Christian era dated from the invention of a -popular game, by a lady who had bestowed her name upon it.) - -Mr. Cruncher's apartments were not in a savoury neighbourhood, and were -but two in number, even if a closet with a single pane of glass in it -might be counted as one. But they were very decently kept. Early as -it was, on the windy March morning, the room in which he lay abed was -already scrubbed throughout; and between the cups and saucers arranged -for breakfast, and the lumbering deal table, a very clean white cloth -was spread. - -Mr. Cruncher reposed under a patchwork counterpane, like a Harlequin -at home. At first, he slept heavily, but, by degrees, began to roll -and surge in bed, until he rose above the surface, with his spiky hair -looking as if it must tear the sheets to ribbons. At which juncture, he -exclaimed, in a voice of dire exasperation: - -“Bust me, if she ain't at it agin!” - -A woman of orderly and industrious appearance rose from her knees in a -corner, with sufficient haste and trepidation to show that she was the -person referred to. - -“What!” said Mr. Cruncher, looking out of bed for a boot. “You're at it -agin, are you?” - -After hailing the morn with this second salutation, he threw a boot at -the woman as a third. It was a very muddy boot, and may introduce the -odd circumstance connected with Mr. Cruncher's domestic economy, that, -whereas he often came home after banking hours with clean boots, he -often got up next morning to find the same boots covered with clay. - -“What,” said Mr. Cruncher, varying his apostrophe after missing his -mark--“what are you up to, Aggerawayter?” - -“I was only saying my prayers.” - -“Saying your prayers! You're a nice woman! What do you mean by flopping -yourself down and praying agin me?” - -“I was not praying against you; I was praying for you.” - -“You weren't. And if you were, I won't be took the liberty with. Here! -your mother's a nice woman, young Jerry, going a praying agin your -father's prosperity. You've got a dutiful mother, you have, my son. -You've got a religious mother, you have, my boy: going and flopping -herself down, and praying that the bread-and-butter may be snatched out -of the mouth of her only child.” - -Master Cruncher (who was in his shirt) took this very ill, and, turning -to his mother, strongly deprecated any praying away of his personal -board. - -“And what do you suppose, you conceited female,” said Mr. Cruncher, with -unconscious inconsistency, “that the worth of _your_ prayers may be? -Name the price that you put _your_ prayers at!” - -“They only come from the heart, Jerry. They are worth no more than -that.” - -“Worth no more than that,” repeated Mr. Cruncher. “They ain't worth -much, then. Whether or no, I won't be prayed agin, I tell you. I can't -afford it. I'm not a going to be made unlucky by _your_ sneaking. If -you must go flopping yourself down, flop in favour of your husband and -child, and not in opposition to 'em. If I had had any but a unnat'ral -wife, and this poor boy had had any but a unnat'ral mother, I might -have made some money last week instead of being counter-prayed and -countermined and religiously circumwented into the worst of luck. -B-u-u-ust me!” said Mr. Cruncher, who all this time had been putting -on his clothes, “if I ain't, what with piety and one blowed thing and -another, been choused this last week into as bad luck as ever a poor -devil of a honest tradesman met with! Young Jerry, dress yourself, my -boy, and while I clean my boots keep a eye upon your mother now and -then, and if you see any signs of more flopping, give me a call. For, I -tell you,” here he addressed his wife once more, “I won't be gone agin, -in this manner. I am as rickety as a hackney-coach, I'm as sleepy as -laudanum, my lines is strained to that degree that I shouldn't know, if -it wasn't for the pain in 'em, which was me and which somebody else, yet -I'm none the better for it in pocket; and it's my suspicion that you've -been at it from morning to night to prevent me from being the better for -it in pocket, and I won't put up with it, Aggerawayter, and what do you -say now!” - -Growling, in addition, such phrases as “Ah! yes! You're religious, too. -You wouldn't put yourself in opposition to the interests of your husband -and child, would you? Not you!” and throwing off other sarcastic sparks -from the whirling grindstone of his indignation, Mr. Cruncher betook -himself to his boot-cleaning and his general preparation for business. -In the meantime, his son, whose head was garnished with tenderer spikes, -and whose young eyes stood close by one another, as his father's did, -kept the required watch upon his mother. He greatly disturbed that poor -woman at intervals, by darting out of his sleeping closet, where he made -his toilet, with a suppressed cry of “You are going to flop, mother. ---Halloa, father!” and, after raising this fictitious alarm, darting in -again with an undutiful grin. - -Mr. Cruncher's temper was not at all improved when he came to his -breakfast. He resented Mrs. Cruncher's saying grace with particular -animosity. - -“Now, Aggerawayter! What are you up to? At it again?” - -His wife explained that she had merely “asked a blessing.” - -“Don't do it!” said Mr. Crunches looking about, as if he rather expected -to see the loaf disappear under the efficacy of his wife's petitions. “I -ain't a going to be blest out of house and home. I won't have my wittles -blest off my table. Keep still!” - -Exceedingly red-eyed and grim, as if he had been up all night at a party -which had taken anything but a convivial turn, Jerry Cruncher worried -his breakfast rather than ate it, growling over it like any four-footed -inmate of a menagerie. Towards nine o'clock he smoothed his ruffled -aspect, and, presenting as respectable and business-like an exterior as -he could overlay his natural self with, issued forth to the occupation -of the day. - -It could scarcely be called a trade, in spite of his favourite -description of himself as “a honest tradesman.” His stock consisted of -a wooden stool, made out of a broken-backed chair cut down, which stool, -young Jerry, walking at his father's side, carried every morning to -beneath the banking-house window that was nearest Temple Bar: where, -with the addition of the first handful of straw that could be gleaned -from any passing vehicle to keep the cold and wet from the odd-job-man's -feet, it formed the encampment for the day. On this post of his, Mr. -Cruncher was as well known to Fleet-street and the Temple, as the Bar -itself,--and was almost as in-looking. - -Encamped at a quarter before nine, in good time to touch his -three-cornered hat to the oldest of men as they passed in to Tellson's, -Jerry took up his station on this windy March morning, with young Jerry -standing by him, when not engaged in making forays through the Bar, to -inflict bodily and mental injuries of an acute description on passing -boys who were small enough for his amiable purpose. Father and son, -extremely like each other, looking silently on at the morning traffic -in Fleet-street, with their two heads as near to one another as the two -eyes of each were, bore a considerable resemblance to a pair of monkeys. -The resemblance was not lessened by the accidental circumstance, that -the mature Jerry bit and spat out straw, while the twinkling eyes of the -youthful Jerry were as restlessly watchful of him as of everything else -in Fleet-street. - -The head of one of the regular indoor messengers attached to Tellson's -establishment was put through the door, and the word was given: - -“Porter wanted!” - -“Hooray, father! Here's an early job to begin with!” - -Having thus given his parent God speed, young Jerry seated himself on -the stool, entered on his reversionary interest in the straw his father -had been chewing, and cogitated. - -“Al-ways rusty! His fingers is al-ways rusty!” muttered young Jerry. -“Where does my father get all that iron rust from? He don't get no iron -rust here!” - - - - -II. A Sight - - -“You know the Old Bailey well, no doubt?” said one of the oldest of -clerks to Jerry the messenger. - -“Ye-es, sir,” returned Jerry, in something of a dogged manner. “I _do_ -know the Bailey.” - -“Just so. And you know Mr. Lorry.” - -“I know Mr. Lorry, sir, much better than I know the Bailey. Much -better,” said Jerry, not unlike a reluctant witness at the establishment -in question, “than I, as a honest tradesman, wish to know the Bailey.” - -“Very well. Find the door where the witnesses go in, and show the -door-keeper this note for Mr. Lorry. He will then let you in.” - -“Into the court, sir?” - -“Into the court.” - -Mr. Cruncher's eyes seemed to get a little closer to one another, and to -interchange the inquiry, “What do you think of this?” - -“Am I to wait in the court, sir?” he asked, as the result of that -conference. - -“I am going to tell you. The door-keeper will pass the note to Mr. -Lorry, and do you make any gesture that will attract Mr. Lorry's -attention, and show him where you stand. Then what you have to do, is, -to remain there until he wants you.” - -“Is that all, sir?” - -“That's all. He wishes to have a messenger at hand. This is to tell him -you are there.” - -As the ancient clerk deliberately folded and superscribed the note, -Mr. Cruncher, after surveying him in silence until he came to the -blotting-paper stage, remarked: - -“I suppose they'll be trying Forgeries this morning?” - -“Treason!” - -“That's quartering,” said Jerry. “Barbarous!” - -“It is the law,” remarked the ancient clerk, turning his surprised -spectacles upon him. “It is the law.” - -“It's hard in the law to spile a man, I think. It's hard enough to kill -him, but it's wery hard to spile him, sir.” - -“Not at all,” retained the ancient clerk. “Speak well of the law. Take -care of your chest and voice, my good friend, and leave the law to take -care of itself. I give you that advice.” - -“It's the damp, sir, what settles on my chest and voice,” said Jerry. “I -leave you to judge what a damp way of earning a living mine is.” - -“Well, well,” said the old clerk; “we all have our various ways of -gaining a livelihood. Some of us have damp ways, and some of us have dry -ways. Here is the letter. Go along.” - -Jerry took the letter, and, remarking to himself with less internal -deference than he made an outward show of, “You are a lean old one, -too,” made his bow, informed his son, in passing, of his destination, -and went his way. - -They hanged at Tyburn, in those days, so the street outside Newgate had -not obtained one infamous notoriety that has since attached to it. -But, the gaol was a vile place, in which most kinds of debauchery and -villainy were practised, and where dire diseases were bred, that came -into court with the prisoners, and sometimes rushed straight from the -dock at my Lord Chief Justice himself, and pulled him off the bench. It -had more than once happened, that the Judge in the black cap pronounced -his own doom as certainly as the prisoner's, and even died before him. -For the rest, the Old Bailey was famous as a kind of deadly inn-yard, -from which pale travellers set out continually, in carts and coaches, on -a violent passage into the other world: traversing some two miles and a -half of public street and road, and shaming few good citizens, if any. -So powerful is use, and so desirable to be good use in the beginning. It -was famous, too, for the pillory, a wise old institution, that inflicted -a punishment of which no one could foresee the extent; also, for -the whipping-post, another dear old institution, very humanising and -softening to behold in action; also, for extensive transactions in -blood-money, another fragment of ancestral wisdom, systematically -leading to the most frightful mercenary crimes that could be committed -under Heaven. Altogether, the Old Bailey, at that date, was a choice -illustration of the precept, that “Whatever is is right;” an aphorism -that would be as final as it is lazy, did it not include the troublesome -consequence, that nothing that ever was, was wrong. - -Making his way through the tainted crowd, dispersed up and down this -hideous scene of action, with the skill of a man accustomed to make his -way quietly, the messenger found out the door he sought, and handed in -his letter through a trap in it. For, people then paid to see the play -at the Old Bailey, just as they paid to see the play in Bedlam--only the -former entertainment was much the dearer. Therefore, all the Old Bailey -doors were well guarded--except, indeed, the social doors by which the -criminals got there, and those were always left wide open. - -After some delay and demur, the door grudgingly turned on its hinges a -very little way, and allowed Mr. Jerry Cruncher to squeeze himself into -court. - -“What's on?” he asked, in a whisper, of the man he found himself next -to. - -“Nothing yet.” - -“What's coming on?” - -“The Treason case.” - -“The quartering one, eh?” - -“Ah!” returned the man, with a relish; “he'll be drawn on a hurdle to -be half hanged, and then he'll be taken down and sliced before his own -face, and then his inside will be taken out and burnt while he looks on, -and then his head will be chopped off, and he'll be cut into quarters. -That's the sentence.” - -“If he's found Guilty, you mean to say?” Jerry added, by way of proviso. - -“Oh! they'll find him guilty,” said the other. “Don't you be afraid of -that.” - -Mr. Cruncher's attention was here diverted to the door-keeper, whom he -saw making his way to Mr. Lorry, with the note in his hand. Mr. Lorry -sat at a table, among the gentlemen in wigs: not far from a wigged -gentleman, the prisoner's counsel, who had a great bundle of papers -before him: and nearly opposite another wigged gentleman with his hands -in his pockets, whose whole attention, when Mr. Cruncher looked at him -then or afterwards, seemed to be concentrated on the ceiling of the -court. After some gruff coughing and rubbing of his chin and signing -with his hand, Jerry attracted the notice of Mr. Lorry, who had stood up -to look for him, and who quietly nodded and sat down again. - -“What's _he_ got to do with the case?” asked the man he had spoken with. - -“Blest if I know,” said Jerry. - -“What have _you_ got to do with it, then, if a person may inquire?” - -“Blest if I know that either,” said Jerry. - -The entrance of the Judge, and a consequent great stir and settling -down in the court, stopped the dialogue. Presently, the dock became the -central point of interest. Two gaolers, who had been standing there, -went out, and the prisoner was brought in, and put to the bar. - -Everybody present, except the one wigged gentleman who looked at the -ceiling, stared at him. All the human breath in the place, rolled -at him, like a sea, or a wind, or a fire. Eager faces strained round -pillars and corners, to get a sight of him; spectators in back rows -stood up, not to miss a hair of him; people on the floor of the court, -laid their hands on the shoulders of the people before them, to help -themselves, at anybody's cost, to a view of him--stood a-tiptoe, got -upon ledges, stood upon next to nothing, to see every inch of him. -Conspicuous among these latter, like an animated bit of the spiked wall -of Newgate, Jerry stood: aiming at the prisoner the beery breath of a -whet he had taken as he came along, and discharging it to mingle with -the waves of other beer, and gin, and tea, and coffee, and what not, -that flowed at him, and already broke upon the great windows behind him -in an impure mist and rain. - -The object of all this staring and blaring, was a young man of about -five-and-twenty, well-grown and well-looking, with a sunburnt cheek and -a dark eye. His condition was that of a young gentleman. He was plainly -dressed in black, or very dark grey, and his hair, which was long and -dark, was gathered in a ribbon at the back of his neck; more to be out -of his way than for ornament. As an emotion of the mind will express -itself through any covering of the body, so the paleness which his -situation engendered came through the brown upon his cheek, showing the -soul to be stronger than the sun. He was otherwise quite self-possessed, -bowed to the Judge, and stood quiet. - -The sort of interest with which this man was stared and breathed at, -was not a sort that elevated humanity. Had he stood in peril of a less -horrible sentence--had there been a chance of any one of its savage -details being spared--by just so much would he have lost in his -fascination. The form that was to be doomed to be so shamefully mangled, -was the sight; the immortal creature that was to be so butchered -and torn asunder, yielded the sensation. Whatever gloss the various -spectators put upon the interest, according to their several arts and -powers of self-deceit, the interest was, at the root of it, Ogreish. - -Silence in the court! Charles Darnay had yesterday pleaded Not Guilty to -an indictment denouncing him (with infinite jingle and jangle) for that -he was a false traitor to our serene, illustrious, excellent, and so -forth, prince, our Lord the King, by reason of his having, on divers -occasions, and by divers means and ways, assisted Lewis, the French -King, in his wars against our said serene, illustrious, excellent, and -so forth; that was to say, by coming and going, between the dominions of -our said serene, illustrious, excellent, and so forth, and those of the -said French Lewis, and wickedly, falsely, traitorously, and otherwise -evil-adverbiously, revealing to the said French Lewis what forces our -said serene, illustrious, excellent, and so forth, had in preparation -to send to Canada and North America. This much, Jerry, with his head -becoming more and more spiky as the law terms bristled it, made out with -huge satisfaction, and so arrived circuitously at the understanding that -the aforesaid, and over and over again aforesaid, Charles Darnay, stood -there before him upon his trial; that the jury were swearing in; and -that Mr. Attorney-General was making ready to speak. - -The accused, who was (and who knew he was) being mentally hanged, -beheaded, and quartered, by everybody there, neither flinched from -the situation, nor assumed any theatrical air in it. He was quiet and -attentive; watched the opening proceedings with a grave interest; -and stood with his hands resting on the slab of wood before him, so -composedly, that they had not displaced a leaf of the herbs with which -it was strewn. The court was all bestrewn with herbs and sprinkled with -vinegar, as a precaution against gaol air and gaol fever. - -Over the prisoner's head there was a mirror, to throw the light down -upon him. Crowds of the wicked and the wretched had been reflected in -it, and had passed from its surface and this earth's together. Haunted -in a most ghastly manner that abominable place would have been, if the -glass could ever have rendered back its reflections, as the ocean is one -day to give up its dead. Some passing thought of the infamy and disgrace -for which it had been reserved, may have struck the prisoner's mind. Be -that as it may, a change in his position making him conscious of a bar -of light across his face, he looked up; and when he saw the glass his -face flushed, and his right hand pushed the herbs away. - -It happened, that the action turned his face to that side of the court -which was on his left. About on a level with his eyes, there sat, -in that corner of the Judge's bench, two persons upon whom his look -immediately rested; so immediately, and so much to the changing of his -aspect, that all the eyes that were turned upon him, turned to them. - -The spectators saw in the two figures, a young lady of little more than -twenty, and a gentleman who was evidently her father; a man of a very -remarkable appearance in respect of the absolute whiteness of his hair, -and a certain indescribable intensity of face: not of an active kind, -but pondering and self-communing. When this expression was upon him, he -looked as if he were old; but when it was stirred and broken up--as -it was now, in a moment, on his speaking to his daughter--he became a -handsome man, not past the prime of life. - -His daughter had one of her hands drawn through his arm, as she sat by -him, and the other pressed upon it. She had drawn close to him, in her -dread of the scene, and in her pity for the prisoner. Her forehead had -been strikingly expressive of an engrossing terror and compassion -that saw nothing but the peril of the accused. This had been so very -noticeable, so very powerfully and naturally shown, that starers who -had had no pity for him were touched by her; and the whisper went about, -“Who are they?” - -Jerry, the messenger, who had made his own observations, in his own -manner, and who had been sucking the rust off his fingers in his -absorption, stretched his neck to hear who they were. The crowd about -him had pressed and passed the inquiry on to the nearest attendant, and -from him it had been more slowly pressed and passed back; at last it got -to Jerry: - -“Witnesses.” - -“For which side?” - -“Against.” - -“Against what side?” - -“The prisoner's.” - -The Judge, whose eyes had gone in the general direction, recalled them, -leaned back in his seat, and looked steadily at the man whose life was -in his hand, as Mr. Attorney-General rose to spin the rope, grind the -axe, and hammer the nails into the scaffold. - - - - -III. A Disappointment - - -Mr. Attorney-General had to inform the jury, that the prisoner before -them, though young in years, was old in the treasonable practices which -claimed the forfeit of his life. That this correspondence with the -public enemy was not a correspondence of to-day, or of yesterday, or -even of last year, or of the year before. That, it was certain the -prisoner had, for longer than that, been in the habit of passing and -repassing between France and England, on secret business of which -he could give no honest account. That, if it were in the nature of -traitorous ways to thrive (which happily it never was), the real -wickedness and guilt of his business might have remained undiscovered. -That Providence, however, had put it into the heart of a person who -was beyond fear and beyond reproach, to ferret out the nature of the -prisoner's schemes, and, struck with horror, to disclose them to his -Majesty's Chief Secretary of State and most honourable Privy Council. -That, this patriot would be produced before them. That, his position and -attitude were, on the whole, sublime. That, he had been the prisoner's -friend, but, at once in an auspicious and an evil hour detecting his -infamy, had resolved to immolate the traitor he could no longer cherish -in his bosom, on the sacred altar of his country. That, if statues -were decreed in Britain, as in ancient Greece and Rome, to public -benefactors, this shining citizen would assuredly have had one. That, as -they were not so decreed, he probably would not have one. That, Virtue, -as had been observed by the poets (in many passages which he well -knew the jury would have, word for word, at the tips of their tongues; -whereat the jury's countenances displayed a guilty consciousness that -they knew nothing about the passages), was in a manner contagious; more -especially the bright virtue known as patriotism, or love of country. -That, the lofty example of this immaculate and unimpeachable witness -for the Crown, to refer to whom however unworthily was an honour, had -communicated itself to the prisoner's servant, and had engendered in him -a holy determination to examine his master's table-drawers and pockets, -and secrete his papers. That, he (Mr. Attorney-General) was prepared to -hear some disparagement attempted of this admirable servant; but that, -in a general way, he preferred him to his (Mr. Attorney-General's) -brothers and sisters, and honoured him more than his (Mr. -Attorney-General's) father and mother. That, he called with confidence -on the jury to come and do likewise. That, the evidence of these two -witnesses, coupled with the documents of their discovering that would be -produced, would show the prisoner to have been furnished with lists of -his Majesty's forces, and of their disposition and preparation, both by -sea and land, and would leave no doubt that he had habitually conveyed -such information to a hostile power. That, these lists could not be -proved to be in the prisoner's handwriting; but that it was all the -same; that, indeed, it was rather the better for the prosecution, as -showing the prisoner to be artful in his precautions. That, the proof -would go back five years, and would show the prisoner already engaged -in these pernicious missions, within a few weeks before the date of the -very first action fought between the British troops and the Americans. -That, for these reasons, the jury, being a loyal jury (as he knew they -were), and being a responsible jury (as _they_ knew they were), must -positively find the prisoner Guilty, and make an end of him, whether -they liked it or not. That, they never could lay their heads upon their -pillows; that, they never could tolerate the idea of their wives laying -their heads upon their pillows; that, they never could endure the notion -of their children laying their heads upon their pillows; in short, that -there never more could be, for them or theirs, any laying of heads upon -pillows at all, unless the prisoner's head was taken off. That head -Mr. Attorney-General concluded by demanding of them, in the name of -everything he could think of with a round turn in it, and on the faith -of his solemn asseveration that he already considered the prisoner as -good as dead and gone. - -When the Attorney-General ceased, a buzz arose in the court as if -a cloud of great blue-flies were swarming about the prisoner, in -anticipation of what he was soon to become. When toned down again, the -unimpeachable patriot appeared in the witness-box. - -Mr. Solicitor-General then, following his leader's lead, examined the -patriot: John Barsad, gentleman, by name. The story of his pure soul was -exactly what Mr. Attorney-General had described it to be--perhaps, if -it had a fault, a little too exactly. Having released his noble bosom -of its burden, he would have modestly withdrawn himself, but that the -wigged gentleman with the papers before him, sitting not far from Mr. -Lorry, begged to ask him a few questions. The wigged gentleman sitting -opposite, still looking at the ceiling of the court. - -Had he ever been a spy himself? No, he scorned the base insinuation. -What did he live upon? His property. Where was his property? He didn't -precisely remember where it was. What was it? No business of anybody's. -Had he inherited it? Yes, he had. From whom? Distant relation. Very -distant? Rather. Ever been in prison? Certainly not. Never in a debtors' -prison? Didn't see what that had to do with it. Never in a debtors' -prison?--Come, once again. Never? Yes. How many times? Two or three -times. Not five or six? Perhaps. Of what profession? Gentleman. Ever -been kicked? Might have been. Frequently? No. Ever kicked downstairs? -Decidedly not; once received a kick on the top of a staircase, and fell -downstairs of his own accord. Kicked on that occasion for cheating at -dice? Something to that effect was said by the intoxicated liar who -committed the assault, but it was not true. Swear it was not true? -Positively. Ever live by cheating at play? Never. Ever live by play? Not -more than other gentlemen do. Ever borrow money of the prisoner? Yes. -Ever pay him? No. Was not this intimacy with the prisoner, in reality a -very slight one, forced upon the prisoner in coaches, inns, and packets? -No. Sure he saw the prisoner with these lists? Certain. Knew no more -about the lists? No. Had not procured them himself, for instance? No. -Expect to get anything by this evidence? No. Not in regular government -pay and employment, to lay traps? Oh dear no. Or to do anything? Oh dear -no. Swear that? Over and over again. No motives but motives of sheer -patriotism? None whatever. - -The virtuous servant, Roger Cly, swore his way through the case at a -great rate. He had taken service with the prisoner, in good faith and -simplicity, four years ago. He had asked the prisoner, aboard the Calais -packet, if he wanted a handy fellow, and the prisoner had engaged him. -He had not asked the prisoner to take the handy fellow as an act of -charity--never thought of such a thing. He began to have suspicions of -the prisoner, and to keep an eye upon him, soon afterwards. In arranging -his clothes, while travelling, he had seen similar lists to these in the -prisoner's pockets, over and over again. He had taken these lists from -the drawer of the prisoner's desk. He had not put them there first. He -had seen the prisoner show these identical lists to French gentlemen -at Calais, and similar lists to French gentlemen, both at Calais and -Boulogne. He loved his country, and couldn't bear it, and had given -information. He had never been suspected of stealing a silver tea-pot; -he had been maligned respecting a mustard-pot, but it turned out to be -only a plated one. He had known the last witness seven or eight years; -that was merely a coincidence. He didn't call it a particularly curious -coincidence; most coincidences were curious. Neither did he call it a -curious coincidence that true patriotism was _his_ only motive too. He -was a true Briton, and hoped there were many like him. - -The blue-flies buzzed again, and Mr. Attorney-General called Mr. Jarvis -Lorry. - -“Mr. Jarvis Lorry, are you a clerk in Tellson's bank?” - -“I am.” - -“On a certain Friday night in November one thousand seven hundred and -seventy-five, did business occasion you to travel between London and -Dover by the mail?” - -“It did.” - -“Were there any other passengers in the mail?” - -“Two.” - -“Did they alight on the road in the course of the night?” - -“They did.” - -“Mr. Lorry, look upon the prisoner. Was he one of those two passengers?” - -“I cannot undertake to say that he was.” - -“Does he resemble either of these two passengers?” - -“Both were so wrapped up, and the night was so dark, and we were all so -reserved, that I cannot undertake to say even that.” - -“Mr. Lorry, look again upon the prisoner. Supposing him wrapped up as -those two passengers were, is there anything in his bulk and stature to -render it unlikely that he was one of them?” - -“No.” - -“You will not swear, Mr. Lorry, that he was not one of them?” - -“No.” - -“So at least you say he may have been one of them?” - -“Yes. Except that I remember them both to have been--like -myself--timorous of highwaymen, and the prisoner has not a timorous -air.” - -“Did you ever see a counterfeit of timidity, Mr. Lorry?” - -“I certainly have seen that.” - -“Mr. Lorry, look once more upon the prisoner. Have you seen him, to your -certain knowledge, before?” - -“I have.” - -“When?” - -“I was returning from France a few days afterwards, and, at Calais, the -prisoner came on board the packet-ship in which I returned, and made the -voyage with me.” - -“At what hour did he come on board?” - -“At a little after midnight.” - -“In the dead of the night. Was he the only passenger who came on board -at that untimely hour?” - -“He happened to be the only one.” - -“Never mind about 'happening,' Mr. Lorry. He was the only passenger who -came on board in the dead of the night?” - -“He was.” - -“Were you travelling alone, Mr. Lorry, or with any companion?” - -“With two companions. A gentleman and lady. They are here.” - -“They are here. Had you any conversation with the prisoner?” - -“Hardly any. The weather was stormy, and the passage long and rough, and -I lay on a sofa, almost from shore to shore.” - -“Miss Manette!” - -The young lady, to whom all eyes had been turned before, and were now -turned again, stood up where she had sat. Her father rose with her, and -kept her hand drawn through his arm. - -“Miss Manette, look upon the prisoner.” - -To be confronted with such pity, and such earnest youth and beauty, was -far more trying to the accused than to be confronted with all the crowd. -Standing, as it were, apart with her on the edge of his grave, not all -the staring curiosity that looked on, could, for the moment, nerve him -to remain quite still. His hurried right hand parcelled out the herbs -before him into imaginary beds of flowers in a garden; and his efforts -to control and steady his breathing shook the lips from which the colour -rushed to his heart. The buzz of the great flies was loud again. - -“Miss Manette, have you seen the prisoner before?” - -“Yes, sir.” - -“Where?” - -“On board of the packet-ship just now referred to, sir, and on the same -occasion.” - -“You are the young lady just now referred to?” - -“O! most unhappily, I am!” - -The plaintive tone of her compassion merged into the less musical voice -of the Judge, as he said something fiercely: “Answer the questions put -to you, and make no remark upon them.” - -“Miss Manette, had you any conversation with the prisoner on that -passage across the Channel?” - -“Yes, sir.” - -“Recall it.” - -In the midst of a profound stillness, she faintly began: “When the -gentleman came on board--” - -“Do you mean the prisoner?” inquired the Judge, knitting his brows. - -“Yes, my Lord.” - -“Then say the prisoner.” - -“When the prisoner came on board, he noticed that my father,” turning -her eyes lovingly to him as he stood beside her, “was much fatigued -and in a very weak state of health. My father was so reduced that I was -afraid to take him out of the air, and I had made a bed for him on the -deck near the cabin steps, and I sat on the deck at his side to take -care of him. There were no other passengers that night, but we four. -The prisoner was so good as to beg permission to advise me how I could -shelter my father from the wind and weather, better than I had done. I -had not known how to do it well, not understanding how the wind would -set when we were out of the harbour. He did it for me. He expressed -great gentleness and kindness for my father's state, and I am sure he -felt it. That was the manner of our beginning to speak together.” - -“Let me interrupt you for a moment. Had he come on board alone?” - -“No.” - -“How many were with him?” - -“Two French gentlemen.” - -“Had they conferred together?” - -“They had conferred together until the last moment, when it was -necessary for the French gentlemen to be landed in their boat.” - -“Had any papers been handed about among them, similar to these lists?” - -“Some papers had been handed about among them, but I don't know what -papers.” - -“Like these in shape and size?” - -“Possibly, but indeed I don't know, although they stood whispering very -near to me: because they stood at the top of the cabin steps to have the -light of the lamp that was hanging there; it was a dull lamp, and they -spoke very low, and I did not hear what they said, and saw only that -they looked at papers.” - -“Now, to the prisoner's conversation, Miss Manette.” - -“The prisoner was as open in his confidence with me--which arose out -of my helpless situation--as he was kind, and good, and useful to my -father. I hope,” bursting into tears, “I may not repay him by doing him -harm to-day.” - -Buzzing from the blue-flies. - -“Miss Manette, if the prisoner does not perfectly understand that -you give the evidence which it is your duty to give--which you must -give--and which you cannot escape from giving--with great unwillingness, -he is the only person present in that condition. Please to go on.” - -“He told me that he was travelling on business of a delicate and -difficult nature, which might get people into trouble, and that he was -therefore travelling under an assumed name. He said that this business -had, within a few days, taken him to France, and might, at intervals, -take him backwards and forwards between France and England for a long -time to come.” - -“Did he say anything about America, Miss Manette? Be particular.” - -“He tried to explain to me how that quarrel had arisen, and he said -that, so far as he could judge, it was a wrong and foolish one on -England's part. He added, in a jesting way, that perhaps George -Washington might gain almost as great a name in history as George the -Third. But there was no harm in his way of saying this: it was said -laughingly, and to beguile the time.” - -Any strongly marked expression of face on the part of a chief actor in -a scene of great interest to whom many eyes are directed, will be -unconsciously imitated by the spectators. Her forehead was painfully -anxious and intent as she gave this evidence, and, in the pauses when -she stopped for the Judge to write it down, watched its effect upon -the counsel for and against. Among the lookers-on there was the same -expression in all quarters of the court; insomuch, that a great majority -of the foreheads there, might have been mirrors reflecting the witness, -when the Judge looked up from his notes to glare at that tremendous -heresy about George Washington. - -Mr. Attorney-General now signified to my Lord, that he deemed it -necessary, as a matter of precaution and form, to call the young lady's -father, Doctor Manette. Who was called accordingly. - -“Doctor Manette, look upon the prisoner. Have you ever seen him before?” - -“Once. When he called at my lodgings in London. Some three years, or -three years and a half ago.” - -“Can you identify him as your fellow-passenger on board the packet, or -speak to his conversation with your daughter?” - -“Sir, I can do neither.” - -“Is there any particular and special reason for your being unable to do -either?” - -He answered, in a low voice, “There is.” - -“Has it been your misfortune to undergo a long imprisonment, without -trial, or even accusation, in your native country, Doctor Manette?” - -He answered, in a tone that went to every heart, “A long imprisonment.” - -“Were you newly released on the occasion in question?” - -“They tell me so.” - -“Have you no remembrance of the occasion?” - -“None. My mind is a blank, from some time--I cannot even say what -time--when I employed myself, in my captivity, in making shoes, to the -time when I found myself living in London with my dear daughter -here. She had become familiar to me, when a gracious God restored -my faculties; but, I am quite unable even to say how she had become -familiar. I have no remembrance of the process.” - -Mr. Attorney-General sat down, and the father and daughter sat down -together. - -A singular circumstance then arose in the case. The object in hand being -to show that the prisoner went down, with some fellow-plotter untracked, -in the Dover mail on that Friday night in November five years ago, and -got out of the mail in the night, as a blind, at a place where he did -not remain, but from which he travelled back some dozen miles or more, -to a garrison and dockyard, and there collected information; a witness -was called to identify him as having been at the precise time required, -in the coffee-room of an hotel in that garrison-and-dockyard town, -waiting for another person. The prisoner's counsel was cross-examining -this witness with no result, except that he had never seen the prisoner -on any other occasion, when the wigged gentleman who had all this time -been looking at the ceiling of the court, wrote a word or two on a -little piece of paper, screwed it up, and tossed it to him. Opening -this piece of paper in the next pause, the counsel looked with great -attention and curiosity at the prisoner. - -“You say again you are quite sure that it was the prisoner?” - -The witness was quite sure. - -“Did you ever see anybody very like the prisoner?” - -Not so like (the witness said) as that he could be mistaken. - -“Look well upon that gentleman, my learned friend there,” pointing -to him who had tossed the paper over, “and then look well upon the -prisoner. How say you? Are they very like each other?” - -Allowing for my learned friend's appearance being careless and slovenly -if not debauched, they were sufficiently like each other to surprise, -not only the witness, but everybody present, when they were thus brought -into comparison. My Lord being prayed to bid my learned friend lay aside -his wig, and giving no very gracious consent, the likeness became -much more remarkable. My Lord inquired of Mr. Stryver (the prisoner's -counsel), whether they were next to try Mr. Carton (name of my learned -friend) for treason? But, Mr. Stryver replied to my Lord, no; but he -would ask the witness to tell him whether what happened once, might -happen twice; whether he would have been so confident if he had seen -this illustration of his rashness sooner, whether he would be so -confident, having seen it; and more. The upshot of which, was, to smash -this witness like a crockery vessel, and shiver his part of the case to -useless lumber. - -Mr. Cruncher had by this time taken quite a lunch of rust off his -fingers in his following of the evidence. He had now to attend while Mr. -Stryver fitted the prisoner's case on the jury, like a compact suit -of clothes; showing them how the patriot, Barsad, was a hired spy and -traitor, an unblushing trafficker in blood, and one of the greatest -scoundrels upon earth since accursed Judas--which he certainly did look -rather like. How the virtuous servant, Cly, was his friend and partner, -and was worthy to be; how the watchful eyes of those forgers and false -swearers had rested on the prisoner as a victim, because some family -affairs in France, he being of French extraction, did require his making -those passages across the Channel--though what those affairs were, a -consideration for others who were near and dear to him, forbade him, -even for his life, to disclose. How the evidence that had been warped -and wrested from the young lady, whose anguish in giving it they -had witnessed, came to nothing, involving the mere little innocent -gallantries and politenesses likely to pass between any young gentleman -and young lady so thrown together;--with the exception of that -reference to George Washington, which was altogether too extravagant and -impossible to be regarded in any other light than as a monstrous joke. -How it would be a weakness in the government to break down in this -attempt to practise for popularity on the lowest national antipathies -and fears, and therefore Mr. Attorney-General had made the most of it; -how, nevertheless, it rested upon nothing, save that vile and infamous -character of evidence too often disfiguring such cases, and of which the -State Trials of this country were full. But, there my Lord interposed -(with as grave a face as if it had not been true), saying that he could -not sit upon that Bench and suffer those allusions. - -Mr. Stryver then called his few witnesses, and Mr. Cruncher had next to -attend while Mr. Attorney-General turned the whole suit of clothes Mr. -Stryver had fitted on the jury, inside out; showing how Barsad and -Cly were even a hundred times better than he had thought them, and the -prisoner a hundred times worse. Lastly, came my Lord himself, turning -the suit of clothes, now inside out, now outside in, but on the whole -decidedly trimming and shaping them into grave-clothes for the prisoner. - -And now, the jury turned to consider, and the great flies swarmed again. - -Mr. Carton, who had so long sat looking at the ceiling of the court, -changed neither his place nor his attitude, even in this excitement. -While his learned friend, Mr. Stryver, massing his papers before him, -whispered with those who sat near, and from time to time glanced -anxiously at the jury; while all the spectators moved more or less, and -grouped themselves anew; while even my Lord himself arose from his seat, -and slowly paced up and down his platform, not unattended by a suspicion -in the minds of the audience that his state was feverish; this one man -sat leaning back, with his torn gown half off him, his untidy wig put -on just as it had happened to light on his head after its removal, his -hands in his pockets, and his eyes on the ceiling as they had been all -day. Something especially reckless in his demeanour, not only gave him -a disreputable look, but so diminished the strong resemblance he -undoubtedly bore to the prisoner (which his momentary earnestness, -when they were compared together, had strengthened), that many of the -lookers-on, taking note of him now, said to one another they would -hardly have thought the two were so alike. Mr. Cruncher made the -observation to his next neighbour, and added, “I'd hold half a guinea -that _he_ don't get no law-work to do. Don't look like the sort of one -to get any, do he?” - -Yet, this Mr. Carton took in more of the details of the scene than he -appeared to take in; for now, when Miss Manette's head dropped upon -her father's breast, he was the first to see it, and to say audibly: -“Officer! look to that young lady. Help the gentleman to take her out. -Don't you see she will fall!” - -There was much commiseration for her as she was removed, and much -sympathy with her father. It had evidently been a great distress to -him, to have the days of his imprisonment recalled. He had shown -strong internal agitation when he was questioned, and that pondering or -brooding look which made him old, had been upon him, like a heavy cloud, -ever since. As he passed out, the jury, who had turned back and paused a -moment, spoke, through their foreman. - -They were not agreed, and wished to retire. My Lord (perhaps with George -Washington on his mind) showed some surprise that they were not agreed, -but signified his pleasure that they should retire under watch and ward, -and retired himself. The trial had lasted all day, and the lamps in -the court were now being lighted. It began to be rumoured that the -jury would be out a long while. The spectators dropped off to get -refreshment, and the prisoner withdrew to the back of the dock, and sat -down. - -Mr. Lorry, who had gone out when the young lady and her father went out, -now reappeared, and beckoned to Jerry: who, in the slackened interest, -could easily get near him. - -“Jerry, if you wish to take something to eat, you can. But, keep in the -way. You will be sure to hear when the jury come in. Don't be a moment -behind them, for I want you to take the verdict back to the bank. You -are the quickest messenger I know, and will get to Temple Bar long -before I can.” - -Jerry had just enough forehead to knuckle, and he knuckled it in -acknowledgment of this communication and a shilling. Mr. Carton came up -at the moment, and touched Mr. Lorry on the arm. - -“How is the young lady?” - -“She is greatly distressed; but her father is comforting her, and she -feels the better for being out of court.” - -“I'll tell the prisoner so. It won't do for a respectable bank gentleman -like you, to be seen speaking to him publicly, you know.” - -Mr. Lorry reddened as if he were conscious of having debated the point -in his mind, and Mr. Carton made his way to the outside of the bar. -The way out of court lay in that direction, and Jerry followed him, all -eyes, ears, and spikes. - -“Mr. Darnay!” - -The prisoner came forward directly. - -“You will naturally be anxious to hear of the witness, Miss Manette. She -will do very well. You have seen the worst of her agitation.” - -“I am deeply sorry to have been the cause of it. Could you tell her so -for me, with my fervent acknowledgments?” - -“Yes, I could. I will, if you ask it.” - -Mr. Carton's manner was so careless as to be almost insolent. He stood, -half turned from the prisoner, lounging with his elbow against the bar. - -“I do ask it. Accept my cordial thanks.” - -“What,” said Carton, still only half turned towards him, “do you expect, -Mr. Darnay?” - -“The worst.” - -“It's the wisest thing to expect, and the likeliest. But I think their -withdrawing is in your favour.” - -Loitering on the way out of court not being allowed, Jerry heard no -more: but left them--so like each other in feature, so unlike each other -in manner--standing side by side, both reflected in the glass above -them. - -An hour and a half limped heavily away in the thief-and-rascal crowded -passages below, even though assisted off with mutton pies and ale. -The hoarse messenger, uncomfortably seated on a form after taking that -refection, had dropped into a doze, when a loud murmur and a rapid tide -of people setting up the stairs that led to the court, carried him along -with them. - -“Jerry! Jerry!” Mr. Lorry was already calling at the door when he got -there. - -“Here, sir! It's a fight to get back again. Here I am, sir!” - -Mr. Lorry handed him a paper through the throng. “Quick! Have you got -it?” - -“Yes, sir.” - -Hastily written on the paper was the word “ACQUITTED.” - -“If you had sent the message, 'Recalled to Life,' again,” muttered -Jerry, as he turned, “I should have known what you meant, this time.” - -He had no opportunity of saying, or so much as thinking, anything else, -until he was clear of the Old Bailey; for, the crowd came pouring out -with a vehemence that nearly took him off his legs, and a loud buzz -swept into the street as if the baffled blue-flies were dispersing in -search of other carrion. - - - - -IV. Congratulatory - - -From the dimly-lighted passages of the court, the last sediment of the -human stew that had been boiling there all day, was straining off, when -Doctor Manette, Lucie Manette, his daughter, Mr. Lorry, the solicitor -for the defence, and its counsel, Mr. Stryver, stood gathered round Mr. -Charles Darnay--just released--congratulating him on his escape from -death. - -It would have been difficult by a far brighter light, to recognise -in Doctor Manette, intellectual of face and upright of bearing, the -shoemaker of the garret in Paris. Yet, no one could have looked at him -twice, without looking again: even though the opportunity of observation -had not extended to the mournful cadence of his low grave voice, and -to the abstraction that overclouded him fitfully, without any apparent -reason. While one external cause, and that a reference to his long -lingering agony, would always--as on the trial--evoke this condition -from the depths of his soul, it was also in its nature to arise of -itself, and to draw a gloom over him, as incomprehensible to those -unacquainted with his story as if they had seen the shadow of the actual -Bastille thrown upon him by a summer sun, when the substance was three -hundred miles away. - -Only his daughter had the power of charming this black brooding from -his mind. She was the golden thread that united him to a Past beyond his -misery, and to a Present beyond his misery: and the sound of her voice, -the light of her face, the touch of her hand, had a strong beneficial -influence with him almost always. Not absolutely always, for she could -recall some occasions on which her power had failed; but they were few -and slight, and she believed them over. - -Mr. Darnay had kissed her hand fervently and gratefully, and had turned -to Mr. Stryver, whom he warmly thanked. Mr. Stryver, a man of little -more than thirty, but looking twenty years older than he was, stout, -loud, red, bluff, and free from any drawback of delicacy, had a pushing -way of shouldering himself (morally and physically) into companies and -conversations, that argued well for his shouldering his way up in life. - -He still had his wig and gown on, and he said, squaring himself at his -late client to that degree that he squeezed the innocent Mr. Lorry clean -out of the group: “I am glad to have brought you off with honour, Mr. -Darnay. It was an infamous prosecution, grossly infamous; but not the -less likely to succeed on that account.” - -“You have laid me under an obligation to you for life--in two senses,” - said his late client, taking his hand. - -“I have done my best for you, Mr. Darnay; and my best is as good as -another man's, I believe.” - -It clearly being incumbent on some one to say, “Much better,” Mr. Lorry -said it; perhaps not quite disinterestedly, but with the interested -object of squeezing himself back again. - -“You think so?” said Mr. Stryver. “Well! you have been present all day, -and you ought to know. You are a man of business, too.” - -“And as such,” quoth Mr. Lorry, whom the counsel learned in the law had -now shouldered back into the group, just as he had previously shouldered -him out of it--“as such I will appeal to Doctor Manette, to break up -this conference and order us all to our homes. Miss Lucie looks ill, Mr. -Darnay has had a terrible day, we are worn out.” - -“Speak for yourself, Mr. Lorry,” said Stryver; “I have a night's work to -do yet. Speak for yourself.” - -“I speak for myself,” answered Mr. Lorry, “and for Mr. Darnay, and for -Miss Lucie, and--Miss Lucie, do you not think I may speak for us all?” - He asked her the question pointedly, and with a glance at her father. - -His face had become frozen, as it were, in a very curious look at -Darnay: an intent look, deepening into a frown of dislike and distrust, -not even unmixed with fear. With this strange expression on him his -thoughts had wandered away. - -“My father,” said Lucie, softly laying her hand on his. - -He slowly shook the shadow off, and turned to her. - -“Shall we go home, my father?” - -With a long breath, he answered “Yes.” - -The friends of the acquitted prisoner had dispersed, under the -impression--which he himself had originated--that he would not be -released that night. The lights were nearly all extinguished in the -passages, the iron gates were being closed with a jar and a rattle, -and the dismal place was deserted until to-morrow morning's interest of -gallows, pillory, whipping-post, and branding-iron, should repeople it. -Walking between her father and Mr. Darnay, Lucie Manette passed into -the open air. A hackney-coach was called, and the father and daughter -departed in it. - -Mr. Stryver had left them in the passages, to shoulder his way back -to the robing-room. Another person, who had not joined the group, or -interchanged a word with any one of them, but who had been leaning -against the wall where its shadow was darkest, had silently strolled -out after the rest, and had looked on until the coach drove away. He now -stepped up to where Mr. Lorry and Mr. Darnay stood upon the pavement. - -“So, Mr. Lorry! Men of business may speak to Mr. Darnay now?” - -Nobody had made any acknowledgment of Mr. Carton's part in the day's -proceedings; nobody had known of it. He was unrobed, and was none the -better for it in appearance. - -“If you knew what a conflict goes on in the business mind, when the -business mind is divided between good-natured impulse and business -appearances, you would be amused, Mr. Darnay.” - -Mr. Lorry reddened, and said, warmly, “You have mentioned that before, -sir. We men of business, who serve a House, are not our own masters. We -have to think of the House more than ourselves.” - -“_I_ know, _I_ know,” rejoined Mr. Carton, carelessly. “Don't be -nettled, Mr. Lorry. You are as good as another, I have no doubt: better, -I dare say.” - -“And indeed, sir,” pursued Mr. Lorry, not minding him, “I really don't -know what you have to do with the matter. If you'll excuse me, as very -much your elder, for saying so, I really don't know that it is your -business.” - -“Business! Bless you, _I_ have no business,” said Mr. Carton. - -“It is a pity you have not, sir.” - -“I think so, too.” - -“If you had,” pursued Mr. Lorry, “perhaps you would attend to it.” - -“Lord love you, no!--I shouldn't,” said Mr. Carton. - -“Well, sir!” cried Mr. Lorry, thoroughly heated by his indifference, -“business is a very good thing, and a very respectable thing. And, sir, -if business imposes its restraints and its silences and impediments, Mr. -Darnay as a young gentleman of generosity knows how to make allowance -for that circumstance. Mr. Darnay, good night, God bless you, sir! -I hope you have been this day preserved for a prosperous and happy -life.--Chair there!” - -Perhaps a little angry with himself, as well as with the barrister, Mr. -Lorry bustled into the chair, and was carried off to Tellson's. Carton, -who smelt of port wine, and did not appear to be quite sober, laughed -then, and turned to Darnay: - -“This is a strange chance that throws you and me together. This must -be a strange night to you, standing alone here with your counterpart on -these street stones?” - -“I hardly seem yet,” returned Charles Darnay, “to belong to this world -again.” - -“I don't wonder at it; it's not so long since you were pretty far -advanced on your way to another. You speak faintly.” - -“I begin to think I _am_ faint.” - -“Then why the devil don't you dine? I dined, myself, while those -numskulls were deliberating which world you should belong to--this, or -some other. Let me show you the nearest tavern to dine well at.” - -Drawing his arm through his own, he took him down Ludgate-hill to -Fleet-street, and so, up a covered way, into a tavern. Here, they were -shown into a little room, where Charles Darnay was soon recruiting -his strength with a good plain dinner and good wine: while Carton sat -opposite to him at the same table, with his separate bottle of port -before him, and his fully half-insolent manner upon him. - -“Do you feel, yet, that you belong to this terrestrial scheme again, Mr. -Darnay?” - -“I am frightfully confused regarding time and place; but I am so far -mended as to feel that.” - -“It must be an immense satisfaction!” - -He said it bitterly, and filled up his glass again: which was a large -one. - -“As to me, the greatest desire I have, is to forget that I belong to it. -It has no good in it for me--except wine like this--nor I for it. So we -are not much alike in that particular. Indeed, I begin to think we are -not much alike in any particular, you and I.” - -Confused by the emotion of the day, and feeling his being there with -this Double of coarse deportment, to be like a dream, Charles Darnay was -at a loss how to answer; finally, answered not at all. - -“Now your dinner is done,” Carton presently said, “why don't you call a -health, Mr. Darnay; why don't you give your toast?” - -“What health? What toast?” - -“Why, it's on the tip of your tongue. It ought to be, it must be, I'll -swear it's there.” - -“Miss Manette, then!” - -“Miss Manette, then!” - -Looking his companion full in the face while he drank the toast, Carton -flung his glass over his shoulder against the wall, where it shivered to -pieces; then, rang the bell, and ordered in another. - -“That's a fair young lady to hand to a coach in the dark, Mr. Darnay!” - he said, filling his new goblet. - -A slight frown and a laconic “Yes,” were the answer. - -“That's a fair young lady to be pitied by and wept for by! How does it -feel? Is it worth being tried for one's life, to be the object of such -sympathy and compassion, Mr. Darnay?” - -Again Darnay answered not a word. - -“She was mightily pleased to have your message, when I gave it her. Not -that she showed she was pleased, but I suppose she was.” - -The allusion served as a timely reminder to Darnay that this -disagreeable companion had, of his own free will, assisted him in the -strait of the day. He turned the dialogue to that point, and thanked him -for it. - -“I neither want any thanks, nor merit any,” was the careless rejoinder. -“It was nothing to do, in the first place; and I don't know why I did -it, in the second. Mr. Darnay, let me ask you a question.” - -“Willingly, and a small return for your good offices.” - -“Do you think I particularly like you?” - -“Really, Mr. Carton,” returned the other, oddly disconcerted, “I have -not asked myself the question.” - -“But ask yourself the question now.” - -“You have acted as if you do; but I don't think you do.” - -“_I_ don't think I do,” said Carton. “I begin to have a very good -opinion of your understanding.” - -“Nevertheless,” pursued Darnay, rising to ring the bell, “there is -nothing in that, I hope, to prevent my calling the reckoning, and our -parting without ill-blood on either side.” - -Carton rejoining, “Nothing in life!” Darnay rang. “Do you call the whole -reckoning?” said Carton. On his answering in the affirmative, “Then -bring me another pint of this same wine, drawer, and come and wake me at -ten.” - -The bill being paid, Charles Darnay rose and wished him good night. -Without returning the wish, Carton rose too, with something of a threat -of defiance in his manner, and said, “A last word, Mr. Darnay: you think -I am drunk?” - -“I think you have been drinking, Mr. Carton.” - -“Think? You know I have been drinking.” - -“Since I must say so, I know it.” - -“Then you shall likewise know why. I am a disappointed drudge, sir. I -care for no man on earth, and no man on earth cares for me.” - -“Much to be regretted. You might have used your talents better.” - -“May be so, Mr. Darnay; may be not. Don't let your sober face elate you, -however; you don't know what it may come to. Good night!” - -When he was left alone, this strange being took up a candle, went to a -glass that hung against the wall, and surveyed himself minutely in it. - -“Do you particularly like the man?” he muttered, at his own image; “why -should you particularly like a man who resembles you? There is nothing -in you to like; you know that. Ah, confound you! What a change you have -made in yourself! A good reason for taking to a man, that he shows you -what you have fallen away from, and what you might have been! Change -places with him, and would you have been looked at by those blue eyes as -he was, and commiserated by that agitated face as he was? Come on, and -have it out in plain words! You hate the fellow.” - -He resorted to his pint of wine for consolation, drank it all in a few -minutes, and fell asleep on his arms, with his hair straggling over the -table, and a long winding-sheet in the candle dripping down upon him. - - - - -V. The Jackal - - -Those were drinking days, and most men drank hard. So very great is -the improvement Time has brought about in such habits, that a moderate -statement of the quantity of wine and punch which one man would swallow -in the course of a night, without any detriment to his reputation as a -perfect gentleman, would seem, in these days, a ridiculous exaggeration. -The learned profession of the law was certainly not behind any other -learned profession in its Bacchanalian propensities; neither was Mr. -Stryver, already fast shouldering his way to a large and lucrative -practice, behind his compeers in this particular, any more than in the -drier parts of the legal race. - -A favourite at the Old Bailey, and eke at the Sessions, Mr. Stryver had -begun cautiously to hew away the lower staves of the ladder on which -he mounted. Sessions and Old Bailey had now to summon their favourite, -specially, to their longing arms; and shouldering itself towards the -visage of the Lord Chief Justice in the Court of King's Bench, the -florid countenance of Mr. Stryver might be daily seen, bursting out of -the bed of wigs, like a great sunflower pushing its way at the sun from -among a rank garden-full of flaring companions. - -It had once been noted at the Bar, that while Mr. Stryver was a glib -man, and an unscrupulous, and a ready, and a bold, he had not that -faculty of extracting the essence from a heap of statements, which is -among the most striking and necessary of the advocate's accomplishments. -But, a remarkable improvement came upon him as to this. The more -business he got, the greater his power seemed to grow of getting at its -pith and marrow; and however late at night he sat carousing with Sydney -Carton, he always had his points at his fingers' ends in the morning. - -Sydney Carton, idlest and most unpromising of men, was Stryver's great -ally. What the two drank together, between Hilary Term and Michaelmas, -might have floated a king's ship. Stryver never had a case in hand, -anywhere, but Carton was there, with his hands in his pockets, staring -at the ceiling of the court; they went the same Circuit, and even there -they prolonged their usual orgies late into the night, and Carton was -rumoured to be seen at broad day, going home stealthily and unsteadily -to his lodgings, like a dissipated cat. At last, it began to get about, -among such as were interested in the matter, that although Sydney Carton -would never be a lion, he was an amazingly good jackal, and that he -rendered suit and service to Stryver in that humble capacity. - -“Ten o'clock, sir,” said the man at the tavern, whom he had charged to -wake him--“ten o'clock, sir.” - -“_What's_ the matter?” - -“Ten o'clock, sir.” - -“What do you mean? Ten o'clock at night?” - -“Yes, sir. Your honour told me to call you.” - -“Oh! I remember. Very well, very well.” - -After a few dull efforts to get to sleep again, which the man -dexterously combated by stirring the fire continuously for five minutes, -he got up, tossed his hat on, and walked out. He turned into the Temple, -and, having revived himself by twice pacing the pavements of King's -Bench-walk and Paper-buildings, turned into the Stryver chambers. - -The Stryver clerk, who never assisted at these conferences, had gone -home, and the Stryver principal opened the door. He had his slippers on, -and a loose bed-gown, and his throat was bare for his greater ease. He -had that rather wild, strained, seared marking about the eyes, which -may be observed in all free livers of his class, from the portrait of -Jeffries downward, and which can be traced, under various disguises of -Art, through the portraits of every Drinking Age. - -“You are a little late, Memory,” said Stryver. - -“About the usual time; it may be a quarter of an hour later.” - -They went into a dingy room lined with books and littered with papers, -where there was a blazing fire. A kettle steamed upon the hob, and in -the midst of the wreck of papers a table shone, with plenty of wine upon -it, and brandy, and rum, and sugar, and lemons. - -“You have had your bottle, I perceive, Sydney.” - -“Two to-night, I think. I have been dining with the day's client; or -seeing him dine--it's all one!” - -“That was a rare point, Sydney, that you brought to bear upon the -identification. How did you come by it? When did it strike you?” - -“I thought he was rather a handsome fellow, and I thought I should have -been much the same sort of fellow, if I had had any luck.” - -Mr. Stryver laughed till he shook his precocious paunch. - -“You and your luck, Sydney! Get to work, get to work.” - -Sullenly enough, the jackal loosened his dress, went into an adjoining -room, and came back with a large jug of cold water, a basin, and a towel -or two. Steeping the towels in the water, and partially wringing them -out, he folded them on his head in a manner hideous to behold, sat down -at the table, and said, “Now I am ready!” - -“Not much boiling down to be done to-night, Memory,” said Mr. Stryver, -gaily, as he looked among his papers. - -“How much?” - -“Only two sets of them.” - -“Give me the worst first.” - -“There they are, Sydney. Fire away!” - -The lion then composed himself on his back on a sofa on one side of the -drinking-table, while the jackal sat at his own paper-bestrewn table -proper, on the other side of it, with the bottles and glasses ready to -his hand. Both resorted to the drinking-table without stint, but each in -a different way; the lion for the most part reclining with his hands in -his waistband, looking at the fire, or occasionally flirting with some -lighter document; the jackal, with knitted brows and intent face, -so deep in his task, that his eyes did not even follow the hand he -stretched out for his glass--which often groped about, for a minute or -more, before it found the glass for his lips. Two or three times, the -matter in hand became so knotty, that the jackal found it imperative on -him to get up, and steep his towels anew. From these pilgrimages to the -jug and basin, he returned with such eccentricities of damp headgear as -no words can describe; which were made the more ludicrous by his anxious -gravity. - -At length the jackal had got together a compact repast for the lion, and -proceeded to offer it to him. The lion took it with care and caution, -made his selections from it, and his remarks upon it, and the jackal -assisted both. When the repast was fully discussed, the lion put his -hands in his waistband again, and lay down to meditate. The jackal then -invigorated himself with a bumper for his throttle, and a fresh application -to his head, and applied himself to the collection of a second meal; -this was administered to the lion in the same manner, and was not -disposed of until the clocks struck three in the morning. - -“And now we have done, Sydney, fill a bumper of punch,” said Mr. -Stryver. - -The jackal removed the towels from his head, which had been steaming -again, shook himself, yawned, shivered, and complied. - -“You were very sound, Sydney, in the matter of those crown witnesses -to-day. Every question told.” - -“I always am sound; am I not?” - -“I don't gainsay it. What has roughened your temper? Put some punch to -it and smooth it again.” - -With a deprecatory grunt, the jackal again complied. - -“The old Sydney Carton of old Shrewsbury School,” said Stryver, nodding -his head over him as he reviewed him in the present and the past, “the -old seesaw Sydney. Up one minute and down the next; now in spirits and -now in despondency!” - -“Ah!” returned the other, sighing: “yes! The same Sydney, with the same -luck. Even then, I did exercises for other boys, and seldom did my own.” - -“And why not?” - -“God knows. It was my way, I suppose.” - -He sat, with his hands in his pockets and his legs stretched out before -him, looking at the fire. - -“Carton,” said his friend, squaring himself at him with a bullying air, -as if the fire-grate had been the furnace in which sustained endeavour -was forged, and the one delicate thing to be done for the old Sydney -Carton of old Shrewsbury School was to shoulder him into it, “your way -is, and always was, a lame way. You summon no energy and purpose. Look -at me.” - -“Oh, botheration!” returned Sydney, with a lighter and more -good-humoured laugh, “don't _you_ be moral!” - -“How have I done what I have done?” said Stryver; “how do I do what I -do?” - -“Partly through paying me to help you, I suppose. But it's not worth -your while to apostrophise me, or the air, about it; what you want to -do, you do. You were always in the front rank, and I was always behind.” - -“I had to get into the front rank; I was not born there, was I?” - -“I was not present at the ceremony; but my opinion is you were,” said -Carton. At this, he laughed again, and they both laughed. - -“Before Shrewsbury, and at Shrewsbury, and ever since Shrewsbury,” - pursued Carton, “you have fallen into your rank, and I have fallen into -mine. Even when we were fellow-students in the Student-Quarter of Paris, -picking up French, and French law, and other French crumbs that we -didn't get much good of, you were always somewhere, and I was always -nowhere.” - -“And whose fault was that?” - -“Upon my soul, I am not sure that it was not yours. You were always -driving and riving and shouldering and passing, to that restless degree -that I had no chance for my life but in rust and repose. It's a gloomy -thing, however, to talk about one's own past, with the day breaking. -Turn me in some other direction before I go.” - -“Well then! Pledge me to the pretty witness,” said Stryver, holding up -his glass. “Are you turned in a pleasant direction?” - -Apparently not, for he became gloomy again. - -“Pretty witness,” he muttered, looking down into his glass. “I have had -enough of witnesses to-day and to-night; who's your pretty witness?” - -“The picturesque doctor's daughter, Miss Manette.” - -“_She_ pretty?” - -“Is she not?” - -“No.” - -“Why, man alive, she was the admiration of the whole Court!” - -“Rot the admiration of the whole Court! Who made the Old Bailey a judge -of beauty? She was a golden-haired doll!” - -“Do you know, Sydney,” said Mr. Stryver, looking at him with sharp eyes, -and slowly drawing a hand across his florid face: “do you know, I rather -thought, at the time, that you sympathised with the golden-haired doll, -and were quick to see what happened to the golden-haired doll?” - -“Quick to see what happened! If a girl, doll or no doll, swoons within a -yard or two of a man's nose, he can see it without a perspective-glass. -I pledge you, but I deny the beauty. And now I'll have no more drink; -I'll get to bed.” - -When his host followed him out on the staircase with a candle, to light -him down the stairs, the day was coldly looking in through its grimy -windows. When he got out of the house, the air was cold and sad, the -dull sky overcast, the river dark and dim, the whole scene like a -lifeless desert. And wreaths of dust were spinning round and round -before the morning blast, as if the desert-sand had risen far away, and -the first spray of it in its advance had begun to overwhelm the city. - -Waste forces within him, and a desert all around, this man stood still -on his way across a silent terrace, and saw for a moment, lying in the -wilderness before him, a mirage of honourable ambition, self-denial, and -perseverance. In the fair city of this vision, there were airy galleries -from which the loves and graces looked upon him, gardens in which the -fruits of life hung ripening, waters of Hope that sparkled in his sight. -A moment, and it was gone. Climbing to a high chamber in a well of -houses, he threw himself down in his clothes on a neglected bed, and its -pillow was wet with wasted tears. - -Sadly, sadly, the sun rose; it rose upon no sadder sight than the man of -good abilities and good emotions, incapable of their directed exercise, -incapable of his own help and his own happiness, sensible of the blight -on him, and resigning himself to let it eat him away. - - - - -VI. Hundreds of People - - -The quiet lodgings of Doctor Manette were in a quiet street-corner not -far from Soho-square. On the afternoon of a certain fine Sunday when the -waves of four months had rolled over the trial for treason, and carried -it, as to the public interest and memory, far out to sea, Mr. Jarvis -Lorry walked along the sunny streets from Clerkenwell where he lived, -on his way to dine with the Doctor. After several relapses into -business-absorption, Mr. Lorry had become the Doctor's friend, and the -quiet street-corner was the sunny part of his life. - -On this certain fine Sunday, Mr. Lorry walked towards Soho, early in -the afternoon, for three reasons of habit. Firstly, because, on fine -Sundays, he often walked out, before dinner, with the Doctor and Lucie; -secondly, because, on unfavourable Sundays, he was accustomed to be with -them as the family friend, talking, reading, looking out of window, and -generally getting through the day; thirdly, because he happened to have -his own little shrewd doubts to solve, and knew how the ways of the -Doctor's household pointed to that time as a likely time for solving -them. - -A quainter corner than the corner where the Doctor lived, was not to be -found in London. There was no way through it, and the front windows of -the Doctor's lodgings commanded a pleasant little vista of street that -had a congenial air of retirement on it. There were few buildings then, -north of the Oxford-road, and forest-trees flourished, and wild flowers -grew, and the hawthorn blossomed, in the now vanished fields. As a -consequence, country airs circulated in Soho with vigorous freedom, -instead of languishing into the parish like stray paupers without a -settlement; and there was many a good south wall, not far off, on which -the peaches ripened in their season. - -The summer light struck into the corner brilliantly in the earlier part -of the day; but, when the streets grew hot, the corner was in shadow, -though not in shadow so remote but that you could see beyond it into a -glare of brightness. It was a cool spot, staid but cheerful, a wonderful -place for echoes, and a very harbour from the raging streets. - -There ought to have been a tranquil bark in such an anchorage, and -there was. The Doctor occupied two floors of a large stiff house, where -several callings purported to be pursued by day, but whereof little was -audible any day, and which was shunned by all of them at night. In -a building at the back, attainable by a courtyard where a plane-tree -rustled its green leaves, church-organs claimed to be made, and silver -to be chased, and likewise gold to be beaten by some mysterious giant -who had a golden arm starting out of the wall of the front hall--as if -he had beaten himself precious, and menaced a similar conversion of all -visitors. Very little of these trades, or of a lonely lodger rumoured -to live up-stairs, or of a dim coach-trimming maker asserted to have -a counting-house below, was ever heard or seen. Occasionally, a stray -workman putting his coat on, traversed the hall, or a stranger peered -about there, or a distant clink was heard across the courtyard, or a -thump from the golden giant. These, however, were only the exceptions -required to prove the rule that the sparrows in the plane-tree behind -the house, and the echoes in the corner before it, had their own way -from Sunday morning unto Saturday night. - -Doctor Manette received such patients here as his old reputation, and -its revival in the floating whispers of his story, brought him. -His scientific knowledge, and his vigilance and skill in conducting -ingenious experiments, brought him otherwise into moderate request, and -he earned as much as he wanted. - -These things were within Mr. Jarvis Lorry's knowledge, thoughts, and -notice, when he rang the door-bell of the tranquil house in the corner, -on the fine Sunday afternoon. - -“Doctor Manette at home?” - -Expected home. - -“Miss Lucie at home?” - -Expected home. - -“Miss Pross at home?” - -Possibly at home, but of a certainty impossible for handmaid to -anticipate intentions of Miss Pross, as to admission or denial of the -fact. - -“As I am at home myself,” said Mr. Lorry, “I'll go upstairs.” - -Although the Doctor's daughter had known nothing of the country of her -birth, she appeared to have innately derived from it that ability to -make much of little means, which is one of its most useful and most -agreeable characteristics. Simple as the furniture was, it was set off -by so many little adornments, of no value but for their taste and fancy, -that its effect was delightful. The disposition of everything in the -rooms, from the largest object to the least; the arrangement of colours, -the elegant variety and contrast obtained by thrift in trifles, by -delicate hands, clear eyes, and good sense; were at once so pleasant in -themselves, and so expressive of their originator, that, as Mr. Lorry -stood looking about him, the very chairs and tables seemed to ask him, -with something of that peculiar expression which he knew so well by this -time, whether he approved? - -There were three rooms on a floor, and, the doors by which they -communicated being put open that the air might pass freely through them -all, Mr. Lorry, smilingly observant of that fanciful resemblance which -he detected all around him, walked from one to another. The first was -the best room, and in it were Lucie's birds, and flowers, and books, -and desk, and work-table, and box of water-colours; the second was -the Doctor's consulting-room, used also as the dining-room; the third, -changingly speckled by the rustle of the plane-tree in the yard, was the -Doctor's bedroom, and there, in a corner, stood the disused shoemaker's -bench and tray of tools, much as it had stood on the fifth floor of the -dismal house by the wine-shop, in the suburb of Saint Antoine in Paris. - -“I wonder,” said Mr. Lorry, pausing in his looking about, “that he keeps -that reminder of his sufferings about him!” - -“And why wonder at that?” was the abrupt inquiry that made him start. - -It proceeded from Miss Pross, the wild red woman, strong of hand, whose -acquaintance he had first made at the Royal George Hotel at Dover, and -had since improved. - -“I should have thought--” Mr. Lorry began. - -“Pooh! You'd have thought!” said Miss Pross; and Mr. Lorry left off. - -“How do you do?” inquired that lady then--sharply, and yet as if to -express that she bore him no malice. - -“I am pretty well, I thank you,” answered Mr. Lorry, with meekness; “how -are you?” - -“Nothing to boast of,” said Miss Pross. - -“Indeed?” - -“Ah! indeed!” said Miss Pross. “I am very much put out about my -Ladybird.” - -“Indeed?” - -“For gracious sake say something else besides 'indeed,' or you'll -fidget me to death,” said Miss Pross: whose character (dissociated from -stature) was shortness. - -“Really, then?” said Mr. Lorry, as an amendment. - -“Really, is bad enough,” returned Miss Pross, “but better. Yes, I am -very much put out.” - -“May I ask the cause?” - -“I don't want dozens of people who are not at all worthy of Ladybird, to -come here looking after her,” said Miss Pross. - -“_Do_ dozens come for that purpose?” - -“Hundreds,” said Miss Pross. - -It was characteristic of this lady (as of some other people before her -time and since) that whenever her original proposition was questioned, -she exaggerated it. - -“Dear me!” said Mr. Lorry, as the safest remark he could think of. - -“I have lived with the darling--or the darling has lived with me, and -paid me for it; which she certainly should never have done, you may take -your affidavit, if I could have afforded to keep either myself or her -for nothing--since she was ten years old. And it's really very hard,” - said Miss Pross. - -Not seeing with precision what was very hard, Mr. Lorry shook his head; -using that important part of himself as a sort of fairy cloak that would -fit anything. - -“All sorts of people who are not in the least degree worthy of the pet, -are always turning up,” said Miss Pross. “When you began it--” - -“_I_ began it, Miss Pross?” - -“Didn't you? Who brought her father to life?” - -“Oh! If _that_ was beginning it--” said Mr. Lorry. - -“It wasn't ending it, I suppose? I say, when you began it, it was hard -enough; not that I have any fault to find with Doctor Manette, except -that he is not worthy of such a daughter, which is no imputation on -him, for it was not to be expected that anybody should be, under any -circumstances. But it really is doubly and trebly hard to have crowds -and multitudes of people turning up after him (I could have forgiven -him), to take Ladybird's affections away from me.” - -Mr. Lorry knew Miss Pross to be very jealous, but he also knew her by -this time to be, beneath the service of her eccentricity, one of those -unselfish creatures--found only among women--who will, for pure love and -admiration, bind themselves willing slaves, to youth when they have lost -it, to beauty that they never had, to accomplishments that they were -never fortunate enough to gain, to bright hopes that never shone upon -their own sombre lives. He knew enough of the world to know that there -is nothing in it better than the faithful service of the heart; so -rendered and so free from any mercenary taint, he had such an exalted -respect for it, that in the retributive arrangements made by his own -mind--we all make such arrangements, more or less--he stationed Miss -Pross much nearer to the lower Angels than many ladies immeasurably -better got up both by Nature and Art, who had balances at Tellson's. - -“There never was, nor will be, but one man worthy of Ladybird,” said -Miss Pross; “and that was my brother Solomon, if he hadn't made a -mistake in life.” - -Here again: Mr. Lorry's inquiries into Miss Pross's personal history had -established the fact that her brother Solomon was a heartless scoundrel -who had stripped her of everything she possessed, as a stake to -speculate with, and had abandoned her in her poverty for evermore, with -no touch of compunction. Miss Pross's fidelity of belief in Solomon -(deducting a mere trifle for this slight mistake) was quite a serious -matter with Mr. Lorry, and had its weight in his good opinion of her. - -“As we happen to be alone for the moment, and are both people of -business,” he said, when they had got back to the drawing-room and had -sat down there in friendly relations, “let me ask you--does the Doctor, -in talking with Lucie, never refer to the shoemaking time, yet?” - -“Never.” - -“And yet keeps that bench and those tools beside him?” - -“Ah!” returned Miss Pross, shaking her head. “But I don't say he don't -refer to it within himself.” - -“Do you believe that he thinks of it much?” - -“I do,” said Miss Pross. - -“Do you imagine--” Mr. Lorry had begun, when Miss Pross took him up -short with: - -“Never imagine anything. Have no imagination at all.” - -“I stand corrected; do you suppose--you go so far as to suppose, -sometimes?” - -“Now and then,” said Miss Pross. - -“Do you suppose,” Mr. Lorry went on, with a laughing twinkle in his -bright eye, as it looked kindly at her, “that Doctor Manette has any -theory of his own, preserved through all those years, relative to -the cause of his being so oppressed; perhaps, even to the name of his -oppressor?” - -“I don't suppose anything about it but what Ladybird tells me.” - -“And that is--?” - -“That she thinks he has.” - -“Now don't be angry at my asking all these questions; because I am a -mere dull man of business, and you are a woman of business.” - -“Dull?” Miss Pross inquired, with placidity. - -Rather wishing his modest adjective away, Mr. Lorry replied, “No, no, -no. Surely not. To return to business:--Is it not remarkable that Doctor -Manette, unquestionably innocent of any crime as we are all well assured -he is, should never touch upon that question? I will not say with me, -though he had business relations with me many years ago, and we are now -intimate; I will say with the fair daughter to whom he is so devotedly -attached, and who is so devotedly attached to him? Believe me, Miss -Pross, I don't approach the topic with you, out of curiosity, but out of -zealous interest.” - -“Well! To the best of my understanding, and bad's the best, you'll tell -me,” said Miss Pross, softened by the tone of the apology, “he is afraid -of the whole subject.” - -“Afraid?” - -“It's plain enough, I should think, why he may be. It's a dreadful -remembrance. Besides that, his loss of himself grew out of it. Not -knowing how he lost himself, or how he recovered himself, he may never -feel certain of not losing himself again. That alone wouldn't make the -subject pleasant, I should think.” - -It was a profounder remark than Mr. Lorry had looked for. “True,” said -he, “and fearful to reflect upon. Yet, a doubt lurks in my mind, Miss -Pross, whether it is good for Doctor Manette to have that suppression -always shut up within him. Indeed, it is this doubt and the uneasiness -it sometimes causes me that has led me to our present confidence.” - -“Can't be helped,” said Miss Pross, shaking her head. “Touch that -string, and he instantly changes for the worse. Better leave it alone. -In short, must leave it alone, like or no like. Sometimes, he gets up in -the dead of the night, and will be heard, by us overhead there, walking -up and down, walking up and down, in his room. Ladybird has learnt to -know then that his mind is walking up and down, walking up and down, in -his old prison. She hurries to him, and they go on together, walking up -and down, walking up and down, until he is composed. But he never says -a word of the true reason of his restlessness, to her, and she finds it -best not to hint at it to him. In silence they go walking up and down -together, walking up and down together, till her love and company have -brought him to himself.” - -Notwithstanding Miss Pross's denial of her own imagination, there was a -perception of the pain of being monotonously haunted by one sad idea, -in her repetition of the phrase, walking up and down, which testified to -her possessing such a thing. - -The corner has been mentioned as a wonderful corner for echoes; it -had begun to echo so resoundingly to the tread of coming feet, that it -seemed as though the very mention of that weary pacing to and fro had -set it going. - -“Here they are!” said Miss Pross, rising to break up the conference; -“and now we shall have hundreds of people pretty soon!” - -It was such a curious corner in its acoustical properties, such a -peculiar Ear of a place, that as Mr. Lorry stood at the open window, -looking for the father and daughter whose steps he heard, he fancied -they would never approach. Not only would the echoes die away, as though -the steps had gone; but, echoes of other steps that never came would be -heard in their stead, and would die away for good when they seemed close -at hand. However, father and daughter did at last appear, and Miss Pross -was ready at the street door to receive them. - -Miss Pross was a pleasant sight, albeit wild, and red, and grim, taking -off her darling's bonnet when she came up-stairs, and touching it up -with the ends of her handkerchief, and blowing the dust off it, and -folding her mantle ready for laying by, and smoothing her rich hair with -as much pride as she could possibly have taken in her own hair if she -had been the vainest and handsomest of women. Her darling was a pleasant -sight too, embracing her and thanking her, and protesting against -her taking so much trouble for her--which last she only dared to do -playfully, or Miss Pross, sorely hurt, would have retired to her own -chamber and cried. The Doctor was a pleasant sight too, looking on at -them, and telling Miss Pross how she spoilt Lucie, in accents and with -eyes that had as much spoiling in them as Miss Pross had, and would -have had more if it were possible. Mr. Lorry was a pleasant sight too, -beaming at all this in his little wig, and thanking his bachelor -stars for having lighted him in his declining years to a Home. But, no -Hundreds of people came to see the sights, and Mr. Lorry looked in vain -for the fulfilment of Miss Pross's prediction. - -Dinner-time, and still no Hundreds of people. In the arrangements of -the little household, Miss Pross took charge of the lower regions, and -always acquitted herself marvellously. Her dinners, of a very modest -quality, were so well cooked and so well served, and so neat in their -contrivances, half English and half French, that nothing could be -better. Miss Pross's friendship being of the thoroughly practical -kind, she had ravaged Soho and the adjacent provinces, in search of -impoverished French, who, tempted by shillings and half-crowns, would -impart culinary mysteries to her. From these decayed sons and daughters -of Gaul, she had acquired such wonderful arts, that the woman and girl -who formed the staff of domestics regarded her as quite a Sorceress, -or Cinderella's Godmother: who would send out for a fowl, a rabbit, -a vegetable or two from the garden, and change them into anything she -pleased. - -On Sundays, Miss Pross dined at the Doctor's table, but on other days -persisted in taking her meals at unknown periods, either in the lower -regions, or in her own room on the second floor--a blue chamber, to -which no one but her Ladybird ever gained admittance. On this occasion, -Miss Pross, responding to Ladybird's pleasant face and pleasant efforts -to please her, unbent exceedingly; so the dinner was very pleasant, too. - -It was an oppressive day, and, after dinner, Lucie proposed that the -wine should be carried out under the plane-tree, and they should sit -there in the air. As everything turned upon her, and revolved about her, -they went out under the plane-tree, and she carried the wine down for -the special benefit of Mr. Lorry. She had installed herself, some -time before, as Mr. Lorry's cup-bearer; and while they sat under the -plane-tree, talking, she kept his glass replenished. Mysterious backs -and ends of houses peeped at them as they talked, and the plane-tree -whispered to them in its own way above their heads. - -Still, the Hundreds of people did not present themselves. Mr. Darnay -presented himself while they were sitting under the plane-tree, but he -was only One. - -Doctor Manette received him kindly, and so did Lucie. But, Miss Pross -suddenly became afflicted with a twitching in the head and body, and -retired into the house. She was not unfrequently the victim of this -disorder, and she called it, in familiar conversation, “a fit of the -jerks.” - -The Doctor was in his best condition, and looked specially young. The -resemblance between him and Lucie was very strong at such times, and as -they sat side by side, she leaning on his shoulder, and he resting -his arm on the back of her chair, it was very agreeable to trace the -likeness. - -He had been talking all day, on many subjects, and with unusual -vivacity. “Pray, Doctor Manette,” said Mr. Darnay, as they sat under the -plane-tree--and he said it in the natural pursuit of the topic in hand, -which happened to be the old buildings of London--“have you seen much of -the Tower?” - -“Lucie and I have been there; but only casually. We have seen enough of -it, to know that it teems with interest; little more.” - -“_I_ have been there, as you remember,” said Darnay, with a smile, -though reddening a little angrily, “in another character, and not in a -character that gives facilities for seeing much of it. They told me a -curious thing when I was there.” - -“What was that?” Lucie asked. - -“In making some alterations, the workmen came upon an old dungeon, which -had been, for many years, built up and forgotten. Every stone of -its inner wall was covered by inscriptions which had been carved by -prisoners--dates, names, complaints, and prayers. Upon a corner stone -in an angle of the wall, one prisoner, who seemed to have gone to -execution, had cut as his last work, three letters. They were done with -some very poor instrument, and hurriedly, with an unsteady hand. -At first, they were read as D. I. C.; but, on being more carefully -examined, the last letter was found to be G. There was no record or -legend of any prisoner with those initials, and many fruitless guesses -were made what the name could have been. At length, it was suggested -that the letters were not initials, but the complete word, DIG. The -floor was examined very carefully under the inscription, and, in the -earth beneath a stone, or tile, or some fragment of paving, were found -the ashes of a paper, mingled with the ashes of a small leathern case -or bag. What the unknown prisoner had written will never be read, but he -had written something, and hidden it away to keep it from the gaoler.” - -“My father,” exclaimed Lucie, “you are ill!” - -He had suddenly started up, with his hand to his head. His manner and -his look quite terrified them all. - -“No, my dear, not ill. There are large drops of rain falling, and they -made me start. We had better go in.” - -He recovered himself almost instantly. Rain was really falling in large -drops, and he showed the back of his hand with rain-drops on it. But, he -said not a single word in reference to the discovery that had been told -of, and, as they went into the house, the business eye of Mr. Lorry -either detected, or fancied it detected, on his face, as it turned -towards Charles Darnay, the same singular look that had been upon it -when it turned towards him in the passages of the Court House. - -He recovered himself so quickly, however, that Mr. Lorry had doubts of -his business eye. The arm of the golden giant in the hall was not more -steady than he was, when he stopped under it to remark to them that he -was not yet proof against slight surprises (if he ever would be), and -that the rain had startled him. - -Tea-time, and Miss Pross making tea, with another fit of the jerks upon -her, and yet no Hundreds of people. Mr. Carton had lounged in, but he -made only Two. - -The night was so very sultry, that although they sat with doors and -windows open, they were overpowered by heat. When the tea-table was -done with, they all moved to one of the windows, and looked out into the -heavy twilight. Lucie sat by her father; Darnay sat beside her; Carton -leaned against a window. The curtains were long and white, and some of -the thunder-gusts that whirled into the corner, caught them up to the -ceiling, and waved them like spectral wings. - -“The rain-drops are still falling, large, heavy, and few,” said Doctor -Manette. “It comes slowly.” - -“It comes surely,” said Carton. - -They spoke low, as people watching and waiting mostly do; as people in a -dark room, watching and waiting for Lightning, always do. - -There was a great hurry in the streets of people speeding away to -get shelter before the storm broke; the wonderful corner for echoes -resounded with the echoes of footsteps coming and going, yet not a -footstep was there. - -“A multitude of people, and yet a solitude!” said Darnay, when they had -listened for a while. - -“Is it not impressive, Mr. Darnay?” asked Lucie. “Sometimes, I have -sat here of an evening, until I have fancied--but even the shade of -a foolish fancy makes me shudder to-night, when all is so black and -solemn--” - -“Let us shudder too. We may know what it is.” - -“It will seem nothing to you. Such whims are only impressive as we -originate them, I think; they are not to be communicated. I have -sometimes sat alone here of an evening, listening, until I have made -the echoes out to be the echoes of all the footsteps that are coming -by-and-bye into our lives.” - -“There is a great crowd coming one day into our lives, if that be so,” - Sydney Carton struck in, in his moody way. - -The footsteps were incessant, and the hurry of them became more and more -rapid. The corner echoed and re-echoed with the tread of feet; some, -as it seemed, under the windows; some, as it seemed, in the room; some -coming, some going, some breaking off, some stopping altogether; all in -the distant streets, and not one within sight. - -“Are all these footsteps destined to come to all of us, Miss Manette, or -are we to divide them among us?” - -“I don't know, Mr. Darnay; I told you it was a foolish fancy, but you -asked for it. When I have yielded myself to it, I have been alone, and -then I have imagined them the footsteps of the people who are to come -into my life, and my father's.” - -“I take them into mine!” said Carton. “_I_ ask no questions and make no -stipulations. There is a great crowd bearing down upon us, Miss Manette, -and I see them--by the Lightning.” He added the last words, after there -had been a vivid flash which had shown him lounging in the window. - -“And I hear them!” he added again, after a peal of thunder. “Here they -come, fast, fierce, and furious!” - -It was the rush and roar of rain that he typified, and it stopped him, -for no voice could be heard in it. A memorable storm of thunder and -lightning broke with that sweep of water, and there was not a moment's -interval in crash, and fire, and rain, until after the moon rose at -midnight. - -The great bell of Saint Paul's was striking one in the cleared air, when -Mr. Lorry, escorted by Jerry, high-booted and bearing a lantern, set -forth on his return-passage to Clerkenwell. There were solitary patches -of road on the way between Soho and Clerkenwell, and Mr. Lorry, mindful -of foot-pads, always retained Jerry for this service: though it was -usually performed a good two hours earlier. - -“What a night it has been! Almost a night, Jerry,” said Mr. Lorry, “to -bring the dead out of their graves.” - -“I never see the night myself, master--nor yet I don't expect to--what -would do that,” answered Jerry. - -“Good night, Mr. Carton,” said the man of business. “Good night, Mr. -Darnay. Shall we ever see such a night again, together!” - -Perhaps. Perhaps, see the great crowd of people with its rush and roar, -bearing down upon them, too. - - - - -VII. Monseigneur in Town - - -Monseigneur, one of the great lords in power at the Court, held his -fortnightly reception in his grand hotel in Paris. Monseigneur was in -his inner room, his sanctuary of sanctuaries, the Holiest of Holiests to -the crowd of worshippers in the suite of rooms without. Monseigneur -was about to take his chocolate. Monseigneur could swallow a great many -things with ease, and was by some few sullen minds supposed to be rather -rapidly swallowing France; but, his morning's chocolate could not so -much as get into the throat of Monseigneur, without the aid of four -strong men besides the Cook. - -Yes. It took four men, all four ablaze with gorgeous decoration, and the -Chief of them unable to exist with fewer than two gold watches in his -pocket, emulative of the noble and chaste fashion set by Monseigneur, to -conduct the happy chocolate to Monseigneur's lips. One lacquey carried -the chocolate-pot into the sacred presence; a second, milled and frothed -the chocolate with the little instrument he bore for that function; -a third, presented the favoured napkin; a fourth (he of the two gold -watches), poured the chocolate out. It was impossible for Monseigneur to -dispense with one of these attendants on the chocolate and hold his high -place under the admiring Heavens. Deep would have been the blot upon -his escutcheon if his chocolate had been ignobly waited on by only three -men; he must have died of two. - -Monseigneur had been out at a little supper last night, where the Comedy -and the Grand Opera were charmingly represented. Monseigneur was out at -a little supper most nights, with fascinating company. So polite and so -impressible was Monseigneur, that the Comedy and the Grand Opera had far -more influence with him in the tiresome articles of state affairs and -state secrets, than the needs of all France. A happy circumstance -for France, as the like always is for all countries similarly -favoured!--always was for England (by way of example), in the regretted -days of the merry Stuart who sold it. - -Monseigneur had one truly noble idea of general public business, which -was, to let everything go on in its own way; of particular public -business, Monseigneur had the other truly noble idea that it must all go -his way--tend to his own power and pocket. Of his pleasures, general and -particular, Monseigneur had the other truly noble idea, that the world -was made for them. The text of his order (altered from the original -by only a pronoun, which is not much) ran: “The earth and the fulness -thereof are mine, saith Monseigneur.” - -Yet, Monseigneur had slowly found that vulgar embarrassments crept into -his affairs, both private and public; and he had, as to both classes of -affairs, allied himself perforce with a Farmer-General. As to finances -public, because Monseigneur could not make anything at all of them, and -must consequently let them out to somebody who could; as to finances -private, because Farmer-Generals were rich, and Monseigneur, after -generations of great luxury and expense, was growing poor. Hence -Monseigneur had taken his sister from a convent, while there was yet -time to ward off the impending veil, the cheapest garment she could -wear, and had bestowed her as a prize upon a very rich Farmer-General, -poor in family. Which Farmer-General, carrying an appropriate cane with -a golden apple on the top of it, was now among the company in the outer -rooms, much prostrated before by mankind--always excepting superior -mankind of the blood of Monseigneur, who, his own wife included, looked -down upon him with the loftiest contempt. - -A sumptuous man was the Farmer-General. Thirty horses stood in his -stables, twenty-four male domestics sat in his halls, six body-women -waited on his wife. As one who pretended to do nothing but plunder and -forage where he could, the Farmer-General--howsoever his matrimonial -relations conduced to social morality--was at least the greatest reality -among the personages who attended at the hotel of Monseigneur that day. - -For, the rooms, though a beautiful scene to look at, and adorned with -every device of decoration that the taste and skill of the time could -achieve, were, in truth, not a sound business; considered with any -reference to the scarecrows in the rags and nightcaps elsewhere (and not -so far off, either, but that the watching towers of Notre Dame, almost -equidistant from the two extremes, could see them both), they would -have been an exceedingly uncomfortable business--if that could have -been anybody's business, at the house of Monseigneur. Military officers -destitute of military knowledge; naval officers with no idea of a ship; -civil officers without a notion of affairs; brazen ecclesiastics, of the -worst world worldly, with sensual eyes, loose tongues, and looser lives; -all totally unfit for their several callings, all lying horribly in -pretending to belong to them, but all nearly or remotely of the order of -Monseigneur, and therefore foisted on all public employments from which -anything was to be got; these were to be told off by the score and the -score. People not immediately connected with Monseigneur or the State, -yet equally unconnected with anything that was real, or with lives -passed in travelling by any straight road to any true earthly end, were -no less abundant. Doctors who made great fortunes out of dainty remedies -for imaginary disorders that never existed, smiled upon their courtly -patients in the ante-chambers of Monseigneur. Projectors who had -discovered every kind of remedy for the little evils with which the -State was touched, except the remedy of setting to work in earnest to -root out a single sin, poured their distracting babble into any ears -they could lay hold of, at the reception of Monseigneur. Unbelieving -Philosophers who were remodelling the world with words, and making -card-towers of Babel to scale the skies with, talked with Unbelieving -Chemists who had an eye on the transmutation of metals, at this -wonderful gathering accumulated by Monseigneur. Exquisite gentlemen of -the finest breeding, which was at that remarkable time--and has been -since--to be known by its fruits of indifference to every natural -subject of human interest, were in the most exemplary state of -exhaustion, at the hotel of Monseigneur. Such homes had these various -notabilities left behind them in the fine world of Paris, that the spies -among the assembled devotees of Monseigneur--forming a goodly half -of the polite company--would have found it hard to discover among -the angels of that sphere one solitary wife, who, in her manners and -appearance, owned to being a Mother. Indeed, except for the mere act of -bringing a troublesome creature into this world--which does not go far -towards the realisation of the name of mother--there was no such thing -known to the fashion. Peasant women kept the unfashionable babies close, -and brought them up, and charming grandmammas of sixty dressed and -supped as at twenty. - -The leprosy of unreality disfigured every human creature in attendance -upon Monseigneur. In the outermost room were half a dozen exceptional -people who had had, for a few years, some vague misgiving in them that -things in general were going rather wrong. As a promising way of setting -them right, half of the half-dozen had become members of a fantastic -sect of Convulsionists, and were even then considering within themselves -whether they should foam, rage, roar, and turn cataleptic on the -spot--thereby setting up a highly intelligible finger-post to the -Future, for Monseigneur's guidance. Besides these Dervishes, were other -three who had rushed into another sect, which mended matters with a -jargon about “the Centre of Truth:” holding that Man had got out of the -Centre of Truth--which did not need much demonstration--but had not got -out of the Circumference, and that he was to be kept from flying out of -the Circumference, and was even to be shoved back into the Centre, -by fasting and seeing of spirits. Among these, accordingly, much -discoursing with spirits went on--and it did a world of good which never -became manifest. - -But, the comfort was, that all the company at the grand hotel of -Monseigneur were perfectly dressed. If the Day of Judgment had only been -ascertained to be a dress day, everybody there would have been eternally -correct. Such frizzling and powdering and sticking up of hair, such -delicate complexions artificially preserved and mended, such gallant -swords to look at, and such delicate honour to the sense of smell, would -surely keep anything going, for ever and ever. The exquisite gentlemen -of the finest breeding wore little pendent trinkets that chinked as they -languidly moved; these golden fetters rang like precious little bells; -and what with that ringing, and with the rustle of silk and brocade and -fine linen, there was a flutter in the air that fanned Saint Antoine and -his devouring hunger far away. - -Dress was the one unfailing talisman and charm used for keeping all -things in their places. Everybody was dressed for a Fancy Ball that -was never to leave off. From the Palace of the Tuileries, through -Monseigneur and the whole Court, through the Chambers, the Tribunals -of Justice, and all society (except the scarecrows), the Fancy Ball -descended to the Common Executioner: who, in pursuance of the charm, was -required to officiate “frizzled, powdered, in a gold-laced coat, pumps, -and white silk stockings.” At the gallows and the wheel--the axe was a -rarity--Monsieur Paris, as it was the episcopal mode among his brother -Professors of the provinces, Monsieur Orleans, and the rest, to call -him, presided in this dainty dress. And who among the company at -Monseigneur's reception in that seventeen hundred and eightieth year -of our Lord, could possibly doubt, that a system rooted in a frizzled -hangman, powdered, gold-laced, pumped, and white-silk stockinged, would -see the very stars out! - -Monseigneur having eased his four men of their burdens and taken his -chocolate, caused the doors of the Holiest of Holiests to be thrown -open, and issued forth. Then, what submission, what cringing and -fawning, what servility, what abject humiliation! As to bowing down in -body and spirit, nothing in that way was left for Heaven--which may have -been one among other reasons why the worshippers of Monseigneur never -troubled it. - -Bestowing a word of promise here and a smile there, a whisper on one -happy slave and a wave of the hand on another, Monseigneur affably -passed through his rooms to the remote region of the Circumference of -Truth. There, Monseigneur turned, and came back again, and so in due -course of time got himself shut up in his sanctuary by the chocolate -sprites, and was seen no more. - -The show being over, the flutter in the air became quite a little storm, -and the precious little bells went ringing downstairs. There was soon -but one person left of all the crowd, and he, with his hat under his arm -and his snuff-box in his hand, slowly passed among the mirrors on his -way out. - -“I devote you,” said this person, stopping at the last door on his way, -and turning in the direction of the sanctuary, “to the Devil!” - -With that, he shook the snuff from his fingers as if he had shaken the -dust from his feet, and quietly walked downstairs. - -He was a man of about sixty, handsomely dressed, haughty in manner, and -with a face like a fine mask. A face of a transparent paleness; every -feature in it clearly defined; one set expression on it. The nose, -beautifully formed otherwise, was very slightly pinched at the top -of each nostril. In those two compressions, or dints, the only little -change that the face ever showed, resided. They persisted in changing -colour sometimes, and they would be occasionally dilated and contracted -by something like a faint pulsation; then, they gave a look of -treachery, and cruelty, to the whole countenance. Examined with -attention, its capacity of helping such a look was to be found in the -line of the mouth, and the lines of the orbits of the eyes, being much -too horizontal and thin; still, in the effect of the face made, it was a -handsome face, and a remarkable one. - -Its owner went downstairs into the courtyard, got into his carriage, and -drove away. Not many people had talked with him at the reception; he had -stood in a little space apart, and Monseigneur might have been warmer -in his manner. It appeared, under the circumstances, rather agreeable -to him to see the common people dispersed before his horses, and -often barely escaping from being run down. His man drove as if he were -charging an enemy, and the furious recklessness of the man brought no -check into the face, or to the lips, of the master. The complaint had -sometimes made itself audible, even in that deaf city and dumb age, -that, in the narrow streets without footways, the fierce patrician -custom of hard driving endangered and maimed the mere vulgar in a -barbarous manner. But, few cared enough for that to think of it a second -time, and, in this matter, as in all others, the common wretches were -left to get out of their difficulties as they could. - -With a wild rattle and clatter, and an inhuman abandonment of -consideration not easy to be understood in these days, the carriage -dashed through streets and swept round corners, with women screaming -before it, and men clutching each other and clutching children out of -its way. At last, swooping at a street corner by a fountain, one of its -wheels came to a sickening little jolt, and there was a loud cry from a -number of voices, and the horses reared and plunged. - -But for the latter inconvenience, the carriage probably would not have -stopped; carriages were often known to drive on, and leave their wounded -behind, and why not? But the frightened valet had got down in a hurry, -and there were twenty hands at the horses' bridles. - -“What has gone wrong?” said Monsieur, calmly looking out. - -A tall man in a nightcap had caught up a bundle from among the feet of -the horses, and had laid it on the basement of the fountain, and was -down in the mud and wet, howling over it like a wild animal. - -“Pardon, Monsieur the Marquis!” said a ragged and submissive man, “it is -a child.” - -“Why does he make that abominable noise? Is it his child?” - -“Excuse me, Monsieur the Marquis--it is a pity--yes.” - -The fountain was a little removed; for the street opened, where it was, -into a space some ten or twelve yards square. As the tall man suddenly -got up from the ground, and came running at the carriage, Monsieur the -Marquis clapped his hand for an instant on his sword-hilt. - -“Killed!” shrieked the man, in wild desperation, extending both arms at -their length above his head, and staring at him. “Dead!” - -The people closed round, and looked at Monsieur the Marquis. There was -nothing revealed by the many eyes that looked at him but watchfulness -and eagerness; there was no visible menacing or anger. Neither did the -people say anything; after the first cry, they had been silent, and they -remained so. The voice of the submissive man who had spoken, was flat -and tame in its extreme submission. Monsieur the Marquis ran his eyes -over them all, as if they had been mere rats come out of their holes. - -He took out his purse. - -“It is extraordinary to me,” said he, “that you people cannot take care -of yourselves and your children. One or the other of you is for ever in -the way. How do I know what injury you have done my horses. See! Give -him that.” - -He threw out a gold coin for the valet to pick up, and all the heads -craned forward that all the eyes might look down at it as it fell. The -tall man called out again with a most unearthly cry, “Dead!” - -He was arrested by the quick arrival of another man, for whom the rest -made way. On seeing him, the miserable creature fell upon his shoulder, -sobbing and crying, and pointing to the fountain, where some women were -stooping over the motionless bundle, and moving gently about it. They -were as silent, however, as the men. - -“I know all, I know all,” said the last comer. “Be a brave man, my -Gaspard! It is better for the poor little plaything to die so, than to -live. It has died in a moment without pain. Could it have lived an hour -as happily?” - -“You are a philosopher, you there,” said the Marquis, smiling. “How do -they call you?” - -“They call me Defarge.” - -“Of what trade?” - -“Monsieur the Marquis, vendor of wine.” - -“Pick up that, philosopher and vendor of wine,” said the Marquis, -throwing him another gold coin, “and spend it as you will. The horses -there; are they right?” - -Without deigning to look at the assemblage a second time, Monsieur the -Marquis leaned back in his seat, and was just being driven away with the -air of a gentleman who had accidentally broke some common thing, and had -paid for it, and could afford to pay for it; when his ease was suddenly -disturbed by a coin flying into his carriage, and ringing on its floor. - -“Hold!” said Monsieur the Marquis. “Hold the horses! Who threw that?” - -He looked to the spot where Defarge the vendor of wine had stood, a -moment before; but the wretched father was grovelling on his face on -the pavement in that spot, and the figure that stood beside him was the -figure of a dark stout woman, knitting. - -“You dogs!” said the Marquis, but smoothly, and with an unchanged front, -except as to the spots on his nose: “I would ride over any of you very -willingly, and exterminate you from the earth. If I knew which rascal -threw at the carriage, and if that brigand were sufficiently near it, he -should be crushed under the wheels.” - -So cowed was their condition, and so long and hard their experience of -what such a man could do to them, within the law and beyond it, that not -a voice, or a hand, or even an eye was raised. Among the men, not one. -But the woman who stood knitting looked up steadily, and looked the -Marquis in the face. It was not for his dignity to notice it; his -contemptuous eyes passed over her, and over all the other rats; and he -leaned back in his seat again, and gave the word “Go on!” - -He was driven on, and other carriages came whirling by in quick -succession; the Minister, the State-Projector, the Farmer-General, the -Doctor, the Lawyer, the Ecclesiastic, the Grand Opera, the Comedy, the -whole Fancy Ball in a bright continuous flow, came whirling by. The rats -had crept out of their holes to look on, and they remained looking -on for hours; soldiers and police often passing between them and the -spectacle, and making a barrier behind which they slunk, and through -which they peeped. The father had long ago taken up his bundle and -bidden himself away with it, when the women who had tended the bundle -while it lay on the base of the fountain, sat there watching the running -of the water and the rolling of the Fancy Ball--when the one woman who -had stood conspicuous, knitting, still knitted on with the steadfastness -of Fate. The water of the fountain ran, the swift river ran, the day ran -into evening, so much life in the city ran into death according to rule, -time and tide waited for no man, the rats were sleeping close together -in their dark holes again, the Fancy Ball was lighted up at supper, all -things ran their course. - - - - -VIII. Monseigneur in the Country - - -A beautiful landscape, with the corn bright in it, but not abundant. -Patches of poor rye where corn should have been, patches of poor peas -and beans, patches of most coarse vegetable substitutes for wheat. On -inanimate nature, as on the men and women who cultivated it, a prevalent -tendency towards an appearance of vegetating unwillingly--a dejected -disposition to give up, and wither away. - -Monsieur the Marquis in his travelling carriage (which might have been -lighter), conducted by four post-horses and two postilions, fagged up -a steep hill. A blush on the countenance of Monsieur the Marquis was -no impeachment of his high breeding; it was not from within; it was -occasioned by an external circumstance beyond his control--the setting -sun. - -The sunset struck so brilliantly into the travelling carriage when it -gained the hill-top, that its occupant was steeped in crimson. “It will -die out,” said Monsieur the Marquis, glancing at his hands, “directly.” - -In effect, the sun was so low that it dipped at the moment. When the -heavy drag had been adjusted to the wheel, and the carriage slid down -hill, with a cinderous smell, in a cloud of dust, the red glow departed -quickly; the sun and the Marquis going down together, there was no glow -left when the drag was taken off. - -But, there remained a broken country, bold and open, a little village -at the bottom of the hill, a broad sweep and rise beyond it, a -church-tower, a windmill, a forest for the chase, and a crag with a -fortress on it used as a prison. Round upon all these darkening objects -as the night drew on, the Marquis looked, with the air of one who was -coming near home. - -The village had its one poor street, with its poor brewery, poor -tannery, poor tavern, poor stable-yard for relays of post-horses, poor -fountain, all usual poor appointments. It had its poor people too. All -its people were poor, and many of them were sitting at their doors, -shredding spare onions and the like for supper, while many were at the -fountain, washing leaves, and grasses, and any such small yieldings of -the earth that could be eaten. Expressive signs of what made them poor, -were not wanting; the tax for the state, the tax for the church, the tax -for the lord, tax local and tax general, were to be paid here and to be -paid there, according to solemn inscription in the little village, until -the wonder was, that there was any village left unswallowed. - -Few children were to be seen, and no dogs. As to the men and women, -their choice on earth was stated in the prospect--Life on the lowest -terms that could sustain it, down in the little village under the mill; -or captivity and Death in the dominant prison on the crag. - -Heralded by a courier in advance, and by the cracking of his postilions' -whips, which twined snake-like about their heads in the evening air, as -if he came attended by the Furies, Monsieur the Marquis drew up in -his travelling carriage at the posting-house gate. It was hard by the -fountain, and the peasants suspended their operations to look at him. -He looked at them, and saw in them, without knowing it, the slow -sure filing down of misery-worn face and figure, that was to make the -meagreness of Frenchmen an English superstition which should survive the -truth through the best part of a hundred years. - -Monsieur the Marquis cast his eyes over the submissive faces that -drooped before him, as the like of himself had drooped before -Monseigneur of the Court--only the difference was, that these faces -drooped merely to suffer and not to propitiate--when a grizzled mender -of the roads joined the group. - -“Bring me hither that fellow!” said the Marquis to the courier. - -The fellow was brought, cap in hand, and the other fellows closed round -to look and listen, in the manner of the people at the Paris fountain. - -“I passed you on the road?” - -“Monseigneur, it is true. I had the honour of being passed on the road.” - -“Coming up the hill, and at the top of the hill, both?” - -“Monseigneur, it is true.” - -“What did you look at, so fixedly?” - -“Monseigneur, I looked at the man.” - -He stooped a little, and with his tattered blue cap pointed under the -carriage. All his fellows stooped to look under the carriage. - -“What man, pig? And why look there?” - -“Pardon, Monseigneur; he swung by the chain of the shoe--the drag.” - -“Who?” demanded the traveller. - -“Monseigneur, the man.” - -“May the Devil carry away these idiots! How do you call the man? You -know all the men of this part of the country. Who was he?” - -“Your clemency, Monseigneur! He was not of this part of the country. Of -all the days of my life, I never saw him.” - -“Swinging by the chain? To be suffocated?” - -“With your gracious permission, that was the wonder of it, Monseigneur. -His head hanging over--like this!” - -He turned himself sideways to the carriage, and leaned back, with his -face thrown up to the sky, and his head hanging down; then recovered -himself, fumbled with his cap, and made a bow. - -“What was he like?” - -“Monseigneur, he was whiter than the miller. All covered with dust, -white as a spectre, tall as a spectre!” - -The picture produced an immense sensation in the little crowd; but all -eyes, without comparing notes with other eyes, looked at Monsieur -the Marquis. Perhaps, to observe whether he had any spectre on his -conscience. - -“Truly, you did well,” said the Marquis, felicitously sensible that such -vermin were not to ruffle him, “to see a thief accompanying my carriage, -and not open that great mouth of yours. Bah! Put him aside, Monsieur -Gabelle!” - -Monsieur Gabelle was the Postmaster, and some other taxing functionary -united; he had come out with great obsequiousness to assist at this -examination, and had held the examined by the drapery of his arm in an -official manner. - -“Bah! Go aside!” said Monsieur Gabelle. - -“Lay hands on this stranger if he seeks to lodge in your village -to-night, and be sure that his business is honest, Gabelle.” - -“Monseigneur, I am flattered to devote myself to your orders.” - -“Did he run away, fellow?--where is that Accursed?” - -The accursed was already under the carriage with some half-dozen -particular friends, pointing out the chain with his blue cap. Some -half-dozen other particular friends promptly hauled him out, and -presented him breathless to Monsieur the Marquis. - -“Did the man run away, Dolt, when we stopped for the drag?” - -“Monseigneur, he precipitated himself over the hill-side, head first, as -a person plunges into the river.” - -“See to it, Gabelle. Go on!” - -The half-dozen who were peering at the chain were still among the -wheels, like sheep; the wheels turned so suddenly that they were lucky -to save their skins and bones; they had very little else to save, or -they might not have been so fortunate. - -The burst with which the carriage started out of the village and up the -rise beyond, was soon checked by the steepness of the hill. Gradually, -it subsided to a foot pace, swinging and lumbering upward among the many -sweet scents of a summer night. The postilions, with a thousand gossamer -gnats circling about them in lieu of the Furies, quietly mended the -points to the lashes of their whips; the valet walked by the horses; the -courier was audible, trotting on ahead into the dull distance. - -At the steepest point of the hill there was a little burial-ground, -with a Cross and a new large figure of Our Saviour on it; it was a poor -figure in wood, done by some inexperienced rustic carver, but he had -studied the figure from the life--his own life, maybe--for it was -dreadfully spare and thin. - -To this distressful emblem of a great distress that had long been -growing worse, and was not at its worst, a woman was kneeling. She -turned her head as the carriage came up to her, rose quickly, and -presented herself at the carriage-door. - -“It is you, Monseigneur! Monseigneur, a petition.” - -With an exclamation of impatience, but with his unchangeable face, -Monseigneur looked out. - -“How, then! What is it? Always petitions!” - -“Monseigneur. For the love of the great God! My husband, the forester.” - -“What of your husband, the forester? Always the same with you people. He -cannot pay something?” - -“He has paid all, Monseigneur. He is dead.” - -“Well! He is quiet. Can I restore him to you?” - -“Alas, no, Monseigneur! But he lies yonder, under a little heap of poor -grass.” - -“Well?” - -“Monseigneur, there are so many little heaps of poor grass?” - -“Again, well?” - -She looked an old woman, but was young. Her manner was one of passionate -grief; by turns she clasped her veinous and knotted hands together -with wild energy, and laid one of them on the carriage-door--tenderly, -caressingly, as if it had been a human breast, and could be expected to -feel the appealing touch. - -“Monseigneur, hear me! Monseigneur, hear my petition! My husband died of -want; so many die of want; so many more will die of want.” - -“Again, well? Can I feed them?” - -“Monseigneur, the good God knows; but I don't ask it. My petition is, -that a morsel of stone or wood, with my husband's name, may be placed -over him to show where he lies. Otherwise, the place will be quickly -forgotten, it will never be found when I am dead of the same malady, I -shall be laid under some other heap of poor grass. Monseigneur, they -are so many, they increase so fast, there is so much want. Monseigneur! -Monseigneur!” - -The valet had put her away from the door, the carriage had broken into -a brisk trot, the postilions had quickened the pace, she was left far -behind, and Monseigneur, again escorted by the Furies, was rapidly -diminishing the league or two of distance that remained between him and -his chateau. - -The sweet scents of the summer night rose all around him, and rose, as -the rain falls, impartially, on the dusty, ragged, and toil-worn group -at the fountain not far away; to whom the mender of roads, with the aid -of the blue cap without which he was nothing, still enlarged upon his -man like a spectre, as long as they could bear it. By degrees, as they -could bear no more, they dropped off one by one, and lights twinkled -in little casements; which lights, as the casements darkened, and more -stars came out, seemed to have shot up into the sky instead of having -been extinguished. - -The shadow of a large high-roofed house, and of many over-hanging trees, -was upon Monsieur the Marquis by that time; and the shadow was exchanged -for the light of a flambeau, as his carriage stopped, and the great door -of his chateau was opened to him. - -“Monsieur Charles, whom I expect; is he arrived from England?” - -“Monseigneur, not yet.” - - - - -IX. The Gorgon's Head - - -It was a heavy mass of building, that chateau of Monsieur the Marquis, -with a large stone courtyard before it, and two stone sweeps of -staircase meeting in a stone terrace before the principal door. A stony -business altogether, with heavy stone balustrades, and stone urns, and -stone flowers, and stone faces of men, and stone heads of lions, in -all directions. As if the Gorgon's head had surveyed it, when it was -finished, two centuries ago. - -Up the broad flight of shallow steps, Monsieur the Marquis, flambeau -preceded, went from his carriage, sufficiently disturbing the darkness -to elicit loud remonstrance from an owl in the roof of the great pile -of stable building away among the trees. All else was so quiet, that the -flambeau carried up the steps, and the other flambeau held at the great -door, burnt as if they were in a close room of state, instead of being -in the open night-air. Other sound than the owl's voice there was none, -save the falling of a fountain into its stone basin; for, it was one of -those dark nights that hold their breath by the hour together, and then -heave a long low sigh, and hold their breath again. - -The great door clanged behind him, and Monsieur the Marquis crossed a -hall grim with certain old boar-spears, swords, and knives of the chase; -grimmer with certain heavy riding-rods and riding-whips, of which many a -peasant, gone to his benefactor Death, had felt the weight when his lord -was angry. - -Avoiding the larger rooms, which were dark and made fast for the night, -Monsieur the Marquis, with his flambeau-bearer going on before, went up -the staircase to a door in a corridor. This thrown open, admitted him -to his own private apartment of three rooms: his bed-chamber and two -others. High vaulted rooms with cool uncarpeted floors, great dogs upon -the hearths for the burning of wood in winter time, and all luxuries -befitting the state of a marquis in a luxurious age and country. -The fashion of the last Louis but one, of the line that was never to -break--the fourteenth Louis--was conspicuous in their rich furniture; -but, it was diversified by many objects that were illustrations of old -pages in the history of France. - -A supper-table was laid for two, in the third of the rooms; a round -room, in one of the chateau's four extinguisher-topped towers. A small -lofty room, with its window wide open, and the wooden jalousie-blinds -closed, so that the dark night only showed in slight horizontal lines of -black, alternating with their broad lines of stone colour. - -“My nephew,” said the Marquis, glancing at the supper preparation; “they -said he was not arrived.” - -Nor was he; but, he had been expected with Monseigneur. - -“Ah! It is not probable he will arrive to-night; nevertheless, leave the -table as it is. I shall be ready in a quarter of an hour.” - -In a quarter of an hour Monseigneur was ready, and sat down alone to his -sumptuous and choice supper. His chair was opposite to the window, and -he had taken his soup, and was raising his glass of Bordeaux to his -lips, when he put it down. - -“What is that?” he calmly asked, looking with attention at the -horizontal lines of black and stone colour. - -“Monseigneur? That?” - -“Outside the blinds. Open the blinds.” - -It was done. - -“Well?” - -“Monseigneur, it is nothing. The trees and the night are all that are -here.” - -The servant who spoke, had thrown the blinds wide, had looked out into -the vacant darkness, and stood with that blank behind him, looking round -for instructions. - -“Good,” said the imperturbable master. “Close them again.” - -That was done too, and the Marquis went on with his supper. He was -half way through it, when he again stopped with his glass in his hand, -hearing the sound of wheels. It came on briskly, and came up to the -front of the chateau. - -“Ask who is arrived.” - -It was the nephew of Monseigneur. He had been some few leagues behind -Monseigneur, early in the afternoon. He had diminished the distance -rapidly, but not so rapidly as to come up with Monseigneur on the road. -He had heard of Monseigneur, at the posting-houses, as being before him. - -He was to be told (said Monseigneur) that supper awaited him then and -there, and that he was prayed to come to it. In a little while he came. -He had been known in England as Charles Darnay. - -Monseigneur received him in a courtly manner, but they did not shake -hands. - -“You left Paris yesterday, sir?” he said to Monseigneur, as he took his -seat at table. - -“Yesterday. And you?” - -“I come direct.” - -“From London?” - -“Yes.” - -“You have been a long time coming,” said the Marquis, with a smile. - -“On the contrary; I come direct.” - -“Pardon me! I mean, not a long time on the journey; a long time -intending the journey.” - -“I have been detained by”--the nephew stopped a moment in his -answer--“various business.” - -“Without doubt,” said the polished uncle. - -So long as a servant was present, no other words passed between them. -When coffee had been served and they were alone together, the nephew, -looking at the uncle and meeting the eyes of the face that was like a -fine mask, opened a conversation. - -“I have come back, sir, as you anticipate, pursuing the object that -took me away. It carried me into great and unexpected peril; but it is -a sacred object, and if it had carried me to death I hope it would have -sustained me.” - -“Not to death,” said the uncle; “it is not necessary to say, to death.” - -“I doubt, sir,” returned the nephew, “whether, if it had carried me to -the utmost brink of death, you would have cared to stop me there.” - -The deepened marks in the nose, and the lengthening of the fine straight -lines in the cruel face, looked ominous as to that; the uncle made a -graceful gesture of protest, which was so clearly a slight form of good -breeding that it was not reassuring. - -“Indeed, sir,” pursued the nephew, “for anything I know, you may have -expressly worked to give a more suspicious appearance to the suspicious -circumstances that surrounded me.” - -“No, no, no,” said the uncle, pleasantly. - -“But, however that may be,” resumed the nephew, glancing at him with -deep distrust, “I know that your diplomacy would stop me by any means, -and would know no scruple as to means.” - -“My friend, I told you so,” said the uncle, with a fine pulsation in the -two marks. “Do me the favour to recall that I told you so, long ago.” - -“I recall it.” - -“Thank you,” said the Marquis--very sweetly indeed. - -His tone lingered in the air, almost like the tone of a musical -instrument. - -“In effect, sir,” pursued the nephew, “I believe it to be at once your -bad fortune, and my good fortune, that has kept me out of a prison in -France here.” - -“I do not quite understand,” returned the uncle, sipping his coffee. -“Dare I ask you to explain?” - -“I believe that if you were not in disgrace with the Court, and had not -been overshadowed by that cloud for years past, a letter de cachet would -have sent me to some fortress indefinitely.” - -“It is possible,” said the uncle, with great calmness. “For the honour -of the family, I could even resolve to incommode you to that extent. -Pray excuse me!” - -“I perceive that, happily for me, the Reception of the day before -yesterday was, as usual, a cold one,” observed the nephew. - -“I would not say happily, my friend,” returned the uncle, with refined -politeness; “I would not be sure of that. A good opportunity for -consideration, surrounded by the advantages of solitude, might influence -your destiny to far greater advantage than you influence it for -yourself. But it is useless to discuss the question. I am, as you say, -at a disadvantage. These little instruments of correction, these gentle -aids to the power and honour of families, these slight favours that -might so incommode you, are only to be obtained now by interest -and importunity. They are sought by so many, and they are granted -(comparatively) to so few! It used not to be so, but France in all such -things is changed for the worse. Our not remote ancestors held the right -of life and death over the surrounding vulgar. From this room, many such -dogs have been taken out to be hanged; in the next room (my bedroom), -one fellow, to our knowledge, was poniarded on the spot for professing -some insolent delicacy respecting his daughter--_his_ daughter? We have -lost many privileges; a new philosophy has become the mode; and the -assertion of our station, in these days, might (I do not go so far as -to say would, but might) cause us real inconvenience. All very bad, very -bad!” - -The Marquis took a gentle little pinch of snuff, and shook his head; -as elegantly despondent as he could becomingly be of a country still -containing himself, that great means of regeneration. - -“We have so asserted our station, both in the old time and in the modern -time also,” said the nephew, gloomily, “that I believe our name to be -more detested than any name in France.” - -“Let us hope so,” said the uncle. “Detestation of the high is the -involuntary homage of the low.” - -“There is not,” pursued the nephew, in his former tone, “a face I can -look at, in all this country round about us, which looks at me with any -deference on it but the dark deference of fear and slavery.” - -“A compliment,” said the Marquis, “to the grandeur of the family, -merited by the manner in which the family has sustained its grandeur. -Hah!” And he took another gentle little pinch of snuff, and lightly -crossed his legs. - -But, when his nephew, leaning an elbow on the table, covered his eyes -thoughtfully and dejectedly with his hand, the fine mask looked at -him sideways with a stronger concentration of keenness, closeness, -and dislike, than was comportable with its wearer's assumption of -indifference. - -“Repression is the only lasting philosophy. The dark deference of fear -and slavery, my friend,” observed the Marquis, “will keep the dogs -obedient to the whip, as long as this roof,” looking up to it, “shuts -out the sky.” - -That might not be so long as the Marquis supposed. If a picture of the -chateau as it was to be a very few years hence, and of fifty like it as -they too were to be a very few years hence, could have been shown to -him that night, he might have been at a loss to claim his own from -the ghastly, fire-charred, plunder-wrecked rains. As for the roof -he vaunted, he might have found _that_ shutting out the sky in a new -way--to wit, for ever, from the eyes of the bodies into which its lead -was fired, out of the barrels of a hundred thousand muskets. - -“Meanwhile,” said the Marquis, “I will preserve the honour and repose -of the family, if you will not. But you must be fatigued. Shall we -terminate our conference for the night?” - -“A moment more.” - -“An hour, if you please.” - -“Sir,” said the nephew, “we have done wrong, and are reaping the fruits -of wrong.” - -“_We_ have done wrong?” repeated the Marquis, with an inquiring smile, -and delicately pointing, first to his nephew, then to himself. - -“Our family; our honourable family, whose honour is of so much account -to both of us, in such different ways. Even in my father's time, we did -a world of wrong, injuring every human creature who came between us and -our pleasure, whatever it was. Why need I speak of my father's time, -when it is equally yours? Can I separate my father's twin-brother, joint -inheritor, and next successor, from himself?” - -“Death has done that!” said the Marquis. - -“And has left me,” answered the nephew, “bound to a system that is -frightful to me, responsible for it, but powerless in it; seeking to -execute the last request of my dear mother's lips, and obey the last -look of my dear mother's eyes, which implored me to have mercy and to -redress; and tortured by seeking assistance and power in vain.” - -“Seeking them from me, my nephew,” said the Marquis, touching him on the -breast with his forefinger--they were now standing by the hearth--“you -will for ever seek them in vain, be assured.” - -Every fine straight line in the clear whiteness of his face, was -cruelly, craftily, and closely compressed, while he stood looking -quietly at his nephew, with his snuff-box in his hand. Once again he -touched him on the breast, as though his finger were the fine point of -a small sword, with which, in delicate finesse, he ran him through the -body, and said, - -“My friend, I will die, perpetuating the system under which I have -lived.” - -When he had said it, he took a culminating pinch of snuff, and put his -box in his pocket. - -“Better to be a rational creature,” he added then, after ringing a small -bell on the table, “and accept your natural destiny. But you are lost, -Monsieur Charles, I see.” - -“This property and France are lost to me,” said the nephew, sadly; “I -renounce them.” - -“Are they both yours to renounce? France may be, but is the property? It -is scarcely worth mentioning; but, is it yet?” - -“I had no intention, in the words I used, to claim it yet. If it passed -to me from you, to-morrow--” - -“Which I have the vanity to hope is not probable.” - -“--or twenty years hence--” - -“You do me too much honour,” said the Marquis; “still, I prefer that -supposition.” - -“--I would abandon it, and live otherwise and elsewhere. It is little to -relinquish. What is it but a wilderness of misery and ruin!” - -“Hah!” said the Marquis, glancing round the luxurious room. - -“To the eye it is fair enough, here; but seen in its integrity, -under the sky, and by the daylight, it is a crumbling tower of waste, -mismanagement, extortion, debt, mortgage, oppression, hunger, nakedness, -and suffering.” - -“Hah!” said the Marquis again, in a well-satisfied manner. - -“If it ever becomes mine, it shall be put into some hands better -qualified to free it slowly (if such a thing is possible) from the -weight that drags it down, so that the miserable people who cannot leave -it and who have been long wrung to the last point of endurance, may, in -another generation, suffer less; but it is not for me. There is a curse -on it, and on all this land.” - -“And you?” said the uncle. “Forgive my curiosity; do you, under your new -philosophy, graciously intend to live?” - -“I must do, to live, what others of my countrymen, even with nobility at -their backs, may have to do some day--work.” - -“In England, for example?” - -“Yes. The family honour, sir, is safe from me in this country. The -family name can suffer from me in no other, for I bear it in no other.” - -The ringing of the bell had caused the adjoining bed-chamber to be -lighted. It now shone brightly, through the door of communication. The -Marquis looked that way, and listened for the retreating step of his -valet. - -“England is very attractive to you, seeing how indifferently you have -prospered there,” he observed then, turning his calm face to his nephew -with a smile. - -“I have already said, that for my prospering there, I am sensible I may -be indebted to you, sir. For the rest, it is my Refuge.” - -“They say, those boastful English, that it is the Refuge of many. You -know a compatriot who has found a Refuge there? A Doctor?” - -“Yes.” - -“With a daughter?” - -“Yes.” - -“Yes,” said the Marquis. “You are fatigued. Good night!” - -As he bent his head in his most courtly manner, there was a secrecy -in his smiling face, and he conveyed an air of mystery to those words, -which struck the eyes and ears of his nephew forcibly. At the same -time, the thin straight lines of the setting of the eyes, and the thin -straight lips, and the markings in the nose, curved with a sarcasm that -looked handsomely diabolic. - -“Yes,” repeated the Marquis. “A Doctor with a daughter. Yes. So -commences the new philosophy! You are fatigued. Good night!” - -It would have been of as much avail to interrogate any stone face -outside the chateau as to interrogate that face of his. The nephew -looked at him, in vain, in passing on to the door. - -“Good night!” said the uncle. “I look to the pleasure of seeing you -again in the morning. Good repose! Light Monsieur my nephew to his -chamber there!--And burn Monsieur my nephew in his bed, if you will,” he -added to himself, before he rang his little bell again, and summoned his -valet to his own bedroom. - -The valet come and gone, Monsieur the Marquis walked to and fro in his -loose chamber-robe, to prepare himself gently for sleep, that hot still -night. Rustling about the room, his softly-slippered feet making no -noise on the floor, he moved like a refined tiger:--looked like some -enchanted marquis of the impenitently wicked sort, in story, whose -periodical change into tiger form was either just going off, or just -coming on. - -He moved from end to end of his voluptuous bedroom, looking again at the -scraps of the day's journey that came unbidden into his mind; the slow -toil up the hill at sunset, the setting sun, the descent, the mill, the -prison on the crag, the little village in the hollow, the peasants at -the fountain, and the mender of roads with his blue cap pointing out the -chain under the carriage. That fountain suggested the Paris fountain, -the little bundle lying on the step, the women bending over it, and the -tall man with his arms up, crying, “Dead!” - -“I am cool now,” said Monsieur the Marquis, “and may go to bed.” - -So, leaving only one light burning on the large hearth, he let his thin -gauze curtains fall around him, and heard the night break its silence -with a long sigh as he composed himself to sleep. - -The stone faces on the outer walls stared blindly at the black night -for three heavy hours; for three heavy hours, the horses in the stables -rattled at their racks, the dogs barked, and the owl made a noise with -very little resemblance in it to the noise conventionally assigned to -the owl by men-poets. But it is the obstinate custom of such creatures -hardly ever to say what is set down for them. - -For three heavy hours, the stone faces of the chateau, lion and human, -stared blindly at the night. Dead darkness lay on all the landscape, -dead darkness added its own hush to the hushing dust on all the roads. -The burial-place had got to the pass that its little heaps of poor grass -were undistinguishable from one another; the figure on the Cross might -have come down, for anything that could be seen of it. In the village, -taxers and taxed were fast asleep. Dreaming, perhaps, of banquets, as -the starved usually do, and of ease and rest, as the driven slave and -the yoked ox may, its lean inhabitants slept soundly, and were fed and -freed. - -The fountain in the village flowed unseen and unheard, and the fountain -at the chateau dropped unseen and unheard--both melting away, like the -minutes that were falling from the spring of Time--through three dark -hours. Then, the grey water of both began to be ghostly in the light, -and the eyes of the stone faces of the chateau were opened. - -Lighter and lighter, until at last the sun touched the tops of the still -trees, and poured its radiance over the hill. In the glow, the water -of the chateau fountain seemed to turn to blood, and the stone faces -crimsoned. The carol of the birds was loud and high, and, on the -weather-beaten sill of the great window of the bed-chamber of Monsieur -the Marquis, one little bird sang its sweetest song with all its might. -At this, the nearest stone face seemed to stare amazed, and, with open -mouth and dropped under-jaw, looked awe-stricken. - -Now, the sun was full up, and movement began in the village. Casement -windows opened, crazy doors were unbarred, and people came forth -shivering--chilled, as yet, by the new sweet air. Then began the rarely -lightened toil of the day among the village population. Some, to the -fountain; some, to the fields; men and women here, to dig and delve; men -and women there, to see to the poor live stock, and lead the bony cows -out, to such pasture as could be found by the roadside. In the church -and at the Cross, a kneeling figure or two; attendant on the latter -prayers, the led cow, trying for a breakfast among the weeds at its -foot. - -The chateau awoke later, as became its quality, but awoke gradually and -surely. First, the lonely boar-spears and knives of the chase had been -reddened as of old; then, had gleamed trenchant in the morning sunshine; -now, doors and windows were thrown open, horses in their stables looked -round over their shoulders at the light and freshness pouring in at -doorways, leaves sparkled and rustled at iron-grated windows, dogs -pulled hard at their chains, and reared impatient to be loosed. - -All these trivial incidents belonged to the routine of life, and the -return of morning. Surely, not so the ringing of the great bell of the -chateau, nor the running up and down the stairs; nor the hurried -figures on the terrace; nor the booting and tramping here and there and -everywhere, nor the quick saddling of horses and riding away? - -What winds conveyed this hurry to the grizzled mender of roads, already -at work on the hill-top beyond the village, with his day's dinner (not -much to carry) lying in a bundle that it was worth no crow's while to -peck at, on a heap of stones? Had the birds, carrying some grains of it -to a distance, dropped one over him as they sow chance seeds? Whether or -no, the mender of roads ran, on the sultry morning, as if for his life, -down the hill, knee-high in dust, and never stopped till he got to the -fountain. - -All the people of the village were at the fountain, standing about -in their depressed manner, and whispering low, but showing no other -emotions than grim curiosity and surprise. The led cows, hastily brought -in and tethered to anything that would hold them, were looking stupidly -on, or lying down chewing the cud of nothing particularly repaying their -trouble, which they had picked up in their interrupted saunter. Some of -the people of the chateau, and some of those of the posting-house, and -all the taxing authorities, were armed more or less, and were crowded -on the other side of the little street in a purposeless way, that was -highly fraught with nothing. Already, the mender of roads had penetrated -into the midst of a group of fifty particular friends, and was smiting -himself in the breast with his blue cap. What did all this portend, -and what portended the swift hoisting-up of Monsieur Gabelle behind -a servant on horseback, and the conveying away of the said Gabelle -(double-laden though the horse was), at a gallop, like a new version of -the German ballad of Leonora? - -It portended that there was one stone face too many, up at the chateau. - -The Gorgon had surveyed the building again in the night, and had added -the one stone face wanting; the stone face for which it had waited -through about two hundred years. - -It lay back on the pillow of Monsieur the Marquis. It was like a fine -mask, suddenly startled, made angry, and petrified. Driven home into the -heart of the stone figure attached to it, was a knife. Round its hilt -was a frill of paper, on which was scrawled: - -“Drive him fast to his tomb. This, from Jacques.” - - - - -X. Two Promises - - -More months, to the number of twelve, had come and gone, and Mr. Charles -Darnay was established in England as a higher teacher of the French -language who was conversant with French literature. In this age, he -would have been a Professor; in that age, he was a Tutor. He read with -young men who could find any leisure and interest for the study of a -living tongue spoken all over the world, and he cultivated a taste for -its stores of knowledge and fancy. He could write of them, besides, in -sound English, and render them into sound English. Such masters were not -at that time easily found; Princes that had been, and Kings that were -to be, were not yet of the Teacher class, and no ruined nobility had -dropped out of Tellson's ledgers, to turn cooks and carpenters. As a -tutor, whose attainments made the student's way unusually pleasant and -profitable, and as an elegant translator who brought something to his -work besides mere dictionary knowledge, young Mr. Darnay soon became -known and encouraged. He was well acquainted, more-over, with the -circumstances of his country, and those were of ever-growing interest. -So, with great perseverance and untiring industry, he prospered. - -In London, he had expected neither to walk on pavements of gold, nor -to lie on beds of roses; if he had had any such exalted expectation, he -would not have prospered. He had expected labour, and he found it, and -did it and made the best of it. In this, his prosperity consisted. - -A certain portion of his time was passed at Cambridge, where he -read with undergraduates as a sort of tolerated smuggler who drove a -contraband trade in European languages, instead of conveying Greek -and Latin through the Custom-house. The rest of his time he passed in -London. - -Now, from the days when it was always summer in Eden, to these days -when it is mostly winter in fallen latitudes, the world of a man has -invariably gone one way--Charles Darnay's way--the way of the love of a -woman. - -He had loved Lucie Manette from the hour of his danger. He had never -heard a sound so sweet and dear as the sound of her compassionate voice; -he had never seen a face so tenderly beautiful, as hers when it was -confronted with his own on the edge of the grave that had been dug for -him. But, he had not yet spoken to her on the subject; the assassination -at the deserted chateau far away beyond the heaving water and the long, -long, dusty roads--the solid stone chateau which had itself become the -mere mist of a dream--had been done a year, and he had never yet, by so -much as a single spoken word, disclosed to her the state of his heart. - -That he had his reasons for this, he knew full well. It was again a -summer day when, lately arrived in London from his college occupation, -he turned into the quiet corner in Soho, bent on seeking an opportunity -of opening his mind to Doctor Manette. It was the close of the summer -day, and he knew Lucie to be out with Miss Pross. - -He found the Doctor reading in his arm-chair at a window. The energy -which had at once supported him under his old sufferings and aggravated -their sharpness, had been gradually restored to him. He was now a -very energetic man indeed, with great firmness of purpose, strength -of resolution, and vigour of action. In his recovered energy he was -sometimes a little fitful and sudden, as he had at first been in the -exercise of his other recovered faculties; but, this had never been -frequently observable, and had grown more and more rare. - -He studied much, slept little, sustained a great deal of fatigue with -ease, and was equably cheerful. To him, now entered Charles Darnay, at -sight of whom he laid aside his book and held out his hand. - -“Charles Darnay! I rejoice to see you. We have been counting on your -return these three or four days past. Mr. Stryver and Sydney Carton were -both here yesterday, and both made you out to be more than due.” - -“I am obliged to them for their interest in the matter,” he answered, -a little coldly as to them, though very warmly as to the Doctor. “Miss -Manette--” - -“Is well,” said the Doctor, as he stopped short, “and your return will -delight us all. She has gone out on some household matters, but will -soon be home.” - -“Doctor Manette, I knew she was from home. I took the opportunity of her -being from home, to beg to speak to you.” - -There was a blank silence. - -“Yes?” said the Doctor, with evident constraint. “Bring your chair here, -and speak on.” - -He complied as to the chair, but appeared to find the speaking on less -easy. - -“I have had the happiness, Doctor Manette, of being so intimate here,” - so he at length began, “for some year and a half, that I hope the topic -on which I am about to touch may not--” - -He was stayed by the Doctor's putting out his hand to stop him. When he -had kept it so a little while, he said, drawing it back: - -“Is Lucie the topic?” - -“She is.” - -“It is hard for me to speak of her at any time. It is very hard for me -to hear her spoken of in that tone of yours, Charles Darnay.” - -“It is a tone of fervent admiration, true homage, and deep love, Doctor -Manette!” he said deferentially. - -There was another blank silence before her father rejoined: - -“I believe it. I do you justice; I believe it.” - -His constraint was so manifest, and it was so manifest, too, that it -originated in an unwillingness to approach the subject, that Charles -Darnay hesitated. - -“Shall I go on, sir?” - -Another blank. - -“Yes, go on.” - -“You anticipate what I would say, though you cannot know how earnestly -I say it, how earnestly I feel it, without knowing my secret heart, and -the hopes and fears and anxieties with which it has long been -laden. Dear Doctor Manette, I love your daughter fondly, dearly, -disinterestedly, devotedly. If ever there were love in the world, I love -her. You have loved yourself; let your old love speak for me!” - -The Doctor sat with his face turned away, and his eyes bent on the -ground. At the last words, he stretched out his hand again, hurriedly, -and cried: - -“Not that, sir! Let that be! I adjure you, do not recall that!” - -His cry was so like a cry of actual pain, that it rang in Charles -Darnay's ears long after he had ceased. He motioned with the hand he had -extended, and it seemed to be an appeal to Darnay to pause. The latter -so received it, and remained silent. - -“I ask your pardon,” said the Doctor, in a subdued tone, after some -moments. “I do not doubt your loving Lucie; you may be satisfied of it.” - -He turned towards him in his chair, but did not look at him, or -raise his eyes. His chin dropped upon his hand, and his white hair -overshadowed his face: - -“Have you spoken to Lucie?” - -“No.” - -“Nor written?” - -“Never.” - -“It would be ungenerous to affect not to know that your self-denial is -to be referred to your consideration for her father. Her father thanks -you.” - -He offered his hand; but his eyes did not go with it. - -“I know,” said Darnay, respectfully, “how can I fail to know, Doctor -Manette, I who have seen you together from day to day, that between -you and Miss Manette there is an affection so unusual, so touching, so -belonging to the circumstances in which it has been nurtured, that it -can have few parallels, even in the tenderness between a father and -child. I know, Doctor Manette--how can I fail to know--that, mingled -with the affection and duty of a daughter who has become a woman, there -is, in her heart, towards you, all the love and reliance of infancy -itself. I know that, as in her childhood she had no parent, so she is -now devoted to you with all the constancy and fervour of her present -years and character, united to the trustfulness and attachment of the -early days in which you were lost to her. I know perfectly well that if -you had been restored to her from the world beyond this life, you could -hardly be invested, in her sight, with a more sacred character than that -in which you are always with her. I know that when she is clinging to -you, the hands of baby, girl, and woman, all in one, are round your -neck. I know that in loving you she sees and loves her mother at her -own age, sees and loves you at my age, loves her mother broken-hearted, -loves you through your dreadful trial and in your blessed restoration. I -have known this, night and day, since I have known you in your home.” - -Her father sat silent, with his face bent down. His breathing was a -little quickened; but he repressed all other signs of agitation. - -“Dear Doctor Manette, always knowing this, always seeing her and you -with this hallowed light about you, I have forborne, and forborne, as -long as it was in the nature of man to do it. I have felt, and do even -now feel, that to bring my love--even mine--between you, is to touch -your history with something not quite so good as itself. But I love her. -Heaven is my witness that I love her!” - -“I believe it,” answered her father, mournfully. “I have thought so -before now. I believe it.” - -“But, do not believe,” said Darnay, upon whose ear the mournful voice -struck with a reproachful sound, “that if my fortune were so cast as -that, being one day so happy as to make her my wife, I must at any time -put any separation between her and you, I could or would breathe a -word of what I now say. Besides that I should know it to be hopeless, I -should know it to be a baseness. If I had any such possibility, even at -a remote distance of years, harboured in my thoughts, and hidden in my -heart--if it ever had been there--if it ever could be there--I could not -now touch this honoured hand.” - -He laid his own upon it as he spoke. - -“No, dear Doctor Manette. Like you, a voluntary exile from France; like -you, driven from it by its distractions, oppressions, and miseries; like -you, striving to live away from it by my own exertions, and trusting -in a happier future; I look only to sharing your fortunes, sharing your -life and home, and being faithful to you to the death. Not to divide -with Lucie her privilege as your child, companion, and friend; but to -come in aid of it, and bind her closer to you, if such a thing can be.” - -His touch still lingered on her father's hand. Answering the touch for a -moment, but not coldly, her father rested his hands upon the arms of -his chair, and looked up for the first time since the beginning of the -conference. A struggle was evidently in his face; a struggle with that -occasional look which had a tendency in it to dark doubt and dread. - -“You speak so feelingly and so manfully, Charles Darnay, that I thank -you with all my heart, and will open all my heart--or nearly so. Have -you any reason to believe that Lucie loves you?” - -“None. As yet, none.” - -“Is it the immediate object of this confidence, that you may at once -ascertain that, with my knowledge?” - -“Not even so. I might not have the hopefulness to do it for weeks; I -might (mistaken or not mistaken) have that hopefulness to-morrow.” - -“Do you seek any guidance from me?” - -“I ask none, sir. But I have thought it possible that you might have it -in your power, if you should deem it right, to give me some.” - -“Do you seek any promise from me?” - -“I do seek that.” - -“What is it?” - -“I well understand that, without you, I could have no hope. I well -understand that, even if Miss Manette held me at this moment in her -innocent heart--do not think I have the presumption to assume so much--I -could retain no place in it against her love for her father.” - -“If that be so, do you see what, on the other hand, is involved in it?” - -“I understand equally well, that a word from her father in any suitor's -favour, would outweigh herself and all the world. For which reason, -Doctor Manette,” said Darnay, modestly but firmly, “I would not ask that -word, to save my life.” - -“I am sure of it. Charles Darnay, mysteries arise out of close love, as -well as out of wide division; in the former case, they are subtle and -delicate, and difficult to penetrate. My daughter Lucie is, in this one -respect, such a mystery to me; I can make no guess at the state of her -heart.” - -“May I ask, sir, if you think she is--” As he hesitated, her father -supplied the rest. - -“Is sought by any other suitor?” - -“It is what I meant to say.” - -Her father considered a little before he answered: - -“You have seen Mr. Carton here, yourself. Mr. Stryver is here too, -occasionally. If it be at all, it can only be by one of these.” - -“Or both,” said Darnay. - -“I had not thought of both; I should not think either, likely. You want -a promise from me. Tell me what it is.” - -“It is, that if Miss Manette should bring to you at any time, on her own -part, such a confidence as I have ventured to lay before you, you will -bear testimony to what I have said, and to your belief in it. I hope you -may be able to think so well of me, as to urge no influence against -me. I say nothing more of my stake in this; this is what I ask. The -condition on which I ask it, and which you have an undoubted right to -require, I will observe immediately.” - -“I give the promise,” said the Doctor, “without any condition. I believe -your object to be, purely and truthfully, as you have stated it. I -believe your intention is to perpetuate, and not to weaken, the ties -between me and my other and far dearer self. If she should ever tell me -that you are essential to her perfect happiness, I will give her to you. -If there were--Charles Darnay, if there were--” - -The young man had taken his hand gratefully; their hands were joined as -the Doctor spoke: - -“--any fancies, any reasons, any apprehensions, anything whatsoever, -new or old, against the man she really loved--the direct responsibility -thereof not lying on his head--they should all be obliterated for her -sake. She is everything to me; more to me than suffering, more to me -than wrong, more to me--Well! This is idle talk.” - -So strange was the way in which he faded into silence, and so strange -his fixed look when he had ceased to speak, that Darnay felt his own -hand turn cold in the hand that slowly released and dropped it. - -“You said something to me,” said Doctor Manette, breaking into a smile. -“What was it you said to me?” - -He was at a loss how to answer, until he remembered having spoken of a -condition. Relieved as his mind reverted to that, he answered: - -“Your confidence in me ought to be returned with full confidence on my -part. My present name, though but slightly changed from my mother's, is -not, as you will remember, my own. I wish to tell you what that is, and -why I am in England.” - -“Stop!” said the Doctor of Beauvais. - -“I wish it, that I may the better deserve your confidence, and have no -secret from you.” - -“Stop!” - -For an instant, the Doctor even had his two hands at his ears; for -another instant, even had his two hands laid on Darnay's lips. - -“Tell me when I ask you, not now. If your suit should prosper, if Lucie -should love you, you shall tell me on your marriage morning. Do you -promise?” - -“Willingly. - -“Give me your hand. She will be home directly, and it is better she -should not see us together to-night. Go! God bless you!” - -It was dark when Charles Darnay left him, and it was an hour later and -darker when Lucie came home; she hurried into the room alone--for -Miss Pross had gone straight up-stairs--and was surprised to find his -reading-chair empty. - -“My father!” she called to him. “Father dear!” - -Nothing was said in answer, but she heard a low hammering sound in his -bedroom. Passing lightly across the intermediate room, she looked in at -his door and came running back frightened, crying to herself, with her -blood all chilled, “What shall I do! What shall I do!” - -Her uncertainty lasted but a moment; she hurried back, and tapped at -his door, and softly called to him. The noise ceased at the sound of -her voice, and he presently came out to her, and they walked up and down -together for a long time. - -She came down from her bed, to look at him in his sleep that night. He -slept heavily, and his tray of shoemaking tools, and his old unfinished -work, were all as usual. - - - - -XI. A Companion Picture - - -“Sydney,” said Mr. Stryver, on that self-same night, or morning, to his -jackal; “mix another bowl of punch; I have something to say to you.” - -Sydney had been working double tides that night, and the night before, -and the night before that, and a good many nights in succession, making -a grand clearance among Mr. Stryver's papers before the setting in -of the long vacation. The clearance was effected at last; the Stryver -arrears were handsomely fetched up; everything was got rid of until -November should come with its fogs atmospheric, and fogs legal, and -bring grist to the mill again. - -Sydney was none the livelier and none the soberer for so much -application. It had taken a deal of extra wet-towelling to pull him -through the night; a correspondingly extra quantity of wine had preceded -the towelling; and he was in a very damaged condition, as he now pulled -his turban off and threw it into the basin in which he had steeped it at -intervals for the last six hours. - -“Are you mixing that other bowl of punch?” said Stryver the portly, with -his hands in his waistband, glancing round from the sofa where he lay on -his back. - -“I am.” - -“Now, look here! I am going to tell you something that will rather -surprise you, and that perhaps will make you think me not quite as -shrewd as you usually do think me. I intend to marry.” - -“_Do_ you?” - -“Yes. And not for money. What do you say now?” - -“I don't feel disposed to say much. Who is she?” - -“Guess.” - -“Do I know her?” - -“Guess.” - -“I am not going to guess, at five o'clock in the morning, with my brains -frying and sputtering in my head. If you want me to guess, you must ask -me to dinner.” - -“Well then, I'll tell you,” said Stryver, coming slowly into a sitting -posture. “Sydney, I rather despair of making myself intelligible to you, -because you are such an insensible dog.” - -“And you,” returned Sydney, busy concocting the punch, “are such a -sensitive and poetical spirit--” - -“Come!” rejoined Stryver, laughing boastfully, “though I don't prefer -any claim to being the soul of Romance (for I hope I know better), still -I am a tenderer sort of fellow than _you_.” - -“You are a luckier, if you mean that.” - -“I don't mean that. I mean I am a man of more--more--” - -“Say gallantry, while you are about it,” suggested Carton. - -“Well! I'll say gallantry. My meaning is that I am a man,” said Stryver, -inflating himself at his friend as he made the punch, “who cares more to -be agreeable, who takes more pains to be agreeable, who knows better how -to be agreeable, in a woman's society, than you do.” - -“Go on,” said Sydney Carton. - -“No; but before I go on,” said Stryver, shaking his head in his bullying -way, “I'll have this out with you. You've been at Doctor Manette's house -as much as I have, or more than I have. Why, I have been ashamed of your -moroseness there! Your manners have been of that silent and sullen and -hangdog kind, that, upon my life and soul, I have been ashamed of you, -Sydney!” - -“It should be very beneficial to a man in your practice at the bar, to -be ashamed of anything,” returned Sydney; “you ought to be much obliged -to me.” - -“You shall not get off in that way,” rejoined Stryver, shouldering the -rejoinder at him; “no, Sydney, it's my duty to tell you--and I tell you -to your face to do you good--that you are a devilish ill-conditioned -fellow in that sort of society. You are a disagreeable fellow.” - -Sydney drank a bumper of the punch he had made, and laughed. - -“Look at me!” said Stryver, squaring himself; “I have less need to make -myself agreeable than you have, being more independent in circumstances. -Why do I do it?” - -“I never saw you do it yet,” muttered Carton. - -“I do it because it's politic; I do it on principle. And look at me! I -get on.” - -“You don't get on with your account of your matrimonial intentions,” - answered Carton, with a careless air; “I wish you would keep to that. As -to me--will you never understand that I am incorrigible?” - -He asked the question with some appearance of scorn. - -“You have no business to be incorrigible,” was his friend's answer, -delivered in no very soothing tone. - -“I have no business to be, at all, that I know of,” said Sydney Carton. -“Who is the lady?” - -“Now, don't let my announcement of the name make you uncomfortable, -Sydney,” said Mr. Stryver, preparing him with ostentatious friendliness -for the disclosure he was about to make, “because I know you don't mean -half you say; and if you meant it all, it would be of no importance. I -make this little preface, because you once mentioned the young lady to -me in slighting terms.” - -“I did?” - -“Certainly; and in these chambers.” - -Sydney Carton looked at his punch and looked at his complacent friend; -drank his punch and looked at his complacent friend. - -“You made mention of the young lady as a golden-haired doll. The young -lady is Miss Manette. If you had been a fellow of any sensitiveness or -delicacy of feeling in that kind of way, Sydney, I might have been a -little resentful of your employing such a designation; but you are not. -You want that sense altogether; therefore I am no more annoyed when I -think of the expression, than I should be annoyed by a man's opinion of -a picture of mine, who had no eye for pictures: or of a piece of music -of mine, who had no ear for music.” - -Sydney Carton drank the punch at a great rate; drank it by bumpers, -looking at his friend. - -“Now you know all about it, Syd,” said Mr. Stryver. “I don't care about -fortune: she is a charming creature, and I have made up my mind to -please myself: on the whole, I think I can afford to please myself. She -will have in me a man already pretty well off, and a rapidly rising man, -and a man of some distinction: it is a piece of good fortune for her, -but she is worthy of good fortune. Are you astonished?” - -Carton, still drinking the punch, rejoined, “Why should I be -astonished?” - -“You approve?” - -Carton, still drinking the punch, rejoined, “Why should I not approve?” - -“Well!” said his friend Stryver, “you take it more easily than I fancied -you would, and are less mercenary on my behalf than I thought you would -be; though, to be sure, you know well enough by this time that your -ancient chum is a man of a pretty strong will. Yes, Sydney, I have had -enough of this style of life, with no other as a change from it; I -feel that it is a pleasant thing for a man to have a home when he feels -inclined to go to it (when he doesn't, he can stay away), and I feel -that Miss Manette will tell well in any station, and will always do me -credit. So I have made up my mind. And now, Sydney, old boy, I want to -say a word to _you_ about _your_ prospects. You are in a bad way, you -know; you really are in a bad way. You don't know the value of money, -you live hard, you'll knock up one of these days, and be ill and poor; -you really ought to think about a nurse.” - -The prosperous patronage with which he said it, made him look twice as -big as he was, and four times as offensive. - -“Now, let me recommend you,” pursued Stryver, “to look it in the face. -I have looked it in the face, in my different way; look it in the face, -you, in your different way. Marry. Provide somebody to take care of -you. Never mind your having no enjoyment of women's society, nor -understanding of it, nor tact for it. Find out somebody. Find out some -respectable woman with a little property--somebody in the landlady way, -or lodging-letting way--and marry her, against a rainy day. That's the -kind of thing for _you_. Now think of it, Sydney.” - -“I'll think of it,” said Sydney. - - - - -XII. The Fellow of Delicacy - - -Mr. Stryver having made up his mind to that magnanimous bestowal of good -fortune on the Doctor's daughter, resolved to make her happiness known -to her before he left town for the Long Vacation. After some mental -debating of the point, he came to the conclusion that it would be as -well to get all the preliminaries done with, and they could then arrange -at their leisure whether he should give her his hand a week or two -before Michaelmas Term, or in the little Christmas vacation between it -and Hilary. - -As to the strength of his case, he had not a doubt about it, but clearly -saw his way to the verdict. Argued with the jury on substantial worldly -grounds--the only grounds ever worth taking into account--it was a -plain case, and had not a weak spot in it. He called himself for the -plaintiff, there was no getting over his evidence, the counsel for -the defendant threw up his brief, and the jury did not even turn to -consider. After trying it, Stryver, C. J., was satisfied that no plainer -case could be. - -Accordingly, Mr. Stryver inaugurated the Long Vacation with a formal -proposal to take Miss Manette to Vauxhall Gardens; that failing, to -Ranelagh; that unaccountably failing too, it behoved him to present -himself in Soho, and there declare his noble mind. - -Towards Soho, therefore, Mr. Stryver shouldered his way from the Temple, -while the bloom of the Long Vacation's infancy was still upon it. -Anybody who had seen him projecting himself into Soho while he was yet -on Saint Dunstan's side of Temple Bar, bursting in his full-blown way -along the pavement, to the jostlement of all weaker people, might have -seen how safe and strong he was. - -His way taking him past Tellson's, and he both banking at Tellson's and -knowing Mr. Lorry as the intimate friend of the Manettes, it entered Mr. -Stryver's mind to enter the bank, and reveal to Mr. Lorry the brightness -of the Soho horizon. So, he pushed open the door with the weak rattle -in its throat, stumbled down the two steps, got past the two ancient -cashiers, and shouldered himself into the musty back closet where Mr. -Lorry sat at great books ruled for figures, with perpendicular iron -bars to his window as if that were ruled for figures too, and everything -under the clouds were a sum. - -“Halloa!” said Mr. Stryver. “How do you do? I hope you are well!” - -It was Stryver's grand peculiarity that he always seemed too big for any -place, or space. He was so much too big for Tellson's, that old clerks -in distant corners looked up with looks of remonstrance, as though he -squeezed them against the wall. The House itself, magnificently reading -the paper quite in the far-off perspective, lowered displeased, as if -the Stryver head had been butted into its responsible waistcoat. - -The discreet Mr. Lorry said, in a sample tone of the voice he would -recommend under the circumstances, “How do you do, Mr. Stryver? How do -you do, sir?” and shook hands. There was a peculiarity in his manner -of shaking hands, always to be seen in any clerk at Tellson's who shook -hands with a customer when the House pervaded the air. He shook in a -self-abnegating way, as one who shook for Tellson and Co. - -“Can I do anything for you, Mr. Stryver?” asked Mr. Lorry, in his -business character. - -“Why, no, thank you; this is a private visit to yourself, Mr. Lorry; I -have come for a private word.” - -“Oh indeed!” said Mr. Lorry, bending down his ear, while his eye strayed -to the House afar off. - -“I am going,” said Mr. Stryver, leaning his arms confidentially on the -desk: whereupon, although it was a large double one, there appeared to -be not half desk enough for him: “I am going to make an offer of myself -in marriage to your agreeable little friend, Miss Manette, Mr. Lorry.” - -“Oh dear me!” cried Mr. Lorry, rubbing his chin, and looking at his -visitor dubiously. - -“Oh dear me, sir?” repeated Stryver, drawing back. “Oh dear you, sir? -What may your meaning be, Mr. Lorry?” - -“My meaning,” answered the man of business, “is, of course, friendly and -appreciative, and that it does you the greatest credit, and--in short, -my meaning is everything you could desire. But--really, you know, Mr. -Stryver--” Mr. Lorry paused, and shook his head at him in the oddest -manner, as if he were compelled against his will to add, internally, -“you know there really is so much too much of you!” - -“Well!” said Stryver, slapping the desk with his contentious hand, -opening his eyes wider, and taking a long breath, “if I understand you, -Mr. Lorry, I'll be hanged!” - -Mr. Lorry adjusted his little wig at both ears as a means towards that -end, and bit the feather of a pen. - -“D--n it all, sir!” said Stryver, staring at him, “am I not eligible?” - -“Oh dear yes! Yes. Oh yes, you're eligible!” said Mr. Lorry. “If you say -eligible, you are eligible.” - -“Am I not prosperous?” asked Stryver. - -“Oh! if you come to prosperous, you are prosperous,” said Mr. Lorry. - -“And advancing?” - -“If you come to advancing you know,” said Mr. Lorry, delighted to be -able to make another admission, “nobody can doubt that.” - -“Then what on earth is your meaning, Mr. Lorry?” demanded Stryver, -perceptibly crestfallen. - -“Well! I--Were you going there now?” asked Mr. Lorry. - -“Straight!” said Stryver, with a plump of his fist on the desk. - -“Then I think I wouldn't, if I was you.” - -“Why?” said Stryver. “Now, I'll put you in a corner,” forensically -shaking a forefinger at him. “You are a man of business and bound to -have a reason. State your reason. Why wouldn't you go?” - -“Because,” said Mr. Lorry, “I wouldn't go on such an object without -having some cause to believe that I should succeed.” - -“D--n _me_!” cried Stryver, “but this beats everything.” - -Mr. Lorry glanced at the distant House, and glanced at the angry -Stryver. - -“Here's a man of business--a man of years--a man of experience--_in_ -a Bank,” said Stryver; “and having summed up three leading reasons for -complete success, he says there's no reason at all! Says it with his -head on!” Mr. Stryver remarked upon the peculiarity as if it would have -been infinitely less remarkable if he had said it with his head off. - -“When I speak of success, I speak of success with the young lady; and -when I speak of causes and reasons to make success probable, I speak of -causes and reasons that will tell as such with the young lady. The young -lady, my good sir,” said Mr. Lorry, mildly tapping the Stryver arm, “the -young lady. The young lady goes before all.” - -“Then you mean to tell me, Mr. Lorry,” said Stryver, squaring his -elbows, “that it is your deliberate opinion that the young lady at -present in question is a mincing Fool?” - -“Not exactly so. I mean to tell you, Mr. Stryver,” said Mr. Lorry, -reddening, “that I will hear no disrespectful word of that young lady -from any lips; and that if I knew any man--which I hope I do not--whose -taste was so coarse, and whose temper was so overbearing, that he could -not restrain himself from speaking disrespectfully of that young lady at -this desk, not even Tellson's should prevent my giving him a piece of my -mind.” - -The necessity of being angry in a suppressed tone had put Mr. Stryver's -blood-vessels into a dangerous state when it was his turn to be angry; -Mr. Lorry's veins, methodical as their courses could usually be, were in -no better state now it was his turn. - -“That is what I mean to tell you, sir,” said Mr. Lorry. “Pray let there -be no mistake about it.” - -Mr. Stryver sucked the end of a ruler for a little while, and then stood -hitting a tune out of his teeth with it, which probably gave him the -toothache. He broke the awkward silence by saying: - -“This is something new to me, Mr. Lorry. You deliberately advise me not -to go up to Soho and offer myself--_my_self, Stryver of the King's Bench -bar?” - -“Do you ask me for my advice, Mr. Stryver?” - -“Yes, I do.” - -“Very good. Then I give it, and you have repeated it correctly.” - -“And all I can say of it is,” laughed Stryver with a vexed laugh, “that -this--ha, ha!--beats everything past, present, and to come.” - -“Now understand me,” pursued Mr. Lorry. “As a man of business, I am -not justified in saying anything about this matter, for, as a man of -business, I know nothing of it. But, as an old fellow, who has carried -Miss Manette in his arms, who is the trusted friend of Miss Manette and -of her father too, and who has a great affection for them both, I have -spoken. The confidence is not of my seeking, recollect. Now, you think I -may not be right?” - -“Not I!” said Stryver, whistling. “I can't undertake to find third -parties in common sense; I can only find it for myself. I suppose sense -in certain quarters; you suppose mincing bread-and-butter nonsense. It's -new to me, but you are right, I dare say.” - -“What I suppose, Mr. Stryver, I claim to characterise for myself--And -understand me, sir,” said Mr. Lorry, quickly flushing again, “I -will not--not even at Tellson's--have it characterised for me by any -gentleman breathing.” - -“There! I beg your pardon!” said Stryver. - -“Granted. Thank you. Well, Mr. Stryver, I was about to say:--it might be -painful to you to find yourself mistaken, it might be painful to Doctor -Manette to have the task of being explicit with you, it might be very -painful to Miss Manette to have the task of being explicit with you. You -know the terms upon which I have the honour and happiness to stand with -the family. If you please, committing you in no way, representing you -in no way, I will undertake to correct my advice by the exercise of a -little new observation and judgment expressly brought to bear upon -it. If you should then be dissatisfied with it, you can but test its -soundness for yourself; if, on the other hand, you should be satisfied -with it, and it should be what it now is, it may spare all sides what is -best spared. What do you say?” - -“How long would you keep me in town?” - -“Oh! It is only a question of a few hours. I could go to Soho in the -evening, and come to your chambers afterwards.” - -“Then I say yes,” said Stryver: “I won't go up there now, I am not so -hot upon it as that comes to; I say yes, and I shall expect you to look -in to-night. Good morning.” - -Then Mr. Stryver turned and burst out of the Bank, causing such a -concussion of air on his passage through, that to stand up against it -bowing behind the two counters, required the utmost remaining strength -of the two ancient clerks. Those venerable and feeble persons were -always seen by the public in the act of bowing, and were popularly -believed, when they had bowed a customer out, still to keep on bowing in -the empty office until they bowed another customer in. - -The barrister was keen enough to divine that the banker would not have -gone so far in his expression of opinion on any less solid ground than -moral certainty. Unprepared as he was for the large pill he had to -swallow, he got it down. “And now,” said Mr. Stryver, shaking his -forensic forefinger at the Temple in general, when it was down, “my way -out of this, is, to put you all in the wrong.” - -It was a bit of the art of an Old Bailey tactician, in which he found -great relief. “You shall not put me in the wrong, young lady,” said Mr. -Stryver; “I'll do that for you.” - -Accordingly, when Mr. Lorry called that night as late as ten o'clock, -Mr. Stryver, among a quantity of books and papers littered out for the -purpose, seemed to have nothing less on his mind than the subject of -the morning. He even showed surprise when he saw Mr. Lorry, and was -altogether in an absent and preoccupied state. - -“Well!” said that good-natured emissary, after a full half-hour of -bootless attempts to bring him round to the question. “I have been to -Soho.” - -“To Soho?” repeated Mr. Stryver, coldly. “Oh, to be sure! What am I -thinking of!” - -“And I have no doubt,” said Mr. Lorry, “that I was right in the -conversation we had. My opinion is confirmed, and I reiterate my -advice.” - -“I assure you,” returned Mr. Stryver, in the friendliest way, “that I -am sorry for it on your account, and sorry for it on the poor father's -account. I know this must always be a sore subject with the family; let -us say no more about it.” - -“I don't understand you,” said Mr. Lorry. - -“I dare say not,” rejoined Stryver, nodding his head in a smoothing and -final way; “no matter, no matter.” - -“But it does matter,” Mr. Lorry urged. - -“No it doesn't; I assure you it doesn't. Having supposed that there was -sense where there is no sense, and a laudable ambition where there is -not a laudable ambition, I am well out of my mistake, and no harm is -done. Young women have committed similar follies often before, and have -repented them in poverty and obscurity often before. In an unselfish -aspect, I am sorry that the thing is dropped, because it would have been -a bad thing for me in a worldly point of view; in a selfish aspect, I am -glad that the thing has dropped, because it would have been a bad thing -for me in a worldly point of view--it is hardly necessary to say I could -have gained nothing by it. There is no harm at all done. I have not -proposed to the young lady, and, between ourselves, I am by no means -certain, on reflection, that I ever should have committed myself to -that extent. Mr. Lorry, you cannot control the mincing vanities and -giddinesses of empty-headed girls; you must not expect to do it, or you -will always be disappointed. Now, pray say no more about it. I tell you, -I regret it on account of others, but I am satisfied on my own account. -And I am really very much obliged to you for allowing me to sound you, -and for giving me your advice; you know the young lady better than I do; -you were right, it never would have done.” - -Mr. Lorry was so taken aback, that he looked quite stupidly at Mr. -Stryver shouldering him towards the door, with an appearance of -showering generosity, forbearance, and goodwill, on his erring head. -“Make the best of it, my dear sir,” said Stryver; “say no more about it; -thank you again for allowing me to sound you; good night!” - -Mr. Lorry was out in the night, before he knew where he was. Mr. Stryver -was lying back on his sofa, winking at his ceiling. - - - - -XIII. The Fellow of No Delicacy - - -If Sydney Carton ever shone anywhere, he certainly never shone in the -house of Doctor Manette. He had been there often, during a whole year, -and had always been the same moody and morose lounger there. When he -cared to talk, he talked well; but, the cloud of caring for nothing, -which overshadowed him with such a fatal darkness, was very rarely -pierced by the light within him. - -And yet he did care something for the streets that environed that house, -and for the senseless stones that made their pavements. Many a night -he vaguely and unhappily wandered there, when wine had brought no -transitory gladness to him; many a dreary daybreak revealed his solitary -figure lingering there, and still lingering there when the first beams -of the sun brought into strong relief, removed beauties of architecture -in spires of churches and lofty buildings, as perhaps the quiet time -brought some sense of better things, else forgotten and unattainable, -into his mind. Of late, the neglected bed in the Temple Court had known -him more scantily than ever; and often when he had thrown himself upon -it no longer than a few minutes, he had got up again, and haunted that -neighbourhood. - -On a day in August, when Mr. Stryver (after notifying to his jackal -that “he had thought better of that marrying matter”) had carried his -delicacy into Devonshire, and when the sight and scent of flowers in the -City streets had some waifs of goodness in them for the worst, of health -for the sickliest, and of youth for the oldest, Sydney's feet still trod -those stones. From being irresolute and purposeless, his feet became -animated by an intention, and, in the working out of that intention, -they took him to the Doctor's door. - -He was shown up-stairs, and found Lucie at her work, alone. She had -never been quite at her ease with him, and received him with some little -embarrassment as he seated himself near her table. But, looking up at -his face in the interchange of the first few common-places, she observed -a change in it. - -“I fear you are not well, Mr. Carton!” - -“No. But the life I lead, Miss Manette, is not conducive to health. What -is to be expected of, or by, such profligates?” - -“Is it not--forgive me; I have begun the question on my lips--a pity to -live no better life?” - -“God knows it is a shame!” - -“Then why not change it?” - -Looking gently at him again, she was surprised and saddened to see that -there were tears in his eyes. There were tears in his voice too, as he -answered: - -“It is too late for that. I shall never be better than I am. I shall -sink lower, and be worse.” - -He leaned an elbow on her table, and covered his eyes with his hand. The -table trembled in the silence that followed. - -She had never seen him softened, and was much distressed. He knew her to -be so, without looking at her, and said: - -“Pray forgive me, Miss Manette. I break down before the knowledge of -what I want to say to you. Will you hear me?” - -“If it will do you any good, Mr. Carton, if it would make you happier, -it would make me very glad!” - -“God bless you for your sweet compassion!” - -He unshaded his face after a little while, and spoke steadily. - -“Don't be afraid to hear me. Don't shrink from anything I say. I am like -one who died young. All my life might have been.” - -“No, Mr. Carton. I am sure that the best part of it might still be; I am -sure that you might be much, much worthier of yourself.” - -“Say of you, Miss Manette, and although I know better--although in the -mystery of my own wretched heart I know better--I shall never forget -it!” - -She was pale and trembling. He came to her relief with a fixed despair -of himself which made the interview unlike any other that could have -been holden. - -“If it had been possible, Miss Manette, that you could have returned the -love of the man you see before yourself--flung away, wasted, drunken, -poor creature of misuse as you know him to be--he would have been -conscious this day and hour, in spite of his happiness, that he would -bring you to misery, bring you to sorrow and repentance, blight you, -disgrace you, pull you down with him. I know very well that you can have -no tenderness for me; I ask for none; I am even thankful that it cannot -be.” - -“Without it, can I not save you, Mr. Carton? Can I not recall -you--forgive me again!--to a better course? Can I in no way repay your -confidence? I know this is a confidence,” she modestly said, after a -little hesitation, and in earnest tears, “I know you would say this to -no one else. Can I turn it to no good account for yourself, Mr. Carton?” - -He shook his head. - -“To none. No, Miss Manette, to none. If you will hear me through a very -little more, all you can ever do for me is done. I wish you to know that -you have been the last dream of my soul. In my degradation I have not -been so degraded but that the sight of you with your father, and of this -home made such a home by you, has stirred old shadows that I thought had -died out of me. Since I knew you, I have been troubled by a remorse that -I thought would never reproach me again, and have heard whispers from -old voices impelling me upward, that I thought were silent for ever. I -have had unformed ideas of striving afresh, beginning anew, shaking off -sloth and sensuality, and fighting out the abandoned fight. A dream, all -a dream, that ends in nothing, and leaves the sleeper where he lay down, -but I wish you to know that you inspired it.” - -“Will nothing of it remain? O Mr. Carton, think again! Try again!” - -“No, Miss Manette; all through it, I have known myself to be quite -undeserving. And yet I have had the weakness, and have still the -weakness, to wish you to know with what a sudden mastery you kindled me, -heap of ashes that I am, into fire--a fire, however, inseparable in -its nature from myself, quickening nothing, lighting nothing, doing no -service, idly burning away.” - -“Since it is my misfortune, Mr. Carton, to have made you more unhappy -than you were before you knew me--” - -“Don't say that, Miss Manette, for you would have reclaimed me, if -anything could. You will not be the cause of my becoming worse.” - -“Since the state of your mind that you describe, is, at all events, -attributable to some influence of mine--this is what I mean, if I can -make it plain--can I use no influence to serve you? Have I no power for -good, with you, at all?” - -“The utmost good that I am capable of now, Miss Manette, I have come -here to realise. Let me carry through the rest of my misdirected life, -the remembrance that I opened my heart to you, last of all the world; -and that there was something left in me at this time which you could -deplore and pity.” - -“Which I entreated you to believe, again and again, most fervently, with -all my heart, was capable of better things, Mr. Carton!” - -“Entreat me to believe it no more, Miss Manette. I have proved myself, -and I know better. I distress you; I draw fast to an end. Will you let -me believe, when I recall this day, that the last confidence of my life -was reposed in your pure and innocent breast, and that it lies there -alone, and will be shared by no one?” - -“If that will be a consolation to you, yes.” - -“Not even by the dearest one ever to be known to you?” - -“Mr. Carton,” she answered, after an agitated pause, “the secret is -yours, not mine; and I promise to respect it.” - -“Thank you. And again, God bless you.” - -He put her hand to his lips, and moved towards the door. - -“Be under no apprehension, Miss Manette, of my ever resuming this -conversation by so much as a passing word. I will never refer to it -again. If I were dead, that could not be surer than it is henceforth. In -the hour of my death, I shall hold sacred the one good remembrance--and -shall thank and bless you for it--that my last avowal of myself was made -to you, and that my name, and faults, and miseries were gently carried -in your heart. May it otherwise be light and happy!” - -He was so unlike what he had ever shown himself to be, and it was so -sad to think how much he had thrown away, and how much he every day kept -down and perverted, that Lucie Manette wept mournfully for him as he -stood looking back at her. - -“Be comforted!” he said, “I am not worth such feeling, Miss Manette. An -hour or two hence, and the low companions and low habits that I scorn -but yield to, will render me less worth such tears as those, than any -wretch who creeps along the streets. Be comforted! But, within myself, I -shall always be, towards you, what I am now, though outwardly I shall be -what you have heretofore seen me. The last supplication but one I make -to you, is, that you will believe this of me.” - -“I will, Mr. Carton.” - -“My last supplication of all, is this; and with it, I will relieve -you of a visitor with whom I well know you have nothing in unison, and -between whom and you there is an impassable space. It is useless to say -it, I know, but it rises out of my soul. For you, and for any dear to -you, I would do anything. If my career were of that better kind that -there was any opportunity or capacity of sacrifice in it, I would -embrace any sacrifice for you and for those dear to you. Try to hold -me in your mind, at some quiet times, as ardent and sincere in this one -thing. The time will come, the time will not be long in coming, when new -ties will be formed about you--ties that will bind you yet more tenderly -and strongly to the home you so adorn--the dearest ties that will ever -grace and gladden you. O Miss Manette, when the little picture of a -happy father's face looks up in yours, when you see your own bright -beauty springing up anew at your feet, think now and then that there is -a man who would give his life, to keep a life you love beside you!” - -He said, “Farewell!” said a last “God bless you!” and left her. - - - - -XIV. The Honest Tradesman - - -To the eyes of Mr. Jeremiah Cruncher, sitting on his stool in -Fleet-street with his grisly urchin beside him, a vast number and -variety of objects in movement were every day presented. Who could sit -upon anything in Fleet-street during the busy hours of the day, and -not be dazed and deafened by two immense processions, one ever tending -westward with the sun, the other ever tending eastward from the sun, -both ever tending to the plains beyond the range of red and purple where -the sun goes down! - -With his straw in his mouth, Mr. Cruncher sat watching the two streams, -like the heathen rustic who has for several centuries been on duty -watching one stream--saving that Jerry had no expectation of their ever -running dry. Nor would it have been an expectation of a hopeful kind, -since a small part of his income was derived from the pilotage of timid -women (mostly of a full habit and past the middle term of life) from -Tellson's side of the tides to the opposite shore. Brief as such -companionship was in every separate instance, Mr. Cruncher never failed -to become so interested in the lady as to express a strong desire to -have the honour of drinking her very good health. And it was from -the gifts bestowed upon him towards the execution of this benevolent -purpose, that he recruited his finances, as just now observed. - -Time was, when a poet sat upon a stool in a public place, and mused in -the sight of men. Mr. Cruncher, sitting on a stool in a public place, -but not being a poet, mused as little as possible, and looked about him. - -It fell out that he was thus engaged in a season when crowds were -few, and belated women few, and when his affairs in general were so -unprosperous as to awaken a strong suspicion in his breast that Mrs. -Cruncher must have been “flopping” in some pointed manner, when an -unusual concourse pouring down Fleet-street westward, attracted his -attention. Looking that way, Mr. Cruncher made out that some kind of -funeral was coming along, and that there was popular objection to this -funeral, which engendered uproar. - -“Young Jerry,” said Mr. Cruncher, turning to his offspring, “it's a -buryin'.” - -“Hooroar, father!” cried Young Jerry. - -The young gentleman uttered this exultant sound with mysterious -significance. The elder gentleman took the cry so ill, that he watched -his opportunity, and smote the young gentleman on the ear. - -“What d'ye mean? What are you hooroaring at? What do you want to conwey -to your own father, you young Rip? This boy is a getting too many for -_me_!” said Mr. Cruncher, surveying him. “Him and his hooroars! Don't -let me hear no more of you, or you shall feel some more of me. D'ye -hear?” - -“I warn't doing no harm,” Young Jerry protested, rubbing his cheek. - -“Drop it then,” said Mr. Cruncher; “I won't have none of _your_ no -harms. Get a top of that there seat, and look at the crowd.” - -His son obeyed, and the crowd approached; they were bawling and hissing -round a dingy hearse and dingy mourning coach, in which mourning coach -there was only one mourner, dressed in the dingy trappings that were -considered essential to the dignity of the position. The position -appeared by no means to please him, however, with an increasing rabble -surrounding the coach, deriding him, making grimaces at him, and -incessantly groaning and calling out: “Yah! Spies! Tst! Yaha! Spies!” - with many compliments too numerous and forcible to repeat. - -Funerals had at all times a remarkable attraction for Mr. Cruncher; he -always pricked up his senses, and became excited, when a funeral passed -Tellson's. Naturally, therefore, a funeral with this uncommon attendance -excited him greatly, and he asked of the first man who ran against him: - -“What is it, brother? What's it about?” - -“_I_ don't know,” said the man. “Spies! Yaha! Tst! Spies!” - -He asked another man. “Who is it?” - -“_I_ don't know,” returned the man, clapping his hands to his mouth -nevertheless, and vociferating in a surprising heat and with the -greatest ardour, “Spies! Yaha! Tst, tst! Spi--ies!” - -At length, a person better informed on the merits of the case, tumbled -against him, and from this person he learned that the funeral was the -funeral of one Roger Cly. - -“Was he a spy?” asked Mr. Cruncher. - -“Old Bailey spy,” returned his informant. “Yaha! Tst! Yah! Old Bailey -Spi--i--ies!” - -“Why, to be sure!” exclaimed Jerry, recalling the Trial at which he had -assisted. “I've seen him. Dead, is he?” - -“Dead as mutton,” returned the other, “and can't be too dead. Have 'em -out, there! Spies! Pull 'em out, there! Spies!” - -The idea was so acceptable in the prevalent absence of any idea, -that the crowd caught it up with eagerness, and loudly repeating the -suggestion to have 'em out, and to pull 'em out, mobbed the two vehicles -so closely that they came to a stop. On the crowd's opening the coach -doors, the one mourner scuffled out by himself and was in their hands -for a moment; but he was so alert, and made such good use of his time, -that in another moment he was scouring away up a bye-street, after -shedding his cloak, hat, long hatband, white pocket-handkerchief, and -other symbolical tears. - -These, the people tore to pieces and scattered far and wide with great -enjoyment, while the tradesmen hurriedly shut up their shops; for a -crowd in those times stopped at nothing, and was a monster much dreaded. -They had already got the length of opening the hearse to take the coffin -out, when some brighter genius proposed instead, its being escorted to -its destination amidst general rejoicing. Practical suggestions being -much needed, this suggestion, too, was received with acclamation, and -the coach was immediately filled with eight inside and a dozen out, -while as many people got on the roof of the hearse as could by any -exercise of ingenuity stick upon it. Among the first of these volunteers -was Jerry Cruncher himself, who modestly concealed his spiky head from -the observation of Tellson's, in the further corner of the mourning -coach. - -The officiating undertakers made some protest against these changes in -the ceremonies; but, the river being alarmingly near, and several voices -remarking on the efficacy of cold immersion in bringing refractory -members of the profession to reason, the protest was faint and brief. -The remodelled procession started, with a chimney-sweep driving the -hearse--advised by the regular driver, who was perched beside him, under -close inspection, for the purpose--and with a pieman, also attended -by his cabinet minister, driving the mourning coach. A bear-leader, a -popular street character of the time, was impressed as an additional -ornament, before the cavalcade had gone far down the Strand; and his -bear, who was black and very mangy, gave quite an Undertaking air to -that part of the procession in which he walked. - -Thus, with beer-drinking, pipe-smoking, song-roaring, and infinite -caricaturing of woe, the disorderly procession went its way, recruiting -at every step, and all the shops shutting up before it. Its destination -was the old church of Saint Pancras, far off in the fields. It got there -in course of time; insisted on pouring into the burial-ground; finally, -accomplished the interment of the deceased Roger Cly in its own way, and -highly to its own satisfaction. - -The dead man disposed of, and the crowd being under the necessity of -providing some other entertainment for itself, another brighter -genius (or perhaps the same) conceived the humour of impeaching casual -passers-by, as Old Bailey spies, and wreaking vengeance on them. Chase -was given to some scores of inoffensive persons who had never been near -the Old Bailey in their lives, in the realisation of this fancy, and -they were roughly hustled and maltreated. The transition to the sport of -window-breaking, and thence to the plundering of public-houses, was easy -and natural. At last, after several hours, when sundry summer-houses had -been pulled down, and some area-railings had been torn up, to arm -the more belligerent spirits, a rumour got about that the Guards were -coming. Before this rumour, the crowd gradually melted away, and perhaps -the Guards came, and perhaps they never came, and this was the usual -progress of a mob. - -Mr. Cruncher did not assist at the closing sports, but had remained -behind in the churchyard, to confer and condole with the undertakers. -The place had a soothing influence on him. He procured a pipe from a -neighbouring public-house, and smoked it, looking in at the railings and -maturely considering the spot. - -“Jerry,” said Mr. Cruncher, apostrophising himself in his usual way, -“you see that there Cly that day, and you see with your own eyes that he -was a young 'un and a straight made 'un.” - -Having smoked his pipe out, and ruminated a little longer, he turned -himself about, that he might appear, before the hour of closing, on his -station at Tellson's. Whether his meditations on mortality had touched -his liver, or whether his general health had been previously at all -amiss, or whether he desired to show a little attention to an eminent -man, is not so much to the purpose, as that he made a short call upon -his medical adviser--a distinguished surgeon--on his way back. - -Young Jerry relieved his father with dutiful interest, and reported No -job in his absence. The bank closed, the ancient clerks came out, the -usual watch was set, and Mr. Cruncher and his son went home to tea. - -“Now, I tell you where it is!” said Mr. Cruncher to his wife, on -entering. “If, as a honest tradesman, my wenturs goes wrong to-night, I -shall make sure that you've been praying again me, and I shall work you -for it just the same as if I seen you do it.” - -The dejected Mrs. Cruncher shook her head. - -“Why, you're at it afore my face!” said Mr. Cruncher, with signs of -angry apprehension. - -“I am saying nothing.” - -“Well, then; don't meditate nothing. You might as well flop as meditate. -You may as well go again me one way as another. Drop it altogether.” - -“Yes, Jerry.” - -“Yes, Jerry,” repeated Mr. Cruncher sitting down to tea. “Ah! It _is_ -yes, Jerry. That's about it. You may say yes, Jerry.” - -Mr. Cruncher had no particular meaning in these sulky corroborations, -but made use of them, as people not unfrequently do, to express general -ironical dissatisfaction. - -“You and your yes, Jerry,” said Mr. Cruncher, taking a bite out of his -bread-and-butter, and seeming to help it down with a large invisible -oyster out of his saucer. “Ah! I think so. I believe you.” - -“You are going out to-night?” asked his decent wife, when he took -another bite. - -“Yes, I am.” - -“May I go with you, father?” asked his son, briskly. - -“No, you mayn't. I'm a going--as your mother knows--a fishing. That's -where I'm going to. Going a fishing.” - -“Your fishing-rod gets rayther rusty; don't it, father?” - -“Never you mind.” - -“Shall you bring any fish home, father?” - -“If I don't, you'll have short commons, to-morrow,” returned that -gentleman, shaking his head; “that's questions enough for you; I ain't a -going out, till you've been long abed.” - -He devoted himself during the remainder of the evening to keeping a -most vigilant watch on Mrs. Cruncher, and sullenly holding her in -conversation that she might be prevented from meditating any petitions -to his disadvantage. With this view, he urged his son to hold her in -conversation also, and led the unfortunate woman a hard life by dwelling -on any causes of complaint he could bring against her, rather than -he would leave her for a moment to her own reflections. The devoutest -person could have rendered no greater homage to the efficacy of an -honest prayer than he did in this distrust of his wife. It was as if a -professed unbeliever in ghosts should be frightened by a ghost story. - -“And mind you!” said Mr. Cruncher. “No games to-morrow! If I, as a -honest tradesman, succeed in providing a jinte of meat or two, none -of your not touching of it, and sticking to bread. If I, as a honest -tradesman, am able to provide a little beer, none of your declaring -on water. When you go to Rome, do as Rome does. Rome will be a ugly -customer to you, if you don't. _I_'m your Rome, you know.” - -Then he began grumbling again: - -“With your flying into the face of your own wittles and drink! I don't -know how scarce you mayn't make the wittles and drink here, by your -flopping tricks and your unfeeling conduct. Look at your boy: he _is_ -your'n, ain't he? He's as thin as a lath. Do you call yourself a mother, -and not know that a mother's first duty is to blow her boy out?” - -This touched Young Jerry on a tender place; who adjured his mother to -perform her first duty, and, whatever else she did or neglected, above -all things to lay especial stress on the discharge of that maternal -function so affectingly and delicately indicated by his other parent. - -Thus the evening wore away with the Cruncher family, until Young Jerry -was ordered to bed, and his mother, laid under similar injunctions, -obeyed them. Mr. Cruncher beguiled the earlier watches of the night with -solitary pipes, and did not start upon his excursion until nearly one -o'clock. Towards that small and ghostly hour, he rose up from his chair, -took a key out of his pocket, opened a locked cupboard, and brought -forth a sack, a crowbar of convenient size, a rope and chain, and other -fishing tackle of that nature. Disposing these articles about him -in skilful manner, he bestowed a parting defiance on Mrs. Cruncher, -extinguished the light, and went out. - -Young Jerry, who had only made a feint of undressing when he went to -bed, was not long after his father. Under cover of the darkness he -followed out of the room, followed down the stairs, followed down the -court, followed out into the streets. He was in no uneasiness concerning -his getting into the house again, for it was full of lodgers, and the -door stood ajar all night. - -Impelled by a laudable ambition to study the art and mystery of his -father's honest calling, Young Jerry, keeping as close to house fronts, -walls, and doorways, as his eyes were close to one another, held his -honoured parent in view. The honoured parent steering Northward, had not -gone far, when he was joined by another disciple of Izaak Walton, and -the two trudged on together. - -Within half an hour from the first starting, they were beyond the -winking lamps, and the more than winking watchmen, and were out upon a -lonely road. Another fisherman was picked up here--and that so silently, -that if Young Jerry had been superstitious, he might have supposed the -second follower of the gentle craft to have, all of a sudden, split -himself into two. - -The three went on, and Young Jerry went on, until the three stopped -under a bank overhanging the road. Upon the top of the bank was a low -brick wall, surmounted by an iron railing. In the shadow of bank and -wall the three turned out of the road, and up a blind lane, of which -the wall--there, risen to some eight or ten feet high--formed one side. -Crouching down in a corner, peeping up the lane, the next object that -Young Jerry saw, was the form of his honoured parent, pretty well -defined against a watery and clouded moon, nimbly scaling an iron gate. -He was soon over, and then the second fisherman got over, and then the -third. They all dropped softly on the ground within the gate, and lay -there a little--listening perhaps. Then, they moved away on their hands -and knees. - -It was now Young Jerry's turn to approach the gate: which he did, -holding his breath. Crouching down again in a corner there, and looking -in, he made out the three fishermen creeping through some rank grass! -and all the gravestones in the churchyard--it was a large churchyard -that they were in--looking on like ghosts in white, while the church -tower itself looked on like the ghost of a monstrous giant. They did not -creep far, before they stopped and stood upright. And then they began to -fish. - -They fished with a spade, at first. Presently the honoured parent -appeared to be adjusting some instrument like a great corkscrew. -Whatever tools they worked with, they worked hard, until the awful -striking of the church clock so terrified Young Jerry, that he made off, -with his hair as stiff as his father's. - -But, his long-cherished desire to know more about these matters, not -only stopped him in his running away, but lured him back again. They -were still fishing perseveringly, when he peeped in at the gate for -the second time; but, now they seemed to have got a bite. There was a -screwing and complaining sound down below, and their bent figures were -strained, as if by a weight. By slow degrees the weight broke away the -earth upon it, and came to the surface. Young Jerry very well knew what -it would be; but, when he saw it, and saw his honoured parent about to -wrench it open, he was so frightened, being new to the sight, that he -made off again, and never stopped until he had run a mile or more. - -He would not have stopped then, for anything less necessary than breath, -it being a spectral sort of race that he ran, and one highly desirable -to get to the end of. He had a strong idea that the coffin he had seen -was running after him; and, pictured as hopping on behind him, bolt -upright, upon its narrow end, always on the point of overtaking him -and hopping on at his side--perhaps taking his arm--it was a pursuer to -shun. It was an inconsistent and ubiquitous fiend too, for, while it -was making the whole night behind him dreadful, he darted out into the -roadway to avoid dark alleys, fearful of its coming hopping out of them -like a dropsical boy's kite without tail and wings. It hid in doorways -too, rubbing its horrible shoulders against doors, and drawing them up -to its ears, as if it were laughing. It got into shadows on the road, -and lay cunningly on its back to trip him up. All this time it was -incessantly hopping on behind and gaining on him, so that when the boy -got to his own door he had reason for being half dead. And even then -it would not leave him, but followed him upstairs with a bump on every -stair, scrambled into bed with him, and bumped down, dead and heavy, on -his breast when he fell asleep. - -From his oppressed slumber, Young Jerry in his closet was awakened after -daybreak and before sunrise, by the presence of his father in the -family room. Something had gone wrong with him; at least, so Young Jerry -inferred, from the circumstance of his holding Mrs. Cruncher by the -ears, and knocking the back of her head against the head-board of the -bed. - -“I told you I would,” said Mr. Cruncher, “and I did.” - -“Jerry, Jerry, Jerry!” his wife implored. - -“You oppose yourself to the profit of the business,” said Jerry, “and me -and my partners suffer. You was to honour and obey; why the devil don't -you?” - -“I try to be a good wife, Jerry,” the poor woman protested, with tears. - -“Is it being a good wife to oppose your husband's business? Is it -honouring your husband to dishonour his business? Is it obeying your -husband to disobey him on the wital subject of his business?” - -“You hadn't taken to the dreadful business then, Jerry.” - -“It's enough for you,” retorted Mr. Cruncher, “to be the wife of a -honest tradesman, and not to occupy your female mind with calculations -when he took to his trade or when he didn't. A honouring and obeying -wife would let his trade alone altogether. Call yourself a religious -woman? If you're a religious woman, give me a irreligious one! You have -no more nat'ral sense of duty than the bed of this here Thames river has -of a pile, and similarly it must be knocked into you.” - -The altercation was conducted in a low tone of voice, and terminated in -the honest tradesman's kicking off his clay-soiled boots, and lying down -at his length on the floor. After taking a timid peep at him lying on -his back, with his rusty hands under his head for a pillow, his son lay -down too, and fell asleep again. - -There was no fish for breakfast, and not much of anything else. Mr. -Cruncher was out of spirits, and out of temper, and kept an iron pot-lid -by him as a projectile for the correction of Mrs. Cruncher, in case -he should observe any symptoms of her saying Grace. He was brushed -and washed at the usual hour, and set off with his son to pursue his -ostensible calling. - -Young Jerry, walking with the stool under his arm at his father's side -along sunny and crowded Fleet-street, was a very different Young Jerry -from him of the previous night, running home through darkness and -solitude from his grim pursuer. His cunning was fresh with the day, -and his qualms were gone with the night--in which particulars it is not -improbable that he had compeers in Fleet-street and the City of London, -that fine morning. - -“Father,” said Young Jerry, as they walked along: taking care to keep -at arm's length and to have the stool well between them: “what's a -Resurrection-Man?” - -Mr. Cruncher came to a stop on the pavement before he answered, “How -should I know?” - -“I thought you knowed everything, father,” said the artless boy. - -“Hem! Well,” returned Mr. Cruncher, going on again, and lifting off his -hat to give his spikes free play, “he's a tradesman.” - -“What's his goods, father?” asked the brisk Young Jerry. - -“His goods,” said Mr. Cruncher, after turning it over in his mind, “is a -branch of Scientific goods.” - -“Persons' bodies, ain't it, father?” asked the lively boy. - -“I believe it is something of that sort,” said Mr. Cruncher. - -“Oh, father, I should so like to be a Resurrection-Man when I'm quite -growed up!” - -Mr. Cruncher was soothed, but shook his head in a dubious and moral way. -“It depends upon how you dewelop your talents. Be careful to dewelop -your talents, and never to say no more than you can help to nobody, and -there's no telling at the present time what you may not come to be fit -for.” As Young Jerry, thus encouraged, went on a few yards in advance, -to plant the stool in the shadow of the Bar, Mr. Cruncher added to -himself: “Jerry, you honest tradesman, there's hopes wot that boy will -yet be a blessing to you, and a recompense to you for his mother!” - - - - -XV. Knitting - - -There had been earlier drinking than usual in the wine-shop of Monsieur -Defarge. As early as six o'clock in the morning, sallow faces peeping -through its barred windows had descried other faces within, bending over -measures of wine. Monsieur Defarge sold a very thin wine at the best -of times, but it would seem to have been an unusually thin wine that -he sold at this time. A sour wine, moreover, or a souring, for its -influence on the mood of those who drank it was to make them gloomy. No -vivacious Bacchanalian flame leaped out of the pressed grape of Monsieur -Defarge: but, a smouldering fire that burnt in the dark, lay hidden in -the dregs of it. - -This had been the third morning in succession, on which there had been -early drinking at the wine-shop of Monsieur Defarge. It had begun -on Monday, and here was Wednesday come. There had been more of early -brooding than drinking; for, many men had listened and whispered and -slunk about there from the time of the opening of the door, who could -not have laid a piece of money on the counter to save their souls. These -were to the full as interested in the place, however, as if they could -have commanded whole barrels of wine; and they glided from seat to seat, -and from corner to corner, swallowing talk in lieu of drink, with greedy -looks. - -Notwithstanding an unusual flow of company, the master of the wine-shop -was not visible. He was not missed; for, nobody who crossed the -threshold looked for him, nobody asked for him, nobody wondered to see -only Madame Defarge in her seat, presiding over the distribution of -wine, with a bowl of battered small coins before her, as much defaced -and beaten out of their original impress as the small coinage of -humanity from whose ragged pockets they had come. - -A suspended interest and a prevalent absence of mind, were perhaps -observed by the spies who looked in at the wine-shop, as they looked in -at every place, high and low, from the king's palace to the criminal's -gaol. Games at cards languished, players at dominoes musingly built -towers with them, drinkers drew figures on the tables with spilt drops -of wine, Madame Defarge herself picked out the pattern on her sleeve -with her toothpick, and saw and heard something inaudible and invisible -a long way off. - -Thus, Saint Antoine in this vinous feature of his, until midday. It was -high noontide, when two dusty men passed through his streets and under -his swinging lamps: of whom, one was Monsieur Defarge: the other a -mender of roads in a blue cap. All adust and athirst, the two entered -the wine-shop. Their arrival had lighted a kind of fire in the breast -of Saint Antoine, fast spreading as they came along, which stirred and -flickered in flames of faces at most doors and windows. Yet, no one had -followed them, and no man spoke when they entered the wine-shop, though -the eyes of every man there were turned upon them. - -“Good day, gentlemen!” said Monsieur Defarge. - -It may have been a signal for loosening the general tongue. It elicited -an answering chorus of “Good day!” - -“It is bad weather, gentlemen,” said Defarge, shaking his head. - -Upon which, every man looked at his neighbour, and then all cast down -their eyes and sat silent. Except one man, who got up and went out. - -“My wife,” said Defarge aloud, addressing Madame Defarge: “I have -travelled certain leagues with this good mender of roads, called -Jacques. I met him--by accident--a day and half's journey out of Paris. -He is a good child, this mender of roads, called Jacques. Give him to -drink, my wife!” - -A second man got up and went out. Madame Defarge set wine before the -mender of roads called Jacques, who doffed his blue cap to the company, -and drank. In the breast of his blouse he carried some coarse dark -bread; he ate of this between whiles, and sat munching and drinking near -Madame Defarge's counter. A third man got up and went out. - -Defarge refreshed himself with a draught of wine--but, he took less -than was given to the stranger, as being himself a man to whom it was no -rarity--and stood waiting until the countryman had made his breakfast. -He looked at no one present, and no one now looked at him; not even -Madame Defarge, who had taken up her knitting, and was at work. - -“Have you finished your repast, friend?” he asked, in due season. - -“Yes, thank you.” - -“Come, then! You shall see the apartment that I told you you could -occupy. It will suit you to a marvel.” - -Out of the wine-shop into the street, out of the street into a -courtyard, out of the courtyard up a steep staircase, out of the -staircase into a garret--formerly the garret where a white-haired man -sat on a low bench, stooping forward and very busy, making shoes. - -No white-haired man was there now; but, the three men were there who had -gone out of the wine-shop singly. And between them and the white-haired -man afar off, was the one small link, that they had once looked in at -him through the chinks in the wall. - -Defarge closed the door carefully, and spoke in a subdued voice: - -“Jacques One, Jacques Two, Jacques Three! This is the witness -encountered by appointment, by me, Jacques Four. He will tell you all. -Speak, Jacques Five!” - -The mender of roads, blue cap in hand, wiped his swarthy forehead with -it, and said, “Where shall I commence, monsieur?” - -“Commence,” was Monsieur Defarge's not unreasonable reply, “at the -commencement.” - -“I saw him then, messieurs,” began the mender of roads, “a year ago this -running summer, underneath the carriage of the Marquis, hanging by the -chain. Behold the manner of it. I leaving my work on the road, the sun -going to bed, the carriage of the Marquis slowly ascending the hill, he -hanging by the chain--like this.” - -Again the mender of roads went through the whole performance; in which -he ought to have been perfect by that time, seeing that it had been -the infallible resource and indispensable entertainment of his village -during a whole year. - -Jacques One struck in, and asked if he had ever seen the man before? - -“Never,” answered the mender of roads, recovering his perpendicular. - -Jacques Three demanded how he afterwards recognised him then? - -“By his tall figure,” said the mender of roads, softly, and with his -finger at his nose. “When Monsieur the Marquis demands that evening, -'Say, what is he like?' I make response, 'Tall as a spectre.'” - -“You should have said, short as a dwarf,” returned Jacques Two. - -“But what did I know? The deed was not then accomplished, neither did he -confide in me. Observe! Under those circumstances even, I do not -offer my testimony. Monsieur the Marquis indicates me with his finger, -standing near our little fountain, and says, 'To me! Bring that rascal!' -My faith, messieurs, I offer nothing.” - -“He is right there, Jacques,” murmured Defarge, to him who had -interrupted. “Go on!” - -“Good!” said the mender of roads, with an air of mystery. “The tall man -is lost, and he is sought--how many months? Nine, ten, eleven?” - -“No matter, the number,” said Defarge. “He is well hidden, but at last -he is unluckily found. Go on!” - -“I am again at work upon the hill-side, and the sun is again about to -go to bed. I am collecting my tools to descend to my cottage down in the -village below, where it is already dark, when I raise my eyes, and see -coming over the hill six soldiers. In the midst of them is a tall man -with his arms bound--tied to his sides--like this!” - -With the aid of his indispensable cap, he represented a man with his -elbows bound fast at his hips, with cords that were knotted behind him. - -“I stand aside, messieurs, by my heap of stones, to see the soldiers -and their prisoner pass (for it is a solitary road, that, where any -spectacle is well worth looking at), and at first, as they approach, I -see no more than that they are six soldiers with a tall man bound, and -that they are almost black to my sight--except on the side of the sun -going to bed, where they have a red edge, messieurs. Also, I see that -their long shadows are on the hollow ridge on the opposite side of the -road, and are on the hill above it, and are like the shadows of giants. -Also, I see that they are covered with dust, and that the dust moves -with them as they come, tramp, tramp! But when they advance quite near -to me, I recognise the tall man, and he recognises me. Ah, but he would -be well content to precipitate himself over the hill-side once again, as -on the evening when he and I first encountered, close to the same spot!” - -He described it as if he were there, and it was evident that he saw it -vividly; perhaps he had not seen much in his life. - -“I do not show the soldiers that I recognise the tall man; he does not -show the soldiers that he recognises me; we do it, and we know it, with -our eyes. 'Come on!' says the chief of that company, pointing to the -village, 'bring him fast to his tomb!' and they bring him faster. I -follow. His arms are swelled because of being bound so tight, his wooden -shoes are large and clumsy, and he is lame. Because he is lame, and -consequently slow, they drive him with their guns--like this!” - -He imitated the action of a man's being impelled forward by the -butt-ends of muskets. - -“As they descend the hill like madmen running a race, he falls. They -laugh and pick him up again. His face is bleeding and covered with dust, -but he cannot touch it; thereupon they laugh again. They bring him into -the village; all the village runs to look; they take him past the mill, -and up to the prison; all the village sees the prison gate open in the -darkness of the night, and swallow him--like this!” - -He opened his mouth as wide as he could, and shut it with a sounding -snap of his teeth. Observant of his unwillingness to mar the effect by -opening it again, Defarge said, “Go on, Jacques.” - -“All the village,” pursued the mender of roads, on tiptoe and in a low -voice, “withdraws; all the village whispers by the fountain; all the -village sleeps; all the village dreams of that unhappy one, within the -locks and bars of the prison on the crag, and never to come out of it, -except to perish. In the morning, with my tools upon my shoulder, eating -my morsel of black bread as I go, I make a circuit by the prison, on -my way to my work. There I see him, high up, behind the bars of a lofty -iron cage, bloody and dusty as last night, looking through. He has no -hand free, to wave to me; I dare not call to him; he regards me like a -dead man.” - -Defarge and the three glanced darkly at one another. The looks of all -of them were dark, repressed, and revengeful, as they listened to the -countryman's story; the manner of all of them, while it was secret, was -authoritative too. They had the air of a rough tribunal; Jacques One -and Two sitting on the old pallet-bed, each with his chin resting on -his hand, and his eyes intent on the road-mender; Jacques Three, equally -intent, on one knee behind them, with his agitated hand always gliding -over the network of fine nerves about his mouth and nose; Defarge -standing between them and the narrator, whom he had stationed in the -light of the window, by turns looking from him to them, and from them to -him. - -“Go on, Jacques,” said Defarge. - -“He remains up there in his iron cage some days. The village looks -at him by stealth, for it is afraid. But it always looks up, from a -distance, at the prison on the crag; and in the evening, when the work -of the day is achieved and it assembles to gossip at the fountain, all -faces are turned towards the prison. Formerly, they were turned towards -the posting-house; now, they are turned towards the prison. They -whisper at the fountain, that although condemned to death he will not be -executed; they say that petitions have been presented in Paris, showing -that he was enraged and made mad by the death of his child; they say -that a petition has been presented to the King himself. What do I know? -It is possible. Perhaps yes, perhaps no.” - -“Listen then, Jacques,” Number One of that name sternly interposed. -“Know that a petition was presented to the King and Queen. All here, -yourself excepted, saw the King take it, in his carriage in the street, -sitting beside the Queen. It is Defarge whom you see here, who, at the -hazard of his life, darted out before the horses, with the petition in -his hand.” - -“And once again listen, Jacques!” said the kneeling Number Three: -his fingers ever wandering over and over those fine nerves, with a -strikingly greedy air, as if he hungered for something--that was neither -food nor drink; “the guard, horse and foot, surrounded the petitioner, -and struck him blows. You hear?” - -“I hear, messieurs.” - -“Go on then,” said Defarge. - -“Again; on the other hand, they whisper at the fountain,” resumed the -countryman, “that he is brought down into our country to be executed on -the spot, and that he will very certainly be executed. They even whisper -that because he has slain Monseigneur, and because Monseigneur was the -father of his tenants--serfs--what you will--he will be executed as a -parricide. One old man says at the fountain, that his right hand, armed -with the knife, will be burnt off before his face; that, into wounds -which will be made in his arms, his breast, and his legs, there will be -poured boiling oil, melted lead, hot resin, wax, and sulphur; finally, -that he will be torn limb from limb by four strong horses. That old man -says, all this was actually done to a prisoner who made an attempt on -the life of the late King, Louis Fifteen. But how do I know if he lies? -I am not a scholar.” - -“Listen once again then, Jacques!” said the man with the restless hand -and the craving air. “The name of that prisoner was Damiens, and it was -all done in open day, in the open streets of this city of Paris; and -nothing was more noticed in the vast concourse that saw it done, than -the crowd of ladies of quality and fashion, who were full of eager -attention to the last--to the last, Jacques, prolonged until nightfall, -when he had lost two legs and an arm, and still breathed! And it was -done--why, how old are you?” - -“Thirty-five,” said the mender of roads, who looked sixty. - -“It was done when you were more than ten years old; you might have seen -it.” - -“Enough!” said Defarge, with grim impatience. “Long live the Devil! Go -on.” - -“Well! Some whisper this, some whisper that; they speak of nothing else; -even the fountain appears to fall to that tune. At length, on Sunday -night when all the village is asleep, come soldiers, winding down from -the prison, and their guns ring on the stones of the little street. -Workmen dig, workmen hammer, soldiers laugh and sing; in the morning, by -the fountain, there is raised a gallows forty feet high, poisoning the -water.” - -The mender of roads looked _through_ rather than _at_ the low ceiling, -and pointed as if he saw the gallows somewhere in the sky. - -“All work is stopped, all assemble there, nobody leads the cows out, -the cows are there with the rest. At midday, the roll of drums. Soldiers -have marched into the prison in the night, and he is in the midst -of many soldiers. He is bound as before, and in his mouth there is -a gag--tied so, with a tight string, making him look almost as if he -laughed.” He suggested it, by creasing his face with his two thumbs, -from the corners of his mouth to his ears. “On the top of the gallows is -fixed the knife, blade upwards, with its point in the air. He is hanged -there forty feet high--and is left hanging, poisoning the water.” - -They looked at one another, as he used his blue cap to wipe his face, -on which the perspiration had started afresh while he recalled the -spectacle. - -“It is frightful, messieurs. How can the women and the children draw -water! Who can gossip of an evening, under that shadow! Under it, have -I said? When I left the village, Monday evening as the sun was going to -bed, and looked back from the hill, the shadow struck across the church, -across the mill, across the prison--seemed to strike across the earth, -messieurs, to where the sky rests upon it!” - -The hungry man gnawed one of his fingers as he looked at the other -three, and his finger quivered with the craving that was on him. - -“That's all, messieurs. I left at sunset (as I had been warned to do), -and I walked on, that night and half next day, until I met (as I was -warned I should) this comrade. With him, I came on, now riding and now -walking, through the rest of yesterday and through last night. And here -you see me!” - -After a gloomy silence, the first Jacques said, “Good! You have acted -and recounted faithfully. Will you wait for us a little, outside the -door?” - -“Very willingly,” said the mender of roads. Whom Defarge escorted to the -top of the stairs, and, leaving seated there, returned. - -The three had risen, and their heads were together when he came back to -the garret. - -“How say you, Jacques?” demanded Number One. “To be registered?” - -“To be registered, as doomed to destruction,” returned Defarge. - -“Magnificent!” croaked the man with the craving. - -“The chateau, and all the race?” inquired the first. - -“The chateau and all the race,” returned Defarge. “Extermination.” - -The hungry man repeated, in a rapturous croak, “Magnificent!” and began -gnawing another finger. - -“Are you sure,” asked Jacques Two, of Defarge, “that no embarrassment -can arise from our manner of keeping the register? Without doubt it is -safe, for no one beyond ourselves can decipher it; but shall we always -be able to decipher it--or, I ought to say, will she?” - -“Jacques,” returned Defarge, drawing himself up, “if madame my wife -undertook to keep the register in her memory alone, she would not lose -a word of it--not a syllable of it. Knitted, in her own stitches and her -own symbols, it will always be as plain to her as the sun. Confide in -Madame Defarge. It would be easier for the weakest poltroon that lives, -to erase himself from existence, than to erase one letter of his name or -crimes from the knitted register of Madame Defarge.” - -There was a murmur of confidence and approval, and then the man who -hungered, asked: “Is this rustic to be sent back soon? I hope so. He is -very simple; is he not a little dangerous?” - -“He knows nothing,” said Defarge; “at least nothing more than would -easily elevate himself to a gallows of the same height. I charge myself -with him; let him remain with me; I will take care of him, and set him -on his road. He wishes to see the fine world--the King, the Queen, and -Court; let him see them on Sunday.” - -“What?” exclaimed the hungry man, staring. “Is it a good sign, that he -wishes to see Royalty and Nobility?” - -“Jacques,” said Defarge; “judiciously show a cat milk, if you wish her -to thirst for it. Judiciously show a dog his natural prey, if you wish -him to bring it down one day.” - -Nothing more was said, and the mender of roads, being found already -dozing on the topmost stair, was advised to lay himself down on the -pallet-bed and take some rest. He needed no persuasion, and was soon -asleep. - -Worse quarters than Defarge's wine-shop, could easily have been found -in Paris for a provincial slave of that degree. Saving for a mysterious -dread of madame by which he was constantly haunted, his life was very -new and agreeable. But, madame sat all day at her counter, so expressly -unconscious of him, and so particularly determined not to perceive that -his being there had any connection with anything below the surface, that -he shook in his wooden shoes whenever his eye lighted on her. For, he -contended with himself that it was impossible to foresee what that lady -might pretend next; and he felt assured that if she should take it -into her brightly ornamented head to pretend that she had seen him do a -murder and afterwards flay the victim, she would infallibly go through -with it until the play was played out. - -Therefore, when Sunday came, the mender of roads was not enchanted -(though he said he was) to find that madame was to accompany monsieur -and himself to Versailles. It was additionally disconcerting to have -madame knitting all the way there, in a public conveyance; it was -additionally disconcerting yet, to have madame in the crowd in the -afternoon, still with her knitting in her hands as the crowd waited to -see the carriage of the King and Queen. - -“You work hard, madame,” said a man near her. - -“Yes,” answered Madame Defarge; “I have a good deal to do.” - -“What do you make, madame?” - -“Many things.” - -“For instance--” - -“For instance,” returned Madame Defarge, composedly, “shrouds.” - -The man moved a little further away, as soon as he could, and the mender -of roads fanned himself with his blue cap: feeling it mightily close -and oppressive. If he needed a King and Queen to restore him, he was -fortunate in having his remedy at hand; for, soon the large-faced King -and the fair-faced Queen came in their golden coach, attended by the -shining Bull's Eye of their Court, a glittering multitude of laughing -ladies and fine lords; and in jewels and silks and powder and splendour -and elegantly spurning figures and handsomely disdainful faces of both -sexes, the mender of roads bathed himself, so much to his temporary -intoxication, that he cried Long live the King, Long live the Queen, -Long live everybody and everything! as if he had never heard of -ubiquitous Jacques in his time. Then, there were gardens, courtyards, -terraces, fountains, green banks, more King and Queen, more Bull's Eye, -more lords and ladies, more Long live they all! until he absolutely wept -with sentiment. During the whole of this scene, which lasted some three -hours, he had plenty of shouting and weeping and sentimental company, -and throughout Defarge held him by the collar, as if to restrain him -from flying at the objects of his brief devotion and tearing them to -pieces. - -“Bravo!” said Defarge, clapping him on the back when it was over, like a -patron; “you are a good boy!” - -The mender of roads was now coming to himself, and was mistrustful of -having made a mistake in his late demonstrations; but no. - -“You are the fellow we want,” said Defarge, in his ear; “you make -these fools believe that it will last for ever. Then, they are the more -insolent, and it is the nearer ended.” - -“Hey!” cried the mender of roads, reflectively; “that's true.” - -“These fools know nothing. While they despise your breath, and would -stop it for ever and ever, in you or in a hundred like you rather than -in one of their own horses or dogs, they only know what your breath -tells them. Let it deceive them, then, a little longer; it cannot -deceive them too much.” - -Madame Defarge looked superciliously at the client, and nodded in -confirmation. - -“As to you,” said she, “you would shout and shed tears for anything, if -it made a show and a noise. Say! Would you not?” - -“Truly, madame, I think so. For the moment.” - -“If you were shown a great heap of dolls, and were set upon them to -pluck them to pieces and despoil them for your own advantage, you would -pick out the richest and gayest. Say! Would you not?” - -“Truly yes, madame.” - -“Yes. And if you were shown a flock of birds, unable to fly, and were -set upon them to strip them of their feathers for your own advantage, -you would set upon the birds of the finest feathers; would you not?” - -“It is true, madame.” - -“You have seen both dolls and birds to-day,” said Madame Defarge, with -a wave of her hand towards the place where they had last been apparent; -“now, go home!” - - - - -XVI. Still Knitting - - -Madame Defarge and monsieur her husband returned amicably to the -bosom of Saint Antoine, while a speck in a blue cap toiled through the -darkness, and through the dust, and down the weary miles of avenue by -the wayside, slowly tending towards that point of the compass where -the chateau of Monsieur the Marquis, now in his grave, listened to -the whispering trees. Such ample leisure had the stone faces, now, -for listening to the trees and to the fountain, that the few village -scarecrows who, in their quest for herbs to eat and fragments of dead -stick to burn, strayed within sight of the great stone courtyard and -terrace staircase, had it borne in upon their starved fancy that -the expression of the faces was altered. A rumour just lived in the -village--had a faint and bare existence there, as its people had--that -when the knife struck home, the faces changed, from faces of pride to -faces of anger and pain; also, that when that dangling figure was hauled -up forty feet above the fountain, they changed again, and bore a cruel -look of being avenged, which they would henceforth bear for ever. In the -stone face over the great window of the bed-chamber where the murder -was done, two fine dints were pointed out in the sculptured nose, which -everybody recognised, and which nobody had seen of old; and on the -scarce occasions when two or three ragged peasants emerged from the -crowd to take a hurried peep at Monsieur the Marquis petrified, a -skinny finger would not have pointed to it for a minute, before they all -started away among the moss and leaves, like the more fortunate hares -who could find a living there. - -Chateau and hut, stone face and dangling figure, the red stain on the -stone floor, and the pure water in the village well--thousands of acres -of land--a whole province of France--all France itself--lay under the -night sky, concentrated into a faint hair-breadth line. So does a whole -world, with all its greatnesses and littlenesses, lie in a twinkling -star. And as mere human knowledge can split a ray of light and analyse -the manner of its composition, so, sublimer intelligences may read in -the feeble shining of this earth of ours, every thought and act, every -vice and virtue, of every responsible creature on it. - -The Defarges, husband and wife, came lumbering under the starlight, -in their public vehicle, to that gate of Paris whereunto their -journey naturally tended. There was the usual stoppage at the barrier -guardhouse, and the usual lanterns came glancing forth for the usual -examination and inquiry. Monsieur Defarge alighted; knowing one or two -of the soldiery there, and one of the police. The latter he was intimate -with, and affectionately embraced. - -When Saint Antoine had again enfolded the Defarges in his dusky wings, -and they, having finally alighted near the Saint's boundaries, were -picking their way on foot through the black mud and offal of his -streets, Madame Defarge spoke to her husband: - -“Say then, my friend; what did Jacques of the police tell thee?” - -“Very little to-night, but all he knows. There is another spy -commissioned for our quarter. There may be many more, for all that he -can say, but he knows of one.” - -“Eh well!” said Madame Defarge, raising her eyebrows with a cool -business air. “It is necessary to register him. How do they call that -man?” - -“He is English.” - -“So much the better. His name?” - -“Barsad,” said Defarge, making it French by pronunciation. But, he had -been so careful to get it accurately, that he then spelt it with perfect -correctness. - -“Barsad,” repeated madame. “Good. Christian name?” - -“John.” - -“John Barsad,” repeated madame, after murmuring it once to herself. -“Good. His appearance; is it known?” - -“Age, about forty years; height, about five feet nine; black hair; -complexion dark; generally, rather handsome visage; eyes dark, face -thin, long, and sallow; nose aquiline, but not straight, having a -peculiar inclination towards the left cheek; expression, therefore, -sinister.” - -“Eh my faith. It is a portrait!” said madame, laughing. “He shall be -registered to-morrow.” - -They turned into the wine-shop, which was closed (for it was midnight), -and where Madame Defarge immediately took her post at her desk, counted -the small moneys that had been taken during her absence, examined the -stock, went through the entries in the book, made other entries of -her own, checked the serving man in every possible way, and finally -dismissed him to bed. Then she turned out the contents of the bowl -of money for the second time, and began knotting them up in her -handkerchief, in a chain of separate knots, for safe keeping through the -night. All this while, Defarge, with his pipe in his mouth, walked -up and down, complacently admiring, but never interfering; in which -condition, indeed, as to the business and his domestic affairs, he -walked up and down through life. - -The night was hot, and the shop, close shut and surrounded by so foul a -neighbourhood, was ill-smelling. Monsieur Defarge's olfactory sense was -by no means delicate, but the stock of wine smelt much stronger than -it ever tasted, and so did the stock of rum and brandy and aniseed. He -whiffed the compound of scents away, as he put down his smoked-out pipe. - -“You are fatigued,” said madame, raising her glance as she knotted the -money. “There are only the usual odours.” - -“I am a little tired,” her husband acknowledged. - -“You are a little depressed, too,” said madame, whose quick eyes had -never been so intent on the accounts, but they had had a ray or two for -him. “Oh, the men, the men!” - -“But my dear!” began Defarge. - -“But my dear!” repeated madame, nodding firmly; “but my dear! You are -faint of heart to-night, my dear!” - -“Well, then,” said Defarge, as if a thought were wrung out of his -breast, “it _is_ a long time.” - -“It is a long time,” repeated his wife; “and when is it not a long time? -Vengeance and retribution require a long time; it is the rule.” - -“It does not take a long time to strike a man with Lightning,” said -Defarge. - -“How long,” demanded madame, composedly, “does it take to make and store -the lightning? Tell me.” - -Defarge raised his head thoughtfully, as if there were something in that -too. - -“It does not take a long time,” said madame, “for an earthquake to -swallow a town. Eh well! Tell me how long it takes to prepare the -earthquake?” - -“A long time, I suppose,” said Defarge. - -“But when it is ready, it takes place, and grinds to pieces everything -before it. In the meantime, it is always preparing, though it is not -seen or heard. That is your consolation. Keep it.” - -She tied a knot with flashing eyes, as if it throttled a foe. - -“I tell thee,” said madame, extending her right hand, for emphasis, -“that although it is a long time on the road, it is on the road and -coming. I tell thee it never retreats, and never stops. I tell thee it -is always advancing. Look around and consider the lives of all the world -that we know, consider the faces of all the world that we know, consider -the rage and discontent to which the Jacquerie addresses itself with -more and more of certainty every hour. Can such things last? Bah! I mock -you.” - -“My brave wife,” returned Defarge, standing before her with his head -a little bent, and his hands clasped at his back, like a docile and -attentive pupil before his catechist, “I do not question all this. But -it has lasted a long time, and it is possible--you know well, my wife, -it is possible--that it may not come, during our lives.” - -“Eh well! How then?” demanded madame, tying another knot, as if there -were another enemy strangled. - -“Well!” said Defarge, with a half complaining and half apologetic shrug. -“We shall not see the triumph.” - -“We shall have helped it,” returned madame, with her extended hand in -strong action. “Nothing that we do, is done in vain. I believe, with all -my soul, that we shall see the triumph. But even if not, even if I knew -certainly not, show me the neck of an aristocrat and tyrant, and still I -would--” - -Then madame, with her teeth set, tied a very terrible knot indeed. - -“Hold!” cried Defarge, reddening a little as if he felt charged with -cowardice; “I too, my dear, will stop at nothing.” - -“Yes! But it is your weakness that you sometimes need to see your victim -and your opportunity, to sustain you. Sustain yourself without that. -When the time comes, let loose a tiger and a devil; but wait for the -time with the tiger and the devil chained--not shown--yet always ready.” - -Madame enforced the conclusion of this piece of advice by striking her -little counter with her chain of money as if she knocked its brains -out, and then gathering the heavy handkerchief under her arm in a serene -manner, and observing that it was time to go to bed. - -Next noontide saw the admirable woman in her usual place in the -wine-shop, knitting away assiduously. A rose lay beside her, and if she -now and then glanced at the flower, it was with no infraction of her -usual preoccupied air. There were a few customers, drinking or not -drinking, standing or seated, sprinkled about. The day was very hot, -and heaps of flies, who were extending their inquisitive and adventurous -perquisitions into all the glutinous little glasses near madame, fell -dead at the bottom. Their decease made no impression on the other flies -out promenading, who looked at them in the coolest manner (as if they -themselves were elephants, or something as far removed), until they met -the same fate. Curious to consider how heedless flies are!--perhaps they -thought as much at Court that sunny summer day. - -A figure entering at the door threw a shadow on Madame Defarge which she -felt to be a new one. She laid down her knitting, and began to pin her -rose in her head-dress, before she looked at the figure. - -It was curious. The moment Madame Defarge took up the rose, the -customers ceased talking, and began gradually to drop out of the -wine-shop. - -“Good day, madame,” said the new-comer. - -“Good day, monsieur.” - -She said it aloud, but added to herself, as she resumed her knitting: -“Hah! Good day, age about forty, height about five feet nine, black -hair, generally rather handsome visage, complexion dark, eyes dark, -thin, long and sallow face, aquiline nose but not straight, having a -peculiar inclination towards the left cheek which imparts a sinister -expression! Good day, one and all!” - -“Have the goodness to give me a little glass of old cognac, and a -mouthful of cool fresh water, madame.” - -Madame complied with a polite air. - -“Marvellous cognac this, madame!” - -It was the first time it had ever been so complimented, and Madame -Defarge knew enough of its antecedents to know better. She said, -however, that the cognac was flattered, and took up her knitting. The -visitor watched her fingers for a few moments, and took the opportunity -of observing the place in general. - -“You knit with great skill, madame.” - -“I am accustomed to it.” - -“A pretty pattern too!” - -“_You_ think so?” said madame, looking at him with a smile. - -“Decidedly. May one ask what it is for?” - -“Pastime,” said madame, still looking at him with a smile while her -fingers moved nimbly. - -“Not for use?” - -“That depends. I may find a use for it one day. If I do--Well,” said -madame, drawing a breath and nodding her head with a stern kind of -coquetry, “I'll use it!” - -It was remarkable; but, the taste of Saint Antoine seemed to be -decidedly opposed to a rose on the head-dress of Madame Defarge. Two -men had entered separately, and had been about to order drink, when, -catching sight of that novelty, they faltered, made a pretence of -looking about as if for some friend who was not there, and went away. -Nor, of those who had been there when this visitor entered, was there -one left. They had all dropped off. The spy had kept his eyes open, -but had been able to detect no sign. They had lounged away in a -poverty-stricken, purposeless, accidental manner, quite natural and -unimpeachable. - -“_John_,” thought madame, checking off her work as her fingers knitted, -and her eyes looked at the stranger. “Stay long enough, and I shall knit -'BARSAD' before you go.” - -“You have a husband, madame?” - -“I have.” - -“Children?” - -“No children.” - -“Business seems bad?” - -“Business is very bad; the people are so poor.” - -“Ah, the unfortunate, miserable people! So oppressed, too--as you say.” - -“As _you_ say,” madame retorted, correcting him, and deftly knitting an -extra something into his name that boded him no good. - -“Pardon me; certainly it was I who said so, but you naturally think so. -Of course.” - -“_I_ think?” returned madame, in a high voice. “I and my husband have -enough to do to keep this wine-shop open, without thinking. All we -think, here, is how to live. That is the subject _we_ think of, and -it gives us, from morning to night, enough to think about, without -embarrassing our heads concerning others. _I_ think for others? No, no.” - -The spy, who was there to pick up any crumbs he could find or make, did -not allow his baffled state to express itself in his sinister face; but, -stood with an air of gossiping gallantry, leaning his elbow on Madame -Defarge's little counter, and occasionally sipping his cognac. - -“A bad business this, madame, of Gaspard's execution. Ah! the poor -Gaspard!” With a sigh of great compassion. - -“My faith!” returned madame, coolly and lightly, “if people use knives -for such purposes, they have to pay for it. He knew beforehand what the -price of his luxury was; he has paid the price.” - -“I believe,” said the spy, dropping his soft voice to a tone -that invited confidence, and expressing an injured revolutionary -susceptibility in every muscle of his wicked face: “I believe there -is much compassion and anger in this neighbourhood, touching the poor -fellow? Between ourselves.” - -“Is there?” asked madame, vacantly. - -“Is there not?” - -“--Here is my husband!” said Madame Defarge. - -As the keeper of the wine-shop entered at the door, the spy saluted -him by touching his hat, and saying, with an engaging smile, “Good day, -Jacques!” Defarge stopped short, and stared at him. - -“Good day, Jacques!” the spy repeated; with not quite so much -confidence, or quite so easy a smile under the stare. - -“You deceive yourself, monsieur,” returned the keeper of the wine-shop. -“You mistake me for another. That is not my name. I am Ernest Defarge.” - -“It is all the same,” said the spy, airily, but discomfited too: “good -day!” - -“Good day!” answered Defarge, drily. - -“I was saying to madame, with whom I had the pleasure of chatting when -you entered, that they tell me there is--and no wonder!--much sympathy -and anger in Saint Antoine, touching the unhappy fate of poor Gaspard.” - -“No one has told me so,” said Defarge, shaking his head. “I know nothing -of it.” - -Having said it, he passed behind the little counter, and stood with his -hand on the back of his wife's chair, looking over that barrier at the -person to whom they were both opposed, and whom either of them would -have shot with the greatest satisfaction. - -The spy, well used to his business, did not change his unconscious -attitude, but drained his little glass of cognac, took a sip of fresh -water, and asked for another glass of cognac. Madame Defarge poured it -out for him, took to her knitting again, and hummed a little song over -it. - -“You seem to know this quarter well; that is to say, better than I do?” - observed Defarge. - -“Not at all, but I hope to know it better. I am so profoundly interested -in its miserable inhabitants.” - -“Hah!” muttered Defarge. - -“The pleasure of conversing with you, Monsieur Defarge, recalls to me,” - pursued the spy, “that I have the honour of cherishing some interesting -associations with your name.” - -“Indeed!” said Defarge, with much indifference. - -“Yes, indeed. When Doctor Manette was released, you, his old domestic, -had the charge of him, I know. He was delivered to you. You see I am -informed of the circumstances?” - -“Such is the fact, certainly,” said Defarge. He had had it conveyed -to him, in an accidental touch of his wife's elbow as she knitted and -warbled, that he would do best to answer, but always with brevity. - -“It was to you,” said the spy, “that his daughter came; and it was -from your care that his daughter took him, accompanied by a neat brown -monsieur; how is he called?--in a little wig--Lorry--of the bank of -Tellson and Company--over to England.” - -“Such is the fact,” repeated Defarge. - -“Very interesting remembrances!” said the spy. “I have known Doctor -Manette and his daughter, in England.” - -“Yes?” said Defarge. - -“You don't hear much about them now?” said the spy. - -“No,” said Defarge. - -“In effect,” madame struck in, looking up from her work and her little -song, “we never hear about them. We received the news of their safe -arrival, and perhaps another letter, or perhaps two; but, since then, -they have gradually taken their road in life--we, ours--and we have held -no correspondence.” - -“Perfectly so, madame,” replied the spy. “She is going to be married.” - -“Going?” echoed madame. “She was pretty enough to have been married long -ago. You English are cold, it seems to me.” - -“Oh! You know I am English.” - -“I perceive your tongue is,” returned madame; “and what the tongue is, I -suppose the man is.” - -He did not take the identification as a compliment; but he made the best -of it, and turned it off with a laugh. After sipping his cognac to the -end, he added: - -“Yes, Miss Manette is going to be married. But not to an Englishman; to -one who, like herself, is French by birth. And speaking of Gaspard (ah, -poor Gaspard! It was cruel, cruel!), it is a curious thing that she is -going to marry the nephew of Monsieur the Marquis, for whom Gaspard -was exalted to that height of so many feet; in other words, the present -Marquis. But he lives unknown in England, he is no Marquis there; he is -Mr. Charles Darnay. D'Aulnais is the name of his mother's family.” - -Madame Defarge knitted steadily, but the intelligence had a palpable -effect upon her husband. Do what he would, behind the little counter, -as to the striking of a light and the lighting of his pipe, he was -troubled, and his hand was not trustworthy. The spy would have been no -spy if he had failed to see it, or to record it in his mind. - -Having made, at least, this one hit, whatever it might prove to be -worth, and no customers coming in to help him to any other, Mr. Barsad -paid for what he had drunk, and took his leave: taking occasion to say, -in a genteel manner, before he departed, that he looked forward to the -pleasure of seeing Monsieur and Madame Defarge again. For some minutes -after he had emerged into the outer presence of Saint Antoine, the -husband and wife remained exactly as he had left them, lest he should -come back. - -“Can it be true,” said Defarge, in a low voice, looking down at his wife -as he stood smoking with his hand on the back of her chair: “what he has -said of Ma'amselle Manette?” - -“As he has said it,” returned madame, lifting her eyebrows a little, “it -is probably false. But it may be true.” - -“If it is--” Defarge began, and stopped. - -“If it is?” repeated his wife. - -“--And if it does come, while we live to see it triumph--I hope, for her -sake, Destiny will keep her husband out of France.” - -“Her husband's destiny,” said Madame Defarge, with her usual composure, -“will take him where he is to go, and will lead him to the end that is -to end him. That is all I know.” - -“But it is very strange--now, at least, is it not very strange”--said -Defarge, rather pleading with his wife to induce her to admit it, -“that, after all our sympathy for Monsieur her father, and herself, her -husband's name should be proscribed under your hand at this moment, by -the side of that infernal dog's who has just left us?” - -“Stranger things than that will happen when it does come,” answered -madame. “I have them both here, of a certainty; and they are both here -for their merits; that is enough.” - -She rolled up her knitting when she had said those words, and presently -took the rose out of the handkerchief that was wound about her head. -Either Saint Antoine had an instinctive sense that the objectionable -decoration was gone, or Saint Antoine was on the watch for its -disappearance; howbeit, the Saint took courage to lounge in, very -shortly afterwards, and the wine-shop recovered its habitual aspect. - -In the evening, at which season of all others Saint Antoine turned -himself inside out, and sat on door-steps and window-ledges, and came -to the corners of vile streets and courts, for a breath of air, Madame -Defarge with her work in her hand was accustomed to pass from place -to place and from group to group: a Missionary--there were many like -her--such as the world will do well never to breed again. All the women -knitted. They knitted worthless things; but, the mechanical work was a -mechanical substitute for eating and drinking; the hands moved for the -jaws and the digestive apparatus: if the bony fingers had been still, -the stomachs would have been more famine-pinched. - -But, as the fingers went, the eyes went, and the thoughts. And as Madame -Defarge moved on from group to group, all three went quicker and fiercer -among every little knot of women that she had spoken with, and left -behind. - -Her husband smoked at his door, looking after her with admiration. “A -great woman,” said he, “a strong woman, a grand woman, a frightfully -grand woman!” - -Darkness closed around, and then came the ringing of church bells and -the distant beating of the military drums in the Palace Courtyard, as -the women sat knitting, knitting. Darkness encompassed them. Another -darkness was closing in as surely, when the church bells, then ringing -pleasantly in many an airy steeple over France, should be melted into -thundering cannon; when the military drums should be beating to drown a -wretched voice, that night all potent as the voice of Power and Plenty, -Freedom and Life. So much was closing in about the women who sat -knitting, knitting, that they their very selves were closing in around -a structure yet unbuilt, where they were to sit knitting, knitting, -counting dropping heads. - - - - -XVII. One Night - - -Never did the sun go down with a brighter glory on the quiet corner in -Soho, than one memorable evening when the Doctor and his daughter sat -under the plane-tree together. Never did the moon rise with a milder -radiance over great London, than on that night when it found them still -seated under the tree, and shone upon their faces through its leaves. - -Lucie was to be married to-morrow. She had reserved this last evening -for her father, and they sat alone under the plane-tree. - -“You are happy, my dear father?” - -“Quite, my child.” - -They had said little, though they had been there a long time. When it -was yet light enough to work and read, she had neither engaged herself -in her usual work, nor had she read to him. She had employed herself in -both ways, at his side under the tree, many and many a time; but, this -time was not quite like any other, and nothing could make it so. - -“And I am very happy to-night, dear father. I am deeply happy in the -love that Heaven has so blessed--my love for Charles, and Charles's love -for me. But, if my life were not to be still consecrated to you, or -if my marriage were so arranged as that it would part us, even by -the length of a few of these streets, I should be more unhappy and -self-reproachful now than I can tell you. Even as it is--” - -Even as it was, she could not command her voice. - -In the sad moonlight, she clasped him by the neck, and laid her face -upon his breast. In the moonlight which is always sad, as the light of -the sun itself is--as the light called human life is--at its coming and -its going. - -“Dearest dear! Can you tell me, this last time, that you feel quite, -quite sure, no new affections of mine, and no new duties of mine, will -ever interpose between us? _I_ know it well, but do you know it? In your -own heart, do you feel quite certain?” - -Her father answered, with a cheerful firmness of conviction he could -scarcely have assumed, “Quite sure, my darling! More than that,” he -added, as he tenderly kissed her: “my future is far brighter, Lucie, -seen through your marriage, than it could have been--nay, than it ever -was--without it.” - -“If I could hope _that_, my father!--” - -“Believe it, love! Indeed it is so. Consider how natural and how plain -it is, my dear, that it should be so. You, devoted and young, cannot -fully appreciate the anxiety I have felt that your life should not be -wasted--” - -She moved her hand towards his lips, but he took it in his, and repeated -the word. - -“--wasted, my child--should not be wasted, struck aside from the -natural order of things--for my sake. Your unselfishness cannot entirely -comprehend how much my mind has gone on this; but, only ask yourself, -how could my happiness be perfect, while yours was incomplete?” - -“If I had never seen Charles, my father, I should have been quite happy -with you.” - -He smiled at her unconscious admission that she would have been unhappy -without Charles, having seen him; and replied: - -“My child, you did see him, and it is Charles. If it had not been -Charles, it would have been another. Or, if it had been no other, I -should have been the cause, and then the dark part of my life would have -cast its shadow beyond myself, and would have fallen on you.” - -It was the first time, except at the trial, of her ever hearing him -refer to the period of his suffering. It gave her a strange and new -sensation while his words were in her ears; and she remembered it long -afterwards. - -“See!” said the Doctor of Beauvais, raising his hand towards the moon. -“I have looked at her from my prison-window, when I could not bear her -light. I have looked at her when it has been such torture to me to think -of her shining upon what I had lost, that I have beaten my head against -my prison-walls. I have looked at her, in a state so dull and lethargic, -that I have thought of nothing but the number of horizontal lines I -could draw across her at the full, and the number of perpendicular lines -with which I could intersect them.” He added in his inward and pondering -manner, as he looked at the moon, “It was twenty either way, I remember, -and the twentieth was difficult to squeeze in.” - -The strange thrill with which she heard him go back to that time, -deepened as he dwelt upon it; but, there was nothing to shock her in -the manner of his reference. He only seemed to contrast his present -cheerfulness and felicity with the dire endurance that was over. - -“I have looked at her, speculating thousands of times upon the unborn -child from whom I had been rent. Whether it was alive. Whether it had -been born alive, or the poor mother's shock had killed it. Whether it -was a son who would some day avenge his father. (There was a time in my -imprisonment, when my desire for vengeance was unbearable.) Whether it -was a son who would never know his father's story; who might even live -to weigh the possibility of his father's having disappeared of his own -will and act. Whether it was a daughter who would grow to be a woman.” - -She drew closer to him, and kissed his cheek and his hand. - -“I have pictured my daughter, to myself, as perfectly forgetful of -me--rather, altogether ignorant of me, and unconscious of me. I have -cast up the years of her age, year after year. I have seen her married -to a man who knew nothing of my fate. I have altogether perished from -the remembrance of the living, and in the next generation my place was a -blank.” - -“My father! Even to hear that you had such thoughts of a daughter who -never existed, strikes to my heart as if I had been that child.” - -“You, Lucie? It is out of the Consolation and restoration you have -brought to me, that these remembrances arise, and pass between us and -the moon on this last night.--What did I say just now?” - -“She knew nothing of you. She cared nothing for you.” - -“So! But on other moonlight nights, when the sadness and the silence -have touched me in a different way--have affected me with something as -like a sorrowful sense of peace, as any emotion that had pain for its -foundations could--I have imagined her as coming to me in my cell, and -leading me out into the freedom beyond the fortress. I have seen her -image in the moonlight often, as I now see you; except that I never held -her in my arms; it stood between the little grated window and the door. -But, you understand that that was not the child I am speaking of?” - -“The figure was not; the--the--image; the fancy?” - -“No. That was another thing. It stood before my disturbed sense of -sight, but it never moved. The phantom that my mind pursued, was another -and more real child. Of her outward appearance I know no more than -that she was like her mother. The other had that likeness too--as you -have--but was not the same. Can you follow me, Lucie? Hardly, I think? -I doubt you must have been a solitary prisoner to understand these -perplexed distinctions.” - -His collected and calm manner could not prevent her blood from running -cold, as he thus tried to anatomise his old condition. - -“In that more peaceful state, I have imagined her, in the moonlight, -coming to me and taking me out to show me that the home of her married -life was full of her loving remembrance of her lost father. My picture -was in her room, and I was in her prayers. Her life was active, -cheerful, useful; but my poor history pervaded it all.” - -“I was that child, my father, I was not half so good, but in my love -that was I.” - -“And she showed me her children,” said the Doctor of Beauvais, “and -they had heard of me, and had been taught to pity me. When they passed -a prison of the State, they kept far from its frowning walls, and looked -up at its bars, and spoke in whispers. She could never deliver me; I -imagined that she always brought me back after showing me such things. -But then, blessed with the relief of tears, I fell upon my knees, and -blessed her.” - -“I am that child, I hope, my father. O my dear, my dear, will you bless -me as fervently to-morrow?” - -“Lucie, I recall these old troubles in the reason that I have to-night -for loving you better than words can tell, and thanking God for my great -happiness. My thoughts, when they were wildest, never rose near the -happiness that I have known with you, and that we have before us.” - -He embraced her, solemnly commended her to Heaven, and humbly thanked -Heaven for having bestowed her on him. By-and-bye, they went into the -house. - -There was no one bidden to the marriage but Mr. Lorry; there was even to -be no bridesmaid but the gaunt Miss Pross. The marriage was to make no -change in their place of residence; they had been able to extend it, -by taking to themselves the upper rooms formerly belonging to the -apocryphal invisible lodger, and they desired nothing more. - -Doctor Manette was very cheerful at the little supper. They were only -three at table, and Miss Pross made the third. He regretted that Charles -was not there; was more than half disposed to object to the loving -little plot that kept him away; and drank to him affectionately. - -So, the time came for him to bid Lucie good night, and they separated. -But, in the stillness of the third hour of the morning, Lucie came -downstairs again, and stole into his room; not free from unshaped fears, -beforehand. - -All things, however, were in their places; all was quiet; and he lay -asleep, his white hair picturesque on the untroubled pillow, and his -hands lying quiet on the coverlet. She put her needless candle in the -shadow at a distance, crept up to his bed, and put her lips to his; -then, leaned over him, and looked at him. - -Into his handsome face, the bitter waters of captivity had worn; but, he -covered up their tracks with a determination so strong, that he held the -mastery of them even in his sleep. A more remarkable face in its quiet, -resolute, and guarded struggle with an unseen assailant, was not to be -beheld in all the wide dominions of sleep, that night. - -She timidly laid her hand on his dear breast, and put up a prayer that -she might ever be as true to him as her love aspired to be, and as his -sorrows deserved. Then, she withdrew her hand, and kissed his lips once -more, and went away. So, the sunrise came, and the shadows of the leaves -of the plane-tree moved upon his face, as softly as her lips had moved -in praying for him. - - - - -XVIII. Nine Days - - -The marriage-day was shining brightly, and they were ready outside the -closed door of the Doctor's room, where he was speaking with Charles -Darnay. They were ready to go to church; the beautiful bride, Mr. -Lorry, and Miss Pross--to whom the event, through a gradual process of -reconcilement to the inevitable, would have been one of absolute bliss, -but for the yet lingering consideration that her brother Solomon should -have been the bridegroom. - -“And so,” said Mr. Lorry, who could not sufficiently admire the bride, -and who had been moving round her to take in every point of her quiet, -pretty dress; “and so it was for this, my sweet Lucie, that I brought -you across the Channel, such a baby! Lord bless me! How little I thought -what I was doing! How lightly I valued the obligation I was conferring -on my friend Mr. Charles!” - -“You didn't mean it,” remarked the matter-of-fact Miss Pross, “and -therefore how could you know it? Nonsense!” - -“Really? Well; but don't cry,” said the gentle Mr. Lorry. - -“I am not crying,” said Miss Pross; “_you_ are.” - -“I, my Pross?” (By this time, Mr. Lorry dared to be pleasant with her, -on occasion.) - -“You were, just now; I saw you do it, and I don't wonder at it. Such -a present of plate as you have made 'em, is enough to bring tears into -anybody's eyes. There's not a fork or a spoon in the collection,” said -Miss Pross, “that I didn't cry over, last night after the box came, till -I couldn't see it.” - -“I am highly gratified,” said Mr. Lorry, “though, upon my honour, I -had no intention of rendering those trifling articles of remembrance -invisible to any one. Dear me! This is an occasion that makes a man -speculate on all he has lost. Dear, dear, dear! To think that there -might have been a Mrs. Lorry, any time these fifty years almost!” - -“Not at all!” From Miss Pross. - -“You think there never might have been a Mrs. Lorry?” asked the -gentleman of that name. - -“Pooh!” rejoined Miss Pross; “you were a bachelor in your cradle.” - -“Well!” observed Mr. Lorry, beamingly adjusting his little wig, “that -seems probable, too.” - -“And you were cut out for a bachelor,” pursued Miss Pross, “before you -were put in your cradle.” - -“Then, I think,” said Mr. Lorry, “that I was very unhandsomely dealt -with, and that I ought to have had a voice in the selection of my -pattern. Enough! Now, my dear Lucie,” drawing his arm soothingly round -her waist, “I hear them moving in the next room, and Miss Pross and -I, as two formal folks of business, are anxious not to lose the final -opportunity of saying something to you that you wish to hear. You leave -your good father, my dear, in hands as earnest and as loving as your -own; he shall be taken every conceivable care of; during the next -fortnight, while you are in Warwickshire and thereabouts, even Tellson's -shall go to the wall (comparatively speaking) before him. And when, at -the fortnight's end, he comes to join you and your beloved husband, on -your other fortnight's trip in Wales, you shall say that we have sent -him to you in the best health and in the happiest frame. Now, I hear -Somebody's step coming to the door. Let me kiss my dear girl with an -old-fashioned bachelor blessing, before Somebody comes to claim his -own.” - -For a moment, he held the fair face from him to look at the -well-remembered expression on the forehead, and then laid the bright -golden hair against his little brown wig, with a genuine tenderness and -delicacy which, if such things be old-fashioned, were as old as Adam. - -The door of the Doctor's room opened, and he came out with Charles -Darnay. He was so deadly pale--which had not been the case when they -went in together--that no vestige of colour was to be seen in his face. -But, in the composure of his manner he was unaltered, except that to the -shrewd glance of Mr. Lorry it disclosed some shadowy indication that the -old air of avoidance and dread had lately passed over him, like a cold -wind. - -He gave his arm to his daughter, and took her down-stairs to the chariot -which Mr. Lorry had hired in honour of the day. The rest followed in -another carriage, and soon, in a neighbouring church, where no strange -eyes looked on, Charles Darnay and Lucie Manette were happily married. - -Besides the glancing tears that shone among the smiles of the little -group when it was done, some diamonds, very bright and sparkling, -glanced on the bride's hand, which were newly released from the -dark obscurity of one of Mr. Lorry's pockets. They returned home to -breakfast, and all went well, and in due course the golden hair that had -mingled with the poor shoemaker's white locks in the Paris garret, were -mingled with them again in the morning sunlight, on the threshold of the -door at parting. - -It was a hard parting, though it was not for long. But her father -cheered her, and said at last, gently disengaging himself from her -enfolding arms, “Take her, Charles! She is yours!” - -And her agitated hand waved to them from a chaise window, and she was -gone. - -The corner being out of the way of the idle and curious, and the -preparations having been very simple and few, the Doctor, Mr. Lorry, -and Miss Pross, were left quite alone. It was when they turned into -the welcome shade of the cool old hall, that Mr. Lorry observed a great -change to have come over the Doctor; as if the golden arm uplifted -there, had struck him a poisoned blow. - -He had naturally repressed much, and some revulsion might have been -expected in him when the occasion for repression was gone. But, it was -the old scared lost look that troubled Mr. Lorry; and through his absent -manner of clasping his head and drearily wandering away into his own -room when they got up-stairs, Mr. Lorry was reminded of Defarge the -wine-shop keeper, and the starlight ride. - -“I think,” he whispered to Miss Pross, after anxious consideration, “I -think we had best not speak to him just now, or at all disturb him. -I must look in at Tellson's; so I will go there at once and come back -presently. Then, we will take him a ride into the country, and dine -there, and all will be well.” - -It was easier for Mr. Lorry to look in at Tellson's, than to look out of -Tellson's. He was detained two hours. When he came back, he ascended the -old staircase alone, having asked no question of the servant; going thus -into the Doctor's rooms, he was stopped by a low sound of knocking. - -“Good God!” he said, with a start. “What's that?” - -Miss Pross, with a terrified face, was at his ear. “O me, O me! All is -lost!” cried she, wringing her hands. “What is to be told to Ladybird? -He doesn't know me, and is making shoes!” - -Mr. Lorry said what he could to calm her, and went himself into the -Doctor's room. The bench was turned towards the light, as it had been -when he had seen the shoemaker at his work before, and his head was bent -down, and he was very busy. - -“Doctor Manette. My dear friend, Doctor Manette!” - -The Doctor looked at him for a moment--half inquiringly, half as if he -were angry at being spoken to--and bent over his work again. - -He had laid aside his coat and waistcoat; his shirt was open at the -throat, as it used to be when he did that work; and even the old -haggard, faded surface of face had come back to him. He worked -hard--impatiently--as if in some sense of having been interrupted. - -Mr. Lorry glanced at the work in his hand, and observed that it was a -shoe of the old size and shape. He took up another that was lying by -him, and asked what it was. - -“A young lady's walking shoe,” he muttered, without looking up. “It -ought to have been finished long ago. Let it be.” - -“But, Doctor Manette. Look at me!” - -He obeyed, in the old mechanically submissive manner, without pausing in -his work. - -“You know me, my dear friend? Think again. This is not your proper -occupation. Think, dear friend!” - -Nothing would induce him to speak more. He looked up, for an instant at -a time, when he was requested to do so; but, no persuasion would extract -a word from him. He worked, and worked, and worked, in silence, and -words fell on him as they would have fallen on an echoless wall, or on -the air. The only ray of hope that Mr. Lorry could discover, was, that -he sometimes furtively looked up without being asked. In that, there -seemed a faint expression of curiosity or perplexity--as though he were -trying to reconcile some doubts in his mind. - -Two things at once impressed themselves on Mr. Lorry, as important above -all others; the first, that this must be kept secret from Lucie; -the second, that it must be kept secret from all who knew him. In -conjunction with Miss Pross, he took immediate steps towards the latter -precaution, by giving out that the Doctor was not well, and required a -few days of complete rest. In aid of the kind deception to be practised -on his daughter, Miss Pross was to write, describing his having been -called away professionally, and referring to an imaginary letter of -two or three hurried lines in his own hand, represented to have been -addressed to her by the same post. - -These measures, advisable to be taken in any case, Mr. Lorry took in -the hope of his coming to himself. If that should happen soon, he kept -another course in reserve; which was, to have a certain opinion that he -thought the best, on the Doctor's case. - -In the hope of his recovery, and of resort to this third course -being thereby rendered practicable, Mr. Lorry resolved to watch him -attentively, with as little appearance as possible of doing so. He -therefore made arrangements to absent himself from Tellson's for the -first time in his life, and took his post by the window in the same -room. - -He was not long in discovering that it was worse than useless to speak -to him, since, on being pressed, he became worried. He abandoned that -attempt on the first day, and resolved merely to keep himself always -before him, as a silent protest against the delusion into which he had -fallen, or was falling. He remained, therefore, in his seat near the -window, reading and writing, and expressing in as many pleasant and -natural ways as he could think of, that it was a free place. - -Doctor Manette took what was given him to eat and drink, and worked on, -that first day, until it was too dark to see--worked on, half an hour -after Mr. Lorry could not have seen, for his life, to read or write. -When he put his tools aside as useless, until morning, Mr. Lorry rose -and said to him: - -“Will you go out?” - -He looked down at the floor on either side of him in the old manner, -looked up in the old manner, and repeated in the old low voice: - -“Out?” - -“Yes; for a walk with me. Why not?” - -He made no effort to say why not, and said not a word more. But, Mr. -Lorry thought he saw, as he leaned forward on his bench in the dusk, -with his elbows on his knees and his head in his hands, that he was in -some misty way asking himself, “Why not?” The sagacity of the man of -business perceived an advantage here, and determined to hold it. - -Miss Pross and he divided the night into two watches, and observed him -at intervals from the adjoining room. He paced up and down for a long -time before he lay down; but, when he did finally lay himself down, he -fell asleep. In the morning, he was up betimes, and went straight to his -bench and to work. - -On this second day, Mr. Lorry saluted him cheerfully by his name, -and spoke to him on topics that had been of late familiar to them. He -returned no reply, but it was evident that he heard what was said, and -that he thought about it, however confusedly. This encouraged Mr. Lorry -to have Miss Pross in with her work, several times during the day; -at those times, they quietly spoke of Lucie, and of her father then -present, precisely in the usual manner, and as if there were nothing -amiss. This was done without any demonstrative accompaniment, not long -enough, or often enough to harass him; and it lightened Mr. Lorry's -friendly heart to believe that he looked up oftener, and that he -appeared to be stirred by some perception of inconsistencies surrounding -him. - -When it fell dark again, Mr. Lorry asked him as before: - -“Dear Doctor, will you go out?” - -As before, he repeated, “Out?” - -“Yes; for a walk with me. Why not?” - -This time, Mr. Lorry feigned to go out when he could extract no answer -from him, and, after remaining absent for an hour, returned. In the -meanwhile, the Doctor had removed to the seat in the window, and had -sat there looking down at the plane-tree; but, on Mr. Lorry's return, he -slipped away to his bench. - -The time went very slowly on, and Mr. Lorry's hope darkened, and his -heart grew heavier again, and grew yet heavier and heavier every day. -The third day came and went, the fourth, the fifth. Five days, six days, -seven days, eight days, nine days. - -With a hope ever darkening, and with a heart always growing heavier and -heavier, Mr. Lorry passed through this anxious time. The secret was -well kept, and Lucie was unconscious and happy; but he could not fail to -observe that the shoemaker, whose hand had been a little out at first, -was growing dreadfully skilful, and that he had never been so intent on -his work, and that his hands had never been so nimble and expert, as in -the dusk of the ninth evening. - - - - -XIX. An Opinion - - -Worn out by anxious watching, Mr. Lorry fell asleep at his post. On the -tenth morning of his suspense, he was startled by the shining of the sun -into the room where a heavy slumber had overtaken him when it was dark -night. - -He rubbed his eyes and roused himself; but he doubted, when he had -done so, whether he was not still asleep. For, going to the door of the -Doctor's room and looking in, he perceived that the shoemaker's bench -and tools were put aside again, and that the Doctor himself sat reading -at the window. He was in his usual morning dress, and his face (which -Mr. Lorry could distinctly see), though still very pale, was calmly -studious and attentive. - -Even when he had satisfied himself that he was awake, Mr. Lorry felt -giddily uncertain for some few moments whether the late shoemaking might -not be a disturbed dream of his own; for, did not his eyes show him his -friend before him in his accustomed clothing and aspect, and employed -as usual; and was there any sign within their range, that the change of -which he had so strong an impression had actually happened? - -It was but the inquiry of his first confusion and astonishment, the -answer being obvious. If the impression were not produced by a real -corresponding and sufficient cause, how came he, Jarvis Lorry, there? -How came he to have fallen asleep, in his clothes, on the sofa in Doctor -Manette's consulting-room, and to be debating these points outside the -Doctor's bedroom door in the early morning? - -Within a few minutes, Miss Pross stood whispering at his side. If he -had had any particle of doubt left, her talk would of necessity have -resolved it; but he was by that time clear-headed, and had none. -He advised that they should let the time go by until the regular -breakfast-hour, and should then meet the Doctor as if nothing unusual -had occurred. If he appeared to be in his customary state of mind, Mr. -Lorry would then cautiously proceed to seek direction and guidance from -the opinion he had been, in his anxiety, so anxious to obtain. - -Miss Pross, submitting herself to his judgment, the scheme was worked -out with care. Having abundance of time for his usual methodical -toilette, Mr. Lorry presented himself at the breakfast-hour in his usual -white linen, and with his usual neat leg. The Doctor was summoned in the -usual way, and came to breakfast. - -So far as it was possible to comprehend him without overstepping those -delicate and gradual approaches which Mr. Lorry felt to be the only safe -advance, he at first supposed that his daughter's marriage had taken -place yesterday. An incidental allusion, purposely thrown out, to -the day of the week, and the day of the month, set him thinking and -counting, and evidently made him uneasy. In all other respects, however, -he was so composedly himself, that Mr. Lorry determined to have the aid -he sought. And that aid was his own. - -Therefore, when the breakfast was done and cleared away, and he and the -Doctor were left together, Mr. Lorry said, feelingly: - -“My dear Manette, I am anxious to have your opinion, in confidence, on a -very curious case in which I am deeply interested; that is to say, it is -very curious to me; perhaps, to your better information it may be less -so.” - -Glancing at his hands, which were discoloured by his late work, the -Doctor looked troubled, and listened attentively. He had already glanced -at his hands more than once. - -“Doctor Manette,” said Mr. Lorry, touching him affectionately on the -arm, “the case is the case of a particularly dear friend of mine. Pray -give your mind to it, and advise me well for his sake--and above all, -for his daughter's--his daughter's, my dear Manette.” - -“If I understand,” said the Doctor, in a subdued tone, “some mental -shock--?” - -“Yes!” - -“Be explicit,” said the Doctor. “Spare no detail.” - -Mr. Lorry saw that they understood one another, and proceeded. - -“My dear Manette, it is the case of an old and a prolonged shock, -of great acuteness and severity to the affections, the feelings, -the--the--as you express it--the mind. The mind. It is the case of a -shock under which the sufferer was borne down, one cannot say for how -long, because I believe he cannot calculate the time himself, and there -are no other means of getting at it. It is the case of a shock from -which the sufferer recovered, by a process that he cannot trace -himself--as I once heard him publicly relate in a striking manner. It is -the case of a shock from which he has recovered, so completely, as to -be a highly intelligent man, capable of close application of mind, and -great exertion of body, and of constantly making fresh additions to his -stock of knowledge, which was already very large. But, unfortunately, -there has been,” he paused and took a deep breath--“a slight relapse.” - -The Doctor, in a low voice, asked, “Of how long duration?” - -“Nine days and nights.” - -“How did it show itself? I infer,” glancing at his hands again, “in the -resumption of some old pursuit connected with the shock?” - -“That is the fact.” - -“Now, did you ever see him,” asked the Doctor, distinctly and -collectedly, though in the same low voice, “engaged in that pursuit -originally?” - -“Once.” - -“And when the relapse fell on him, was he in most respects--or in all -respects--as he was then?” - -“I think in all respects.” - -“You spoke of his daughter. Does his daughter know of the relapse?” - -“No. It has been kept from her, and I hope will always be kept from her. -It is known only to myself, and to one other who may be trusted.” - -The Doctor grasped his hand, and murmured, “That was very kind. That was -very thoughtful!” Mr. Lorry grasped his hand in return, and neither of -the two spoke for a little while. - -“Now, my dear Manette,” said Mr. Lorry, at length, in his most -considerate and most affectionate way, “I am a mere man of business, -and unfit to cope with such intricate and difficult matters. I do not -possess the kind of information necessary; I do not possess the kind of -intelligence; I want guiding. There is no man in this world on whom -I could so rely for right guidance, as on you. Tell me, how does this -relapse come about? Is there danger of another? Could a repetition of it -be prevented? How should a repetition of it be treated? How does it come -about at all? What can I do for my friend? No man ever can have been -more desirous in his heart to serve a friend, than I am to serve mine, -if I knew how. - -“But I don't know how to originate, in such a case. If your sagacity, -knowledge, and experience, could put me on the right track, I might be -able to do so much; unenlightened and undirected, I can do so little. -Pray discuss it with me; pray enable me to see it a little more clearly, -and teach me how to be a little more useful.” - -Doctor Manette sat meditating after these earnest words were spoken, and -Mr. Lorry did not press him. - -“I think it probable,” said the Doctor, breaking silence with an effort, -“that the relapse you have described, my dear friend, was not quite -unforeseen by its subject.” - -“Was it dreaded by him?” Mr. Lorry ventured to ask. - -“Very much.” He said it with an involuntary shudder. - -“You have no idea how such an apprehension weighs on the sufferer's -mind, and how difficult--how almost impossible--it is, for him to force -himself to utter a word upon the topic that oppresses him.” - -“Would he,” asked Mr. Lorry, “be sensibly relieved if he could prevail -upon himself to impart that secret brooding to any one, when it is on -him?” - -“I think so. But it is, as I have told you, next to impossible. I even -believe it--in some cases--to be quite impossible.” - -“Now,” said Mr. Lorry, gently laying his hand on the Doctor's arm again, -after a short silence on both sides, “to what would you refer this -attack?” - -“I believe,” returned Doctor Manette, “that there had been a strong and -extraordinary revival of the train of thought and remembrance that -was the first cause of the malady. Some intense associations of a most -distressing nature were vividly recalled, I think. It is probable that -there had long been a dread lurking in his mind, that those associations -would be recalled--say, under certain circumstances--say, on a -particular occasion. He tried to prepare himself in vain; perhaps the -effort to prepare himself made him less able to bear it.” - -“Would he remember what took place in the relapse?” asked Mr. Lorry, -with natural hesitation. - -The Doctor looked desolately round the room, shook his head, and -answered, in a low voice, “Not at all.” - -“Now, as to the future,” hinted Mr. Lorry. - -“As to the future,” said the Doctor, recovering firmness, “I should have -great hope. As it pleased Heaven in its mercy to restore him so soon, I -should have great hope. He, yielding under the pressure of a complicated -something, long dreaded and long vaguely foreseen and contended against, -and recovering after the cloud had burst and passed, I should hope that -the worst was over.” - -“Well, well! That's good comfort. I am thankful!” said Mr. Lorry. - -“I am thankful!” repeated the Doctor, bending his head with reverence. - -“There are two other points,” said Mr. Lorry, “on which I am anxious to -be instructed. I may go on?” - -“You cannot do your friend a better service.” The Doctor gave him his -hand. - -“To the first, then. He is of a studious habit, and unusually energetic; -he applies himself with great ardour to the acquisition of professional -knowledge, to the conducting of experiments, to many things. Now, does -he do too much?” - -“I think not. It may be the character of his mind, to be always in -singular need of occupation. That may be, in part, natural to it; in -part, the result of affliction. The less it was occupied with healthy -things, the more it would be in danger of turning in the unhealthy -direction. He may have observed himself, and made the discovery.” - -“You are sure that he is not under too great a strain?” - -“I think I am quite sure of it.” - -“My dear Manette, if he were overworked now--” - -“My dear Lorry, I doubt if that could easily be. There has been a -violent stress in one direction, and it needs a counterweight.” - -“Excuse me, as a persistent man of business. Assuming for a moment, -that he _was_ overworked; it would show itself in some renewal of this -disorder?” - -“I do not think so. I do not think,” said Doctor Manette with the -firmness of self-conviction, “that anything but the one train of -association would renew it. I think that, henceforth, nothing but some -extraordinary jarring of that chord could renew it. After what has -happened, and after his recovery, I find it difficult to imagine any -such violent sounding of that string again. I trust, and I almost -believe, that the circumstances likely to renew it are exhausted.” - -He spoke with the diffidence of a man who knew how slight a thing -would overset the delicate organisation of the mind, and yet with the -confidence of a man who had slowly won his assurance out of personal -endurance and distress. It was not for his friend to abate that -confidence. He professed himself more relieved and encouraged than he -really was, and approached his second and last point. He felt it to -be the most difficult of all; but, remembering his old Sunday morning -conversation with Miss Pross, and remembering what he had seen in the -last nine days, he knew that he must face it. - -“The occupation resumed under the influence of this passing affliction -so happily recovered from,” said Mr. Lorry, clearing his throat, “we -will call--Blacksmith's work, Blacksmith's work. We will say, to put a -case and for the sake of illustration, that he had been used, in his bad -time, to work at a little forge. We will say that he was unexpectedly -found at his forge again. Is it not a pity that he should keep it by -him?” - -The Doctor shaded his forehead with his hand, and beat his foot -nervously on the ground. - -“He has always kept it by him,” said Mr. Lorry, with an anxious look at -his friend. “Now, would it not be better that he should let it go?” - -Still, the Doctor, with shaded forehead, beat his foot nervously on the -ground. - -“You do not find it easy to advise me?” said Mr. Lorry. “I quite -understand it to be a nice question. And yet I think--” And there he -shook his head, and stopped. - -“You see,” said Doctor Manette, turning to him after an uneasy pause, -“it is very hard to explain, consistently, the innermost workings -of this poor man's mind. He once yearned so frightfully for that -occupation, and it was so welcome when it came; no doubt it relieved -his pain so much, by substituting the perplexity of the fingers for -the perplexity of the brain, and by substituting, as he became more -practised, the ingenuity of the hands, for the ingenuity of the mental -torture; that he has never been able to bear the thought of putting it -quite out of his reach. Even now, when I believe he is more hopeful of -himself than he has ever been, and even speaks of himself with a kind -of confidence, the idea that he might need that old employment, and not -find it, gives him a sudden sense of terror, like that which one may -fancy strikes to the heart of a lost child.” - -He looked like his illustration, as he raised his eyes to Mr. Lorry's -face. - -“But may not--mind! I ask for information, as a plodding man of business -who only deals with such material objects as guineas, shillings, and -bank-notes--may not the retention of the thing involve the retention of -the idea? If the thing were gone, my dear Manette, might not the fear go -with it? In short, is it not a concession to the misgiving, to keep the -forge?” - -There was another silence. - -“You see, too,” said the Doctor, tremulously, “it is such an old -companion.” - -“I would not keep it,” said Mr. Lorry, shaking his head; for he gained -in firmness as he saw the Doctor disquieted. “I would recommend him to -sacrifice it. I only want your authority. I am sure it does no good. -Come! Give me your authority, like a dear good man. For his daughter's -sake, my dear Manette!” - -Very strange to see what a struggle there was within him! - -“In her name, then, let it be done; I sanction it. But, I would not take -it away while he was present. Let it be removed when he is not there; -let him miss his old companion after an absence.” - -Mr. Lorry readily engaged for that, and the conference was ended. They -passed the day in the country, and the Doctor was quite restored. On the -three following days he remained perfectly well, and on the fourteenth -day he went away to join Lucie and her husband. The precaution that -had been taken to account for his silence, Mr. Lorry had previously -explained to him, and he had written to Lucie in accordance with it, and -she had no suspicions. - -On the night of the day on which he left the house, Mr. Lorry went into -his room with a chopper, saw, chisel, and hammer, attended by Miss Pross -carrying a light. There, with closed doors, and in a mysterious and -guilty manner, Mr. Lorry hacked the shoemaker's bench to pieces, while -Miss Pross held the candle as if she were assisting at a murder--for -which, indeed, in her grimness, she was no unsuitable figure. The -burning of the body (previously reduced to pieces convenient for the -purpose) was commenced without delay in the kitchen fire; and the tools, -shoes, and leather, were buried in the garden. So wicked do destruction -and secrecy appear to honest minds, that Mr. Lorry and Miss Pross, -while engaged in the commission of their deed and in the removal of its -traces, almost felt, and almost looked, like accomplices in a horrible -crime. - - - - -XX. A Plea - - -When the newly-married pair came home, the first person who appeared, to -offer his congratulations, was Sydney Carton. They had not been at home -many hours, when he presented himself. He was not improved in habits, or -in looks, or in manner; but there was a certain rugged air of fidelity -about him, which was new to the observation of Charles Darnay. - -He watched his opportunity of taking Darnay aside into a window, and of -speaking to him when no one overheard. - -“Mr. Darnay,” said Carton, “I wish we might be friends.” - -“We are already friends, I hope.” - -“You are good enough to say so, as a fashion of speech; but, I don't -mean any fashion of speech. Indeed, when I say I wish we might be -friends, I scarcely mean quite that, either.” - -Charles Darnay--as was natural--asked him, in all good-humour and -good-fellowship, what he did mean? - -“Upon my life,” said Carton, smiling, “I find that easier to comprehend -in my own mind, than to convey to yours. However, let me try. You -remember a certain famous occasion when I was more drunk than--than -usual?” - -“I remember a certain famous occasion when you forced me to confess that -you had been drinking.” - -“I remember it too. The curse of those occasions is heavy upon me, for I -always remember them. I hope it may be taken into account one day, -when all days are at an end for me! Don't be alarmed; I am not going to -preach.” - -“I am not at all alarmed. Earnestness in you, is anything but alarming -to me.” - -“Ah!” said Carton, with a careless wave of his hand, as if he waved that -away. “On the drunken occasion in question (one of a large number, as -you know), I was insufferable about liking you, and not liking you. I -wish you would forget it.” - -“I forgot it long ago.” - -“Fashion of speech again! But, Mr. Darnay, oblivion is not so easy to -me, as you represent it to be to you. I have by no means forgotten it, -and a light answer does not help me to forget it.” - -“If it was a light answer,” returned Darnay, “I beg your forgiveness -for it. I had no other object than to turn a slight thing, which, to my -surprise, seems to trouble you too much, aside. I declare to you, on the -faith of a gentleman, that I have long dismissed it from my mind. Good -Heaven, what was there to dismiss! Have I had nothing more important to -remember, in the great service you rendered me that day?” - -“As to the great service,” said Carton, “I am bound to avow to you, when -you speak of it in that way, that it was mere professional claptrap, I -don't know that I cared what became of you, when I rendered it.--Mind! I -say when I rendered it; I am speaking of the past.” - -“You make light of the obligation,” returned Darnay, “but I will not -quarrel with _your_ light answer.” - -“Genuine truth, Mr. Darnay, trust me! I have gone aside from my purpose; -I was speaking about our being friends. Now, you know me; you know I am -incapable of all the higher and better flights of men. If you doubt it, -ask Stryver, and he'll tell you so.” - -“I prefer to form my own opinion, without the aid of his.” - -“Well! At any rate you know me as a dissolute dog, who has never done -any good, and never will.” - -“I don't know that you 'never will.'” - -“But I do, and you must take my word for it. Well! If you could endure -to have such a worthless fellow, and a fellow of such indifferent -reputation, coming and going at odd times, I should ask that I might be -permitted to come and go as a privileged person here; that I might -be regarded as an useless (and I would add, if it were not for the -resemblance I detected between you and me, an unornamental) piece of -furniture, tolerated for its old service, and taken no notice of. I -doubt if I should abuse the permission. It is a hundred to one if I -should avail myself of it four times in a year. It would satisfy me, I -dare say, to know that I had it.” - -“Will you try?” - -“That is another way of saying that I am placed on the footing I have -indicated. I thank you, Darnay. I may use that freedom with your name?” - -“I think so, Carton, by this time.” - -They shook hands upon it, and Sydney turned away. Within a minute -afterwards, he was, to all outward appearance, as unsubstantial as ever. - -When he was gone, and in the course of an evening passed with Miss -Pross, the Doctor, and Mr. Lorry, Charles Darnay made some mention of -this conversation in general terms, and spoke of Sydney Carton as a -problem of carelessness and recklessness. He spoke of him, in short, not -bitterly or meaning to bear hard upon him, but as anybody might who saw -him as he showed himself. - -He had no idea that this could dwell in the thoughts of his fair young -wife; but, when he afterwards joined her in their own rooms, he found -her waiting for him with the old pretty lifting of the forehead strongly -marked. - -“We are thoughtful to-night!” said Darnay, drawing his arm about her. - -“Yes, dearest Charles,” with her hands on his breast, and the inquiring -and attentive expression fixed upon him; “we are rather thoughtful -to-night, for we have something on our mind to-night.” - -“What is it, my Lucie?” - -“Will you promise not to press one question on me, if I beg you not to -ask it?” - -“Will I promise? What will I not promise to my Love?” - -What, indeed, with his hand putting aside the golden hair from the -cheek, and his other hand against the heart that beat for him! - -“I think, Charles, poor Mr. Carton deserves more consideration and -respect than you expressed for him to-night.” - -“Indeed, my own? Why so?” - -“That is what you are not to ask me. But I think--I know--he does.” - -“If you know it, it is enough. What would you have me do, my Life?” - -“I would ask you, dearest, to be very generous with him always, and very -lenient on his faults when he is not by. I would ask you to believe that -he has a heart he very, very seldom reveals, and that there are deep -wounds in it. My dear, I have seen it bleeding.” - -“It is a painful reflection to me,” said Charles Darnay, quite -astounded, “that I should have done him any wrong. I never thought this -of him.” - -“My husband, it is so. I fear he is not to be reclaimed; there is -scarcely a hope that anything in his character or fortunes is reparable -now. But, I am sure that he is capable of good things, gentle things, -even magnanimous things.” - -She looked so beautiful in the purity of her faith in this lost man, -that her husband could have looked at her as she was for hours. - -“And, O my dearest Love!” she urged, clinging nearer to him, laying her -head upon his breast, and raising her eyes to his, “remember how strong -we are in our happiness, and how weak he is in his misery!” - -The supplication touched him home. “I will always remember it, dear -Heart! I will remember it as long as I live.” - -He bent over the golden head, and put the rosy lips to his, and folded -her in his arms. If one forlorn wanderer then pacing the dark streets, -could have heard her innocent disclosure, and could have seen the drops -of pity kissed away by her husband from the soft blue eyes so loving of -that husband, he might have cried to the night--and the words would not -have parted from his lips for the first time-- - -“God bless her for her sweet compassion!” - - - - -XXI. Echoing Footsteps - - -A wonderful corner for echoes, it has been remarked, that corner where -the Doctor lived. Ever busily winding the golden thread which bound -her husband, and her father, and herself, and her old directress and -companion, in a life of quiet bliss, Lucie sat in the still house in -the tranquilly resounding corner, listening to the echoing footsteps of -years. - -At first, there were times, though she was a perfectly happy young wife, -when her work would slowly fall from her hands, and her eyes would be -dimmed. For, there was something coming in the echoes, something light, -afar off, and scarcely audible yet, that stirred her heart too much. -Fluttering hopes and doubts--hopes, of a love as yet unknown to her: -doubts, of her remaining upon earth, to enjoy that new delight--divided -her breast. Among the echoes then, there would arise the sound of -footsteps at her own early grave; and thoughts of the husband who would -be left so desolate, and who would mourn for her so much, swelled to her -eyes, and broke like waves. - -That time passed, and her little Lucie lay on her bosom. Then, among the -advancing echoes, there was the tread of her tiny feet and the sound of -her prattling words. Let greater echoes resound as they would, the young -mother at the cradle side could always hear those coming. They came, and -the shady house was sunny with a child's laugh, and the Divine friend of -children, to whom in her trouble she had confided hers, seemed to take -her child in his arms, as He took the child of old, and made it a sacred -joy to her. - -Ever busily winding the golden thread that bound them all together, -weaving the service of her happy influence through the tissue of all -their lives, and making it predominate nowhere, Lucie heard in the -echoes of years none but friendly and soothing sounds. Her husband's -step was strong and prosperous among them; her father's firm and equal. -Lo, Miss Pross, in harness of string, awakening the echoes, as an -unruly charger, whip-corrected, snorting and pawing the earth under the -plane-tree in the garden! - -Even when there were sounds of sorrow among the rest, they were not -harsh nor cruel. Even when golden hair, like her own, lay in a halo on a -pillow round the worn face of a little boy, and he said, with a radiant -smile, “Dear papa and mamma, I am very sorry to leave you both, and to -leave my pretty sister; but I am called, and I must go!” those were not -tears all of agony that wetted his young mother's cheek, as the spirit -departed from her embrace that had been entrusted to it. Suffer them and -forbid them not. They see my Father's face. O Father, blessed words! - -Thus, the rustling of an Angel's wings got blended with the other -echoes, and they were not wholly of earth, but had in them that breath -of Heaven. Sighs of the winds that blew over a little garden-tomb were -mingled with them also, and both were audible to Lucie, in a hushed -murmur--like the breathing of a summer sea asleep upon a sandy shore--as -the little Lucie, comically studious at the task of the morning, or -dressing a doll at her mother's footstool, chattered in the tongues of -the Two Cities that were blended in her life. - -The Echoes rarely answered to the actual tread of Sydney Carton. Some -half-dozen times a year, at most, he claimed his privilege of coming in -uninvited, and would sit among them through the evening, as he had once -done often. He never came there heated with wine. And one other thing -regarding him was whispered in the echoes, which has been whispered by -all true echoes for ages and ages. - -No man ever really loved a woman, lost her, and knew her with a -blameless though an unchanged mind, when she was a wife and a mother, -but her children had a strange sympathy with him--an instinctive -delicacy of pity for him. What fine hidden sensibilities are touched in -such a case, no echoes tell; but it is so, and it was so here. Carton -was the first stranger to whom little Lucie held out her chubby arms, -and he kept his place with her as she grew. The little boy had spoken of -him, almost at the last. “Poor Carton! Kiss him for me!” - -Mr. Stryver shouldered his way through the law, like some great engine -forcing itself through turbid water, and dragged his useful friend in -his wake, like a boat towed astern. As the boat so favoured is usually -in a rough plight, and mostly under water, so, Sydney had a swamped -life of it. But, easy and strong custom, unhappily so much easier and -stronger in him than any stimulating sense of desert or disgrace, made -it the life he was to lead; and he no more thought of emerging from his -state of lion's jackal, than any real jackal may be supposed to think of -rising to be a lion. Stryver was rich; had married a florid widow with -property and three boys, who had nothing particularly shining about them -but the straight hair of their dumpling heads. - -These three young gentlemen, Mr. Stryver, exuding patronage of the most -offensive quality from every pore, had walked before him like three -sheep to the quiet corner in Soho, and had offered as pupils to -Lucie's husband: delicately saying “Halloa! here are three lumps of -bread-and-cheese towards your matrimonial picnic, Darnay!” The polite -rejection of the three lumps of bread-and-cheese had quite bloated Mr. -Stryver with indignation, which he afterwards turned to account in the -training of the young gentlemen, by directing them to beware of the -pride of Beggars, like that tutor-fellow. He was also in the habit of -declaiming to Mrs. Stryver, over his full-bodied wine, on the arts -Mrs. Darnay had once put in practice to “catch” him, and on the -diamond-cut-diamond arts in himself, madam, which had rendered him “not -to be caught.” Some of his King's Bench familiars, who were occasionally -parties to the full-bodied wine and the lie, excused him for the -latter by saying that he had told it so often, that he believed -it himself--which is surely such an incorrigible aggravation of an -originally bad offence, as to justify any such offender's being carried -off to some suitably retired spot, and there hanged out of the way. - -These were among the echoes to which Lucie, sometimes pensive, sometimes -amused and laughing, listened in the echoing corner, until her little -daughter was six years old. How near to her heart the echoes of her -child's tread came, and those of her own dear father's, always active -and self-possessed, and those of her dear husband's, need not be told. -Nor, how the lightest echo of their united home, directed by herself -with such a wise and elegant thrift that it was more abundant than any -waste, was music to her. Nor, how there were echoes all about her, sweet -in her ears, of the many times her father had told her that he found her -more devoted to him married (if that could be) than single, and of the -many times her husband had said to her that no cares and duties seemed -to divide her love for him or her help to him, and asked her “What is -the magic secret, my darling, of your being everything to all of us, -as if there were only one of us, yet never seeming to be hurried, or to -have too much to do?” - -But, there were other echoes, from a distance, that rumbled menacingly -in the corner all through this space of time. And it was now, about -little Lucie's sixth birthday, that they began to have an awful sound, -as of a great storm in France with a dreadful sea rising. - -On a night in mid-July, one thousand seven hundred and eighty-nine, Mr. -Lorry came in late, from Tellson's, and sat himself down by Lucie and -her husband in the dark window. It was a hot, wild night, and they were -all three reminded of the old Sunday night when they had looked at the -lightning from the same place. - -“I began to think,” said Mr. Lorry, pushing his brown wig back, “that -I should have to pass the night at Tellson's. We have been so full of -business all day, that we have not known what to do first, or which way -to turn. There is such an uneasiness in Paris, that we have actually a -run of confidence upon us! Our customers over there, seem not to be able -to confide their property to us fast enough. There is positively a mania -among some of them for sending it to England.” - -“That has a bad look,” said Darnay-- - -“A bad look, you say, my dear Darnay? Yes, but we don't know what reason -there is in it. People are so unreasonable! Some of us at Tellson's are -getting old, and we really can't be troubled out of the ordinary course -without due occasion.” - -“Still,” said Darnay, “you know how gloomy and threatening the sky is.” - -“I know that, to be sure,” assented Mr. Lorry, trying to persuade -himself that his sweet temper was soured, and that he grumbled, “but I -am determined to be peevish after my long day's botheration. Where is -Manette?” - -“Here he is,” said the Doctor, entering the dark room at the moment. - -“I am quite glad you are at home; for these hurries and forebodings by -which I have been surrounded all day long, have made me nervous without -reason. You are not going out, I hope?” - -“No; I am going to play backgammon with you, if you like,” said the -Doctor. - -“I don't think I do like, if I may speak my mind. I am not fit to be -pitted against you to-night. Is the teaboard still there, Lucie? I can't -see.” - -“Of course, it has been kept for you.” - -“Thank ye, my dear. The precious child is safe in bed?” - -“And sleeping soundly.” - -“That's right; all safe and well! I don't know why anything should be -otherwise than safe and well here, thank God; but I have been so put out -all day, and I am not as young as I was! My tea, my dear! Thank ye. Now, -come and take your place in the circle, and let us sit quiet, and hear -the echoes about which you have your theory.” - -“Not a theory; it was a fancy.” - -“A fancy, then, my wise pet,” said Mr. Lorry, patting her hand. “They -are very numerous and very loud, though, are they not? Only hear them!” - -Headlong, mad, and dangerous footsteps to force their way into anybody's -life, footsteps not easily made clean again if once stained red, the -footsteps raging in Saint Antoine afar off, as the little circle sat in -the dark London window. - -Saint Antoine had been, that morning, a vast dusky mass of scarecrows -heaving to and fro, with frequent gleams of light above the billowy -heads, where steel blades and bayonets shone in the sun. A tremendous -roar arose from the throat of Saint Antoine, and a forest of naked arms -struggled in the air like shrivelled branches of trees in a winter wind: -all the fingers convulsively clutching at every weapon or semblance of a -weapon that was thrown up from the depths below, no matter how far off. - -Who gave them out, whence they last came, where they began, through what -agency they crookedly quivered and jerked, scores at a time, over the -heads of the crowd, like a kind of lightning, no eye in the throng could -have told; but, muskets were being distributed--so were cartridges, -powder, and ball, bars of iron and wood, knives, axes, pikes, every -weapon that distracted ingenuity could discover or devise. People who -could lay hold of nothing else, set themselves with bleeding hands to -force stones and bricks out of their places in walls. Every pulse and -heart in Saint Antoine was on high-fever strain and at high-fever heat. -Every living creature there held life as of no account, and was demented -with a passionate readiness to sacrifice it. - -As a whirlpool of boiling waters has a centre point, so, all this raging -circled round Defarge's wine-shop, and every human drop in the caldron -had a tendency to be sucked towards the vortex where Defarge himself, -already begrimed with gunpowder and sweat, issued orders, issued arms, -thrust this man back, dragged this man forward, disarmed one to arm -another, laboured and strove in the thickest of the uproar. - -“Keep near to me, Jacques Three,” cried Defarge; “and do you, Jacques -One and Two, separate and put yourselves at the head of as many of these -patriots as you can. Where is my wife?” - -“Eh, well! Here you see me!” said madame, composed as ever, but not -knitting to-day. Madame's resolute right hand was occupied with an axe, -in place of the usual softer implements, and in her girdle were a pistol -and a cruel knife. - -“Where do you go, my wife?” - -“I go,” said madame, “with you at present. You shall see me at the head -of women, by-and-bye.” - -“Come, then!” cried Defarge, in a resounding voice. “Patriots and -friends, we are ready! The Bastille!” - -With a roar that sounded as if all the breath in France had been shaped -into the detested word, the living sea rose, wave on wave, depth on -depth, and overflowed the city to that point. Alarm-bells ringing, drums -beating, the sea raging and thundering on its new beach, the attack -began. - -Deep ditches, double drawbridge, massive stone walls, eight great -towers, cannon, muskets, fire and smoke. Through the fire and through -the smoke--in the fire and in the smoke, for the sea cast him up against -a cannon, and on the instant he became a cannonier--Defarge of the -wine-shop worked like a manful soldier, Two fierce hours. - -Deep ditch, single drawbridge, massive stone walls, eight great towers, -cannon, muskets, fire and smoke. One drawbridge down! “Work, comrades -all, work! Work, Jacques One, Jacques Two, Jacques One Thousand, Jacques -Two Thousand, Jacques Five-and-Twenty Thousand; in the name of all -the Angels or the Devils--which you prefer--work!” Thus Defarge of the -wine-shop, still at his gun, which had long grown hot. - -“To me, women!” cried madame his wife. “What! We can kill as well as -the men when the place is taken!” And to her, with a shrill thirsty -cry, trooping women variously armed, but all armed alike in hunger and -revenge. - -Cannon, muskets, fire and smoke; but, still the deep ditch, the single -drawbridge, the massive stone walls, and the eight great towers. Slight -displacements of the raging sea, made by the falling wounded. Flashing -weapons, blazing torches, smoking waggonloads of wet straw, hard work -at neighbouring barricades in all directions, shrieks, volleys, -execrations, bravery without stint, boom smash and rattle, and the -furious sounding of the living sea; but, still the deep ditch, and the -single drawbridge, and the massive stone walls, and the eight great -towers, and still Defarge of the wine-shop at his gun, grown doubly hot -by the service of Four fierce hours. - -A white flag from within the fortress, and a parley--this dimly -perceptible through the raging storm, nothing audible in it--suddenly -the sea rose immeasurably wider and higher, and swept Defarge of the -wine-shop over the lowered drawbridge, past the massive stone outer -walls, in among the eight great towers surrendered! - -So resistless was the force of the ocean bearing him on, that even to -draw his breath or turn his head was as impracticable as if he had been -struggling in the surf at the South Sea, until he was landed in the -outer courtyard of the Bastille. There, against an angle of a wall, he -made a struggle to look about him. Jacques Three was nearly at his side; -Madame Defarge, still heading some of her women, was visible in the -inner distance, and her knife was in her hand. Everywhere was tumult, -exultation, deafening and maniacal bewilderment, astounding noise, yet -furious dumb-show. - -“The Prisoners!” - -“The Records!” - -“The secret cells!” - -“The instruments of torture!” - -“The Prisoners!” - -Of all these cries, and ten thousand incoherences, “The Prisoners!” was -the cry most taken up by the sea that rushed in, as if there were an -eternity of people, as well as of time and space. When the foremost -billows rolled past, bearing the prison officers with them, and -threatening them all with instant death if any secret nook remained -undisclosed, Defarge laid his strong hand on the breast of one of -these men--a man with a grey head, who had a lighted torch in his -hand--separated him from the rest, and got him between himself and the -wall. - -“Show me the North Tower!” said Defarge. “Quick!” - -“I will faithfully,” replied the man, “if you will come with me. But -there is no one there.” - -“What is the meaning of One Hundred and Five, North Tower?” asked -Defarge. “Quick!” - -“The meaning, monsieur?” - -“Does it mean a captive, or a place of captivity? Or do you mean that I -shall strike you dead?” - -“Kill him!” croaked Jacques Three, who had come close up. - -“Monsieur, it is a cell.” - -“Show it me!” - -“Pass this way, then.” - -Jacques Three, with his usual craving on him, and evidently disappointed -by the dialogue taking a turn that did not seem to promise bloodshed, -held by Defarge's arm as he held by the turnkey's. Their three heads had -been close together during this brief discourse, and it had been as much -as they could do to hear one another, even then: so tremendous was the -noise of the living ocean, in its irruption into the Fortress, and -its inundation of the courts and passages and staircases. All around -outside, too, it beat the walls with a deep, hoarse roar, from which, -occasionally, some partial shouts of tumult broke and leaped into the -air like spray. - -Through gloomy vaults where the light of day had never shone, past -hideous doors of dark dens and cages, down cavernous flights of steps, -and again up steep rugged ascents of stone and brick, more like dry -waterfalls than staircases, Defarge, the turnkey, and Jacques Three, -linked hand and arm, went with all the speed they could make. Here and -there, especially at first, the inundation started on them and swept by; -but when they had done descending, and were winding and climbing up a -tower, they were alone. Hemmed in here by the massive thickness of walls -and arches, the storm within the fortress and without was only audible -to them in a dull, subdued way, as if the noise out of which they had -come had almost destroyed their sense of hearing. - -The turnkey stopped at a low door, put a key in a clashing lock, swung -the door slowly open, and said, as they all bent their heads and passed -in: - -“One hundred and five, North Tower!” - -There was a small, heavily-grated, unglazed window high in the wall, -with a stone screen before it, so that the sky could be only seen by -stooping low and looking up. There was a small chimney, heavily barred -across, a few feet within. There was a heap of old feathery wood-ashes -on the hearth. There was a stool, and table, and a straw bed. There were -the four blackened walls, and a rusted iron ring in one of them. - -“Pass that torch slowly along these walls, that I may see them,” said -Defarge to the turnkey. - -The man obeyed, and Defarge followed the light closely with his eyes. - -“Stop!--Look here, Jacques!” - -“A. M.!” croaked Jacques Three, as he read greedily. - -“Alexandre Manette,” said Defarge in his ear, following the letters -with his swart forefinger, deeply engrained with gunpowder. “And here he -wrote 'a poor physician.' And it was he, without doubt, who scratched -a calendar on this stone. What is that in your hand? A crowbar? Give it -me!” - -He had still the linstock of his gun in his own hand. He made a sudden -exchange of the two instruments, and turning on the worm-eaten stool and -table, beat them to pieces in a few blows. - -“Hold the light higher!” he said, wrathfully, to the turnkey. “Look -among those fragments with care, Jacques. And see! Here is my knife,” - throwing it to him; “rip open that bed, and search the straw. Hold the -light higher, you!” - -With a menacing look at the turnkey he crawled upon the hearth, and, -peering up the chimney, struck and prised at its sides with the crowbar, -and worked at the iron grating across it. In a few minutes, some mortar -and dust came dropping down, which he averted his face to avoid; and -in it, and in the old wood-ashes, and in a crevice in the chimney -into which his weapon had slipped or wrought itself, he groped with a -cautious touch. - -“Nothing in the wood, and nothing in the straw, Jacques?” - -“Nothing.” - -“Let us collect them together, in the middle of the cell. So! Light -them, you!” - -The turnkey fired the little pile, which blazed high and hot. Stooping -again to come out at the low-arched door, they left it burning, and -retraced their way to the courtyard; seeming to recover their sense -of hearing as they came down, until they were in the raging flood once -more. - -They found it surging and tossing, in quest of Defarge himself. Saint -Antoine was clamorous to have its wine-shop keeper foremost in the guard -upon the governor who had defended the Bastille and shot the people. -Otherwise, the governor would not be marched to the Hotel de Ville for -judgment. Otherwise, the governor would escape, and the people's -blood (suddenly of some value, after many years of worthlessness) be -unavenged. - -In the howling universe of passion and contention that seemed to -encompass this grim old officer conspicuous in his grey coat and red -decoration, there was but one quite steady figure, and that was a -woman's. “See, there is my husband!” she cried, pointing him out. -“See Defarge!” She stood immovable close to the grim old officer, and -remained immovable close to him; remained immovable close to him through -the streets, as Defarge and the rest bore him along; remained immovable -close to him when he was got near his destination, and began to -be struck at from behind; remained immovable close to him when the -long-gathering rain of stabs and blows fell heavy; was so close to him -when he dropped dead under it, that, suddenly animated, she put her foot -upon his neck, and with her cruel knife--long ready--hewed off his head. - -The hour was come, when Saint Antoine was to execute his horrible idea -of hoisting up men for lamps to show what he could be and do. Saint -Antoine's blood was up, and the blood of tyranny and domination by the -iron hand was down--down on the steps of the Hotel de Ville where the -governor's body lay--down on the sole of the shoe of Madame Defarge -where she had trodden on the body to steady it for mutilation. “Lower -the lamp yonder!” cried Saint Antoine, after glaring round for a new -means of death; “here is one of his soldiers to be left on guard!” The -swinging sentinel was posted, and the sea rushed on. - -The sea of black and threatening waters, and of destructive upheaving -of wave against wave, whose depths were yet unfathomed and whose forces -were yet unknown. The remorseless sea of turbulently swaying shapes, -voices of vengeance, and faces hardened in the furnaces of suffering -until the touch of pity could make no mark on them. - -But, in the ocean of faces where every fierce and furious expression was -in vivid life, there were two groups of faces--each seven in number--so -fixedly contrasting with the rest, that never did sea roll which bore -more memorable wrecks with it. Seven faces of prisoners, suddenly -released by the storm that had burst their tomb, were carried high -overhead: all scared, all lost, all wondering and amazed, as if the Last -Day were come, and those who rejoiced around them were lost spirits. -Other seven faces there were, carried higher, seven dead faces, whose -drooping eyelids and half-seen eyes awaited the Last Day. Impassive -faces, yet with a suspended--not an abolished--expression on them; -faces, rather, in a fearful pause, as having yet to raise the dropped -lids of the eyes, and bear witness with the bloodless lips, “THOU DIDST -IT!” - -Seven prisoners released, seven gory heads on pikes, the keys of the -accursed fortress of the eight strong towers, some discovered letters -and other memorials of prisoners of old time, long dead of broken -hearts,--such, and such--like, the loudly echoing footsteps of Saint -Antoine escort through the Paris streets in mid-July, one thousand seven -hundred and eighty-nine. Now, Heaven defeat the fancy of Lucie Darnay, -and keep these feet far out of her life! For, they are headlong, mad, -and dangerous; and in the years so long after the breaking of the cask -at Defarge's wine-shop door, they are not easily purified when once -stained red. - - - - -XXII. The Sea Still Rises - - -Haggard Saint Antoine had had only one exultant week, in which to soften -his modicum of hard and bitter bread to such extent as he could, with -the relish of fraternal embraces and congratulations, when Madame -Defarge sat at her counter, as usual, presiding over the customers. -Madame Defarge wore no rose in her head, for the great brotherhood of -Spies had become, even in one short week, extremely chary of trusting -themselves to the saint's mercies. The lamps across his streets had a -portentously elastic swing with them. - -Madame Defarge, with her arms folded, sat in the morning light and heat, -contemplating the wine-shop and the street. In both, there were several -knots of loungers, squalid and miserable, but now with a manifest sense -of power enthroned on their distress. The raggedest nightcap, awry on -the wretchedest head, had this crooked significance in it: “I know how -hard it has grown for me, the wearer of this, to support life in myself; -but do you know how easy it has grown for me, the wearer of this, to -destroy life in you?” Every lean bare arm, that had been without work -before, had this work always ready for it now, that it could strike. -The fingers of the knitting women were vicious, with the experience that -they could tear. There was a change in the appearance of Saint Antoine; -the image had been hammering into this for hundreds of years, and the -last finishing blows had told mightily on the expression. - -Madame Defarge sat observing it, with such suppressed approval as was -to be desired in the leader of the Saint Antoine women. One of her -sisterhood knitted beside her. The short, rather plump wife of a starved -grocer, and the mother of two children withal, this lieutenant had -already earned the complimentary name of The Vengeance. - -“Hark!” said The Vengeance. “Listen, then! Who comes?” - -As if a train of powder laid from the outermost bound of Saint Antoine -Quarter to the wine-shop door, had been suddenly fired, a fast-spreading -murmur came rushing along. - -“It is Defarge,” said madame. “Silence, patriots!” - -Defarge came in breathless, pulled off a red cap he wore, and looked -around him! “Listen, everywhere!” said madame again. “Listen to him!” - Defarge stood, panting, against a background of eager eyes and open -mouths, formed outside the door; all those within the wine-shop had -sprung to their feet. - -“Say then, my husband. What is it?” - -“News from the other world!” - -“How, then?” cried madame, contemptuously. “The other world?” - -“Does everybody here recall old Foulon, who told the famished people -that they might eat grass, and who died, and went to Hell?” - -“Everybody!” from all throats. - -“The news is of him. He is among us!” - -“Among us!” from the universal throat again. “And dead?” - -“Not dead! He feared us so much--and with reason--that he caused himself -to be represented as dead, and had a grand mock-funeral. But they have -found him alive, hiding in the country, and have brought him in. I have -seen him but now, on his way to the Hotel de Ville, a prisoner. I have -said that he had reason to fear us. Say all! _Had_ he reason?” - -Wretched old sinner of more than threescore years and ten, if he had -never known it yet, he would have known it in his heart of hearts if he -could have heard the answering cry. - -A moment of profound silence followed. Defarge and his wife looked -steadfastly at one another. The Vengeance stooped, and the jar of a drum -was heard as she moved it at her feet behind the counter. - -“Patriots!” said Defarge, in a determined voice, “are we ready?” - -Instantly Madame Defarge's knife was in her girdle; the drum was beating -in the streets, as if it and a drummer had flown together by magic; and -The Vengeance, uttering terrific shrieks, and flinging her arms about -her head like all the forty Furies at once, was tearing from house to -house, rousing the women. - -The men were terrible, in the bloody-minded anger with which they looked -from windows, caught up what arms they had, and came pouring down into -the streets; but, the women were a sight to chill the boldest. From -such household occupations as their bare poverty yielded, from their -children, from their aged and their sick crouching on the bare ground -famished and naked, they ran out with streaming hair, urging one -another, and themselves, to madness with the wildest cries and actions. -Villain Foulon taken, my sister! Old Foulon taken, my mother! Miscreant -Foulon taken, my daughter! Then, a score of others ran into the midst of -these, beating their breasts, tearing their hair, and screaming, Foulon -alive! Foulon who told the starving people they might eat grass! Foulon -who told my old father that he might eat grass, when I had no bread -to give him! Foulon who told my baby it might suck grass, when these -breasts were dry with want! O mother of God, this Foulon! O Heaven our -suffering! Hear me, my dead baby and my withered father: I swear on my -knees, on these stones, to avenge you on Foulon! Husbands, and brothers, -and young men, Give us the blood of Foulon, Give us the head of Foulon, -Give us the heart of Foulon, Give us the body and soul of Foulon, Rend -Foulon to pieces, and dig him into the ground, that grass may grow from -him! With these cries, numbers of the women, lashed into blind frenzy, -whirled about, striking and tearing at their own friends until they -dropped into a passionate swoon, and were only saved by the men -belonging to them from being trampled under foot. - -Nevertheless, not a moment was lost; not a moment! This Foulon was at -the Hotel de Ville, and might be loosed. Never, if Saint Antoine knew -his own sufferings, insults, and wrongs! Armed men and women flocked out -of the Quarter so fast, and drew even these last dregs after them with -such a force of suction, that within a quarter of an hour there was not -a human creature in Saint Antoine's bosom but a few old crones and the -wailing children. - -No. They were all by that time choking the Hall of Examination where -this old man, ugly and wicked, was, and overflowing into the adjacent -open space and streets. The Defarges, husband and wife, The Vengeance, -and Jacques Three, were in the first press, and at no great distance -from him in the Hall. - -“See!” cried madame, pointing with her knife. “See the old villain bound -with ropes. That was well done to tie a bunch of grass upon his back. -Ha, ha! That was well done. Let him eat it now!” Madame put her knife -under her arm, and clapped her hands as at a play. - -The people immediately behind Madame Defarge, explaining the cause of -her satisfaction to those behind them, and those again explaining to -others, and those to others, the neighbouring streets resounded with the -clapping of hands. Similarly, during two or three hours of drawl, -and the winnowing of many bushels of words, Madame Defarge's frequent -expressions of impatience were taken up, with marvellous quickness, at -a distance: the more readily, because certain men who had by some -wonderful exercise of agility climbed up the external architecture -to look in from the windows, knew Madame Defarge well, and acted as a -telegraph between her and the crowd outside the building. - -At length the sun rose so high that it struck a kindly ray as of hope or -protection, directly down upon the old prisoner's head. The favour was -too much to bear; in an instant the barrier of dust and chaff that had -stood surprisingly long, went to the winds, and Saint Antoine had got -him! - -It was known directly, to the furthest confines of the crowd. Defarge -had but sprung over a railing and a table, and folded the miserable -wretch in a deadly embrace--Madame Defarge had but followed and turned -her hand in one of the ropes with which he was tied--The Vengeance and -Jacques Three were not yet up with them, and the men at the windows -had not yet swooped into the Hall, like birds of prey from their high -perches--when the cry seemed to go up, all over the city, “Bring him -out! Bring him to the lamp!” - -Down, and up, and head foremost on the steps of the building; now, on -his knees; now, on his feet; now, on his back; dragged, and struck at, -and stifled by the bunches of grass and straw that were thrust into his -face by hundreds of hands; torn, bruised, panting, bleeding, yet always -entreating and beseeching for mercy; now full of vehement agony of -action, with a small clear space about him as the people drew one -another back that they might see; now, a log of dead wood drawn through -a forest of legs; he was hauled to the nearest street corner where one -of the fatal lamps swung, and there Madame Defarge let him go--as a cat -might have done to a mouse--and silently and composedly looked at him -while they made ready, and while he besought her: the women passionately -screeching at him all the time, and the men sternly calling out to have -him killed with grass in his mouth. Once, he went aloft, and the rope -broke, and they caught him shrieking; twice, he went aloft, and the rope -broke, and they caught him shrieking; then, the rope was merciful, and -held him, and his head was soon upon a pike, with grass enough in the -mouth for all Saint Antoine to dance at the sight of. - -Nor was this the end of the day's bad work, for Saint Antoine so shouted -and danced his angry blood up, that it boiled again, on hearing when -the day closed in that the son-in-law of the despatched, another of the -people's enemies and insulters, was coming into Paris under a guard -five hundred strong, in cavalry alone. Saint Antoine wrote his crimes -on flaring sheets of paper, seized him--would have torn him out of the -breast of an army to bear Foulon company--set his head and heart on -pikes, and carried the three spoils of the day, in Wolf-procession -through the streets. - -Not before dark night did the men and women come back to the children, -wailing and breadless. Then, the miserable bakers' shops were beset by -long files of them, patiently waiting to buy bad bread; and while -they waited with stomachs faint and empty, they beguiled the time by -embracing one another on the triumphs of the day, and achieving them -again in gossip. Gradually, these strings of ragged people shortened and -frayed away; and then poor lights began to shine in high windows, and -slender fires were made in the streets, at which neighbours cooked in -common, afterwards supping at their doors. - -Scanty and insufficient suppers those, and innocent of meat, as of -most other sauce to wretched bread. Yet, human fellowship infused -some nourishment into the flinty viands, and struck some sparks of -cheerfulness out of them. Fathers and mothers who had had their full -share in the worst of the day, played gently with their meagre children; -and lovers, with such a world around them and before them, loved and -hoped. - -It was almost morning, when Defarge's wine-shop parted with its last -knot of customers, and Monsieur Defarge said to madame his wife, in -husky tones, while fastening the door: - -“At last it is come, my dear!” - -“Eh well!” returned madame. “Almost.” - -Saint Antoine slept, the Defarges slept: even The Vengeance slept with -her starved grocer, and the drum was at rest. The drum's was the -only voice in Saint Antoine that blood and hurry had not changed. The -Vengeance, as custodian of the drum, could have wakened him up and had -the same speech out of him as before the Bastille fell, or old Foulon -was seized; not so with the hoarse tones of the men and women in Saint -Antoine's bosom. - - - - -XXIII. Fire Rises - - -There was a change on the village where the fountain fell, and where -the mender of roads went forth daily to hammer out of the stones on the -highway such morsels of bread as might serve for patches to hold his -poor ignorant soul and his poor reduced body together. The prison on the -crag was not so dominant as of yore; there were soldiers to guard it, -but not many; there were officers to guard the soldiers, but not one of -them knew what his men would do--beyond this: that it would probably not -be what he was ordered. - -Far and wide lay a ruined country, yielding nothing but desolation. -Every green leaf, every blade of grass and blade of grain, was as -shrivelled and poor as the miserable people. Everything was bowed down, -dejected, oppressed, and broken. Habitations, fences, domesticated -animals, men, women, children, and the soil that bore them--all worn -out. - -Monseigneur (often a most worthy individual gentleman) was a national -blessing, gave a chivalrous tone to things, was a polite example of -luxurious and shining life, and a great deal more to equal purpose; -nevertheless, Monseigneur as a class had, somehow or other, brought -things to this. Strange that Creation, designed expressly for -Monseigneur, should be so soon wrung dry and squeezed out! There must -be something short-sighted in the eternal arrangements, surely! Thus it -was, however; and the last drop of blood having been extracted from the -flints, and the last screw of the rack having been turned so often that -its purchase crumbled, and it now turned and turned with nothing -to bite, Monseigneur began to run away from a phenomenon so low and -unaccountable. - -But, this was not the change on the village, and on many a village like -it. For scores of years gone by, Monseigneur had squeezed it and wrung -it, and had seldom graced it with his presence except for the pleasures -of the chase--now, found in hunting the people; now, found in hunting -the beasts, for whose preservation Monseigneur made edifying spaces -of barbarous and barren wilderness. No. The change consisted in -the appearance of strange faces of low caste, rather than in the -disappearance of the high caste, chiselled, and otherwise beautified and -beautifying features of Monseigneur. - -For, in these times, as the mender of roads worked, solitary, in the -dust, not often troubling himself to reflect that dust he was and -to dust he must return, being for the most part too much occupied in -thinking how little he had for supper and how much more he would eat if -he had it--in these times, as he raised his eyes from his lonely labour, -and viewed the prospect, he would see some rough figure approaching on -foot, the like of which was once a rarity in those parts, but was now -a frequent presence. As it advanced, the mender of roads would discern -without surprise, that it was a shaggy-haired man, of almost barbarian -aspect, tall, in wooden shoes that were clumsy even to the eyes of a -mender of roads, grim, rough, swart, steeped in the mud and dust of many -highways, dank with the marshy moisture of many low grounds, sprinkled -with the thorns and leaves and moss of many byways through woods. - -Such a man came upon him, like a ghost, at noon in the July weather, -as he sat on his heap of stones under a bank, taking such shelter as he -could get from a shower of hail. - -The man looked at him, looked at the village in the hollow, at the mill, -and at the prison on the crag. When he had identified these objects -in what benighted mind he had, he said, in a dialect that was just -intelligible: - -“How goes it, Jacques?” - -“All well, Jacques.” - -“Touch then!” - -They joined hands, and the man sat down on the heap of stones. - -“No dinner?” - -“Nothing but supper now,” said the mender of roads, with a hungry face. - -“It is the fashion,” growled the man. “I meet no dinner anywhere.” - -He took out a blackened pipe, filled it, lighted it with flint and -steel, pulled at it until it was in a bright glow: then, suddenly held -it from him and dropped something into it from between his finger and -thumb, that blazed and went out in a puff of smoke. - -“Touch then.” It was the turn of the mender of roads to say it this -time, after observing these operations. They again joined hands. - -“To-night?” said the mender of roads. - -“To-night,” said the man, putting the pipe in his mouth. - -“Where?” - -“Here.” - -He and the mender of roads sat on the heap of stones looking silently at -one another, with the hail driving in between them like a pigmy charge -of bayonets, until the sky began to clear over the village. - -“Show me!” said the traveller then, moving to the brow of the hill. - -“See!” returned the mender of roads, with extended finger. “You go down -here, and straight through the street, and past the fountain--” - -“To the Devil with all that!” interrupted the other, rolling his eye -over the landscape. “_I_ go through no streets and past no fountains. -Well?” - -“Well! About two leagues beyond the summit of that hill above the -village.” - -“Good. When do you cease to work?” - -“At sunset.” - -“Will you wake me, before departing? I have walked two nights without -resting. Let me finish my pipe, and I shall sleep like a child. Will you -wake me?” - -“Surely.” - -The wayfarer smoked his pipe out, put it in his breast, slipped off his -great wooden shoes, and lay down on his back on the heap of stones. He -was fast asleep directly. - -As the road-mender plied his dusty labour, and the hail-clouds, rolling -away, revealed bright bars and streaks of sky which were responded to -by silver gleams upon the landscape, the little man (who wore a red cap -now, in place of his blue one) seemed fascinated by the figure on the -heap of stones. His eyes were so often turned towards it, that he used -his tools mechanically, and, one would have said, to very poor account. -The bronze face, the shaggy black hair and beard, the coarse woollen -red cap, the rough medley dress of home-spun stuff and hairy skins of -beasts, the powerful frame attenuated by spare living, and the sullen -and desperate compression of the lips in sleep, inspired the mender -of roads with awe. The traveller had travelled far, and his feet were -footsore, and his ankles chafed and bleeding; his great shoes, stuffed -with leaves and grass, had been heavy to drag over the many long -leagues, and his clothes were chafed into holes, as he himself was into -sores. Stooping down beside him, the road-mender tried to get a peep at -secret weapons in his breast or where not; but, in vain, for he slept -with his arms crossed upon him, and set as resolutely as his lips. -Fortified towns with their stockades, guard-houses, gates, trenches, and -drawbridges, seemed to the mender of roads, to be so much air as against -this figure. And when he lifted his eyes from it to the horizon and -looked around, he saw in his small fancy similar figures, stopped by no -obstacle, tending to centres all over France. - -The man slept on, indifferent to showers of hail and intervals of -brightness, to sunshine on his face and shadow, to the paltering lumps -of dull ice on his body and the diamonds into which the sun changed -them, until the sun was low in the west, and the sky was glowing. Then, -the mender of roads having got his tools together and all things ready -to go down into the village, roused him. - -“Good!” said the sleeper, rising on his elbow. “Two leagues beyond the -summit of the hill?” - -“About.” - -“About. Good!” - -The mender of roads went home, with the dust going on before him -according to the set of the wind, and was soon at the fountain, -squeezing himself in among the lean kine brought there to drink, and -appearing even to whisper to them in his whispering to all the village. -When the village had taken its poor supper, it did not creep to bed, -as it usually did, but came out of doors again, and remained there. A -curious contagion of whispering was upon it, and also, when it gathered -together at the fountain in the dark, another curious contagion of -looking expectantly at the sky in one direction only. Monsieur Gabelle, -chief functionary of the place, became uneasy; went out on his house-top -alone, and looked in that direction too; glanced down from behind his -chimneys at the darkening faces by the fountain below, and sent word to -the sacristan who kept the keys of the church, that there might be need -to ring the tocsin by-and-bye. - -The night deepened. The trees environing the old chateau, keeping its -solitary state apart, moved in a rising wind, as though they threatened -the pile of building massive and dark in the gloom. Up the two terrace -flights of steps the rain ran wildly, and beat at the great door, like a -swift messenger rousing those within; uneasy rushes of wind went through -the hall, among the old spears and knives, and passed lamenting up the -stairs, and shook the curtains of the bed where the last Marquis -had slept. East, West, North, and South, through the woods, four -heavy-treading, unkempt figures crushed the high grass and cracked the -branches, striding on cautiously to come together in the courtyard. Four -lights broke out there, and moved away in different directions, and all -was black again. - -But, not for long. Presently, the chateau began to make itself strangely -visible by some light of its own, as though it were growing luminous. -Then, a flickering streak played behind the architecture of the front, -picking out transparent places, and showing where balustrades, arches, -and windows were. Then it soared higher, and grew broader and brighter. -Soon, from a score of the great windows, flames burst forth, and the -stone faces awakened, stared out of fire. - -A faint murmur arose about the house from the few people who were left -there, and there was a saddling of a horse and riding away. There was -spurring and splashing through the darkness, and bridle was drawn in the -space by the village fountain, and the horse in a foam stood at Monsieur -Gabelle's door. “Help, Gabelle! Help, every one!” The tocsin rang -impatiently, but other help (if that were any) there was none. The -mender of roads, and two hundred and fifty particular friends, stood -with folded arms at the fountain, looking at the pillar of fire in the -sky. “It must be forty feet high,” said they, grimly; and never moved. - -The rider from the chateau, and the horse in a foam, clattered away -through the village, and galloped up the stony steep, to the prison on -the crag. At the gate, a group of officers were looking at the fire; -removed from them, a group of soldiers. “Help, gentlemen--officers! The -chateau is on fire; valuable objects may be saved from the flames by -timely aid! Help, help!” The officers looked towards the soldiers who -looked at the fire; gave no orders; and answered, with shrugs and biting -of lips, “It must burn.” - -As the rider rattled down the hill again and through the street, the -village was illuminating. The mender of roads, and the two hundred and -fifty particular friends, inspired as one man and woman by the idea of -lighting up, had darted into their houses, and were putting candles in -every dull little pane of glass. The general scarcity of everything, -occasioned candles to be borrowed in a rather peremptory manner of -Monsieur Gabelle; and in a moment of reluctance and hesitation on -that functionary's part, the mender of roads, once so submissive to -authority, had remarked that carriages were good to make bonfires with, -and that post-horses would roast. - -The chateau was left to itself to flame and burn. In the roaring and -raging of the conflagration, a red-hot wind, driving straight from the -infernal regions, seemed to be blowing the edifice away. With the rising -and falling of the blaze, the stone faces showed as if they were in -torment. When great masses of stone and timber fell, the face with the -two dints in the nose became obscured: anon struggled out of the smoke -again, as if it were the face of the cruel Marquis, burning at the stake -and contending with the fire. - -The chateau burned; the nearest trees, laid hold of by the fire, -scorched and shrivelled; trees at a distance, fired by the four fierce -figures, begirt the blazing edifice with a new forest of smoke. Molten -lead and iron boiled in the marble basin of the fountain; the water ran -dry; the extinguisher tops of the towers vanished like ice before the -heat, and trickled down into four rugged wells of flame. Great rents and -splits branched out in the solid walls, like crystallisation; stupefied -birds wheeled about and dropped into the furnace; four fierce figures -trudged away, East, West, North, and South, along the night-enshrouded -roads, guided by the beacon they had lighted, towards their next -destination. The illuminated village had seized hold of the tocsin, and, -abolishing the lawful ringer, rang for joy. - -Not only that; but the village, light-headed with famine, fire, and -bell-ringing, and bethinking itself that Monsieur Gabelle had to do with -the collection of rent and taxes--though it was but a small instalment -of taxes, and no rent at all, that Gabelle had got in those latter -days--became impatient for an interview with him, and, surrounding his -house, summoned him to come forth for personal conference. Whereupon, -Monsieur Gabelle did heavily bar his door, and retire to hold counsel -with himself. The result of that conference was, that Gabelle again -withdrew himself to his housetop behind his stack of chimneys; this time -resolved, if his door were broken in (he was a small Southern man -of retaliative temperament), to pitch himself head foremost over the -parapet, and crush a man or two below. - -Probably, Monsieur Gabelle passed a long night up there, with the -distant chateau for fire and candle, and the beating at his door, -combined with the joy-ringing, for music; not to mention his having an -ill-omened lamp slung across the road before his posting-house gate, -which the village showed a lively inclination to displace in his favour. -A trying suspense, to be passing a whole summer night on the brink of -the black ocean, ready to take that plunge into it upon which Monsieur -Gabelle had resolved! But, the friendly dawn appearing at last, and the -rush-candles of the village guttering out, the people happily dispersed, -and Monsieur Gabelle came down bringing his life with him for that -while. - -Within a hundred miles, and in the light of other fires, there were -other functionaries less fortunate, that night and other nights, whom -the rising sun found hanging across once-peaceful streets, where they -had been born and bred; also, there were other villagers and townspeople -less fortunate than the mender of roads and his fellows, upon whom the -functionaries and soldiery turned with success, and whom they strung up -in their turn. But, the fierce figures were steadily wending East, West, -North, and South, be that as it would; and whosoever hung, fire burned. -The altitude of the gallows that would turn to water and quench it, -no functionary, by any stretch of mathematics, was able to calculate -successfully. - - - - -XXIV. Drawn to the Loadstone Rock - - -In such risings of fire and risings of sea--the firm earth shaken by -the rushes of an angry ocean which had now no ebb, but was always on the -flow, higher and higher, to the terror and wonder of the beholders on -the shore--three years of tempest were consumed. Three more birthdays -of little Lucie had been woven by the golden thread into the peaceful -tissue of the life of her home. - -Many a night and many a day had its inmates listened to the echoes in -the corner, with hearts that failed them when they heard the thronging -feet. For, the footsteps had become to their minds as the footsteps of -a people, tumultuous under a red flag and with their country declared in -danger, changed into wild beasts, by terrible enchantment long persisted -in. - -Monseigneur, as a class, had dissociated himself from the phenomenon of -his not being appreciated: of his being so little wanted in France, as -to incur considerable danger of receiving his dismissal from it, and -this life together. Like the fabled rustic who raised the Devil with -infinite pains, and was so terrified at the sight of him that he could -ask the Enemy no question, but immediately fled; so, Monseigneur, after -boldly reading the Lord's Prayer backwards for a great number of years, -and performing many other potent spells for compelling the Evil One, no -sooner beheld him in his terrors than he took to his noble heels. - -The shining Bull's Eye of the Court was gone, or it would have been the -mark for a hurricane of national bullets. It had never been a good -eye to see with--had long had the mote in it of Lucifer's pride, -Sardanapalus's luxury, and a mole's blindness--but it had dropped -out and was gone. The Court, from that exclusive inner circle to its -outermost rotten ring of intrigue, corruption, and dissimulation, was -all gone together. Royalty was gone; had been besieged in its Palace and -“suspended,” when the last tidings came over. - -The August of the year one thousand seven hundred and ninety-two was -come, and Monseigneur was by this time scattered far and wide. - -As was natural, the head-quarters and great gathering-place of -Monseigneur, in London, was Tellson's Bank. Spirits are supposed to -haunt the places where their bodies most resorted, and Monseigneur -without a guinea haunted the spot where his guineas used to be. -Moreover, it was the spot to which such French intelligence as was most -to be relied upon, came quickest. Again: Tellson's was a munificent -house, and extended great liberality to old customers who had fallen -from their high estate. Again: those nobles who had seen the coming -storm in time, and anticipating plunder or confiscation, had made -provident remittances to Tellson's, were always to be heard of there -by their needy brethren. To which it must be added that every new-comer -from France reported himself and his tidings at Tellson's, almost as -a matter of course. For such variety of reasons, Tellson's was at that -time, as to French intelligence, a kind of High Exchange; and this -was so well known to the public, and the inquiries made there were in -consequence so numerous, that Tellson's sometimes wrote the latest news -out in a line or so and posted it in the Bank windows, for all who ran -through Temple Bar to read. - -On a steaming, misty afternoon, Mr. Lorry sat at his desk, and Charles -Darnay stood leaning on it, talking with him in a low voice. The -penitential den once set apart for interviews with the House, was now -the news-Exchange, and was filled to overflowing. It was within half an -hour or so of the time of closing. - -“But, although you are the youngest man that ever lived,” said Charles -Darnay, rather hesitating, “I must still suggest to you--” - -“I understand. That I am too old?” said Mr. Lorry. - -“Unsettled weather, a long journey, uncertain means of travelling, a -disorganised country, a city that may not be even safe for you.” - -“My dear Charles,” said Mr. Lorry, with cheerful confidence, “you touch -some of the reasons for my going: not for my staying away. It is safe -enough for me; nobody will care to interfere with an old fellow of hard -upon fourscore when there are so many people there much better worth -interfering with. As to its being a disorganised city, if it were not a -disorganised city there would be no occasion to send somebody from our -House here to our House there, who knows the city and the business, of -old, and is in Tellson's confidence. As to the uncertain travelling, the -long journey, and the winter weather, if I were not prepared to submit -myself to a few inconveniences for the sake of Tellson's, after all -these years, who ought to be?” - -“I wish I were going myself,” said Charles Darnay, somewhat restlessly, -and like one thinking aloud. - -“Indeed! You are a pretty fellow to object and advise!” exclaimed Mr. -Lorry. “You wish you were going yourself? And you a Frenchman born? You -are a wise counsellor.” - -“My dear Mr. Lorry, it is because I am a Frenchman born, that the -thought (which I did not mean to utter here, however) has passed through -my mind often. One cannot help thinking, having had some sympathy for -the miserable people, and having abandoned something to them,” he spoke -here in his former thoughtful manner, “that one might be listened to, -and might have the power to persuade to some restraint. Only last night, -after you had left us, when I was talking to Lucie--” - -“When you were talking to Lucie,” Mr. Lorry repeated. “Yes. I wonder you -are not ashamed to mention the name of Lucie! Wishing you were going to -France at this time of day!” - -“However, I am not going,” said Charles Darnay, with a smile. “It is -more to the purpose that you say you are.” - -“And I am, in plain reality. The truth is, my dear Charles,” Mr. Lorry -glanced at the distant House, and lowered his voice, “you can have no -conception of the difficulty with which our business is transacted, and -of the peril in which our books and papers over yonder are involved. The -Lord above knows what the compromising consequences would be to numbers -of people, if some of our documents were seized or destroyed; and they -might be, at any time, you know, for who can say that Paris is not set -afire to-day, or sacked to-morrow! Now, a judicious selection from these -with the least possible delay, and the burying of them, or otherwise -getting of them out of harm's way, is within the power (without loss of -precious time) of scarcely any one but myself, if any one. And shall -I hang back, when Tellson's knows this and says this--Tellson's, whose -bread I have eaten these sixty years--because I am a little stiff about -the joints? Why, I am a boy, sir, to half a dozen old codgers here!” - -“How I admire the gallantry of your youthful spirit, Mr. Lorry.” - -“Tut! Nonsense, sir!--And, my dear Charles,” said Mr. Lorry, glancing at -the House again, “you are to remember, that getting things out of -Paris at this present time, no matter what things, is next to an -impossibility. Papers and precious matters were this very day brought -to us here (I speak in strict confidence; it is not business-like to -whisper it, even to you), by the strangest bearers you can imagine, -every one of whom had his head hanging on by a single hair as he passed -the Barriers. At another time, our parcels would come and go, as easily -as in business-like Old England; but now, everything is stopped.” - -“And do you really go to-night?” - -“I really go to-night, for the case has become too pressing to admit of -delay.” - -“And do you take no one with you?” - -“All sorts of people have been proposed to me, but I will have nothing -to say to any of them. I intend to take Jerry. Jerry has been my -bodyguard on Sunday nights for a long time past and I am used to him. -Nobody will suspect Jerry of being anything but an English bull-dog, or -of having any design in his head but to fly at anybody who touches his -master.” - -“I must say again that I heartily admire your gallantry and -youthfulness.” - -“I must say again, nonsense, nonsense! When I have executed this little -commission, I shall, perhaps, accept Tellson's proposal to retire and -live at my ease. Time enough, then, to think about growing old.” - -This dialogue had taken place at Mr. Lorry's usual desk, with -Monseigneur swarming within a yard or two of it, boastful of what he -would do to avenge himself on the rascal-people before long. It was too -much the way of Monseigneur under his reverses as a refugee, and it -was much too much the way of native British orthodoxy, to talk of this -terrible Revolution as if it were the only harvest ever known under -the skies that had not been sown--as if nothing had ever been done, or -omitted to be done, that had led to it--as if observers of the wretched -millions in France, and of the misused and perverted resources that -should have made them prosperous, had not seen it inevitably coming, -years before, and had not in plain words recorded what they saw. Such -vapouring, combined with the extravagant plots of Monseigneur for the -restoration of a state of things that had utterly exhausted itself, -and worn out Heaven and earth as well as itself, was hard to be endured -without some remonstrance by any sane man who knew the truth. And it was -such vapouring all about his ears, like a troublesome confusion of blood -in his own head, added to a latent uneasiness in his mind, which had -already made Charles Darnay restless, and which still kept him so. - -Among the talkers, was Stryver, of the King's Bench Bar, far on his -way to state promotion, and, therefore, loud on the theme: broaching -to Monseigneur, his devices for blowing the people up and exterminating -them from the face of the earth, and doing without them: and for -accomplishing many similar objects akin in their nature to the abolition -of eagles by sprinkling salt on the tails of the race. Him, Darnay heard -with a particular feeling of objection; and Darnay stood divided between -going away that he might hear no more, and remaining to interpose his -word, when the thing that was to be, went on to shape itself out. - -The House approached Mr. Lorry, and laying a soiled and unopened letter -before him, asked if he had yet discovered any traces of the person to -whom it was addressed? The House laid the letter down so close to Darnay -that he saw the direction--the more quickly because it was his own right -name. The address, turned into English, ran: - -“Very pressing. To Monsieur heretofore the Marquis St. Evremonde, of -France. Confided to the cares of Messrs. Tellson and Co., Bankers, -London, England.” - -On the marriage morning, Doctor Manette had made it his one urgent and -express request to Charles Darnay, that the secret of this name should -be--unless he, the Doctor, dissolved the obligation--kept inviolate -between them. Nobody else knew it to be his name; his own wife had no -suspicion of the fact; Mr. Lorry could have none. - -“No,” said Mr. Lorry, in reply to the House; “I have referred it, -I think, to everybody now here, and no one can tell me where this -gentleman is to be found.” - -The hands of the clock verging upon the hour of closing the Bank, there -was a general set of the current of talkers past Mr. Lorry's desk. He -held the letter out inquiringly; and Monseigneur looked at it, in the -person of this plotting and indignant refugee; and Monseigneur looked at -it in the person of that plotting and indignant refugee; and This, That, -and The Other, all had something disparaging to say, in French or in -English, concerning the Marquis who was not to be found. - -“Nephew, I believe--but in any case degenerate successor--of the -polished Marquis who was murdered,” said one. “Happy to say, I never -knew him.” - -“A craven who abandoned his post,” said another--this Monseigneur had -been got out of Paris, legs uppermost and half suffocated, in a load of -hay--“some years ago.” - -“Infected with the new doctrines,” said a third, eyeing the direction -through his glass in passing; “set himself in opposition to the last -Marquis, abandoned the estates when he inherited them, and left them to -the ruffian herd. They will recompense him now, I hope, as he deserves.” - -“Hey?” cried the blatant Stryver. “Did he though? Is that the sort of -fellow? Let us look at his infamous name. D--n the fellow!” - -Darnay, unable to restrain himself any longer, touched Mr. Stryver on -the shoulder, and said: - -“I know the fellow.” - -“Do you, by Jupiter?” said Stryver. “I am sorry for it.” - -“Why?” - -“Why, Mr. Darnay? D'ye hear what he did? Don't ask, why, in these -times.” - -“But I do ask why?” - -“Then I tell you again, Mr. Darnay, I am sorry for it. I am sorry to -hear you putting any such extraordinary questions. Here is a fellow, -who, infected by the most pestilent and blasphemous code of devilry that -ever was known, abandoned his property to the vilest scum of the earth -that ever did murder by wholesale, and you ask me why I am sorry that a -man who instructs youth knows him? Well, but I'll answer you. I am sorry -because I believe there is contamination in such a scoundrel. That's -why.” - -Mindful of the secret, Darnay with great difficulty checked himself, and -said: “You may not understand the gentleman.” - -“I understand how to put _you_ in a corner, Mr. Darnay,” said Bully -Stryver, “and I'll do it. If this fellow is a gentleman, I _don't_ -understand him. You may tell him so, with my compliments. You may also -tell him, from me, that after abandoning his worldly goods and position -to this butcherly mob, I wonder he is not at the head of them. But, no, -gentlemen,” said Stryver, looking all round, and snapping his fingers, -“I know something of human nature, and I tell you that you'll never -find a fellow like this fellow, trusting himself to the mercies of such -precious _protégés_. No, gentlemen; he'll always show 'em a clean pair -of heels very early in the scuffle, and sneak away.” - -With those words, and a final snap of his fingers, Mr. Stryver -shouldered himself into Fleet-street, amidst the general approbation of -his hearers. Mr. Lorry and Charles Darnay were left alone at the desk, -in the general departure from the Bank. - -“Will you take charge of the letter?” said Mr. Lorry. “You know where to -deliver it?” - -“I do.” - -“Will you undertake to explain, that we suppose it to have been -addressed here, on the chance of our knowing where to forward it, and -that it has been here some time?” - -“I will do so. Do you start for Paris from here?” - -“From here, at eight.” - -“I will come back, to see you off.” - -Very ill at ease with himself, and with Stryver and most other men, -Darnay made the best of his way into the quiet of the Temple, opened the -letter, and read it. These were its contents: - - -“Prison of the Abbaye, Paris. - -“June 21, 1792. “MONSIEUR HERETOFORE THE MARQUIS. - -“After having long been in danger of my life at the hands of the -village, I have been seized, with great violence and indignity, and -brought a long journey on foot to Paris. On the road I have suffered a -great deal. Nor is that all; my house has been destroyed--razed to the -ground. - -“The crime for which I am imprisoned, Monsieur heretofore the Marquis, -and for which I shall be summoned before the tribunal, and shall lose my -life (without your so generous help), is, they tell me, treason against -the majesty of the people, in that I have acted against them for an -emigrant. It is in vain I represent that I have acted for them, and not -against, according to your commands. It is in vain I represent that, -before the sequestration of emigrant property, I had remitted the -imposts they had ceased to pay; that I had collected no rent; that I had -had recourse to no process. The only response is, that I have acted for -an emigrant, and where is that emigrant? - -“Ah! most gracious Monsieur heretofore the Marquis, where is that -emigrant? I cry in my sleep where is he? I demand of Heaven, will he -not come to deliver me? No answer. Ah Monsieur heretofore the Marquis, -I send my desolate cry across the sea, hoping it may perhaps reach your -ears through the great bank of Tilson known at Paris! - -“For the love of Heaven, of justice, of generosity, of the honour of -your noble name, I supplicate you, Monsieur heretofore the Marquis, to -succour and release me. My fault is, that I have been true to you. Oh -Monsieur heretofore the Marquis, I pray you be you true to me! - -“From this prison here of horror, whence I every hour tend nearer and -nearer to destruction, I send you, Monsieur heretofore the Marquis, the -assurance of my dolorous and unhappy service. - -“Your afflicted, - -“Gabelle.” - - -The latent uneasiness in Darnay's mind was roused to vigourous life -by this letter. The peril of an old servant and a good one, whose -only crime was fidelity to himself and his family, stared him so -reproachfully in the face, that, as he walked to and fro in the Temple -considering what to do, he almost hid his face from the passersby. - -He knew very well, that in his horror of the deed which had culminated -the bad deeds and bad reputation of the old family house, in his -resentful suspicions of his uncle, and in the aversion with which his -conscience regarded the crumbling fabric that he was supposed to uphold, -he had acted imperfectly. He knew very well, that in his love for Lucie, -his renunciation of his social place, though by no means new to his own -mind, had been hurried and incomplete. He knew that he ought to have -systematically worked it out and supervised it, and that he had meant to -do it, and that it had never been done. - -The happiness of his own chosen English home, the necessity of being -always actively employed, the swift changes and troubles of the time -which had followed on one another so fast, that the events of this week -annihilated the immature plans of last week, and the events of the week -following made all new again; he knew very well, that to the force of -these circumstances he had yielded:--not without disquiet, but still -without continuous and accumulating resistance. That he had watched -the times for a time of action, and that they had shifted and struggled -until the time had gone by, and the nobility were trooping from -France by every highway and byway, and their property was in course of -confiscation and destruction, and their very names were blotting out, -was as well known to himself as it could be to any new authority in -France that might impeach him for it. - -But, he had oppressed no man, he had imprisoned no man; he was so -far from having harshly exacted payment of his dues, that he had -relinquished them of his own will, thrown himself on a world with no -favour in it, won his own private place there, and earned his own -bread. Monsieur Gabelle had held the impoverished and involved estate -on written instructions, to spare the people, to give them what little -there was to give--such fuel as the heavy creditors would let them have -in the winter, and such produce as could be saved from the same grip in -the summer--and no doubt he had put the fact in plea and proof, for his -own safety, so that it could not but appear now. - -This favoured the desperate resolution Charles Darnay had begun to make, -that he would go to Paris. - -Yes. Like the mariner in the old story, the winds and streams had driven -him within the influence of the Loadstone Rock, and it was drawing him -to itself, and he must go. Everything that arose before his mind drifted -him on, faster and faster, more and more steadily, to the terrible -attraction. His latent uneasiness had been, that bad aims were being -worked out in his own unhappy land by bad instruments, and that he who -could not fail to know that he was better than they, was not there, -trying to do something to stay bloodshed, and assert the claims of mercy -and humanity. With this uneasiness half stifled, and half reproaching -him, he had been brought to the pointed comparison of himself with the -brave old gentleman in whom duty was so strong; upon that comparison -(injurious to himself) had instantly followed the sneers of Monseigneur, -which had stung him bitterly, and those of Stryver, which above all were -coarse and galling, for old reasons. Upon those, had followed Gabelle's -letter: the appeal of an innocent prisoner, in danger of death, to his -justice, honour, and good name. - -His resolution was made. He must go to Paris. - -Yes. The Loadstone Rock was drawing him, and he must sail on, until he -struck. He knew of no rock; he saw hardly any danger. The intention -with which he had done what he had done, even although he had left -it incomplete, presented it before him in an aspect that would be -gratefully acknowledged in France on his presenting himself to assert -it. Then, that glorious vision of doing good, which is so often the -sanguine mirage of so many good minds, arose before him, and he even -saw himself in the illusion with some influence to guide this raging -Revolution that was running so fearfully wild. - -As he walked to and fro with his resolution made, he considered that -neither Lucie nor her father must know of it until he was gone. -Lucie should be spared the pain of separation; and her father, always -reluctant to turn his thoughts towards the dangerous ground of old, -should come to the knowledge of the step, as a step taken, and not in -the balance of suspense and doubt. How much of the incompleteness of his -situation was referable to her father, through the painful anxiety -to avoid reviving old associations of France in his mind, he did not -discuss with himself. But, that circumstance too, had had its influence -in his course. - -He walked to and fro, with thoughts very busy, until it was time to -return to Tellson's and take leave of Mr. Lorry. As soon as he arrived -in Paris he would present himself to this old friend, but he must say -nothing of his intention now. - -A carriage with post-horses was ready at the Bank door, and Jerry was -booted and equipped. - -“I have delivered that letter,” said Charles Darnay to Mr. Lorry. “I -would not consent to your being charged with any written answer, but -perhaps you will take a verbal one?” - -“That I will, and readily,” said Mr. Lorry, “if it is not dangerous.” - -“Not at all. Though it is to a prisoner in the Abbaye.” - -“What is his name?” said Mr. Lorry, with his open pocket-book in his -hand. - -“Gabelle.” - -“Gabelle. And what is the message to the unfortunate Gabelle in prison?” - -“Simply, 'that he has received the letter, and will come.'” - -“Any time mentioned?” - -“He will start upon his journey to-morrow night.” - -“Any person mentioned?” - -“No.” - -He helped Mr. Lorry to wrap himself in a number of coats and cloaks, -and went out with him from the warm atmosphere of the old Bank, into the -misty air of Fleet-street. “My love to Lucie, and to little Lucie,” said -Mr. Lorry at parting, “and take precious care of them till I come back.” - Charles Darnay shook his head and doubtfully smiled, as the carriage -rolled away. - -That night--it was the fourteenth of August--he sat up late, and wrote -two fervent letters; one was to Lucie, explaining the strong obligation -he was under to go to Paris, and showing her, at length, the reasons -that he had, for feeling confident that he could become involved in no -personal danger there; the other was to the Doctor, confiding Lucie and -their dear child to his care, and dwelling on the same topics with the -strongest assurances. To both, he wrote that he would despatch letters -in proof of his safety, immediately after his arrival. - -It was a hard day, that day of being among them, with the first -reservation of their joint lives on his mind. It was a hard matter to -preserve the innocent deceit of which they were profoundly unsuspicious. -But, an affectionate glance at his wife, so happy and busy, made him -resolute not to tell her what impended (he had been half moved to do it, -so strange it was to him to act in anything without her quiet aid), and -the day passed quickly. Early in the evening he embraced her, and her -scarcely less dear namesake, pretending that he would return by-and-bye -(an imaginary engagement took him out, and he had secreted a valise -of clothes ready), and so he emerged into the heavy mist of the heavy -streets, with a heavier heart. - -The unseen force was drawing him fast to itself, now, and all the tides -and winds were setting straight and strong towards it. He left his -two letters with a trusty porter, to be delivered half an hour before -midnight, and no sooner; took horse for Dover; and began his journey. -“For the love of Heaven, of justice, of generosity, of the honour of -your noble name!” was the poor prisoner's cry with which he strengthened -his sinking heart, as he left all that was dear on earth behind him, and -floated away for the Loadstone Rock. - - -The end of the second book. - - - - - -Book the Third--the Track of a Storm - - - - -I. In Secret - - -The traveller fared slowly on his way, who fared towards Paris from -England in the autumn of the year one thousand seven hundred and -ninety-two. More than enough of bad roads, bad equipages, and bad -horses, he would have encountered to delay him, though the fallen and -unfortunate King of France had been upon his throne in all his glory; -but, the changed times were fraught with other obstacles than -these. Every town-gate and village taxing-house had its band of -citizen-patriots, with their national muskets in a most explosive state -of readiness, who stopped all comers and goers, cross-questioned them, -inspected their papers, looked for their names in lists of their own, -turned them back, or sent them on, or stopped them and laid them in -hold, as their capricious judgment or fancy deemed best for the dawning -Republic One and Indivisible, of Liberty, Equality, Fraternity, or -Death. - -A very few French leagues of his journey were accomplished, when Charles -Darnay began to perceive that for him along these country roads there -was no hope of return until he should have been declared a good citizen -at Paris. Whatever might befall now, he must on to his journey's end. -Not a mean village closed upon him, not a common barrier dropped across -the road behind him, but he knew it to be another iron door in -the series that was barred between him and England. The universal -watchfulness so encompassed him, that if he had been taken in a net, -or were being forwarded to his destination in a cage, he could not have -felt his freedom more completely gone. - -This universal watchfulness not only stopped him on the highway twenty -times in a stage, but retarded his progress twenty times in a day, by -riding after him and taking him back, riding before him and stopping him -by anticipation, riding with him and keeping him in charge. He had been -days upon his journey in France alone, when he went to bed tired out, in -a little town on the high road, still a long way from Paris. - -Nothing but the production of the afflicted Gabelle's letter from his -prison of the Abbaye would have got him on so far. His difficulty at the -guard-house in this small place had been such, that he felt his journey -to have come to a crisis. And he was, therefore, as little surprised as -a man could be, to find himself awakened at the small inn to which he -had been remitted until morning, in the middle of the night. - -Awakened by a timid local functionary and three armed patriots in rough -red caps and with pipes in their mouths, who sat down on the bed. - -“Emigrant,” said the functionary, “I am going to send you on to Paris, -under an escort.” - -“Citizen, I desire nothing more than to get to Paris, though I could -dispense with the escort.” - -“Silence!” growled a red-cap, striking at the coverlet with the butt-end -of his musket. “Peace, aristocrat!” - -“It is as the good patriot says,” observed the timid functionary. “You -are an aristocrat, and must have an escort--and must pay for it.” - -“I have no choice,” said Charles Darnay. - -“Choice! Listen to him!” cried the same scowling red-cap. “As if it was -not a favour to be protected from the lamp-iron!” - -“It is always as the good patriot says,” observed the functionary. “Rise -and dress yourself, emigrant.” - -Darnay complied, and was taken back to the guard-house, where other -patriots in rough red caps were smoking, drinking, and sleeping, by -a watch-fire. Here he paid a heavy price for his escort, and hence he -started with it on the wet, wet roads at three o'clock in the morning. - -The escort were two mounted patriots in red caps and tri-coloured -cockades, armed with national muskets and sabres, who rode one on either -side of him. - -The escorted governed his own horse, but a loose line was attached to -his bridle, the end of which one of the patriots kept girded round his -wrist. In this state they set forth with the sharp rain driving in their -faces: clattering at a heavy dragoon trot over the uneven town pavement, -and out upon the mire-deep roads. In this state they traversed without -change, except of horses and pace, all the mire-deep leagues that lay -between them and the capital. - -They travelled in the night, halting an hour or two after daybreak, and -lying by until the twilight fell. The escort were so wretchedly clothed, -that they twisted straw round their bare legs, and thatched their ragged -shoulders to keep the wet off. Apart from the personal discomfort of -being so attended, and apart from such considerations of present danger -as arose from one of the patriots being chronically drunk, and carrying -his musket very recklessly, Charles Darnay did not allow the restraint -that was laid upon him to awaken any serious fears in his breast; for, -he reasoned with himself that it could have no reference to the merits -of an individual case that was not yet stated, and of representations, -confirmable by the prisoner in the Abbaye, that were not yet made. - -But when they came to the town of Beauvais--which they did at eventide, -when the streets were filled with people--he could not conceal from -himself that the aspect of affairs was very alarming. An ominous crowd -gathered to see him dismount of the posting-yard, and many voices called -out loudly, “Down with the emigrant!” - -He stopped in the act of swinging himself out of his saddle, and, -resuming it as his safest place, said: - -“Emigrant, my friends! Do you not see me here, in France, of my own -will?” - -“You are a cursed emigrant,” cried a farrier, making at him in a -furious manner through the press, hammer in hand; “and you are a cursed -aristocrat!” - -The postmaster interposed himself between this man and the rider's -bridle (at which he was evidently making), and soothingly said, “Let him -be; let him be! He will be judged at Paris.” - -“Judged!” repeated the farrier, swinging his hammer. “Ay! and condemned -as a traitor.” At this the crowd roared approval. - -Checking the postmaster, who was for turning his horse's head to the -yard (the drunken patriot sat composedly in his saddle looking on, with -the line round his wrist), Darnay said, as soon as he could make his -voice heard: - -“Friends, you deceive yourselves, or you are deceived. I am not a -traitor.” - -“He lies!” cried the smith. “He is a traitor since the decree. His life -is forfeit to the people. His cursed life is not his own!” - -At the instant when Darnay saw a rush in the eyes of the crowd, which -another instant would have brought upon him, the postmaster turned his -horse into the yard, the escort rode in close upon his horse's flanks, -and the postmaster shut and barred the crazy double gates. The farrier -struck a blow upon them with his hammer, and the crowd groaned; but, no -more was done. - -“What is this decree that the smith spoke of?” Darnay asked the -postmaster, when he had thanked him, and stood beside him in the yard. - -“Truly, a decree for selling the property of emigrants.” - -“When passed?” - -“On the fourteenth.” - -“The day I left England!” - -“Everybody says it is but one of several, and that there will be -others--if there are not already--banishing all emigrants, and -condemning all to death who return. That is what he meant when he said -your life was not your own.” - -“But there are no such decrees yet?” - -“What do I know!” said the postmaster, shrugging his shoulders; “there -may be, or there will be. It is all the same. What would you have?” - -They rested on some straw in a loft until the middle of the night, and -then rode forward again when all the town was asleep. Among the many -wild changes observable on familiar things which made this wild ride -unreal, not the least was the seeming rarity of sleep. After long and -lonely spurring over dreary roads, they would come to a cluster of poor -cottages, not steeped in darkness, but all glittering with lights, and -would find the people, in a ghostly manner in the dead of the night, -circling hand in hand round a shrivelled tree of Liberty, or all drawn -up together singing a Liberty song. Happily, however, there was sleep in -Beauvais that night to help them out of it and they passed on once more -into solitude and loneliness: jingling through the untimely cold and -wet, among impoverished fields that had yielded no fruits of the earth -that year, diversified by the blackened remains of burnt houses, and by -the sudden emergence from ambuscade, and sharp reining up across their -way, of patriot patrols on the watch on all the roads. - -Daylight at last found them before the wall of Paris. The barrier was -closed and strongly guarded when they rode up to it. - -“Where are the papers of this prisoner?” demanded a resolute-looking man -in authority, who was summoned out by the guard. - -Naturally struck by the disagreeable word, Charles Darnay requested the -speaker to take notice that he was a free traveller and French citizen, -in charge of an escort which the disturbed state of the country had -imposed upon him, and which he had paid for. - -“Where,” repeated the same personage, without taking any heed of him -whatever, “are the papers of this prisoner?” - -The drunken patriot had them in his cap, and produced them. Casting his -eyes over Gabelle's letter, the same personage in authority showed some -disorder and surprise, and looked at Darnay with a close attention. - -He left escort and escorted without saying a word, however, and went -into the guard-room; meanwhile, they sat upon their horses outside the -gate. Looking about him while in this state of suspense, Charles -Darnay observed that the gate was held by a mixed guard of soldiers and -patriots, the latter far outnumbering the former; and that while ingress -into the city for peasants' carts bringing in supplies, and for similar -traffic and traffickers, was easy enough, egress, even for the homeliest -people, was very difficult. A numerous medley of men and women, not -to mention beasts and vehicles of various sorts, was waiting to issue -forth; but, the previous identification was so strict, that they -filtered through the barrier very slowly. Some of these people knew -their turn for examination to be so far off, that they lay down on the -ground to sleep or smoke, while others talked together, or loitered -about. The red cap and tri-colour cockade were universal, both among men -and women. - -When he had sat in his saddle some half-hour, taking note of these -things, Darnay found himself confronted by the same man in authority, -who directed the guard to open the barrier. Then he delivered to the -escort, drunk and sober, a receipt for the escorted, and requested him -to dismount. He did so, and the two patriots, leading his tired horse, -turned and rode away without entering the city. - -He accompanied his conductor into a guard-room, smelling of common wine -and tobacco, where certain soldiers and patriots, asleep and awake, -drunk and sober, and in various neutral states between sleeping and -waking, drunkenness and sobriety, were standing and lying about. The -light in the guard-house, half derived from the waning oil-lamps of -the night, and half from the overcast day, was in a correspondingly -uncertain condition. Some registers were lying open on a desk, and an -officer of a coarse, dark aspect, presided over these. - -“Citizen Defarge,” said he to Darnay's conductor, as he took a slip of -paper to write on. “Is this the emigrant Evremonde?” - -“This is the man.” - -“Your age, Evremonde?” - -“Thirty-seven.” - -“Married, Evremonde?” - -“Yes.” - -“Where married?” - -“In England.” - -“Without doubt. Where is your wife, Evremonde?” - -“In England.” - -“Without doubt. You are consigned, Evremonde, to the prison of La -Force.” - -“Just Heaven!” exclaimed Darnay. “Under what law, and for what offence?” - -The officer looked up from his slip of paper for a moment. - -“We have new laws, Evremonde, and new offences, since you were here.” He -said it with a hard smile, and went on writing. - -“I entreat you to observe that I have come here voluntarily, in response -to that written appeal of a fellow-countryman which lies before you. I -demand no more than the opportunity to do so without delay. Is not that -my right?” - -“Emigrants have no rights, Evremonde,” was the stolid reply. The officer -wrote until he had finished, read over to himself what he had written, -sanded it, and handed it to Defarge, with the words “In secret.” - -Defarge motioned with the paper to the prisoner that he must accompany -him. The prisoner obeyed, and a guard of two armed patriots attended -them. - -“Is it you,” said Defarge, in a low voice, as they went down the -guardhouse steps and turned into Paris, “who married the daughter of -Doctor Manette, once a prisoner in the Bastille that is no more?” - -“Yes,” replied Darnay, looking at him with surprise. - -“My name is Defarge, and I keep a wine-shop in the Quarter Saint -Antoine. Possibly you have heard of me.” - -“My wife came to your house to reclaim her father? Yes!” - -The word “wife” seemed to serve as a gloomy reminder to Defarge, to say -with sudden impatience, “In the name of that sharp female newly-born, -and called La Guillotine, why did you come to France?” - -“You heard me say why, a minute ago. Do you not believe it is the -truth?” - -“A bad truth for you,” said Defarge, speaking with knitted brows, and -looking straight before him. - -“Indeed I am lost here. All here is so unprecedented, so changed, so -sudden and unfair, that I am absolutely lost. Will you render me a -little help?” - -“None.” Defarge spoke, always looking straight before him. - -“Will you answer me a single question?” - -“Perhaps. According to its nature. You can say what it is.” - -“In this prison that I am going to so unjustly, shall I have some free -communication with the world outside?” - -“You will see.” - -“I am not to be buried there, prejudged, and without any means of -presenting my case?” - -“You will see. But, what then? Other people have been similarly buried -in worse prisons, before now.” - -“But never by me, Citizen Defarge.” - -Defarge glanced darkly at him for answer, and walked on in a steady -and set silence. The deeper he sank into this silence, the fainter hope -there was--or so Darnay thought--of his softening in any slight degree. -He, therefore, made haste to say: - -“It is of the utmost importance to me (you know, Citizen, even better -than I, of how much importance), that I should be able to communicate to -Mr. Lorry of Tellson's Bank, an English gentleman who is now in Paris, -the simple fact, without comment, that I have been thrown into the -prison of La Force. Will you cause that to be done for me?” - -“I will do,” Defarge doggedly rejoined, “nothing for you. My duty is to -my country and the People. I am the sworn servant of both, against you. -I will do nothing for you.” - -Charles Darnay felt it hopeless to entreat him further, and his pride -was touched besides. As they walked on in silence, he could not but see -how used the people were to the spectacle of prisoners passing along the -streets. The very children scarcely noticed him. A few passers turned -their heads, and a few shook their fingers at him as an aristocrat; -otherwise, that a man in good clothes should be going to prison, was no -more remarkable than that a labourer in working clothes should be -going to work. In one narrow, dark, and dirty street through which they -passed, an excited orator, mounted on a stool, was addressing an excited -audience on the crimes against the people, of the king and the royal -family. The few words that he caught from this man's lips, first made -it known to Charles Darnay that the king was in prison, and that the -foreign ambassadors had one and all left Paris. On the road (except at -Beauvais) he had heard absolutely nothing. The escort and the universal -watchfulness had completely isolated him. - -That he had fallen among far greater dangers than those which had -developed themselves when he left England, he of course knew now. That -perils had thickened about him fast, and might thicken faster and faster -yet, he of course knew now. He could not but admit to himself that he -might not have made this journey, if he could have foreseen the events -of a few days. And yet his misgivings were not so dark as, imagined by -the light of this later time, they would appear. Troubled as the future -was, it was the unknown future, and in its obscurity there was ignorant -hope. The horrible massacre, days and nights long, which, within a few -rounds of the clock, was to set a great mark of blood upon the blessed -garnering time of harvest, was as far out of his knowledge as if it had -been a hundred thousand years away. The “sharp female newly-born, and -called La Guillotine,” was hardly known to him, or to the generality -of people, by name. The frightful deeds that were to be soon done, were -probably unimagined at that time in the brains of the doers. How could -they have a place in the shadowy conceptions of a gentle mind? - -Of unjust treatment in detention and hardship, and in cruel separation -from his wife and child, he foreshadowed the likelihood, or the -certainty; but, beyond this, he dreaded nothing distinctly. With this on -his mind, which was enough to carry into a dreary prison courtyard, he -arrived at the prison of La Force. - -A man with a bloated face opened the strong wicket, to whom Defarge -presented “The Emigrant Evremonde.” - -“What the Devil! How many more of them!” exclaimed the man with the -bloated face. - -Defarge took his receipt without noticing the exclamation, and withdrew, -with his two fellow-patriots. - -“What the Devil, I say again!” exclaimed the gaoler, left with his wife. -“How many more!” - -The gaoler's wife, being provided with no answer to the question, merely -replied, “One must have patience, my dear!” Three turnkeys who entered -responsive to a bell she rang, echoed the sentiment, and one added, “For -the love of Liberty;” which sounded in that place like an inappropriate -conclusion. - -The prison of La Force was a gloomy prison, dark and filthy, and with a -horrible smell of foul sleep in it. Extraordinary how soon the noisome -flavour of imprisoned sleep, becomes manifest in all such places that -are ill cared for! - -“In secret, too,” grumbled the gaoler, looking at the written paper. “As -if I was not already full to bursting!” - -He stuck the paper on a file, in an ill-humour, and Charles Darnay -awaited his further pleasure for half an hour: sometimes, pacing to and -fro in the strong arched room: sometimes, resting on a stone seat: in -either case detained to be imprinted on the memory of the chief and his -subordinates. - -“Come!” said the chief, at length taking up his keys, “come with me, -emigrant.” - -Through the dismal prison twilight, his new charge accompanied him by -corridor and staircase, many doors clanging and locking behind them, -until they came into a large, low, vaulted chamber, crowded with -prisoners of both sexes. The women were seated at a long table, reading -and writing, knitting, sewing, and embroidering; the men were for the -most part standing behind their chairs, or lingering up and down the -room. - -In the instinctive association of prisoners with shameful crime and -disgrace, the new-comer recoiled from this company. But the crowning -unreality of his long unreal ride, was, their all at once rising to -receive him, with every refinement of manner known to the time, and with -all the engaging graces and courtesies of life. - -So strangely clouded were these refinements by the prison manners and -gloom, so spectral did they become in the inappropriate squalor and -misery through which they were seen, that Charles Darnay seemed to stand -in a company of the dead. Ghosts all! The ghost of beauty, the ghost -of stateliness, the ghost of elegance, the ghost of pride, the ghost of -frivolity, the ghost of wit, the ghost of youth, the ghost of age, all -waiting their dismissal from the desolate shore, all turning on him eyes -that were changed by the death they had died in coming there. - -It struck him motionless. The gaoler standing at his side, and the other -gaolers moving about, who would have been well enough as to appearance -in the ordinary exercise of their functions, looked so extravagantly -coarse contrasted with sorrowing mothers and blooming daughters who were -there--with the apparitions of the coquette, the young beauty, and the -mature woman delicately bred--that the inversion of all experience and -likelihood which the scene of shadows presented, was heightened to its -utmost. Surely, ghosts all. Surely, the long unreal ride some progress -of disease that had brought him to these gloomy shades! - -“In the name of the assembled companions in misfortune,” said a -gentleman of courtly appearance and address, coming forward, “I have the -honour of giving you welcome to La Force, and of condoling with you -on the calamity that has brought you among us. May it soon terminate -happily! It would be an impertinence elsewhere, but it is not so here, -to ask your name and condition?” - -Charles Darnay roused himself, and gave the required information, in -words as suitable as he could find. - -“But I hope,” said the gentleman, following the chief gaoler with his -eyes, who moved across the room, “that you are not in secret?” - -“I do not understand the meaning of the term, but I have heard them say -so.” - -“Ah, what a pity! We so much regret it! But take courage; several -members of our society have been in secret, at first, and it has lasted -but a short time.” Then he added, raising his voice, “I grieve to inform -the society--in secret.” - -There was a murmur of commiseration as Charles Darnay crossed the room -to a grated door where the gaoler awaited him, and many voices--among -which, the soft and compassionate voices of women were conspicuous--gave -him good wishes and encouragement. He turned at the grated door, to -render the thanks of his heart; it closed under the gaoler's hand; and -the apparitions vanished from his sight forever. - -The wicket opened on a stone staircase, leading upward. When they had -ascended forty steps (the prisoner of half an hour already counted -them), the gaoler opened a low black door, and they passed into a -solitary cell. It struck cold and damp, but was not dark. - -“Yours,” said the gaoler. - -“Why am I confined alone?” - -“How do I know!” - -“I can buy pen, ink, and paper?” - -“Such are not my orders. You will be visited, and can ask then. At -present, you may buy your food, and nothing more.” - -There were in the cell, a chair, a table, and a straw mattress. As -the gaoler made a general inspection of these objects, and of the four -walls, before going out, a wandering fancy wandered through the mind of -the prisoner leaning against the wall opposite to him, that this gaoler -was so unwholesomely bloated, both in face and person, as to look like -a man who had been drowned and filled with water. When the gaoler was -gone, he thought in the same wandering way, “Now am I left, as if I were -dead.” Stopping then, to look down at the mattress, he turned from it -with a sick feeling, and thought, “And here in these crawling creatures -is the first condition of the body after death.” - -“Five paces by four and a half, five paces by four and a half, five -paces by four and a half.” The prisoner walked to and fro in his cell, -counting its measurement, and the roar of the city arose like muffled -drums with a wild swell of voices added to them. “He made shoes, he made -shoes, he made shoes.” The prisoner counted the measurement again, and -paced faster, to draw his mind with him from that latter repetition. -“The ghosts that vanished when the wicket closed. There was one among -them, the appearance of a lady dressed in black, who was leaning in the -embrasure of a window, and she had a light shining upon her golden -hair, and she looked like * * * * Let us ride on again, for God's sake, -through the illuminated villages with the people all awake! * * * * He -made shoes, he made shoes, he made shoes. * * * * Five paces by four and -a half.” With such scraps tossing and rolling upward from the depths of -his mind, the prisoner walked faster and faster, obstinately counting -and counting; and the roar of the city changed to this extent--that it -still rolled in like muffled drums, but with the wail of voices that he -knew, in the swell that rose above them. - - - - -II. The Grindstone - - -Tellson's Bank, established in the Saint Germain Quarter of Paris, was -in a wing of a large house, approached by a courtyard and shut off from -the street by a high wall and a strong gate. The house belonged to -a great nobleman who had lived in it until he made a flight from the -troubles, in his own cook's dress, and got across the borders. A -mere beast of the chase flying from hunters, he was still in his -metempsychosis no other than the same Monseigneur, the preparation -of whose chocolate for whose lips had once occupied three strong men -besides the cook in question. - -Monseigneur gone, and the three strong men absolving themselves from the -sin of having drawn his high wages, by being more than ready and -willing to cut his throat on the altar of the dawning Republic one and -indivisible of Liberty, Equality, Fraternity, or Death, Monseigneur's -house had been first sequestrated, and then confiscated. For, all -things moved so fast, and decree followed decree with that fierce -precipitation, that now upon the third night of the autumn month -of September, patriot emissaries of the law were in possession of -Monseigneur's house, and had marked it with the tri-colour, and were -drinking brandy in its state apartments. - -A place of business in London like Tellson's place of business in Paris, -would soon have driven the House out of its mind and into the Gazette. -For, what would staid British responsibility and respectability have -said to orange-trees in boxes in a Bank courtyard, and even to a Cupid -over the counter? Yet such things were. Tellson's had whitewashed the -Cupid, but he was still to be seen on the ceiling, in the coolest -linen, aiming (as he very often does) at money from morning to -night. Bankruptcy must inevitably have come of this young Pagan, in -Lombard-street, London, and also of a curtained alcove in the rear of -the immortal boy, and also of a looking-glass let into the wall, and -also of clerks not at all old, who danced in public on the slightest -provocation. Yet, a French Tellson's could get on with these things -exceedingly well, and, as long as the times held together, no man had -taken fright at them, and drawn out his money. - -What money would be drawn out of Tellson's henceforth, and what would -lie there, lost and forgotten; what plate and jewels would tarnish in -Tellson's hiding-places, while the depositors rusted in prisons, -and when they should have violently perished; how many accounts with -Tellson's never to be balanced in this world, must be carried over into -the next; no man could have said, that night, any more than Mr. Jarvis -Lorry could, though he thought heavily of these questions. He sat by -a newly-lighted wood fire (the blighted and unfruitful year was -prematurely cold), and on his honest and courageous face there was a -deeper shade than the pendent lamp could throw, or any object in the -room distortedly reflect--a shade of horror. - -He occupied rooms in the Bank, in his fidelity to the House of which -he had grown to be a part, like strong root-ivy. It chanced that they -derived a kind of security from the patriotic occupation of the main -building, but the true-hearted old gentleman never calculated about -that. All such circumstances were indifferent to him, so that he did -his duty. On the opposite side of the courtyard, under a colonnade, -was extensive standing--for carriages--where, indeed, some carriages -of Monseigneur yet stood. Against two of the pillars were fastened two -great flaring flambeaux, and in the light of these, standing out in the -open air, was a large grindstone: a roughly mounted thing which appeared -to have hurriedly been brought there from some neighbouring smithy, -or other workshop. Rising and looking out of window at these harmless -objects, Mr. Lorry shivered, and retired to his seat by the fire. He had -opened, not only the glass window, but the lattice blind outside it, and -he had closed both again, and he shivered through his frame. - -From the streets beyond the high wall and the strong gate, there came -the usual night hum of the city, with now and then an indescribable ring -in it, weird and unearthly, as if some unwonted sounds of a terrible -nature were going up to Heaven. - -“Thank God,” said Mr. Lorry, clasping his hands, “that no one near and -dear to me is in this dreadful town to-night. May He have mercy on all -who are in danger!” - -Soon afterwards, the bell at the great gate sounded, and he thought, -“They have come back!” and sat listening. But, there was no loud -irruption into the courtyard, as he had expected, and he heard the gate -clash again, and all was quiet. - -The nervousness and dread that were upon him inspired that vague -uneasiness respecting the Bank, which a great change would naturally -awaken, with such feelings roused. It was well guarded, and he got up to -go among the trusty people who were watching it, when his door suddenly -opened, and two figures rushed in, at sight of which he fell back in -amazement. - -Lucie and her father! Lucie with her arms stretched out to him, and with -that old look of earnestness so concentrated and intensified, that it -seemed as though it had been stamped upon her face expressly to give -force and power to it in this one passage of her life. - -“What is this?” cried Mr. Lorry, breathless and confused. “What is the -matter? Lucie! Manette! What has happened? What has brought you here? -What is it?” - -With the look fixed upon him, in her paleness and wildness, she panted -out in his arms, imploringly, “O my dear friend! My husband!” - -“Your husband, Lucie?” - -“Charles.” - -“What of Charles?” - -“Here. - -“Here, in Paris?” - -“Has been here some days--three or four--I don't know how many--I can't -collect my thoughts. An errand of generosity brought him here unknown to -us; he was stopped at the barrier, and sent to prison.” - -The old man uttered an irrepressible cry. Almost at the same moment, the -bell of the great gate rang again, and a loud noise of feet and voices -came pouring into the courtyard. - -“What is that noise?” said the Doctor, turning towards the window. - -“Don't look!” cried Mr. Lorry. “Don't look out! Manette, for your life, -don't touch the blind!” - -The Doctor turned, with his hand upon the fastening of the window, and -said, with a cool, bold smile: - -“My dear friend, I have a charmed life in this city. I have been -a Bastille prisoner. There is no patriot in Paris--in Paris? In -France--who, knowing me to have been a prisoner in the Bastille, would -touch me, except to overwhelm me with embraces, or carry me in triumph. -My old pain has given me a power that has brought us through the -barrier, and gained us news of Charles there, and brought us here. I -knew it would be so; I knew I could help Charles out of all danger; I -told Lucie so.--What is that noise?” His hand was again upon the window. - -“Don't look!” cried Mr. Lorry, absolutely desperate. “No, Lucie, my -dear, nor you!” He got his arm round her, and held her. “Don't be so -terrified, my love. I solemnly swear to you that I know of no harm -having happened to Charles; that I had no suspicion even of his being in -this fatal place. What prison is he in?” - -“La Force!” - -“La Force! Lucie, my child, if ever you were brave and serviceable in -your life--and you were always both--you will compose yourself now, to -do exactly as I bid you; for more depends upon it than you can think, or -I can say. There is no help for you in any action on your part to-night; -you cannot possibly stir out. I say this, because what I must bid you -to do for Charles's sake, is the hardest thing to do of all. You must -instantly be obedient, still, and quiet. You must let me put you in a -room at the back here. You must leave your father and me alone for -two minutes, and as there are Life and Death in the world you must not -delay.” - -“I will be submissive to you. I see in your face that you know I can do -nothing else than this. I know you are true.” - -The old man kissed her, and hurried her into his room, and turned the -key; then, came hurrying back to the Doctor, and opened the window and -partly opened the blind, and put his hand upon the Doctor's arm, and -looked out with him into the courtyard. - -Looked out upon a throng of men and women: not enough in number, or near -enough, to fill the courtyard: not more than forty or fifty in all. The -people in possession of the house had let them in at the gate, and they -had rushed in to work at the grindstone; it had evidently been set up -there for their purpose, as in a convenient and retired spot. - -But, such awful workers, and such awful work! - -The grindstone had a double handle, and, turning at it madly were two -men, whose faces, as their long hair flapped back when the whirlings of -the grindstone brought their faces up, were more horrible and cruel than -the visages of the wildest savages in their most barbarous disguise. -False eyebrows and false moustaches were stuck upon them, and their -hideous countenances were all bloody and sweaty, and all awry with -howling, and all staring and glaring with beastly excitement and want of -sleep. As these ruffians turned and turned, their matted locks now flung -forward over their eyes, now flung backward over their necks, some women -held wine to their mouths that they might drink; and what with dropping -blood, and what with dropping wine, and what with the stream of sparks -struck out of the stone, all their wicked atmosphere seemed gore and -fire. The eye could not detect one creature in the group free from -the smear of blood. Shouldering one another to get next at the -sharpening-stone, were men stripped to the waist, with the stain all -over their limbs and bodies; men in all sorts of rags, with the stain -upon those rags; men devilishly set off with spoils of women's lace -and silk and ribbon, with the stain dyeing those trifles through -and through. Hatchets, knives, bayonets, swords, all brought to be -sharpened, were all red with it. Some of the hacked swords were tied to -the wrists of those who carried them, with strips of linen and fragments -of dress: ligatures various in kind, but all deep of the one colour. And -as the frantic wielders of these weapons snatched them from the stream -of sparks and tore away into the streets, the same red hue was red in -their frenzied eyes;--eyes which any unbrutalised beholder would have -given twenty years of life, to petrify with a well-directed gun. - -All this was seen in a moment, as the vision of a drowning man, or of -any human creature at any very great pass, could see a world if it -were there. They drew back from the window, and the Doctor looked for -explanation in his friend's ashy face. - -“They are,” Mr. Lorry whispered the words, glancing fearfully round at -the locked room, “murdering the prisoners. If you are sure of what you -say; if you really have the power you think you have--as I believe you -have--make yourself known to these devils, and get taken to La Force. It -may be too late, I don't know, but let it not be a minute later!” - -Doctor Manette pressed his hand, hastened bareheaded out of the room, -and was in the courtyard when Mr. Lorry regained the blind. - -His streaming white hair, his remarkable face, and the impetuous -confidence of his manner, as he put the weapons aside like water, -carried him in an instant to the heart of the concourse at the stone. -For a few moments there was a pause, and a hurry, and a murmur, and -the unintelligible sound of his voice; and then Mr. Lorry saw him, -surrounded by all, and in the midst of a line of twenty men long, all -linked shoulder to shoulder, and hand to shoulder, hurried out with -cries of--“Live the Bastille prisoner! Help for the Bastille prisoner's -kindred in La Force! Room for the Bastille prisoner in front there! Save -the prisoner Evremonde at La Force!” and a thousand answering shouts. - -He closed the lattice again with a fluttering heart, closed the window -and the curtain, hastened to Lucie, and told her that her father was -assisted by the people, and gone in search of her husband. He found -her child and Miss Pross with her; but, it never occurred to him to be -surprised by their appearance until a long time afterwards, when he sat -watching them in such quiet as the night knew. - -Lucie had, by that time, fallen into a stupor on the floor at his feet, -clinging to his hand. Miss Pross had laid the child down on his own -bed, and her head had gradually fallen on the pillow beside her pretty -charge. O the long, long night, with the moans of the poor wife! And O -the long, long night, with no return of her father and no tidings! - -Twice more in the darkness the bell at the great gate sounded, and the -irruption was repeated, and the grindstone whirled and spluttered. -“What is it?” cried Lucie, affrighted. “Hush! The soldiers' swords are -sharpened there,” said Mr. Lorry. “The place is national property now, -and used as a kind of armoury, my love.” - -Twice more in all; but, the last spell of work was feeble and fitful. -Soon afterwards the day began to dawn, and he softly detached himself -from the clasping hand, and cautiously looked out again. A man, so -besmeared that he might have been a sorely wounded soldier creeping back -to consciousness on a field of slain, was rising from the pavement by -the side of the grindstone, and looking about him with a vacant air. -Shortly, this worn-out murderer descried in the imperfect light one of -the carriages of Monseigneur, and, staggering to that gorgeous vehicle, -climbed in at the door, and shut himself up to take his rest on its -dainty cushions. - -The great grindstone, Earth, had turned when Mr. Lorry looked out again, -and the sun was red on the courtyard. But, the lesser grindstone stood -alone there in the calm morning air, with a red upon it that the sun had -never given, and would never take away. - - - - -III. The Shadow - - -One of the first considerations which arose in the business mind of Mr. -Lorry when business hours came round, was this:--that he had no right to -imperil Tellson's by sheltering the wife of an emigrant prisoner under -the Bank roof. His own possessions, safety, life, he would have hazarded -for Lucie and her child, without a moment's demur; but the great trust -he held was not his own, and as to that business charge he was a strict -man of business. - -At first, his mind reverted to Defarge, and he thought of finding out -the wine-shop again and taking counsel with its master in reference to -the safest dwelling-place in the distracted state of the city. But, the -same consideration that suggested him, repudiated him; he lived in the -most violent Quarter, and doubtless was influential there, and deep in -its dangerous workings. - -Noon coming, and the Doctor not returning, and every minute's delay -tending to compromise Tellson's, Mr. Lorry advised with Lucie. She said -that her father had spoken of hiring a lodging for a short term, in that -Quarter, near the Banking-house. As there was no business objection to -this, and as he foresaw that even if it were all well with Charles, and -he were to be released, he could not hope to leave the city, Mr. Lorry -went out in quest of such a lodging, and found a suitable one, high up -in a removed by-street where the closed blinds in all the other windows -of a high melancholy square of buildings marked deserted homes. - -To this lodging he at once removed Lucie and her child, and Miss Pross: -giving them what comfort he could, and much more than he had himself. -He left Jerry with them, as a figure to fill a doorway that would bear -considerable knocking on the head, and returned to his own occupations. -A disturbed and doleful mind he brought to bear upon them, and slowly -and heavily the day lagged on with him. - -It wore itself out, and wore him out with it, until the Bank closed. He -was again alone in his room of the previous night, considering what to -do next, when he heard a foot upon the stair. In a few moments, a -man stood in his presence, who, with a keenly observant look at him, -addressed him by his name. - -“Your servant,” said Mr. Lorry. “Do you know me?” - -He was a strongly made man with dark curling hair, from forty-five -to fifty years of age. For answer he repeated, without any change of -emphasis, the words: - -“Do you know me?” - -“I have seen you somewhere.” - -“Perhaps at my wine-shop?” - -Much interested and agitated, Mr. Lorry said: “You come from Doctor -Manette?” - -“Yes. I come from Doctor Manette.” - -“And what says he? What does he send me?” - -Defarge gave into his anxious hand, an open scrap of paper. It bore the -words in the Doctor's writing: - - “Charles is safe, but I cannot safely leave this place yet. - I have obtained the favour that the bearer has a short note - from Charles to his wife. Let the bearer see his wife.” - -It was dated from La Force, within an hour. - -“Will you accompany me,” said Mr. Lorry, joyfully relieved after reading -this note aloud, “to where his wife resides?” - -“Yes,” returned Defarge. - -Scarcely noticing as yet, in what a curiously reserved and mechanical -way Defarge spoke, Mr. Lorry put on his hat and they went down into the -courtyard. There, they found two women; one, knitting. - -“Madame Defarge, surely!” said Mr. Lorry, who had left her in exactly -the same attitude some seventeen years ago. - -“It is she,” observed her husband. - -“Does Madame go with us?” inquired Mr. Lorry, seeing that she moved as -they moved. - -“Yes. That she may be able to recognise the faces and know the persons. -It is for their safety.” - -Beginning to be struck by Defarge's manner, Mr. Lorry looked dubiously -at him, and led the way. Both the women followed; the second woman being -The Vengeance. - -They passed through the intervening streets as quickly as they might, -ascended the staircase of the new domicile, were admitted by Jerry, -and found Lucie weeping, alone. She was thrown into a transport by the -tidings Mr. Lorry gave her of her husband, and clasped the hand that -delivered his note--little thinking what it had been doing near him in -the night, and might, but for a chance, have done to him. - - “DEAREST,--Take courage. I am well, and your father has - influence around me. You cannot answer this. - Kiss our child for me.” - -That was all the writing. It was so much, however, to her who received -it, that she turned from Defarge to his wife, and kissed one of the -hands that knitted. It was a passionate, loving, thankful, womanly -action, but the hand made no response--dropped cold and heavy, and took -to its knitting again. - -There was something in its touch that gave Lucie a check. She stopped in -the act of putting the note in her bosom, and, with her hands yet at her -neck, looked terrified at Madame Defarge. Madame Defarge met the lifted -eyebrows and forehead with a cold, impassive stare. - -“My dear,” said Mr. Lorry, striking in to explain; “there are frequent -risings in the streets; and, although it is not likely they will ever -trouble you, Madame Defarge wishes to see those whom she has the power -to protect at such times, to the end that she may know them--that she -may identify them. I believe,” said Mr. Lorry, rather halting in his -reassuring words, as the stony manner of all the three impressed itself -upon him more and more, “I state the case, Citizen Defarge?” - -Defarge looked gloomily at his wife, and gave no other answer than a -gruff sound of acquiescence. - -“You had better, Lucie,” said Mr. Lorry, doing all he could to -propitiate, by tone and manner, “have the dear child here, and our -good Pross. Our good Pross, Defarge, is an English lady, and knows no -French.” - -The lady in question, whose rooted conviction that she was more than a -match for any foreigner, was not to be shaken by distress and, danger, -appeared with folded arms, and observed in English to The Vengeance, -whom her eyes first encountered, “Well, I am sure, Boldface! I hope -_you_ are pretty well!” She also bestowed a British cough on Madame -Defarge; but, neither of the two took much heed of her. - -“Is that his child?” said Madame Defarge, stopping in her work for the -first time, and pointing her knitting-needle at little Lucie as if it -were the finger of Fate. - -“Yes, madame,” answered Mr. Lorry; “this is our poor prisoner's darling -daughter, and only child.” - -The shadow attendant on Madame Defarge and her party seemed to fall so -threatening and dark on the child, that her mother instinctively -kneeled on the ground beside her, and held her to her breast. The -shadow attendant on Madame Defarge and her party seemed then to fall, -threatening and dark, on both the mother and the child. - -“It is enough, my husband,” said Madame Defarge. “I have seen them. We -may go.” - -But, the suppressed manner had enough of menace in it--not visible and -presented, but indistinct and withheld--to alarm Lucie into saying, as -she laid her appealing hand on Madame Defarge's dress: - -“You will be good to my poor husband. You will do him no harm. You will -help me to see him if you can?” - -“Your husband is not my business here,” returned Madame Defarge, looking -down at her with perfect composure. “It is the daughter of your father -who is my business here.” - -“For my sake, then, be merciful to my husband. For my child's sake! She -will put her hands together and pray you to be merciful. We are more -afraid of you than of these others.” - -Madame Defarge received it as a compliment, and looked at her husband. -Defarge, who had been uneasily biting his thumb-nail and looking at her, -collected his face into a sterner expression. - -“What is it that your husband says in that little letter?” asked Madame -Defarge, with a lowering smile. “Influence; he says something touching -influence?” - -“That my father,” said Lucie, hurriedly taking the paper from her -breast, but with her alarmed eyes on her questioner and not on it, “has -much influence around him.” - -“Surely it will release him!” said Madame Defarge. “Let it do so.” - -“As a wife and mother,” cried Lucie, most earnestly, “I implore you to -have pity on me and not to exercise any power that you possess, against -my innocent husband, but to use it in his behalf. O sister-woman, think -of me. As a wife and mother!” - -Madame Defarge looked, coldly as ever, at the suppliant, and said, -turning to her friend The Vengeance: - -“The wives and mothers we have been used to see, since we were as little -as this child, and much less, have not been greatly considered? We have -known _their_ husbands and fathers laid in prison and kept from them, -often enough? All our lives, we have seen our sister-women suffer, in -themselves and in their children, poverty, nakedness, hunger, thirst, -sickness, misery, oppression and neglect of all kinds?” - -“We have seen nothing else,” returned The Vengeance. - -“We have borne this a long time,” said Madame Defarge, turning her eyes -again upon Lucie. “Judge you! Is it likely that the trouble of one wife -and mother would be much to us now?” - -She resumed her knitting and went out. The Vengeance followed. Defarge -went last, and closed the door. - -“Courage, my dear Lucie,” said Mr. Lorry, as he raised her. “Courage, -courage! So far all goes well with us--much, much better than it has of -late gone with many poor souls. Cheer up, and have a thankful heart.” - -“I am not thankless, I hope, but that dreadful woman seems to throw a -shadow on me and on all my hopes.” - -“Tut, tut!” said Mr. Lorry; “what is this despondency in the brave -little breast? A shadow indeed! No substance in it, Lucie.” - -But the shadow of the manner of these Defarges was dark upon himself, -for all that, and in his secret mind it troubled him greatly. - - - - -IV. Calm in Storm - - -Doctor Manette did not return until the morning of the fourth day of his -absence. So much of what had happened in that dreadful time as could be -kept from the knowledge of Lucie was so well concealed from her, that -not until long afterwards, when France and she were far apart, did she -know that eleven hundred defenceless prisoners of both sexes and all -ages had been killed by the populace; that four days and nights had been -darkened by this deed of horror; and that the air around her had been -tainted by the slain. She only knew that there had been an attack upon -the prisons, that all political prisoners had been in danger, and that -some had been dragged out by the crowd and murdered. - -To Mr. Lorry, the Doctor communicated under an injunction of secrecy on -which he had no need to dwell, that the crowd had taken him through a -scene of carnage to the prison of La Force. That, in the prison he had -found a self-appointed Tribunal sitting, before which the prisoners were -brought singly, and by which they were rapidly ordered to be put forth -to be massacred, or to be released, or (in a few cases) to be sent back -to their cells. That, presented by his conductors to this Tribunal, he -had announced himself by name and profession as having been for eighteen -years a secret and unaccused prisoner in the Bastille; that, one of the -body so sitting in judgment had risen and identified him, and that this -man was Defarge. - -That, hereupon he had ascertained, through the registers on the table, -that his son-in-law was among the living prisoners, and had pleaded hard -to the Tribunal--of whom some members were asleep and some awake, some -dirty with murder and some clean, some sober and some not--for his life -and liberty. That, in the first frantic greetings lavished on himself as -a notable sufferer under the overthrown system, it had been accorded -to him to have Charles Darnay brought before the lawless Court, and -examined. That, he seemed on the point of being at once released, when -the tide in his favour met with some unexplained check (not intelligible -to the Doctor), which led to a few words of secret conference. That, -the man sitting as President had then informed Doctor Manette that -the prisoner must remain in custody, but should, for his sake, be held -inviolate in safe custody. That, immediately, on a signal, the prisoner -was removed to the interior of the prison again; but, that he, the -Doctor, had then so strongly pleaded for permission to remain and -assure himself that his son-in-law was, through no malice or mischance, -delivered to the concourse whose murderous yells outside the gate had -often drowned the proceedings, that he had obtained the permission, and -had remained in that Hall of Blood until the danger was over. - -The sights he had seen there, with brief snatches of food and sleep by -intervals, shall remain untold. The mad joy over the prisoners who were -saved, had astounded him scarcely less than the mad ferocity against -those who were cut to pieces. One prisoner there was, he said, who had -been discharged into the street free, but at whom a mistaken savage had -thrust a pike as he passed out. Being besought to go to him and dress -the wound, the Doctor had passed out at the same gate, and had found him -in the arms of a company of Samaritans, who were seated on the bodies -of their victims. With an inconsistency as monstrous as anything in this -awful nightmare, they had helped the healer, and tended the wounded man -with the gentlest solicitude--had made a litter for him and escorted him -carefully from the spot--had then caught up their weapons and plunged -anew into a butchery so dreadful, that the Doctor had covered his eyes -with his hands, and swooned away in the midst of it. - -As Mr. Lorry received these confidences, and as he watched the face of -his friend now sixty-two years of age, a misgiving arose within him that -such dread experiences would revive the old danger. - -But, he had never seen his friend in his present aspect: he had never -at all known him in his present character. For the first time the Doctor -felt, now, that his suffering was strength and power. For the first time -he felt that in that sharp fire, he had slowly forged the iron which -could break the prison door of his daughter's husband, and deliver him. -“It all tended to a good end, my friend; it was not mere waste and ruin. -As my beloved child was helpful in restoring me to myself, I will be -helpful now in restoring the dearest part of herself to her; by the aid -of Heaven I will do it!” Thus, Doctor Manette. And when Jarvis Lorry saw -the kindled eyes, the resolute face, the calm strong look and bearing -of the man whose life always seemed to him to have been stopped, like a -clock, for so many years, and then set going again with an energy which -had lain dormant during the cessation of its usefulness, he believed. - -Greater things than the Doctor had at that time to contend with, would -have yielded before his persevering purpose. While he kept himself -in his place, as a physician, whose business was with all degrees -of mankind, bond and free, rich and poor, bad and good, he used his -personal influence so wisely, that he was soon the inspecting physician -of three prisons, and among them of La Force. He could now assure Lucie -that her husband was no longer confined alone, but was mixed with the -general body of prisoners; he saw her husband weekly, and brought sweet -messages to her, straight from his lips; sometimes her husband himself -sent a letter to her (though never by the Doctor's hand), but she was -not permitted to write to him: for, among the many wild suspicions of -plots in the prisons, the wildest of all pointed at emigrants who were -known to have made friends or permanent connections abroad. - -This new life of the Doctor's was an anxious life, no doubt; still, the -sagacious Mr. Lorry saw that there was a new sustaining pride in it. -Nothing unbecoming tinged the pride; it was a natural and worthy one; -but he observed it as a curiosity. The Doctor knew, that up to that -time, his imprisonment had been associated in the minds of his daughter -and his friend, with his personal affliction, deprivation, and weakness. -Now that this was changed, and he knew himself to be invested through -that old trial with forces to which they both looked for Charles's -ultimate safety and deliverance, he became so far exalted by the change, -that he took the lead and direction, and required them as the weak, to -trust to him as the strong. The preceding relative positions of himself -and Lucie were reversed, yet only as the liveliest gratitude and -affection could reverse them, for he could have had no pride but in -rendering some service to her who had rendered so much to him. “All -curious to see,” thought Mr. Lorry, in his amiably shrewd way, “but all -natural and right; so, take the lead, my dear friend, and keep it; it -couldn't be in better hands.” - -But, though the Doctor tried hard, and never ceased trying, to get -Charles Darnay set at liberty, or at least to get him brought to trial, -the public current of the time set too strong and fast for him. The new -era began; the king was tried, doomed, and beheaded; the Republic of -Liberty, Equality, Fraternity, or Death, declared for victory or death -against the world in arms; the black flag waved night and day from the -great towers of Notre Dame; three hundred thousand men, summoned to rise -against the tyrants of the earth, rose from all the varying soils -of France, as if the dragon's teeth had been sown broadcast, and -had yielded fruit equally on hill and plain, on rock, in gravel, and -alluvial mud, under the bright sky of the South and under the clouds of -the North, in fell and forest, in the vineyards and the olive-grounds -and among the cropped grass and the stubble of the corn, along the -fruitful banks of the broad rivers, and in the sand of the sea-shore. -What private solicitude could rear itself against the deluge of the Year -One of Liberty--the deluge rising from below, not falling from above, -and with the windows of Heaven shut, not opened! - -There was no pause, no pity, no peace, no interval of relenting rest, no -measurement of time. Though days and nights circled as regularly as when -time was young, and the evening and morning were the first day, other -count of time there was none. Hold of it was lost in the raging fever -of a nation, as it is in the fever of one patient. Now, breaking the -unnatural silence of a whole city, the executioner showed the people the -head of the king--and now, it seemed almost in the same breath, the -head of his fair wife which had had eight weary months of imprisoned -widowhood and misery, to turn it grey. - -And yet, observing the strange law of contradiction which obtains in -all such cases, the time was long, while it flamed by so fast. A -revolutionary tribunal in the capital, and forty or fifty thousand -revolutionary committees all over the land; a law of the Suspected, -which struck away all security for liberty or life, and delivered over -any good and innocent person to any bad and guilty one; prisons gorged -with people who had committed no offence, and could obtain no hearing; -these things became the established order and nature of appointed -things, and seemed to be ancient usage before they were many weeks old. -Above all, one hideous figure grew as familiar as if it had been before -the general gaze from the foundations of the world--the figure of the -sharp female called La Guillotine. - -It was the popular theme for jests; it was the best cure for headache, -it infallibly prevented the hair from turning grey, it imparted a -peculiar delicacy to the complexion, it was the National Razor which -shaved close: who kissed La Guillotine, looked through the little window -and sneezed into the sack. It was the sign of the regeneration of the -human race. It superseded the Cross. Models of it were worn on breasts -from which the Cross was discarded, and it was bowed down to and -believed in where the Cross was denied. - -It sheared off heads so many, that it, and the ground it most polluted, -were a rotten red. It was taken to pieces, like a toy-puzzle for a young -Devil, and was put together again when the occasion wanted it. It hushed -the eloquent, struck down the powerful, abolished the beautiful and -good. Twenty-two friends of high public mark, twenty-one living and one -dead, it had lopped the heads off, in one morning, in as many minutes. -The name of the strong man of Old Scripture had descended to the chief -functionary who worked it; but, so armed, he was stronger than his -namesake, and blinder, and tore away the gates of God's own Temple every -day. - -Among these terrors, and the brood belonging to them, the Doctor walked -with a steady head: confident in his power, cautiously persistent in his -end, never doubting that he would save Lucie's husband at last. Yet the -current of the time swept by, so strong and deep, and carried the time -away so fiercely, that Charles had lain in prison one year and three -months when the Doctor was thus steady and confident. So much more -wicked and distracted had the Revolution grown in that December month, -that the rivers of the South were encumbered with the bodies of the -violently drowned by night, and prisoners were shot in lines and squares -under the southern wintry sun. Still, the Doctor walked among the -terrors with a steady head. No man better known than he, in Paris at -that day; no man in a stranger situation. Silent, humane, indispensable -in hospital and prison, using his art equally among assassins and -victims, he was a man apart. In the exercise of his skill, the -appearance and the story of the Bastille Captive removed him from all -other men. He was not suspected or brought in question, any more than if -he had indeed been recalled to life some eighteen years before, or were -a Spirit moving among mortals. - - - - -V. The Wood-Sawyer - - -One year and three months. During all that time Lucie was never -sure, from hour to hour, but that the Guillotine would strike off her -husband's head next day. Every day, through the stony streets, the -tumbrils now jolted heavily, filled with Condemned. Lovely girls; bright -women, brown-haired, black-haired, and grey; youths; stalwart men and -old; gentle born and peasant born; all red wine for La Guillotine, all -daily brought into light from the dark cellars of the loathsome prisons, -and carried to her through the streets to slake her devouring thirst. -Liberty, equality, fraternity, or death;--the last, much the easiest to -bestow, O Guillotine! - -If the suddenness of her calamity, and the whirling wheels of the time, -had stunned the Doctor's daughter into awaiting the result in idle -despair, it would but have been with her as it was with many. But, from -the hour when she had taken the white head to her fresh young bosom in -the garret of Saint Antoine, she had been true to her duties. She was -truest to them in the season of trial, as all the quietly loyal and good -will always be. - -As soon as they were established in their new residence, and her father -had entered on the routine of his avocations, she arranged the little -household as exactly as if her husband had been there. Everything had -its appointed place and its appointed time. Little Lucie she taught, -as regularly, as if they had all been united in their English home. The -slight devices with which she cheated herself into the show of a belief -that they would soon be reunited--the little preparations for his speedy -return, the setting aside of his chair and his books--these, and the -solemn prayer at night for one dear prisoner especially, among the many -unhappy souls in prison and the shadow of death--were almost the only -outspoken reliefs of her heavy mind. - -She did not greatly alter in appearance. The plain dark dresses, akin to -mourning dresses, which she and her child wore, were as neat and as well -attended to as the brighter clothes of happy days. She lost her colour, -and the old and intent expression was a constant, not an occasional, -thing; otherwise, she remained very pretty and comely. Sometimes, at -night on kissing her father, she would burst into the grief she had -repressed all day, and would say that her sole reliance, under Heaven, -was on him. He always resolutely answered: “Nothing can happen to him -without my knowledge, and I know that I can save him, Lucie.” - -They had not made the round of their changed life many weeks, when her -father said to her, on coming home one evening: - -“My dear, there is an upper window in the prison, to which Charles can -sometimes gain access at three in the afternoon. When he can get to -it--which depends on many uncertainties and incidents--he might see you -in the street, he thinks, if you stood in a certain place that I can -show you. But you will not be able to see him, my poor child, and even -if you could, it would be unsafe for you to make a sign of recognition.” - -“O show me the place, my father, and I will go there every day.” - -From that time, in all weathers, she waited there two hours. As the -clock struck two, she was there, and at four she turned resignedly away. -When it was not too wet or inclement for her child to be with her, they -went together; at other times she was alone; but, she never missed a -single day. - -It was the dark and dirty corner of a small winding street. The hovel -of a cutter of wood into lengths for burning, was the only house at that -end; all else was wall. On the third day of her being there, he noticed -her. - -“Good day, citizeness.” - -“Good day, citizen.” - -This mode of address was now prescribed by decree. It had been -established voluntarily some time ago, among the more thorough patriots; -but, was now law for everybody. - -“Walking here again, citizeness?” - -“You see me, citizen!” - -The wood-sawyer, who was a little man with a redundancy of gesture (he -had once been a mender of roads), cast a glance at the prison, pointed -at the prison, and putting his ten fingers before his face to represent -bars, peeped through them jocosely. - -“But it's not my business,” said he. And went on sawing his wood. - -Next day he was looking out for her, and accosted her the moment she -appeared. - -“What? Walking here again, citizeness?” - -“Yes, citizen.” - -“Ah! A child too! Your mother, is it not, my little citizeness?” - -“Do I say yes, mamma?” whispered little Lucie, drawing close to her. - -“Yes, dearest.” - -“Yes, citizen.” - -“Ah! But it's not my business. My work is my business. See my saw! I -call it my Little Guillotine. La, la, la; La, la, la! And off his head -comes!” - -The billet fell as he spoke, and he threw it into a basket. - -“I call myself the Samson of the firewood guillotine. See here again! -Loo, loo, loo; Loo, loo, loo! And off _her_ head comes! Now, a child. -Tickle, tickle; Pickle, pickle! And off _its_ head comes. All the -family!” - -Lucie shuddered as he threw two more billets into his basket, but it was -impossible to be there while the wood-sawyer was at work, and not be in -his sight. Thenceforth, to secure his good will, she always spoke to him -first, and often gave him drink-money, which he readily received. - -He was an inquisitive fellow, and sometimes when she had quite forgotten -him in gazing at the prison roof and grates, and in lifting her heart -up to her husband, she would come to herself to find him looking at her, -with his knee on his bench and his saw stopped in its work. “But it's -not my business!” he would generally say at those times, and would -briskly fall to his sawing again. - -In all weathers, in the snow and frost of winter, in the bitter winds of -spring, in the hot sunshine of summer, in the rains of autumn, and again -in the snow and frost of winter, Lucie passed two hours of every day at -this place; and every day on leaving it, she kissed the prison wall. -Her husband saw her (so she learned from her father) it might be once in -five or six times: it might be twice or thrice running: it might be, not -for a week or a fortnight together. It was enough that he could and did -see her when the chances served, and on that possibility she would have -waited out the day, seven days a week. - -These occupations brought her round to the December month, wherein her -father walked among the terrors with a steady head. On a lightly-snowing -afternoon she arrived at the usual corner. It was a day of some wild -rejoicing, and a festival. She had seen the houses, as she came along, -decorated with little pikes, and with little red caps stuck upon them; -also, with tricoloured ribbons; also, with the standard inscription -(tricoloured letters were the favourite), Republic One and Indivisible. -Liberty, Equality, Fraternity, or Death! - -The miserable shop of the wood-sawyer was so small, that its whole -surface furnished very indifferent space for this legend. He had got -somebody to scrawl it up for him, however, who had squeezed Death in -with most inappropriate difficulty. On his house-top, he displayed pike -and cap, as a good citizen must, and in a window he had stationed his -saw inscribed as his “Little Sainte Guillotine”--for the great sharp -female was by that time popularly canonised. His shop was shut and he -was not there, which was a relief to Lucie, and left her quite alone. - -But, he was not far off, for presently she heard a troubled movement -and a shouting coming along, which filled her with fear. A moment -afterwards, and a throng of people came pouring round the corner by the -prison wall, in the midst of whom was the wood-sawyer hand in hand with -The Vengeance. There could not be fewer than five hundred people, and -they were dancing like five thousand demons. There was no other music -than their own singing. They danced to the popular Revolution song, -keeping a ferocious time that was like a gnashing of teeth in unison. -Men and women danced together, women danced together, men danced -together, as hazard had brought them together. At first, they were a -mere storm of coarse red caps and coarse woollen rags; but, as they -filled the place, and stopped to dance about Lucie, some ghastly -apparition of a dance-figure gone raving mad arose among them. They -advanced, retreated, struck at one another's hands, clutched at one -another's heads, spun round alone, caught one another and spun round -in pairs, until many of them dropped. While those were down, the rest -linked hand in hand, and all spun round together: then the ring broke, -and in separate rings of two and four they turned and turned until they -all stopped at once, began again, struck, clutched, and tore, and then -reversed the spin, and all spun round another way. Suddenly they stopped -again, paused, struck out the time afresh, formed into lines the width -of the public way, and, with their heads low down and their hands high -up, swooped screaming off. No fight could have been half so terrible -as this dance. It was so emphatically a fallen sport--a something, once -innocent, delivered over to all devilry--a healthy pastime changed into -a means of angering the blood, bewildering the senses, and steeling the -heart. Such grace as was visible in it, made it the uglier, showing how -warped and perverted all things good by nature were become. The maidenly -bosom bared to this, the pretty almost-child's head thus distracted, the -delicate foot mincing in this slough of blood and dirt, were types of -the disjointed time. - -This was the Carmagnole. As it passed, leaving Lucie frightened and -bewildered in the doorway of the wood-sawyer's house, the feathery snow -fell as quietly and lay as white and soft, as if it had never been. - -“O my father!” for he stood before her when she lifted up the eyes she -had momentarily darkened with her hand; “such a cruel, bad sight.” - -“I know, my dear, I know. I have seen it many times. Don't be -frightened! Not one of them would harm you.” - -“I am not frightened for myself, my father. But when I think of my -husband, and the mercies of these people--” - -“We will set him above their mercies very soon. I left him climbing to -the window, and I came to tell you. There is no one here to see. You may -kiss your hand towards that highest shelving roof.” - -“I do so, father, and I send him my Soul with it!” - -“You cannot see him, my poor dear?” - -“No, father,” said Lucie, yearning and weeping as she kissed her hand, -“no.” - -A footstep in the snow. Madame Defarge. “I salute you, citizeness,” - from the Doctor. “I salute you, citizen.” This in passing. Nothing more. -Madame Defarge gone, like a shadow over the white road. - -“Give me your arm, my love. Pass from here with an air of cheerfulness -and courage, for his sake. That was well done;” they had left the spot; -“it shall not be in vain. Charles is summoned for to-morrow.” - -“For to-morrow!” - -“There is no time to lose. I am well prepared, but there are precautions -to be taken, that could not be taken until he was actually summoned -before the Tribunal. He has not received the notice yet, but I know -that he will presently be summoned for to-morrow, and removed to the -Conciergerie; I have timely information. You are not afraid?” - -She could scarcely answer, “I trust in you.” - -“Do so, implicitly. Your suspense is nearly ended, my darling; he shall -be restored to you within a few hours; I have encompassed him with every -protection. I must see Lorry.” - -He stopped. There was a heavy lumbering of wheels within hearing. They -both knew too well what it meant. One. Two. Three. Three tumbrils faring -away with their dread loads over the hushing snow. - -“I must see Lorry,” the Doctor repeated, turning her another way. - -The staunch old gentleman was still in his trust; had never left it. He -and his books were in frequent requisition as to property confiscated -and made national. What he could save for the owners, he saved. No -better man living to hold fast by what Tellson's had in keeping, and to -hold his peace. - -A murky red and yellow sky, and a rising mist from the Seine, denoted -the approach of darkness. It was almost dark when they arrived at the -Bank. The stately residence of Monseigneur was altogether blighted and -deserted. Above a heap of dust and ashes in the court, ran the letters: -National Property. Republic One and Indivisible. Liberty, Equality, -Fraternity, or Death! - -Who could that be with Mr. Lorry--the owner of the riding-coat upon the -chair--who must not be seen? From whom newly arrived, did he come out, -agitated and surprised, to take his favourite in his arms? To whom did -he appear to repeat her faltering words, when, raising his voice and -turning his head towards the door of the room from which he had issued, -he said: “Removed to the Conciergerie, and summoned for to-morrow?” - - - - -VI. Triumph - - -The dread tribunal of five Judges, Public Prosecutor, and determined -Jury, sat every day. Their lists went forth every evening, and were -read out by the gaolers of the various prisons to their prisoners. The -standard gaoler-joke was, “Come out and listen to the Evening Paper, you -inside there!” - -“Charles Evremonde, called Darnay!” - -So at last began the Evening Paper at La Force. - -When a name was called, its owner stepped apart into a spot reserved -for those who were announced as being thus fatally recorded. Charles -Evremonde, called Darnay, had reason to know the usage; he had seen -hundreds pass away so. - -His bloated gaoler, who wore spectacles to read with, glanced over them -to assure himself that he had taken his place, and went through the -list, making a similar short pause at each name. There were twenty-three -names, but only twenty were responded to; for one of the prisoners so -summoned had died in gaol and been forgotten, and two had already been -guillotined and forgotten. The list was read, in the vaulted chamber -where Darnay had seen the associated prisoners on the night of his -arrival. Every one of those had perished in the massacre; every human -creature he had since cared for and parted with, had died on the -scaffold. - -There were hurried words of farewell and kindness, but the parting was -soon over. It was the incident of every day, and the society of La Force -were engaged in the preparation of some games of forfeits and a little -concert, for that evening. They crowded to the grates and shed tears -there; but, twenty places in the projected entertainments had to be -refilled, and the time was, at best, short to the lock-up hour, when the -common rooms and corridors would be delivered over to the great dogs -who kept watch there through the night. The prisoners were far from -insensible or unfeeling; their ways arose out of the condition of the -time. Similarly, though with a subtle difference, a species of fervour -or intoxication, known, without doubt, to have led some persons to -brave the guillotine unnecessarily, and to die by it, was not mere -boastfulness, but a wild infection of the wildly shaken public mind. In -seasons of pestilence, some of us will have a secret attraction to the -disease--a terrible passing inclination to die of it. And all of us have -like wonders hidden in our breasts, only needing circumstances to evoke -them. - -The passage to the Conciergerie was short and dark; the night in its -vermin-haunted cells was long and cold. Next day, fifteen prisoners were -put to the bar before Charles Darnay's name was called. All the fifteen -were condemned, and the trials of the whole occupied an hour and a half. - -“Charles Evremonde, called Darnay,” was at length arraigned. - -His judges sat upon the Bench in feathered hats; but the rough red cap -and tricoloured cockade was the head-dress otherwise prevailing. Looking -at the Jury and the turbulent audience, he might have thought that the -usual order of things was reversed, and that the felons were trying the -honest men. The lowest, cruelest, and worst populace of a city, never -without its quantity of low, cruel, and bad, were the directing -spirits of the scene: noisily commenting, applauding, disapproving, -anticipating, and precipitating the result, without a check. Of the men, -the greater part were armed in various ways; of the women, some wore -knives, some daggers, some ate and drank as they looked on, many -knitted. Among these last, was one, with a spare piece of knitting under -her arm as she worked. She was in a front row, by the side of a man whom -he had never seen since his arrival at the Barrier, but whom he directly -remembered as Defarge. He noticed that she once or twice whispered in -his ear, and that she seemed to be his wife; but, what he most noticed -in the two figures was, that although they were posted as close to -himself as they could be, they never looked towards him. They seemed to -be waiting for something with a dogged determination, and they looked at -the Jury, but at nothing else. Under the President sat Doctor Manette, -in his usual quiet dress. As well as the prisoner could see, he and Mr. -Lorry were the only men there, unconnected with the Tribunal, who -wore their usual clothes, and had not assumed the coarse garb of the -Carmagnole. - -Charles Evremonde, called Darnay, was accused by the public prosecutor -as an emigrant, whose life was forfeit to the Republic, under the decree -which banished all emigrants on pain of Death. It was nothing that the -decree bore date since his return to France. There he was, and there was -the decree; he had been taken in France, and his head was demanded. - -“Take off his head!” cried the audience. “An enemy to the Republic!” - -The President rang his bell to silence those cries, and asked the -prisoner whether it was not true that he had lived many years in -England? - -Undoubtedly it was. - -Was he not an emigrant then? What did he call himself? - -Not an emigrant, he hoped, within the sense and spirit of the law. - -Why not? the President desired to know. - -Because he had voluntarily relinquished a title that was distasteful -to him, and a station that was distasteful to him, and had left -his country--he submitted before the word emigrant in the present -acceptation by the Tribunal was in use--to live by his own industry in -England, rather than on the industry of the overladen people of France. - -What proof had he of this? - -He handed in the names of two witnesses; Theophile Gabelle, and -Alexandre Manette. - -But he had married in England? the President reminded him. - -True, but not an English woman. - -A citizeness of France? - -Yes. By birth. - -Her name and family? - -“Lucie Manette, only daughter of Doctor Manette, the good physician who -sits there.” - -This answer had a happy effect upon the audience. Cries in exaltation -of the well-known good physician rent the hall. So capriciously were -the people moved, that tears immediately rolled down several ferocious -countenances which had been glaring at the prisoner a moment before, as -if with impatience to pluck him out into the streets and kill him. - -On these few steps of his dangerous way, Charles Darnay had set his foot -according to Doctor Manette's reiterated instructions. The same cautious -counsel directed every step that lay before him, and had prepared every -inch of his road. - -The President asked, why had he returned to France when he did, and not -sooner? - -He had not returned sooner, he replied, simply because he had no means -of living in France, save those he had resigned; whereas, in England, -he lived by giving instruction in the French language and literature. -He had returned when he did, on the pressing and written entreaty of -a French citizen, who represented that his life was endangered by his -absence. He had come back, to save a citizen's life, and to bear his -testimony, at whatever personal hazard, to the truth. Was that criminal -in the eyes of the Republic? - -The populace cried enthusiastically, “No!” and the President rang his -bell to quiet them. Which it did not, for they continued to cry “No!” - until they left off, of their own will. - -The President required the name of that citizen. The accused explained -that the citizen was his first witness. He also referred with confidence -to the citizen's letter, which had been taken from him at the Barrier, -but which he did not doubt would be found among the papers then before -the President. - -The Doctor had taken care that it should be there--had assured him that -it would be there--and at this stage of the proceedings it was produced -and read. Citizen Gabelle was called to confirm it, and did so. Citizen -Gabelle hinted, with infinite delicacy and politeness, that in the -pressure of business imposed on the Tribunal by the multitude of -enemies of the Republic with which it had to deal, he had been slightly -overlooked in his prison of the Abbaye--in fact, had rather passed out -of the Tribunal's patriotic remembrance--until three days ago; when he -had been summoned before it, and had been set at liberty on the Jury's -declaring themselves satisfied that the accusation against him was -answered, as to himself, by the surrender of the citizen Evremonde, -called Darnay. - -Doctor Manette was next questioned. His high personal popularity, -and the clearness of his answers, made a great impression; but, as he -proceeded, as he showed that the Accused was his first friend on his -release from his long imprisonment; that, the accused had remained in -England, always faithful and devoted to his daughter and himself in -their exile; that, so far from being in favour with the Aristocrat -government there, he had actually been tried for his life by it, as -the foe of England and friend of the United States--as he brought these -circumstances into view, with the greatest discretion and with the -straightforward force of truth and earnestness, the Jury and the -populace became one. At last, when he appealed by name to Monsieur -Lorry, an English gentleman then and there present, who, like himself, -had been a witness on that English trial and could corroborate his -account of it, the Jury declared that they had heard enough, and that -they were ready with their votes if the President were content to -receive them. - -At every vote (the Jurymen voted aloud and individually), the populace -set up a shout of applause. All the voices were in the prisoner's -favour, and the President declared him free. - -Then, began one of those extraordinary scenes with which the populace -sometimes gratified their fickleness, or their better impulses towards -generosity and mercy, or which they regarded as some set-off against -their swollen account of cruel rage. No man can decide now to which of -these motives such extraordinary scenes were referable; it is probable, -to a blending of all the three, with the second predominating. No sooner -was the acquittal pronounced, than tears were shed as freely as blood -at another time, and such fraternal embraces were bestowed upon the -prisoner by as many of both sexes as could rush at him, that after -his long and unwholesome confinement he was in danger of fainting from -exhaustion; none the less because he knew very well, that the very same -people, carried by another current, would have rushed at him with -the very same intensity, to rend him to pieces and strew him over the -streets. - -His removal, to make way for other accused persons who were to be tried, -rescued him from these caresses for the moment. Five were to be tried -together, next, as enemies of the Republic, forasmuch as they had not -assisted it by word or deed. So quick was the Tribunal to compensate -itself and the nation for a chance lost, that these five came down to -him before he left the place, condemned to die within twenty-four -hours. The first of them told him so, with the customary prison sign -of Death--a raised finger--and they all added in words, “Long live the -Republic!” - -The five had had, it is true, no audience to lengthen their proceedings, -for when he and Doctor Manette emerged from the gate, there was a great -crowd about it, in which there seemed to be every face he had seen in -Court--except two, for which he looked in vain. On his coming out, the -concourse made at him anew, weeping, embracing, and shouting, all by -turns and all together, until the very tide of the river on the bank of -which the mad scene was acted, seemed to run mad, like the people on the -shore. - -They put him into a great chair they had among them, and which they had -taken either out of the Court itself, or one of its rooms or passages. -Over the chair they had thrown a red flag, and to the back of it they -had bound a pike with a red cap on its top. In this car of triumph, not -even the Doctor's entreaties could prevent his being carried to his home -on men's shoulders, with a confused sea of red caps heaving about him, -and casting up to sight from the stormy deep such wrecks of faces, that -he more than once misdoubted his mind being in confusion, and that he -was in the tumbril on his way to the Guillotine. - -In wild dreamlike procession, embracing whom they met and pointing -him out, they carried him on. Reddening the snowy streets with the -prevailing Republican colour, in winding and tramping through them, as -they had reddened them below the snow with a deeper dye, they carried -him thus into the courtyard of the building where he lived. Her father -had gone on before, to prepare her, and when her husband stood upon his -feet, she dropped insensible in his arms. - -As he held her to his heart and turned her beautiful head between his -face and the brawling crowd, so that his tears and her lips might come -together unseen, a few of the people fell to dancing. Instantly, all the -rest fell to dancing, and the courtyard overflowed with the Carmagnole. -Then, they elevated into the vacant chair a young woman from the -crowd to be carried as the Goddess of Liberty, and then swelling and -overflowing out into the adjacent streets, and along the river's bank, -and over the bridge, the Carmagnole absorbed them every one and whirled -them away. - -After grasping the Doctor's hand, as he stood victorious and proud -before him; after grasping the hand of Mr. Lorry, who came panting in -breathless from his struggle against the waterspout of the Carmagnole; -after kissing little Lucie, who was lifted up to clasp her arms round -his neck; and after embracing the ever zealous and faithful Pross who -lifted her; he took his wife in his arms, and carried her up to their -rooms. - -“Lucie! My own! I am safe.” - -“O dearest Charles, let me thank God for this on my knees as I have -prayed to Him.” - -They all reverently bowed their heads and hearts. When she was again in -his arms, he said to her: - -“And now speak to your father, dearest. No other man in all this France -could have done what he has done for me.” - -She laid her head upon her father's breast, as she had laid his poor -head on her own breast, long, long ago. He was happy in the return he -had made her, he was recompensed for his suffering, he was proud of his -strength. “You must not be weak, my darling,” he remonstrated; “don't -tremble so. I have saved him.” - - - - -VII. A Knock at the Door - - -“I have saved him.” It was not another of the dreams in which he had -often come back; he was really here. And yet his wife trembled, and a -vague but heavy fear was upon her. - -All the air round was so thick and dark, the people were so passionately -revengeful and fitful, the innocent were so constantly put to death on -vague suspicion and black malice, it was so impossible to forget that -many as blameless as her husband and as dear to others as he was to -her, every day shared the fate from which he had been clutched, that her -heart could not be as lightened of its load as she felt it ought to be. -The shadows of the wintry afternoon were beginning to fall, and even now -the dreadful carts were rolling through the streets. Her mind pursued -them, looking for him among the Condemned; and then she clung closer to -his real presence and trembled more. - -Her father, cheering her, showed a compassionate superiority to this -woman's weakness, which was wonderful to see. No garret, no shoemaking, -no One Hundred and Five, North Tower, now! He had accomplished the task -he had set himself, his promise was redeemed, he had saved Charles. Let -them all lean upon him. - -Their housekeeping was of a very frugal kind: not only because that was -the safest way of life, involving the least offence to the people, but -because they were not rich, and Charles, throughout his imprisonment, -had had to pay heavily for his bad food, and for his guard, and towards -the living of the poorer prisoners. Partly on this account, and -partly to avoid a domestic spy, they kept no servant; the citizen and -citizeness who acted as porters at the courtyard gate, rendered them -occasional service; and Jerry (almost wholly transferred to them by -Mr. Lorry) had become their daily retainer, and had his bed there every -night. - -It was an ordinance of the Republic One and Indivisible of Liberty, -Equality, Fraternity, or Death, that on the door or doorpost of every -house, the name of every inmate must be legibly inscribed in letters -of a certain size, at a certain convenient height from the ground. Mr. -Jerry Cruncher's name, therefore, duly embellished the doorpost down -below; and, as the afternoon shadows deepened, the owner of that name -himself appeared, from overlooking a painter whom Doctor Manette had -employed to add to the list the name of Charles Evremonde, called -Darnay. - -In the universal fear and distrust that darkened the time, all the usual -harmless ways of life were changed. In the Doctor's little household, as -in very many others, the articles of daily consumption that were wanted -were purchased every evening, in small quantities and at various small -shops. To avoid attracting notice, and to give as little occasion as -possible for talk and envy, was the general desire. - -For some months past, Miss Pross and Mr. Cruncher had discharged the -office of purveyors; the former carrying the money; the latter, the -basket. Every afternoon at about the time when the public lamps were -lighted, they fared forth on this duty, and made and brought home -such purchases as were needful. Although Miss Pross, through her long -association with a French family, might have known as much of their -language as of her own, if she had had a mind, she had no mind in that -direction; consequently she knew no more of that “nonsense” (as she was -pleased to call it) than Mr. Cruncher did. So her manner of marketing -was to plump a noun-substantive at the head of a shopkeeper without any -introduction in the nature of an article, and, if it happened not to be -the name of the thing she wanted, to look round for that thing, lay hold -of it, and hold on by it until the bargain was concluded. She always -made a bargain for it, by holding up, as a statement of its just price, -one finger less than the merchant held up, whatever his number might be. - -“Now, Mr. Cruncher,” said Miss Pross, whose eyes were red with felicity; -“if you are ready, I am.” - -Jerry hoarsely professed himself at Miss Pross's service. He had worn -all his rust off long ago, but nothing would file his spiky head down. - -“There's all manner of things wanted,” said Miss Pross, “and we shall -have a precious time of it. We want wine, among the rest. Nice toasts -these Redheads will be drinking, wherever we buy it.” - -“It will be much the same to your knowledge, miss, I should think,” - retorted Jerry, “whether they drink your health or the Old Un's.” - -“Who's he?” said Miss Pross. - -Mr. Cruncher, with some diffidence, explained himself as meaning “Old -Nick's.” - -“Ha!” said Miss Pross, “it doesn't need an interpreter to explain the -meaning of these creatures. They have but one, and it's Midnight Murder, -and Mischief.” - -“Hush, dear! Pray, pray, be cautious!” cried Lucie. - -“Yes, yes, yes, I'll be cautious,” said Miss Pross; “but I may say -among ourselves, that I do hope there will be no oniony and tobaccoey -smotherings in the form of embracings all round, going on in the -streets. Now, Ladybird, never you stir from that fire till I come back! -Take care of the dear husband you have recovered, and don't move your -pretty head from his shoulder as you have it now, till you see me again! -May I ask a question, Doctor Manette, before I go?” - -“I think you may take that liberty,” the Doctor answered, smiling. - -“For gracious sake, don't talk about Liberty; we have quite enough of -that,” said Miss Pross. - -“Hush, dear! Again?” Lucie remonstrated. - -“Well, my sweet,” said Miss Pross, nodding her head emphatically, “the -short and the long of it is, that I am a subject of His Most Gracious -Majesty King George the Third;” Miss Pross curtseyed at the name; “and -as such, my maxim is, Confound their politics, Frustrate their knavish -tricks, On him our hopes we fix, God save the King!” - -Mr. Cruncher, in an access of loyalty, growlingly repeated the words -after Miss Pross, like somebody at church. - -“I am glad you have so much of the Englishman in you, though I wish you -had never taken that cold in your voice,” said Miss Pross, approvingly. -“But the question, Doctor Manette. Is there”--it was the good creature's -way to affect to make light of anything that was a great anxiety -with them all, and to come at it in this chance manner--“is there any -prospect yet, of our getting out of this place?” - -“I fear not yet. It would be dangerous for Charles yet.” - -“Heigh-ho-hum!” said Miss Pross, cheerfully repressing a sigh as she -glanced at her darling's golden hair in the light of the fire, “then we -must have patience and wait: that's all. We must hold up our heads and -fight low, as my brother Solomon used to say. Now, Mr. Cruncher!--Don't -you move, Ladybird!” - -They went out, leaving Lucie, and her husband, her father, and the -child, by a bright fire. Mr. Lorry was expected back presently from the -Banking House. Miss Pross had lighted the lamp, but had put it aside in -a corner, that they might enjoy the fire-light undisturbed. Little Lucie -sat by her grandfather with her hands clasped through his arm: and he, -in a tone not rising much above a whisper, began to tell her a story of -a great and powerful Fairy who had opened a prison-wall and let out -a captive who had once done the Fairy a service. All was subdued and -quiet, and Lucie was more at ease than she had been. - -“What is that?” she cried, all at once. - -“My dear!” said her father, stopping in his story, and laying his hand -on hers, “command yourself. What a disordered state you are in! The -least thing--nothing--startles you! _You_, your father's daughter!” - -“I thought, my father,” said Lucie, excusing herself, with a pale face -and in a faltering voice, “that I heard strange feet upon the stairs.” - -“My love, the staircase is as still as Death.” - -As he said the word, a blow was struck upon the door. - -“Oh father, father. What can this be! Hide Charles. Save him!” - -“My child,” said the Doctor, rising, and laying his hand upon her -shoulder, “I _have_ saved him. What weakness is this, my dear! Let me go -to the door.” - -He took the lamp in his hand, crossed the two intervening outer rooms, -and opened it. A rude clattering of feet over the floor, and four rough -men in red caps, armed with sabres and pistols, entered the room. - -“The Citizen Evremonde, called Darnay,” said the first. - -“Who seeks him?” answered Darnay. - -“I seek him. We seek him. I know you, Evremonde; I saw you before the -Tribunal to-day. You are again the prisoner of the Republic.” - -The four surrounded him, where he stood with his wife and child clinging -to him. - -“Tell me how and why am I again a prisoner?” - -“It is enough that you return straight to the Conciergerie, and will -know to-morrow. You are summoned for to-morrow.” - -Doctor Manette, whom this visitation had so turned into stone, that he -stood with the lamp in his hand, as if he were a statue made to hold it, -moved after these words were spoken, put the lamp down, and confronting -the speaker, and taking him, not ungently, by the loose front of his red -woollen shirt, said: - -“You know him, you have said. Do you know me?” - -“Yes, I know you, Citizen Doctor.” - -“We all know you, Citizen Doctor,” said the other three. - -He looked abstractedly from one to another, and said, in a lower voice, -after a pause: - -“Will you answer his question to me then? How does this happen?” - -“Citizen Doctor,” said the first, reluctantly, “he has been denounced to -the Section of Saint Antoine. This citizen,” pointing out the second who -had entered, “is from Saint Antoine.” - -The citizen here indicated nodded his head, and added: - -“He is accused by Saint Antoine.” - -“Of what?” asked the Doctor. - -“Citizen Doctor,” said the first, with his former reluctance, “ask no -more. If the Republic demands sacrifices from you, without doubt you as -a good patriot will be happy to make them. The Republic goes before all. -The People is supreme. Evremonde, we are pressed.” - -“One word,” the Doctor entreated. “Will you tell me who denounced him?” - -“It is against rule,” answered the first; “but you can ask Him of Saint -Antoine here.” - -The Doctor turned his eyes upon that man. Who moved uneasily on his -feet, rubbed his beard a little, and at length said: - -“Well! Truly it is against rule. But he is denounced--and gravely--by -the Citizen and Citizeness Defarge. And by one other.” - -“What other?” - -“Do _you_ ask, Citizen Doctor?” - -“Yes.” - -“Then,” said he of Saint Antoine, with a strange look, “you will be -answered to-morrow. Now, I am dumb!” - - - - -VIII. A Hand at Cards - - -Happily unconscious of the new calamity at home, Miss Pross threaded her -way along the narrow streets and crossed the river by the bridge of the -Pont-Neuf, reckoning in her mind the number of indispensable purchases -she had to make. Mr. Cruncher, with the basket, walked at her side. They -both looked to the right and to the left into most of the shops they -passed, had a wary eye for all gregarious assemblages of people, and -turned out of their road to avoid any very excited group of talkers. It -was a raw evening, and the misty river, blurred to the eye with blazing -lights and to the ear with harsh noises, showed where the barges were -stationed in which the smiths worked, making guns for the Army of the -Republic. Woe to the man who played tricks with _that_ Army, or got -undeserved promotion in it! Better for him that his beard had never -grown, for the National Razor shaved him close. - -Having purchased a few small articles of grocery, and a measure of oil -for the lamp, Miss Pross bethought herself of the wine they wanted. -After peeping into several wine-shops, she stopped at the sign of the -Good Republican Brutus of Antiquity, not far from the National Palace, -once (and twice) the Tuileries, where the aspect of things rather -took her fancy. It had a quieter look than any other place of the same -description they had passed, and, though red with patriotic caps, was -not so red as the rest. Sounding Mr. Cruncher, and finding him of her -opinion, Miss Pross resorted to the Good Republican Brutus of Antiquity, -attended by her cavalier. - -Slightly observant of the smoky lights; of the people, pipe in mouth, -playing with limp cards and yellow dominoes; of the one bare-breasted, -bare-armed, soot-begrimed workman reading a journal aloud, and of -the others listening to him; of the weapons worn, or laid aside to be -resumed; of the two or three customers fallen forward asleep, who in the -popular high-shouldered shaggy black spencer looked, in that attitude, -like slumbering bears or dogs; the two outlandish customers approached -the counter, and showed what they wanted. - -As their wine was measuring out, a man parted from another man in a -corner, and rose to depart. In going, he had to face Miss Pross. No -sooner did he face her, than Miss Pross uttered a scream, and clapped -her hands. - -In a moment, the whole company were on their feet. That somebody was -assassinated by somebody vindicating a difference of opinion was the -likeliest occurrence. Everybody looked to see somebody fall, but only -saw a man and a woman standing staring at each other; the man with all -the outward aspect of a Frenchman and a thorough Republican; the woman, -evidently English. - -What was said in this disappointing anti-climax, by the disciples of the -Good Republican Brutus of Antiquity, except that it was something very -voluble and loud, would have been as so much Hebrew or Chaldean to Miss -Pross and her protector, though they had been all ears. But, they had no -ears for anything in their surprise. For, it must be recorded, that -not only was Miss Pross lost in amazement and agitation, but, -Mr. Cruncher--though it seemed on his own separate and individual -account--was in a state of the greatest wonder. - -“What is the matter?” said the man who had caused Miss Pross to scream; -speaking in a vexed, abrupt voice (though in a low tone), and in -English. - -“Oh, Solomon, dear Solomon!” cried Miss Pross, clapping her hands again. -“After not setting eyes upon you or hearing of you for so long a time, -do I find you here!” - -“Don't call me Solomon. Do you want to be the death of me?” asked the -man, in a furtive, frightened way. - -“Brother, brother!” cried Miss Pross, bursting into tears. “Have I ever -been so hard with you that you ask me such a cruel question?” - -“Then hold your meddlesome tongue,” said Solomon, “and come out, if you -want to speak to me. Pay for your wine, and come out. Who's this man?” - -Miss Pross, shaking her loving and dejected head at her by no means -affectionate brother, said through her tears, “Mr. Cruncher.” - -“Let him come out too,” said Solomon. “Does he think me a ghost?” - -Apparently, Mr. Cruncher did, to judge from his looks. He said not a -word, however, and Miss Pross, exploring the depths of her reticule -through her tears with great difficulty paid for her wine. As she did -so, Solomon turned to the followers of the Good Republican Brutus -of Antiquity, and offered a few words of explanation in the French -language, which caused them all to relapse into their former places and -pursuits. - -“Now,” said Solomon, stopping at the dark street corner, “what do you -want?” - -“How dreadfully unkind in a brother nothing has ever turned my love away -from!” cried Miss Pross, “to give me such a greeting, and show me no -affection.” - -“There. Confound it! There,” said Solomon, making a dab at Miss Pross's -lips with his own. “Now are you content?” - -Miss Pross only shook her head and wept in silence. - -“If you expect me to be surprised,” said her brother Solomon, “I am not -surprised; I knew you were here; I know of most people who are here. If -you really don't want to endanger my existence--which I half believe you -do--go your ways as soon as possible, and let me go mine. I am busy. I -am an official.” - -“My English brother Solomon,” mourned Miss Pross, casting up her -tear-fraught eyes, “that had the makings in him of one of the best and -greatest of men in his native country, an official among foreigners, and -such foreigners! I would almost sooner have seen the dear boy lying in -his--” - -“I said so!” cried her brother, interrupting. “I knew it. You want to be -the death of me. I shall be rendered Suspected, by my own sister. Just -as I am getting on!” - -“The gracious and merciful Heavens forbid!” cried Miss Pross. “Far -rather would I never see you again, dear Solomon, though I have ever -loved you truly, and ever shall. Say but one affectionate word to me, -and tell me there is nothing angry or estranged between us, and I will -detain you no longer.” - -Good Miss Pross! As if the estrangement between them had come of any -culpability of hers. As if Mr. Lorry had not known it for a fact, years -ago, in the quiet corner in Soho, that this precious brother had spent -her money and left her! - -He was saying the affectionate word, however, with a far more grudging -condescension and patronage than he could have shown if their relative -merits and positions had been reversed (which is invariably the case, -all the world over), when Mr. Cruncher, touching him on the shoulder, -hoarsely and unexpectedly interposed with the following singular -question: - -“I say! Might I ask the favour? As to whether your name is John Solomon, -or Solomon John?” - -The official turned towards him with sudden distrust. He had not -previously uttered a word. - -“Come!” said Mr. Cruncher. “Speak out, you know.” (Which, by the way, -was more than he could do himself.) “John Solomon, or Solomon John? She -calls you Solomon, and she must know, being your sister. And _I_ know -you're John, you know. Which of the two goes first? And regarding that -name of Pross, likewise. That warn't your name over the water.” - -“What do you mean?” - -“Well, I don't know all I mean, for I can't call to mind what your name -was, over the water.” - -“No?” - -“No. But I'll swear it was a name of two syllables.” - -“Indeed?” - -“Yes. T'other one's was one syllable. I know you. You was a spy--witness -at the Bailey. What, in the name of the Father of Lies, own father to -yourself, was you called at that time?” - -“Barsad,” said another voice, striking in. - -“That's the name for a thousand pound!” cried Jerry. - -The speaker who struck in, was Sydney Carton. He had his hands behind -him under the skirts of his riding-coat, and he stood at Mr. Cruncher's -elbow as negligently as he might have stood at the Old Bailey itself. - -“Don't be alarmed, my dear Miss Pross. I arrived at Mr. Lorry's, to his -surprise, yesterday evening; we agreed that I would not present myself -elsewhere until all was well, or unless I could be useful; I present -myself here, to beg a little talk with your brother. I wish you had a -better employed brother than Mr. Barsad. I wish for your sake Mr. Barsad -was not a Sheep of the Prisons.” - -Sheep was a cant word of the time for a spy, under the gaolers. The spy, -who was pale, turned paler, and asked him how he dared-- - -“I'll tell you,” said Sydney. “I lighted on you, Mr. Barsad, coming out -of the prison of the Conciergerie while I was contemplating the walls, -an hour or more ago. You have a face to be remembered, and I remember -faces well. Made curious by seeing you in that connection, and having -a reason, to which you are no stranger, for associating you with -the misfortunes of a friend now very unfortunate, I walked in your -direction. I walked into the wine-shop here, close after you, and -sat near you. I had no difficulty in deducing from your unreserved -conversation, and the rumour openly going about among your admirers, the -nature of your calling. And gradually, what I had done at random, seemed -to shape itself into a purpose, Mr. Barsad.” - -“What purpose?” the spy asked. - -“It would be troublesome, and might be dangerous, to explain in the -street. Could you favour me, in confidence, with some minutes of your -company--at the office of Tellson's Bank, for instance?” - -“Under a threat?” - -“Oh! Did I say that?” - -“Then, why should I go there?” - -“Really, Mr. Barsad, I can't say, if you can't.” - -“Do you mean that you won't say, sir?” the spy irresolutely asked. - -“You apprehend me very clearly, Mr. Barsad. I won't.” - -Carton's negligent recklessness of manner came powerfully in aid of his -quickness and skill, in such a business as he had in his secret mind, -and with such a man as he had to do with. His practised eye saw it, and -made the most of it. - -“Now, I told you so,” said the spy, casting a reproachful look at his -sister; “if any trouble comes of this, it's your doing.” - -“Come, come, Mr. Barsad!” exclaimed Sydney. “Don't be ungrateful. -But for my great respect for your sister, I might not have led up so -pleasantly to a little proposal that I wish to make for our mutual -satisfaction. Do you go with me to the Bank?” - -“I'll hear what you have got to say. Yes, I'll go with you.” - -“I propose that we first conduct your sister safely to the corner of her -own street. Let me take your arm, Miss Pross. This is not a good city, -at this time, for you to be out in, unprotected; and as your escort -knows Mr. Barsad, I will invite him to Mr. Lorry's with us. Are we -ready? Come then!” - -Miss Pross recalled soon afterwards, and to the end of her life -remembered, that as she pressed her hands on Sydney's arm and looked up -in his face, imploring him to do no hurt to Solomon, there was a braced -purpose in the arm and a kind of inspiration in the eyes, which not only -contradicted his light manner, but changed and raised the man. She was -too much occupied then with fears for the brother who so little deserved -her affection, and with Sydney's friendly reassurances, adequately to -heed what she observed. - -They left her at the corner of the street, and Carton led the way to Mr. -Lorry's, which was within a few minutes' walk. John Barsad, or Solomon -Pross, walked at his side. - -Mr. Lorry had just finished his dinner, and was sitting before a cheery -little log or two of fire--perhaps looking into their blaze for the -picture of that younger elderly gentleman from Tellson's, who had looked -into the red coals at the Royal George at Dover, now a good many years -ago. He turned his head as they entered, and showed the surprise with -which he saw a stranger. - -“Miss Pross's brother, sir,” said Sydney. “Mr. Barsad.” - -“Barsad?” repeated the old gentleman, “Barsad? I have an association -with the name--and with the face.” - -“I told you you had a remarkable face, Mr. Barsad,” observed Carton, -coolly. “Pray sit down.” - -As he took a chair himself, he supplied the link that Mr. Lorry wanted, -by saying to him with a frown, “Witness at that trial.” Mr. Lorry -immediately remembered, and regarded his new visitor with an undisguised -look of abhorrence. - -“Mr. Barsad has been recognised by Miss Pross as the affectionate -brother you have heard of,” said Sydney, “and has acknowledged the -relationship. I pass to worse news. Darnay has been arrested again.” - -Struck with consternation, the old gentleman exclaimed, “What do you -tell me! I left him safe and free within these two hours, and am about -to return to him!” - -“Arrested for all that. When was it done, Mr. Barsad?” - -“Just now, if at all.” - -“Mr. Barsad is the best authority possible, sir,” said Sydney, “and I -have it from Mr. Barsad's communication to a friend and brother Sheep -over a bottle of wine, that the arrest has taken place. He left the -messengers at the gate, and saw them admitted by the porter. There is no -earthly doubt that he is retaken.” - -Mr. Lorry's business eye read in the speaker's face that it was loss -of time to dwell upon the point. Confused, but sensible that something -might depend on his presence of mind, he commanded himself, and was -silently attentive. - -“Now, I trust,” said Sydney to him, “that the name and influence of -Doctor Manette may stand him in as good stead to-morrow--you said he -would be before the Tribunal again to-morrow, Mr. Barsad?--” - -“Yes; I believe so.” - -“--In as good stead to-morrow as to-day. But it may not be so. I own -to you, I am shaken, Mr. Lorry, by Doctor Manette's not having had the -power to prevent this arrest.” - -“He may not have known of it beforehand,” said Mr. Lorry. - -“But that very circumstance would be alarming, when we remember how -identified he is with his son-in-law.” - -“That's true,” Mr. Lorry acknowledged, with his troubled hand at his -chin, and his troubled eyes on Carton. - -“In short,” said Sydney, “this is a desperate time, when desperate games -are played for desperate stakes. Let the Doctor play the winning game; I -will play the losing one. No man's life here is worth purchase. Any one -carried home by the people to-day, may be condemned tomorrow. Now, the -stake I have resolved to play for, in case of the worst, is a friend -in the Conciergerie. And the friend I purpose to myself to win, is Mr. -Barsad.” - -“You need have good cards, sir,” said the spy. - -“I'll run them over. I'll see what I hold,--Mr. Lorry, you know what a -brute I am; I wish you'd give me a little brandy.” - -It was put before him, and he drank off a glassful--drank off another -glassful--pushed the bottle thoughtfully away. - -“Mr. Barsad,” he went on, in the tone of one who really was looking -over a hand at cards: “Sheep of the prisons, emissary of Republican -committees, now turnkey, now prisoner, always spy and secret informer, -so much the more valuable here for being English that an Englishman -is less open to suspicion of subornation in those characters than a -Frenchman, represents himself to his employers under a false name. -That's a very good card. Mr. Barsad, now in the employ of the republican -French government, was formerly in the employ of the aristocratic -English government, the enemy of France and freedom. That's an excellent -card. Inference clear as day in this region of suspicion, that Mr. -Barsad, still in the pay of the aristocratic English government, is the -spy of Pitt, the treacherous foe of the Republic crouching in its bosom, -the English traitor and agent of all mischief so much spoken of and so -difficult to find. That's a card not to be beaten. Have you followed my -hand, Mr. Barsad?” - -“Not to understand your play,” returned the spy, somewhat uneasily. - -“I play my Ace, Denunciation of Mr. Barsad to the nearest Section -Committee. Look over your hand, Mr. Barsad, and see what you have. Don't -hurry.” - -He drew the bottle near, poured out another glassful of brandy, and -drank it off. He saw that the spy was fearful of his drinking himself -into a fit state for the immediate denunciation of him. Seeing it, he -poured out and drank another glassful. - -“Look over your hand carefully, Mr. Barsad. Take time.” - -It was a poorer hand than he suspected. Mr. Barsad saw losing cards -in it that Sydney Carton knew nothing of. Thrown out of his honourable -employment in England, through too much unsuccessful hard swearing -there--not because he was not wanted there; our English reasons for -vaunting our superiority to secrecy and spies are of very modern -date--he knew that he had crossed the Channel, and accepted service in -France: first, as a tempter and an eavesdropper among his own countrymen -there: gradually, as a tempter and an eavesdropper among the natives. He -knew that under the overthrown government he had been a spy upon Saint -Antoine and Defarge's wine-shop; had received from the watchful police -such heads of information concerning Doctor Manette's imprisonment, -release, and history, as should serve him for an introduction to -familiar conversation with the Defarges; and tried them on Madame -Defarge, and had broken down with them signally. He always remembered -with fear and trembling, that that terrible woman had knitted when he -talked with her, and had looked ominously at him as her fingers moved. -He had since seen her, in the Section of Saint Antoine, over and over -again produce her knitted registers, and denounce people whose lives the -guillotine then surely swallowed up. He knew, as every one employed as -he was did, that he was never safe; that flight was impossible; that -he was tied fast under the shadow of the axe; and that in spite of -his utmost tergiversation and treachery in furtherance of the reigning -terror, a word might bring it down upon him. Once denounced, and on such -grave grounds as had just now been suggested to his mind, he foresaw -that the dreadful woman of whose unrelenting character he had seen many -proofs, would produce against him that fatal register, and would quash -his last chance of life. Besides that all secret men are men soon -terrified, here were surely cards enough of one black suit, to justify -the holder in growing rather livid as he turned them over. - -“You scarcely seem to like your hand,” said Sydney, with the greatest -composure. “Do you play?” - -“I think, sir,” said the spy, in the meanest manner, as he turned to Mr. -Lorry, “I may appeal to a gentleman of your years and benevolence, to -put it to this other gentleman, so much your junior, whether he can -under any circumstances reconcile it to his station to play that Ace -of which he has spoken. I admit that _I_ am a spy, and that it is -considered a discreditable station--though it must be filled by -somebody; but this gentleman is no spy, and why should he so demean -himself as to make himself one?” - -“I play my Ace, Mr. Barsad,” said Carton, taking the answer on himself, -and looking at his watch, “without any scruple, in a very few minutes.” - -“I should have hoped, gentlemen both,” said the spy, always striving to -hook Mr. Lorry into the discussion, “that your respect for my sister--” - -“I could not better testify my respect for your sister than by finally -relieving her of her brother,” said Sydney Carton. - -“You think not, sir?” - -“I have thoroughly made up my mind about it.” - -The smooth manner of the spy, curiously in dissonance with his -ostentatiously rough dress, and probably with his usual demeanour, -received such a check from the inscrutability of Carton,--who was a -mystery to wiser and honester men than he,--that it faltered here and -failed him. While he was at a loss, Carton said, resuming his former air -of contemplating cards: - -“And indeed, now I think again, I have a strong impression that I -have another good card here, not yet enumerated. That friend and -fellow-Sheep, who spoke of himself as pasturing in the country prisons; -who was he?” - -“French. You don't know him,” said the spy, quickly. - -“French, eh?” repeated Carton, musing, and not appearing to notice him -at all, though he echoed his word. “Well; he may be.” - -“Is, I assure you,” said the spy; “though it's not important.” - -“Though it's not important,” repeated Carton, in the same mechanical -way--“though it's not important--No, it's not important. No. Yet I know -the face.” - -“I think not. I am sure not. It can't be,” said the spy. - -“It-can't-be,” muttered Sydney Carton, retrospectively, and idling his -glass (which fortunately was a small one) again. “Can't-be. Spoke good -French. Yet like a foreigner, I thought?” - -“Provincial,” said the spy. - -“No. Foreign!” cried Carton, striking his open hand on the table, as a -light broke clearly on his mind. “Cly! Disguised, but the same man. We -had that man before us at the Old Bailey.” - -“Now, there you are hasty, sir,” said Barsad, with a smile that gave his -aquiline nose an extra inclination to one side; “there you really give -me an advantage over you. Cly (who I will unreservedly admit, at this -distance of time, was a partner of mine) has been dead several years. I -attended him in his last illness. He was buried in London, at the church -of Saint Pancras-in-the-Fields. His unpopularity with the blackguard -multitude at the moment prevented my following his remains, but I helped -to lay him in his coffin.” - -Here, Mr. Lorry became aware, from where he sat, of a most remarkable -goblin shadow on the wall. Tracing it to its source, he discovered it -to be caused by a sudden extraordinary rising and stiffening of all the -risen and stiff hair on Mr. Cruncher's head. - -“Let us be reasonable,” said the spy, “and let us be fair. To show you -how mistaken you are, and what an unfounded assumption yours is, I will -lay before you a certificate of Cly's burial, which I happened to have -carried in my pocket-book,” with a hurried hand he produced and opened -it, “ever since. There it is. Oh, look at it, look at it! You may take -it in your hand; it's no forgery.” - -Here, Mr. Lorry perceived the reflection on the wall to elongate, and -Mr. Cruncher rose and stepped forward. His hair could not have been more -violently on end, if it had been that moment dressed by the Cow with the -crumpled horn in the house that Jack built. - -Unseen by the spy, Mr. Cruncher stood at his side, and touched him on -the shoulder like a ghostly bailiff. - -“That there Roger Cly, master,” said Mr. Cruncher, with a taciturn and -iron-bound visage. “So _you_ put him in his coffin?” - -“I did.” - -“Who took him out of it?” - -Barsad leaned back in his chair, and stammered, “What do you mean?” - -“I mean,” said Mr. Cruncher, “that he warn't never in it. No! Not he! -I'll have my head took off, if he was ever in it.” - -The spy looked round at the two gentlemen; they both looked in -unspeakable astonishment at Jerry. - -“I tell you,” said Jerry, “that you buried paving-stones and earth in -that there coffin. Don't go and tell me that you buried Cly. It was a -take in. Me and two more knows it.” - -“How do you know it?” - -“What's that to you? Ecod!” growled Mr. Cruncher, “it's you I have got a -old grudge again, is it, with your shameful impositions upon tradesmen! -I'd catch hold of your throat and choke you for half a guinea.” - -Sydney Carton, who, with Mr. Lorry, had been lost in amazement at -this turn of the business, here requested Mr. Cruncher to moderate and -explain himself. - -“At another time, sir,” he returned, evasively, “the present time is -ill-conwenient for explainin'. What I stand to, is, that he knows well -wot that there Cly was never in that there coffin. Let him say he was, -in so much as a word of one syllable, and I'll either catch hold of his -throat and choke him for half a guinea;” Mr. Cruncher dwelt upon this as -quite a liberal offer; “or I'll out and announce him.” - -“Humph! I see one thing,” said Carton. “I hold another card, Mr. Barsad. -Impossible, here in raging Paris, with Suspicion filling the air, for -you to outlive denunciation, when you are in communication with another -aristocratic spy of the same antecedents as yourself, who, moreover, has -the mystery about him of having feigned death and come to life again! -A plot in the prisons, of the foreigner against the Republic. A strong -card--a certain Guillotine card! Do you play?” - -“No!” returned the spy. “I throw up. I confess that we were so unpopular -with the outrageous mob, that I only got away from England at the risk -of being ducked to death, and that Cly was so ferreted up and down, that -he never would have got away at all but for that sham. Though how this -man knows it was a sham, is a wonder of wonders to me.” - -“Never you trouble your head about this man,” retorted the contentious -Mr. Cruncher; “you'll have trouble enough with giving your attention to -that gentleman. And look here! Once more!”--Mr. Cruncher could not -be restrained from making rather an ostentatious parade of his -liberality--“I'd catch hold of your throat and choke you for half a -guinea.” - -The Sheep of the prisons turned from him to Sydney Carton, and said, -with more decision, “It has come to a point. I go on duty soon, and -can't overstay my time. You told me you had a proposal; what is it? -Now, it is of no use asking too much of me. Ask me to do anything in my -office, putting my head in great extra danger, and I had better trust my -life to the chances of a refusal than the chances of consent. In short, -I should make that choice. You talk of desperation. We are all desperate -here. Remember! I may denounce you if I think proper, and I can swear my -way through stone walls, and so can others. Now, what do you want with -me?” - -“Not very much. You are a turnkey at the Conciergerie?” - -“I tell you once for all, there is no such thing as an escape possible,” - said the spy, firmly. - -“Why need you tell me what I have not asked? You are a turnkey at the -Conciergerie?” - -“I am sometimes.” - -“You can be when you choose?” - -“I can pass in and out when I choose.” - -Sydney Carton filled another glass with brandy, poured it slowly out -upon the hearth, and watched it as it dropped. It being all spent, he -said, rising: - -“So far, we have spoken before these two, because it was as well that -the merits of the cards should not rest solely between you and me. Come -into the dark room here, and let us have one final word alone.” - - - - -IX. The Game Made - - -While Sydney Carton and the Sheep of the prisons were in the adjoining -dark room, speaking so low that not a sound was heard, Mr. Lorry looked -at Jerry in considerable doubt and mistrust. That honest tradesman's -manner of receiving the look, did not inspire confidence; he changed the -leg on which he rested, as often as if he had fifty of those limbs, -and were trying them all; he examined his finger-nails with a very -questionable closeness of attention; and whenever Mr. Lorry's eye caught -his, he was taken with that peculiar kind of short cough requiring the -hollow of a hand before it, which is seldom, if ever, known to be an -infirmity attendant on perfect openness of character. - -“Jerry,” said Mr. Lorry. “Come here.” - -Mr. Cruncher came forward sideways, with one of his shoulders in advance -of him. - -“What have you been, besides a messenger?” - -After some cogitation, accompanied with an intent look at his patron, -Mr. Cruncher conceived the luminous idea of replying, “Agicultooral -character.” - -“My mind misgives me much,” said Mr. Lorry, angrily shaking a forefinger -at him, “that you have used the respectable and great house of Tellson's -as a blind, and that you have had an unlawful occupation of an infamous -description. If you have, don't expect me to befriend you when you -get back to England. If you have, don't expect me to keep your secret. -Tellson's shall not be imposed upon.” - -“I hope, sir,” pleaded the abashed Mr. Cruncher, “that a gentleman like -yourself wot I've had the honour of odd jobbing till I'm grey at it, -would think twice about harming of me, even if it wos so--I don't say it -is, but even if it wos. And which it is to be took into account that if -it wos, it wouldn't, even then, be all o' one side. There'd be two sides -to it. There might be medical doctors at the present hour, a picking -up their guineas where a honest tradesman don't pick up his -fardens--fardens! no, nor yet his half fardens--half fardens! no, nor -yet his quarter--a banking away like smoke at Tellson's, and a cocking -their medical eyes at that tradesman on the sly, a going in and going -out to their own carriages--ah! equally like smoke, if not more so. -Well, that 'ud be imposing, too, on Tellson's. For you cannot sarse the -goose and not the gander. And here's Mrs. Cruncher, or leastways wos -in the Old England times, and would be to-morrow, if cause given, -a floppin' again the business to that degree as is ruinating--stark -ruinating! Whereas them medical doctors' wives don't flop--catch 'em at -it! Or, if they flop, their floppings goes in favour of more patients, -and how can you rightly have one without t'other? Then, wot with -undertakers, and wot with parish clerks, and wot with sextons, and wot -with private watchmen (all awaricious and all in it), a man wouldn't get -much by it, even if it wos so. And wot little a man did get, would never -prosper with him, Mr. Lorry. He'd never have no good of it; he'd want -all along to be out of the line, if he, could see his way out, being -once in--even if it wos so.” - -“Ugh!” cried Mr. Lorry, rather relenting, nevertheless, “I am shocked at -the sight of you.” - -“Now, what I would humbly offer to you, sir,” pursued Mr. Cruncher, -“even if it wos so, which I don't say it is--” - -“Don't prevaricate,” said Mr. Lorry. - -“No, I will _not_, sir,” returned Mr. Crunches as if nothing were -further from his thoughts or practice--“which I don't say it is--wot I -would humbly offer to you, sir, would be this. Upon that there stool, at -that there Bar, sets that there boy of mine, brought up and growed up to -be a man, wot will errand you, message you, general-light-job you, till -your heels is where your head is, if such should be your wishes. If it -wos so, which I still don't say it is (for I will not prewaricate to -you, sir), let that there boy keep his father's place, and take care of -his mother; don't blow upon that boy's father--do not do it, sir--and -let that father go into the line of the reg'lar diggin', and make amends -for what he would have undug--if it wos so--by diggin' of 'em in with -a will, and with conwictions respectin' the futur' keepin' of 'em safe. -That, Mr. Lorry,” said Mr. Cruncher, wiping his forehead with his -arm, as an announcement that he had arrived at the peroration of his -discourse, “is wot I would respectfully offer to you, sir. A man don't -see all this here a goin' on dreadful round him, in the way of Subjects -without heads, dear me, plentiful enough fur to bring the price down -to porterage and hardly that, without havin' his serious thoughts of -things. And these here would be mine, if it wos so, entreatin' of you -fur to bear in mind that wot I said just now, I up and said in the good -cause when I might have kep' it back.” - -“That at least is true,” said Mr. Lorry. “Say no more now. It may be -that I shall yet stand your friend, if you deserve it, and repent in -action--not in words. I want no more words.” - -Mr. Cruncher knuckled his forehead, as Sydney Carton and the spy -returned from the dark room. “Adieu, Mr. Barsad,” said the former; “our -arrangement thus made, you have nothing to fear from me.” - -He sat down in a chair on the hearth, over against Mr. Lorry. When they -were alone, Mr. Lorry asked him what he had done? - -“Not much. If it should go ill with the prisoner, I have ensured access -to him, once.” - -Mr. Lorry's countenance fell. - -“It is all I could do,” said Carton. “To propose too much, would be -to put this man's head under the axe, and, as he himself said, nothing -worse could happen to him if he were denounced. It was obviously the -weakness of the position. There is no help for it.” - -“But access to him,” said Mr. Lorry, “if it should go ill before the -Tribunal, will not save him.” - -“I never said it would.” - -Mr. Lorry's eyes gradually sought the fire; his sympathy with his -darling, and the heavy disappointment of his second arrest, gradually -weakened them; he was an old man now, overborne with anxiety of late, -and his tears fell. - -“You are a good man and a true friend,” said Carton, in an altered -voice. “Forgive me if I notice that you are affected. I could not see my -father weep, and sit by, careless. And I could not respect your -sorrow more, if you were my father. You are free from that misfortune, -however.” - -Though he said the last words, with a slip into his usual manner, there -was a true feeling and respect both in his tone and in his touch, -that Mr. Lorry, who had never seen the better side of him, was wholly -unprepared for. He gave him his hand, and Carton gently pressed it. - -“To return to poor Darnay,” said Carton. “Don't tell Her of this -interview, or this arrangement. It would not enable Her to go to see -him. She might think it was contrived, in case of the worse, to convey -to him the means of anticipating the sentence.” - -Mr. Lorry had not thought of that, and he looked quickly at Carton to -see if it were in his mind. It seemed to be; he returned the look, and -evidently understood it. - -“She might think a thousand things,” Carton said, “and any of them would -only add to her trouble. Don't speak of me to her. As I said to you when -I first came, I had better not see her. I can put my hand out, to do any -little helpful work for her that my hand can find to do, without that. -You are going to her, I hope? She must be very desolate to-night.” - -“I am going now, directly.” - -“I am glad of that. She has such a strong attachment to you and reliance -on you. How does she look?” - -“Anxious and unhappy, but very beautiful.” - -“Ah!” - -It was a long, grieving sound, like a sigh--almost like a sob. It -attracted Mr. Lorry's eyes to Carton's face, which was turned to the -fire. A light, or a shade (the old gentleman could not have said which), -passed from it as swiftly as a change will sweep over a hill-side on a -wild bright day, and he lifted his foot to put back one of the little -flaming logs, which was tumbling forward. He wore the white riding-coat -and top-boots, then in vogue, and the light of the fire touching their -light surfaces made him look very pale, with his long brown hair, -all untrimmed, hanging loose about him. His indifference to fire was -sufficiently remarkable to elicit a word of remonstrance from Mr. Lorry; -his boot was still upon the hot embers of the flaming log, when it had -broken under the weight of his foot. - -“I forgot it,” he said. - -Mr. Lorry's eyes were again attracted to his face. Taking note of the -wasted air which clouded the naturally handsome features, and having -the expression of prisoners' faces fresh in his mind, he was strongly -reminded of that expression. - -“And your duties here have drawn to an end, sir?” said Carton, turning -to him. - -“Yes. As I was telling you last night when Lucie came in so -unexpectedly, I have at length done all that I can do here. I hoped to -have left them in perfect safety, and then to have quitted Paris. I have -my Leave to Pass. I was ready to go.” - -They were both silent. - -“Yours is a long life to look back upon, sir?” said Carton, wistfully. - -“I am in my seventy-eighth year.” - -“You have been useful all your life; steadily and constantly occupied; -trusted, respected, and looked up to?” - -“I have been a man of business, ever since I have been a man. Indeed, I -may say that I was a man of business when a boy.” - -“See what a place you fill at seventy-eight. How many people will miss -you when you leave it empty!” - -“A solitary old bachelor,” answered Mr. Lorry, shaking his head. “There -is nobody to weep for me.” - -“How can you say that? Wouldn't She weep for you? Wouldn't her child?” - -“Yes, yes, thank God. I didn't quite mean what I said.” - -“It _is_ a thing to thank God for; is it not?” - -“Surely, surely.” - -“If you could say, with truth, to your own solitary heart, to-night, -'I have secured to myself the love and attachment, the gratitude or -respect, of no human creature; I have won myself a tender place in no -regard; I have done nothing good or serviceable to be remembered by!' -your seventy-eight years would be seventy-eight heavy curses; would they -not?” - -“You say truly, Mr. Carton; I think they would be.” - -Sydney turned his eyes again upon the fire, and, after a silence of a -few moments, said: - -“I should like to ask you:--Does your childhood seem far off? Do the -days when you sat at your mother's knee, seem days of very long ago?” - -Responding to his softened manner, Mr. Lorry answered: - -“Twenty years back, yes; at this time of my life, no. For, as I draw -closer and closer to the end, I travel in the circle, nearer and -nearer to the beginning. It seems to be one of the kind smoothings and -preparings of the way. My heart is touched now, by many remembrances -that had long fallen asleep, of my pretty young mother (and I so old!), -and by many associations of the days when what we call the World was not -so real with me, and my faults were not confirmed in me.” - -“I understand the feeling!” exclaimed Carton, with a bright flush. “And -you are the better for it?” - -“I hope so.” - -Carton terminated the conversation here, by rising to help him on with -his outer coat; “But you,” said Mr. Lorry, reverting to the theme, “you -are young.” - -“Yes,” said Carton. “I am not old, but my young way was never the way to -age. Enough of me.” - -“And of me, I am sure,” said Mr. Lorry. “Are you going out?” - -“I'll walk with you to her gate. You know my vagabond and restless -habits. If I should prowl about the streets a long time, don't be -uneasy; I shall reappear in the morning. You go to the Court to-morrow?” - -“Yes, unhappily.” - -“I shall be there, but only as one of the crowd. My Spy will find a -place for me. Take my arm, sir.” - -Mr. Lorry did so, and they went down-stairs and out in the streets. A -few minutes brought them to Mr. Lorry's destination. Carton left him -there; but lingered at a little distance, and turned back to the gate -again when it was shut, and touched it. He had heard of her going to -the prison every day. “She came out here,” he said, looking about him, -“turned this way, must have trod on these stones often. Let me follow in -her steps.” - -It was ten o'clock at night when he stood before the prison of La Force, -where she had stood hundreds of times. A little wood-sawyer, having -closed his shop, was smoking his pipe at his shop-door. - -“Good night, citizen,” said Sydney Carton, pausing in going by; for, the -man eyed him inquisitively. - -“Good night, citizen.” - -“How goes the Republic?” - -“You mean the Guillotine. Not ill. Sixty-three to-day. We shall mount -to a hundred soon. Samson and his men complain sometimes, of being -exhausted. Ha, ha, ha! He is so droll, that Samson. Such a Barber!” - -“Do you often go to see him--” - -“Shave? Always. Every day. What a barber! You have seen him at work?” - -“Never.” - -“Go and see him when he has a good batch. Figure this to yourself, -citizen; he shaved the sixty-three to-day, in less than two pipes! Less -than two pipes. Word of honour!” - -As the grinning little man held out the pipe he was smoking, to explain -how he timed the executioner, Carton was so sensible of a rising desire -to strike the life out of him, that he turned away. - -“But you are not English,” said the wood-sawyer, “though you wear -English dress?” - -“Yes,” said Carton, pausing again, and answering over his shoulder. - -“You speak like a Frenchman.” - -“I am an old student here.” - -“Aha, a perfect Frenchman! Good night, Englishman.” - -“Good night, citizen.” - -“But go and see that droll dog,” the little man persisted, calling after -him. “And take a pipe with you!” - -Sydney had not gone far out of sight, when he stopped in the middle of -the street under a glimmering lamp, and wrote with his pencil on a scrap -of paper. Then, traversing with the decided step of one who remembered -the way well, several dark and dirty streets--much dirtier than usual, -for the best public thoroughfares remained uncleansed in those times of -terror--he stopped at a chemist's shop, which the owner was closing with -his own hands. A small, dim, crooked shop, kept in a tortuous, up-hill -thoroughfare, by a small, dim, crooked man. - -Giving this citizen, too, good night, as he confronted him at his -counter, he laid the scrap of paper before him. “Whew!” the chemist -whistled softly, as he read it. “Hi! hi! hi!” - -Sydney Carton took no heed, and the chemist said: - -“For you, citizen?” - -“For me.” - -“You will be careful to keep them separate, citizen? You know the -consequences of mixing them?” - -“Perfectly.” - -Certain small packets were made and given to him. He put them, one by -one, in the breast of his inner coat, counted out the money for them, -and deliberately left the shop. “There is nothing more to do,” said he, -glancing upward at the moon, “until to-morrow. I can't sleep.” - -It was not a reckless manner, the manner in which he said these words -aloud under the fast-sailing clouds, nor was it more expressive of -negligence than defiance. It was the settled manner of a tired man, who -had wandered and struggled and got lost, but who at length struck into -his road and saw its end. - -Long ago, when he had been famous among his earliest competitors as a -youth of great promise, he had followed his father to the grave. His -mother had died, years before. These solemn words, which had been -read at his father's grave, arose in his mind as he went down the dark -streets, among the heavy shadows, with the moon and the clouds sailing -on high above him. “I am the resurrection and the life, saith the Lord: -he that believeth in me, though he were dead, yet shall he live: and -whosoever liveth and believeth in me, shall never die.” - -In a city dominated by the axe, alone at night, with natural sorrow -rising in him for the sixty-three who had been that day put to death, -and for to-morrow's victims then awaiting their doom in the prisons, -and still of to-morrow's and to-morrow's, the chain of association that -brought the words home, like a rusty old ship's anchor from the deep, -might have been easily found. He did not seek it, but repeated them and -went on. - -With a solemn interest in the lighted windows where the people were -going to rest, forgetful through a few calm hours of the horrors -surrounding them; in the towers of the churches, where no prayers -were said, for the popular revulsion had even travelled that length -of self-destruction from years of priestly impostors, plunderers, and -profligates; in the distant burial-places, reserved, as they wrote upon -the gates, for Eternal Sleep; in the abounding gaols; and in the streets -along which the sixties rolled to a death which had become so common and -material, that no sorrowful story of a haunting Spirit ever arose among -the people out of all the working of the Guillotine; with a solemn -interest in the whole life and death of the city settling down to its -short nightly pause in fury; Sydney Carton crossed the Seine again for -the lighter streets. - -Few coaches were abroad, for riders in coaches were liable to be -suspected, and gentility hid its head in red nightcaps, and put on heavy -shoes, and trudged. But, the theatres were all well filled, and the -people poured cheerfully out as he passed, and went chatting home. At -one of the theatre doors, there was a little girl with a mother, looking -for a way across the street through the mud. He carried the child over, -and before the timid arm was loosed from his neck asked her for a kiss. - -“I am the resurrection and the life, saith the Lord: he that believeth -in me, though he were dead, yet shall he live: and whosoever liveth and -believeth in me, shall never die.” - -Now, that the streets were quiet, and the night wore on, the words -were in the echoes of his feet, and were in the air. Perfectly calm -and steady, he sometimes repeated them to himself as he walked; but, he -heard them always. - -The night wore out, and, as he stood upon the bridge listening to the -water as it splashed the river-walls of the Island of Paris, where the -picturesque confusion of houses and cathedral shone bright in the light -of the moon, the day came coldly, looking like a dead face out of the -sky. Then, the night, with the moon and the stars, turned pale and died, -and for a little while it seemed as if Creation were delivered over to -Death's dominion. - -But, the glorious sun, rising, seemed to strike those words, that burden -of the night, straight and warm to his heart in its long bright rays. -And looking along them, with reverently shaded eyes, a bridge of light -appeared to span the air between him and the sun, while the river -sparkled under it. - -The strong tide, so swift, so deep, and certain, was like a congenial -friend, in the morning stillness. He walked by the stream, far from the -houses, and in the light and warmth of the sun fell asleep on the -bank. When he awoke and was afoot again, he lingered there yet a little -longer, watching an eddy that turned and turned purposeless, until the -stream absorbed it, and carried it on to the sea.--“Like me.” - -A trading-boat, with a sail of the softened colour of a dead leaf, then -glided into his view, floated by him, and died away. As its silent track -in the water disappeared, the prayer that had broken up out of his heart -for a merciful consideration of all his poor blindnesses and errors, -ended in the words, “I am the resurrection and the life.” - -Mr. Lorry was already out when he got back, and it was easy to surmise -where the good old man was gone. Sydney Carton drank nothing but a -little coffee, ate some bread, and, having washed and changed to refresh -himself, went out to the place of trial. - -The court was all astir and a-buzz, when the black sheep--whom many fell -away from in dread--pressed him into an obscure corner among the crowd. -Mr. Lorry was there, and Doctor Manette was there. She was there, -sitting beside her father. - -When her husband was brought in, she turned a look upon him, so -sustaining, so encouraging, so full of admiring love and pitying -tenderness, yet so courageous for his sake, that it called the healthy -blood into his face, brightened his glance, and animated his heart. If -there had been any eyes to notice the influence of her look, on Sydney -Carton, it would have been seen to be the same influence exactly. - -Before that unjust Tribunal, there was little or no order of procedure, -ensuring to any accused person any reasonable hearing. There could have -been no such Revolution, if all laws, forms, and ceremonies, had not -first been so monstrously abused, that the suicidal vengeance of the -Revolution was to scatter them all to the winds. - -Every eye was turned to the jury. The same determined patriots and good -republicans as yesterday and the day before, and to-morrow and the day -after. Eager and prominent among them, one man with a craving face, and -his fingers perpetually hovering about his lips, whose appearance -gave great satisfaction to the spectators. A life-thirsting, -cannibal-looking, bloody-minded juryman, the Jacques Three of St. -Antoine. The whole jury, as a jury of dogs empannelled to try the deer. - -Every eye then turned to the five judges and the public prosecutor. -No favourable leaning in that quarter to-day. A fell, uncompromising, -murderous business-meaning there. Every eye then sought some other eye -in the crowd, and gleamed at it approvingly; and heads nodded at one -another, before bending forward with a strained attention. - -Charles Evremonde, called Darnay. Released yesterday. Reaccused and -retaken yesterday. Indictment delivered to him last night. Suspected and -Denounced enemy of the Republic, Aristocrat, one of a family of tyrants, -one of a race proscribed, for that they had used their abolished -privileges to the infamous oppression of the people. Charles Evremonde, -called Darnay, in right of such proscription, absolutely Dead in Law. - -To this effect, in as few or fewer words, the Public Prosecutor. - -The President asked, was the Accused openly denounced or secretly? - -“Openly, President.” - -“By whom?” - -“Three voices. Ernest Defarge, wine-vendor of St. Antoine.” - -“Good.” - -“Therese Defarge, his wife.” - -“Good.” - -“Alexandre Manette, physician.” - -A great uproar took place in the court, and in the midst of it, Doctor -Manette was seen, pale and trembling, standing where he had been seated. - -“President, I indignantly protest to you that this is a forgery and -a fraud. You know the accused to be the husband of my daughter. My -daughter, and those dear to her, are far dearer to me than my life. Who -and where is the false conspirator who says that I denounce the husband -of my child!” - -“Citizen Manette, be tranquil. To fail in submission to the authority of -the Tribunal would be to put yourself out of Law. As to what is dearer -to you than life, nothing can be so dear to a good citizen as the -Republic.” - -Loud acclamations hailed this rebuke. The President rang his bell, and -with warmth resumed. - -“If the Republic should demand of you the sacrifice of your child -herself, you would have no duty but to sacrifice her. Listen to what is -to follow. In the meanwhile, be silent!” - -Frantic acclamations were again raised. Doctor Manette sat down, with -his eyes looking around, and his lips trembling; his daughter drew -closer to him. The craving man on the jury rubbed his hands together, -and restored the usual hand to his mouth. - -Defarge was produced, when the court was quiet enough to admit of his -being heard, and rapidly expounded the story of the imprisonment, and of -his having been a mere boy in the Doctor's service, and of the release, -and of the state of the prisoner when released and delivered to him. -This short examination followed, for the court was quick with its work. - -“You did good service at the taking of the Bastille, citizen?” - -“I believe so.” - -Here, an excited woman screeched from the crowd: “You were one of the -best patriots there. Why not say so? You were a cannonier that day -there, and you were among the first to enter the accursed fortress when -it fell. Patriots, I speak the truth!” - -It was The Vengeance who, amidst the warm commendations of the audience, -thus assisted the proceedings. The President rang his bell; but, The -Vengeance, warming with encouragement, shrieked, “I defy that bell!” - wherein she was likewise much commended. - -“Inform the Tribunal of what you did that day within the Bastille, -citizen.” - -“I knew,” said Defarge, looking down at his wife, who stood at the -bottom of the steps on which he was raised, looking steadily up at him; -“I knew that this prisoner, of whom I speak, had been confined in a cell -known as One Hundred and Five, North Tower. I knew it from himself. He -knew himself by no other name than One Hundred and Five, North Tower, -when he made shoes under my care. As I serve my gun that day, I resolve, -when the place shall fall, to examine that cell. It falls. I mount to -the cell, with a fellow-citizen who is one of the Jury, directed by a -gaoler. I examine it, very closely. In a hole in the chimney, where a -stone has been worked out and replaced, I find a written paper. This is -that written paper. I have made it my business to examine some specimens -of the writing of Doctor Manette. This is the writing of Doctor Manette. -I confide this paper, in the writing of Doctor Manette, to the hands of -the President.” - -“Let it be read.” - -In a dead silence and stillness--the prisoner under trial looking -lovingly at his wife, his wife only looking from him to look with -solicitude at her father, Doctor Manette keeping his eyes fixed on the -reader, Madame Defarge never taking hers from the prisoner, Defarge -never taking his from his feasting wife, and all the other eyes there -intent upon the Doctor, who saw none of them--the paper was read, as -follows. - - - - -X. The Substance of the Shadow - - -“I, Alexandre Manette, unfortunate physician, native of Beauvais, and -afterwards resident in Paris, write this melancholy paper in my doleful -cell in the Bastille, during the last month of the year, 1767. I write -it at stolen intervals, under every difficulty. I design to secrete it -in the wall of the chimney, where I have slowly and laboriously made a -place of concealment for it. Some pitying hand may find it there, when I -and my sorrows are dust. - -“These words are formed by the rusty iron point with which I write with -difficulty in scrapings of soot and charcoal from the chimney, mixed -with blood, in the last month of the tenth year of my captivity. Hope -has quite departed from my breast. I know from terrible warnings I have -noted in myself that my reason will not long remain unimpaired, but I -solemnly declare that I am at this time in the possession of my right -mind--that my memory is exact and circumstantial--and that I write the -truth as I shall answer for these my last recorded words, whether they -be ever read by men or not, at the Eternal Judgment-seat. - -“One cloudy moonlight night, in the third week of December (I think the -twenty-second of the month) in the year 1757, I was walking on a retired -part of the quay by the Seine for the refreshment of the frosty air, -at an hour's distance from my place of residence in the Street of the -School of Medicine, when a carriage came along behind me, driven very -fast. As I stood aside to let that carriage pass, apprehensive that it -might otherwise run me down, a head was put out at the window, and a -voice called to the driver to stop. - -“The carriage stopped as soon as the driver could rein in his horses, -and the same voice called to me by my name. I answered. The carriage -was then so far in advance of me that two gentlemen had time to open the -door and alight before I came up with it. - -“I observed that they were both wrapped in cloaks, and appeared to -conceal themselves. As they stood side by side near the carriage door, -I also observed that they both looked of about my own age, or rather -younger, and that they were greatly alike, in stature, manner, voice, -and (as far as I could see) face too. - -“'You are Doctor Manette?' said one. - -“I am.” - -“'Doctor Manette, formerly of Beauvais,' said the other; 'the young -physician, originally an expert surgeon, who within the last year or two -has made a rising reputation in Paris?' - -“'Gentlemen,' I returned, 'I am that Doctor Manette of whom you speak so -graciously.' - -“'We have been to your residence,' said the first, 'and not being -so fortunate as to find you there, and being informed that you were -probably walking in this direction, we followed, in the hope of -overtaking you. Will you please to enter the carriage?' - -“The manner of both was imperious, and they both moved, as these words -were spoken, so as to place me between themselves and the carriage door. -They were armed. I was not. - -“'Gentlemen,' said I, 'pardon me; but I usually inquire who does me -the honour to seek my assistance, and what is the nature of the case to -which I am summoned.' - -“The reply to this was made by him who had spoken second. 'Doctor, -your clients are people of condition. As to the nature of the case, -our confidence in your skill assures us that you will ascertain it for -yourself better than we can describe it. Enough. Will you please to -enter the carriage?' - -“I could do nothing but comply, and I entered it in silence. They both -entered after me--the last springing in, after putting up the steps. The -carriage turned about, and drove on at its former speed. - -“I repeat this conversation exactly as it occurred. I have no doubt that -it is, word for word, the same. I describe everything exactly as it took -place, constraining my mind not to wander from the task. Where I make -the broken marks that follow here, I leave off for the time, and put my -paper in its hiding-place. - - ***** - -“The carriage left the streets behind, passed the North Barrier, and -emerged upon the country road. At two-thirds of a league from the -Barrier--I did not estimate the distance at that time, but afterwards -when I traversed it--it struck out of the main avenue, and presently -stopped at a solitary house, We all three alighted, and walked, by -a damp soft footpath in a garden where a neglected fountain had -overflowed, to the door of the house. It was not opened immediately, in -answer to the ringing of the bell, and one of my two conductors struck -the man who opened it, with his heavy riding glove, across the face. - -“There was nothing in this action to attract my particular attention, -for I had seen common people struck more commonly than dogs. But, the -other of the two, being angry likewise, struck the man in like manner -with his arm; the look and bearing of the brothers were then so exactly -alike, that I then first perceived them to be twin brothers. - -“From the time of our alighting at the outer gate (which we found -locked, and which one of the brothers had opened to admit us, and had -relocked), I had heard cries proceeding from an upper chamber. I was -conducted to this chamber straight, the cries growing louder as we -ascended the stairs, and I found a patient in a high fever of the brain, -lying on a bed. - -“The patient was a woman of great beauty, and young; assuredly not much -past twenty. Her hair was torn and ragged, and her arms were bound to -her sides with sashes and handkerchiefs. I noticed that these bonds were -all portions of a gentleman's dress. On one of them, which was a fringed -scarf for a dress of ceremony, I saw the armorial bearings of a Noble, -and the letter E. - -“I saw this, within the first minute of my contemplation of the patient; -for, in her restless strivings she had turned over on her face on the -edge of the bed, had drawn the end of the scarf into her mouth, and was -in danger of suffocation. My first act was to put out my hand to relieve -her breathing; and in moving the scarf aside, the embroidery in the -corner caught my sight. - -“I turned her gently over, placed my hands upon her breast to calm her -and keep her down, and looked into her face. Her eyes were dilated and -wild, and she constantly uttered piercing shrieks, and repeated the -words, 'My husband, my father, and my brother!' and then counted up to -twelve, and said, 'Hush!' For an instant, and no more, she would pause -to listen, and then the piercing shrieks would begin again, and she -would repeat the cry, 'My husband, my father, and my brother!' and -would count up to twelve, and say, 'Hush!' There was no variation in the -order, or the manner. There was no cessation, but the regular moment's -pause, in the utterance of these sounds. - -“'How long,' I asked, 'has this lasted?' - -“To distinguish the brothers, I will call them the elder and the -younger; by the elder, I mean him who exercised the most authority. It -was the elder who replied, 'Since about this hour last night.' - -“'She has a husband, a father, and a brother?' - -“'A brother.' - -“'I do not address her brother?' - -“He answered with great contempt, 'No.' - -“'She has some recent association with the number twelve?' - -“The younger brother impatiently rejoined, 'With twelve o'clock?' - -“'See, gentlemen,' said I, still keeping my hands upon her breast, 'how -useless I am, as you have brought me! If I had known what I was coming -to see, I could have come provided. As it is, time must be lost. There -are no medicines to be obtained in this lonely place.' - -“The elder brother looked to the younger, who said haughtily, 'There is -a case of medicines here;' and brought it from a closet, and put it on -the table. - - ***** - -“I opened some of the bottles, smelt them, and put the stoppers to my -lips. If I had wanted to use anything save narcotic medicines that were -poisons in themselves, I would not have administered any of those. - -“'Do you doubt them?' asked the younger brother. - -“'You see, monsieur, I am going to use them,' I replied, and said no -more. - -“I made the patient swallow, with great difficulty, and after many -efforts, the dose that I desired to give. As I intended to repeat it -after a while, and as it was necessary to watch its influence, I then -sat down by the side of the bed. There was a timid and suppressed woman -in attendance (wife of the man down-stairs), who had retreated into -a corner. The house was damp and decayed, indifferently -furnished--evidently, recently occupied and temporarily used. Some thick -old hangings had been nailed up before the windows, to deaden the -sound of the shrieks. They continued to be uttered in their regular -succession, with the cry, 'My husband, my father, and my brother!' the -counting up to twelve, and 'Hush!' The frenzy was so violent, that I had -not unfastened the bandages restraining the arms; but, I had looked to -them, to see that they were not painful. The only spark of encouragement -in the case, was, that my hand upon the sufferer's breast had this much -soothing influence, that for minutes at a time it tranquillised the -figure. It had no effect upon the cries; no pendulum could be more -regular. - -“For the reason that my hand had this effect (I assume), I had sat by -the side of the bed for half an hour, with the two brothers looking on, -before the elder said: - -“'There is another patient.' - -“I was startled, and asked, 'Is it a pressing case?' - -“'You had better see,' he carelessly answered; and took up a light. - - ***** - -“The other patient lay in a back room across a second staircase, which -was a species of loft over a stable. There was a low plastered ceiling -to a part of it; the rest was open, to the ridge of the tiled roof, and -there were beams across. Hay and straw were stored in that portion of -the place, fagots for firing, and a heap of apples in sand. I had to -pass through that part, to get at the other. My memory is circumstantial -and unshaken. I try it with these details, and I see them all, in -this my cell in the Bastille, near the close of the tenth year of my -captivity, as I saw them all that night. - -“On some hay on the ground, with a cushion thrown under his head, lay a -handsome peasant boy--a boy of not more than seventeen at the most. -He lay on his back, with his teeth set, his right hand clenched on his -breast, and his glaring eyes looking straight upward. I could not see -where his wound was, as I kneeled on one knee over him; but, I could see -that he was dying of a wound from a sharp point. - -“'I am a doctor, my poor fellow,' said I. 'Let me examine it.' - -“'I do not want it examined,' he answered; 'let it be.' - -“It was under his hand, and I soothed him to let me move his hand away. -The wound was a sword-thrust, received from twenty to twenty-four hours -before, but no skill could have saved him if it had been looked to -without delay. He was then dying fast. As I turned my eyes to the elder -brother, I saw him looking down at this handsome boy whose life was -ebbing out, as if he were a wounded bird, or hare, or rabbit; not at all -as if he were a fellow-creature. - -“'How has this been done, monsieur?' said I. - -“'A crazed young common dog! A serf! Forced my brother to draw upon him, -and has fallen by my brother's sword--like a gentleman.' - -“There was no touch of pity, sorrow, or kindred humanity, in this -answer. The speaker seemed to acknowledge that it was inconvenient to -have that different order of creature dying there, and that it would -have been better if he had died in the usual obscure routine of his -vermin kind. He was quite incapable of any compassionate feeling about -the boy, or about his fate. - -“The boy's eyes had slowly moved to him as he had spoken, and they now -slowly moved to me. - -“'Doctor, they are very proud, these Nobles; but we common dogs are -proud too, sometimes. They plunder us, outrage us, beat us, kill us; but -we have a little pride left, sometimes. She--have you seen her, Doctor?' - -“The shrieks and the cries were audible there, though subdued by the -distance. He referred to them, as if she were lying in our presence. - -“I said, 'I have seen her.' - -“'She is my sister, Doctor. They have had their shameful rights, these -Nobles, in the modesty and virtue of our sisters, many years, but we -have had good girls among us. I know it, and have heard my father say -so. She was a good girl. She was betrothed to a good young man, too: a -tenant of his. We were all tenants of his--that man's who stands there. -The other is his brother, the worst of a bad race.' - -“It was with the greatest difficulty that the boy gathered bodily force -to speak; but, his spirit spoke with a dreadful emphasis. - -“'We were so robbed by that man who stands there, as all we common dogs -are by those superior Beings--taxed by him without mercy, obliged to -work for him without pay, obliged to grind our corn at his mill, obliged -to feed scores of his tame birds on our wretched crops, and forbidden -for our lives to keep a single tame bird of our own, pillaged and -plundered to that degree that when we chanced to have a bit of meat, we -ate it in fear, with the door barred and the shutters closed, that his -people should not see it and take it from us--I say, we were so robbed, -and hunted, and were made so poor, that our father told us it was a -dreadful thing to bring a child into the world, and that what we should -most pray for, was, that our women might be barren and our miserable -race die out!' - -“I had never before seen the sense of being oppressed, bursting forth -like a fire. I had supposed that it must be latent in the people -somewhere; but, I had never seen it break out, until I saw it in the -dying boy. - -“'Nevertheless, Doctor, my sister married. He was ailing at that time, -poor fellow, and she married her lover, that she might tend and comfort -him in our cottage--our dog-hut, as that man would call it. She had not -been married many weeks, when that man's brother saw her and admired -her, and asked that man to lend her to him--for what are husbands among -us! He was willing enough, but my sister was good and virtuous, and -hated his brother with a hatred as strong as mine. What did the two -then, to persuade her husband to use his influence with her, to make her -willing?' - -“The boy's eyes, which had been fixed on mine, slowly turned to the -looker-on, and I saw in the two faces that all he said was true. The two -opposing kinds of pride confronting one another, I can see, even in this -Bastille; the gentleman's, all negligent indifference; the peasant's, all -trodden-down sentiment, and passionate revenge. - -“'You know, Doctor, that it is among the Rights of these Nobles to -harness us common dogs to carts, and drive us. They so harnessed him and -drove him. You know that it is among their Rights to keep us in their -grounds all night, quieting the frogs, in order that their noble sleep -may not be disturbed. They kept him out in the unwholesome mists at -night, and ordered him back into his harness in the day. But he was -not persuaded. No! Taken out of harness one day at noon, to feed--if he -could find food--he sobbed twelve times, once for every stroke of the -bell, and died on her bosom.' - -“Nothing human could have held life in the boy but his determination to -tell all his wrong. He forced back the gathering shadows of death, as -he forced his clenched right hand to remain clenched, and to cover his -wound. - -“'Then, with that man's permission and even with his aid, his -brother took her away; in spite of what I know she must have told his -brother--and what that is, will not be long unknown to you, Doctor, if -it is now--his brother took her away--for his pleasure and diversion, -for a little while. I saw her pass me on the road. When I took the -tidings home, our father's heart burst; he never spoke one of the words -that filled it. I took my young sister (for I have another) to a place -beyond the reach of this man, and where, at least, she will never be -_his_ vassal. Then, I tracked the brother here, and last night climbed -in--a common dog, but sword in hand.--Where is the loft window? It was -somewhere here?' - -“The room was darkening to his sight; the world was narrowing around -him. I glanced about me, and saw that the hay and straw were trampled -over the floor, as if there had been a struggle. - -“'She heard me, and ran in. I told her not to come near us till he was -dead. He came in and first tossed me some pieces of money; then struck -at me with a whip. But I, though a common dog, so struck at him as to -make him draw. Let him break into as many pieces as he will, the sword -that he stained with my common blood; he drew to defend himself--thrust -at me with all his skill for his life.' - -“My glance had fallen, but a few moments before, on the fragments of -a broken sword, lying among the hay. That weapon was a gentleman's. In -another place, lay an old sword that seemed to have been a soldier's. - -“'Now, lift me up, Doctor; lift me up. Where is he?' - -“'He is not here,' I said, supporting the boy, and thinking that he -referred to the brother. - -“'He! Proud as these nobles are, he is afraid to see me. Where is the -man who was here? Turn my face to him.' - -“I did so, raising the boy's head against my knee. But, invested for the -moment with extraordinary power, he raised himself completely: obliging -me to rise too, or I could not have still supported him. - -“'Marquis,' said the boy, turned to him with his eyes opened wide, and -his right hand raised, 'in the days when all these things are to be -answered for, I summon you and yours, to the last of your bad race, to -answer for them. I mark this cross of blood upon you, as a sign that -I do it. In the days when all these things are to be answered for, -I summon your brother, the worst of the bad race, to answer for them -separately. I mark this cross of blood upon him, as a sign that I do -it.' - -“Twice, he put his hand to the wound in his breast, and with his -forefinger drew a cross in the air. He stood for an instant with the -finger yet raised, and as it dropped, he dropped with it, and I laid him -down dead. - - ***** - -“When I returned to the bedside of the young woman, I found her raving -in precisely the same order of continuity. I knew that this might last -for many hours, and that it would probably end in the silence of the -grave. - -“I repeated the medicines I had given her, and I sat at the side of -the bed until the night was far advanced. She never abated the piercing -quality of her shrieks, never stumbled in the distinctness or the order -of her words. They were always 'My husband, my father, and my brother! -One, two, three, four, five, six, seven, eight, nine, ten, eleven, -twelve. Hush!' - -“This lasted twenty-six hours from the time when I first saw her. I had -come and gone twice, and was again sitting by her, when she began to -falter. I did what little could be done to assist that opportunity, and -by-and-bye she sank into a lethargy, and lay like the dead. - -“It was as if the wind and rain had lulled at last, after a long and -fearful storm. I released her arms, and called the woman to assist me to -compose her figure and the dress she had torn. It was then that I knew -her condition to be that of one in whom the first expectations of being -a mother have arisen; and it was then that I lost the little hope I had -had of her. - -“'Is she dead?' asked the Marquis, whom I will still describe as the -elder brother, coming booted into the room from his horse. - -“'Not dead,' said I; 'but like to die.' - -“'What strength there is in these common bodies!' he said, looking down -at her with some curiosity. - -“'There is prodigious strength,' I answered him, 'in sorrow and -despair.' - -“He first laughed at my words, and then frowned at them. He moved a -chair with his foot near to mine, ordered the woman away, and said in a -subdued voice, - -“'Doctor, finding my brother in this difficulty with these hinds, I -recommended that your aid should be invited. Your reputation is high, -and, as a young man with your fortune to make, you are probably mindful -of your interest. The things that you see here, are things to be seen, -and not spoken of.' - -“I listened to the patient's breathing, and avoided answering. - -“'Do you honour me with your attention, Doctor?' - -“'Monsieur,' said I, 'in my profession, the communications of patients -are always received in confidence.' I was guarded in my answer, for I -was troubled in my mind with what I had heard and seen. - -“Her breathing was so difficult to trace, that I carefully tried the -pulse and the heart. There was life, and no more. Looking round as I -resumed my seat, I found both the brothers intent upon me. - - ***** - -“I write with so much difficulty, the cold is so severe, I am so -fearful of being detected and consigned to an underground cell and total -darkness, that I must abridge this narrative. There is no confusion or -failure in my memory; it can recall, and could detail, every word that -was ever spoken between me and those brothers. - -“She lingered for a week. Towards the last, I could understand some few -syllables that she said to me, by placing my ear close to her lips. She -asked me where she was, and I told her; who I was, and I told her. It -was in vain that I asked her for her family name. She faintly shook her -head upon the pillow, and kept her secret, as the boy had done. - -“I had no opportunity of asking her any question, until I had told the -brothers she was sinking fast, and could not live another day. Until -then, though no one was ever presented to her consciousness save the -woman and myself, one or other of them had always jealously sat behind -the curtain at the head of the bed when I was there. But when it came to -that, they seemed careless what communication I might hold with her; as -if--the thought passed through my mind--I were dying too. - -“I always observed that their pride bitterly resented the younger -brother's (as I call him) having crossed swords with a peasant, and that -peasant a boy. The only consideration that appeared to affect the mind -of either of them was the consideration that this was highly degrading -to the family, and was ridiculous. As often as I caught the younger -brother's eyes, their expression reminded me that he disliked me deeply, -for knowing what I knew from the boy. He was smoother and more polite to -me than the elder; but I saw this. I also saw that I was an incumbrance -in the mind of the elder, too. - -“My patient died, two hours before midnight--at a time, by my watch, -answering almost to the minute when I had first seen her. I was alone -with her, when her forlorn young head drooped gently on one side, and -all her earthly wrongs and sorrows ended. - -“The brothers were waiting in a room down-stairs, impatient to ride -away. I had heard them, alone at the bedside, striking their boots with -their riding-whips, and loitering up and down. - -“'At last she is dead?' said the elder, when I went in. - -“'She is dead,' said I. - -“'I congratulate you, my brother,' were his words as he turned round. - -“He had before offered me money, which I had postponed taking. He now -gave me a rouleau of gold. I took it from his hand, but laid it on -the table. I had considered the question, and had resolved to accept -nothing. - -“'Pray excuse me,' said I. 'Under the circumstances, no.' - -“They exchanged looks, but bent their heads to me as I bent mine to -them, and we parted without another word on either side. - - ***** - -“I am weary, weary, weary--worn down by misery. I cannot read what I -have written with this gaunt hand. - -“Early in the morning, the rouleau of gold was left at my door in a -little box, with my name on the outside. From the first, I had anxiously -considered what I ought to do. I decided, that day, to write privately -to the Minister, stating the nature of the two cases to which I had been -summoned, and the place to which I had gone: in effect, stating all the -circumstances. I knew what Court influence was, and what the immunities -of the Nobles were, and I expected that the matter would never be -heard of; but, I wished to relieve my own mind. I had kept the matter a -profound secret, even from my wife; and this, too, I resolved to state -in my letter. I had no apprehension whatever of my real danger; but -I was conscious that there might be danger for others, if others were -compromised by possessing the knowledge that I possessed. - -“I was much engaged that day, and could not complete my letter that -night. I rose long before my usual time next morning to finish it. -It was the last day of the year. The letter was lying before me just -completed, when I was told that a lady waited, who wished to see me. - - ***** - -“I am growing more and more unequal to the task I have set myself. It is -so cold, so dark, my senses are so benumbed, and the gloom upon me is so -dreadful. - -“The lady was young, engaging, and handsome, but not marked for long -life. She was in great agitation. She presented herself to me as the -wife of the Marquis St. Evremonde. I connected the title by which the -boy had addressed the elder brother, with the initial letter embroidered -on the scarf, and had no difficulty in arriving at the conclusion that I -had seen that nobleman very lately. - -“My memory is still accurate, but I cannot write the words of our -conversation. I suspect that I am watched more closely than I was, and I -know not at what times I may be watched. She had in part suspected, and -in part discovered, the main facts of the cruel story, of her husband's -share in it, and my being resorted to. She did not know that the girl -was dead. Her hope had been, she said in great distress, to show her, -in secret, a woman's sympathy. Her hope had been to avert the wrath of -Heaven from a House that had long been hateful to the suffering many. - -“She had reasons for believing that there was a young sister living, and -her greatest desire was, to help that sister. I could tell her nothing -but that there was such a sister; beyond that, I knew nothing. Her -inducement to come to me, relying on my confidence, had been the hope -that I could tell her the name and place of abode. Whereas, to this -wretched hour I am ignorant of both. - - ***** - -“These scraps of paper fail me. One was taken from me, with a warning, -yesterday. I must finish my record to-day. - -“She was a good, compassionate lady, and not happy in her marriage. How -could she be! The brother distrusted and disliked her, and his influence -was all opposed to her; she stood in dread of him, and in dread of her -husband too. When I handed her down to the door, there was a child, a -pretty boy from two to three years old, in her carriage. - -“'For his sake, Doctor,' she said, pointing to him in tears, 'I would do -all I can to make what poor amends I can. He will never prosper in his -inheritance otherwise. I have a presentiment that if no other innocent -atonement is made for this, it will one day be required of him. What -I have left to call my own--it is little beyond the worth of a few -jewels--I will make it the first charge of his life to bestow, with the -compassion and lamenting of his dead mother, on this injured family, if -the sister can be discovered.' - -“She kissed the boy, and said, caressing him, 'It is for thine own dear -sake. Thou wilt be faithful, little Charles?' The child answered her -bravely, 'Yes!' I kissed her hand, and she took him in her arms, and -went away caressing him. I never saw her more. - -“As she had mentioned her husband's name in the faith that I knew it, -I added no mention of it to my letter. I sealed my letter, and, not -trusting it out of my own hands, delivered it myself that day. - -“That night, the last night of the year, towards nine o'clock, a man in -a black dress rang at my gate, demanded to see me, and softly followed -my servant, Ernest Defarge, a youth, up-stairs. When my servant came -into the room where I sat with my wife--O my wife, beloved of my heart! -My fair young English wife!--we saw the man, who was supposed to be at -the gate, standing silent behind him. - -“An urgent case in the Rue St. Honore, he said. It would not detain me, -he had a coach in waiting. - -“It brought me here, it brought me to my grave. When I was clear of the -house, a black muffler was drawn tightly over my mouth from behind, and -my arms were pinioned. The two brothers crossed the road from a dark -corner, and identified me with a single gesture. The Marquis took from -his pocket the letter I had written, showed it me, burnt it in the light -of a lantern that was held, and extinguished the ashes with his foot. -Not a word was spoken. I was brought here, I was brought to my living -grave. - -“If it had pleased _God_ to put it in the hard heart of either of the -brothers, in all these frightful years, to grant me any tidings of -my dearest wife--so much as to let me know by a word whether alive or -dead--I might have thought that He had not quite abandoned them. But, -now I believe that the mark of the red cross is fatal to them, and that -they have no part in His mercies. And them and their descendants, to the -last of their race, I, Alexandre Manette, unhappy prisoner, do this last -night of the year 1767, in my unbearable agony, denounce to the times -when all these things shall be answered for. I denounce them to Heaven -and to earth.” - -A terrible sound arose when the reading of this document was done. A -sound of craving and eagerness that had nothing articulate in it but -blood. The narrative called up the most revengeful passions of the time, -and there was not a head in the nation but must have dropped before it. - -Little need, in presence of that tribunal and that auditory, to show -how the Defarges had not made the paper public, with the other captured -Bastille memorials borne in procession, and had kept it, biding their -time. Little need to show that this detested family name had long been -anathematised by Saint Antoine, and was wrought into the fatal register. -The man never trod ground whose virtues and services would have -sustained him in that place that day, against such denunciation. - -And all the worse for the doomed man, that the denouncer was a -well-known citizen, his own attached friend, the father of his wife. One -of the frenzied aspirations of the populace was, for imitations of -the questionable public virtues of antiquity, and for sacrifices and -self-immolations on the people's altar. Therefore when the President -said (else had his own head quivered on his shoulders), that the good -physician of the Republic would deserve better still of the Republic by -rooting out an obnoxious family of Aristocrats, and would doubtless feel -a sacred glow and joy in making his daughter a widow and her child an -orphan, there was wild excitement, patriotic fervour, not a touch of -human sympathy. - -“Much influence around him, has that Doctor?” murmured Madame Defarge, -smiling to The Vengeance. “Save him now, my Doctor, save him!” - -At every juryman's vote, there was a roar. Another and another. Roar and -roar. - -Unanimously voted. At heart and by descent an Aristocrat, an enemy -of the Republic, a notorious oppressor of the People. Back to the -Conciergerie, and Death within four-and-twenty hours! - - - - -XI. Dusk - - -The wretched wife of the innocent man thus doomed to die, fell under -the sentence, as if she had been mortally stricken. But, she uttered no -sound; and so strong was the voice within her, representing that it was -she of all the world who must uphold him in his misery and not augment -it, that it quickly raised her, even from that shock. - -The Judges having to take part in a public demonstration out of doors, -the Tribunal adjourned. The quick noise and movement of the court's -emptying itself by many passages had not ceased, when Lucie stood -stretching out her arms towards her husband, with nothing in her face -but love and consolation. - -“If I might touch him! If I might embrace him once! O, good citizens, if -you would have so much compassion for us!” - -There was but a gaoler left, along with two of the four men who had -taken him last night, and Barsad. The people had all poured out to the -show in the streets. Barsad proposed to the rest, “Let her embrace -him then; it is but a moment.” It was silently acquiesced in, and they -passed her over the seats in the hall to a raised place, where he, by -leaning over the dock, could fold her in his arms. - -“Farewell, dear darling of my soul. My parting blessing on my love. We -shall meet again, where the weary are at rest!” - -They were her husband's words, as he held her to his bosom. - -“I can bear it, dear Charles. I am supported from above: don't suffer -for me. A parting blessing for our child.” - -“I send it to her by you. I kiss her by you. I say farewell to her by -you.” - -“My husband. No! A moment!” He was tearing himself apart from her. -“We shall not be separated long. I feel that this will break my heart -by-and-bye; but I will do my duty while I can, and when I leave her, God -will raise up friends for her, as He did for me.” - -Her father had followed her, and would have fallen on his knees to both -of them, but that Darnay put out a hand and seized him, crying: - -“No, no! What have you done, what have you done, that you should kneel -to us! We know now, what a struggle you made of old. We know, now what -you underwent when you suspected my descent, and when you knew it. We -know now, the natural antipathy you strove against, and conquered, for -her dear sake. We thank you with all our hearts, and all our love and -duty. Heaven be with you!” - -Her father's only answer was to draw his hands through his white hair, -and wring them with a shriek of anguish. - -“It could not be otherwise,” said the prisoner. “All things have worked -together as they have fallen out. It was the always-vain endeavour to -discharge my poor mother's trust that first brought my fatal presence -near you. Good could never come of such evil, a happier end was not in -nature to so unhappy a beginning. Be comforted, and forgive me. Heaven -bless you!” - -As he was drawn away, his wife released him, and stood looking after him -with her hands touching one another in the attitude of prayer, and -with a radiant look upon her face, in which there was even a comforting -smile. As he went out at the prisoners' door, she turned, laid her head -lovingly on her father's breast, tried to speak to him, and fell at his -feet. - -Then, issuing from the obscure corner from which he had never moved, -Sydney Carton came and took her up. Only her father and Mr. Lorry were -with her. His arm trembled as it raised her, and supported her head. -Yet, there was an air about him that was not all of pity--that had a -flush of pride in it. - -“Shall I take her to a coach? I shall never feel her weight.” - -He carried her lightly to the door, and laid her tenderly down in a -coach. Her father and their old friend got into it, and he took his seat -beside the driver. - -When they arrived at the gateway where he had paused in the dark not -many hours before, to picture to himself on which of the rough stones of -the street her feet had trodden, he lifted her again, and carried her up -the staircase to their rooms. There, he laid her down on a couch, where -her child and Miss Pross wept over her. - -“Don't recall her to herself,” he said, softly, to the latter, “she is -better so. Don't revive her to consciousness, while she only faints.” - -“Oh, Carton, Carton, dear Carton!” cried little Lucie, springing up and -throwing her arms passionately round him, in a burst of grief. “Now that -you have come, I think you will do something to help mamma, something to -save papa! O, look at her, dear Carton! Can you, of all the people who -love her, bear to see her so?” - -He bent over the child, and laid her blooming cheek against his face. He -put her gently from him, and looked at her unconscious mother. - -“Before I go,” he said, and paused--“I may kiss her?” - -It was remembered afterwards that when he bent down and touched her face -with his lips, he murmured some words. The child, who was nearest to -him, told them afterwards, and told her grandchildren when she was a -handsome old lady, that she heard him say, “A life you love.” - -When he had gone out into the next room, he turned suddenly on Mr. Lorry -and her father, who were following, and said to the latter: - -“You had great influence but yesterday, Doctor Manette; let it at least -be tried. These judges, and all the men in power, are very friendly to -you, and very recognisant of your services; are they not?” - -“Nothing connected with Charles was concealed from me. I had the -strongest assurances that I should save him; and I did.” He returned the -answer in great trouble, and very slowly. - -“Try them again. The hours between this and to-morrow afternoon are few -and short, but try.” - -“I intend to try. I will not rest a moment.” - -“That's well. I have known such energy as yours do great things before -now--though never,” he added, with a smile and a sigh together, “such -great things as this. But try! Of little worth as life is when we misuse -it, it is worth that effort. It would cost nothing to lay down if it -were not.” - -“I will go,” said Doctor Manette, “to the Prosecutor and the President -straight, and I will go to others whom it is better not to name. I will -write too, and--But stay! There is a Celebration in the streets, and no -one will be accessible until dark.” - -“That's true. Well! It is a forlorn hope at the best, and not much the -forlorner for being delayed till dark. I should like to know how you -speed; though, mind! I expect nothing! When are you likely to have seen -these dread powers, Doctor Manette?” - -“Immediately after dark, I should hope. Within an hour or two from -this.” - -“It will be dark soon after four. Let us stretch the hour or two. If I -go to Mr. Lorry's at nine, shall I hear what you have done, either from -our friend or from yourself?” - -“Yes.” - -“May you prosper!” - -Mr. Lorry followed Sydney to the outer door, and, touching him on the -shoulder as he was going away, caused him to turn. - -“I have no hope,” said Mr. Lorry, in a low and sorrowful whisper. - -“Nor have I.” - -“If any one of these men, or all of these men, were disposed to spare -him--which is a large supposition; for what is his life, or any man's -to them!--I doubt if they durst spare him after the demonstration in the -court.” - -“And so do I. I heard the fall of the axe in that sound.” - -Mr. Lorry leaned his arm upon the door-post, and bowed his face upon it. - -“Don't despond,” said Carton, very gently; “don't grieve. I encouraged -Doctor Manette in this idea, because I felt that it might one day be -consolatory to her. Otherwise, she might think 'his life was wantonly -thrown away or wasted,' and that might trouble her.” - -“Yes, yes, yes,” returned Mr. Lorry, drying his eyes, “you are right. -But he will perish; there is no real hope.” - -“Yes. He will perish: there is no real hope,” echoed Carton. - -And walked with a settled step, down-stairs. - - - - -XII. Darkness - - -Sydney Carton paused in the street, not quite decided where to go. “At -Tellson's banking-house at nine,” he said, with a musing face. “Shall I -do well, in the mean time, to show myself? I think so. It is best that -these people should know there is such a man as I here; it is a sound -precaution, and may be a necessary preparation. But care, care, care! -Let me think it out!” - -Checking his steps which had begun to tend towards an object, he took a -turn or two in the already darkening street, and traced the thought -in his mind to its possible consequences. His first impression was -confirmed. “It is best,” he said, finally resolved, “that these people -should know there is such a man as I here.” And he turned his face -towards Saint Antoine. - -Defarge had described himself, that day, as the keeper of a wine-shop in -the Saint Antoine suburb. It was not difficult for one who knew the city -well, to find his house without asking any question. Having ascertained -its situation, Carton came out of those closer streets again, and dined -at a place of refreshment and fell sound asleep after dinner. For the -first time in many years, he had no strong drink. Since last night he -had taken nothing but a little light thin wine, and last night he had -dropped the brandy slowly down on Mr. Lorry's hearth like a man who had -done with it. - -It was as late as seven o'clock when he awoke refreshed, and went out -into the streets again. As he passed along towards Saint Antoine, he -stopped at a shop-window where there was a mirror, and slightly altered -the disordered arrangement of his loose cravat, and his coat-collar, and -his wild hair. This done, he went on direct to Defarge's, and went in. - -There happened to be no customer in the shop but Jacques Three, of the -restless fingers and the croaking voice. This man, whom he had seen upon -the Jury, stood drinking at the little counter, in conversation with the -Defarges, man and wife. The Vengeance assisted in the conversation, like -a regular member of the establishment. - -As Carton walked in, took his seat and asked (in very indifferent -French) for a small measure of wine, Madame Defarge cast a careless -glance at him, and then a keener, and then a keener, and then advanced -to him herself, and asked him what it was he had ordered. - -He repeated what he had already said. - -“English?” asked Madame Defarge, inquisitively raising her dark -eyebrows. - -After looking at her, as if the sound of even a single French word were -slow to express itself to him, he answered, in his former strong foreign -accent. “Yes, madame, yes. I am English!” - -Madame Defarge returned to her counter to get the wine, and, as he -took up a Jacobin journal and feigned to pore over it puzzling out its -meaning, he heard her say, “I swear to you, like Evremonde!” - -Defarge brought him the wine, and gave him Good Evening. - -“How?” - -“Good evening.” - -“Oh! Good evening, citizen,” filling his glass. “Ah! and good wine. I -drink to the Republic.” - -Defarge went back to the counter, and said, “Certainly, a little like.” - Madame sternly retorted, “I tell you a good deal like.” Jacques Three -pacifically remarked, “He is so much in your mind, see you, madame.” - The amiable Vengeance added, with a laugh, “Yes, my faith! And you -are looking forward with so much pleasure to seeing him once more -to-morrow!” - -Carton followed the lines and words of his paper, with a slow -forefinger, and with a studious and absorbed face. They were all leaning -their arms on the counter close together, speaking low. After a silence -of a few moments, during which they all looked towards him without -disturbing his outward attention from the Jacobin editor, they resumed -their conversation. - -“It is true what madame says,” observed Jacques Three. “Why stop? There -is great force in that. Why stop?” - -“Well, well,” reasoned Defarge, “but one must stop somewhere. After all, -the question is still where?” - -“At extermination,” said madame. - -“Magnificent!” croaked Jacques Three. The Vengeance, also, highly -approved. - -“Extermination is good doctrine, my wife,” said Defarge, rather -troubled; “in general, I say nothing against it. But this Doctor has -suffered much; you have seen him to-day; you have observed his face when -the paper was read.” - -“I have observed his face!” repeated madame, contemptuously and angrily. -“Yes. I have observed his face. I have observed his face to be not the -face of a true friend of the Republic. Let him take care of his face!” - -“And you have observed, my wife,” said Defarge, in a deprecatory manner, -“the anguish of his daughter, which must be a dreadful anguish to him!” - -“I have observed his daughter,” repeated madame; “yes, I have observed -his daughter, more times than one. I have observed her to-day, and I -have observed her other days. I have observed her in the court, and -I have observed her in the street by the prison. Let me but lift my -finger--!” She seemed to raise it (the listener's eyes were always on -his paper), and to let it fall with a rattle on the ledge before her, as -if the axe had dropped. - -“The citizeness is superb!” croaked the Juryman. - -“She is an Angel!” said The Vengeance, and embraced her. - -“As to thee,” pursued madame, implacably, addressing her husband, “if it -depended on thee--which, happily, it does not--thou wouldst rescue this -man even now.” - -“No!” protested Defarge. “Not if to lift this glass would do it! But I -would leave the matter there. I say, stop there.” - -“See you then, Jacques,” said Madame Defarge, wrathfully; “and see you, -too, my little Vengeance; see you both! Listen! For other crimes as -tyrants and oppressors, I have this race a long time on my register, -doomed to destruction and extermination. Ask my husband, is that so.” - -“It is so,” assented Defarge, without being asked. - -“In the beginning of the great days, when the Bastille falls, he finds -this paper of to-day, and he brings it home, and in the middle of the -night when this place is clear and shut, we read it, here on this spot, -by the light of this lamp. Ask him, is that so.” - -“It is so,” assented Defarge. - -“That night, I tell him, when the paper is read through, and the lamp is -burnt out, and the day is gleaming in above those shutters and between -those iron bars, that I have now a secret to communicate. Ask him, is -that so.” - -“It is so,” assented Defarge again. - -“I communicate to him that secret. I smite this bosom with these two -hands as I smite it now, and I tell him, 'Defarge, I was brought up -among the fishermen of the sea-shore, and that peasant family so injured -by the two Evremonde brothers, as that Bastille paper describes, is my -family. Defarge, that sister of the mortally wounded boy upon the ground -was my sister, that husband was my sister's husband, that unborn child -was their child, that brother was my brother, that father was my father, -those dead are my dead, and that summons to answer for those things -descends to me!' Ask him, is that so.” - -“It is so,” assented Defarge once more. - -“Then tell Wind and Fire where to stop,” returned madame; “but don't -tell me.” - -Both her hearers derived a horrible enjoyment from the deadly nature -of her wrath--the listener could feel how white she was, without seeing -her--and both highly commended it. Defarge, a weak minority, interposed -a few words for the memory of the compassionate wife of the Marquis; but -only elicited from his own wife a repetition of her last reply. “Tell -the Wind and the Fire where to stop; not me!” - -Customers entered, and the group was broken up. The English customer -paid for what he had had, perplexedly counted his change, and asked, as -a stranger, to be directed towards the National Palace. Madame Defarge -took him to the door, and put her arm on his, in pointing out the road. -The English customer was not without his reflections then, that it might -be a good deed to seize that arm, lift it, and strike under it sharp and -deep. - -But, he went his way, and was soon swallowed up in the shadow of the -prison wall. At the appointed hour, he emerged from it to present -himself in Mr. Lorry's room again, where he found the old gentleman -walking to and fro in restless anxiety. He said he had been with Lucie -until just now, and had only left her for a few minutes, to come and -keep his appointment. Her father had not been seen, since he quitted the -banking-house towards four o'clock. She had some faint hopes that his -mediation might save Charles, but they were very slight. He had been -more than five hours gone: where could he be? - -Mr. Lorry waited until ten; but, Doctor Manette not returning, and -he being unwilling to leave Lucie any longer, it was arranged that he -should go back to her, and come to the banking-house again at midnight. -In the meanwhile, Carton would wait alone by the fire for the Doctor. - -He waited and waited, and the clock struck twelve; but Doctor Manette -did not come back. Mr. Lorry returned, and found no tidings of him, and -brought none. Where could he be? - -They were discussing this question, and were almost building up some -weak structure of hope on his prolonged absence, when they heard him on -the stairs. The instant he entered the room, it was plain that all was -lost. - -Whether he had really been to any one, or whether he had been all that -time traversing the streets, was never known. As he stood staring at -them, they asked him no question, for his face told them everything. - -“I cannot find it,” said he, “and I must have it. Where is it?” - -His head and throat were bare, and, as he spoke with a helpless look -straying all around, he took his coat off, and let it drop on the floor. - -“Where is my bench? I have been looking everywhere for my bench, and I -can't find it. What have they done with my work? Time presses: I must -finish those shoes.” - -They looked at one another, and their hearts died within them. - -“Come, come!” said he, in a whimpering miserable way; “let me get to -work. Give me my work.” - -Receiving no answer, he tore his hair, and beat his feet upon the -ground, like a distracted child. - -“Don't torture a poor forlorn wretch,” he implored them, with a dreadful -cry; “but give me my work! What is to become of us, if those shoes are -not done to-night?” - -Lost, utterly lost! - -It was so clearly beyond hope to reason with him, or try to restore him, -that--as if by agreement--they each put a hand upon his shoulder, and -soothed him to sit down before the fire, with a promise that he should -have his work presently. He sank into the chair, and brooded over the -embers, and shed tears. As if all that had happened since the garret -time were a momentary fancy, or a dream, Mr. Lorry saw him shrink into -the exact figure that Defarge had had in keeping. - -Affected, and impressed with terror as they both were, by this spectacle -of ruin, it was not a time to yield to such emotions. His lonely -daughter, bereft of her final hope and reliance, appealed to them both -too strongly. Again, as if by agreement, they looked at one another with -one meaning in their faces. Carton was the first to speak: - -“The last chance is gone: it was not much. Yes; he had better be taken -to her. But, before you go, will you, for a moment, steadily attend to -me? Don't ask me why I make the stipulations I am going to make, and -exact the promise I am going to exact; I have a reason--a good one.” - -“I do not doubt it,” answered Mr. Lorry. “Say on.” - -The figure in the chair between them, was all the time monotonously -rocking itself to and fro, and moaning. They spoke in such a tone as -they would have used if they had been watching by a sick-bed in the -night. - -Carton stooped to pick up the coat, which lay almost entangling his -feet. As he did so, a small case in which the Doctor was accustomed to -carry the lists of his day's duties, fell lightly on the floor. Carton -took it up, and there was a folded paper in it. “We should look -at this!” he said. Mr. Lorry nodded his consent. He opened it, and -exclaimed, “Thank _God!_” - -“What is it?” asked Mr. Lorry, eagerly. - -“A moment! Let me speak of it in its place. First,” he put his hand in -his coat, and took another paper from it, “that is the certificate which -enables me to pass out of this city. Look at it. You see--Sydney Carton, -an Englishman?” - -Mr. Lorry held it open in his hand, gazing in his earnest face. - -“Keep it for me until to-morrow. I shall see him to-morrow, you -remember, and I had better not take it into the prison.” - -“Why not?” - -“I don't know; I prefer not to do so. Now, take this paper that Doctor -Manette has carried about him. It is a similar certificate, enabling him -and his daughter and her child, at any time, to pass the barrier and the -frontier! You see?” - -“Yes!” - -“Perhaps he obtained it as his last and utmost precaution against evil, -yesterday. When is it dated? But no matter; don't stay to look; put it -up carefully with mine and your own. Now, observe! I never doubted until -within this hour or two, that he had, or could have such a paper. It is -good, until recalled. But it may be soon recalled, and, I have reason to -think, will be.” - -“They are not in danger?” - -“They are in great danger. They are in danger of denunciation by Madame -Defarge. I know it from her own lips. I have overheard words of that -woman's, to-night, which have presented their danger to me in strong -colours. I have lost no time, and since then, I have seen the spy. He -confirms me. He knows that a wood-sawyer, living by the prison wall, -is under the control of the Defarges, and has been rehearsed by -Madame Defarge as to his having seen Her”--he never mentioned Lucie's -name--“making signs and signals to prisoners. It is easy to foresee that -the pretence will be the common one, a prison plot, and that it will -involve her life--and perhaps her child's--and perhaps her father's--for -both have been seen with her at that place. Don't look so horrified. You -will save them all.” - -“Heaven grant I may, Carton! But how?” - -“I am going to tell you how. It will depend on you, and it could depend -on no better man. This new denunciation will certainly not take place -until after to-morrow; probably not until two or three days afterwards; -more probably a week afterwards. You know it is a capital crime, to -mourn for, or sympathise with, a victim of the Guillotine. She and her -father would unquestionably be guilty of this crime, and this woman (the -inveteracy of whose pursuit cannot be described) would wait to add that -strength to her case, and make herself doubly sure. You follow me?” - -“So attentively, and with so much confidence in what you say, that for -the moment I lose sight,” touching the back of the Doctor's chair, “even -of this distress.” - -“You have money, and can buy the means of travelling to the seacoast -as quickly as the journey can be made. Your preparations have been -completed for some days, to return to England. Early to-morrow have your -horses ready, so that they may be in starting trim at two o'clock in the -afternoon.” - -“It shall be done!” - -His manner was so fervent and inspiring, that Mr. Lorry caught the -flame, and was as quick as youth. - -“You are a noble heart. Did I say we could depend upon no better man? -Tell her, to-night, what you know of her danger as involving her child -and her father. Dwell upon that, for she would lay her own fair head -beside her husband's cheerfully.” He faltered for an instant; then went -on as before. “For the sake of her child and her father, press upon her -the necessity of leaving Paris, with them and you, at that hour. Tell -her that it was her husband's last arrangement. Tell her that more -depends upon it than she dare believe, or hope. You think that her -father, even in this sad state, will submit himself to her; do you not?” - -“I am sure of it.” - -“I thought so. Quietly and steadily have all these arrangements made in -the courtyard here, even to the taking of your own seat in the carriage. -The moment I come to you, take me in, and drive away.” - -“I understand that I wait for you under all circumstances?” - -“You have my certificate in your hand with the rest, you know, and will -reserve my place. Wait for nothing but to have my place occupied, and -then for England!” - -“Why, then,” said Mr. Lorry, grasping his eager but so firm and steady -hand, “it does not all depend on one old man, but I shall have a young -and ardent man at my side.” - -“By the help of Heaven you shall! Promise me solemnly that nothing will -influence you to alter the course on which we now stand pledged to one -another.” - -“Nothing, Carton.” - -“Remember these words to-morrow: change the course, or delay in it--for -any reason--and no life can possibly be saved, and many lives must -inevitably be sacrificed.” - -“I will remember them. I hope to do my part faithfully.” - -“And I hope to do mine. Now, good bye!” - -Though he said it with a grave smile of earnestness, and though he even -put the old man's hand to his lips, he did not part from him then. He -helped him so far to arouse the rocking figure before the dying embers, -as to get a cloak and hat put upon it, and to tempt it forth to find -where the bench and work were hidden that it still moaningly besought -to have. He walked on the other side of it and protected it to the -courtyard of the house where the afflicted heart--so happy in -the memorable time when he had revealed his own desolate heart to -it--outwatched the awful night. He entered the courtyard and remained -there for a few moments alone, looking up at the light in the window of -her room. Before he went away, he breathed a blessing towards it, and a -Farewell. - - - - -XIII. Fifty-two - - -In the black prison of the Conciergerie, the doomed of the day awaited -their fate. They were in number as the weeks of the year. Fifty-two were -to roll that afternoon on the life-tide of the city to the boundless -everlasting sea. Before their cells were quit of them, new occupants -were appointed; before their blood ran into the blood spilled yesterday, -the blood that was to mingle with theirs to-morrow was already set -apart. - -Two score and twelve were told off. From the farmer-general of seventy, -whose riches could not buy his life, to the seamstress of twenty, whose -poverty and obscurity could not save her. Physical diseases, engendered -in the vices and neglects of men, will seize on victims of all degrees; -and the frightful moral disorder, born of unspeakable suffering, -intolerable oppression, and heartless indifference, smote equally -without distinction. - -Charles Darnay, alone in a cell, had sustained himself with no -flattering delusion since he came to it from the Tribunal. In every line -of the narrative he had heard, he had heard his condemnation. He had -fully comprehended that no personal influence could possibly save him, -that he was virtually sentenced by the millions, and that units could -avail him nothing. - -Nevertheless, it was not easy, with the face of his beloved wife fresh -before him, to compose his mind to what it must bear. His hold on life -was strong, and it was very, very hard, to loosen; by gradual efforts -and degrees unclosed a little here, it clenched the tighter there; and -when he brought his strength to bear on that hand and it yielded, -this was closed again. There was a hurry, too, in all his thoughts, -a turbulent and heated working of his heart, that contended against -resignation. If, for a moment, he did feel resigned, then his wife and -child who had to live after him, seemed to protest and to make it a -selfish thing. - -But, all this was at first. Before long, the consideration that there -was no disgrace in the fate he must meet, and that numbers went the same -road wrongfully, and trod it firmly every day, sprang up to stimulate -him. Next followed the thought that much of the future peace of mind -enjoyable by the dear ones, depended on his quiet fortitude. So, -by degrees he calmed into the better state, when he could raise his -thoughts much higher, and draw comfort down. - -Before it had set in dark on the night of his condemnation, he had -travelled thus far on his last way. Being allowed to purchase the means -of writing, and a light, he sat down to write until such time as the -prison lamps should be extinguished. - -He wrote a long letter to Lucie, showing her that he had known nothing -of her father's imprisonment, until he had heard of it from herself, -and that he had been as ignorant as she of his father's and uncle's -responsibility for that misery, until the paper had been read. He had -already explained to her that his concealment from herself of the name -he had relinquished, was the one condition--fully intelligible now--that -her father had attached to their betrothal, and was the one promise he -had still exacted on the morning of their marriage. He entreated her, -for her father's sake, never to seek to know whether her father had -become oblivious of the existence of the paper, or had had it recalled -to him (for the moment, or for good), by the story of the Tower, on -that old Sunday under the dear old plane-tree in the garden. If he had -preserved any definite remembrance of it, there could be no doubt that -he had supposed it destroyed with the Bastille, when he had found no -mention of it among the relics of prisoners which the populace had -discovered there, and which had been described to all the world. He -besought her--though he added that he knew it was needless--to console -her father, by impressing him through every tender means she could think -of, with the truth that he had done nothing for which he could justly -reproach himself, but had uniformly forgotten himself for their joint -sakes. Next to her preservation of his own last grateful love and -blessing, and her overcoming of her sorrow, to devote herself to their -dear child, he adjured her, as they would meet in Heaven, to comfort her -father. - -To her father himself, he wrote in the same strain; but, he told her -father that he expressly confided his wife and child to his care. And -he told him this, very strongly, with the hope of rousing him from any -despondency or dangerous retrospect towards which he foresaw he might be -tending. - -To Mr. Lorry, he commended them all, and explained his worldly affairs. -That done, with many added sentences of grateful friendship and warm -attachment, all was done. He never thought of Carton. His mind was so -full of the others, that he never once thought of him. - -He had time to finish these letters before the lights were put out. When -he lay down on his straw bed, he thought he had done with this world. - -But, it beckoned him back in his sleep, and showed itself in shining -forms. Free and happy, back in the old house in Soho (though it had -nothing in it like the real house), unaccountably released and light of -heart, he was with Lucie again, and she told him it was all a dream, and -he had never gone away. A pause of forgetfulness, and then he had even -suffered, and had come back to her, dead and at peace, and yet there -was no difference in him. Another pause of oblivion, and he awoke in the -sombre morning, unconscious where he was or what had happened, until it -flashed upon his mind, “this is the day of my death!” - -Thus, had he come through the hours, to the day when the fifty-two heads -were to fall. And now, while he was composed, and hoped that he could -meet the end with quiet heroism, a new action began in his waking -thoughts, which was very difficult to master. - -He had never seen the instrument that was to terminate his life. How -high it was from the ground, how many steps it had, where he would be -stood, how he would be touched, whether the touching hands would be dyed -red, which way his face would be turned, whether he would be the first, -or might be the last: these and many similar questions, in nowise -directed by his will, obtruded themselves over and over again, countless -times. Neither were they connected with fear: he was conscious of no -fear. Rather, they originated in a strange besetting desire to know what -to do when the time came; a desire gigantically disproportionate to the -few swift moments to which it referred; a wondering that was more like -the wondering of some other spirit within his, than his own. - -The hours went on as he walked to and fro, and the clocks struck the -numbers he would never hear again. Nine gone for ever, ten gone for -ever, eleven gone for ever, twelve coming on to pass away. After a hard -contest with that eccentric action of thought which had last perplexed -him, he had got the better of it. He walked up and down, softly -repeating their names to himself. The worst of the strife was over. -He could walk up and down, free from distracting fancies, praying for -himself and for them. - -Twelve gone for ever. - -He had been apprised that the final hour was Three, and he knew he would -be summoned some time earlier, inasmuch as the tumbrils jolted heavily -and slowly through the streets. Therefore, he resolved to keep Two -before his mind, as the hour, and so to strengthen himself in the -interval that he might be able, after that time, to strengthen others. - -Walking regularly to and fro with his arms folded on his breast, a very -different man from the prisoner, who had walked to and fro at La Force, -he heard One struck away from him, without surprise. The hour had -measured like most other hours. Devoutly thankful to Heaven for his -recovered self-possession, he thought, “There is but another now,” and -turned to walk again. - -Footsteps in the stone passage outside the door. He stopped. - -The key was put in the lock, and turned. Before the door was opened, or -as it opened, a man said in a low voice, in English: “He has never seen -me here; I have kept out of his way. Go you in alone; I wait near. Lose -no time!” - -The door was quickly opened and closed, and there stood before him -face to face, quiet, intent upon him, with the light of a smile on his -features, and a cautionary finger on his lip, Sydney Carton. - -There was something so bright and remarkable in his look, that, for the -first moment, the prisoner misdoubted him to be an apparition of his own -imagining. But, he spoke, and it was his voice; he took the prisoner's -hand, and it was his real grasp. - -“Of all the people upon earth, you least expected to see me?” he said. - -“I could not believe it to be you. I can scarcely believe it now. You -are not”--the apprehension came suddenly into his mind--“a prisoner?” - -“No. I am accidentally possessed of a power over one of the keepers -here, and in virtue of it I stand before you. I come from her--your -wife, dear Darnay.” - -The prisoner wrung his hand. - -“I bring you a request from her.” - -“What is it?” - -“A most earnest, pressing, and emphatic entreaty, addressed to you -in the most pathetic tones of the voice so dear to you, that you well -remember.” - -The prisoner turned his face partly aside. - -“You have no time to ask me why I bring it, or what it means; I have -no time to tell you. You must comply with it--take off those boots you -wear, and draw on these of mine.” - -There was a chair against the wall of the cell, behind the prisoner. -Carton, pressing forward, had already, with the speed of lightning, got -him down into it, and stood over him, barefoot. - -“Draw on these boots of mine. Put your hands to them; put your will to -them. Quick!” - -“Carton, there is no escaping from this place; it never can be done. You -will only die with me. It is madness.” - -“It would be madness if I asked you to escape; but do I? When I ask you -to pass out at that door, tell me it is madness and remain here. Change -that cravat for this of mine, that coat for this of mine. While you do -it, let me take this ribbon from your hair, and shake out your hair like -this of mine!” - -With wonderful quickness, and with a strength both of will and action, -that appeared quite supernatural, he forced all these changes upon him. -The prisoner was like a young child in his hands. - -“Carton! Dear Carton! It is madness. It cannot be accomplished, it never -can be done, it has been attempted, and has always failed. I implore you -not to add your death to the bitterness of mine.” - -“Do I ask you, my dear Darnay, to pass the door? When I ask that, -refuse. There are pen and ink and paper on this table. Is your hand -steady enough to write?” - -“It was when you came in.” - -“Steady it again, and write what I shall dictate. Quick, friend, quick!” - -Pressing his hand to his bewildered head, Darnay sat down at the table. -Carton, with his right hand in his breast, stood close beside him. - -“Write exactly as I speak.” - -“To whom do I address it?” - -“To no one.” Carton still had his hand in his breast. - -“Do I date it?” - -“No.” - -The prisoner looked up, at each question. Carton, standing over him with -his hand in his breast, looked down. - -“'If you remember,'” said Carton, dictating, “'the words that passed -between us, long ago, you will readily comprehend this when you see it. -You do remember them, I know. It is not in your nature to forget them.'” - -He was drawing his hand from his breast; the prisoner chancing to look -up in his hurried wonder as he wrote, the hand stopped, closing upon -something. - -“Have you written 'forget them'?” Carton asked. - -“I have. Is that a weapon in your hand?” - -“No; I am not armed.” - -“What is it in your hand?” - -“You shall know directly. Write on; there are but a few words more.” He -dictated again. “'I am thankful that the time has come, when I can prove -them. That I do so is no subject for regret or grief.'” As he said these -words with his eyes fixed on the writer, his hand slowly and softly -moved down close to the writer's face. - -The pen dropped from Darnay's fingers on the table, and he looked about -him vacantly. - -“What vapour is that?” he asked. - -“Vapour?” - -“Something that crossed me?” - -“I am conscious of nothing; there can be nothing here. Take up the pen -and finish. Hurry, hurry!” - -As if his memory were impaired, or his faculties disordered, the -prisoner made an effort to rally his attention. As he looked at Carton -with clouded eyes and with an altered manner of breathing, Carton--his -hand again in his breast--looked steadily at him. - -“Hurry, hurry!” - -The prisoner bent over the paper, once more. - -“'If it had been otherwise;'” Carton's hand was again watchfully and -softly stealing down; “'I never should have used the longer opportunity. -If it had been otherwise;'” the hand was at the prisoner's face; “'I -should but have had so much the more to answer for. If it had been -otherwise--'” Carton looked at the pen and saw it was trailing off into -unintelligible signs. - -Carton's hand moved back to his breast no more. The prisoner sprang up -with a reproachful look, but Carton's hand was close and firm at his -nostrils, and Carton's left arm caught him round the waist. For a few -seconds he faintly struggled with the man who had come to lay down his -life for him; but, within a minute or so, he was stretched insensible on -the ground. - -Quickly, but with hands as true to the purpose as his heart was, Carton -dressed himself in the clothes the prisoner had laid aside, combed back -his hair, and tied it with the ribbon the prisoner had worn. Then, he -softly called, “Enter there! Come in!” and the Spy presented himself. - -“You see?” said Carton, looking up, as he kneeled on one knee beside the -insensible figure, putting the paper in the breast: “is your hazard very -great?” - -“Mr. Carton,” the Spy answered, with a timid snap of his fingers, “my -hazard is not _that_, in the thick of business here, if you are true to -the whole of your bargain.” - -“Don't fear me. I will be true to the death.” - -“You must be, Mr. Carton, if the tale of fifty-two is to be right. Being -made right by you in that dress, I shall have no fear.” - -“Have no fear! I shall soon be out of the way of harming you, and the -rest will soon be far from here, please God! Now, get assistance and -take me to the coach.” - -“You?” said the Spy nervously. - -“Him, man, with whom I have exchanged. You go out at the gate by which -you brought me in?” - -“Of course.” - -“I was weak and faint when you brought me in, and I am fainter now you -take me out. The parting interview has overpowered me. Such a thing has -happened here, often, and too often. Your life is in your own hands. -Quick! Call assistance!” - -“You swear not to betray me?” said the trembling Spy, as he paused for a -last moment. - -“Man, man!” returned Carton, stamping his foot; “have I sworn by no -solemn vow already, to go through with this, that you waste the precious -moments now? Take him yourself to the courtyard you know of, place -him yourself in the carriage, show him yourself to Mr. Lorry, tell him -yourself to give him no restorative but air, and to remember my words of -last night, and his promise of last night, and drive away!” - -The Spy withdrew, and Carton seated himself at the table, resting his -forehead on his hands. The Spy returned immediately, with two men. - -“How, then?” said one of them, contemplating the fallen figure. “So -afflicted to find that his friend has drawn a prize in the lottery of -Sainte Guillotine?” - -“A good patriot,” said the other, “could hardly have been more afflicted -if the Aristocrat had drawn a blank.” - -They raised the unconscious figure, placed it on a litter they had -brought to the door, and bent to carry it away. - -“The time is short, Evremonde,” said the Spy, in a warning voice. - -“I know it well,” answered Carton. “Be careful of my friend, I entreat -you, and leave me.” - -“Come, then, my children,” said Barsad. “Lift him, and come away!” - -The door closed, and Carton was left alone. Straining his powers of -listening to the utmost, he listened for any sound that might denote -suspicion or alarm. There was none. Keys turned, doors clashed, -footsteps passed along distant passages: no cry was raised, or hurry -made, that seemed unusual. Breathing more freely in a little while, he -sat down at the table, and listened again until the clock struck Two. - -Sounds that he was not afraid of, for he divined their meaning, then -began to be audible. Several doors were opened in succession, and -finally his own. A gaoler, with a list in his hand, looked in, merely -saying, “Follow me, Evremonde!” and he followed into a large dark room, -at a distance. It was a dark winter day, and what with the shadows -within, and what with the shadows without, he could but dimly discern -the others who were brought there to have their arms bound. Some were -standing; some seated. Some were lamenting, and in restless motion; -but, these were few. The great majority were silent and still, looking -fixedly at the ground. - -As he stood by the wall in a dim corner, while some of the fifty-two -were brought in after him, one man stopped in passing, to embrace him, -as having a knowledge of him. It thrilled him with a great dread of -discovery; but the man went on. A very few moments after that, a young -woman, with a slight girlish form, a sweet spare face in which there was -no vestige of colour, and large widely opened patient eyes, rose from -the seat where he had observed her sitting, and came to speak to him. - -“Citizen Evremonde,” she said, touching him with her cold hand. “I am a -poor little seamstress, who was with you in La Force.” - -He murmured for answer: “True. I forget what you were accused of?” - -“Plots. Though the just Heaven knows that I am innocent of any. Is it -likely? Who would think of plotting with a poor little weak creature -like me?” - -The forlorn smile with which she said it, so touched him, that tears -started from his eyes. - -“I am not afraid to die, Citizen Evremonde, but I have done nothing. I -am not unwilling to die, if the Republic which is to do so much good -to us poor, will profit by my death; but I do not know how that can be, -Citizen Evremonde. Such a poor weak little creature!” - -As the last thing on earth that his heart was to warm and soften to, it -warmed and softened to this pitiable girl. - -“I heard you were released, Citizen Evremonde. I hoped it was true?” - -“It was. But, I was again taken and condemned.” - -“If I may ride with you, Citizen Evremonde, will you let me hold your -hand? I am not afraid, but I am little and weak, and it will give me -more courage.” - -As the patient eyes were lifted to his face, he saw a sudden doubt in -them, and then astonishment. He pressed the work-worn, hunger-worn young -fingers, and touched his lips. - -“Are you dying for him?” she whispered. - -“And his wife and child. Hush! Yes.” - -“O you will let me hold your brave hand, stranger?” - -“Hush! Yes, my poor sister; to the last.” - - ***** - -The same shadows that are falling on the prison, are falling, in that -same hour of the early afternoon, on the Barrier with the crowd about -it, when a coach going out of Paris drives up to be examined. - -“Who goes here? Whom have we within? Papers!” - -The papers are handed out, and read. - -“Alexandre Manette. Physician. French. Which is he?” - -This is he; this helpless, inarticulately murmuring, wandering old man -pointed out. - -“Apparently the Citizen-Doctor is not in his right mind? The -Revolution-fever will have been too much for him?” - -Greatly too much for him. - -“Hah! Many suffer with it. Lucie. His daughter. French. Which is she?” - -This is she. - -“Apparently it must be. Lucie, the wife of Evremonde; is it not?” - -It is. - -“Hah! Evremonde has an assignation elsewhere. Lucie, her child. English. -This is she?” - -She and no other. - -“Kiss me, child of Evremonde. Now, thou hast kissed a good Republican; -something new in thy family; remember it! Sydney Carton. Advocate. -English. Which is he?” - -He lies here, in this corner of the carriage. He, too, is pointed out. - -“Apparently the English advocate is in a swoon?” - -It is hoped he will recover in the fresher air. It is represented that -he is not in strong health, and has separated sadly from a friend who is -under the displeasure of the Republic. - -“Is that all? It is not a great deal, that! Many are under the -displeasure of the Republic, and must look out at the little window. -Jarvis Lorry. Banker. English. Which is he?” - -“I am he. Necessarily, being the last.” - -It is Jarvis Lorry who has replied to all the previous questions. It -is Jarvis Lorry who has alighted and stands with his hand on the coach -door, replying to a group of officials. They leisurely walk round the -carriage and leisurely mount the box, to look at what little luggage it -carries on the roof; the country-people hanging about, press nearer to -the coach doors and greedily stare in; a little child, carried by its -mother, has its short arm held out for it, that it may touch the wife of -an aristocrat who has gone to the Guillotine. - -“Behold your papers, Jarvis Lorry, countersigned.” - -“One can depart, citizen?” - -“One can depart. Forward, my postilions! A good journey!” - -“I salute you, citizens.--And the first danger passed!” - -These are again the words of Jarvis Lorry, as he clasps his hands, and -looks upward. There is terror in the carriage, there is weeping, there -is the heavy breathing of the insensible traveller. - -“Are we not going too slowly? Can they not be induced to go faster?” - asks Lucie, clinging to the old man. - -“It would seem like flight, my darling. I must not urge them too much; -it would rouse suspicion.” - -“Look back, look back, and see if we are pursued!” - -“The road is clear, my dearest. So far, we are not pursued.” - -Houses in twos and threes pass by us, solitary farms, ruinous buildings, -dye-works, tanneries, and the like, open country, avenues of leafless -trees. The hard uneven pavement is under us, the soft deep mud is on -either side. Sometimes, we strike into the skirting mud, to avoid the -stones that clatter us and shake us; sometimes, we stick in ruts and -sloughs there. The agony of our impatience is then so great, that in our -wild alarm and hurry we are for getting out and running--hiding--doing -anything but stopping. - -Out of the open country, in again among ruinous buildings, solitary -farms, dye-works, tanneries, and the like, cottages in twos and threes, -avenues of leafless trees. Have these men deceived us, and taken us back -by another road? Is not this the same place twice over? Thank Heaven, -no. A village. Look back, look back, and see if we are pursued! Hush! -the posting-house. - -Leisurely, our four horses are taken out; leisurely, the coach stands in -the little street, bereft of horses, and with no likelihood upon it -of ever moving again; leisurely, the new horses come into visible -existence, one by one; leisurely, the new postilions follow, sucking and -plaiting the lashes of their whips; leisurely, the old postilions count -their money, make wrong additions, and arrive at dissatisfied results. -All the time, our overfraught hearts are beating at a rate that would -far outstrip the fastest gallop of the fastest horses ever foaled. - -At length the new postilions are in their saddles, and the old are left -behind. We are through the village, up the hill, and down the hill, and -on the low watery grounds. Suddenly, the postilions exchange speech with -animated gesticulation, and the horses are pulled up, almost on their -haunches. We are pursued? - -“Ho! Within the carriage there. Speak then!” - -“What is it?” asks Mr. Lorry, looking out at window. - -“How many did they say?” - -“I do not understand you.” - -“--At the last post. How many to the Guillotine to-day?” - -“Fifty-two.” - -“I said so! A brave number! My fellow-citizen here would have it -forty-two; ten more heads are worth having. The Guillotine goes -handsomely. I love it. Hi forward. Whoop!” - -The night comes on dark. He moves more; he is beginning to revive, and -to speak intelligibly; he thinks they are still together; he asks him, -by his name, what he has in his hand. O pity us, kind Heaven, and help -us! Look out, look out, and see if we are pursued. - -The wind is rushing after us, and the clouds are flying after us, and -the moon is plunging after us, and the whole wild night is in pursuit of -us; but, so far, we are pursued by nothing else. - - - - -XIV. The Knitting Done - - -In that same juncture of time when the Fifty-Two awaited their fate -Madame Defarge held darkly ominous council with The Vengeance and -Jacques Three of the Revolutionary Jury. Not in the wine-shop did Madame -Defarge confer with these ministers, but in the shed of the wood-sawyer, -erst a mender of roads. The sawyer himself did not participate in the -conference, but abided at a little distance, like an outer satellite who -was not to speak until required, or to offer an opinion until invited. - -“But our Defarge,” said Jacques Three, “is undoubtedly a good -Republican? Eh?” - -“There is no better,” the voluble Vengeance protested in her shrill -notes, “in France.” - -“Peace, little Vengeance,” said Madame Defarge, laying her hand with -a slight frown on her lieutenant's lips, “hear me speak. My husband, -fellow-citizen, is a good Republican and a bold man; he has deserved -well of the Republic, and possesses its confidence. But my husband has -his weaknesses, and he is so weak as to relent towards this Doctor.” - -“It is a great pity,” croaked Jacques Three, dubiously shaking his head, -with his cruel fingers at his hungry mouth; “it is not quite like a good -citizen; it is a thing to regret.” - -“See you,” said madame, “I care nothing for this Doctor, I. He may wear -his head or lose it, for any interest I have in him; it is all one to -me. But, the Evremonde people are to be exterminated, and the wife and -child must follow the husband and father.” - -“She has a fine head for it,” croaked Jacques Three. “I have seen blue -eyes and golden hair there, and they looked charming when Samson held -them up.” Ogre that he was, he spoke like an epicure. - -Madame Defarge cast down her eyes, and reflected a little. - -“The child also,” observed Jacques Three, with a meditative enjoyment -of his words, “has golden hair and blue eyes. And we seldom have a child -there. It is a pretty sight!” - -“In a word,” said Madame Defarge, coming out of her short abstraction, -“I cannot trust my husband in this matter. Not only do I feel, since -last night, that I dare not confide to him the details of my projects; -but also I feel that if I delay, there is danger of his giving warning, -and then they might escape.” - -“That must never be,” croaked Jacques Three; “no one must escape. We -have not half enough as it is. We ought to have six score a day.” - -“In a word,” Madame Defarge went on, “my husband has not my reason for -pursuing this family to annihilation, and I have not his reason for -regarding this Doctor with any sensibility. I must act for myself, -therefore. Come hither, little citizen.” - -The wood-sawyer, who held her in the respect, and himself in the -submission, of mortal fear, advanced with his hand to his red cap. - -“Touching those signals, little citizen,” said Madame Defarge, sternly, -“that she made to the prisoners; you are ready to bear witness to them -this very day?” - -“Ay, ay, why not!” cried the sawyer. “Every day, in all weathers, from -two to four, always signalling, sometimes with the little one, sometimes -without. I know what I know. I have seen with my eyes.” - -He made all manner of gestures while he spoke, as if in incidental -imitation of some few of the great diversity of signals that he had -never seen. - -“Clearly plots,” said Jacques Three. “Transparently!” - -“There is no doubt of the Jury?” inquired Madame Defarge, letting her -eyes turn to him with a gloomy smile. - -“Rely upon the patriotic Jury, dear citizeness. I answer for my -fellow-Jurymen.” - -“Now, let me see,” said Madame Defarge, pondering again. “Yet once more! -Can I spare this Doctor to my husband? I have no feeling either way. Can -I spare him?” - -“He would count as one head,” observed Jacques Three, in a low voice. -“We really have not heads enough; it would be a pity, I think.” - -“He was signalling with her when I saw her,” argued Madame Defarge; “I -cannot speak of one without the other; and I must not be silent, and -trust the case wholly to him, this little citizen here. For, I am not a -bad witness.” - -The Vengeance and Jacques Three vied with each other in their fervent -protestations that she was the most admirable and marvellous of -witnesses. The little citizen, not to be outdone, declared her to be a -celestial witness. - -“He must take his chance,” said Madame Defarge. “No, I cannot spare -him! You are engaged at three o'clock; you are going to see the batch of -to-day executed.--You?” - -The question was addressed to the wood-sawyer, who hurriedly replied in -the affirmative: seizing the occasion to add that he was the most ardent -of Republicans, and that he would be in effect the most desolate of -Republicans, if anything prevented him from enjoying the pleasure of -smoking his afternoon pipe in the contemplation of the droll national -barber. He was so very demonstrative herein, that he might have been -suspected (perhaps was, by the dark eyes that looked contemptuously at -him out of Madame Defarge's head) of having his small individual fears -for his own personal safety, every hour in the day. - -“I,” said madame, “am equally engaged at the same place. After it is -over--say at eight to-night--come you to me, in Saint Antoine, and we -will give information against these people at my Section.” - -The wood-sawyer said he would be proud and flattered to attend the -citizeness. The citizeness looking at him, he became embarrassed, evaded -her glance as a small dog would have done, retreated among his wood, and -hid his confusion over the handle of his saw. - -Madame Defarge beckoned the Juryman and The Vengeance a little nearer to -the door, and there expounded her further views to them thus: - -“She will now be at home, awaiting the moment of his death. She will -be mourning and grieving. She will be in a state of mind to impeach the -justice of the Republic. She will be full of sympathy with its enemies. -I will go to her.” - -“What an admirable woman; what an adorable woman!” exclaimed Jacques -Three, rapturously. “Ah, my cherished!” cried The Vengeance; and -embraced her. - -“Take you my knitting,” said Madame Defarge, placing it in her -lieutenant's hands, “and have it ready for me in my usual seat. Keep -me my usual chair. Go you there, straight, for there will probably be a -greater concourse than usual, to-day.” - -“I willingly obey the orders of my Chief,” said The Vengeance with -alacrity, and kissing her cheek. “You will not be late?” - -“I shall be there before the commencement.” - -“And before the tumbrils arrive. Be sure you are there, my soul,” said -The Vengeance, calling after her, for she had already turned into the -street, “before the tumbrils arrive!” - -Madame Defarge slightly waved her hand, to imply that she heard, and -might be relied upon to arrive in good time, and so went through the -mud, and round the corner of the prison wall. The Vengeance and the -Juryman, looking after her as she walked away, were highly appreciative -of her fine figure, and her superb moral endowments. - -There were many women at that time, upon whom the time laid a dreadfully -disfiguring hand; but, there was not one among them more to be dreaded -than this ruthless woman, now taking her way along the streets. Of a -strong and fearless character, of shrewd sense and readiness, of great -determination, of that kind of beauty which not only seems to impart -to its possessor firmness and animosity, but to strike into others an -instinctive recognition of those qualities; the troubled time would have -heaved her up, under any circumstances. But, imbued from her childhood -with a brooding sense of wrong, and an inveterate hatred of a class, -opportunity had developed her into a tigress. She was absolutely without -pity. If she had ever had the virtue in her, it had quite gone out of -her. - -It was nothing to her, that an innocent man was to die for the sins of -his forefathers; she saw, not him, but them. It was nothing to her, that -his wife was to be made a widow and his daughter an orphan; that was -insufficient punishment, because they were her natural enemies and -her prey, and as such had no right to live. To appeal to her, was made -hopeless by her having no sense of pity, even for herself. If she had -been laid low in the streets, in any of the many encounters in which -she had been engaged, she would not have pitied herself; nor, if she had -been ordered to the axe to-morrow, would she have gone to it with any -softer feeling than a fierce desire to change places with the man who -sent her there. - -Such a heart Madame Defarge carried under her rough robe. Carelessly -worn, it was a becoming robe enough, in a certain weird way, and her -dark hair looked rich under her coarse red cap. Lying hidden in her -bosom, was a loaded pistol. Lying hidden at her waist, was a sharpened -dagger. Thus accoutred, and walking with the confident tread of such -a character, and with the supple freedom of a woman who had habitually -walked in her girlhood, bare-foot and bare-legged, on the brown -sea-sand, Madame Defarge took her way along the streets. - -Now, when the journey of the travelling coach, at that very moment -waiting for the completion of its load, had been planned out last night, -the difficulty of taking Miss Pross in it had much engaged Mr. Lorry's -attention. It was not merely desirable to avoid overloading the coach, -but it was of the highest importance that the time occupied in examining -it and its passengers, should be reduced to the utmost; since their -escape might depend on the saving of only a few seconds here and there. -Finally, he had proposed, after anxious consideration, that Miss Pross -and Jerry, who were at liberty to leave the city, should leave it at -three o'clock in the lightest-wheeled conveyance known to that period. -Unencumbered with luggage, they would soon overtake the coach, and, -passing it and preceding it on the road, would order its horses in -advance, and greatly facilitate its progress during the precious hours -of the night, when delay was the most to be dreaded. - -Seeing in this arrangement the hope of rendering real service in that -pressing emergency, Miss Pross hailed it with joy. She and Jerry had -beheld the coach start, had known who it was that Solomon brought, had -passed some ten minutes in tortures of suspense, and were now concluding -their arrangements to follow the coach, even as Madame Defarge, -taking her way through the streets, now drew nearer and nearer to the -else-deserted lodging in which they held their consultation. - -“Now what do you think, Mr. Cruncher,” said Miss Pross, whose agitation -was so great that she could hardly speak, or stand, or move, or live: -“what do you think of our not starting from this courtyard? Another -carriage having already gone from here to-day, it might awaken -suspicion.” - -“My opinion, miss,” returned Mr. Cruncher, “is as you're right. Likewise -wot I'll stand by you, right or wrong.” - -“I am so distracted with fear and hope for our precious creatures,” said -Miss Pross, wildly crying, “that I am incapable of forming any plan. Are -_you_ capable of forming any plan, my dear good Mr. Cruncher?” - -“Respectin' a future spear o' life, miss,” returned Mr. Cruncher, “I -hope so. Respectin' any present use o' this here blessed old head o' -mine, I think not. Would you do me the favour, miss, to take notice o' -two promises and wows wot it is my wishes fur to record in this here -crisis?” - -“Oh, for gracious sake!” cried Miss Pross, still wildly crying, “record -them at once, and get them out of the way, like an excellent man.” - -“First,” said Mr. Cruncher, who was all in a tremble, and who spoke with -an ashy and solemn visage, “them poor things well out o' this, never no -more will I do it, never no more!” - -“I am quite sure, Mr. Cruncher,” returned Miss Pross, “that you -never will do it again, whatever it is, and I beg you not to think it -necessary to mention more particularly what it is.” - -“No, miss,” returned Jerry, “it shall not be named to you. Second: them -poor things well out o' this, and never no more will I interfere with -Mrs. Cruncher's flopping, never no more!” - -“Whatever housekeeping arrangement that may be,” said Miss Pross, -striving to dry her eyes and compose herself, “I have no doubt it -is best that Mrs. Cruncher should have it entirely under her own -superintendence.--O my poor darlings!” - -“I go so far as to say, miss, moreover,” proceeded Mr. Cruncher, with a -most alarming tendency to hold forth as from a pulpit--“and let my words -be took down and took to Mrs. Cruncher through yourself--that wot my -opinions respectin' flopping has undergone a change, and that wot I only -hope with all my heart as Mrs. Cruncher may be a flopping at the present -time.” - -“There, there, there! I hope she is, my dear man,” cried the distracted -Miss Pross, “and I hope she finds it answering her expectations.” - -“Forbid it,” proceeded Mr. Cruncher, with additional solemnity, -additional slowness, and additional tendency to hold forth and hold -out, “as anything wot I have ever said or done should be wisited on my -earnest wishes for them poor creeturs now! Forbid it as we shouldn't all -flop (if it was anyways conwenient) to get 'em out o' this here dismal -risk! Forbid it, miss! Wot I say, for-_bid_ it!” This was Mr. Cruncher's -conclusion after a protracted but vain endeavour to find a better one. - -And still Madame Defarge, pursuing her way along the streets, came -nearer and nearer. - -“If we ever get back to our native land,” said Miss Pross, “you may rely -upon my telling Mrs. Cruncher as much as I may be able to remember and -understand of what you have so impressively said; and at all events -you may be sure that I shall bear witness to your being thoroughly in -earnest at this dreadful time. Now, pray let us think! My esteemed Mr. -Cruncher, let us think!” - -Still, Madame Defarge, pursuing her way along the streets, came nearer -and nearer. - -“If you were to go before,” said Miss Pross, “and stop the vehicle and -horses from coming here, and were to wait somewhere for me; wouldn't -that be best?” - -Mr. Cruncher thought it might be best. - -“Where could you wait for me?” asked Miss Pross. - -Mr. Cruncher was so bewildered that he could think of no locality but -Temple Bar. Alas! Temple Bar was hundreds of miles away, and Madame -Defarge was drawing very near indeed. - -“By the cathedral door,” said Miss Pross. “Would it be much out of -the way, to take me in, near the great cathedral door between the two -towers?” - -“No, miss,” answered Mr. Cruncher. - -“Then, like the best of men,” said Miss Pross, “go to the posting-house -straight, and make that change.” - -“I am doubtful,” said Mr. Cruncher, hesitating and shaking his head, -“about leaving of you, you see. We don't know what may happen.” - -“Heaven knows we don't,” returned Miss Pross, “but have no fear for me. -Take me in at the cathedral, at Three o'Clock, or as near it as you can, -and I am sure it will be better than our going from here. I feel certain -of it. There! Bless you, Mr. Cruncher! Think-not of me, but of the lives -that may depend on both of us!” - -This exordium, and Miss Pross's two hands in quite agonised entreaty -clasping his, decided Mr. Cruncher. With an encouraging nod or two, he -immediately went out to alter the arrangements, and left her by herself -to follow as she had proposed. - -The having originated a precaution which was already in course of -execution, was a great relief to Miss Pross. The necessity of composing -her appearance so that it should attract no special notice in the -streets, was another relief. She looked at her watch, and it was twenty -minutes past two. She had no time to lose, but must get ready at once. - -Afraid, in her extreme perturbation, of the loneliness of the deserted -rooms, and of half-imagined faces peeping from behind every open door -in them, Miss Pross got a basin of cold water and began laving her eyes, -which were swollen and red. Haunted by her feverish apprehensions, she -could not bear to have her sight obscured for a minute at a time by the -dripping water, but constantly paused and looked round to see that there -was no one watching her. In one of those pauses she recoiled and cried -out, for she saw a figure standing in the room. - -The basin fell to the ground broken, and the water flowed to the feet of -Madame Defarge. By strange stern ways, and through much staining blood, -those feet had come to meet that water. - -Madame Defarge looked coldly at her, and said, “The wife of Evremonde; -where is she?” - -It flashed upon Miss Pross's mind that the doors were all standing open, -and would suggest the flight. Her first act was to shut them. There were -four in the room, and she shut them all. She then placed herself before -the door of the chamber which Lucie had occupied. - -Madame Defarge's dark eyes followed her through this rapid movement, -and rested on her when it was finished. Miss Pross had nothing beautiful -about her; years had not tamed the wildness, or softened the grimness, -of her appearance; but, she too was a determined woman in her different -way, and she measured Madame Defarge with her eyes, every inch. - -“You might, from your appearance, be the wife of Lucifer,” said Miss -Pross, in her breathing. “Nevertheless, you shall not get the better of -me. I am an Englishwoman.” - -Madame Defarge looked at her scornfully, but still with something of -Miss Pross's own perception that they two were at bay. She saw a tight, -hard, wiry woman before her, as Mr. Lorry had seen in the same figure a -woman with a strong hand, in the years gone by. She knew full well that -Miss Pross was the family's devoted friend; Miss Pross knew full well -that Madame Defarge was the family's malevolent enemy. - -“On my way yonder,” said Madame Defarge, with a slight movement of -her hand towards the fatal spot, “where they reserve my chair and my -knitting for me, I am come to make my compliments to her in passing. I -wish to see her.” - -“I know that your intentions are evil,” said Miss Pross, “and you may -depend upon it, I'll hold my own against them.” - -Each spoke in her own language; neither understood the other's words; -both were very watchful, and intent to deduce from look and manner, what -the unintelligible words meant. - -“It will do her no good to keep herself concealed from me at this -moment,” said Madame Defarge. “Good patriots will know what that means. -Let me see her. Go tell her that I wish to see her. Do you hear?” - -“If those eyes of yours were bed-winches,” returned Miss Pross, “and I -was an English four-poster, they shouldn't loose a splinter of me. No, -you wicked foreign woman; I am your match.” - -Madame Defarge was not likely to follow these idiomatic remarks in -detail; but, she so far understood them as to perceive that she was set -at naught. - -“Woman imbecile and pig-like!” said Madame Defarge, frowning. “I take no -answer from you. I demand to see her. Either tell her that I demand -to see her, or stand out of the way of the door and let me go to her!” - This, with an angry explanatory wave of her right arm. - -“I little thought,” said Miss Pross, “that I should ever want to -understand your nonsensical language; but I would give all I have, -except the clothes I wear, to know whether you suspect the truth, or any -part of it.” - -Neither of them for a single moment released the other's eyes. Madame -Defarge had not moved from the spot where she stood when Miss Pross -first became aware of her; but, she now advanced one step. - -“I am a Briton,” said Miss Pross, “I am desperate. I don't care an -English Twopence for myself. I know that the longer I keep you here, the -greater hope there is for my Ladybird. I'll not leave a handful of that -dark hair upon your head, if you lay a finger on me!” - -Thus Miss Pross, with a shake of her head and a flash of her eyes -between every rapid sentence, and every rapid sentence a whole breath. -Thus Miss Pross, who had never struck a blow in her life. - -But, her courage was of that emotional nature that it brought the -irrepressible tears into her eyes. This was a courage that Madame -Defarge so little comprehended as to mistake for weakness. “Ha, ha!” she -laughed, “you poor wretch! What are you worth! I address myself to that -Doctor.” Then she raised her voice and called out, “Citizen Doctor! Wife -of Evremonde! Child of Evremonde! Any person but this miserable fool, -answer the Citizeness Defarge!” - -Perhaps the following silence, perhaps some latent disclosure in the -expression of Miss Pross's face, perhaps a sudden misgiving apart from -either suggestion, whispered to Madame Defarge that they were gone. -Three of the doors she opened swiftly, and looked in. - -“Those rooms are all in disorder, there has been hurried packing, there -are odds and ends upon the ground. There is no one in that room behind -you! Let me look.” - -“Never!” said Miss Pross, who understood the request as perfectly as -Madame Defarge understood the answer. - -“If they are not in that room, they are gone, and can be pursued and -brought back,” said Madame Defarge to herself. - -“As long as you don't know whether they are in that room or not, you are -uncertain what to do,” said Miss Pross to herself; “and you shall not -know that, if I can prevent your knowing it; and know that, or not know -that, you shall not leave here while I can hold you.” - -“I have been in the streets from the first, nothing has stopped me, -I will tear you to pieces, but I will have you from that door,” said -Madame Defarge. - -“We are alone at the top of a high house in a solitary courtyard, we are -not likely to be heard, and I pray for bodily strength to keep you here, -while every minute you are here is worth a hundred thousand guineas to -my darling,” said Miss Pross. - -Madame Defarge made at the door. Miss Pross, on the instinct of the -moment, seized her round the waist in both her arms, and held her tight. -It was in vain for Madame Defarge to struggle and to strike; Miss Pross, -with the vigorous tenacity of love, always so much stronger than hate, -clasped her tight, and even lifted her from the floor in the struggle -that they had. The two hands of Madame Defarge buffeted and tore her -face; but, Miss Pross, with her head down, held her round the waist, and -clung to her with more than the hold of a drowning woman. - -Soon, Madame Defarge's hands ceased to strike, and felt at her encircled -waist. “It is under my arm,” said Miss Pross, in smothered tones, “you -shall not draw it. I am stronger than you, I bless Heaven for it. I hold -you till one or other of us faints or dies!” - -Madame Defarge's hands were at her bosom. Miss Pross looked up, saw -what it was, struck at it, struck out a flash and a crash, and stood -alone--blinded with smoke. - -All this was in a second. As the smoke cleared, leaving an awful -stillness, it passed out on the air, like the soul of the furious woman -whose body lay lifeless on the ground. - -In the first fright and horror of her situation, Miss Pross passed the -body as far from it as she could, and ran down the stairs to call for -fruitless help. Happily, she bethought herself of the consequences of -what she did, in time to check herself and go back. It was dreadful to -go in at the door again; but, she did go in, and even went near it, to -get the bonnet and other things that she must wear. These she put on, -out on the staircase, first shutting and locking the door and taking -away the key. She then sat down on the stairs a few moments to breathe -and to cry, and then got up and hurried away. - -By good fortune she had a veil on her bonnet, or she could hardly have -gone along the streets without being stopped. By good fortune, too, she -was naturally so peculiar in appearance as not to show disfigurement -like any other woman. She needed both advantages, for the marks of -gripping fingers were deep in her face, and her hair was torn, and her -dress (hastily composed with unsteady hands) was clutched and dragged a -hundred ways. - -In crossing the bridge, she dropped the door key in the river. Arriving -at the cathedral some few minutes before her escort, and waiting there, -she thought, what if the key were already taken in a net, what if -it were identified, what if the door were opened and the remains -discovered, what if she were stopped at the gate, sent to prison, and -charged with murder! In the midst of these fluttering thoughts, the -escort appeared, took her in, and took her away. - -“Is there any noise in the streets?” she asked him. - -“The usual noises,” Mr. Cruncher replied; and looked surprised by the -question and by her aspect. - -“I don't hear you,” said Miss Pross. “What do you say?” - -It was in vain for Mr. Cruncher to repeat what he said; Miss Pross could -not hear him. “So I'll nod my head,” thought Mr. Cruncher, amazed, “at -all events she'll see that.” And she did. - -“Is there any noise in the streets now?” asked Miss Pross again, -presently. - -Again Mr. Cruncher nodded his head. - -“I don't hear it.” - -“Gone deaf in an hour?” said Mr. Cruncher, ruminating, with his mind -much disturbed; “wot's come to her?” - -“I feel,” said Miss Pross, “as if there had been a flash and a crash, -and that crash was the last thing I should ever hear in this life.” - -“Blest if she ain't in a queer condition!” said Mr. Cruncher, more and -more disturbed. “Wot can she have been a takin', to keep her courage up? -Hark! There's the roll of them dreadful carts! You can hear that, miss?” - -“I can hear,” said Miss Pross, seeing that he spoke to her, “nothing. O, -my good man, there was first a great crash, and then a great stillness, -and that stillness seems to be fixed and unchangeable, never to be -broken any more as long as my life lasts.” - -“If she don't hear the roll of those dreadful carts, now very nigh their -journey's end,” said Mr. Cruncher, glancing over his shoulder, “it's my -opinion that indeed she never will hear anything else in this world.” - -And indeed she never did. - - - - -XV. The Footsteps Die Out For Ever - - -Along the Paris streets, the death-carts rumble, hollow and harsh. Six -tumbrils carry the day's wine to La Guillotine. All the devouring and -insatiate Monsters imagined since imagination could record itself, -are fused in the one realisation, Guillotine. And yet there is not in -France, with its rich variety of soil and climate, a blade, a leaf, -a root, a sprig, a peppercorn, which will grow to maturity under -conditions more certain than those that have produced this horror. Crush -humanity out of shape once more, under similar hammers, and it will -twist itself into the same tortured forms. Sow the same seed of -rapacious license and oppression over again, and it will surely yield -the same fruit according to its kind. - -Six tumbrils roll along the streets. Change these back again to what -they were, thou powerful enchanter, Time, and they shall be seen to be -the carriages of absolute monarchs, the equipages of feudal nobles, the -toilettes of flaring Jezebels, the churches that are not my father's -house but dens of thieves, the huts of millions of starving peasants! -No; the great magician who majestically works out the appointed order -of the Creator, never reverses his transformations. “If thou be changed -into this shape by the will of God,” say the seers to the enchanted, in -the wise Arabian stories, “then remain so! But, if thou wear this -form through mere passing conjuration, then resume thy former aspect!” - Changeless and hopeless, the tumbrils roll along. - -As the sombre wheels of the six carts go round, they seem to plough up -a long crooked furrow among the populace in the streets. Ridges of faces -are thrown to this side and to that, and the ploughs go steadily onward. -So used are the regular inhabitants of the houses to the spectacle, that -in many windows there are no people, and in some the occupation of the -hands is not so much as suspended, while the eyes survey the faces in -the tumbrils. Here and there, the inmate has visitors to see the sight; -then he points his finger, with something of the complacency of a -curator or authorised exponent, to this cart and to this, and seems to -tell who sat here yesterday, and who there the day before. - -Of the riders in the tumbrils, some observe these things, and all -things on their last roadside, with an impassive stare; others, with -a lingering interest in the ways of life and men. Some, seated with -drooping heads, are sunk in silent despair; again, there are some so -heedful of their looks that they cast upon the multitude such glances as -they have seen in theatres, and in pictures. Several close their eyes, -and think, or try to get their straying thoughts together. Only one, and -he a miserable creature, of a crazed aspect, is so shattered and made -drunk by horror, that he sings, and tries to dance. Not one of the whole -number appeals by look or gesture, to the pity of the people. - -There is a guard of sundry horsemen riding abreast of the tumbrils, -and faces are often turned up to some of them, and they are asked some -question. It would seem to be always the same question, for, it is -always followed by a press of people towards the third cart. The -horsemen abreast of that cart, frequently point out one man in it with -their swords. The leading curiosity is, to know which is he; he stands -at the back of the tumbril with his head bent down, to converse with a -mere girl who sits on the side of the cart, and holds his hand. He has -no curiosity or care for the scene about him, and always speaks to the -girl. Here and there in the long street of St. Honore, cries are raised -against him. If they move him at all, it is only to a quiet smile, as he -shakes his hair a little more loosely about his face. He cannot easily -touch his face, his arms being bound. - -On the steps of a church, awaiting the coming-up of the tumbrils, stands -the Spy and prison-sheep. He looks into the first of them: not there. -He looks into the second: not there. He already asks himself, “Has he -sacrificed me?” when his face clears, as he looks into the third. - -“Which is Evremonde?” says a man behind him. - -“That. At the back there.” - -“With his hand in the girl's?” - -“Yes.” - -The man cries, “Down, Evremonde! To the Guillotine all aristocrats! -Down, Evremonde!” - -“Hush, hush!” the Spy entreats him, timidly. - -“And why not, citizen?” - -“He is going to pay the forfeit: it will be paid in five minutes more. -Let him be at peace.” - -But the man continuing to exclaim, “Down, Evremonde!” the face of -Evremonde is for a moment turned towards him. Evremonde then sees the -Spy, and looks attentively at him, and goes his way. - -The clocks are on the stroke of three, and the furrow ploughed among the -populace is turning round, to come on into the place of execution, and -end. The ridges thrown to this side and to that, now crumble in and -close behind the last plough as it passes on, for all are following -to the Guillotine. In front of it, seated in chairs, as in a garden of -public diversion, are a number of women, busily knitting. On one of the -fore-most chairs, stands The Vengeance, looking about for her friend. - -“Therese!” she cries, in her shrill tones. “Who has seen her? Therese -Defarge!” - -“She never missed before,” says a knitting-woman of the sisterhood. - -“No; nor will she miss now,” cries The Vengeance, petulantly. “Therese.” - -“Louder,” the woman recommends. - -Ay! Louder, Vengeance, much louder, and still she will scarcely hear -thee. Louder yet, Vengeance, with a little oath or so added, and yet -it will hardly bring her. Send other women up and down to seek her, -lingering somewhere; and yet, although the messengers have done dread -deeds, it is questionable whether of their own wills they will go far -enough to find her! - -“Bad Fortune!” cries The Vengeance, stamping her foot in the chair, “and -here are the tumbrils! And Evremonde will be despatched in a wink, and -she not here! See her knitting in my hand, and her empty chair ready for -her. I cry with vexation and disappointment!” - -As The Vengeance descends from her elevation to do it, the tumbrils -begin to discharge their loads. The ministers of Sainte Guillotine are -robed and ready. Crash!--A head is held up, and the knitting-women who -scarcely lifted their eyes to look at it a moment ago when it could -think and speak, count One. - -The second tumbril empties and moves on; the third comes up. Crash!--And -the knitting-women, never faltering or pausing in their Work, count Two. - -The supposed Evremonde descends, and the seamstress is lifted out next -after him. He has not relinquished her patient hand in getting out, but -still holds it as he promised. He gently places her with her back to the -crashing engine that constantly whirrs up and falls, and she looks into -his face and thanks him. - -“But for you, dear stranger, I should not be so composed, for I am -naturally a poor little thing, faint of heart; nor should I have been -able to raise my thoughts to Him who was put to death, that we might -have hope and comfort here to-day. I think you were sent to me by -Heaven.” - -“Or you to me,” says Sydney Carton. “Keep your eyes upon me, dear child, -and mind no other object.” - -“I mind nothing while I hold your hand. I shall mind nothing when I let -it go, if they are rapid.” - -“They will be rapid. Fear not!” - -The two stand in the fast-thinning throng of victims, but they speak as -if they were alone. Eye to eye, voice to voice, hand to hand, heart to -heart, these two children of the Universal Mother, else so wide apart -and differing, have come together on the dark highway, to repair home -together, and to rest in her bosom. - -“Brave and generous friend, will you let me ask you one last question? I -am very ignorant, and it troubles me--just a little.” - -“Tell me what it is.” - -“I have a cousin, an only relative and an orphan, like myself, whom I -love very dearly. She is five years younger than I, and she lives in a -farmer's house in the south country. Poverty parted us, and she knows -nothing of my fate--for I cannot write--and if I could, how should I -tell her! It is better as it is.” - -“Yes, yes: better as it is.” - -“What I have been thinking as we came along, and what I am still -thinking now, as I look into your kind strong face which gives me so -much support, is this:--If the Republic really does good to the poor, -and they come to be less hungry, and in all ways to suffer less, she may -live a long time: she may even live to be old.” - -“What then, my gentle sister?” - -“Do you think:” the uncomplaining eyes in which there is so much -endurance, fill with tears, and the lips part a little more and tremble: -“that it will seem long to me, while I wait for her in the better land -where I trust both you and I will be mercifully sheltered?” - -“It cannot be, my child; there is no Time there, and no trouble there.” - -“You comfort me so much! I am so ignorant. Am I to kiss you now? Is the -moment come?” - -“Yes.” - -She kisses his lips; he kisses hers; they solemnly bless each other. -The spare hand does not tremble as he releases it; nothing worse than -a sweet, bright constancy is in the patient face. She goes next before -him--is gone; the knitting-women count Twenty-Two. - -“I am the Resurrection and the Life, saith the Lord: he that believeth -in me, though he were dead, yet shall he live: and whosoever liveth and -believeth in me shall never die.” - -The murmuring of many voices, the upturning of many faces, the pressing -on of many footsteps in the outskirts of the crowd, so that it swells -forward in a mass, like one great heave of water, all flashes away. -Twenty-Three. - - ***** - -They said of him, about the city that night, that it was the -peacefullest man's face ever beheld there. Many added that he looked -sublime and prophetic. - -One of the most remarkable sufferers by the same axe--a woman--had asked -at the foot of the same scaffold, not long before, to be allowed to -write down the thoughts that were inspiring her. If he had given any -utterance to his, and they were prophetic, they would have been these: - -“I see Barsad, and Cly, Defarge, The Vengeance, the Juryman, the Judge, -long ranks of the new oppressors who have risen on the destruction of -the old, perishing by this retributive instrument, before it shall cease -out of its present use. I see a beautiful city and a brilliant people -rising from this abyss, and, in their struggles to be truly free, in -their triumphs and defeats, through long years to come, I see the evil -of this time and of the previous time of which this is the natural -birth, gradually making expiation for itself and wearing out. - -“I see the lives for which I lay down my life, peaceful, useful, -prosperous and happy, in that England which I shall see no more. I see -Her with a child upon her bosom, who bears my name. I see her father, -aged and bent, but otherwise restored, and faithful to all men in his -healing office, and at peace. I see the good old man, so long their -friend, in ten years' time enriching them with all he has, and passing -tranquilly to his reward. - -“I see that I hold a sanctuary in their hearts, and in the hearts of -their descendants, generations hence. I see her, an old woman, weeping -for me on the anniversary of this day. I see her and her husband, their -course done, lying side by side in their last earthly bed, and I know -that each was not more honoured and held sacred in the other's soul, -than I was in the souls of both. - -“I see that child who lay upon her bosom and who bore my name, a man -winning his way up in that path of life which once was mine. I see him -winning it so well, that my name is made illustrious there by the -light of his. I see the blots I threw upon it, faded away. I see him, -fore-most of just judges and honoured men, bringing a boy of my name, -with a forehead that I know and golden hair, to this place--then fair to -look upon, with not a trace of this day's disfigurement--and I hear him -tell the child my story, with a tender and a faltering voice. - -“It is a far, far better thing that I do, than I have ever done; it is a -far, far better rest that I go to than I have ever known.” - - - - - - - - - - - -End of the Project Gutenberg EBook of A Tale of Two Cities, by Charles Dickens - -*** END OF THIS PROJECT GUTENBERG EBOOK A TALE OF TWO CITIES *** - -***** This file should be named 98-0.txt or 98-0.zip ***** -This and all associated files of various formats will be found in: - http://www.gutenberg.org/9/98/ - -Produced by Judith Boss - -Updated editions will replace the previous one--the old editions -will be renamed. - -Creating the works from public domain print editions means that no -one owns a United States copyright in these works, so the Foundation -(and you!) can copy and distribute it in the United States without -permission and without paying copyright royalties. Special rules, -set forth in the General Terms of Use part of this license, apply to -copying and distributing Project Gutenberg-tm electronic works to -protect the PROJECT GUTENBERG-tm concept and trademark. Project -Gutenberg is a registered trademark, and may not be used if you -charge for the eBooks, unless you receive specific permission. If you -do not charge anything for copies of this eBook, complying with the -rules is very easy. You may use this eBook for nearly any purpose -such as creation of derivative works, reports, performances and -research. They may be modified and printed and given away--you may do -practically ANYTHING with public domain eBooks. Redistribution is -subject to the trademark license, especially commercial -redistribution. - - - -*** START: FULL LICENSE *** - -THE FULL PROJECT GUTENBERG LICENSE -PLEASE READ THIS BEFORE YOU DISTRIBUTE OR USE THIS WORK - -To protect the Project Gutenberg-tm mission of promoting the free -distribution of electronic works, by using or distributing this work -(or any other work associated in any way with the phrase “Project -Gutenberg”), you agree to comply with all the terms of the Full Project -Gutenberg-tm License (available with this file or online at -http://gutenberg.org/license). - - -Section 1. General Terms of Use and Redistributing Project Gutenberg-tm -electronic works - -1.A. By reading or using any part of this Project Gutenberg-tm -electronic work, you indicate that you have read, understand, agree to -and accept all the terms of this license and intellectual property -(trademark/copyright) agreement. If you do not agree to abide by all -the terms of this agreement, you must cease using and return or destroy -all copies of Project Gutenberg-tm electronic works in your possession. -If you paid a fee for obtaining a copy of or access to a Project -Gutenberg-tm electronic work and you do not agree to be bound by the -terms of this agreement, you may obtain a refund from the person or -entity to whom you paid the fee as set forth in paragraph 1.E.8. - -1.B. “Project Gutenberg” is a registered trademark. It may only be -used on or associated in any way with an electronic work by people who -agree to be bound by the terms of this agreement. There are a few -things that you can do with most Project Gutenberg-tm electronic works -even without complying with the full terms of this agreement. See -paragraph 1.C below. There are a lot of things you can do with Project -Gutenberg-tm electronic works if you follow the terms of this agreement -and help preserve free future access to Project Gutenberg-tm electronic -works. See paragraph 1.E below. - -1.C. The Project Gutenberg Literary Archive Foundation (“the Foundation” - or PGLAF), owns a compilation copyright in the collection of Project -Gutenberg-tm electronic works. Nearly all the individual works in the -collection are in the public domain in the United States. If an -individual work is in the public domain in the United States and you are -located in the United States, we do not claim a right to prevent you from -copying, distributing, performing, displaying or creating derivative -works based on the work as long as all references to Project Gutenberg -are removed. Of course, we hope that you will support the Project -Gutenberg-tm mission of promoting free access to electronic works by -freely sharing Project Gutenberg-tm works in compliance with the terms of -this agreement for keeping the Project Gutenberg-tm name associated with -the work. You can easily comply with the terms of this agreement by -keeping this work in the same format with its attached full Project -Gutenberg-tm License when you share it without charge with others. - -1.D. The copyright laws of the place where you are located also govern -what you can do with this work. Copyright laws in most countries are in -a constant state of change. If you are outside the United States, check -the laws of your country in addition to the terms of this agreement -before downloading, copying, displaying, performing, distributing or -creating derivative works based on this work or any other Project -Gutenberg-tm work. The Foundation makes no representations concerning -the copyright status of any work in any country outside the United -States. - -1.E. Unless you have removed all references to Project Gutenberg: - -1.E.1. The following sentence, with active links to, or other immediate -access to, the full Project Gutenberg-tm License must appear prominently -whenever any copy of a Project Gutenberg-tm work (any work on which the -phrase “Project Gutenberg” appears, or with which the phrase “Project -Gutenberg” is associated) is accessed, displayed, performed, viewed, -copied or distributed: - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - -1.E.2. If an individual Project Gutenberg-tm electronic work is derived -from the public domain (does not contain a notice indicating that it is -posted with permission of the copyright holder), the work can be copied -and distributed to anyone in the United States without paying any fees -or charges. If you are redistributing or providing access to a work -with the phrase “Project Gutenberg” associated with or appearing on the -work, you must comply either with the requirements of paragraphs 1.E.1 -through 1.E.7 or obtain permission for the use of the work and the -Project Gutenberg-tm trademark as set forth in paragraphs 1.E.8 or -1.E.9. - -1.E.3. If an individual Project Gutenberg-tm electronic work is posted -with the permission of the copyright holder, your use and distribution -must comply with both paragraphs 1.E.1 through 1.E.7 and any additional -terms imposed by the copyright holder. Additional terms will be linked -to the Project Gutenberg-tm License for all works posted with the -permission of the copyright holder found at the beginning of this work. - -1.E.4. Do not unlink or detach or remove the full Project Gutenberg-tm -License terms from this work, or any files containing a part of this -work or any other work associated with Project Gutenberg-tm. - -1.E.5. Do not copy, display, perform, distribute or redistribute this -electronic work, or any part of this electronic work, without -prominently displaying the sentence set forth in paragraph 1.E.1 with -active links or immediate access to the full terms of the Project -Gutenberg-tm License. - -1.E.6. You may convert to and distribute this work in any binary, -compressed, marked up, nonproprietary or proprietary form, including any -word processing or hypertext form. However, if you provide access to or -distribute copies of a Project Gutenberg-tm work in a format other than -“Plain Vanilla ASCII” or other format used in the official version -posted on the official Project Gutenberg-tm web site (www.gutenberg.org), -you must, at no additional cost, fee or expense to the user, provide a -copy, a means of exporting a copy, or a means of obtaining a copy upon -request, of the work in its original “Plain Vanilla ASCII” or other -form. Any alternate format must include the full Project Gutenberg-tm -License as specified in paragraph 1.E.1. - -1.E.7. Do not charge a fee for access to, viewing, displaying, -performing, copying or distributing any Project Gutenberg-tm works -unless you comply with paragraph 1.E.8 or 1.E.9. - -1.E.8. You may charge a reasonable fee for copies of or providing -access to or distributing Project Gutenberg-tm electronic works provided -that - -- You pay a royalty fee of 20% of the gross profits you derive from - the use of Project Gutenberg-tm works calculated using the method - you already use to calculate your applicable taxes. The fee is - owed to the owner of the Project Gutenberg-tm trademark, but he - has agreed to donate royalties under this paragraph to the - Project Gutenberg Literary Archive Foundation. Royalty payments - must be paid within 60 days following each date on which you - prepare (or are legally required to prepare) your periodic tax - returns. Royalty payments should be clearly marked as such and - sent to the Project Gutenberg Literary Archive Foundation at the - address specified in Section 4, “Information about donations to - the Project Gutenberg Literary Archive Foundation.” - -- You provide a full refund of any money paid by a user who notifies - you in writing (or by e-mail) within 30 days of receipt that s/he - does not agree to the terms of the full Project Gutenberg-tm - License. You must require such a user to return or - destroy all copies of the works possessed in a physical medium - and discontinue all use of and all access to other copies of - Project Gutenberg-tm works. - -- You provide, in accordance with paragraph 1.F.3, a full refund of any - money paid for a work or a replacement copy, if a defect in the - electronic work is discovered and reported to you within 90 days - of receipt of the work. - -- You comply with all other terms of this agreement for free - distribution of Project Gutenberg-tm works. - -1.E.9. If you wish to charge a fee or distribute a Project Gutenberg-tm -electronic work or group of works on different terms than are set -forth in this agreement, you must obtain permission in writing from -both the Project Gutenberg Literary Archive Foundation and Michael -Hart, the owner of the Project Gutenberg-tm trademark. Contact the -Foundation as set forth in Section 3 below. - -1.F. - -1.F.1. Project Gutenberg volunteers and employees expend considerable -effort to identify, do copyright research on, transcribe and proofread -public domain works in creating the Project Gutenberg-tm -collection. Despite these efforts, Project Gutenberg-tm electronic -works, and the medium on which they may be stored, may contain -“Defects,” such as, but not limited to, incomplete, inaccurate or -corrupt data, transcription errors, a copyright or other intellectual -property infringement, a defective or damaged disk or other medium, a -computer virus, or computer codes that damage or cannot be read by -your equipment. - -1.F.2. LIMITED WARRANTY, DISCLAIMER OF DAMAGES - Except for the “Right -of Replacement or Refund” described in paragraph 1.F.3, the Project -Gutenberg Literary Archive Foundation, the owner of the Project -Gutenberg-tm trademark, and any other party distributing a Project -Gutenberg-tm electronic work under this agreement, disclaim all -liability to you for damages, costs and expenses, including legal -fees. YOU AGREE THAT YOU HAVE NO REMEDIES FOR NEGLIGENCE, STRICT -LIABILITY, BREACH OF WARRANTY OR BREACH OF CONTRACT EXCEPT THOSE -PROVIDED IN PARAGRAPH F3. YOU AGREE THAT THE FOUNDATION, THE -TRADEMARK OWNER, AND ANY DISTRIBUTOR UNDER THIS AGREEMENT WILL NOT BE -LIABLE TO YOU FOR ACTUAL, DIRECT, INDIRECT, CONSEQUENTIAL, PUNITIVE OR -INCIDENTAL DAMAGES EVEN IF YOU GIVE NOTICE OF THE POSSIBILITY OF SUCH -DAMAGE. - -1.F.3. LIMITED RIGHT OF REPLACEMENT OR REFUND - If you discover a -defect in this electronic work within 90 days of receiving it, you can -receive a refund of the money (if any) you paid for it by sending a -written explanation to the person you received the work from. If you -received the work on a physical medium, you must return the medium with -your written explanation. The person or entity that provided you with -the defective work may elect to provide a replacement copy in lieu of a -refund. If you received the work electronically, the person or entity -providing it to you may choose to give you a second opportunity to -receive the work electronically in lieu of a refund. If the second copy -is also defective, you may demand a refund in writing without further -opportunities to fix the problem. - -1.F.4. Except for the limited right of replacement or refund set forth -in paragraph 1.F.3, this work is provided to you 'AS-IS' WITH NO OTHER -WARRANTIES OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO -WARRANTIES OF MERCHANTIBILITY OR FITNESS FOR ANY PURPOSE. - -1.F.5. Some states do not allow disclaimers of certain implied -warranties or the exclusion or limitation of certain types of damages. -If any disclaimer or limitation set forth in this agreement violates the -law of the state applicable to this agreement, the agreement shall be -interpreted to make the maximum disclaimer or limitation permitted by -the applicable state law. The invalidity or unenforceability of any -provision of this agreement shall not void the remaining provisions. - -1.F.6. INDEMNITY - You agree to indemnify and hold the Foundation, the -trademark owner, any agent or employee of the Foundation, anyone -providing copies of Project Gutenberg-tm electronic works in accordance -with this agreement, and any volunteers associated with the production, -promotion and distribution of Project Gutenberg-tm electronic works, -harmless from all liability, costs and expenses, including legal fees, -that arise directly or indirectly from any of the following which you do -or cause to occur: (a) distribution of this or any Project Gutenberg-tm -work, (b) alteration, modification, or additions or deletions to any -Project Gutenberg-tm work, and (c) any Defect you cause. - - -Section 2. Information about the Mission of Project Gutenberg-tm - -Project Gutenberg-tm is synonymous with the free distribution of -electronic works in formats readable by the widest variety of computers -including obsolete, old, middle-aged and new computers. It exists -because of the efforts of hundreds of volunteers and donations from -people in all walks of life. - -Volunteers and financial support to provide volunteers with the -assistance they need, are critical to reaching Project Gutenberg-tm's -goals and ensuring that the Project Gutenberg-tm collection will -remain freely available for generations to come. In 2001, the Project -Gutenberg Literary Archive Foundation was created to provide a secure -and permanent future for Project Gutenberg-tm and future generations. -To learn more about the Project Gutenberg Literary Archive Foundation -and how your efforts and donations can help, see Sections 3 and 4 -and the Foundation web page at http://www.pglaf.org. - - -Section 3. Information about the Project Gutenberg Literary Archive -Foundation - -The Project Gutenberg Literary Archive Foundation is a non profit -501(c)(3) educational corporation organized under the laws of the -state of Mississippi and granted tax exempt status by the Internal -Revenue Service. The Foundation's EIN or federal tax identification -number is 64-6221541. Its 501(c)(3) letter is posted at -http://pglaf.org/fundraising. Contributions to the Project Gutenberg -Literary Archive Foundation are tax deductible to the full extent -permitted by U.S. federal laws and your state's laws. - -The Foundation's principal office is located at 4557 Melan Dr. S. -Fairbanks, AK, 99712., but its volunteers and employees are scattered -throughout numerous locations. Its business office is located at -809 North 1500 West, Salt Lake City, UT 84116, (801) 596-1887, email -business@pglaf.org. Email contact links and up to date contact -information can be found at the Foundation's web site and official -page at http://pglaf.org - -For additional contact information: - Dr. Gregory B. Newby - Chief Executive and Director - gbnewby@pglaf.org - - -Section 4. Information about Donations to the Project Gutenberg -Literary Archive Foundation - -Project Gutenberg-tm depends upon and cannot survive without wide -spread public support and donations to carry out its mission of -increasing the number of public domain and licensed works that can be -freely distributed in machine readable form accessible by the widest -array of equipment including outdated equipment. Many small donations -($1 to $5,000) are particularly important to maintaining tax exempt -status with the IRS. - -The Foundation is committed to complying with the laws regulating -charities and charitable donations in all 50 states of the United -States. Compliance requirements are not uniform and it takes a -considerable effort, much paperwork and many fees to meet and keep up -with these requirements. We do not solicit donations in locations -where we have not received written confirmation of compliance. To -SEND DONATIONS or determine the status of compliance for any -particular state visit http://pglaf.org - -While we cannot and do not solicit contributions from states where we -have not met the solicitation requirements, we know of no prohibition -against accepting unsolicited donations from donors in such states who -approach us with offers to donate. - -International donations are gratefully accepted, but we cannot make -any statements concerning tax treatment of donations received from -outside the United States. U.S. laws alone swamp our small staff. - -Please check the Project Gutenberg Web pages for current donation -methods and addresses. Donations are accepted in a number of other -ways including checks, online payments and credit card donations. -To donate, please visit: http://pglaf.org/donate - - -Section 5. General Information About Project Gutenberg-tm electronic -works. - -Professor Michael S. Hart is the originator of the Project Gutenberg-tm -concept of a library of electronic works that could be freely shared -with anyone. For thirty years, he produced and distributed Project -Gutenberg-tm eBooks with only a loose network of volunteer support. - - -Project Gutenberg-tm eBooks are often created from several printed -editions, all of which are confirmed as Public Domain in the U.S. -unless a copyright notice is included. Thus, we do not necessarily -keep eBooks in compliance with any particular paper edition. - - -Most people start at our Web site which has the main PG search facility: - - http://www.gutenberg.org - -This Web site includes information about Project Gutenberg-tm, -including how to make donations to the Project Gutenberg Literary -Archive Foundation, how to help produce our new eBooks, and how to -subscribe to our email newsletter to hear about new eBooks. - -The Project Gutenberg EBook of A Tale of Two Cities, by Charles Dickens - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - - -Title: A Tale of Two Cities - A Story of the French Revolution - -Author: Charles Dickens - -Release Date: January, 1994 [EBook #98] -Posting Date: November 28, 2009 -Last Updated: March 4, 2018 - -Language: English - -Character set encoding: UTF-8 - -*** START OF THIS PROJECT GUTENBERG EBOOK A TALE OF TWO CITIES *** - - - - -Produced by Judith Boss - - - - - - - - -A TALE OF TWO CITIES - -A STORY OF THE FRENCH REVOLUTION - -By Charles Dickens - - -CONTENTS - - - Book the First--Recalled to Life - - Chapter I The Period - Chapter II The Mail - Chapter III The Night Shadows - Chapter IV The Preparation - Chapter V The Wine-shop - Chapter VI The Shoemaker - - - Book the Second--the Golden Thread - - Chapter I Five Years Later - Chapter II A Sight - Chapter III A Disappointment - Chapter IV Congratulatory - Chapter V The Jackal - Chapter VI Hundreds of People - Chapter VII Monseigneur in Town - Chapter VIII Monseigneur in the Country - Chapter IX The Gorgon's Head - Chapter X Two Promises - Chapter XI A Companion Picture - Chapter XII The Fellow of Delicacy - Chapter XIII The Fellow of no Delicacy - Chapter XIV The Honest Tradesman - Chapter XV Knitting - Chapter XVI Still Knitting - Chapter XVII One Night - Chapter XVIII Nine Days - Chapter XIX An Opinion - Chapter XX A Plea - Chapter XXI Echoing Footsteps - Chapter XXII The Sea Still Rises - Chapter XXIII Fire Rises - Chapter XXIV Drawn to the Loadstone Rock - - - Book the Third--the Track of a Storm - - Chapter I In Secret - Chapter II The Grindstone - Chapter III The Shadow - Chapter IV Calm in Storm - Chapter V The Wood-sawyer - Chapter VI Triumph - Chapter VII A Knock at the Door - Chapter VIII A Hand at Cards - Chapter IX The Game Made - Chapter X The Substance of the Shadow - Chapter XI Dusk - Chapter XII Darkness - Chapter XIII Fifty-two - Chapter XIV The Knitting Done - Chapter XV The Footsteps Die Out For Ever - - - - - -Book the First--Recalled to Life - - - - -I. The Period - - -It was the best of times, -it was the worst of times, -it was the age of wisdom, -it was the age of foolishness, -it was the epoch of belief, -it was the epoch of incredulity, -it was the season of Light, -it was the season of Darkness, -it was the spring of hope, -it was the winter of despair, -we had everything before us, -we had nothing before us, -we were all going direct to Heaven, -we were all going direct the other way-- -in short, the period was so far like the present period, that some of -its noisiest authorities insisted on its being received, for good or for -evil, in the superlative degree of comparison only. - -There were a king with a large jaw and a queen with a plain face, on the -throne of England; there were a king with a large jaw and a queen with -a fair face, on the throne of France. In both countries it was clearer -than crystal to the lords of the State preserves of loaves and fishes, -that things in general were settled for ever. - -It was the year of Our Lord one thousand seven hundred and seventy-five. -Spiritual revelations were conceded to England at that favoured period, -as at this. Mrs. Southcott had recently attained her five-and-twentieth -blessed birthday, of whom a prophetic private in the Life Guards had -heralded the sublime appearance by announcing that arrangements were -made for the swallowing up of London and Westminster. Even the Cock-lane -ghost had been laid only a round dozen of years, after rapping out its -messages, as the spirits of this very year last past (supernaturally -deficient in originality) rapped out theirs. Mere messages in the -earthly order of events had lately come to the English Crown and People, -from a congress of British subjects in America: which, strange -to relate, have proved more important to the human race than any -communications yet received through any of the chickens of the Cock-lane -brood. - -France, less favoured on the whole as to matters spiritual than her -sister of the shield and trident, rolled with exceeding smoothness down -hill, making paper money and spending it. Under the guidance of her -Christian pastors, she entertained herself, besides, with such humane -achievements as sentencing a youth to have his hands cut off, his tongue -torn out with pincers, and his body burned alive, because he had not -kneeled down in the rain to do honour to a dirty procession of monks -which passed within his view, at a distance of some fifty or sixty -yards. It is likely enough that, rooted in the woods of France and -Norway, there were growing trees, when that sufferer was put to death, -already marked by the Woodman, Fate, to come down and be sawn into -boards, to make a certain movable framework with a sack and a knife in -it, terrible in history. It is likely enough that in the rough outhouses -of some tillers of the heavy lands adjacent to Paris, there were -sheltered from the weather that very day, rude carts, bespattered with -rustic mire, snuffed about by pigs, and roosted in by poultry, which -the Farmer, Death, had already set apart to be his tumbrils of -the Revolution. But that Woodman and that Farmer, though they work -unceasingly, work silently, and no one heard them as they went about -with muffled tread: the rather, forasmuch as to entertain any suspicion -that they were awake, was to be atheistical and traitorous. - -In England, there was scarcely an amount of order and protection to -justify much national boasting. Daring burglaries by armed men, and -highway robberies, took place in the capital itself every night; -families were publicly cautioned not to go out of town without removing -their furniture to upholsterers' warehouses for security; the highwayman -in the dark was a City tradesman in the light, and, being recognised and -challenged by his fellow-tradesman whom he stopped in his character of -“the Captain,” gallantly shot him through the head and rode away; the -mail was waylaid by seven robbers, and the guard shot three dead, and -then got shot dead himself by the other four, “in consequence of the -failure of his ammunition:” after which the mail was robbed in peace; -that magnificent potentate, the Lord Mayor of London, was made to stand -and deliver on Turnham Green, by one highwayman, who despoiled the -illustrious creature in sight of all his retinue; prisoners in London -gaols fought battles with their turnkeys, and the majesty of the law -fired blunderbusses in among them, loaded with rounds of shot and ball; -thieves snipped off diamond crosses from the necks of noble lords at -Court drawing-rooms; musketeers went into St. Giles's, to search -for contraband goods, and the mob fired on the musketeers, and the -musketeers fired on the mob, and nobody thought any of these occurrences -much out of the common way. In the midst of them, the hangman, ever busy -and ever worse than useless, was in constant requisition; now, stringing -up long rows of miscellaneous criminals; now, hanging a housebreaker on -Saturday who had been taken on Tuesday; now, burning people in the -hand at Newgate by the dozen, and now burning pamphlets at the door of -Westminster Hall; to-day, taking the life of an atrocious murderer, -and to-morrow of a wretched pilferer who had robbed a farmer's boy of -sixpence. - -All these things, and a thousand like them, came to pass in and close -upon the dear old year one thousand seven hundred and seventy-five. -Environed by them, while the Woodman and the Farmer worked unheeded, -those two of the large jaws, and those other two of the plain and the -fair faces, trod with stir enough, and carried their divine rights -with a high hand. Thus did the year one thousand seven hundred -and seventy-five conduct their Greatnesses, and myriads of small -creatures--the creatures of this chronicle among the rest--along the -roads that lay before them. - - - - -II. The Mail - - -It was the Dover road that lay, on a Friday night late in November, -before the first of the persons with whom this history has business. -The Dover road lay, as to him, beyond the Dover mail, as it lumbered up -Shooter's Hill. He walked up hill in the mire by the side of the mail, -as the rest of the passengers did; not because they had the least relish -for walking exercise, under the circumstances, but because the hill, -and the harness, and the mud, and the mail, were all so heavy, that the -horses had three times already come to a stop, besides once drawing the -coach across the road, with the mutinous intent of taking it back -to Blackheath. Reins and whip and coachman and guard, however, in -combination, had read that article of war which forbade a purpose -otherwise strongly in favour of the argument, that some brute animals -are endued with Reason; and the team had capitulated and returned to -their duty. - -With drooping heads and tremulous tails, they mashed their way through -the thick mud, floundering and stumbling between whiles, as if they were -falling to pieces at the larger joints. As often as the driver rested -them and brought them to a stand, with a wary “Wo-ho! so-ho-then!” the -near leader violently shook his head and everything upon it--like an -unusually emphatic horse, denying that the coach could be got up the -hill. Whenever the leader made this rattle, the passenger started, as a -nervous passenger might, and was disturbed in mind. - -There was a steaming mist in all the hollows, and it had roamed in its -forlornness up the hill, like an evil spirit, seeking rest and finding -none. A clammy and intensely cold mist, it made its slow way through the -air in ripples that visibly followed and overspread one another, as the -waves of an unwholesome sea might do. It was dense enough to shut out -everything from the light of the coach-lamps but these its own workings, -and a few yards of road; and the reek of the labouring horses steamed -into it, as if they had made it all. - -Two other passengers, besides the one, were plodding up the hill by the -side of the mail. All three were wrapped to the cheekbones and over the -ears, and wore jack-boots. Not one of the three could have said, from -anything he saw, what either of the other two was like; and each was -hidden under almost as many wrappers from the eyes of the mind, as from -the eyes of the body, of his two companions. In those days, travellers -were very shy of being confidential on a short notice, for anybody on -the road might be a robber or in league with robbers. As to the latter, -when every posting-house and ale-house could produce somebody in -“the Captain's” pay, ranging from the landlord to the lowest stable -non-descript, it was the likeliest thing upon the cards. So the guard -of the Dover mail thought to himself, that Friday night in November, one -thousand seven hundred and seventy-five, lumbering up Shooter's Hill, as -he stood on his own particular perch behind the mail, beating his feet, -and keeping an eye and a hand on the arm-chest before him, where a -loaded blunderbuss lay at the top of six or eight loaded horse-pistols, -deposited on a substratum of cutlass. - -The Dover mail was in its usual genial position that the guard suspected -the passengers, the passengers suspected one another and the guard, they -all suspected everybody else, and the coachman was sure of nothing but -the horses; as to which cattle he could with a clear conscience have -taken his oath on the two Testaments that they were not fit for the -journey. - -“Wo-ho!” said the coachman. “So, then! One more pull and you're at the -top and be damned to you, for I have had trouble enough to get you to -it!--Joe!” - -“Halloa!” the guard replied. - -“What o'clock do you make it, Joe?” - -“Ten minutes, good, past eleven.” - -“My blood!” ejaculated the vexed coachman, “and not atop of Shooter's -yet! Tst! Yah! Get on with you!” - -The emphatic horse, cut short by the whip in a most decided negative, -made a decided scramble for it, and the three other horses followed -suit. Once more, the Dover mail struggled on, with the jack-boots of its -passengers squashing along by its side. They had stopped when the coach -stopped, and they kept close company with it. If any one of the three -had had the hardihood to propose to another to walk on a little ahead -into the mist and darkness, he would have put himself in a fair way of -getting shot instantly as a highwayman. - -The last burst carried the mail to the summit of the hill. The horses -stopped to breathe again, and the guard got down to skid the wheel for -the descent, and open the coach-door to let the passengers in. - -“Tst! Joe!” cried the coachman in a warning voice, looking down from his -box. - -“What do you say, Tom?” - -They both listened. - -“I say a horse at a canter coming up, Joe.” - -“_I_ say a horse at a gallop, Tom,” returned the guard, leaving his hold -of the door, and mounting nimbly to his place. “Gentlemen! In the king's -name, all of you!” - -With this hurried adjuration, he cocked his blunderbuss, and stood on -the offensive. - -The passenger booked by this history, was on the coach-step, getting in; -the two other passengers were close behind him, and about to follow. He -remained on the step, half in the coach and half out of; they remained -in the road below him. They all looked from the coachman to the guard, -and from the guard to the coachman, and listened. The coachman looked -back and the guard looked back, and even the emphatic leader pricked up -his ears and looked back, without contradicting. - -The stillness consequent on the cessation of the rumbling and labouring -of the coach, added to the stillness of the night, made it very quiet -indeed. The panting of the horses communicated a tremulous motion to -the coach, as if it were in a state of agitation. The hearts of the -passengers beat loud enough perhaps to be heard; but at any rate, the -quiet pause was audibly expressive of people out of breath, and holding -the breath, and having the pulses quickened by expectation. - -The sound of a horse at a gallop came fast and furiously up the hill. - -“So-ho!” the guard sang out, as loud as he could roar. “Yo there! Stand! -I shall fire!” - -The pace was suddenly checked, and, with much splashing and floundering, -a man's voice called from the mist, “Is that the Dover mail?” - -“Never you mind what it is!” the guard retorted. “What are you?” - -“_Is_ that the Dover mail?” - -“Why do you want to know?” - -“I want a passenger, if it is.” - -“What passenger?” - -“Mr. Jarvis Lorry.” - -Our booked passenger showed in a moment that it was his name. The guard, -the coachman, and the two other passengers eyed him distrustfully. - -“Keep where you are,” the guard called to the voice in the mist, -“because, if I should make a mistake, it could never be set right in -your lifetime. Gentleman of the name of Lorry answer straight.” - -“What is the matter?” asked the passenger, then, with mildly quavering -speech. “Who wants me? Is it Jerry?” - -(“I don't like Jerry's voice, if it is Jerry,” growled the guard to -himself. “He's hoarser than suits me, is Jerry.”) - -“Yes, Mr. Lorry.” - -“What is the matter?” - -“A despatch sent after you from over yonder. T. and Co.” - -“I know this messenger, guard,” said Mr. Lorry, getting down into the -road--assisted from behind more swiftly than politely by the other two -passengers, who immediately scrambled into the coach, shut the door, and -pulled up the window. “He may come close; there's nothing wrong.” - -“I hope there ain't, but I can't make so 'Nation sure of that,” said the -guard, in gruff soliloquy. “Hallo you!” - -“Well! And hallo you!” said Jerry, more hoarsely than before. - -“Come on at a footpace! d'ye mind me? And if you've got holsters to that -saddle o' yourn, don't let me see your hand go nigh 'em. For I'm a devil -at a quick mistake, and when I make one it takes the form of Lead. So -now let's look at you.” - -The figures of a horse and rider came slowly through the eddying mist, -and came to the side of the mail, where the passenger stood. The rider -stooped, and, casting up his eyes at the guard, handed the passenger -a small folded paper. The rider's horse was blown, and both horse and -rider were covered with mud, from the hoofs of the horse to the hat of -the man. - -“Guard!” said the passenger, in a tone of quiet business confidence. - -The watchful guard, with his right hand at the stock of his raised -blunderbuss, his left at the barrel, and his eye on the horseman, -answered curtly, “Sir.” - -“There is nothing to apprehend. I belong to Tellson's Bank. You must -know Tellson's Bank in London. I am going to Paris on business. A crown -to drink. I may read this?” - -“If so be as you're quick, sir.” - -He opened it in the light of the coach-lamp on that side, and -read--first to himself and then aloud: “'Wait at Dover for Mam'selle.' -It's not long, you see, guard. Jerry, say that my answer was, RECALLED -TO LIFE.” - -Jerry started in his saddle. “That's a Blazing strange answer, too,” - said he, at his hoarsest. - -“Take that message back, and they will know that I received this, as -well as if I wrote. Make the best of your way. Good night.” - -With those words the passenger opened the coach-door and got in; not at -all assisted by his fellow-passengers, who had expeditiously secreted -their watches and purses in their boots, and were now making a general -pretence of being asleep. With no more definite purpose than to escape -the hazard of originating any other kind of action. - -The coach lumbered on again, with heavier wreaths of mist closing round -it as it began the descent. The guard soon replaced his blunderbuss -in his arm-chest, and, having looked to the rest of its contents, and -having looked to the supplementary pistols that he wore in his belt, -looked to a smaller chest beneath his seat, in which there were a -few smith's tools, a couple of torches, and a tinder-box. For he was -furnished with that completeness that if the coach-lamps had been blown -and stormed out, which did occasionally happen, he had only to shut -himself up inside, keep the flint and steel sparks well off the straw, -and get a light with tolerable safety and ease (if he were lucky) in -five minutes. - -“Tom!” softly over the coach roof. - -“Hallo, Joe.” - -“Did you hear the message?” - -“I did, Joe.” - -“What did you make of it, Tom?” - -“Nothing at all, Joe.” - -“That's a coincidence, too,” the guard mused, “for I made the same of it -myself.” - -Jerry, left alone in the mist and darkness, dismounted meanwhile, not -only to ease his spent horse, but to wipe the mud from his face, and -shake the wet out of his hat-brim, which might be capable of -holding about half a gallon. After standing with the bridle over his -heavily-splashed arm, until the wheels of the mail were no longer within -hearing and the night was quite still again, he turned to walk down the -hill. - -“After that there gallop from Temple Bar, old lady, I won't trust your -fore-legs till I get you on the level,” said this hoarse messenger, -glancing at his mare. “'Recalled to life.' That's a Blazing strange -message. Much of that wouldn't do for you, Jerry! I say, Jerry! You'd -be in a Blazing bad way, if recalling to life was to come into fashion, -Jerry!” - - - - -III. The Night Shadows - - -A wonderful fact to reflect upon, that every human creature is -constituted to be that profound secret and mystery to every other. A -solemn consideration, when I enter a great city by night, that every -one of those darkly clustered houses encloses its own secret; that every -room in every one of them encloses its own secret; that every beating -heart in the hundreds of thousands of breasts there, is, in some of -its imaginings, a secret to the heart nearest it! Something of the -awfulness, even of Death itself, is referable to this. No more can I -turn the leaves of this dear book that I loved, and vainly hope in time -to read it all. No more can I look into the depths of this unfathomable -water, wherein, as momentary lights glanced into it, I have had glimpses -of buried treasure and other things submerged. It was appointed that the -book should shut with a spring, for ever and for ever, when I had read -but a page. It was appointed that the water should be locked in an -eternal frost, when the light was playing on its surface, and I stood -in ignorance on the shore. My friend is dead, my neighbour is dead, -my love, the darling of my soul, is dead; it is the inexorable -consolidation and perpetuation of the secret that was always in that -individuality, and which I shall carry in mine to my life's end. In -any of the burial-places of this city through which I pass, is there -a sleeper more inscrutable than its busy inhabitants are, in their -innermost personality, to me, or than I am to them? - -As to this, his natural and not to be alienated inheritance, the -messenger on horseback had exactly the same possessions as the King, the -first Minister of State, or the richest merchant in London. So with the -three passengers shut up in the narrow compass of one lumbering old mail -coach; they were mysteries to one another, as complete as if each had -been in his own coach and six, or his own coach and sixty, with the -breadth of a county between him and the next. - -The messenger rode back at an easy trot, stopping pretty often at -ale-houses by the way to drink, but evincing a tendency to keep his -own counsel, and to keep his hat cocked over his eyes. He had eyes that -assorted very well with that decoration, being of a surface black, with -no depth in the colour or form, and much too near together--as if they -were afraid of being found out in something, singly, if they kept too -far apart. They had a sinister expression, under an old cocked-hat like -a three-cornered spittoon, and over a great muffler for the chin and -throat, which descended nearly to the wearer's knees. When he stopped -for drink, he moved this muffler with his left hand, only while he -poured his liquor in with his right; as soon as that was done, he -muffled again. - -“No, Jerry, no!” said the messenger, harping on one theme as he rode. -“It wouldn't do for you, Jerry. Jerry, you honest tradesman, it wouldn't -suit _your_ line of business! Recalled--! Bust me if I don't think he'd -been a drinking!” - -His message perplexed his mind to that degree that he was fain, several -times, to take off his hat to scratch his head. Except on the crown, -which was raggedly bald, he had stiff, black hair, standing jaggedly all -over it, and growing down hill almost to his broad, blunt nose. It was -so like Smith's work, so much more like the top of a strongly spiked -wall than a head of hair, that the best of players at leap-frog might -have declined him, as the most dangerous man in the world to go over. - -While he trotted back with the message he was to deliver to the night -watchman in his box at the door of Tellson's Bank, by Temple Bar, who -was to deliver it to greater authorities within, the shadows of the -night took such shapes to him as arose out of the message, and took such -shapes to the mare as arose out of _her_ private topics of uneasiness. -They seemed to be numerous, for she shied at every shadow on the road. - -What time, the mail-coach lumbered, jolted, rattled, and bumped upon -its tedious way, with its three fellow-inscrutables inside. To whom, -likewise, the shadows of the night revealed themselves, in the forms -their dozing eyes and wandering thoughts suggested. - -Tellson's Bank had a run upon it in the mail. As the bank -passenger--with an arm drawn through the leathern strap, which did what -lay in it to keep him from pounding against the next passenger, -and driving him into his corner, whenever the coach got a special -jolt--nodded in his place, with half-shut eyes, the little -coach-windows, and the coach-lamp dimly gleaming through them, and the -bulky bundle of opposite passenger, became the bank, and did a great -stroke of business. The rattle of the harness was the chink of money, -and more drafts were honoured in five minutes than even Tellson's, with -all its foreign and home connection, ever paid in thrice the time. Then -the strong-rooms underground, at Tellson's, with such of their valuable -stores and secrets as were known to the passenger (and it was not a -little that he knew about them), opened before him, and he went in among -them with the great keys and the feebly-burning candle, and found them -safe, and strong, and sound, and still, just as he had last seen them. - -But, though the bank was almost always with him, and though the coach -(in a confused way, like the presence of pain under an opiate) was -always with him, there was another current of impression that never -ceased to run, all through the night. He was on his way to dig some one -out of a grave. - -Now, which of the multitude of faces that showed themselves before him -was the true face of the buried person, the shadows of the night did -not indicate; but they were all the faces of a man of five-and-forty by -years, and they differed principally in the passions they expressed, -and in the ghastliness of their worn and wasted state. Pride, contempt, -defiance, stubbornness, submission, lamentation, succeeded one another; -so did varieties of sunken cheek, cadaverous colour, emaciated hands -and figures. But the face was in the main one face, and every head was -prematurely white. A hundred times the dozing passenger inquired of this -spectre: - -“Buried how long?” - -The answer was always the same: “Almost eighteen years.” - -“You had abandoned all hope of being dug out?” - -“Long ago.” - -“You know that you are recalled to life?” - -“They tell me so.” - -“I hope you care to live?” - -“I can't say.” - -“Shall I show her to you? Will you come and see her?” - -The answers to this question were various and contradictory. Sometimes -the broken reply was, “Wait! It would kill me if I saw her too soon.” - Sometimes, it was given in a tender rain of tears, and then it was, -“Take me to her.” Sometimes it was staring and bewildered, and then it -was, “I don't know her. I don't understand.” - -After such imaginary discourse, the passenger in his fancy would dig, -and dig, dig--now with a spade, now with a great key, now with his -hands--to dig this wretched creature out. Got out at last, with earth -hanging about his face and hair, he would suddenly fan away to dust. The -passenger would then start to himself, and lower the window, to get the -reality of mist and rain on his cheek. - -Yet even when his eyes were opened on the mist and rain, on the moving -patch of light from the lamps, and the hedge at the roadside retreating -by jerks, the night shadows outside the coach would fall into the train -of the night shadows within. The real Banking-house by Temple Bar, the -real business of the past day, the real strong rooms, the real express -sent after him, and the real message returned, would all be there. Out -of the midst of them, the ghostly face would rise, and he would accost -it again. - -“Buried how long?” - -“Almost eighteen years.” - -“I hope you care to live?” - -“I can't say.” - -Dig--dig--dig--until an impatient movement from one of the two -passengers would admonish him to pull up the window, draw his arm -securely through the leathern strap, and speculate upon the two -slumbering forms, until his mind lost its hold of them, and they again -slid away into the bank and the grave. - -“Buried how long?” - -“Almost eighteen years.” - -“You had abandoned all hope of being dug out?” - -“Long ago.” - -The words were still in his hearing as just spoken--distinctly in -his hearing as ever spoken words had been in his life--when the weary -passenger started to the consciousness of daylight, and found that the -shadows of the night were gone. - -He lowered the window, and looked out at the rising sun. There was a -ridge of ploughed land, with a plough upon it where it had been left -last night when the horses were unyoked; beyond, a quiet coppice-wood, -in which many leaves of burning red and golden yellow still remained -upon the trees. Though the earth was cold and wet, the sky was clear, -and the sun rose bright, placid, and beautiful. - -“Eighteen years!” said the passenger, looking at the sun. “Gracious -Creator of day! To be buried alive for eighteen years!” - - - - -IV. The Preparation - - -When the mail got successfully to Dover, in the course of the forenoon, -the head drawer at the Royal George Hotel opened the coach-door as his -custom was. He did it with some flourish of ceremony, for a mail journey -from London in winter was an achievement to congratulate an adventurous -traveller upon. - -By that time, there was only one adventurous traveller left be -congratulated: for the two others had been set down at their respective -roadside destinations. The mildewy inside of the coach, with its damp -and dirty straw, its disagreeable smell, and its obscurity, was rather -like a larger dog-kennel. Mr. Lorry, the passenger, shaking himself out -of it in chains of straw, a tangle of shaggy wrapper, flapping hat, and -muddy legs, was rather like a larger sort of dog. - -“There will be a packet to Calais, tomorrow, drawer?” - -“Yes, sir, if the weather holds and the wind sets tolerable fair. The -tide will serve pretty nicely at about two in the afternoon, sir. Bed, -sir?” - -“I shall not go to bed till night; but I want a bedroom, and a barber.” - -“And then breakfast, sir? Yes, sir. That way, sir, if you please. -Show Concord! Gentleman's valise and hot water to Concord. Pull off -gentleman's boots in Concord. (You will find a fine sea-coal fire, sir.) -Fetch barber to Concord. Stir about there, now, for Concord!” - -The Concord bed-chamber being always assigned to a passenger by the -mail, and passengers by the mail being always heavily wrapped up from -head to foot, the room had the odd interest for the establishment of the -Royal George, that although but one kind of man was seen to go into it, -all kinds and varieties of men came out of it. Consequently, another -drawer, and two porters, and several maids and the landlady, were all -loitering by accident at various points of the road between the Concord -and the coffee-room, when a gentleman of sixty, formally dressed in a -brown suit of clothes, pretty well worn, but very well kept, with large -square cuffs and large flaps to the pockets, passed along on his way to -his breakfast. - -The coffee-room had no other occupant, that forenoon, than the gentleman -in brown. His breakfast-table was drawn before the fire, and as he sat, -with its light shining on him, waiting for the meal, he sat so still, -that he might have been sitting for his portrait. - -Very orderly and methodical he looked, with a hand on each knee, and a -loud watch ticking a sonorous sermon under his flapped waist-coat, -as though it pitted its gravity and longevity against the levity and -evanescence of the brisk fire. He had a good leg, and was a little vain -of it, for his brown stockings fitted sleek and close, and were of a -fine texture; his shoes and buckles, too, though plain, were trim. He -wore an odd little sleek crisp flaxen wig, setting very close to his -head: which wig, it is to be presumed, was made of hair, but which -looked far more as though it were spun from filaments of silk or glass. -His linen, though not of a fineness in accordance with his stockings, -was as white as the tops of the waves that broke upon the neighbouring -beach, or the specks of sail that glinted in the sunlight far at sea. A -face habitually suppressed and quieted, was still lighted up under the -quaint wig by a pair of moist bright eyes that it must have cost -their owner, in years gone by, some pains to drill to the composed and -reserved expression of Tellson's Bank. He had a healthy colour in his -cheeks, and his face, though lined, bore few traces of anxiety. -But, perhaps the confidential bachelor clerks in Tellson's Bank were -principally occupied with the cares of other people; and perhaps -second-hand cares, like second-hand clothes, come easily off and on. - -Completing his resemblance to a man who was sitting for his portrait, -Mr. Lorry dropped off to sleep. The arrival of his breakfast roused him, -and he said to the drawer, as he moved his chair to it: - -“I wish accommodation prepared for a young lady who may come here at any -time to-day. She may ask for Mr. Jarvis Lorry, or she may only ask for a -gentleman from Tellson's Bank. Please to let me know.” - -“Yes, sir. Tellson's Bank in London, sir?” - -“Yes.” - -“Yes, sir. We have oftentimes the honour to entertain your gentlemen in -their travelling backwards and forwards betwixt London and Paris, sir. A -vast deal of travelling, sir, in Tellson and Company's House.” - -“Yes. We are quite a French House, as well as an English one.” - -“Yes, sir. Not much in the habit of such travelling yourself, I think, -sir?” - -“Not of late years. It is fifteen years since we--since I--came last -from France.” - -“Indeed, sir? That was before my time here, sir. Before our people's -time here, sir. The George was in other hands at that time, sir.” - -“I believe so.” - -“But I would hold a pretty wager, sir, that a House like Tellson and -Company was flourishing, a matter of fifty, not to speak of fifteen -years ago?” - -“You might treble that, and say a hundred and fifty, yet not be far from -the truth.” - -“Indeed, sir!” - -Rounding his mouth and both his eyes, as he stepped backward from the -table, the waiter shifted his napkin from his right arm to his left, -dropped into a comfortable attitude, and stood surveying the guest while -he ate and drank, as from an observatory or watchtower. According to the -immemorial usage of waiters in all ages. - -When Mr. Lorry had finished his breakfast, he went out for a stroll on -the beach. The little narrow, crooked town of Dover hid itself away -from the beach, and ran its head into the chalk cliffs, like a marine -ostrich. The beach was a desert of heaps of sea and stones tumbling -wildly about, and the sea did what it liked, and what it liked was -destruction. It thundered at the town, and thundered at the cliffs, and -brought the coast down, madly. The air among the houses was of so strong -a piscatory flavour that one might have supposed sick fish went up to be -dipped in it, as sick people went down to be dipped in the sea. A little -fishing was done in the port, and a quantity of strolling about by -night, and looking seaward: particularly at those times when the tide -made, and was near flood. Small tradesmen, who did no business whatever, -sometimes unaccountably realised large fortunes, and it was remarkable -that nobody in the neighbourhood could endure a lamplighter. - -As the day declined into the afternoon, and the air, which had been -at intervals clear enough to allow the French coast to be seen, became -again charged with mist and vapour, Mr. Lorry's thoughts seemed to cloud -too. When it was dark, and he sat before the coffee-room fire, awaiting -his dinner as he had awaited his breakfast, his mind was busily digging, -digging, digging, in the live red coals. - -A bottle of good claret after dinner does a digger in the red coals no -harm, otherwise than as it has a tendency to throw him out of work. -Mr. Lorry had been idle a long time, and had just poured out his last -glassful of wine with as complete an appearance of satisfaction as is -ever to be found in an elderly gentleman of a fresh complexion who has -got to the end of a bottle, when a rattling of wheels came up the narrow -street, and rumbled into the inn-yard. - -He set down his glass untouched. “This is Mam'selle!” said he. - -In a very few minutes the waiter came in to announce that Miss Manette -had arrived from London, and would be happy to see the gentleman from -Tellson's. - -“So soon?” - -Miss Manette had taken some refreshment on the road, and required none -then, and was extremely anxious to see the gentleman from Tellson's -immediately, if it suited his pleasure and convenience. - -The gentleman from Tellson's had nothing left for it but to empty his -glass with an air of stolid desperation, settle his odd little flaxen -wig at the ears, and follow the waiter to Miss Manette's apartment. -It was a large, dark room, furnished in a funereal manner with black -horsehair, and loaded with heavy dark tables. These had been oiled and -oiled, until the two tall candles on the table in the middle of the room -were gloomily reflected on every leaf; as if _they_ were buried, in deep -graves of black mahogany, and no light to speak of could be expected -from them until they were dug out. - -The obscurity was so difficult to penetrate that Mr. Lorry, picking his -way over the well-worn Turkey carpet, supposed Miss Manette to be, for -the moment, in some adjacent room, until, having got past the two tall -candles, he saw standing to receive him by the table between them and -the fire, a young lady of not more than seventeen, in a riding-cloak, -and still holding her straw travelling-hat by its ribbon in her hand. As -his eyes rested on a short, slight, pretty figure, a quantity of golden -hair, a pair of blue eyes that met his own with an inquiring look, and -a forehead with a singular capacity (remembering how young and smooth -it was), of rifting and knitting itself into an expression that was -not quite one of perplexity, or wonder, or alarm, or merely of a bright -fixed attention, though it included all the four expressions--as his -eyes rested on these things, a sudden vivid likeness passed before him, -of a child whom he had held in his arms on the passage across that very -Channel, one cold time, when the hail drifted heavily and the sea ran -high. The likeness passed away, like a breath along the surface of -the gaunt pier-glass behind her, on the frame of which, a hospital -procession of negro cupids, several headless and all cripples, were -offering black baskets of Dead Sea fruit to black divinities of the -feminine gender--and he made his formal bow to Miss Manette. - -“Pray take a seat, sir.” In a very clear and pleasant young voice; a -little foreign in its accent, but a very little indeed. - -“I kiss your hand, miss,” said Mr. Lorry, with the manners of an earlier -date, as he made his formal bow again, and took his seat. - -“I received a letter from the Bank, sir, yesterday, informing me that -some intelligence--or discovery--” - -“The word is not material, miss; either word will do.” - -“--respecting the small property of my poor father, whom I never saw--so -long dead--” - -Mr. Lorry moved in his chair, and cast a troubled look towards the -hospital procession of negro cupids. As if _they_ had any help for -anybody in their absurd baskets! - -“--rendered it necessary that I should go to Paris, there to communicate -with a gentleman of the Bank, so good as to be despatched to Paris for -the purpose.” - -“Myself.” - -“As I was prepared to hear, sir.” - -She curtseyed to him (young ladies made curtseys in those days), with a -pretty desire to convey to him that she felt how much older and wiser he -was than she. He made her another bow. - -“I replied to the Bank, sir, that as it was considered necessary, by -those who know, and who are so kind as to advise me, that I should go to -France, and that as I am an orphan and have no friend who could go with -me, I should esteem it highly if I might be permitted to place myself, -during the journey, under that worthy gentleman's protection. The -gentleman had left London, but I think a messenger was sent after him to -beg the favour of his waiting for me here.” - -“I was happy,” said Mr. Lorry, “to be entrusted with the charge. I shall -be more happy to execute it.” - -“Sir, I thank you indeed. I thank you very gratefully. It was told me -by the Bank that the gentleman would explain to me the details of the -business, and that I must prepare myself to find them of a surprising -nature. I have done my best to prepare myself, and I naturally have a -strong and eager interest to know what they are.” - -“Naturally,” said Mr. Lorry. “Yes--I--” - -After a pause, he added, again settling the crisp flaxen wig at the -ears, “It is very difficult to begin.” - -He did not begin, but, in his indecision, met her glance. The young -forehead lifted itself into that singular expression--but it was pretty -and characteristic, besides being singular--and she raised her hand, -as if with an involuntary action she caught at, or stayed some passing -shadow. - -“Are you quite a stranger to me, sir?” - -“Am I not?” Mr. Lorry opened his hands, and extended them outwards with -an argumentative smile. - -Between the eyebrows and just over the little feminine nose, the line of -which was as delicate and fine as it was possible to be, the expression -deepened itself as she took her seat thoughtfully in the chair by which -she had hitherto remained standing. He watched her as she mused, and the -moment she raised her eyes again, went on: - -“In your adopted country, I presume, I cannot do better than address you -as a young English lady, Miss Manette?” - -“If you please, sir.” - -“Miss Manette, I am a man of business. I have a business charge to -acquit myself of. In your reception of it, don't heed me any more than -if I was a speaking machine--truly, I am not much else. I will, with -your leave, relate to you, miss, the story of one of our customers.” - -“Story!” - -He seemed wilfully to mistake the word she had repeated, when he added, -in a hurry, “Yes, customers; in the banking business we usually call -our connection our customers. He was a French gentleman; a scientific -gentleman; a man of great acquirements--a Doctor.” - -“Not of Beauvais?” - -“Why, yes, of Beauvais. Like Monsieur Manette, your father, the -gentleman was of Beauvais. Like Monsieur Manette, your father, the -gentleman was of repute in Paris. I had the honour of knowing him there. -Our relations were business relations, but confidential. I was at that -time in our French House, and had been--oh! twenty years.” - -“At that time--I may ask, at what time, sir?” - -“I speak, miss, of twenty years ago. He married--an English lady--and -I was one of the trustees. His affairs, like the affairs of many other -French gentlemen and French families, were entirely in Tellson's hands. -In a similar way I am, or I have been, trustee of one kind or other for -scores of our customers. These are mere business relations, miss; -there is no friendship in them, no particular interest, nothing like -sentiment. I have passed from one to another, in the course of my -business life, just as I pass from one of our customers to another in -the course of my business day; in short, I have no feelings; I am a mere -machine. To go on--” - -“But this is my father's story, sir; and I begin to think”--the -curiously roughened forehead was very intent upon him--“that when I was -left an orphan through my mother's surviving my father only two years, -it was you who brought me to England. I am almost sure it was you.” - -Mr. Lorry took the hesitating little hand that confidingly advanced -to take his, and he put it with some ceremony to his lips. He then -conducted the young lady straightway to her chair again, and, holding -the chair-back with his left hand, and using his right by turns to rub -his chin, pull his wig at the ears, or point what he said, stood looking -down into her face while she sat looking up into his. - -“Miss Manette, it _was_ I. And you will see how truly I spoke of myself -just now, in saying I had no feelings, and that all the relations I hold -with my fellow-creatures are mere business relations, when you reflect -that I have never seen you since. No; you have been the ward of -Tellson's House since, and I have been busy with the other business of -Tellson's House since. Feelings! I have no time for them, no chance -of them. I pass my whole life, miss, in turning an immense pecuniary -Mangle.” - -After this odd description of his daily routine of employment, Mr. Lorry -flattened his flaxen wig upon his head with both hands (which was most -unnecessary, for nothing could be flatter than its shining surface was -before), and resumed his former attitude. - -“So far, miss (as you have remarked), this is the story of your -regretted father. Now comes the difference. If your father had not died -when he did--Don't be frightened! How you start!” - -She did, indeed, start. And she caught his wrist with both her hands. - -“Pray,” said Mr. Lorry, in a soothing tone, bringing his left hand from -the back of the chair to lay it on the supplicatory fingers that clasped -him in so violent a tremble: “pray control your agitation--a matter of -business. As I was saying--” - -Her look so discomposed him that he stopped, wandered, and began anew: - -“As I was saying; if Monsieur Manette had not died; if he had suddenly -and silently disappeared; if he had been spirited away; if it had not -been difficult to guess to what dreadful place, though no art could -trace him; if he had an enemy in some compatriot who could exercise a -privilege that I in my own time have known the boldest people afraid -to speak of in a whisper, across the water there; for instance, the -privilege of filling up blank forms for the consignment of any one -to the oblivion of a prison for any length of time; if his wife had -implored the king, the queen, the court, the clergy, for any tidings of -him, and all quite in vain;--then the history of your father would have -been the history of this unfortunate gentleman, the Doctor of Beauvais.” - -“I entreat you to tell me more, sir.” - -“I will. I am going to. You can bear it?” - -“I can bear anything but the uncertainty you leave me in at this -moment.” - -“You speak collectedly, and you--_are_ collected. That's good!” (Though -his manner was less satisfied than his words.) “A matter of business. -Regard it as a matter of business--business that must be done. Now -if this doctor's wife, though a lady of great courage and spirit, -had suffered so intensely from this cause before her little child was -born--” - -“The little child was a daughter, sir.” - -“A daughter. A-a-matter of business--don't be distressed. Miss, if the -poor lady had suffered so intensely before her little child was born, -that she came to the determination of sparing the poor child the -inheritance of any part of the agony she had known the pains of, by -rearing her in the belief that her father was dead--No, don't kneel! In -Heaven's name why should you kneel to me!” - -“For the truth. O dear, good, compassionate sir, for the truth!” - -“A--a matter of business. You confuse me, and how can I transact -business if I am confused? Let us be clear-headed. If you could kindly -mention now, for instance, what nine times ninepence are, or how many -shillings in twenty guineas, it would be so encouraging. I should be so -much more at my ease about your state of mind.” - -Without directly answering to this appeal, she sat so still when he had -very gently raised her, and the hands that had not ceased to clasp -his wrists were so much more steady than they had been, that she -communicated some reassurance to Mr. Jarvis Lorry. - -“That's right, that's right. Courage! Business! You have business before -you; useful business. Miss Manette, your mother took this course with -you. And when she died--I believe broken-hearted--having never slackened -her unavailing search for your father, she left you, at two years old, -to grow to be blooming, beautiful, and happy, without the dark cloud -upon you of living in uncertainty whether your father soon wore his -heart out in prison, or wasted there through many lingering years.” - -As he said the words he looked down, with an admiring pity, on the -flowing golden hair; as if he pictured to himself that it might have -been already tinged with grey. - -“You know that your parents had no great possession, and that what -they had was secured to your mother and to you. There has been no new -discovery, of money, or of any other property; but--” - -He felt his wrist held closer, and he stopped. The expression in the -forehead, which had so particularly attracted his notice, and which was -now immovable, had deepened into one of pain and horror. - -“But he has been--been found. He is alive. Greatly changed, it is too -probable; almost a wreck, it is possible; though we will hope the best. -Still, alive. Your father has been taken to the house of an old servant -in Paris, and we are going there: I, to identify him if I can: you, to -restore him to life, love, duty, rest, comfort.” - -A shiver ran through her frame, and from it through his. She said, in a -low, distinct, awe-stricken voice, as if she were saying it in a dream, - -“I am going to see his Ghost! It will be his Ghost--not him!” - -Mr. Lorry quietly chafed the hands that held his arm. “There, there, -there! See now, see now! The best and the worst are known to you, now. -You are well on your way to the poor wronged gentleman, and, with a fair -sea voyage, and a fair land journey, you will be soon at his dear side.” - -She repeated in the same tone, sunk to a whisper, “I have been free, I -have been happy, yet his Ghost has never haunted me!” - -“Only one thing more,” said Mr. Lorry, laying stress upon it as a -wholesome means of enforcing her attention: “he has been found under -another name; his own, long forgotten or long concealed. It would be -worse than useless now to inquire which; worse than useless to seek to -know whether he has been for years overlooked, or always designedly -held prisoner. It would be worse than useless now to make any inquiries, -because it would be dangerous. Better not to mention the subject, -anywhere or in any way, and to remove him--for a while at all -events--out of France. Even I, safe as an Englishman, and even -Tellson's, important as they are to French credit, avoid all naming of -the matter. I carry about me, not a scrap of writing openly referring -to it. This is a secret service altogether. My credentials, entries, -and memoranda, are all comprehended in the one line, 'Recalled to Life;' -which may mean anything. But what is the matter! She doesn't notice a -word! Miss Manette!” - -Perfectly still and silent, and not even fallen back in her chair, she -sat under his hand, utterly insensible; with her eyes open and fixed -upon him, and with that last expression looking as if it were carved or -branded into her forehead. So close was her hold upon his arm, that he -feared to detach himself lest he should hurt her; therefore he called -out loudly for assistance without moving. - -A wild-looking woman, whom even in his agitation, Mr. Lorry observed to -be all of a red colour, and to have red hair, and to be dressed in some -extraordinary tight-fitting fashion, and to have on her head a most -wonderful bonnet like a Grenadier wooden measure, and good measure too, -or a great Stilton cheese, came running into the room in advance of the -inn servants, and soon settled the question of his detachment from the -poor young lady, by laying a brawny hand upon his chest, and sending him -flying back against the nearest wall. - -(“I really think this must be a man!” was Mr. Lorry's breathless -reflection, simultaneously with his coming against the wall.) - -“Why, look at you all!” bawled this figure, addressing the inn servants. -“Why don't you go and fetch things, instead of standing there staring -at me? I am not so much to look at, am I? Why don't you go and fetch -things? I'll let you know, if you don't bring smelling-salts, cold -water, and vinegar, quick, I will.” - -There was an immediate dispersal for these restoratives, and she -softly laid the patient on a sofa, and tended her with great skill and -gentleness: calling her “my precious!” and “my bird!” and spreading her -golden hair aside over her shoulders with great pride and care. - -“And you in brown!” she said, indignantly turning to Mr. Lorry; -“couldn't you tell her what you had to tell her, without frightening her -to death? Look at her, with her pretty pale face and her cold hands. Do -you call _that_ being a Banker?” - -Mr. Lorry was so exceedingly disconcerted by a question so hard to -answer, that he could only look on, at a distance, with much feebler -sympathy and humility, while the strong woman, having banished the inn -servants under the mysterious penalty of “letting them know” something -not mentioned if they stayed there, staring, recovered her charge by a -regular series of gradations, and coaxed her to lay her drooping head -upon her shoulder. - -“I hope she will do well now,” said Mr. Lorry. - -“No thanks to you in brown, if she does. My darling pretty!” - -“I hope,” said Mr. Lorry, after another pause of feeble sympathy and -humility, “that you accompany Miss Manette to France?” - -“A likely thing, too!” replied the strong woman. “If it was ever -intended that I should go across salt water, do you suppose Providence -would have cast my lot in an island?” - -This being another question hard to answer, Mr. Jarvis Lorry withdrew to -consider it. - - - - -V. The Wine-shop - - -A large cask of wine had been dropped and broken, in the street. The -accident had happened in getting it out of a cart; the cask had tumbled -out with a run, the hoops had burst, and it lay on the stones just -outside the door of the wine-shop, shattered like a walnut-shell. - -All the people within reach had suspended their business, or their -idleness, to run to the spot and drink the wine. The rough, irregular -stones of the street, pointing every way, and designed, one might have -thought, expressly to lame all living creatures that approached them, -had dammed it into little pools; these were surrounded, each by its own -jostling group or crowd, according to its size. Some men kneeled down, -made scoops of their two hands joined, and sipped, or tried to help -women, who bent over their shoulders, to sip, before the wine had all -run out between their fingers. Others, men and women, dipped in -the puddles with little mugs of mutilated earthenware, or even with -handkerchiefs from women's heads, which were squeezed dry into infants' -mouths; others made small mud-embankments, to stem the wine as it ran; -others, directed by lookers-on up at high windows, darted here and -there, to cut off little streams of wine that started away in new -directions; others devoted themselves to the sodden and lee-dyed -pieces of the cask, licking, and even champing the moister wine-rotted -fragments with eager relish. There was no drainage to carry off the -wine, and not only did it all get taken up, but so much mud got taken up -along with it, that there might have been a scavenger in the street, -if anybody acquainted with it could have believed in such a miraculous -presence. - -A shrill sound of laughter and of amused voices--voices of men, women, -and children--resounded in the street while this wine game lasted. There -was little roughness in the sport, and much playfulness. There was a -special companionship in it, an observable inclination on the part -of every one to join some other one, which led, especially among the -luckier or lighter-hearted, to frolicsome embraces, drinking of healths, -shaking of hands, and even joining of hands and dancing, a dozen -together. When the wine was gone, and the places where it had been -most abundant were raked into a gridiron-pattern by fingers, these -demonstrations ceased, as suddenly as they had broken out. The man who -had left his saw sticking in the firewood he was cutting, set it in -motion again; the women who had left on a door-step the little pot of -hot ashes, at which she had been trying to soften the pain in her own -starved fingers and toes, or in those of her child, returned to it; men -with bare arms, matted locks, and cadaverous faces, who had emerged into -the winter light from cellars, moved away, to descend again; and a gloom -gathered on the scene that appeared more natural to it than sunshine. - -The wine was red wine, and had stained the ground of the narrow street -in the suburb of Saint Antoine, in Paris, where it was spilled. It had -stained many hands, too, and many faces, and many naked feet, and many -wooden shoes. The hands of the man who sawed the wood, left red marks -on the billets; and the forehead of the woman who nursed her baby, was -stained with the stain of the old rag she wound about her head again. -Those who had been greedy with the staves of the cask, had acquired a -tigerish smear about the mouth; and one tall joker so besmirched, his -head more out of a long squalid bag of a nightcap than in it, scrawled -upon a wall with his finger dipped in muddy wine-lees--BLOOD. - -The time was to come, when that wine too would be spilled on the -street-stones, and when the stain of it would be red upon many there. - -And now that the cloud settled on Saint Antoine, which a momentary -gleam had driven from his sacred countenance, the darkness of it was -heavy--cold, dirt, sickness, ignorance, and want, were the lords in -waiting on the saintly presence--nobles of great power all of them; -but, most especially the last. Samples of a people that had undergone a -terrible grinding and regrinding in the mill, and certainly not in the -fabulous mill which ground old people young, shivered at every corner, -passed in and out at every doorway, looked from every window, fluttered -in every vestige of a garment that the wind shook. The mill which -had worked them down, was the mill that grinds young people old; the -children had ancient faces and grave voices; and upon them, and upon the -grown faces, and ploughed into every furrow of age and coming up afresh, -was the sigh, Hunger. It was prevalent everywhere. Hunger was pushed out -of the tall houses, in the wretched clothing that hung upon poles and -lines; Hunger was patched into them with straw and rag and wood and -paper; Hunger was repeated in every fragment of the small modicum of -firewood that the man sawed off; Hunger stared down from the smokeless -chimneys, and started up from the filthy street that had no offal, -among its refuse, of anything to eat. Hunger was the inscription on the -baker's shelves, written in every small loaf of his scanty stock of -bad bread; at the sausage-shop, in every dead-dog preparation that -was offered for sale. Hunger rattled its dry bones among the roasting -chestnuts in the turned cylinder; Hunger was shred into atomics in every -farthing porringer of husky chips of potato, fried with some reluctant -drops of oil. - -Its abiding place was in all things fitted to it. A narrow winding -street, full of offence and stench, with other narrow winding streets -diverging, all peopled by rags and nightcaps, and all smelling of rags -and nightcaps, and all visible things with a brooding look upon them -that looked ill. In the hunted air of the people there was yet some -wild-beast thought of the possibility of turning at bay. Depressed and -slinking though they were, eyes of fire were not wanting among them; nor -compressed lips, white with what they suppressed; nor foreheads knitted -into the likeness of the gallows-rope they mused about enduring, or -inflicting. The trade signs (and they were almost as many as the shops) -were, all, grim illustrations of Want. The butcher and the porkman -painted up, only the leanest scrags of meat; the baker, the coarsest of -meagre loaves. The people rudely pictured as drinking in the wine-shops, -croaked over their scanty measures of thin wine and beer, and were -gloweringly confidential together. Nothing was represented in a -flourishing condition, save tools and weapons; but, the cutler's knives -and axes were sharp and bright, the smith's hammers were heavy, and the -gunmaker's stock was murderous. The crippling stones of the pavement, -with their many little reservoirs of mud and water, had no footways, but -broke off abruptly at the doors. The kennel, to make amends, ran down -the middle of the street--when it ran at all: which was only after heavy -rains, and then it ran, by many eccentric fits, into the houses. Across -the streets, at wide intervals, one clumsy lamp was slung by a rope and -pulley; at night, when the lamplighter had let these down, and lighted, -and hoisted them again, a feeble grove of dim wicks swung in a sickly -manner overhead, as if they were at sea. Indeed they were at sea, and -the ship and crew were in peril of tempest. - -For, the time was to come, when the gaunt scarecrows of that region -should have watched the lamplighter, in their idleness and hunger, so -long, as to conceive the idea of improving on his method, and hauling -up men by those ropes and pulleys, to flare upon the darkness of their -condition. But, the time was not come yet; and every wind that blew over -France shook the rags of the scarecrows in vain, for the birds, fine of -song and feather, took no warning. - -The wine-shop was a corner shop, better than most others in its -appearance and degree, and the master of the wine-shop had stood outside -it, in a yellow waistcoat and green breeches, looking on at the struggle -for the lost wine. “It's not my affair,” said he, with a final shrug -of the shoulders. “The people from the market did it. Let them bring -another.” - -There, his eyes happening to catch the tall joker writing up his joke, -he called to him across the way: - -“Say, then, my Gaspard, what do you do there?” - -The fellow pointed to his joke with immense significance, as is often -the way with his tribe. It missed its mark, and completely failed, as is -often the way with his tribe too. - -“What now? Are you a subject for the mad hospital?” said the wine-shop -keeper, crossing the road, and obliterating the jest with a handful of -mud, picked up for the purpose, and smeared over it. “Why do you write -in the public streets? Is there--tell me thou--is there no other place -to write such words in?” - -In his expostulation he dropped his cleaner hand (perhaps accidentally, -perhaps not) upon the joker's heart. The joker rapped it with his -own, took a nimble spring upward, and came down in a fantastic dancing -attitude, with one of his stained shoes jerked off his foot into his -hand, and held out. A joker of an extremely, not to say wolfishly -practical character, he looked, under those circumstances. - -“Put it on, put it on,” said the other. “Call wine, wine; and finish -there.” With that advice, he wiped his soiled hand upon the joker's -dress, such as it was--quite deliberately, as having dirtied the hand on -his account; and then recrossed the road and entered the wine-shop. - -This wine-shop keeper was a bull-necked, martial-looking man of thirty, -and he should have been of a hot temperament, for, although it was a -bitter day, he wore no coat, but carried one slung over his shoulder. -His shirt-sleeves were rolled up, too, and his brown arms were bare to -the elbows. Neither did he wear anything more on his head than his own -crisply-curling short dark hair. He was a dark man altogether, with good -eyes and a good bold breadth between them. Good-humoured looking on -the whole, but implacable-looking, too; evidently a man of a strong -resolution and a set purpose; a man not desirable to be met, rushing -down a narrow pass with a gulf on either side, for nothing would turn -the man. - -Madame Defarge, his wife, sat in the shop behind the counter as he -came in. Madame Defarge was a stout woman of about his own age, with -a watchful eye that seldom seemed to look at anything, a large hand -heavily ringed, a steady face, strong features, and great composure of -manner. There was a character about Madame Defarge, from which one might -have predicated that she did not often make mistakes against herself -in any of the reckonings over which she presided. Madame Defarge being -sensitive to cold, was wrapped in fur, and had a quantity of bright -shawl twined about her head, though not to the concealment of her large -earrings. Her knitting was before her, but she had laid it down to pick -her teeth with a toothpick. Thus engaged, with her right elbow supported -by her left hand, Madame Defarge said nothing when her lord came in, but -coughed just one grain of cough. This, in combination with the lifting -of her darkly defined eyebrows over her toothpick by the breadth of a -line, suggested to her husband that he would do well to look round the -shop among the customers, for any new customer who had dropped in while -he stepped over the way. - -The wine-shop keeper accordingly rolled his eyes about, until they -rested upon an elderly gentleman and a young lady, who were seated in -a corner. Other company were there: two playing cards, two playing -dominoes, three standing by the counter lengthening out a short supply -of wine. As he passed behind the counter, he took notice that the -elderly gentleman said in a look to the young lady, “This is our man.” - -“What the devil do _you_ do in that galley there?” said Monsieur Defarge -to himself; “I don't know you.” - -But, he feigned not to notice the two strangers, and fell into discourse -with the triumvirate of customers who were drinking at the counter. - -“How goes it, Jacques?” said one of these three to Monsieur Defarge. “Is -all the spilt wine swallowed?” - -“Every drop, Jacques,” answered Monsieur Defarge. - -When this interchange of Christian name was effected, Madame Defarge, -picking her teeth with her toothpick, coughed another grain of cough, -and raised her eyebrows by the breadth of another line. - -“It is not often,” said the second of the three, addressing Monsieur -Defarge, “that many of these miserable beasts know the taste of wine, or -of anything but black bread and death. Is it not so, Jacques?” - -“It is so, Jacques,” Monsieur Defarge returned. - -At this second interchange of the Christian name, Madame Defarge, still -using her toothpick with profound composure, coughed another grain of -cough, and raised her eyebrows by the breadth of another line. - -The last of the three now said his say, as he put down his empty -drinking vessel and smacked his lips. - -“Ah! So much the worse! A bitter taste it is that such poor cattle -always have in their mouths, and hard lives they live, Jacques. Am I -right, Jacques?” - -“You are right, Jacques,” was the response of Monsieur Defarge. - -This third interchange of the Christian name was completed at the moment -when Madame Defarge put her toothpick by, kept her eyebrows up, and -slightly rustled in her seat. - -“Hold then! True!” muttered her husband. “Gentlemen--my wife!” - -The three customers pulled off their hats to Madame Defarge, with three -flourishes. She acknowledged their homage by bending her head, and -giving them a quick look. Then she glanced in a casual manner round the -wine-shop, took up her knitting with great apparent calmness and repose -of spirit, and became absorbed in it. - -“Gentlemen,” said her husband, who had kept his bright eye observantly -upon her, “good day. The chamber, furnished bachelor-fashion, that you -wished to see, and were inquiring for when I stepped out, is on the -fifth floor. The doorway of the staircase gives on the little courtyard -close to the left here,” pointing with his hand, “near to the window of -my establishment. But, now that I remember, one of you has already been -there, and can show the way. Gentlemen, adieu!” - -They paid for their wine, and left the place. The eyes of Monsieur -Defarge were studying his wife at her knitting when the elderly -gentleman advanced from his corner, and begged the favour of a word. - -“Willingly, sir,” said Monsieur Defarge, and quietly stepped with him to -the door. - -Their conference was very short, but very decided. Almost at the first -word, Monsieur Defarge started and became deeply attentive. It had -not lasted a minute, when he nodded and went out. The gentleman then -beckoned to the young lady, and they, too, went out. Madame Defarge -knitted with nimble fingers and steady eyebrows, and saw nothing. - -Mr. Jarvis Lorry and Miss Manette, emerging from the wine-shop thus, -joined Monsieur Defarge in the doorway to which he had directed his own -company just before. It opened from a stinking little black courtyard, -and was the general public entrance to a great pile of houses, inhabited -by a great number of people. In the gloomy tile-paved entry to the -gloomy tile-paved staircase, Monsieur Defarge bent down on one knee -to the child of his old master, and put her hand to his lips. It was -a gentle action, but not at all gently done; a very remarkable -transformation had come over him in a few seconds. He had no good-humour -in his face, nor any openness of aspect left, but had become a secret, -angry, dangerous man. - -“It is very high; it is a little difficult. Better to begin slowly.” - Thus, Monsieur Defarge, in a stern voice, to Mr. Lorry, as they began -ascending the stairs. - -“Is he alone?” the latter whispered. - -“Alone! God help him, who should be with him!” said the other, in the -same low voice. - -“Is he always alone, then?” - -“Yes.” - -“Of his own desire?” - -“Of his own necessity. As he was, when I first saw him after they -found me and demanded to know if I would take him, and, at my peril be -discreet--as he was then, so he is now.” - -“He is greatly changed?” - -“Changed!” - -The keeper of the wine-shop stopped to strike the wall with his hand, -and mutter a tremendous curse. No direct answer could have been half so -forcible. Mr. Lorry's spirits grew heavier and heavier, as he and his -two companions ascended higher and higher. - -Such a staircase, with its accessories, in the older and more crowded -parts of Paris, would be bad enough now; but, at that time, it was vile -indeed to unaccustomed and unhardened senses. Every little habitation -within the great foul nest of one high building--that is to say, -the room or rooms within every door that opened on the general -staircase--left its own heap of refuse on its own landing, besides -flinging other refuse from its own windows. The uncontrollable and -hopeless mass of decomposition so engendered, would have polluted -the air, even if poverty and deprivation had not loaded it with their -intangible impurities; the two bad sources combined made it almost -insupportable. Through such an atmosphere, by a steep dark shaft of dirt -and poison, the way lay. Yielding to his own disturbance of mind, and to -his young companion's agitation, which became greater every instant, Mr. -Jarvis Lorry twice stopped to rest. Each of these stoppages was made -at a doleful grating, by which any languishing good airs that were left -uncorrupted, seemed to escape, and all spoilt and sickly vapours seemed -to crawl in. Through the rusted bars, tastes, rather than glimpses, were -caught of the jumbled neighbourhood; and nothing within range, nearer -or lower than the summits of the two great towers of Notre-Dame, had any -promise on it of healthy life or wholesome aspirations. - -At last, the top of the staircase was gained, and they stopped for the -third time. There was yet an upper staircase, of a steeper inclination -and of contracted dimensions, to be ascended, before the garret story -was reached. The keeper of the wine-shop, always going a little in -advance, and always going on the side which Mr. Lorry took, as though he -dreaded to be asked any question by the young lady, turned himself about -here, and, carefully feeling in the pockets of the coat he carried over -his shoulder, took out a key. - -“The door is locked then, my friend?” said Mr. Lorry, surprised. - -“Ay. Yes,” was the grim reply of Monsieur Defarge. - -“You think it necessary to keep the unfortunate gentleman so retired?” - -“I think it necessary to turn the key.” Monsieur Defarge whispered it -closer in his ear, and frowned heavily. - -“Why?” - -“Why! Because he has lived so long, locked up, that he would be -frightened--rave--tear himself to pieces--die--come to I know not what -harm--if his door was left open.” - -“Is it possible!” exclaimed Mr. Lorry. - -“Is it possible!” repeated Defarge, bitterly. “Yes. And a beautiful -world we live in, when it _is_ possible, and when many other such things -are possible, and not only possible, but done--done, see you!--under -that sky there, every day. Long live the Devil. Let us go on.” - -This dialogue had been held in so very low a whisper, that not a word -of it had reached the young lady's ears. But, by this time she trembled -under such strong emotion, and her face expressed such deep anxiety, -and, above all, such dread and terror, that Mr. Lorry felt it incumbent -on him to speak a word or two of reassurance. - -“Courage, dear miss! Courage! Business! The worst will be over in a -moment; it is but passing the room-door, and the worst is over. Then, -all the good you bring to him, all the relief, all the happiness you -bring to him, begin. Let our good friend here, assist you on that side. -That's well, friend Defarge. Come, now. Business, business!” - -They went up slowly and softly. The staircase was short, and they were -soon at the top. There, as it had an abrupt turn in it, they came all at -once in sight of three men, whose heads were bent down close together at -the side of a door, and who were intently looking into the room to which -the door belonged, through some chinks or holes in the wall. On hearing -footsteps close at hand, these three turned, and rose, and showed -themselves to be the three of one name who had been drinking in the -wine-shop. - -“I forgot them in the surprise of your visit,” explained Monsieur -Defarge. “Leave us, good boys; we have business here.” - -The three glided by, and went silently down. - -There appearing to be no other door on that floor, and the keeper of -the wine-shop going straight to this one when they were left alone, Mr. -Lorry asked him in a whisper, with a little anger: - -“Do you make a show of Monsieur Manette?” - -“I show him, in the way you have seen, to a chosen few.” - -“Is that well?” - -“_I_ think it is well.” - -“Who are the few? How do you choose them?” - -“I choose them as real men, of my name--Jacques is my name--to whom the -sight is likely to do good. Enough; you are English; that is another -thing. Stay there, if you please, a little moment.” - -With an admonitory gesture to keep them back, he stooped, and looked in -through the crevice in the wall. Soon raising his head again, he struck -twice or thrice upon the door--evidently with no other object than to -make a noise there. With the same intention, he drew the key across it, -three or four times, before he put it clumsily into the lock, and turned -it as heavily as he could. - -The door slowly opened inward under his hand, and he looked into the -room and said something. A faint voice answered something. Little more -than a single syllable could have been spoken on either side. - -He looked back over his shoulder, and beckoned them to enter. Mr. Lorry -got his arm securely round the daughter's waist, and held her; for he -felt that she was sinking. - -“A-a-a-business, business!” he urged, with a moisture that was not of -business shining on his cheek. “Come in, come in!” - -“I am afraid of it,” she answered, shuddering. - -“Of it? What?” - -“I mean of him. Of my father.” - -Rendered in a manner desperate, by her state and by the beckoning of -their conductor, he drew over his neck the arm that shook upon his -shoulder, lifted her a little, and hurried her into the room. He sat her -down just within the door, and held her, clinging to him. - -Defarge drew out the key, closed the door, locked it on the inside, -took out the key again, and held it in his hand. All this he did, -methodically, and with as loud and harsh an accompaniment of noise as he -could make. Finally, he walked across the room with a measured tread to -where the window was. He stopped there, and faced round. - -The garret, built to be a depository for firewood and the like, was dim -and dark: for, the window of dormer shape, was in truth a door in the -roof, with a little crane over it for the hoisting up of stores from -the street: unglazed, and closing up the middle in two pieces, like any -other door of French construction. To exclude the cold, one half of this -door was fast closed, and the other was opened but a very little way. -Such a scanty portion of light was admitted through these means, that it -was difficult, on first coming in, to see anything; and long habit -alone could have slowly formed in any one, the ability to do any work -requiring nicety in such obscurity. Yet, work of that kind was being -done in the garret; for, with his back towards the door, and his face -towards the window where the keeper of the wine-shop stood looking at -him, a white-haired man sat on a low bench, stooping forward and very -busy, making shoes. - - - - -VI. The Shoemaker - - -“Good day!” said Monsieur Defarge, looking down at the white head that -bent low over the shoemaking. - -It was raised for a moment, and a very faint voice responded to the -salutation, as if it were at a distance: - -“Good day!” - -“You are still hard at work, I see?” - -After a long silence, the head was lifted for another moment, and the -voice replied, “Yes--I am working.” This time, a pair of haggard eyes -had looked at the questioner, before the face had dropped again. - -The faintness of the voice was pitiable and dreadful. It was not the -faintness of physical weakness, though confinement and hard fare no -doubt had their part in it. Its deplorable peculiarity was, that it was -the faintness of solitude and disuse. It was like the last feeble echo -of a sound made long and long ago. So entirely had it lost the life and -resonance of the human voice, that it affected the senses like a once -beautiful colour faded away into a poor weak stain. So sunken and -suppressed it was, that it was like a voice underground. So expressive -it was, of a hopeless and lost creature, that a famished traveller, -wearied out by lonely wandering in a wilderness, would have remembered -home and friends in such a tone before lying down to die. - -Some minutes of silent work had passed: and the haggard eyes had looked -up again: not with any interest or curiosity, but with a dull mechanical -perception, beforehand, that the spot where the only visitor they were -aware of had stood, was not yet empty. - -“I want,” said Defarge, who had not removed his gaze from the shoemaker, -“to let in a little more light here. You can bear a little more?” - -The shoemaker stopped his work; looked with a vacant air of listening, -at the floor on one side of him; then similarly, at the floor on the -other side of him; then, upward at the speaker. - -“What did you say?” - -“You can bear a little more light?” - -“I must bear it, if you let it in.” (Laying the palest shadow of a -stress upon the second word.) - -The opened half-door was opened a little further, and secured at that -angle for the time. A broad ray of light fell into the garret, and -showed the workman with an unfinished shoe upon his lap, pausing in his -labour. His few common tools and various scraps of leather were at his -feet and on his bench. He had a white beard, raggedly cut, but not very -long, a hollow face, and exceedingly bright eyes. The hollowness and -thinness of his face would have caused them to look large, under his yet -dark eyebrows and his confused white hair, though they had been really -otherwise; but, they were naturally large, and looked unnaturally so. -His yellow rags of shirt lay open at the throat, and showed his body -to be withered and worn. He, and his old canvas frock, and his loose -stockings, and all his poor tatters of clothes, had, in a long seclusion -from direct light and air, faded down to such a dull uniformity of -parchment-yellow, that it would have been hard to say which was which. - -He had put up a hand between his eyes and the light, and the very bones -of it seemed transparent. So he sat, with a steadfastly vacant gaze, -pausing in his work. He never looked at the figure before him, without -first looking down on this side of himself, then on that, as if he had -lost the habit of associating place with sound; he never spoke, without -first wandering in this manner, and forgetting to speak. - -“Are you going to finish that pair of shoes to-day?” asked Defarge, -motioning to Mr. Lorry to come forward. - -“What did you say?” - -“Do you mean to finish that pair of shoes to-day?” - -“I can't say that I mean to. I suppose so. I don't know.” - -But, the question reminded him of his work, and he bent over it again. - -Mr. Lorry came silently forward, leaving the daughter by the door. When -he had stood, for a minute or two, by the side of Defarge, the shoemaker -looked up. He showed no surprise at seeing another figure, but the -unsteady fingers of one of his hands strayed to his lips as he looked at -it (his lips and his nails were of the same pale lead-colour), and then -the hand dropped to his work, and he once more bent over the shoe. The -look and the action had occupied but an instant. - -“You have a visitor, you see,” said Monsieur Defarge. - -“What did you say?” - -“Here is a visitor.” - -The shoemaker looked up as before, but without removing a hand from his -work. - -“Come!” said Defarge. “Here is monsieur, who knows a well-made shoe when -he sees one. Show him that shoe you are working at. Take it, monsieur.” - -Mr. Lorry took it in his hand. - -“Tell monsieur what kind of shoe it is, and the maker's name.” - -There was a longer pause than usual, before the shoemaker replied: - -“I forget what it was you asked me. What did you say?” - -“I said, couldn't you describe the kind of shoe, for monsieur's -information?” - -“It is a lady's shoe. It is a young lady's walking-shoe. It is in the -present mode. I never saw the mode. I have had a pattern in my hand.” He -glanced at the shoe with some little passing touch of pride. - -“And the maker's name?” said Defarge. - -Now that he had no work to hold, he laid the knuckles of the right hand -in the hollow of the left, and then the knuckles of the left hand in the -hollow of the right, and then passed a hand across his bearded chin, and -so on in regular changes, without a moment's intermission. The task of -recalling him from the vagrancy into which he always sank when he -had spoken, was like recalling some very weak person from a swoon, or -endeavouring, in the hope of some disclosure, to stay the spirit of a -fast-dying man. - -“Did you ask me for my name?” - -“Assuredly I did.” - -“One Hundred and Five, North Tower.” - -“Is that all?” - -“One Hundred and Five, North Tower.” - -With a weary sound that was not a sigh, nor a groan, he bent to work -again, until the silence was again broken. - -“You are not a shoemaker by trade?” said Mr. Lorry, looking steadfastly -at him. - -His haggard eyes turned to Defarge as if he would have transferred the -question to him: but as no help came from that quarter, they turned back -on the questioner when they had sought the ground. - -“I am not a shoemaker by trade? No, I was not a shoemaker by trade. I-I -learnt it here. I taught myself. I asked leave to--” - -He lapsed away, even for minutes, ringing those measured changes on his -hands the whole time. His eyes came slowly back, at last, to the face -from which they had wandered; when they rested on it, he started, and -resumed, in the manner of a sleeper that moment awake, reverting to a -subject of last night. - -“I asked leave to teach myself, and I got it with much difficulty after -a long while, and I have made shoes ever since.” - -As he held out his hand for the shoe that had been taken from him, Mr. -Lorry said, still looking steadfastly in his face: - -“Monsieur Manette, do you remember nothing of me?” - -The shoe dropped to the ground, and he sat looking fixedly at the -questioner. - -“Monsieur Manette”; Mr. Lorry laid his hand upon Defarge's arm; “do you -remember nothing of this man? Look at him. Look at me. Is there no old -banker, no old business, no old servant, no old time, rising in your -mind, Monsieur Manette?” - -As the captive of many years sat looking fixedly, by turns, at Mr. -Lorry and at Defarge, some long obliterated marks of an actively intent -intelligence in the middle of the forehead, gradually forced themselves -through the black mist that had fallen on him. They were overclouded -again, they were fainter, they were gone; but they had been there. And -so exactly was the expression repeated on the fair young face of her who -had crept along the wall to a point where she could see him, and where -she now stood looking at him, with hands which at first had been only -raised in frightened compassion, if not even to keep him off and -shut out the sight of him, but which were now extending towards him, -trembling with eagerness to lay the spectral face upon her warm young -breast, and love it back to life and hope--so exactly was the expression -repeated (though in stronger characters) on her fair young face, that it -looked as though it had passed like a moving light, from him to her. - -Darkness had fallen on him in its place. He looked at the two, less and -less attentively, and his eyes in gloomy abstraction sought the ground -and looked about him in the old way. Finally, with a deep long sigh, he -took the shoe up, and resumed his work. - -“Have you recognised him, monsieur?” asked Defarge in a whisper. - -“Yes; for a moment. At first I thought it quite hopeless, but I have -unquestionably seen, for a single moment, the face that I once knew so -well. Hush! Let us draw further back. Hush!” - -She had moved from the wall of the garret, very near to the bench on -which he sat. There was something awful in his unconsciousness of the -figure that could have put out its hand and touched him as he stooped -over his labour. - -Not a word was spoken, not a sound was made. She stood, like a spirit, -beside him, and he bent over his work. - -It happened, at length, that he had occasion to change the instrument -in his hand, for his shoemaker's knife. It lay on that side of him -which was not the side on which she stood. He had taken it up, and was -stooping to work again, when his eyes caught the skirt of her dress. He -raised them, and saw her face. The two spectators started forward, -but she stayed them with a motion of her hand. She had no fear of his -striking at her with the knife, though they had. - -He stared at her with a fearful look, and after a while his lips began -to form some words, though no sound proceeded from them. By degrees, in -the pauses of his quick and laboured breathing, he was heard to say: - -“What is this?” - -With the tears streaming down her face, she put her two hands to her -lips, and kissed them to him; then clasped them on her breast, as if she -laid his ruined head there. - -“You are not the gaoler's daughter?” - -She sighed “No.” - -“Who are you?” - -Not yet trusting the tones of her voice, she sat down on the bench -beside him. He recoiled, but she laid her hand upon his arm. A strange -thrill struck him when she did so, and visibly passed over his frame; he -laid the knife down softly, as he sat staring at her. - -Her golden hair, which she wore in long curls, had been hurriedly pushed -aside, and fell down over her neck. Advancing his hand by little and -little, he took it up and looked at it. In the midst of the action -he went astray, and, with another deep sigh, fell to work at his -shoemaking. - -But not for long. Releasing his arm, she laid her hand upon his -shoulder. After looking doubtfully at it, two or three times, as if to -be sure that it was really there, he laid down his work, put his hand -to his neck, and took off a blackened string with a scrap of folded rag -attached to it. He opened this, carefully, on his knee, and it contained -a very little quantity of hair: not more than one or two long golden -hairs, which he had, in some old day, wound off upon his finger. - -He took her hair into his hand again, and looked closely at it. “It is -the same. How can it be! When was it! How was it!” - -As the concentrated expression returned to his forehead, he seemed to -become conscious that it was in hers too. He turned her full to the -light, and looked at her. - -“She had laid her head upon my shoulder, that night when I was summoned -out--she had a fear of my going, though I had none--and when I was -brought to the North Tower they found these upon my sleeve. 'You will -leave me them? They can never help me to escape in the body, though they -may in the spirit.' Those were the words I said. I remember them very -well.” - -He formed this speech with his lips many times before he could utter it. -But when he did find spoken words for it, they came to him coherently, -though slowly. - -“How was this?--_Was it you_?” - -Once more, the two spectators started, as he turned upon her with a -frightful suddenness. But she sat perfectly still in his grasp, and only -said, in a low voice, “I entreat you, good gentlemen, do not come near -us, do not speak, do not move!” - -“Hark!” he exclaimed. “Whose voice was that?” - -His hands released her as he uttered this cry, and went up to his white -hair, which they tore in a frenzy. It died out, as everything but his -shoemaking did die out of him, and he refolded his little packet and -tried to secure it in his breast; but he still looked at her, and -gloomily shook his head. - -“No, no, no; you are too young, too blooming. It can't be. See what the -prisoner is. These are not the hands she knew, this is not the face -she knew, this is not a voice she ever heard. No, no. She was--and He -was--before the slow years of the North Tower--ages ago. What is your -name, my gentle angel?” - -Hailing his softened tone and manner, his daughter fell upon her knees -before him, with her appealing hands upon his breast. - -“O, sir, at another time you shall know my name, and who my mother was, -and who my father, and how I never knew their hard, hard history. But I -cannot tell you at this time, and I cannot tell you here. All that I may -tell you, here and now, is, that I pray to you to touch me and to bless -me. Kiss me, kiss me! O my dear, my dear!” - -His cold white head mingled with her radiant hair, which warmed and -lighted it as though it were the light of Freedom shining on him. - -“If you hear in my voice--I don't know that it is so, but I hope it -is--if you hear in my voice any resemblance to a voice that once was -sweet music in your ears, weep for it, weep for it! If you touch, in -touching my hair, anything that recalls a beloved head that lay on your -breast when you were young and free, weep for it, weep for it! If, when -I hint to you of a Home that is before us, where I will be true to you -with all my duty and with all my faithful service, I bring back the -remembrance of a Home long desolate, while your poor heart pined away, -weep for it, weep for it!” - -She held him closer round the neck, and rocked him on her breast like a -child. - -“If, when I tell you, dearest dear, that your agony is over, and that I -have come here to take you from it, and that we go to England to be at -peace and at rest, I cause you to think of your useful life laid waste, -and of our native France so wicked to you, weep for it, weep for it! And -if, when I shall tell you of my name, and of my father who is living, -and of my mother who is dead, you learn that I have to kneel to my -honoured father, and implore his pardon for having never for his sake -striven all day and lain awake and wept all night, because the love of -my poor mother hid his torture from me, weep for it, weep for it! Weep -for her, then, and for me! Good gentlemen, thank God! I feel his sacred -tears upon my face, and his sobs strike against my heart. O, see! Thank -God for us, thank God!” - -He had sunk in her arms, and his face dropped on her breast: a sight so -touching, yet so terrible in the tremendous wrong and suffering which -had gone before it, that the two beholders covered their faces. - -When the quiet of the garret had been long undisturbed, and his heaving -breast and shaken form had long yielded to the calm that must follow all -storms--emblem to humanity, of the rest and silence into which the storm -called Life must hush at last--they came forward to raise the father and -daughter from the ground. He had gradually dropped to the floor, and lay -there in a lethargy, worn out. She had nestled down with him, that his -head might lie upon her arm; and her hair drooping over him curtained -him from the light. - -“If, without disturbing him,” she said, raising her hand to Mr. Lorry as -he stooped over them, after repeated blowings of his nose, “all could be -arranged for our leaving Paris at once, so that, from the very door, he -could be taken away--” - -“But, consider. Is he fit for the journey?” asked Mr. Lorry. - -“More fit for that, I think, than to remain in this city, so dreadful to -him.” - -“It is true,” said Defarge, who was kneeling to look on and hear. “More -than that; Monsieur Manette is, for all reasons, best out of France. -Say, shall I hire a carriage and post-horses?” - -“That's business,” said Mr. Lorry, resuming on the shortest notice his -methodical manners; “and if business is to be done, I had better do it.” - -“Then be so kind,” urged Miss Manette, “as to leave us here. You see how -composed he has become, and you cannot be afraid to leave him with me -now. Why should you be? If you will lock the door to secure us from -interruption, I do not doubt that you will find him, when you come back, -as quiet as you leave him. In any case, I will take care of him until -you return, and then we will remove him straight.” - -Both Mr. Lorry and Defarge were rather disinclined to this course, and -in favour of one of them remaining. But, as there were not only carriage -and horses to be seen to, but travelling papers; and as time pressed, -for the day was drawing to an end, it came at last to their hastily -dividing the business that was necessary to be done, and hurrying away -to do it. - -Then, as the darkness closed in, the daughter laid her head down on the -hard ground close at the father's side, and watched him. The darkness -deepened and deepened, and they both lay quiet, until a light gleamed -through the chinks in the wall. - -Mr. Lorry and Monsieur Defarge had made all ready for the journey, and -had brought with them, besides travelling cloaks and wrappers, bread and -meat, wine, and hot coffee. Monsieur Defarge put this provender, and the -lamp he carried, on the shoemaker's bench (there was nothing else in the -garret but a pallet bed), and he and Mr. Lorry roused the captive, and -assisted him to his feet. - -No human intelligence could have read the mysteries of his mind, in -the scared blank wonder of his face. Whether he knew what had happened, -whether he recollected what they had said to him, whether he knew that -he was free, were questions which no sagacity could have solved. They -tried speaking to him; but, he was so confused, and so very slow to -answer, that they took fright at his bewilderment, and agreed for -the time to tamper with him no more. He had a wild, lost manner of -occasionally clasping his head in his hands, that had not been seen -in him before; yet, he had some pleasure in the mere sound of his -daughter's voice, and invariably turned to it when she spoke. - -In the submissive way of one long accustomed to obey under coercion, he -ate and drank what they gave him to eat and drink, and put on the cloak -and other wrappings, that they gave him to wear. He readily responded to -his daughter's drawing her arm through his, and took--and kept--her hand -in both his own. - -They began to descend; Monsieur Defarge going first with the lamp, Mr. -Lorry closing the little procession. They had not traversed many steps -of the long main staircase when he stopped, and stared at the roof and -round at the walls. - -“You remember the place, my father? You remember coming up here?” - -“What did you say?” - -But, before she could repeat the question, he murmured an answer as if -she had repeated it. - -“Remember? No, I don't remember. It was so very long ago.” - -That he had no recollection whatever of his having been brought from his -prison to that house, was apparent to them. They heard him mutter, -“One Hundred and Five, North Tower;” and when he looked about him, it -evidently was for the strong fortress-walls which had long encompassed -him. On their reaching the courtyard he instinctively altered his -tread, as being in expectation of a drawbridge; and when there was -no drawbridge, and he saw the carriage waiting in the open street, he -dropped his daughter's hand and clasped his head again. - -No crowd was about the door; no people were discernible at any of the -many windows; not even a chance passerby was in the street. An unnatural -silence and desertion reigned there. Only one soul was to be seen, and -that was Madame Defarge--who leaned against the door-post, knitting, and -saw nothing. - -The prisoner had got into a coach, and his daughter had followed -him, when Mr. Lorry's feet were arrested on the step by his asking, -miserably, for his shoemaking tools and the unfinished shoes. Madame -Defarge immediately called to her husband that she would get them, and -went, knitting, out of the lamplight, through the courtyard. She quickly -brought them down and handed them in;--and immediately afterwards leaned -against the door-post, knitting, and saw nothing. - -Defarge got upon the box, and gave the word “To the Barrier!” The -postilion cracked his whip, and they clattered away under the feeble -over-swinging lamps. - -Under the over-swinging lamps--swinging ever brighter in the better -streets, and ever dimmer in the worse--and by lighted shops, gay crowds, -illuminated coffee-houses, and theatre-doors, to one of the city -gates. Soldiers with lanterns, at the guard-house there. “Your papers, -travellers!” “See here then, Monsieur the Officer,” said Defarge, -getting down, and taking him gravely apart, “these are the papers of -monsieur inside, with the white head. They were consigned to me, with -him, at the--” He dropped his voice, there was a flutter among the -military lanterns, and one of them being handed into the coach by an arm -in uniform, the eyes connected with the arm looked, not an every day -or an every night look, at monsieur with the white head. “It is well. -Forward!” from the uniform. “Adieu!” from Defarge. And so, under a short -grove of feebler and feebler over-swinging lamps, out under the great -grove of stars. - -Beneath that arch of unmoved and eternal lights; some, so remote from -this little earth that the learned tell us it is doubtful whether their -rays have even yet discovered it, as a point in space where anything -is suffered or done: the shadows of the night were broad and black. -All through the cold and restless interval, until dawn, they once more -whispered in the ears of Mr. Jarvis Lorry--sitting opposite the buried -man who had been dug out, and wondering what subtle powers were for ever -lost to him, and what were capable of restoration--the old inquiry: - -“I hope you care to be recalled to life?” - -And the old answer: - -“I can't say.” - - -The end of the first book. - - - - - -Book the Second--the Golden Thread - - - - -I. Five Years Later - - -Tellson's Bank by Temple Bar was an old-fashioned place, even in the -year one thousand seven hundred and eighty. It was very small, very -dark, very ugly, very incommodious. It was an old-fashioned place, -moreover, in the moral attribute that the partners in the House were -proud of its smallness, proud of its darkness, proud of its ugliness, -proud of its incommodiousness. They were even boastful of its eminence -in those particulars, and were fired by an express conviction that, if -it were less objectionable, it would be less respectable. This was -no passive belief, but an active weapon which they flashed at more -convenient places of business. Tellson's (they said) wanted -no elbow-room, Tellson's wanted no light, Tellson's wanted no -embellishment. Noakes and Co.'s might, or Snooks Brothers' might; but -Tellson's, thank Heaven--! - -Any one of these partners would have disinherited his son on the -question of rebuilding Tellson's. In this respect the House was much -on a par with the Country; which did very often disinherit its sons for -suggesting improvements in laws and customs that had long been highly -objectionable, but were only the more respectable. - -Thus it had come to pass, that Tellson's was the triumphant perfection -of inconvenience. After bursting open a door of idiotic obstinacy with -a weak rattle in its throat, you fell into Tellson's down two steps, -and came to your senses in a miserable little shop, with two little -counters, where the oldest of men made your cheque shake as if the -wind rustled it, while they examined the signature by the dingiest of -windows, which were always under a shower-bath of mud from Fleet-street, -and which were made the dingier by their own iron bars proper, and the -heavy shadow of Temple Bar. If your business necessitated your seeing -“the House,” you were put into a species of Condemned Hold at the back, -where you meditated on a misspent life, until the House came with its -hands in its pockets, and you could hardly blink at it in the dismal -twilight. Your money came out of, or went into, wormy old wooden -drawers, particles of which flew up your nose and down your throat when -they were opened and shut. Your bank-notes had a musty odour, as if they -were fast decomposing into rags again. Your plate was stowed away among -the neighbouring cesspools, and evil communications corrupted its good -polish in a day or two. Your deeds got into extemporised strong-rooms -made of kitchens and sculleries, and fretted all the fat out of their -parchments into the banking-house air. Your lighter boxes of family -papers went up-stairs into a Barmecide room, that always had a great -dining-table in it and never had a dinner, and where, even in the year -one thousand seven hundred and eighty, the first letters written to you -by your old love, or by your little children, were but newly released -from the horror of being ogled through the windows, by the heads -exposed on Temple Bar with an insensate brutality and ferocity worthy of -Abyssinia or Ashantee. - -But indeed, at that time, putting to death was a recipe much in vogue -with all trades and professions, and not least of all with Tellson's. -Death is Nature's remedy for all things, and why not Legislation's? -Accordingly, the forger was put to Death; the utterer of a bad note -was put to Death; the unlawful opener of a letter was put to Death; the -purloiner of forty shillings and sixpence was put to Death; the holder -of a horse at Tellson's door, who made off with it, was put to -Death; the coiner of a bad shilling was put to Death; the sounders of -three-fourths of the notes in the whole gamut of Crime, were put to -Death. Not that it did the least good in the way of prevention--it -might almost have been worth remarking that the fact was exactly the -reverse--but, it cleared off (as to this world) the trouble of each -particular case, and left nothing else connected with it to be looked -after. Thus, Tellson's, in its day, like greater places of business, -its contemporaries, had taken so many lives, that, if the heads laid -low before it had been ranged on Temple Bar instead of being privately -disposed of, they would probably have excluded what little light the -ground floor had, in a rather significant manner. - -Cramped in all kinds of dim cupboards and hutches at Tellson's, the -oldest of men carried on the business gravely. When they took a young -man into Tellson's London house, they hid him somewhere till he was -old. They kept him in a dark place, like a cheese, until he had the full -Tellson flavour and blue-mould upon him. Then only was he permitted to -be seen, spectacularly poring over large books, and casting his breeches -and gaiters into the general weight of the establishment. - -Outside Tellson's--never by any means in it, unless called in--was an -odd-job-man, an occasional porter and messenger, who served as the live -sign of the house. He was never absent during business hours, unless -upon an errand, and then he was represented by his son: a grisly urchin -of twelve, who was his express image. People understood that Tellson's, -in a stately way, tolerated the odd-job-man. The house had always -tolerated some person in that capacity, and time and tide had drifted -this person to the post. His surname was Cruncher, and on the youthful -occasion of his renouncing by proxy the works of darkness, in the -easterly parish church of Hounsditch, he had received the added -appellation of Jerry. - -The scene was Mr. Cruncher's private lodging in Hanging-sword-alley, -Whitefriars: the time, half-past seven of the clock on a windy March -morning, Anno Domini seventeen hundred and eighty. (Mr. Cruncher himself -always spoke of the year of our Lord as Anna Dominoes: apparently under -the impression that the Christian era dated from the invention of a -popular game, by a lady who had bestowed her name upon it.) - -Mr. Cruncher's apartments were not in a savoury neighbourhood, and were -but two in number, even if a closet with a single pane of glass in it -might be counted as one. But they were very decently kept. Early as -it was, on the windy March morning, the room in which he lay abed was -already scrubbed throughout; and between the cups and saucers arranged -for breakfast, and the lumbering deal table, a very clean white cloth -was spread. - -Mr. Cruncher reposed under a patchwork counterpane, like a Harlequin -at home. At first, he slept heavily, but, by degrees, began to roll -and surge in bed, until he rose above the surface, with his spiky hair -looking as if it must tear the sheets to ribbons. At which juncture, he -exclaimed, in a voice of dire exasperation: - -“Bust me, if she ain't at it agin!” - -A woman of orderly and industrious appearance rose from her knees in a -corner, with sufficient haste and trepidation to show that she was the -person referred to. - -“What!” said Mr. Cruncher, looking out of bed for a boot. “You're at it -agin, are you?” - -After hailing the morn with this second salutation, he threw a boot at -the woman as a third. It was a very muddy boot, and may introduce the -odd circumstance connected with Mr. Cruncher's domestic economy, that, -whereas he often came home after banking hours with clean boots, he -often got up next morning to find the same boots covered with clay. - -“What,” said Mr. Cruncher, varying his apostrophe after missing his -mark--“what are you up to, Aggerawayter?” - -“I was only saying my prayers.” - -“Saying your prayers! You're a nice woman! What do you mean by flopping -yourself down and praying agin me?” - -“I was not praying against you; I was praying for you.” - -“You weren't. And if you were, I won't be took the liberty with. Here! -your mother's a nice woman, young Jerry, going a praying agin your -father's prosperity. You've got a dutiful mother, you have, my son. -You've got a religious mother, you have, my boy: going and flopping -herself down, and praying that the bread-and-butter may be snatched out -of the mouth of her only child.” - -Master Cruncher (who was in his shirt) took this very ill, and, turning -to his mother, strongly deprecated any praying away of his personal -board. - -“And what do you suppose, you conceited female,” said Mr. Cruncher, with -unconscious inconsistency, “that the worth of _your_ prayers may be? -Name the price that you put _your_ prayers at!” - -“They only come from the heart, Jerry. They are worth no more than -that.” - -“Worth no more than that,” repeated Mr. Cruncher. “They ain't worth -much, then. Whether or no, I won't be prayed agin, I tell you. I can't -afford it. I'm not a going to be made unlucky by _your_ sneaking. If -you must go flopping yourself down, flop in favour of your husband and -child, and not in opposition to 'em. If I had had any but a unnat'ral -wife, and this poor boy had had any but a unnat'ral mother, I might -have made some money last week instead of being counter-prayed and -countermined and religiously circumwented into the worst of luck. -B-u-u-ust me!” said Mr. Cruncher, who all this time had been putting -on his clothes, “if I ain't, what with piety and one blowed thing and -another, been choused this last week into as bad luck as ever a poor -devil of a honest tradesman met with! Young Jerry, dress yourself, my -boy, and while I clean my boots keep a eye upon your mother now and -then, and if you see any signs of more flopping, give me a call. For, I -tell you,” here he addressed his wife once more, “I won't be gone agin, -in this manner. I am as rickety as a hackney-coach, I'm as sleepy as -laudanum, my lines is strained to that degree that I shouldn't know, if -it wasn't for the pain in 'em, which was me and which somebody else, yet -I'm none the better for it in pocket; and it's my suspicion that you've -been at it from morning to night to prevent me from being the better for -it in pocket, and I won't put up with it, Aggerawayter, and what do you -say now!” - -Growling, in addition, such phrases as “Ah! yes! You're religious, too. -You wouldn't put yourself in opposition to the interests of your husband -and child, would you? Not you!” and throwing off other sarcastic sparks -from the whirling grindstone of his indignation, Mr. Cruncher betook -himself to his boot-cleaning and his general preparation for business. -In the meantime, his son, whose head was garnished with tenderer spikes, -and whose young eyes stood close by one another, as his father's did, -kept the required watch upon his mother. He greatly disturbed that poor -woman at intervals, by darting out of his sleeping closet, where he made -his toilet, with a suppressed cry of “You are going to flop, mother. ---Halloa, father!” and, after raising this fictitious alarm, darting in -again with an undutiful grin. - -Mr. Cruncher's temper was not at all improved when he came to his -breakfast. He resented Mrs. Cruncher's saying grace with particular -animosity. - -“Now, Aggerawayter! What are you up to? At it again?” - -His wife explained that she had merely “asked a blessing.” - -“Don't do it!” said Mr. Crunches looking about, as if he rather expected -to see the loaf disappear under the efficacy of his wife's petitions. “I -ain't a going to be blest out of house and home. I won't have my wittles -blest off my table. Keep still!” - -Exceedingly red-eyed and grim, as if he had been up all night at a party -which had taken anything but a convivial turn, Jerry Cruncher worried -his breakfast rather than ate it, growling over it like any four-footed -inmate of a menagerie. Towards nine o'clock he smoothed his ruffled -aspect, and, presenting as respectable and business-like an exterior as -he could overlay his natural self with, issued forth to the occupation -of the day. - -It could scarcely be called a trade, in spite of his favourite -description of himself as “a honest tradesman.” His stock consisted of -a wooden stool, made out of a broken-backed chair cut down, which stool, -young Jerry, walking at his father's side, carried every morning to -beneath the banking-house window that was nearest Temple Bar: where, -with the addition of the first handful of straw that could be gleaned -from any passing vehicle to keep the cold and wet from the odd-job-man's -feet, it formed the encampment for the day. On this post of his, Mr. -Cruncher was as well known to Fleet-street and the Temple, as the Bar -itself,--and was almost as in-looking. - -Encamped at a quarter before nine, in good time to touch his -three-cornered hat to the oldest of men as they passed in to Tellson's, -Jerry took up his station on this windy March morning, with young Jerry -standing by him, when not engaged in making forays through the Bar, to -inflict bodily and mental injuries of an acute description on passing -boys who were small enough for his amiable purpose. Father and son, -extremely like each other, looking silently on at the morning traffic -in Fleet-street, with their two heads as near to one another as the two -eyes of each were, bore a considerable resemblance to a pair of monkeys. -The resemblance was not lessened by the accidental circumstance, that -the mature Jerry bit and spat out straw, while the twinkling eyes of the -youthful Jerry were as restlessly watchful of him as of everything else -in Fleet-street. - -The head of one of the regular indoor messengers attached to Tellson's -establishment was put through the door, and the word was given: - -“Porter wanted!” - -“Hooray, father! Here's an early job to begin with!” - -Having thus given his parent God speed, young Jerry seated himself on -the stool, entered on his reversionary interest in the straw his father -had been chewing, and cogitated. - -“Al-ways rusty! His fingers is al-ways rusty!” muttered young Jerry. -“Where does my father get all that iron rust from? He don't get no iron -rust here!” - - - - -II. A Sight - - -“You know the Old Bailey well, no doubt?” said one of the oldest of -clerks to Jerry the messenger. - -“Ye-es, sir,” returned Jerry, in something of a dogged manner. “I _do_ -know the Bailey.” - -“Just so. And you know Mr. Lorry.” - -“I know Mr. Lorry, sir, much better than I know the Bailey. Much -better,” said Jerry, not unlike a reluctant witness at the establishment -in question, “than I, as a honest tradesman, wish to know the Bailey.” - -“Very well. Find the door where the witnesses go in, and show the -door-keeper this note for Mr. Lorry. He will then let you in.” - -“Into the court, sir?” - -“Into the court.” - -Mr. Cruncher's eyes seemed to get a little closer to one another, and to -interchange the inquiry, “What do you think of this?” - -“Am I to wait in the court, sir?” he asked, as the result of that -conference. - -“I am going to tell you. The door-keeper will pass the note to Mr. -Lorry, and do you make any gesture that will attract Mr. Lorry's -attention, and show him where you stand. Then what you have to do, is, -to remain there until he wants you.” - -“Is that all, sir?” - -“That's all. He wishes to have a messenger at hand. This is to tell him -you are there.” - -As the ancient clerk deliberately folded and superscribed the note, -Mr. Cruncher, after surveying him in silence until he came to the -blotting-paper stage, remarked: - -“I suppose they'll be trying Forgeries this morning?” - -“Treason!” - -“That's quartering,” said Jerry. “Barbarous!” - -“It is the law,” remarked the ancient clerk, turning his surprised -spectacles upon him. “It is the law.” - -“It's hard in the law to spile a man, I think. It's hard enough to kill -him, but it's wery hard to spile him, sir.” - -“Not at all,” retained the ancient clerk. “Speak well of the law. Take -care of your chest and voice, my good friend, and leave the law to take -care of itself. I give you that advice.” - -“It's the damp, sir, what settles on my chest and voice,” said Jerry. “I -leave you to judge what a damp way of earning a living mine is.” - -“Well, well,” said the old clerk; “we all have our various ways of -gaining a livelihood. Some of us have damp ways, and some of us have dry -ways. Here is the letter. Go along.” - -Jerry took the letter, and, remarking to himself with less internal -deference than he made an outward show of, “You are a lean old one, -too,” made his bow, informed his son, in passing, of his destination, -and went his way. - -They hanged at Tyburn, in those days, so the street outside Newgate had -not obtained one infamous notoriety that has since attached to it. -But, the gaol was a vile place, in which most kinds of debauchery and -villainy were practised, and where dire diseases were bred, that came -into court with the prisoners, and sometimes rushed straight from the -dock at my Lord Chief Justice himself, and pulled him off the bench. It -had more than once happened, that the Judge in the black cap pronounced -his own doom as certainly as the prisoner's, and even died before him. -For the rest, the Old Bailey was famous as a kind of deadly inn-yard, -from which pale travellers set out continually, in carts and coaches, on -a violent passage into the other world: traversing some two miles and a -half of public street and road, and shaming few good citizens, if any. -So powerful is use, and so desirable to be good use in the beginning. It -was famous, too, for the pillory, a wise old institution, that inflicted -a punishment of which no one could foresee the extent; also, for -the whipping-post, another dear old institution, very humanising and -softening to behold in action; also, for extensive transactions in -blood-money, another fragment of ancestral wisdom, systematically -leading to the most frightful mercenary crimes that could be committed -under Heaven. Altogether, the Old Bailey, at that date, was a choice -illustration of the precept, that “Whatever is is right;” an aphorism -that would be as final as it is lazy, did it not include the troublesome -consequence, that nothing that ever was, was wrong. - -Making his way through the tainted crowd, dispersed up and down this -hideous scene of action, with the skill of a man accustomed to make his -way quietly, the messenger found out the door he sought, and handed in -his letter through a trap in it. For, people then paid to see the play -at the Old Bailey, just as they paid to see the play in Bedlam--only the -former entertainment was much the dearer. Therefore, all the Old Bailey -doors were well guarded--except, indeed, the social doors by which the -criminals got there, and those were always left wide open. - -After some delay and demur, the door grudgingly turned on its hinges a -very little way, and allowed Mr. Jerry Cruncher to squeeze himself into -court. - -“What's on?” he asked, in a whisper, of the man he found himself next -to. - -“Nothing yet.” - -“What's coming on?” - -“The Treason case.” - -“The quartering one, eh?” - -“Ah!” returned the man, with a relish; “he'll be drawn on a hurdle to -be half hanged, and then he'll be taken down and sliced before his own -face, and then his inside will be taken out and burnt while he looks on, -and then his head will be chopped off, and he'll be cut into quarters. -That's the sentence.” - -“If he's found Guilty, you mean to say?” Jerry added, by way of proviso. - -“Oh! they'll find him guilty,” said the other. “Don't you be afraid of -that.” - -Mr. Cruncher's attention was here diverted to the door-keeper, whom he -saw making his way to Mr. Lorry, with the note in his hand. Mr. Lorry -sat at a table, among the gentlemen in wigs: not far from a wigged -gentleman, the prisoner's counsel, who had a great bundle of papers -before him: and nearly opposite another wigged gentleman with his hands -in his pockets, whose whole attention, when Mr. Cruncher looked at him -then or afterwards, seemed to be concentrated on the ceiling of the -court. After some gruff coughing and rubbing of his chin and signing -with his hand, Jerry attracted the notice of Mr. Lorry, who had stood up -to look for him, and who quietly nodded and sat down again. - -“What's _he_ got to do with the case?” asked the man he had spoken with. - -“Blest if I know,” said Jerry. - -“What have _you_ got to do with it, then, if a person may inquire?” - -“Blest if I know that either,” said Jerry. - -The entrance of the Judge, and a consequent great stir and settling -down in the court, stopped the dialogue. Presently, the dock became the -central point of interest. Two gaolers, who had been standing there, -went out, and the prisoner was brought in, and put to the bar. - -Everybody present, except the one wigged gentleman who looked at the -ceiling, stared at him. All the human breath in the place, rolled -at him, like a sea, or a wind, or a fire. Eager faces strained round -pillars and corners, to get a sight of him; spectators in back rows -stood up, not to miss a hair of him; people on the floor of the court, -laid their hands on the shoulders of the people before them, to help -themselves, at anybody's cost, to a view of him--stood a-tiptoe, got -upon ledges, stood upon next to nothing, to see every inch of him. -Conspicuous among these latter, like an animated bit of the spiked wall -of Newgate, Jerry stood: aiming at the prisoner the beery breath of a -whet he had taken as he came along, and discharging it to mingle with -the waves of other beer, and gin, and tea, and coffee, and what not, -that flowed at him, and already broke upon the great windows behind him -in an impure mist and rain. - -The object of all this staring and blaring, was a young man of about -five-and-twenty, well-grown and well-looking, with a sunburnt cheek and -a dark eye. His condition was that of a young gentleman. He was plainly -dressed in black, or very dark grey, and his hair, which was long and -dark, was gathered in a ribbon at the back of his neck; more to be out -of his way than for ornament. As an emotion of the mind will express -itself through any covering of the body, so the paleness which his -situation engendered came through the brown upon his cheek, showing the -soul to be stronger than the sun. He was otherwise quite self-possessed, -bowed to the Judge, and stood quiet. - -The sort of interest with which this man was stared and breathed at, -was not a sort that elevated humanity. Had he stood in peril of a less -horrible sentence--had there been a chance of any one of its savage -details being spared--by just so much would he have lost in his -fascination. The form that was to be doomed to be so shamefully mangled, -was the sight; the immortal creature that was to be so butchered -and torn asunder, yielded the sensation. Whatever gloss the various -spectators put upon the interest, according to their several arts and -powers of self-deceit, the interest was, at the root of it, Ogreish. - -Silence in the court! Charles Darnay had yesterday pleaded Not Guilty to -an indictment denouncing him (with infinite jingle and jangle) for that -he was a false traitor to our serene, illustrious, excellent, and so -forth, prince, our Lord the King, by reason of his having, on divers -occasions, and by divers means and ways, assisted Lewis, the French -King, in his wars against our said serene, illustrious, excellent, and -so forth; that was to say, by coming and going, between the dominions of -our said serene, illustrious, excellent, and so forth, and those of the -said French Lewis, and wickedly, falsely, traitorously, and otherwise -evil-adverbiously, revealing to the said French Lewis what forces our -said serene, illustrious, excellent, and so forth, had in preparation -to send to Canada and North America. This much, Jerry, with his head -becoming more and more spiky as the law terms bristled it, made out with -huge satisfaction, and so arrived circuitously at the understanding that -the aforesaid, and over and over again aforesaid, Charles Darnay, stood -there before him upon his trial; that the jury were swearing in; and -that Mr. Attorney-General was making ready to speak. - -The accused, who was (and who knew he was) being mentally hanged, -beheaded, and quartered, by everybody there, neither flinched from -the situation, nor assumed any theatrical air in it. He was quiet and -attentive; watched the opening proceedings with a grave interest; -and stood with his hands resting on the slab of wood before him, so -composedly, that they had not displaced a leaf of the herbs with which -it was strewn. The court was all bestrewn with herbs and sprinkled with -vinegar, as a precaution against gaol air and gaol fever. - -Over the prisoner's head there was a mirror, to throw the light down -upon him. Crowds of the wicked and the wretched had been reflected in -it, and had passed from its surface and this earth's together. Haunted -in a most ghastly manner that abominable place would have been, if the -glass could ever have rendered back its reflections, as the ocean is one -day to give up its dead. Some passing thought of the infamy and disgrace -for which it had been reserved, may have struck the prisoner's mind. Be -that as it may, a change in his position making him conscious of a bar -of light across his face, he looked up; and when he saw the glass his -face flushed, and his right hand pushed the herbs away. - -It happened, that the action turned his face to that side of the court -which was on his left. About on a level with his eyes, there sat, -in that corner of the Judge's bench, two persons upon whom his look -immediately rested; so immediately, and so much to the changing of his -aspect, that all the eyes that were turned upon him, turned to them. - -The spectators saw in the two figures, a young lady of little more than -twenty, and a gentleman who was evidently her father; a man of a very -remarkable appearance in respect of the absolute whiteness of his hair, -and a certain indescribable intensity of face: not of an active kind, -but pondering and self-communing. When this expression was upon him, he -looked as if he were old; but when it was stirred and broken up--as -it was now, in a moment, on his speaking to his daughter--he became a -handsome man, not past the prime of life. - -His daughter had one of her hands drawn through his arm, as she sat by -him, and the other pressed upon it. She had drawn close to him, in her -dread of the scene, and in her pity for the prisoner. Her forehead had -been strikingly expressive of an engrossing terror and compassion -that saw nothing but the peril of the accused. This had been so very -noticeable, so very powerfully and naturally shown, that starers who -had had no pity for him were touched by her; and the whisper went about, -“Who are they?” - -Jerry, the messenger, who had made his own observations, in his own -manner, and who had been sucking the rust off his fingers in his -absorption, stretched his neck to hear who they were. The crowd about -him had pressed and passed the inquiry on to the nearest attendant, and -from him it had been more slowly pressed and passed back; at last it got -to Jerry: - -“Witnesses.” - -“For which side?” - -“Against.” - -“Against what side?” - -“The prisoner's.” - -The Judge, whose eyes had gone in the general direction, recalled them, -leaned back in his seat, and looked steadily at the man whose life was -in his hand, as Mr. Attorney-General rose to spin the rope, grind the -axe, and hammer the nails into the scaffold. - - - - -III. A Disappointment - - -Mr. Attorney-General had to inform the jury, that the prisoner before -them, though young in years, was old in the treasonable practices which -claimed the forfeit of his life. That this correspondence with the -public enemy was not a correspondence of to-day, or of yesterday, or -even of last year, or of the year before. That, it was certain the -prisoner had, for longer than that, been in the habit of passing and -repassing between France and England, on secret business of which -he could give no honest account. That, if it were in the nature of -traitorous ways to thrive (which happily it never was), the real -wickedness and guilt of his business might have remained undiscovered. -That Providence, however, had put it into the heart of a person who -was beyond fear and beyond reproach, to ferret out the nature of the -prisoner's schemes, and, struck with horror, to disclose them to his -Majesty's Chief Secretary of State and most honourable Privy Council. -That, this patriot would be produced before them. That, his position and -attitude were, on the whole, sublime. That, he had been the prisoner's -friend, but, at once in an auspicious and an evil hour detecting his -infamy, had resolved to immolate the traitor he could no longer cherish -in his bosom, on the sacred altar of his country. That, if statues -were decreed in Britain, as in ancient Greece and Rome, to public -benefactors, this shining citizen would assuredly have had one. That, as -they were not so decreed, he probably would not have one. That, Virtue, -as had been observed by the poets (in many passages which he well -knew the jury would have, word for word, at the tips of their tongues; -whereat the jury's countenances displayed a guilty consciousness that -they knew nothing about the passages), was in a manner contagious; more -especially the bright virtue known as patriotism, or love of country. -That, the lofty example of this immaculate and unimpeachable witness -for the Crown, to refer to whom however unworthily was an honour, had -communicated itself to the prisoner's servant, and had engendered in him -a holy determination to examine his master's table-drawers and pockets, -and secrete his papers. That, he (Mr. Attorney-General) was prepared to -hear some disparagement attempted of this admirable servant; but that, -in a general way, he preferred him to his (Mr. Attorney-General's) -brothers and sisters, and honoured him more than his (Mr. -Attorney-General's) father and mother. That, he called with confidence -on the jury to come and do likewise. That, the evidence of these two -witnesses, coupled with the documents of their discovering that would be -produced, would show the prisoner to have been furnished with lists of -his Majesty's forces, and of their disposition and preparation, both by -sea and land, and would leave no doubt that he had habitually conveyed -such information to a hostile power. That, these lists could not be -proved to be in the prisoner's handwriting; but that it was all the -same; that, indeed, it was rather the better for the prosecution, as -showing the prisoner to be artful in his precautions. That, the proof -would go back five years, and would show the prisoner already engaged -in these pernicious missions, within a few weeks before the date of the -very first action fought between the British troops and the Americans. -That, for these reasons, the jury, being a loyal jury (as he knew they -were), and being a responsible jury (as _they_ knew they were), must -positively find the prisoner Guilty, and make an end of him, whether -they liked it or not. That, they never could lay their heads upon their -pillows; that, they never could tolerate the idea of their wives laying -their heads upon their pillows; that, they never could endure the notion -of their children laying their heads upon their pillows; in short, that -there never more could be, for them or theirs, any laying of heads upon -pillows at all, unless the prisoner's head was taken off. That head -Mr. Attorney-General concluded by demanding of them, in the name of -everything he could think of with a round turn in it, and on the faith -of his solemn asseveration that he already considered the prisoner as -good as dead and gone. - -When the Attorney-General ceased, a buzz arose in the court as if -a cloud of great blue-flies were swarming about the prisoner, in -anticipation of what he was soon to become. When toned down again, the -unimpeachable patriot appeared in the witness-box. - -Mr. Solicitor-General then, following his leader's lead, examined the -patriot: John Barsad, gentleman, by name. The story of his pure soul was -exactly what Mr. Attorney-General had described it to be--perhaps, if -it had a fault, a little too exactly. Having released his noble bosom -of its burden, he would have modestly withdrawn himself, but that the -wigged gentleman with the papers before him, sitting not far from Mr. -Lorry, begged to ask him a few questions. The wigged gentleman sitting -opposite, still looking at the ceiling of the court. - -Had he ever been a spy himself? No, he scorned the base insinuation. -What did he live upon? His property. Where was his property? He didn't -precisely remember where it was. What was it? No business of anybody's. -Had he inherited it? Yes, he had. From whom? Distant relation. Very -distant? Rather. Ever been in prison? Certainly not. Never in a debtors' -prison? Didn't see what that had to do with it. Never in a debtors' -prison?--Come, once again. Never? Yes. How many times? Two or three -times. Not five or six? Perhaps. Of what profession? Gentleman. Ever -been kicked? Might have been. Frequently? No. Ever kicked downstairs? -Decidedly not; once received a kick on the top of a staircase, and fell -downstairs of his own accord. Kicked on that occasion for cheating at -dice? Something to that effect was said by the intoxicated liar who -committed the assault, but it was not true. Swear it was not true? -Positively. Ever live by cheating at play? Never. Ever live by play? Not -more than other gentlemen do. Ever borrow money of the prisoner? Yes. -Ever pay him? No. Was not this intimacy with the prisoner, in reality a -very slight one, forced upon the prisoner in coaches, inns, and packets? -No. Sure he saw the prisoner with these lists? Certain. Knew no more -about the lists? No. Had not procured them himself, for instance? No. -Expect to get anything by this evidence? No. Not in regular government -pay and employment, to lay traps? Oh dear no. Or to do anything? Oh dear -no. Swear that? Over and over again. No motives but motives of sheer -patriotism? None whatever. - -The virtuous servant, Roger Cly, swore his way through the case at a -great rate. He had taken service with the prisoner, in good faith and -simplicity, four years ago. He had asked the prisoner, aboard the Calais -packet, if he wanted a handy fellow, and the prisoner had engaged him. -He had not asked the prisoner to take the handy fellow as an act of -charity--never thought of such a thing. He began to have suspicions of -the prisoner, and to keep an eye upon him, soon afterwards. In arranging -his clothes, while travelling, he had seen similar lists to these in the -prisoner's pockets, over and over again. He had taken these lists from -the drawer of the prisoner's desk. He had not put them there first. He -had seen the prisoner show these identical lists to French gentlemen -at Calais, and similar lists to French gentlemen, both at Calais and -Boulogne. He loved his country, and couldn't bear it, and had given -information. He had never been suspected of stealing a silver tea-pot; -he had been maligned respecting a mustard-pot, but it turned out to be -only a plated one. He had known the last witness seven or eight years; -that was merely a coincidence. He didn't call it a particularly curious -coincidence; most coincidences were curious. Neither did he call it a -curious coincidence that true patriotism was _his_ only motive too. He -was a true Briton, and hoped there were many like him. - -The blue-flies buzzed again, and Mr. Attorney-General called Mr. Jarvis -Lorry. - -“Mr. Jarvis Lorry, are you a clerk in Tellson's bank?” - -“I am.” - -“On a certain Friday night in November one thousand seven hundred and -seventy-five, did business occasion you to travel between London and -Dover by the mail?” - -“It did.” - -“Were there any other passengers in the mail?” - -“Two.” - -“Did they alight on the road in the course of the night?” - -“They did.” - -“Mr. Lorry, look upon the prisoner. Was he one of those two passengers?” - -“I cannot undertake to say that he was.” - -“Does he resemble either of these two passengers?” - -“Both were so wrapped up, and the night was so dark, and we were all so -reserved, that I cannot undertake to say even that.” - -“Mr. Lorry, look again upon the prisoner. Supposing him wrapped up as -those two passengers were, is there anything in his bulk and stature to -render it unlikely that he was one of them?” - -“No.” - -“You will not swear, Mr. Lorry, that he was not one of them?” - -“No.” - -“So at least you say he may have been one of them?” - -“Yes. Except that I remember them both to have been--like -myself--timorous of highwaymen, and the prisoner has not a timorous -air.” - -“Did you ever see a counterfeit of timidity, Mr. Lorry?” - -“I certainly have seen that.” - -“Mr. Lorry, look once more upon the prisoner. Have you seen him, to your -certain knowledge, before?” - -“I have.” - -“When?” - -“I was returning from France a few days afterwards, and, at Calais, the -prisoner came on board the packet-ship in which I returned, and made the -voyage with me.” - -“At what hour did he come on board?” - -“At a little after midnight.” - -“In the dead of the night. Was he the only passenger who came on board -at that untimely hour?” - -“He happened to be the only one.” - -“Never mind about 'happening,' Mr. Lorry. He was the only passenger who -came on board in the dead of the night?” - -“He was.” - -“Were you travelling alone, Mr. Lorry, or with any companion?” - -“With two companions. A gentleman and lady. They are here.” - -“They are here. Had you any conversation with the prisoner?” - -“Hardly any. The weather was stormy, and the passage long and rough, and -I lay on a sofa, almost from shore to shore.” - -“Miss Manette!” - -The young lady, to whom all eyes had been turned before, and were now -turned again, stood up where she had sat. Her father rose with her, and -kept her hand drawn through his arm. - -“Miss Manette, look upon the prisoner.” - -To be confronted with such pity, and such earnest youth and beauty, was -far more trying to the accused than to be confronted with all the crowd. -Standing, as it were, apart with her on the edge of his grave, not all -the staring curiosity that looked on, could, for the moment, nerve him -to remain quite still. His hurried right hand parcelled out the herbs -before him into imaginary beds of flowers in a garden; and his efforts -to control and steady his breathing shook the lips from which the colour -rushed to his heart. The buzz of the great flies was loud again. - -“Miss Manette, have you seen the prisoner before?” - -“Yes, sir.” - -“Where?” - -“On board of the packet-ship just now referred to, sir, and on the same -occasion.” - -“You are the young lady just now referred to?” - -“O! most unhappily, I am!” - -The plaintive tone of her compassion merged into the less musical voice -of the Judge, as he said something fiercely: “Answer the questions put -to you, and make no remark upon them.” - -“Miss Manette, had you any conversation with the prisoner on that -passage across the Channel?” - -“Yes, sir.” - -“Recall it.” - -In the midst of a profound stillness, she faintly began: “When the -gentleman came on board--” - -“Do you mean the prisoner?” inquired the Judge, knitting his brows. - -“Yes, my Lord.” - -“Then say the prisoner.” - -“When the prisoner came on board, he noticed that my father,” turning -her eyes lovingly to him as he stood beside her, “was much fatigued -and in a very weak state of health. My father was so reduced that I was -afraid to take him out of the air, and I had made a bed for him on the -deck near the cabin steps, and I sat on the deck at his side to take -care of him. There were no other passengers that night, but we four. -The prisoner was so good as to beg permission to advise me how I could -shelter my father from the wind and weather, better than I had done. I -had not known how to do it well, not understanding how the wind would -set when we were out of the harbour. He did it for me. He expressed -great gentleness and kindness for my father's state, and I am sure he -felt it. That was the manner of our beginning to speak together.” - -“Let me interrupt you for a moment. Had he come on board alone?” - -“No.” - -“How many were with him?” - -“Two French gentlemen.” - -“Had they conferred together?” - -“They had conferred together until the last moment, when it was -necessary for the French gentlemen to be landed in their boat.” - -“Had any papers been handed about among them, similar to these lists?” - -“Some papers had been handed about among them, but I don't know what -papers.” - -“Like these in shape and size?” - -“Possibly, but indeed I don't know, although they stood whispering very -near to me: because they stood at the top of the cabin steps to have the -light of the lamp that was hanging there; it was a dull lamp, and they -spoke very low, and I did not hear what they said, and saw only that -they looked at papers.” - -“Now, to the prisoner's conversation, Miss Manette.” - -“The prisoner was as open in his confidence with me--which arose out -of my helpless situation--as he was kind, and good, and useful to my -father. I hope,” bursting into tears, “I may not repay him by doing him -harm to-day.” - -Buzzing from the blue-flies. - -“Miss Manette, if the prisoner does not perfectly understand that -you give the evidence which it is your duty to give--which you must -give--and which you cannot escape from giving--with great unwillingness, -he is the only person present in that condition. Please to go on.” - -“He told me that he was travelling on business of a delicate and -difficult nature, which might get people into trouble, and that he was -therefore travelling under an assumed name. He said that this business -had, within a few days, taken him to France, and might, at intervals, -take him backwards and forwards between France and England for a long -time to come.” - -“Did he say anything about America, Miss Manette? Be particular.” - -“He tried to explain to me how that quarrel had arisen, and he said -that, so far as he could judge, it was a wrong and foolish one on -England's part. He added, in a jesting way, that perhaps George -Washington might gain almost as great a name in history as George the -Third. But there was no harm in his way of saying this: it was said -laughingly, and to beguile the time.” - -Any strongly marked expression of face on the part of a chief actor in -a scene of great interest to whom many eyes are directed, will be -unconsciously imitated by the spectators. Her forehead was painfully -anxious and intent as she gave this evidence, and, in the pauses when -she stopped for the Judge to write it down, watched its effect upon -the counsel for and against. Among the lookers-on there was the same -expression in all quarters of the court; insomuch, that a great majority -of the foreheads there, might have been mirrors reflecting the witness, -when the Judge looked up from his notes to glare at that tremendous -heresy about George Washington. - -Mr. Attorney-General now signified to my Lord, that he deemed it -necessary, as a matter of precaution and form, to call the young lady's -father, Doctor Manette. Who was called accordingly. - -“Doctor Manette, look upon the prisoner. Have you ever seen him before?” - -“Once. When he called at my lodgings in London. Some three years, or -three years and a half ago.” - -“Can you identify him as your fellow-passenger on board the packet, or -speak to his conversation with your daughter?” - -“Sir, I can do neither.” - -“Is there any particular and special reason for your being unable to do -either?” - -He answered, in a low voice, “There is.” - -“Has it been your misfortune to undergo a long imprisonment, without -trial, or even accusation, in your native country, Doctor Manette?” - -He answered, in a tone that went to every heart, “A long imprisonment.” - -“Were you newly released on the occasion in question?” - -“They tell me so.” - -“Have you no remembrance of the occasion?” - -“None. My mind is a blank, from some time--I cannot even say what -time--when I employed myself, in my captivity, in making shoes, to the -time when I found myself living in London with my dear daughter -here. She had become familiar to me, when a gracious God restored -my faculties; but, I am quite unable even to say how she had become -familiar. I have no remembrance of the process.” - -Mr. Attorney-General sat down, and the father and daughter sat down -together. - -A singular circumstance then arose in the case. The object in hand being -to show that the prisoner went down, with some fellow-plotter untracked, -in the Dover mail on that Friday night in November five years ago, and -got out of the mail in the night, as a blind, at a place where he did -not remain, but from which he travelled back some dozen miles or more, -to a garrison and dockyard, and there collected information; a witness -was called to identify him as having been at the precise time required, -in the coffee-room of an hotel in that garrison-and-dockyard town, -waiting for another person. The prisoner's counsel was cross-examining -this witness with no result, except that he had never seen the prisoner -on any other occasion, when the wigged gentleman who had all this time -been looking at the ceiling of the court, wrote a word or two on a -little piece of paper, screwed it up, and tossed it to him. Opening -this piece of paper in the next pause, the counsel looked with great -attention and curiosity at the prisoner. - -“You say again you are quite sure that it was the prisoner?” - -The witness was quite sure. - -“Did you ever see anybody very like the prisoner?” - -Not so like (the witness said) as that he could be mistaken. - -“Look well upon that gentleman, my learned friend there,” pointing -to him who had tossed the paper over, “and then look well upon the -prisoner. How say you? Are they very like each other?” - -Allowing for my learned friend's appearance being careless and slovenly -if not debauched, they were sufficiently like each other to surprise, -not only the witness, but everybody present, when they were thus brought -into comparison. My Lord being prayed to bid my learned friend lay aside -his wig, and giving no very gracious consent, the likeness became -much more remarkable. My Lord inquired of Mr. Stryver (the prisoner's -counsel), whether they were next to try Mr. Carton (name of my learned -friend) for treason? But, Mr. Stryver replied to my Lord, no; but he -would ask the witness to tell him whether what happened once, might -happen twice; whether he would have been so confident if he had seen -this illustration of his rashness sooner, whether he would be so -confident, having seen it; and more. The upshot of which, was, to smash -this witness like a crockery vessel, and shiver his part of the case to -useless lumber. - -Mr. Cruncher had by this time taken quite a lunch of rust off his -fingers in his following of the evidence. He had now to attend while Mr. -Stryver fitted the prisoner's case on the jury, like a compact suit -of clothes; showing them how the patriot, Barsad, was a hired spy and -traitor, an unblushing trafficker in blood, and one of the greatest -scoundrels upon earth since accursed Judas--which he certainly did look -rather like. How the virtuous servant, Cly, was his friend and partner, -and was worthy to be; how the watchful eyes of those forgers and false -swearers had rested on the prisoner as a victim, because some family -affairs in France, he being of French extraction, did require his making -those passages across the Channel--though what those affairs were, a -consideration for others who were near and dear to him, forbade him, -even for his life, to disclose. How the evidence that had been warped -and wrested from the young lady, whose anguish in giving it they -had witnessed, came to nothing, involving the mere little innocent -gallantries and politenesses likely to pass between any young gentleman -and young lady so thrown together;--with the exception of that -reference to George Washington, which was altogether too extravagant and -impossible to be regarded in any other light than as a monstrous joke. -How it would be a weakness in the government to break down in this -attempt to practise for popularity on the lowest national antipathies -and fears, and therefore Mr. Attorney-General had made the most of it; -how, nevertheless, it rested upon nothing, save that vile and infamous -character of evidence too often disfiguring such cases, and of which the -State Trials of this country were full. But, there my Lord interposed -(with as grave a face as if it had not been true), saying that he could -not sit upon that Bench and suffer those allusions. - -Mr. Stryver then called his few witnesses, and Mr. Cruncher had next to -attend while Mr. Attorney-General turned the whole suit of clothes Mr. -Stryver had fitted on the jury, inside out; showing how Barsad and -Cly were even a hundred times better than he had thought them, and the -prisoner a hundred times worse. Lastly, came my Lord himself, turning -the suit of clothes, now inside out, now outside in, but on the whole -decidedly trimming and shaping them into grave-clothes for the prisoner. - -And now, the jury turned to consider, and the great flies swarmed again. - -Mr. Carton, who had so long sat looking at the ceiling of the court, -changed neither his place nor his attitude, even in this excitement. -While his learned friend, Mr. Stryver, massing his papers before him, -whispered with those who sat near, and from time to time glanced -anxiously at the jury; while all the spectators moved more or less, and -grouped themselves anew; while even my Lord himself arose from his seat, -and slowly paced up and down his platform, not unattended by a suspicion -in the minds of the audience that his state was feverish; this one man -sat leaning back, with his torn gown half off him, his untidy wig put -on just as it had happened to light on his head after its removal, his -hands in his pockets, and his eyes on the ceiling as they had been all -day. Something especially reckless in his demeanour, not only gave him -a disreputable look, but so diminished the strong resemblance he -undoubtedly bore to the prisoner (which his momentary earnestness, -when they were compared together, had strengthened), that many of the -lookers-on, taking note of him now, said to one another they would -hardly have thought the two were so alike. Mr. Cruncher made the -observation to his next neighbour, and added, “I'd hold half a guinea -that _he_ don't get no law-work to do. Don't look like the sort of one -to get any, do he?” - -Yet, this Mr. Carton took in more of the details of the scene than he -appeared to take in; for now, when Miss Manette's head dropped upon -her father's breast, he was the first to see it, and to say audibly: -“Officer! look to that young lady. Help the gentleman to take her out. -Don't you see she will fall!” - -There was much commiseration for her as she was removed, and much -sympathy with her father. It had evidently been a great distress to -him, to have the days of his imprisonment recalled. He had shown -strong internal agitation when he was questioned, and that pondering or -brooding look which made him old, had been upon him, like a heavy cloud, -ever since. As he passed out, the jury, who had turned back and paused a -moment, spoke, through their foreman. - -They were not agreed, and wished to retire. My Lord (perhaps with George -Washington on his mind) showed some surprise that they were not agreed, -but signified his pleasure that they should retire under watch and ward, -and retired himself. The trial had lasted all day, and the lamps in -the court were now being lighted. It began to be rumoured that the -jury would be out a long while. The spectators dropped off to get -refreshment, and the prisoner withdrew to the back of the dock, and sat -down. - -Mr. Lorry, who had gone out when the young lady and her father went out, -now reappeared, and beckoned to Jerry: who, in the slackened interest, -could easily get near him. - -“Jerry, if you wish to take something to eat, you can. But, keep in the -way. You will be sure to hear when the jury come in. Don't be a moment -behind them, for I want you to take the verdict back to the bank. You -are the quickest messenger I know, and will get to Temple Bar long -before I can.” - -Jerry had just enough forehead to knuckle, and he knuckled it in -acknowledgment of this communication and a shilling. Mr. Carton came up -at the moment, and touched Mr. Lorry on the arm. - -“How is the young lady?” - -“She is greatly distressed; but her father is comforting her, and she -feels the better for being out of court.” - -“I'll tell the prisoner so. It won't do for a respectable bank gentleman -like you, to be seen speaking to him publicly, you know.” - -Mr. Lorry reddened as if he were conscious of having debated the point -in his mind, and Mr. Carton made his way to the outside of the bar. -The way out of court lay in that direction, and Jerry followed him, all -eyes, ears, and spikes. - -“Mr. Darnay!” - -The prisoner came forward directly. - -“You will naturally be anxious to hear of the witness, Miss Manette. She -will do very well. You have seen the worst of her agitation.” - -“I am deeply sorry to have been the cause of it. Could you tell her so -for me, with my fervent acknowledgments?” - -“Yes, I could. I will, if you ask it.” - -Mr. Carton's manner was so careless as to be almost insolent. He stood, -half turned from the prisoner, lounging with his elbow against the bar. - -“I do ask it. Accept my cordial thanks.” - -“What,” said Carton, still only half turned towards him, “do you expect, -Mr. Darnay?” - -“The worst.” - -“It's the wisest thing to expect, and the likeliest. But I think their -withdrawing is in your favour.” - -Loitering on the way out of court not being allowed, Jerry heard no -more: but left them--so like each other in feature, so unlike each other -in manner--standing side by side, both reflected in the glass above -them. - -An hour and a half limped heavily away in the thief-and-rascal crowded -passages below, even though assisted off with mutton pies and ale. -The hoarse messenger, uncomfortably seated on a form after taking that -refection, had dropped into a doze, when a loud murmur and a rapid tide -of people setting up the stairs that led to the court, carried him along -with them. - -“Jerry! Jerry!” Mr. Lorry was already calling at the door when he got -there. - -“Here, sir! It's a fight to get back again. Here I am, sir!” - -Mr. Lorry handed him a paper through the throng. “Quick! Have you got -it?” - -“Yes, sir.” - -Hastily written on the paper was the word “ACQUITTED.” - -“If you had sent the message, 'Recalled to Life,' again,” muttered -Jerry, as he turned, “I should have known what you meant, this time.” - -He had no opportunity of saying, or so much as thinking, anything else, -until he was clear of the Old Bailey; for, the crowd came pouring out -with a vehemence that nearly took him off his legs, and a loud buzz -swept into the street as if the baffled blue-flies were dispersing in -search of other carrion. - - - - -IV. Congratulatory - - -From the dimly-lighted passages of the court, the last sediment of the -human stew that had been boiling there all day, was straining off, when -Doctor Manette, Lucie Manette, his daughter, Mr. Lorry, the solicitor -for the defence, and its counsel, Mr. Stryver, stood gathered round Mr. -Charles Darnay--just released--congratulating him on his escape from -death. - -It would have been difficult by a far brighter light, to recognise -in Doctor Manette, intellectual of face and upright of bearing, the -shoemaker of the garret in Paris. Yet, no one could have looked at him -twice, without looking again: even though the opportunity of observation -had not extended to the mournful cadence of his low grave voice, and -to the abstraction that overclouded him fitfully, without any apparent -reason. While one external cause, and that a reference to his long -lingering agony, would always--as on the trial--evoke this condition -from the depths of his soul, it was also in its nature to arise of -itself, and to draw a gloom over him, as incomprehensible to those -unacquainted with his story as if they had seen the shadow of the actual -Bastille thrown upon him by a summer sun, when the substance was three -hundred miles away. - -Only his daughter had the power of charming this black brooding from -his mind. She was the golden thread that united him to a Past beyond his -misery, and to a Present beyond his misery: and the sound of her voice, -the light of her face, the touch of her hand, had a strong beneficial -influence with him almost always. Not absolutely always, for she could -recall some occasions on which her power had failed; but they were few -and slight, and she believed them over. - -Mr. Darnay had kissed her hand fervently and gratefully, and had turned -to Mr. Stryver, whom he warmly thanked. Mr. Stryver, a man of little -more than thirty, but looking twenty years older than he was, stout, -loud, red, bluff, and free from any drawback of delicacy, had a pushing -way of shouldering himself (morally and physically) into companies and -conversations, that argued well for his shouldering his way up in life. - -He still had his wig and gown on, and he said, squaring himself at his -late client to that degree that he squeezed the innocent Mr. Lorry clean -out of the group: “I am glad to have brought you off with honour, Mr. -Darnay. It was an infamous prosecution, grossly infamous; but not the -less likely to succeed on that account.” - -“You have laid me under an obligation to you for life--in two senses,” - said his late client, taking his hand. - -“I have done my best for you, Mr. Darnay; and my best is as good as -another man's, I believe.” - -It clearly being incumbent on some one to say, “Much better,” Mr. Lorry -said it; perhaps not quite disinterestedly, but with the interested -object of squeezing himself back again. - -“You think so?” said Mr. Stryver. “Well! you have been present all day, -and you ought to know. You are a man of business, too.” - -“And as such,” quoth Mr. Lorry, whom the counsel learned in the law had -now shouldered back into the group, just as he had previously shouldered -him out of it--“as such I will appeal to Doctor Manette, to break up -this conference and order us all to our homes. Miss Lucie looks ill, Mr. -Darnay has had a terrible day, we are worn out.” - -“Speak for yourself, Mr. Lorry,” said Stryver; “I have a night's work to -do yet. Speak for yourself.” - -“I speak for myself,” answered Mr. Lorry, “and for Mr. Darnay, and for -Miss Lucie, and--Miss Lucie, do you not think I may speak for us all?” - He asked her the question pointedly, and with a glance at her father. - -His face had become frozen, as it were, in a very curious look at -Darnay: an intent look, deepening into a frown of dislike and distrust, -not even unmixed with fear. With this strange expression on him his -thoughts had wandered away. - -“My father,” said Lucie, softly laying her hand on his. - -He slowly shook the shadow off, and turned to her. - -“Shall we go home, my father?” - -With a long breath, he answered “Yes.” - -The friends of the acquitted prisoner had dispersed, under the -impression--which he himself had originated--that he would not be -released that night. The lights were nearly all extinguished in the -passages, the iron gates were being closed with a jar and a rattle, -and the dismal place was deserted until to-morrow morning's interest of -gallows, pillory, whipping-post, and branding-iron, should repeople it. -Walking between her father and Mr. Darnay, Lucie Manette passed into -the open air. A hackney-coach was called, and the father and daughter -departed in it. - -Mr. Stryver had left them in the passages, to shoulder his way back -to the robing-room. Another person, who had not joined the group, or -interchanged a word with any one of them, but who had been leaning -against the wall where its shadow was darkest, had silently strolled -out after the rest, and had looked on until the coach drove away. He now -stepped up to where Mr. Lorry and Mr. Darnay stood upon the pavement. - -“So, Mr. Lorry! Men of business may speak to Mr. Darnay now?” - -Nobody had made any acknowledgment of Mr. Carton's part in the day's -proceedings; nobody had known of it. He was unrobed, and was none the -better for it in appearance. - -“If you knew what a conflict goes on in the business mind, when the -business mind is divided between good-natured impulse and business -appearances, you would be amused, Mr. Darnay.” - -Mr. Lorry reddened, and said, warmly, “You have mentioned that before, -sir. We men of business, who serve a House, are not our own masters. We -have to think of the House more than ourselves.” - -“_I_ know, _I_ know,” rejoined Mr. Carton, carelessly. “Don't be -nettled, Mr. Lorry. You are as good as another, I have no doubt: better, -I dare say.” - -“And indeed, sir,” pursued Mr. Lorry, not minding him, “I really don't -know what you have to do with the matter. If you'll excuse me, as very -much your elder, for saying so, I really don't know that it is your -business.” - -“Business! Bless you, _I_ have no business,” said Mr. Carton. - -“It is a pity you have not, sir.” - -“I think so, too.” - -“If you had,” pursued Mr. Lorry, “perhaps you would attend to it.” - -“Lord love you, no!--I shouldn't,” said Mr. Carton. - -“Well, sir!” cried Mr. Lorry, thoroughly heated by his indifference, -“business is a very good thing, and a very respectable thing. And, sir, -if business imposes its restraints and its silences and impediments, Mr. -Darnay as a young gentleman of generosity knows how to make allowance -for that circumstance. Mr. Darnay, good night, God bless you, sir! -I hope you have been this day preserved for a prosperous and happy -life.--Chair there!” - -Perhaps a little angry with himself, as well as with the barrister, Mr. -Lorry bustled into the chair, and was carried off to Tellson's. Carton, -who smelt of port wine, and did not appear to be quite sober, laughed -then, and turned to Darnay: - -“This is a strange chance that throws you and me together. This must -be a strange night to you, standing alone here with your counterpart on -these street stones?” - -“I hardly seem yet,” returned Charles Darnay, “to belong to this world -again.” - -“I don't wonder at it; it's not so long since you were pretty far -advanced on your way to another. You speak faintly.” - -“I begin to think I _am_ faint.” - -“Then why the devil don't you dine? I dined, myself, while those -numskulls were deliberating which world you should belong to--this, or -some other. Let me show you the nearest tavern to dine well at.” - -Drawing his arm through his own, he took him down Ludgate-hill to -Fleet-street, and so, up a covered way, into a tavern. Here, they were -shown into a little room, where Charles Darnay was soon recruiting -his strength with a good plain dinner and good wine: while Carton sat -opposite to him at the same table, with his separate bottle of port -before him, and his fully half-insolent manner upon him. - -“Do you feel, yet, that you belong to this terrestrial scheme again, Mr. -Darnay?” - -“I am frightfully confused regarding time and place; but I am so far -mended as to feel that.” - -“It must be an immense satisfaction!” - -He said it bitterly, and filled up his glass again: which was a large -one. - -“As to me, the greatest desire I have, is to forget that I belong to it. -It has no good in it for me--except wine like this--nor I for it. So we -are not much alike in that particular. Indeed, I begin to think we are -not much alike in any particular, you and I.” - -Confused by the emotion of the day, and feeling his being there with -this Double of coarse deportment, to be like a dream, Charles Darnay was -at a loss how to answer; finally, answered not at all. - -“Now your dinner is done,” Carton presently said, “why don't you call a -health, Mr. Darnay; why don't you give your toast?” - -“What health? What toast?” - -“Why, it's on the tip of your tongue. It ought to be, it must be, I'll -swear it's there.” - -“Miss Manette, then!” - -“Miss Manette, then!” - -Looking his companion full in the face while he drank the toast, Carton -flung his glass over his shoulder against the wall, where it shivered to -pieces; then, rang the bell, and ordered in another. - -“That's a fair young lady to hand to a coach in the dark, Mr. Darnay!” - he said, filling his new goblet. - -A slight frown and a laconic “Yes,” were the answer. - -“That's a fair young lady to be pitied by and wept for by! How does it -feel? Is it worth being tried for one's life, to be the object of such -sympathy and compassion, Mr. Darnay?” - -Again Darnay answered not a word. - -“She was mightily pleased to have your message, when I gave it her. Not -that she showed she was pleased, but I suppose she was.” - -The allusion served as a timely reminder to Darnay that this -disagreeable companion had, of his own free will, assisted him in the -strait of the day. He turned the dialogue to that point, and thanked him -for it. - -“I neither want any thanks, nor merit any,” was the careless rejoinder. -“It was nothing to do, in the first place; and I don't know why I did -it, in the second. Mr. Darnay, let me ask you a question.” - -“Willingly, and a small return for your good offices.” - -“Do you think I particularly like you?” - -“Really, Mr. Carton,” returned the other, oddly disconcerted, “I have -not asked myself the question.” - -“But ask yourself the question now.” - -“You have acted as if you do; but I don't think you do.” - -“_I_ don't think I do,” said Carton. “I begin to have a very good -opinion of your understanding.” - -“Nevertheless,” pursued Darnay, rising to ring the bell, “there is -nothing in that, I hope, to prevent my calling the reckoning, and our -parting without ill-blood on either side.” - -Carton rejoining, “Nothing in life!” Darnay rang. “Do you call the whole -reckoning?” said Carton. On his answering in the affirmative, “Then -bring me another pint of this same wine, drawer, and come and wake me at -ten.” - -The bill being paid, Charles Darnay rose and wished him good night. -Without returning the wish, Carton rose too, with something of a threat -of defiance in his manner, and said, “A last word, Mr. Darnay: you think -I am drunk?” - -“I think you have been drinking, Mr. Carton.” - -“Think? You know I have been drinking.” - -“Since I must say so, I know it.” - -“Then you shall likewise know why. I am a disappointed drudge, sir. I -care for no man on earth, and no man on earth cares for me.” - -“Much to be regretted. You might have used your talents better.” - -“May be so, Mr. Darnay; may be not. Don't let your sober face elate you, -however; you don't know what it may come to. Good night!” - -When he was left alone, this strange being took up a candle, went to a -glass that hung against the wall, and surveyed himself minutely in it. - -“Do you particularly like the man?” he muttered, at his own image; “why -should you particularly like a man who resembles you? There is nothing -in you to like; you know that. Ah, confound you! What a change you have -made in yourself! A good reason for taking to a man, that he shows you -what you have fallen away from, and what you might have been! Change -places with him, and would you have been looked at by those blue eyes as -he was, and commiserated by that agitated face as he was? Come on, and -have it out in plain words! You hate the fellow.” - -He resorted to his pint of wine for consolation, drank it all in a few -minutes, and fell asleep on his arms, with his hair straggling over the -table, and a long winding-sheet in the candle dripping down upon him. - - - - -V. The Jackal - - -Those were drinking days, and most men drank hard. So very great is -the improvement Time has brought about in such habits, that a moderate -statement of the quantity of wine and punch which one man would swallow -in the course of a night, without any detriment to his reputation as a -perfect gentleman, would seem, in these days, a ridiculous exaggeration. -The learned profession of the law was certainly not behind any other -learned profession in its Bacchanalian propensities; neither was Mr. -Stryver, already fast shouldering his way to a large and lucrative -practice, behind his compeers in this particular, any more than in the -drier parts of the legal race. - -A favourite at the Old Bailey, and eke at the Sessions, Mr. Stryver had -begun cautiously to hew away the lower staves of the ladder on which -he mounted. Sessions and Old Bailey had now to summon their favourite, -specially, to their longing arms; and shouldering itself towards the -visage of the Lord Chief Justice in the Court of King's Bench, the -florid countenance of Mr. Stryver might be daily seen, bursting out of -the bed of wigs, like a great sunflower pushing its way at the sun from -among a rank garden-full of flaring companions. - -It had once been noted at the Bar, that while Mr. Stryver was a glib -man, and an unscrupulous, and a ready, and a bold, he had not that -faculty of extracting the essence from a heap of statements, which is -among the most striking and necessary of the advocate's accomplishments. -But, a remarkable improvement came upon him as to this. The more -business he got, the greater his power seemed to grow of getting at its -pith and marrow; and however late at night he sat carousing with Sydney -Carton, he always had his points at his fingers' ends in the morning. - -Sydney Carton, idlest and most unpromising of men, was Stryver's great -ally. What the two drank together, between Hilary Term and Michaelmas, -might have floated a king's ship. Stryver never had a case in hand, -anywhere, but Carton was there, with his hands in his pockets, staring -at the ceiling of the court; they went the same Circuit, and even there -they prolonged their usual orgies late into the night, and Carton was -rumoured to be seen at broad day, going home stealthily and unsteadily -to his lodgings, like a dissipated cat. At last, it began to get about, -among such as were interested in the matter, that although Sydney Carton -would never be a lion, he was an amazingly good jackal, and that he -rendered suit and service to Stryver in that humble capacity. - -“Ten o'clock, sir,” said the man at the tavern, whom he had charged to -wake him--“ten o'clock, sir.” - -“_What's_ the matter?” - -“Ten o'clock, sir.” - -“What do you mean? Ten o'clock at night?” - -“Yes, sir. Your honour told me to call you.” - -“Oh! I remember. Very well, very well.” - -After a few dull efforts to get to sleep again, which the man -dexterously combated by stirring the fire continuously for five minutes, -he got up, tossed his hat on, and walked out. He turned into the Temple, -and, having revived himself by twice pacing the pavements of King's -Bench-walk and Paper-buildings, turned into the Stryver chambers. - -The Stryver clerk, who never assisted at these conferences, had gone -home, and the Stryver principal opened the door. He had his slippers on, -and a loose bed-gown, and his throat was bare for his greater ease. He -had that rather wild, strained, seared marking about the eyes, which -may be observed in all free livers of his class, from the portrait of -Jeffries downward, and which can be traced, under various disguises of -Art, through the portraits of every Drinking Age. - -“You are a little late, Memory,” said Stryver. - -“About the usual time; it may be a quarter of an hour later.” - -They went into a dingy room lined with books and littered with papers, -where there was a blazing fire. A kettle steamed upon the hob, and in -the midst of the wreck of papers a table shone, with plenty of wine upon -it, and brandy, and rum, and sugar, and lemons. - -“You have had your bottle, I perceive, Sydney.” - -“Two to-night, I think. I have been dining with the day's client; or -seeing him dine--it's all one!” - -“That was a rare point, Sydney, that you brought to bear upon the -identification. How did you come by it? When did it strike you?” - -“I thought he was rather a handsome fellow, and I thought I should have -been much the same sort of fellow, if I had had any luck.” - -Mr. Stryver laughed till he shook his precocious paunch. - -“You and your luck, Sydney! Get to work, get to work.” - -Sullenly enough, the jackal loosened his dress, went into an adjoining -room, and came back with a large jug of cold water, a basin, and a towel -or two. Steeping the towels in the water, and partially wringing them -out, he folded them on his head in a manner hideous to behold, sat down -at the table, and said, “Now I am ready!” - -“Not much boiling down to be done to-night, Memory,” said Mr. Stryver, -gaily, as he looked among his papers. - -“How much?” - -“Only two sets of them.” - -“Give me the worst first.” - -“There they are, Sydney. Fire away!” - -The lion then composed himself on his back on a sofa on one side of the -drinking-table, while the jackal sat at his own paper-bestrewn table -proper, on the other side of it, with the bottles and glasses ready to -his hand. Both resorted to the drinking-table without stint, but each in -a different way; the lion for the most part reclining with his hands in -his waistband, looking at the fire, or occasionally flirting with some -lighter document; the jackal, with knitted brows and intent face, -so deep in his task, that his eyes did not even follow the hand he -stretched out for his glass--which often groped about, for a minute or -more, before it found the glass for his lips. Two or three times, the -matter in hand became so knotty, that the jackal found it imperative on -him to get up, and steep his towels anew. From these pilgrimages to the -jug and basin, he returned with such eccentricities of damp headgear as -no words can describe; which were made the more ludicrous by his anxious -gravity. - -At length the jackal had got together a compact repast for the lion, and -proceeded to offer it to him. The lion took it with care and caution, -made his selections from it, and his remarks upon it, and the jackal -assisted both. When the repast was fully discussed, the lion put his -hands in his waistband again, and lay down to meditate. The jackal then -invigorated himself with a bumper for his throttle, and a fresh application -to his head, and applied himself to the collection of a second meal; -this was administered to the lion in the same manner, and was not -disposed of until the clocks struck three in the morning. - -“And now we have done, Sydney, fill a bumper of punch,” said Mr. -Stryver. - -The jackal removed the towels from his head, which had been steaming -again, shook himself, yawned, shivered, and complied. - -“You were very sound, Sydney, in the matter of those crown witnesses -to-day. Every question told.” - -“I always am sound; am I not?” - -“I don't gainsay it. What has roughened your temper? Put some punch to -it and smooth it again.” - -With a deprecatory grunt, the jackal again complied. - -“The old Sydney Carton of old Shrewsbury School,” said Stryver, nodding -his head over him as he reviewed him in the present and the past, “the -old seesaw Sydney. Up one minute and down the next; now in spirits and -now in despondency!” - -“Ah!” returned the other, sighing: “yes! The same Sydney, with the same -luck. Even then, I did exercises for other boys, and seldom did my own.” - -“And why not?” - -“God knows. It was my way, I suppose.” - -He sat, with his hands in his pockets and his legs stretched out before -him, looking at the fire. - -“Carton,” said his friend, squaring himself at him with a bullying air, -as if the fire-grate had been the furnace in which sustained endeavour -was forged, and the one delicate thing to be done for the old Sydney -Carton of old Shrewsbury School was to shoulder him into it, “your way -is, and always was, a lame way. You summon no energy and purpose. Look -at me.” - -“Oh, botheration!” returned Sydney, with a lighter and more -good-humoured laugh, “don't _you_ be moral!” - -“How have I done what I have done?” said Stryver; “how do I do what I -do?” - -“Partly through paying me to help you, I suppose. But it's not worth -your while to apostrophise me, or the air, about it; what you want to -do, you do. You were always in the front rank, and I was always behind.” - -“I had to get into the front rank; I was not born there, was I?” - -“I was not present at the ceremony; but my opinion is you were,” said -Carton. At this, he laughed again, and they both laughed. - -“Before Shrewsbury, and at Shrewsbury, and ever since Shrewsbury,” - pursued Carton, “you have fallen into your rank, and I have fallen into -mine. Even when we were fellow-students in the Student-Quarter of Paris, -picking up French, and French law, and other French crumbs that we -didn't get much good of, you were always somewhere, and I was always -nowhere.” - -“And whose fault was that?” - -“Upon my soul, I am not sure that it was not yours. You were always -driving and riving and shouldering and passing, to that restless degree -that I had no chance for my life but in rust and repose. It's a gloomy -thing, however, to talk about one's own past, with the day breaking. -Turn me in some other direction before I go.” - -“Well then! Pledge me to the pretty witness,” said Stryver, holding up -his glass. “Are you turned in a pleasant direction?” - -Apparently not, for he became gloomy again. - -“Pretty witness,” he muttered, looking down into his glass. “I have had -enough of witnesses to-day and to-night; who's your pretty witness?” - -“The picturesque doctor's daughter, Miss Manette.” - -“_She_ pretty?” - -“Is she not?” - -“No.” - -“Why, man alive, she was the admiration of the whole Court!” - -“Rot the admiration of the whole Court! Who made the Old Bailey a judge -of beauty? She was a golden-haired doll!” - -“Do you know, Sydney,” said Mr. Stryver, looking at him with sharp eyes, -and slowly drawing a hand across his florid face: “do you know, I rather -thought, at the time, that you sympathised with the golden-haired doll, -and were quick to see what happened to the golden-haired doll?” - -“Quick to see what happened! If a girl, doll or no doll, swoons within a -yard or two of a man's nose, he can see it without a perspective-glass. -I pledge you, but I deny the beauty. And now I'll have no more drink; -I'll get to bed.” - -When his host followed him out on the staircase with a candle, to light -him down the stairs, the day was coldly looking in through its grimy -windows. When he got out of the house, the air was cold and sad, the -dull sky overcast, the river dark and dim, the whole scene like a -lifeless desert. And wreaths of dust were spinning round and round -before the morning blast, as if the desert-sand had risen far away, and -the first spray of it in its advance had begun to overwhelm the city. - -Waste forces within him, and a desert all around, this man stood still -on his way across a silent terrace, and saw for a moment, lying in the -wilderness before him, a mirage of honourable ambition, self-denial, and -perseverance. In the fair city of this vision, there were airy galleries -from which the loves and graces looked upon him, gardens in which the -fruits of life hung ripening, waters of Hope that sparkled in his sight. -A moment, and it was gone. Climbing to a high chamber in a well of -houses, he threw himself down in his clothes on a neglected bed, and its -pillow was wet with wasted tears. - -Sadly, sadly, the sun rose; it rose upon no sadder sight than the man of -good abilities and good emotions, incapable of their directed exercise, -incapable of his own help and his own happiness, sensible of the blight -on him, and resigning himself to let it eat him away. - - - - -VI. Hundreds of People - - -The quiet lodgings of Doctor Manette were in a quiet street-corner not -far from Soho-square. On the afternoon of a certain fine Sunday when the -waves of four months had rolled over the trial for treason, and carried -it, as to the public interest and memory, far out to sea, Mr. Jarvis -Lorry walked along the sunny streets from Clerkenwell where he lived, -on his way to dine with the Doctor. After several relapses into -business-absorption, Mr. Lorry had become the Doctor's friend, and the -quiet street-corner was the sunny part of his life. - -On this certain fine Sunday, Mr. Lorry walked towards Soho, early in -the afternoon, for three reasons of habit. Firstly, because, on fine -Sundays, he often walked out, before dinner, with the Doctor and Lucie; -secondly, because, on unfavourable Sundays, he was accustomed to be with -them as the family friend, talking, reading, looking out of window, and -generally getting through the day; thirdly, because he happened to have -his own little shrewd doubts to solve, and knew how the ways of the -Doctor's household pointed to that time as a likely time for solving -them. - -A quainter corner than the corner where the Doctor lived, was not to be -found in London. There was no way through it, and the front windows of -the Doctor's lodgings commanded a pleasant little vista of street that -had a congenial air of retirement on it. There were few buildings then, -north of the Oxford-road, and forest-trees flourished, and wild flowers -grew, and the hawthorn blossomed, in the now vanished fields. As a -consequence, country airs circulated in Soho with vigorous freedom, -instead of languishing into the parish like stray paupers without a -settlement; and there was many a good south wall, not far off, on which -the peaches ripened in their season. - -The summer light struck into the corner brilliantly in the earlier part -of the day; but, when the streets grew hot, the corner was in shadow, -though not in shadow so remote but that you could see beyond it into a -glare of brightness. It was a cool spot, staid but cheerful, a wonderful -place for echoes, and a very harbour from the raging streets. - -There ought to have been a tranquil bark in such an anchorage, and -there was. The Doctor occupied two floors of a large stiff house, where -several callings purported to be pursued by day, but whereof little was -audible any day, and which was shunned by all of them at night. In -a building at the back, attainable by a courtyard where a plane-tree -rustled its green leaves, church-organs claimed to be made, and silver -to be chased, and likewise gold to be beaten by some mysterious giant -who had a golden arm starting out of the wall of the front hall--as if -he had beaten himself precious, and menaced a similar conversion of all -visitors. Very little of these trades, or of a lonely lodger rumoured -to live up-stairs, or of a dim coach-trimming maker asserted to have -a counting-house below, was ever heard or seen. Occasionally, a stray -workman putting his coat on, traversed the hall, or a stranger peered -about there, or a distant clink was heard across the courtyard, or a -thump from the golden giant. These, however, were only the exceptions -required to prove the rule that the sparrows in the plane-tree behind -the house, and the echoes in the corner before it, had their own way -from Sunday morning unto Saturday night. - -Doctor Manette received such patients here as his old reputation, and -its revival in the floating whispers of his story, brought him. -His scientific knowledge, and his vigilance and skill in conducting -ingenious experiments, brought him otherwise into moderate request, and -he earned as much as he wanted. - -These things were within Mr. Jarvis Lorry's knowledge, thoughts, and -notice, when he rang the door-bell of the tranquil house in the corner, -on the fine Sunday afternoon. - -“Doctor Manette at home?” - -Expected home. - -“Miss Lucie at home?” - -Expected home. - -“Miss Pross at home?” - -Possibly at home, but of a certainty impossible for handmaid to -anticipate intentions of Miss Pross, as to admission or denial of the -fact. - -“As I am at home myself,” said Mr. Lorry, “I'll go upstairs.” - -Although the Doctor's daughter had known nothing of the country of her -birth, she appeared to have innately derived from it that ability to -make much of little means, which is one of its most useful and most -agreeable characteristics. Simple as the furniture was, it was set off -by so many little adornments, of no value but for their taste and fancy, -that its effect was delightful. The disposition of everything in the -rooms, from the largest object to the least; the arrangement of colours, -the elegant variety and contrast obtained by thrift in trifles, by -delicate hands, clear eyes, and good sense; were at once so pleasant in -themselves, and so expressive of their originator, that, as Mr. Lorry -stood looking about him, the very chairs and tables seemed to ask him, -with something of that peculiar expression which he knew so well by this -time, whether he approved? - -There were three rooms on a floor, and, the doors by which they -communicated being put open that the air might pass freely through them -all, Mr. Lorry, smilingly observant of that fanciful resemblance which -he detected all around him, walked from one to another. The first was -the best room, and in it were Lucie's birds, and flowers, and books, -and desk, and work-table, and box of water-colours; the second was -the Doctor's consulting-room, used also as the dining-room; the third, -changingly speckled by the rustle of the plane-tree in the yard, was the -Doctor's bedroom, and there, in a corner, stood the disused shoemaker's -bench and tray of tools, much as it had stood on the fifth floor of the -dismal house by the wine-shop, in the suburb of Saint Antoine in Paris. - -“I wonder,” said Mr. Lorry, pausing in his looking about, “that he keeps -that reminder of his sufferings about him!” - -“And why wonder at that?” was the abrupt inquiry that made him start. - -It proceeded from Miss Pross, the wild red woman, strong of hand, whose -acquaintance he had first made at the Royal George Hotel at Dover, and -had since improved. - -“I should have thought--” Mr. Lorry began. - -“Pooh! You'd have thought!” said Miss Pross; and Mr. Lorry left off. - -“How do you do?” inquired that lady then--sharply, and yet as if to -express that she bore him no malice. - -“I am pretty well, I thank you,” answered Mr. Lorry, with meekness; “how -are you?” - -“Nothing to boast of,” said Miss Pross. - -“Indeed?” - -“Ah! indeed!” said Miss Pross. “I am very much put out about my -Ladybird.” - -“Indeed?” - -“For gracious sake say something else besides 'indeed,' or you'll -fidget me to death,” said Miss Pross: whose character (dissociated from -stature) was shortness. - -“Really, then?” said Mr. Lorry, as an amendment. - -“Really, is bad enough,” returned Miss Pross, “but better. Yes, I am -very much put out.” - -“May I ask the cause?” - -“I don't want dozens of people who are not at all worthy of Ladybird, to -come here looking after her,” said Miss Pross. - -“_Do_ dozens come for that purpose?” - -“Hundreds,” said Miss Pross. - -It was characteristic of this lady (as of some other people before her -time and since) that whenever her original proposition was questioned, -she exaggerated it. - -“Dear me!” said Mr. Lorry, as the safest remark he could think of. - -“I have lived with the darling--or the darling has lived with me, and -paid me for it; which she certainly should never have done, you may take -your affidavit, if I could have afforded to keep either myself or her -for nothing--since she was ten years old. And it's really very hard,” - said Miss Pross. - -Not seeing with precision what was very hard, Mr. Lorry shook his head; -using that important part of himself as a sort of fairy cloak that would -fit anything. - -“All sorts of people who are not in the least degree worthy of the pet, -are always turning up,” said Miss Pross. “When you began it--” - -“_I_ began it, Miss Pross?” - -“Didn't you? Who brought her father to life?” - -“Oh! If _that_ was beginning it--” said Mr. Lorry. - -“It wasn't ending it, I suppose? I say, when you began it, it was hard -enough; not that I have any fault to find with Doctor Manette, except -that he is not worthy of such a daughter, which is no imputation on -him, for it was not to be expected that anybody should be, under any -circumstances. But it really is doubly and trebly hard to have crowds -and multitudes of people turning up after him (I could have forgiven -him), to take Ladybird's affections away from me.” - -Mr. Lorry knew Miss Pross to be very jealous, but he also knew her by -this time to be, beneath the service of her eccentricity, one of those -unselfish creatures--found only among women--who will, for pure love and -admiration, bind themselves willing slaves, to youth when they have lost -it, to beauty that they never had, to accomplishments that they were -never fortunate enough to gain, to bright hopes that never shone upon -their own sombre lives. He knew enough of the world to know that there -is nothing in it better than the faithful service of the heart; so -rendered and so free from any mercenary taint, he had such an exalted -respect for it, that in the retributive arrangements made by his own -mind--we all make such arrangements, more or less--he stationed Miss -Pross much nearer to the lower Angels than many ladies immeasurably -better got up both by Nature and Art, who had balances at Tellson's. - -“There never was, nor will be, but one man worthy of Ladybird,” said -Miss Pross; “and that was my brother Solomon, if he hadn't made a -mistake in life.” - -Here again: Mr. Lorry's inquiries into Miss Pross's personal history had -established the fact that her brother Solomon was a heartless scoundrel -who had stripped her of everything she possessed, as a stake to -speculate with, and had abandoned her in her poverty for evermore, with -no touch of compunction. Miss Pross's fidelity of belief in Solomon -(deducting a mere trifle for this slight mistake) was quite a serious -matter with Mr. Lorry, and had its weight in his good opinion of her. - -“As we happen to be alone for the moment, and are both people of -business,” he said, when they had got back to the drawing-room and had -sat down there in friendly relations, “let me ask you--does the Doctor, -in talking with Lucie, never refer to the shoemaking time, yet?” - -“Never.” - -“And yet keeps that bench and those tools beside him?” - -“Ah!” returned Miss Pross, shaking her head. “But I don't say he don't -refer to it within himself.” - -“Do you believe that he thinks of it much?” - -“I do,” said Miss Pross. - -“Do you imagine--” Mr. Lorry had begun, when Miss Pross took him up -short with: - -“Never imagine anything. Have no imagination at all.” - -“I stand corrected; do you suppose--you go so far as to suppose, -sometimes?” - -“Now and then,” said Miss Pross. - -“Do you suppose,” Mr. Lorry went on, with a laughing twinkle in his -bright eye, as it looked kindly at her, “that Doctor Manette has any -theory of his own, preserved through all those years, relative to -the cause of his being so oppressed; perhaps, even to the name of his -oppressor?” - -“I don't suppose anything about it but what Ladybird tells me.” - -“And that is--?” - -“That she thinks he has.” - -“Now don't be angry at my asking all these questions; because I am a -mere dull man of business, and you are a woman of business.” - -“Dull?” Miss Pross inquired, with placidity. - -Rather wishing his modest adjective away, Mr. Lorry replied, “No, no, -no. Surely not. To return to business:--Is it not remarkable that Doctor -Manette, unquestionably innocent of any crime as we are all well assured -he is, should never touch upon that question? I will not say with me, -though he had business relations with me many years ago, and we are now -intimate; I will say with the fair daughter to whom he is so devotedly -attached, and who is so devotedly attached to him? Believe me, Miss -Pross, I don't approach the topic with you, out of curiosity, but out of -zealous interest.” - -“Well! To the best of my understanding, and bad's the best, you'll tell -me,” said Miss Pross, softened by the tone of the apology, “he is afraid -of the whole subject.” - -“Afraid?” - -“It's plain enough, I should think, why he may be. It's a dreadful -remembrance. Besides that, his loss of himself grew out of it. Not -knowing how he lost himself, or how he recovered himself, he may never -feel certain of not losing himself again. That alone wouldn't make the -subject pleasant, I should think.” - -It was a profounder remark than Mr. Lorry had looked for. “True,” said -he, “and fearful to reflect upon. Yet, a doubt lurks in my mind, Miss -Pross, whether it is good for Doctor Manette to have that suppression -always shut up within him. Indeed, it is this doubt and the uneasiness -it sometimes causes me that has led me to our present confidence.” - -“Can't be helped,” said Miss Pross, shaking her head. “Touch that -string, and he instantly changes for the worse. Better leave it alone. -In short, must leave it alone, like or no like. Sometimes, he gets up in -the dead of the night, and will be heard, by us overhead there, walking -up and down, walking up and down, in his room. Ladybird has learnt to -know then that his mind is walking up and down, walking up and down, in -his old prison. She hurries to him, and they go on together, walking up -and down, walking up and down, until he is composed. But he never says -a word of the true reason of his restlessness, to her, and she finds it -best not to hint at it to him. In silence they go walking up and down -together, walking up and down together, till her love and company have -brought him to himself.” - -Notwithstanding Miss Pross's denial of her own imagination, there was a -perception of the pain of being monotonously haunted by one sad idea, -in her repetition of the phrase, walking up and down, which testified to -her possessing such a thing. - -The corner has been mentioned as a wonderful corner for echoes; it -had begun to echo so resoundingly to the tread of coming feet, that it -seemed as though the very mention of that weary pacing to and fro had -set it going. - -“Here they are!” said Miss Pross, rising to break up the conference; -“and now we shall have hundreds of people pretty soon!” - -It was such a curious corner in its acoustical properties, such a -peculiar Ear of a place, that as Mr. Lorry stood at the open window, -looking for the father and daughter whose steps he heard, he fancied -they would never approach. Not only would the echoes die away, as though -the steps had gone; but, echoes of other steps that never came would be -heard in their stead, and would die away for good when they seemed close -at hand. However, father and daughter did at last appear, and Miss Pross -was ready at the street door to receive them. - -Miss Pross was a pleasant sight, albeit wild, and red, and grim, taking -off her darling's bonnet when she came up-stairs, and touching it up -with the ends of her handkerchief, and blowing the dust off it, and -folding her mantle ready for laying by, and smoothing her rich hair with -as much pride as she could possibly have taken in her own hair if she -had been the vainest and handsomest of women. Her darling was a pleasant -sight too, embracing her and thanking her, and protesting against -her taking so much trouble for her--which last she only dared to do -playfully, or Miss Pross, sorely hurt, would have retired to her own -chamber and cried. The Doctor was a pleasant sight too, looking on at -them, and telling Miss Pross how she spoilt Lucie, in accents and with -eyes that had as much spoiling in them as Miss Pross had, and would -have had more if it were possible. Mr. Lorry was a pleasant sight too, -beaming at all this in his little wig, and thanking his bachelor -stars for having lighted him in his declining years to a Home. But, no -Hundreds of people came to see the sights, and Mr. Lorry looked in vain -for the fulfilment of Miss Pross's prediction. - -Dinner-time, and still no Hundreds of people. In the arrangements of -the little household, Miss Pross took charge of the lower regions, and -always acquitted herself marvellously. Her dinners, of a very modest -quality, were so well cooked and so well served, and so neat in their -contrivances, half English and half French, that nothing could be -better. Miss Pross's friendship being of the thoroughly practical -kind, she had ravaged Soho and the adjacent provinces, in search of -impoverished French, who, tempted by shillings and half-crowns, would -impart culinary mysteries to her. From these decayed sons and daughters -of Gaul, she had acquired such wonderful arts, that the woman and girl -who formed the staff of domestics regarded her as quite a Sorceress, -or Cinderella's Godmother: who would send out for a fowl, a rabbit, -a vegetable or two from the garden, and change them into anything she -pleased. - -On Sundays, Miss Pross dined at the Doctor's table, but on other days -persisted in taking her meals at unknown periods, either in the lower -regions, or in her own room on the second floor--a blue chamber, to -which no one but her Ladybird ever gained admittance. On this occasion, -Miss Pross, responding to Ladybird's pleasant face and pleasant efforts -to please her, unbent exceedingly; so the dinner was very pleasant, too. - -It was an oppressive day, and, after dinner, Lucie proposed that the -wine should be carried out under the plane-tree, and they should sit -there in the air. As everything turned upon her, and revolved about her, -they went out under the plane-tree, and she carried the wine down for -the special benefit of Mr. Lorry. She had installed herself, some -time before, as Mr. Lorry's cup-bearer; and while they sat under the -plane-tree, talking, she kept his glass replenished. Mysterious backs -and ends of houses peeped at them as they talked, and the plane-tree -whispered to them in its own way above their heads. - -Still, the Hundreds of people did not present themselves. Mr. Darnay -presented himself while they were sitting under the plane-tree, but he -was only One. - -Doctor Manette received him kindly, and so did Lucie. But, Miss Pross -suddenly became afflicted with a twitching in the head and body, and -retired into the house. She was not unfrequently the victim of this -disorder, and she called it, in familiar conversation, “a fit of the -jerks.” - -The Doctor was in his best condition, and looked specially young. The -resemblance between him and Lucie was very strong at such times, and as -they sat side by side, she leaning on his shoulder, and he resting -his arm on the back of her chair, it was very agreeable to trace the -likeness. - -He had been talking all day, on many subjects, and with unusual -vivacity. “Pray, Doctor Manette,” said Mr. Darnay, as they sat under the -plane-tree--and he said it in the natural pursuit of the topic in hand, -which happened to be the old buildings of London--“have you seen much of -the Tower?” - -“Lucie and I have been there; but only casually. We have seen enough of -it, to know that it teems with interest; little more.” - -“_I_ have been there, as you remember,” said Darnay, with a smile, -though reddening a little angrily, “in another character, and not in a -character that gives facilities for seeing much of it. They told me a -curious thing when I was there.” - -“What was that?” Lucie asked. - -“In making some alterations, the workmen came upon an old dungeon, which -had been, for many years, built up and forgotten. Every stone of -its inner wall was covered by inscriptions which had been carved by -prisoners--dates, names, complaints, and prayers. Upon a corner stone -in an angle of the wall, one prisoner, who seemed to have gone to -execution, had cut as his last work, three letters. They were done with -some very poor instrument, and hurriedly, with an unsteady hand. -At first, they were read as D. I. C.; but, on being more carefully -examined, the last letter was found to be G. There was no record or -legend of any prisoner with those initials, and many fruitless guesses -were made what the name could have been. At length, it was suggested -that the letters were not initials, but the complete word, DIG. The -floor was examined very carefully under the inscription, and, in the -earth beneath a stone, or tile, or some fragment of paving, were found -the ashes of a paper, mingled with the ashes of a small leathern case -or bag. What the unknown prisoner had written will never be read, but he -had written something, and hidden it away to keep it from the gaoler.” - -“My father,” exclaimed Lucie, “you are ill!” - -He had suddenly started up, with his hand to his head. His manner and -his look quite terrified them all. - -“No, my dear, not ill. There are large drops of rain falling, and they -made me start. We had better go in.” - -He recovered himself almost instantly. Rain was really falling in large -drops, and he showed the back of his hand with rain-drops on it. But, he -said not a single word in reference to the discovery that had been told -of, and, as they went into the house, the business eye of Mr. Lorry -either detected, or fancied it detected, on his face, as it turned -towards Charles Darnay, the same singular look that had been upon it -when it turned towards him in the passages of the Court House. - -He recovered himself so quickly, however, that Mr. Lorry had doubts of -his business eye. The arm of the golden giant in the hall was not more -steady than he was, when he stopped under it to remark to them that he -was not yet proof against slight surprises (if he ever would be), and -that the rain had startled him. - -Tea-time, and Miss Pross making tea, with another fit of the jerks upon -her, and yet no Hundreds of people. Mr. Carton had lounged in, but he -made only Two. - -The night was so very sultry, that although they sat with doors and -windows open, they were overpowered by heat. When the tea-table was -done with, they all moved to one of the windows, and looked out into the -heavy twilight. Lucie sat by her father; Darnay sat beside her; Carton -leaned against a window. The curtains were long and white, and some of -the thunder-gusts that whirled into the corner, caught them up to the -ceiling, and waved them like spectral wings. - -“The rain-drops are still falling, large, heavy, and few,” said Doctor -Manette. “It comes slowly.” - -“It comes surely,” said Carton. - -They spoke low, as people watching and waiting mostly do; as people in a -dark room, watching and waiting for Lightning, always do. - -There was a great hurry in the streets of people speeding away to -get shelter before the storm broke; the wonderful corner for echoes -resounded with the echoes of footsteps coming and going, yet not a -footstep was there. - -“A multitude of people, and yet a solitude!” said Darnay, when they had -listened for a while. - -“Is it not impressive, Mr. Darnay?” asked Lucie. “Sometimes, I have -sat here of an evening, until I have fancied--but even the shade of -a foolish fancy makes me shudder to-night, when all is so black and -solemn--” - -“Let us shudder too. We may know what it is.” - -“It will seem nothing to you. Such whims are only impressive as we -originate them, I think; they are not to be communicated. I have -sometimes sat alone here of an evening, listening, until I have made -the echoes out to be the echoes of all the footsteps that are coming -by-and-bye into our lives.” - -“There is a great crowd coming one day into our lives, if that be so,” - Sydney Carton struck in, in his moody way. - -The footsteps were incessant, and the hurry of them became more and more -rapid. The corner echoed and re-echoed with the tread of feet; some, -as it seemed, under the windows; some, as it seemed, in the room; some -coming, some going, some breaking off, some stopping altogether; all in -the distant streets, and not one within sight. - -“Are all these footsteps destined to come to all of us, Miss Manette, or -are we to divide them among us?” - -“I don't know, Mr. Darnay; I told you it was a foolish fancy, but you -asked for it. When I have yielded myself to it, I have been alone, and -then I have imagined them the footsteps of the people who are to come -into my life, and my father's.” - -“I take them into mine!” said Carton. “_I_ ask no questions and make no -stipulations. There is a great crowd bearing down upon us, Miss Manette, -and I see them--by the Lightning.” He added the last words, after there -had been a vivid flash which had shown him lounging in the window. - -“And I hear them!” he added again, after a peal of thunder. “Here they -come, fast, fierce, and furious!” - -It was the rush and roar of rain that he typified, and it stopped him, -for no voice could be heard in it. A memorable storm of thunder and -lightning broke with that sweep of water, and there was not a moment's -interval in crash, and fire, and rain, until after the moon rose at -midnight. - -The great bell of Saint Paul's was striking one in the cleared air, when -Mr. Lorry, escorted by Jerry, high-booted and bearing a lantern, set -forth on his return-passage to Clerkenwell. There were solitary patches -of road on the way between Soho and Clerkenwell, and Mr. Lorry, mindful -of foot-pads, always retained Jerry for this service: though it was -usually performed a good two hours earlier. - -“What a night it has been! Almost a night, Jerry,” said Mr. Lorry, “to -bring the dead out of their graves.” - -“I never see the night myself, master--nor yet I don't expect to--what -would do that,” answered Jerry. - -“Good night, Mr. Carton,” said the man of business. “Good night, Mr. -Darnay. Shall we ever see such a night again, together!” - -Perhaps. Perhaps, see the great crowd of people with its rush and roar, -bearing down upon them, too. - - - - -VII. Monseigneur in Town - - -Monseigneur, one of the great lords in power at the Court, held his -fortnightly reception in his grand hotel in Paris. Monseigneur was in -his inner room, his sanctuary of sanctuaries, the Holiest of Holiests to -the crowd of worshippers in the suite of rooms without. Monseigneur -was about to take his chocolate. Monseigneur could swallow a great many -things with ease, and was by some few sullen minds supposed to be rather -rapidly swallowing France; but, his morning's chocolate could not so -much as get into the throat of Monseigneur, without the aid of four -strong men besides the Cook. - -Yes. It took four men, all four ablaze with gorgeous decoration, and the -Chief of them unable to exist with fewer than two gold watches in his -pocket, emulative of the noble and chaste fashion set by Monseigneur, to -conduct the happy chocolate to Monseigneur's lips. One lacquey carried -the chocolate-pot into the sacred presence; a second, milled and frothed -the chocolate with the little instrument he bore for that function; -a third, presented the favoured napkin; a fourth (he of the two gold -watches), poured the chocolate out. It was impossible for Monseigneur to -dispense with one of these attendants on the chocolate and hold his high -place under the admiring Heavens. Deep would have been the blot upon -his escutcheon if his chocolate had been ignobly waited on by only three -men; he must have died of two. - -Monseigneur had been out at a little supper last night, where the Comedy -and the Grand Opera were charmingly represented. Monseigneur was out at -a little supper most nights, with fascinating company. So polite and so -impressible was Monseigneur, that the Comedy and the Grand Opera had far -more influence with him in the tiresome articles of state affairs and -state secrets, than the needs of all France. A happy circumstance -for France, as the like always is for all countries similarly -favoured!--always was for England (by way of example), in the regretted -days of the merry Stuart who sold it. - -Monseigneur had one truly noble idea of general public business, which -was, to let everything go on in its own way; of particular public -business, Monseigneur had the other truly noble idea that it must all go -his way--tend to his own power and pocket. Of his pleasures, general and -particular, Monseigneur had the other truly noble idea, that the world -was made for them. The text of his order (altered from the original -by only a pronoun, which is not much) ran: “The earth and the fulness -thereof are mine, saith Monseigneur.” - -Yet, Monseigneur had slowly found that vulgar embarrassments crept into -his affairs, both private and public; and he had, as to both classes of -affairs, allied himself perforce with a Farmer-General. As to finances -public, because Monseigneur could not make anything at all of them, and -must consequently let them out to somebody who could; as to finances -private, because Farmer-Generals were rich, and Monseigneur, after -generations of great luxury and expense, was growing poor. Hence -Monseigneur had taken his sister from a convent, while there was yet -time to ward off the impending veil, the cheapest garment she could -wear, and had bestowed her as a prize upon a very rich Farmer-General, -poor in family. Which Farmer-General, carrying an appropriate cane with -a golden apple on the top of it, was now among the company in the outer -rooms, much prostrated before by mankind--always excepting superior -mankind of the blood of Monseigneur, who, his own wife included, looked -down upon him with the loftiest contempt. - -A sumptuous man was the Farmer-General. Thirty horses stood in his -stables, twenty-four male domestics sat in his halls, six body-women -waited on his wife. As one who pretended to do nothing but plunder and -forage where he could, the Farmer-General--howsoever his matrimonial -relations conduced to social morality--was at least the greatest reality -among the personages who attended at the hotel of Monseigneur that day. - -For, the rooms, though a beautiful scene to look at, and adorned with -every device of decoration that the taste and skill of the time could -achieve, were, in truth, not a sound business; considered with any -reference to the scarecrows in the rags and nightcaps elsewhere (and not -so far off, either, but that the watching towers of Notre Dame, almost -equidistant from the two extremes, could see them both), they would -have been an exceedingly uncomfortable business--if that could have -been anybody's business, at the house of Monseigneur. Military officers -destitute of military knowledge; naval officers with no idea of a ship; -civil officers without a notion of affairs; brazen ecclesiastics, of the -worst world worldly, with sensual eyes, loose tongues, and looser lives; -all totally unfit for their several callings, all lying horribly in -pretending to belong to them, but all nearly or remotely of the order of -Monseigneur, and therefore foisted on all public employments from which -anything was to be got; these were to be told off by the score and the -score. People not immediately connected with Monseigneur or the State, -yet equally unconnected with anything that was real, or with lives -passed in travelling by any straight road to any true earthly end, were -no less abundant. Doctors who made great fortunes out of dainty remedies -for imaginary disorders that never existed, smiled upon their courtly -patients in the ante-chambers of Monseigneur. Projectors who had -discovered every kind of remedy for the little evils with which the -State was touched, except the remedy of setting to work in earnest to -root out a single sin, poured their distracting babble into any ears -they could lay hold of, at the reception of Monseigneur. Unbelieving -Philosophers who were remodelling the world with words, and making -card-towers of Babel to scale the skies with, talked with Unbelieving -Chemists who had an eye on the transmutation of metals, at this -wonderful gathering accumulated by Monseigneur. Exquisite gentlemen of -the finest breeding, which was at that remarkable time--and has been -since--to be known by its fruits of indifference to every natural -subject of human interest, were in the most exemplary state of -exhaustion, at the hotel of Monseigneur. Such homes had these various -notabilities left behind them in the fine world of Paris, that the spies -among the assembled devotees of Monseigneur--forming a goodly half -of the polite company--would have found it hard to discover among -the angels of that sphere one solitary wife, who, in her manners and -appearance, owned to being a Mother. Indeed, except for the mere act of -bringing a troublesome creature into this world--which does not go far -towards the realisation of the name of mother--there was no such thing -known to the fashion. Peasant women kept the unfashionable babies close, -and brought them up, and charming grandmammas of sixty dressed and -supped as at twenty. - -The leprosy of unreality disfigured every human creature in attendance -upon Monseigneur. In the outermost room were half a dozen exceptional -people who had had, for a few years, some vague misgiving in them that -things in general were going rather wrong. As a promising way of setting -them right, half of the half-dozen had become members of a fantastic -sect of Convulsionists, and were even then considering within themselves -whether they should foam, rage, roar, and turn cataleptic on the -spot--thereby setting up a highly intelligible finger-post to the -Future, for Monseigneur's guidance. Besides these Dervishes, were other -three who had rushed into another sect, which mended matters with a -jargon about “the Centre of Truth:” holding that Man had got out of the -Centre of Truth--which did not need much demonstration--but had not got -out of the Circumference, and that he was to be kept from flying out of -the Circumference, and was even to be shoved back into the Centre, -by fasting and seeing of spirits. Among these, accordingly, much -discoursing with spirits went on--and it did a world of good which never -became manifest. - -But, the comfort was, that all the company at the grand hotel of -Monseigneur were perfectly dressed. If the Day of Judgment had only been -ascertained to be a dress day, everybody there would have been eternally -correct. Such frizzling and powdering and sticking up of hair, such -delicate complexions artificially preserved and mended, such gallant -swords to look at, and such delicate honour to the sense of smell, would -surely keep anything going, for ever and ever. The exquisite gentlemen -of the finest breeding wore little pendent trinkets that chinked as they -languidly moved; these golden fetters rang like precious little bells; -and what with that ringing, and with the rustle of silk and brocade and -fine linen, there was a flutter in the air that fanned Saint Antoine and -his devouring hunger far away. - -Dress was the one unfailing talisman and charm used for keeping all -things in their places. Everybody was dressed for a Fancy Ball that -was never to leave off. From the Palace of the Tuileries, through -Monseigneur and the whole Court, through the Chambers, the Tribunals -of Justice, and all society (except the scarecrows), the Fancy Ball -descended to the Common Executioner: who, in pursuance of the charm, was -required to officiate “frizzled, powdered, in a gold-laced coat, pumps, -and white silk stockings.” At the gallows and the wheel--the axe was a -rarity--Monsieur Paris, as it was the episcopal mode among his brother -Professors of the provinces, Monsieur Orleans, and the rest, to call -him, presided in this dainty dress. And who among the company at -Monseigneur's reception in that seventeen hundred and eightieth year -of our Lord, could possibly doubt, that a system rooted in a frizzled -hangman, powdered, gold-laced, pumped, and white-silk stockinged, would -see the very stars out! - -Monseigneur having eased his four men of their burdens and taken his -chocolate, caused the doors of the Holiest of Holiests to be thrown -open, and issued forth. Then, what submission, what cringing and -fawning, what servility, what abject humiliation! As to bowing down in -body and spirit, nothing in that way was left for Heaven--which may have -been one among other reasons why the worshippers of Monseigneur never -troubled it. - -Bestowing a word of promise here and a smile there, a whisper on one -happy slave and a wave of the hand on another, Monseigneur affably -passed through his rooms to the remote region of the Circumference of -Truth. There, Monseigneur turned, and came back again, and so in due -course of time got himself shut up in his sanctuary by the chocolate -sprites, and was seen no more. - -The show being over, the flutter in the air became quite a little storm, -and the precious little bells went ringing downstairs. There was soon -but one person left of all the crowd, and he, with his hat under his arm -and his snuff-box in his hand, slowly passed among the mirrors on his -way out. - -“I devote you,” said this person, stopping at the last door on his way, -and turning in the direction of the sanctuary, “to the Devil!” - -With that, he shook the snuff from his fingers as if he had shaken the -dust from his feet, and quietly walked downstairs. - -He was a man of about sixty, handsomely dressed, haughty in manner, and -with a face like a fine mask. A face of a transparent paleness; every -feature in it clearly defined; one set expression on it. The nose, -beautifully formed otherwise, was very slightly pinched at the top -of each nostril. In those two compressions, or dints, the only little -change that the face ever showed, resided. They persisted in changing -colour sometimes, and they would be occasionally dilated and contracted -by something like a faint pulsation; then, they gave a look of -treachery, and cruelty, to the whole countenance. Examined with -attention, its capacity of helping such a look was to be found in the -line of the mouth, and the lines of the orbits of the eyes, being much -too horizontal and thin; still, in the effect of the face made, it was a -handsome face, and a remarkable one. - -Its owner went downstairs into the courtyard, got into his carriage, and -drove away. Not many people had talked with him at the reception; he had -stood in a little space apart, and Monseigneur might have been warmer -in his manner. It appeared, under the circumstances, rather agreeable -to him to see the common people dispersed before his horses, and -often barely escaping from being run down. His man drove as if he were -charging an enemy, and the furious recklessness of the man brought no -check into the face, or to the lips, of the master. The complaint had -sometimes made itself audible, even in that deaf city and dumb age, -that, in the narrow streets without footways, the fierce patrician -custom of hard driving endangered and maimed the mere vulgar in a -barbarous manner. But, few cared enough for that to think of it a second -time, and, in this matter, as in all others, the common wretches were -left to get out of their difficulties as they could. - -With a wild rattle and clatter, and an inhuman abandonment of -consideration not easy to be understood in these days, the carriage -dashed through streets and swept round corners, with women screaming -before it, and men clutching each other and clutching children out of -its way. At last, swooping at a street corner by a fountain, one of its -wheels came to a sickening little jolt, and there was a loud cry from a -number of voices, and the horses reared and plunged. - -But for the latter inconvenience, the carriage probably would not have -stopped; carriages were often known to drive on, and leave their wounded -behind, and why not? But the frightened valet had got down in a hurry, -and there were twenty hands at the horses' bridles. - -“What has gone wrong?” said Monsieur, calmly looking out. - -A tall man in a nightcap had caught up a bundle from among the feet of -the horses, and had laid it on the basement of the fountain, and was -down in the mud and wet, howling over it like a wild animal. - -“Pardon, Monsieur the Marquis!” said a ragged and submissive man, “it is -a child.” - -“Why does he make that abominable noise? Is it his child?” - -“Excuse me, Monsieur the Marquis--it is a pity--yes.” - -The fountain was a little removed; for the street opened, where it was, -into a space some ten or twelve yards square. As the tall man suddenly -got up from the ground, and came running at the carriage, Monsieur the -Marquis clapped his hand for an instant on his sword-hilt. - -“Killed!” shrieked the man, in wild desperation, extending both arms at -their length above his head, and staring at him. “Dead!” - -The people closed round, and looked at Monsieur the Marquis. There was -nothing revealed by the many eyes that looked at him but watchfulness -and eagerness; there was no visible menacing or anger. Neither did the -people say anything; after the first cry, they had been silent, and they -remained so. The voice of the submissive man who had spoken, was flat -and tame in its extreme submission. Monsieur the Marquis ran his eyes -over them all, as if they had been mere rats come out of their holes. - -He took out his purse. - -“It is extraordinary to me,” said he, “that you people cannot take care -of yourselves and your children. One or the other of you is for ever in -the way. How do I know what injury you have done my horses. See! Give -him that.” - -He threw out a gold coin for the valet to pick up, and all the heads -craned forward that all the eyes might look down at it as it fell. The -tall man called out again with a most unearthly cry, “Dead!” - -He was arrested by the quick arrival of another man, for whom the rest -made way. On seeing him, the miserable creature fell upon his shoulder, -sobbing and crying, and pointing to the fountain, where some women were -stooping over the motionless bundle, and moving gently about it. They -were as silent, however, as the men. - -“I know all, I know all,” said the last comer. “Be a brave man, my -Gaspard! It is better for the poor little plaything to die so, than to -live. It has died in a moment without pain. Could it have lived an hour -as happily?” - -“You are a philosopher, you there,” said the Marquis, smiling. “How do -they call you?” - -“They call me Defarge.” - -“Of what trade?” - -“Monsieur the Marquis, vendor of wine.” - -“Pick up that, philosopher and vendor of wine,” said the Marquis, -throwing him another gold coin, “and spend it as you will. The horses -there; are they right?” - -Without deigning to look at the assemblage a second time, Monsieur the -Marquis leaned back in his seat, and was just being driven away with the -air of a gentleman who had accidentally broke some common thing, and had -paid for it, and could afford to pay for it; when his ease was suddenly -disturbed by a coin flying into his carriage, and ringing on its floor. - -“Hold!” said Monsieur the Marquis. “Hold the horses! Who threw that?” - -He looked to the spot where Defarge the vendor of wine had stood, a -moment before; but the wretched father was grovelling on his face on -the pavement in that spot, and the figure that stood beside him was the -figure of a dark stout woman, knitting. - -“You dogs!” said the Marquis, but smoothly, and with an unchanged front, -except as to the spots on his nose: “I would ride over any of you very -willingly, and exterminate you from the earth. If I knew which rascal -threw at the carriage, and if that brigand were sufficiently near it, he -should be crushed under the wheels.” - -So cowed was their condition, and so long and hard their experience of -what such a man could do to them, within the law and beyond it, that not -a voice, or a hand, or even an eye was raised. Among the men, not one. -But the woman who stood knitting looked up steadily, and looked the -Marquis in the face. It was not for his dignity to notice it; his -contemptuous eyes passed over her, and over all the other rats; and he -leaned back in his seat again, and gave the word “Go on!” - -He was driven on, and other carriages came whirling by in quick -succession; the Minister, the State-Projector, the Farmer-General, the -Doctor, the Lawyer, the Ecclesiastic, the Grand Opera, the Comedy, the -whole Fancy Ball in a bright continuous flow, came whirling by. The rats -had crept out of their holes to look on, and they remained looking -on for hours; soldiers and police often passing between them and the -spectacle, and making a barrier behind which they slunk, and through -which they peeped. The father had long ago taken up his bundle and -bidden himself away with it, when the women who had tended the bundle -while it lay on the base of the fountain, sat there watching the running -of the water and the rolling of the Fancy Ball--when the one woman who -had stood conspicuous, knitting, still knitted on with the steadfastness -of Fate. The water of the fountain ran, the swift river ran, the day ran -into evening, so much life in the city ran into death according to rule, -time and tide waited for no man, the rats were sleeping close together -in their dark holes again, the Fancy Ball was lighted up at supper, all -things ran their course. - - - - -VIII. Monseigneur in the Country - - -A beautiful landscape, with the corn bright in it, but not abundant. -Patches of poor rye where corn should have been, patches of poor peas -and beans, patches of most coarse vegetable substitutes for wheat. On -inanimate nature, as on the men and women who cultivated it, a prevalent -tendency towards an appearance of vegetating unwillingly--a dejected -disposition to give up, and wither away. - -Monsieur the Marquis in his travelling carriage (which might have been -lighter), conducted by four post-horses and two postilions, fagged up -a steep hill. A blush on the countenance of Monsieur the Marquis was -no impeachment of his high breeding; it was not from within; it was -occasioned by an external circumstance beyond his control--the setting -sun. - -The sunset struck so brilliantly into the travelling carriage when it -gained the hill-top, that its occupant was steeped in crimson. “It will -die out,” said Monsieur the Marquis, glancing at his hands, “directly.” - -In effect, the sun was so low that it dipped at the moment. When the -heavy drag had been adjusted to the wheel, and the carriage slid down -hill, with a cinderous smell, in a cloud of dust, the red glow departed -quickly; the sun and the Marquis going down together, there was no glow -left when the drag was taken off. - -But, there remained a broken country, bold and open, a little village -at the bottom of the hill, a broad sweep and rise beyond it, a -church-tower, a windmill, a forest for the chase, and a crag with a -fortress on it used as a prison. Round upon all these darkening objects -as the night drew on, the Marquis looked, with the air of one who was -coming near home. - -The village had its one poor street, with its poor brewery, poor -tannery, poor tavern, poor stable-yard for relays of post-horses, poor -fountain, all usual poor appointments. It had its poor people too. All -its people were poor, and many of them were sitting at their doors, -shredding spare onions and the like for supper, while many were at the -fountain, washing leaves, and grasses, and any such small yieldings of -the earth that could be eaten. Expressive signs of what made them poor, -were not wanting; the tax for the state, the tax for the church, the tax -for the lord, tax local and tax general, were to be paid here and to be -paid there, according to solemn inscription in the little village, until -the wonder was, that there was any village left unswallowed. - -Few children were to be seen, and no dogs. As to the men and women, -their choice on earth was stated in the prospect--Life on the lowest -terms that could sustain it, down in the little village under the mill; -or captivity and Death in the dominant prison on the crag. - -Heralded by a courier in advance, and by the cracking of his postilions' -whips, which twined snake-like about their heads in the evening air, as -if he came attended by the Furies, Monsieur the Marquis drew up in -his travelling carriage at the posting-house gate. It was hard by the -fountain, and the peasants suspended their operations to look at him. -He looked at them, and saw in them, without knowing it, the slow -sure filing down of misery-worn face and figure, that was to make the -meagreness of Frenchmen an English superstition which should survive the -truth through the best part of a hundred years. - -Monsieur the Marquis cast his eyes over the submissive faces that -drooped before him, as the like of himself had drooped before -Monseigneur of the Court--only the difference was, that these faces -drooped merely to suffer and not to propitiate--when a grizzled mender -of the roads joined the group. - -“Bring me hither that fellow!” said the Marquis to the courier. - -The fellow was brought, cap in hand, and the other fellows closed round -to look and listen, in the manner of the people at the Paris fountain. - -“I passed you on the road?” - -“Monseigneur, it is true. I had the honour of being passed on the road.” - -“Coming up the hill, and at the top of the hill, both?” - -“Monseigneur, it is true.” - -“What did you look at, so fixedly?” - -“Monseigneur, I looked at the man.” - -He stooped a little, and with his tattered blue cap pointed under the -carriage. All his fellows stooped to look under the carriage. - -“What man, pig? And why look there?” - -“Pardon, Monseigneur; he swung by the chain of the shoe--the drag.” - -“Who?” demanded the traveller. - -“Monseigneur, the man.” - -“May the Devil carry away these idiots! How do you call the man? You -know all the men of this part of the country. Who was he?” - -“Your clemency, Monseigneur! He was not of this part of the country. Of -all the days of my life, I never saw him.” - -“Swinging by the chain? To be suffocated?” - -“With your gracious permission, that was the wonder of it, Monseigneur. -His head hanging over--like this!” - -He turned himself sideways to the carriage, and leaned back, with his -face thrown up to the sky, and his head hanging down; then recovered -himself, fumbled with his cap, and made a bow. - -“What was he like?” - -“Monseigneur, he was whiter than the miller. All covered with dust, -white as a spectre, tall as a spectre!” - -The picture produced an immense sensation in the little crowd; but all -eyes, without comparing notes with other eyes, looked at Monsieur -the Marquis. Perhaps, to observe whether he had any spectre on his -conscience. - -“Truly, you did well,” said the Marquis, felicitously sensible that such -vermin were not to ruffle him, “to see a thief accompanying my carriage, -and not open that great mouth of yours. Bah! Put him aside, Monsieur -Gabelle!” - -Monsieur Gabelle was the Postmaster, and some other taxing functionary -united; he had come out with great obsequiousness to assist at this -examination, and had held the examined by the drapery of his arm in an -official manner. - -“Bah! Go aside!” said Monsieur Gabelle. - -“Lay hands on this stranger if he seeks to lodge in your village -to-night, and be sure that his business is honest, Gabelle.” - -“Monseigneur, I am flattered to devote myself to your orders.” - -“Did he run away, fellow?--where is that Accursed?” - -The accursed was already under the carriage with some half-dozen -particular friends, pointing out the chain with his blue cap. Some -half-dozen other particular friends promptly hauled him out, and -presented him breathless to Monsieur the Marquis. - -“Did the man run away, Dolt, when we stopped for the drag?” - -“Monseigneur, he precipitated himself over the hill-side, head first, as -a person plunges into the river.” - -“See to it, Gabelle. Go on!” - -The half-dozen who were peering at the chain were still among the -wheels, like sheep; the wheels turned so suddenly that they were lucky -to save their skins and bones; they had very little else to save, or -they might not have been so fortunate. - -The burst with which the carriage started out of the village and up the -rise beyond, was soon checked by the steepness of the hill. Gradually, -it subsided to a foot pace, swinging and lumbering upward among the many -sweet scents of a summer night. The postilions, with a thousand gossamer -gnats circling about them in lieu of the Furies, quietly mended the -points to the lashes of their whips; the valet walked by the horses; the -courier was audible, trotting on ahead into the dull distance. - -At the steepest point of the hill there was a little burial-ground, -with a Cross and a new large figure of Our Saviour on it; it was a poor -figure in wood, done by some inexperienced rustic carver, but he had -studied the figure from the life--his own life, maybe--for it was -dreadfully spare and thin. - -To this distressful emblem of a great distress that had long been -growing worse, and was not at its worst, a woman was kneeling. She -turned her head as the carriage came up to her, rose quickly, and -presented herself at the carriage-door. - -“It is you, Monseigneur! Monseigneur, a petition.” - -With an exclamation of impatience, but with his unchangeable face, -Monseigneur looked out. - -“How, then! What is it? Always petitions!” - -“Monseigneur. For the love of the great God! My husband, the forester.” - -“What of your husband, the forester? Always the same with you people. He -cannot pay something?” - -“He has paid all, Monseigneur. He is dead.” - -“Well! He is quiet. Can I restore him to you?” - -“Alas, no, Monseigneur! But he lies yonder, under a little heap of poor -grass.” - -“Well?” - -“Monseigneur, there are so many little heaps of poor grass?” - -“Again, well?” - -She looked an old woman, but was young. Her manner was one of passionate -grief; by turns she clasped her veinous and knotted hands together -with wild energy, and laid one of them on the carriage-door--tenderly, -caressingly, as if it had been a human breast, and could be expected to -feel the appealing touch. - -“Monseigneur, hear me! Monseigneur, hear my petition! My husband died of -want; so many die of want; so many more will die of want.” - -“Again, well? Can I feed them?” - -“Monseigneur, the good God knows; but I don't ask it. My petition is, -that a morsel of stone or wood, with my husband's name, may be placed -over him to show where he lies. Otherwise, the place will be quickly -forgotten, it will never be found when I am dead of the same malady, I -shall be laid under some other heap of poor grass. Monseigneur, they -are so many, they increase so fast, there is so much want. Monseigneur! -Monseigneur!” - -The valet had put her away from the door, the carriage had broken into -a brisk trot, the postilions had quickened the pace, she was left far -behind, and Monseigneur, again escorted by the Furies, was rapidly -diminishing the league or two of distance that remained between him and -his chateau. - -The sweet scents of the summer night rose all around him, and rose, as -the rain falls, impartially, on the dusty, ragged, and toil-worn group -at the fountain not far away; to whom the mender of roads, with the aid -of the blue cap without which he was nothing, still enlarged upon his -man like a spectre, as long as they could bear it. By degrees, as they -could bear no more, they dropped off one by one, and lights twinkled -in little casements; which lights, as the casements darkened, and more -stars came out, seemed to have shot up into the sky instead of having -been extinguished. - -The shadow of a large high-roofed house, and of many over-hanging trees, -was upon Monsieur the Marquis by that time; and the shadow was exchanged -for the light of a flambeau, as his carriage stopped, and the great door -of his chateau was opened to him. - -“Monsieur Charles, whom I expect; is he arrived from England?” - -“Monseigneur, not yet.” - - - - -IX. The Gorgon's Head - - -It was a heavy mass of building, that chateau of Monsieur the Marquis, -with a large stone courtyard before it, and two stone sweeps of -staircase meeting in a stone terrace before the principal door. A stony -business altogether, with heavy stone balustrades, and stone urns, and -stone flowers, and stone faces of men, and stone heads of lions, in -all directions. As if the Gorgon's head had surveyed it, when it was -finished, two centuries ago. - -Up the broad flight of shallow steps, Monsieur the Marquis, flambeau -preceded, went from his carriage, sufficiently disturbing the darkness -to elicit loud remonstrance from an owl in the roof of the great pile -of stable building away among the trees. All else was so quiet, that the -flambeau carried up the steps, and the other flambeau held at the great -door, burnt as if they were in a close room of state, instead of being -in the open night-air. Other sound than the owl's voice there was none, -save the falling of a fountain into its stone basin; for, it was one of -those dark nights that hold their breath by the hour together, and then -heave a long low sigh, and hold their breath again. - -The great door clanged behind him, and Monsieur the Marquis crossed a -hall grim with certain old boar-spears, swords, and knives of the chase; -grimmer with certain heavy riding-rods and riding-whips, of which many a -peasant, gone to his benefactor Death, had felt the weight when his lord -was angry. - -Avoiding the larger rooms, which were dark and made fast for the night, -Monsieur the Marquis, with his flambeau-bearer going on before, went up -the staircase to a door in a corridor. This thrown open, admitted him -to his own private apartment of three rooms: his bed-chamber and two -others. High vaulted rooms with cool uncarpeted floors, great dogs upon -the hearths for the burning of wood in winter time, and all luxuries -befitting the state of a marquis in a luxurious age and country. -The fashion of the last Louis but one, of the line that was never to -break--the fourteenth Louis--was conspicuous in their rich furniture; -but, it was diversified by many objects that were illustrations of old -pages in the history of France. - -A supper-table was laid for two, in the third of the rooms; a round -room, in one of the chateau's four extinguisher-topped towers. A small -lofty room, with its window wide open, and the wooden jalousie-blinds -closed, so that the dark night only showed in slight horizontal lines of -black, alternating with their broad lines of stone colour. - -“My nephew,” said the Marquis, glancing at the supper preparation; “they -said he was not arrived.” - -Nor was he; but, he had been expected with Monseigneur. - -“Ah! It is not probable he will arrive to-night; nevertheless, leave the -table as it is. I shall be ready in a quarter of an hour.” - -In a quarter of an hour Monseigneur was ready, and sat down alone to his -sumptuous and choice supper. His chair was opposite to the window, and -he had taken his soup, and was raising his glass of Bordeaux to his -lips, when he put it down. - -“What is that?” he calmly asked, looking with attention at the -horizontal lines of black and stone colour. - -“Monseigneur? That?” - -“Outside the blinds. Open the blinds.” - -It was done. - -“Well?” - -“Monseigneur, it is nothing. The trees and the night are all that are -here.” - -The servant who spoke, had thrown the blinds wide, had looked out into -the vacant darkness, and stood with that blank behind him, looking round -for instructions. - -“Good,” said the imperturbable master. “Close them again.” - -That was done too, and the Marquis went on with his supper. He was -half way through it, when he again stopped with his glass in his hand, -hearing the sound of wheels. It came on briskly, and came up to the -front of the chateau. - -“Ask who is arrived.” - -It was the nephew of Monseigneur. He had been some few leagues behind -Monseigneur, early in the afternoon. He had diminished the distance -rapidly, but not so rapidly as to come up with Monseigneur on the road. -He had heard of Monseigneur, at the posting-houses, as being before him. - -He was to be told (said Monseigneur) that supper awaited him then and -there, and that he was prayed to come to it. In a little while he came. -He had been known in England as Charles Darnay. - -Monseigneur received him in a courtly manner, but they did not shake -hands. - -“You left Paris yesterday, sir?” he said to Monseigneur, as he took his -seat at table. - -“Yesterday. And you?” - -“I come direct.” - -“From London?” - -“Yes.” - -“You have been a long time coming,” said the Marquis, with a smile. - -“On the contrary; I come direct.” - -“Pardon me! I mean, not a long time on the journey; a long time -intending the journey.” - -“I have been detained by”--the nephew stopped a moment in his -answer--“various business.” - -“Without doubt,” said the polished uncle. - -So long as a servant was present, no other words passed between them. -When coffee had been served and they were alone together, the nephew, -looking at the uncle and meeting the eyes of the face that was like a -fine mask, opened a conversation. - -“I have come back, sir, as you anticipate, pursuing the object that -took me away. It carried me into great and unexpected peril; but it is -a sacred object, and if it had carried me to death I hope it would have -sustained me.” - -“Not to death,” said the uncle; “it is not necessary to say, to death.” - -“I doubt, sir,” returned the nephew, “whether, if it had carried me to -the utmost brink of death, you would have cared to stop me there.” - -The deepened marks in the nose, and the lengthening of the fine straight -lines in the cruel face, looked ominous as to that; the uncle made a -graceful gesture of protest, which was so clearly a slight form of good -breeding that it was not reassuring. - -“Indeed, sir,” pursued the nephew, “for anything I know, you may have -expressly worked to give a more suspicious appearance to the suspicious -circumstances that surrounded me.” - -“No, no, no,” said the uncle, pleasantly. - -“But, however that may be,” resumed the nephew, glancing at him with -deep distrust, “I know that your diplomacy would stop me by any means, -and would know no scruple as to means.” - -“My friend, I told you so,” said the uncle, with a fine pulsation in the -two marks. “Do me the favour to recall that I told you so, long ago.” - -“I recall it.” - -“Thank you,” said the Marquis--very sweetly indeed. - -His tone lingered in the air, almost like the tone of a musical -instrument. - -“In effect, sir,” pursued the nephew, “I believe it to be at once your -bad fortune, and my good fortune, that has kept me out of a prison in -France here.” - -“I do not quite understand,” returned the uncle, sipping his coffee. -“Dare I ask you to explain?” - -“I believe that if you were not in disgrace with the Court, and had not -been overshadowed by that cloud for years past, a letter de cachet would -have sent me to some fortress indefinitely.” - -“It is possible,” said the uncle, with great calmness. “For the honour -of the family, I could even resolve to incommode you to that extent. -Pray excuse me!” - -“I perceive that, happily for me, the Reception of the day before -yesterday was, as usual, a cold one,” observed the nephew. - -“I would not say happily, my friend,” returned the uncle, with refined -politeness; “I would not be sure of that. A good opportunity for -consideration, surrounded by the advantages of solitude, might influence -your destiny to far greater advantage than you influence it for -yourself. But it is useless to discuss the question. I am, as you say, -at a disadvantage. These little instruments of correction, these gentle -aids to the power and honour of families, these slight favours that -might so incommode you, are only to be obtained now by interest -and importunity. They are sought by so many, and they are granted -(comparatively) to so few! It used not to be so, but France in all such -things is changed for the worse. Our not remote ancestors held the right -of life and death over the surrounding vulgar. From this room, many such -dogs have been taken out to be hanged; in the next room (my bedroom), -one fellow, to our knowledge, was poniarded on the spot for professing -some insolent delicacy respecting his daughter--_his_ daughter? We have -lost many privileges; a new philosophy has become the mode; and the -assertion of our station, in these days, might (I do not go so far as -to say would, but might) cause us real inconvenience. All very bad, very -bad!” - -The Marquis took a gentle little pinch of snuff, and shook his head; -as elegantly despondent as he could becomingly be of a country still -containing himself, that great means of regeneration. - -“We have so asserted our station, both in the old time and in the modern -time also,” said the nephew, gloomily, “that I believe our name to be -more detested than any name in France.” - -“Let us hope so,” said the uncle. “Detestation of the high is the -involuntary homage of the low.” - -“There is not,” pursued the nephew, in his former tone, “a face I can -look at, in all this country round about us, which looks at me with any -deference on it but the dark deference of fear and slavery.” - -“A compliment,” said the Marquis, “to the grandeur of the family, -merited by the manner in which the family has sustained its grandeur. -Hah!” And he took another gentle little pinch of snuff, and lightly -crossed his legs. - -But, when his nephew, leaning an elbow on the table, covered his eyes -thoughtfully and dejectedly with his hand, the fine mask looked at -him sideways with a stronger concentration of keenness, closeness, -and dislike, than was comportable with its wearer's assumption of -indifference. - -“Repression is the only lasting philosophy. The dark deference of fear -and slavery, my friend,” observed the Marquis, “will keep the dogs -obedient to the whip, as long as this roof,” looking up to it, “shuts -out the sky.” - -That might not be so long as the Marquis supposed. If a picture of the -chateau as it was to be a very few years hence, and of fifty like it as -they too were to be a very few years hence, could have been shown to -him that night, he might have been at a loss to claim his own from -the ghastly, fire-charred, plunder-wrecked rains. As for the roof -he vaunted, he might have found _that_ shutting out the sky in a new -way--to wit, for ever, from the eyes of the bodies into which its lead -was fired, out of the barrels of a hundred thousand muskets. - -“Meanwhile,” said the Marquis, “I will preserve the honour and repose -of the family, if you will not. But you must be fatigued. Shall we -terminate our conference for the night?” - -“A moment more.” - -“An hour, if you please.” - -“Sir,” said the nephew, “we have done wrong, and are reaping the fruits -of wrong.” - -“_We_ have done wrong?” repeated the Marquis, with an inquiring smile, -and delicately pointing, first to his nephew, then to himself. - -“Our family; our honourable family, whose honour is of so much account -to both of us, in such different ways. Even in my father's time, we did -a world of wrong, injuring every human creature who came between us and -our pleasure, whatever it was. Why need I speak of my father's time, -when it is equally yours? Can I separate my father's twin-brother, joint -inheritor, and next successor, from himself?” - -“Death has done that!” said the Marquis. - -“And has left me,” answered the nephew, “bound to a system that is -frightful to me, responsible for it, but powerless in it; seeking to -execute the last request of my dear mother's lips, and obey the last -look of my dear mother's eyes, which implored me to have mercy and to -redress; and tortured by seeking assistance and power in vain.” - -“Seeking them from me, my nephew,” said the Marquis, touching him on the -breast with his forefinger--they were now standing by the hearth--“you -will for ever seek them in vain, be assured.” - -Every fine straight line in the clear whiteness of his face, was -cruelly, craftily, and closely compressed, while he stood looking -quietly at his nephew, with his snuff-box in his hand. Once again he -touched him on the breast, as though his finger were the fine point of -a small sword, with which, in delicate finesse, he ran him through the -body, and said, - -“My friend, I will die, perpetuating the system under which I have -lived.” - -When he had said it, he took a culminating pinch of snuff, and put his -box in his pocket. - -“Better to be a rational creature,” he added then, after ringing a small -bell on the table, “and accept your natural destiny. But you are lost, -Monsieur Charles, I see.” - -“This property and France are lost to me,” said the nephew, sadly; “I -renounce them.” - -“Are they both yours to renounce? France may be, but is the property? It -is scarcely worth mentioning; but, is it yet?” - -“I had no intention, in the words I used, to claim it yet. If it passed -to me from you, to-morrow--” - -“Which I have the vanity to hope is not probable.” - -“--or twenty years hence--” - -“You do me too much honour,” said the Marquis; “still, I prefer that -supposition.” - -“--I would abandon it, and live otherwise and elsewhere. It is little to -relinquish. What is it but a wilderness of misery and ruin!” - -“Hah!” said the Marquis, glancing round the luxurious room. - -“To the eye it is fair enough, here; but seen in its integrity, -under the sky, and by the daylight, it is a crumbling tower of waste, -mismanagement, extortion, debt, mortgage, oppression, hunger, nakedness, -and suffering.” - -“Hah!” said the Marquis again, in a well-satisfied manner. - -“If it ever becomes mine, it shall be put into some hands better -qualified to free it slowly (if such a thing is possible) from the -weight that drags it down, so that the miserable people who cannot leave -it and who have been long wrung to the last point of endurance, may, in -another generation, suffer less; but it is not for me. There is a curse -on it, and on all this land.” - -“And you?” said the uncle. “Forgive my curiosity; do you, under your new -philosophy, graciously intend to live?” - -“I must do, to live, what others of my countrymen, even with nobility at -their backs, may have to do some day--work.” - -“In England, for example?” - -“Yes. The family honour, sir, is safe from me in this country. The -family name can suffer from me in no other, for I bear it in no other.” - -The ringing of the bell had caused the adjoining bed-chamber to be -lighted. It now shone brightly, through the door of communication. The -Marquis looked that way, and listened for the retreating step of his -valet. - -“England is very attractive to you, seeing how indifferently you have -prospered there,” he observed then, turning his calm face to his nephew -with a smile. - -“I have already said, that for my prospering there, I am sensible I may -be indebted to you, sir. For the rest, it is my Refuge.” - -“They say, those boastful English, that it is the Refuge of many. You -know a compatriot who has found a Refuge there? A Doctor?” - -“Yes.” - -“With a daughter?” - -“Yes.” - -“Yes,” said the Marquis. “You are fatigued. Good night!” - -As he bent his head in his most courtly manner, there was a secrecy -in his smiling face, and he conveyed an air of mystery to those words, -which struck the eyes and ears of his nephew forcibly. At the same -time, the thin straight lines of the setting of the eyes, and the thin -straight lips, and the markings in the nose, curved with a sarcasm that -looked handsomely diabolic. - -“Yes,” repeated the Marquis. “A Doctor with a daughter. Yes. So -commences the new philosophy! You are fatigued. Good night!” - -It would have been of as much avail to interrogate any stone face -outside the chateau as to interrogate that face of his. The nephew -looked at him, in vain, in passing on to the door. - -“Good night!” said the uncle. “I look to the pleasure of seeing you -again in the morning. Good repose! Light Monsieur my nephew to his -chamber there!--And burn Monsieur my nephew in his bed, if you will,” he -added to himself, before he rang his little bell again, and summoned his -valet to his own bedroom. - -The valet come and gone, Monsieur the Marquis walked to and fro in his -loose chamber-robe, to prepare himself gently for sleep, that hot still -night. Rustling about the room, his softly-slippered feet making no -noise on the floor, he moved like a refined tiger:--looked like some -enchanted marquis of the impenitently wicked sort, in story, whose -periodical change into tiger form was either just going off, or just -coming on. - -He moved from end to end of his voluptuous bedroom, looking again at the -scraps of the day's journey that came unbidden into his mind; the slow -toil up the hill at sunset, the setting sun, the descent, the mill, the -prison on the crag, the little village in the hollow, the peasants at -the fountain, and the mender of roads with his blue cap pointing out the -chain under the carriage. That fountain suggested the Paris fountain, -the little bundle lying on the step, the women bending over it, and the -tall man with his arms up, crying, “Dead!” - -“I am cool now,” said Monsieur the Marquis, “and may go to bed.” - -So, leaving only one light burning on the large hearth, he let his thin -gauze curtains fall around him, and heard the night break its silence -with a long sigh as he composed himself to sleep. - -The stone faces on the outer walls stared blindly at the black night -for three heavy hours; for three heavy hours, the horses in the stables -rattled at their racks, the dogs barked, and the owl made a noise with -very little resemblance in it to the noise conventionally assigned to -the owl by men-poets. But it is the obstinate custom of such creatures -hardly ever to say what is set down for them. - -For three heavy hours, the stone faces of the chateau, lion and human, -stared blindly at the night. Dead darkness lay on all the landscape, -dead darkness added its own hush to the hushing dust on all the roads. -The burial-place had got to the pass that its little heaps of poor grass -were undistinguishable from one another; the figure on the Cross might -have come down, for anything that could be seen of it. In the village, -taxers and taxed were fast asleep. Dreaming, perhaps, of banquets, as -the starved usually do, and of ease and rest, as the driven slave and -the yoked ox may, its lean inhabitants slept soundly, and were fed and -freed. - -The fountain in the village flowed unseen and unheard, and the fountain -at the chateau dropped unseen and unheard--both melting away, like the -minutes that were falling from the spring of Time--through three dark -hours. Then, the grey water of both began to be ghostly in the light, -and the eyes of the stone faces of the chateau were opened. - -Lighter and lighter, until at last the sun touched the tops of the still -trees, and poured its radiance over the hill. In the glow, the water -of the chateau fountain seemed to turn to blood, and the stone faces -crimsoned. The carol of the birds was loud and high, and, on the -weather-beaten sill of the great window of the bed-chamber of Monsieur -the Marquis, one little bird sang its sweetest song with all its might. -At this, the nearest stone face seemed to stare amazed, and, with open -mouth and dropped under-jaw, looked awe-stricken. - -Now, the sun was full up, and movement began in the village. Casement -windows opened, crazy doors were unbarred, and people came forth -shivering--chilled, as yet, by the new sweet air. Then began the rarely -lightened toil of the day among the village population. Some, to the -fountain; some, to the fields; men and women here, to dig and delve; men -and women there, to see to the poor live stock, and lead the bony cows -out, to such pasture as could be found by the roadside. In the church -and at the Cross, a kneeling figure or two; attendant on the latter -prayers, the led cow, trying for a breakfast among the weeds at its -foot. - -The chateau awoke later, as became its quality, but awoke gradually and -surely. First, the lonely boar-spears and knives of the chase had been -reddened as of old; then, had gleamed trenchant in the morning sunshine; -now, doors and windows were thrown open, horses in their stables looked -round over their shoulders at the light and freshness pouring in at -doorways, leaves sparkled and rustled at iron-grated windows, dogs -pulled hard at their chains, and reared impatient to be loosed. - -All these trivial incidents belonged to the routine of life, and the -return of morning. Surely, not so the ringing of the great bell of the -chateau, nor the running up and down the stairs; nor the hurried -figures on the terrace; nor the booting and tramping here and there and -everywhere, nor the quick saddling of horses and riding away? - -What winds conveyed this hurry to the grizzled mender of roads, already -at work on the hill-top beyond the village, with his day's dinner (not -much to carry) lying in a bundle that it was worth no crow's while to -peck at, on a heap of stones? Had the birds, carrying some grains of it -to a distance, dropped one over him as they sow chance seeds? Whether or -no, the mender of roads ran, on the sultry morning, as if for his life, -down the hill, knee-high in dust, and never stopped till he got to the -fountain. - -All the people of the village were at the fountain, standing about -in their depressed manner, and whispering low, but showing no other -emotions than grim curiosity and surprise. The led cows, hastily brought -in and tethered to anything that would hold them, were looking stupidly -on, or lying down chewing the cud of nothing particularly repaying their -trouble, which they had picked up in their interrupted saunter. Some of -the people of the chateau, and some of those of the posting-house, and -all the taxing authorities, were armed more or less, and were crowded -on the other side of the little street in a purposeless way, that was -highly fraught with nothing. Already, the mender of roads had penetrated -into the midst of a group of fifty particular friends, and was smiting -himself in the breast with his blue cap. What did all this portend, -and what portended the swift hoisting-up of Monsieur Gabelle behind -a servant on horseback, and the conveying away of the said Gabelle -(double-laden though the horse was), at a gallop, like a new version of -the German ballad of Leonora? - -It portended that there was one stone face too many, up at the chateau. - -The Gorgon had surveyed the building again in the night, and had added -the one stone face wanting; the stone face for which it had waited -through about two hundred years. - -It lay back on the pillow of Monsieur the Marquis. It was like a fine -mask, suddenly startled, made angry, and petrified. Driven home into the -heart of the stone figure attached to it, was a knife. Round its hilt -was a frill of paper, on which was scrawled: - -“Drive him fast to his tomb. This, from Jacques.” - - - - -X. Two Promises - - -More months, to the number of twelve, had come and gone, and Mr. Charles -Darnay was established in England as a higher teacher of the French -language who was conversant with French literature. In this age, he -would have been a Professor; in that age, he was a Tutor. He read with -young men who could find any leisure and interest for the study of a -living tongue spoken all over the world, and he cultivated a taste for -its stores of knowledge and fancy. He could write of them, besides, in -sound English, and render them into sound English. Such masters were not -at that time easily found; Princes that had been, and Kings that were -to be, were not yet of the Teacher class, and no ruined nobility had -dropped out of Tellson's ledgers, to turn cooks and carpenters. As a -tutor, whose attainments made the student's way unusually pleasant and -profitable, and as an elegant translator who brought something to his -work besides mere dictionary knowledge, young Mr. Darnay soon became -known and encouraged. He was well acquainted, more-over, with the -circumstances of his country, and those were of ever-growing interest. -So, with great perseverance and untiring industry, he prospered. - -In London, he had expected neither to walk on pavements of gold, nor -to lie on beds of roses; if he had had any such exalted expectation, he -would not have prospered. He had expected labour, and he found it, and -did it and made the best of it. In this, his prosperity consisted. - -A certain portion of his time was passed at Cambridge, where he -read with undergraduates as a sort of tolerated smuggler who drove a -contraband trade in European languages, instead of conveying Greek -and Latin through the Custom-house. The rest of his time he passed in -London. - -Now, from the days when it was always summer in Eden, to these days -when it is mostly winter in fallen latitudes, the world of a man has -invariably gone one way--Charles Darnay's way--the way of the love of a -woman. - -He had loved Lucie Manette from the hour of his danger. He had never -heard a sound so sweet and dear as the sound of her compassionate voice; -he had never seen a face so tenderly beautiful, as hers when it was -confronted with his own on the edge of the grave that had been dug for -him. But, he had not yet spoken to her on the subject; the assassination -at the deserted chateau far away beyond the heaving water and the long, -long, dusty roads--the solid stone chateau which had itself become the -mere mist of a dream--had been done a year, and he had never yet, by so -much as a single spoken word, disclosed to her the state of his heart. - -That he had his reasons for this, he knew full well. It was again a -summer day when, lately arrived in London from his college occupation, -he turned into the quiet corner in Soho, bent on seeking an opportunity -of opening his mind to Doctor Manette. It was the close of the summer -day, and he knew Lucie to be out with Miss Pross. - -He found the Doctor reading in his arm-chair at a window. The energy -which had at once supported him under his old sufferings and aggravated -their sharpness, had been gradually restored to him. He was now a -very energetic man indeed, with great firmness of purpose, strength -of resolution, and vigour of action. In his recovered energy he was -sometimes a little fitful and sudden, as he had at first been in the -exercise of his other recovered faculties; but, this had never been -frequently observable, and had grown more and more rare. - -He studied much, slept little, sustained a great deal of fatigue with -ease, and was equably cheerful. To him, now entered Charles Darnay, at -sight of whom he laid aside his book and held out his hand. - -“Charles Darnay! I rejoice to see you. We have been counting on your -return these three or four days past. Mr. Stryver and Sydney Carton were -both here yesterday, and both made you out to be more than due.” - -“I am obliged to them for their interest in the matter,” he answered, -a little coldly as to them, though very warmly as to the Doctor. “Miss -Manette--” - -“Is well,” said the Doctor, as he stopped short, “and your return will -delight us all. She has gone out on some household matters, but will -soon be home.” - -“Doctor Manette, I knew she was from home. I took the opportunity of her -being from home, to beg to speak to you.” - -There was a blank silence. - -“Yes?” said the Doctor, with evident constraint. “Bring your chair here, -and speak on.” - -He complied as to the chair, but appeared to find the speaking on less -easy. - -“I have had the happiness, Doctor Manette, of being so intimate here,” - so he at length began, “for some year and a half, that I hope the topic -on which I am about to touch may not--” - -He was stayed by the Doctor's putting out his hand to stop him. When he -had kept it so a little while, he said, drawing it back: - -“Is Lucie the topic?” - -“She is.” - -“It is hard for me to speak of her at any time. It is very hard for me -to hear her spoken of in that tone of yours, Charles Darnay.” - -“It is a tone of fervent admiration, true homage, and deep love, Doctor -Manette!” he said deferentially. - -There was another blank silence before her father rejoined: - -“I believe it. I do you justice; I believe it.” - -His constraint was so manifest, and it was so manifest, too, that it -originated in an unwillingness to approach the subject, that Charles -Darnay hesitated. - -“Shall I go on, sir?” - -Another blank. - -“Yes, go on.” - -“You anticipate what I would say, though you cannot know how earnestly -I say it, how earnestly I feel it, without knowing my secret heart, and -the hopes and fears and anxieties with which it has long been -laden. Dear Doctor Manette, I love your daughter fondly, dearly, -disinterestedly, devotedly. If ever there were love in the world, I love -her. You have loved yourself; let your old love speak for me!” - -The Doctor sat with his face turned away, and his eyes bent on the -ground. At the last words, he stretched out his hand again, hurriedly, -and cried: - -“Not that, sir! Let that be! I adjure you, do not recall that!” - -His cry was so like a cry of actual pain, that it rang in Charles -Darnay's ears long after he had ceased. He motioned with the hand he had -extended, and it seemed to be an appeal to Darnay to pause. The latter -so received it, and remained silent. - -“I ask your pardon,” said the Doctor, in a subdued tone, after some -moments. “I do not doubt your loving Lucie; you may be satisfied of it.” - -He turned towards him in his chair, but did not look at him, or -raise his eyes. His chin dropped upon his hand, and his white hair -overshadowed his face: - -“Have you spoken to Lucie?” - -“No.” - -“Nor written?” - -“Never.” - -“It would be ungenerous to affect not to know that your self-denial is -to be referred to your consideration for her father. Her father thanks -you.” - -He offered his hand; but his eyes did not go with it. - -“I know,” said Darnay, respectfully, “how can I fail to know, Doctor -Manette, I who have seen you together from day to day, that between -you and Miss Manette there is an affection so unusual, so touching, so -belonging to the circumstances in which it has been nurtured, that it -can have few parallels, even in the tenderness between a father and -child. I know, Doctor Manette--how can I fail to know--that, mingled -with the affection and duty of a daughter who has become a woman, there -is, in her heart, towards you, all the love and reliance of infancy -itself. I know that, as in her childhood she had no parent, so she is -now devoted to you with all the constancy and fervour of her present -years and character, united to the trustfulness and attachment of the -early days in which you were lost to her. I know perfectly well that if -you had been restored to her from the world beyond this life, you could -hardly be invested, in her sight, with a more sacred character than that -in which you are always with her. I know that when she is clinging to -you, the hands of baby, girl, and woman, all in one, are round your -neck. I know that in loving you she sees and loves her mother at her -own age, sees and loves you at my age, loves her mother broken-hearted, -loves you through your dreadful trial and in your blessed restoration. I -have known this, night and day, since I have known you in your home.” - -Her father sat silent, with his face bent down. His breathing was a -little quickened; but he repressed all other signs of agitation. - -“Dear Doctor Manette, always knowing this, always seeing her and you -with this hallowed light about you, I have forborne, and forborne, as -long as it was in the nature of man to do it. I have felt, and do even -now feel, that to bring my love--even mine--between you, is to touch -your history with something not quite so good as itself. But I love her. -Heaven is my witness that I love her!” - -“I believe it,” answered her father, mournfully. “I have thought so -before now. I believe it.” - -“But, do not believe,” said Darnay, upon whose ear the mournful voice -struck with a reproachful sound, “that if my fortune were so cast as -that, being one day so happy as to make her my wife, I must at any time -put any separation between her and you, I could or would breathe a -word of what I now say. Besides that I should know it to be hopeless, I -should know it to be a baseness. If I had any such possibility, even at -a remote distance of years, harboured in my thoughts, and hidden in my -heart--if it ever had been there--if it ever could be there--I could not -now touch this honoured hand.” - -He laid his own upon it as he spoke. - -“No, dear Doctor Manette. Like you, a voluntary exile from France; like -you, driven from it by its distractions, oppressions, and miseries; like -you, striving to live away from it by my own exertions, and trusting -in a happier future; I look only to sharing your fortunes, sharing your -life and home, and being faithful to you to the death. Not to divide -with Lucie her privilege as your child, companion, and friend; but to -come in aid of it, and bind her closer to you, if such a thing can be.” - -His touch still lingered on her father's hand. Answering the touch for a -moment, but not coldly, her father rested his hands upon the arms of -his chair, and looked up for the first time since the beginning of the -conference. A struggle was evidently in his face; a struggle with that -occasional look which had a tendency in it to dark doubt and dread. - -“You speak so feelingly and so manfully, Charles Darnay, that I thank -you with all my heart, and will open all my heart--or nearly so. Have -you any reason to believe that Lucie loves you?” - -“None. As yet, none.” - -“Is it the immediate object of this confidence, that you may at once -ascertain that, with my knowledge?” - -“Not even so. I might not have the hopefulness to do it for weeks; I -might (mistaken or not mistaken) have that hopefulness to-morrow.” - -“Do you seek any guidance from me?” - -“I ask none, sir. But I have thought it possible that you might have it -in your power, if you should deem it right, to give me some.” - -“Do you seek any promise from me?” - -“I do seek that.” - -“What is it?” - -“I well understand that, without you, I could have no hope. I well -understand that, even if Miss Manette held me at this moment in her -innocent heart--do not think I have the presumption to assume so much--I -could retain no place in it against her love for her father.” - -“If that be so, do you see what, on the other hand, is involved in it?” - -“I understand equally well, that a word from her father in any suitor's -favour, would outweigh herself and all the world. For which reason, -Doctor Manette,” said Darnay, modestly but firmly, “I would not ask that -word, to save my life.” - -“I am sure of it. Charles Darnay, mysteries arise out of close love, as -well as out of wide division; in the former case, they are subtle and -delicate, and difficult to penetrate. My daughter Lucie is, in this one -respect, such a mystery to me; I can make no guess at the state of her -heart.” - -“May I ask, sir, if you think she is--” As he hesitated, her father -supplied the rest. - -“Is sought by any other suitor?” - -“It is what I meant to say.” - -Her father considered a little before he answered: - -“You have seen Mr. Carton here, yourself. Mr. Stryver is here too, -occasionally. If it be at all, it can only be by one of these.” - -“Or both,” said Darnay. - -“I had not thought of both; I should not think either, likely. You want -a promise from me. Tell me what it is.” - -“It is, that if Miss Manette should bring to you at any time, on her own -part, such a confidence as I have ventured to lay before you, you will -bear testimony to what I have said, and to your belief in it. I hope you -may be able to think so well of me, as to urge no influence against -me. I say nothing more of my stake in this; this is what I ask. The -condition on which I ask it, and which you have an undoubted right to -require, I will observe immediately.” - -“I give the promise,” said the Doctor, “without any condition. I believe -your object to be, purely and truthfully, as you have stated it. I -believe your intention is to perpetuate, and not to weaken, the ties -between me and my other and far dearer self. If she should ever tell me -that you are essential to her perfect happiness, I will give her to you. -If there were--Charles Darnay, if there were--” - -The young man had taken his hand gratefully; their hands were joined as -the Doctor spoke: - -“--any fancies, any reasons, any apprehensions, anything whatsoever, -new or old, against the man she really loved--the direct responsibility -thereof not lying on his head--they should all be obliterated for her -sake. She is everything to me; more to me than suffering, more to me -than wrong, more to me--Well! This is idle talk.” - -So strange was the way in which he faded into silence, and so strange -his fixed look when he had ceased to speak, that Darnay felt his own -hand turn cold in the hand that slowly released and dropped it. - -“You said something to me,” said Doctor Manette, breaking into a smile. -“What was it you said to me?” - -He was at a loss how to answer, until he remembered having spoken of a -condition. Relieved as his mind reverted to that, he answered: - -“Your confidence in me ought to be returned with full confidence on my -part. My present name, though but slightly changed from my mother's, is -not, as you will remember, my own. I wish to tell you what that is, and -why I am in England.” - -“Stop!” said the Doctor of Beauvais. - -“I wish it, that I may the better deserve your confidence, and have no -secret from you.” - -“Stop!” - -For an instant, the Doctor even had his two hands at his ears; for -another instant, even had his two hands laid on Darnay's lips. - -“Tell me when I ask you, not now. If your suit should prosper, if Lucie -should love you, you shall tell me on your marriage morning. Do you -promise?” - -“Willingly. - -“Give me your hand. She will be home directly, and it is better she -should not see us together to-night. Go! God bless you!” - -It was dark when Charles Darnay left him, and it was an hour later and -darker when Lucie came home; she hurried into the room alone--for -Miss Pross had gone straight up-stairs--and was surprised to find his -reading-chair empty. - -“My father!” she called to him. “Father dear!” - -Nothing was said in answer, but she heard a low hammering sound in his -bedroom. Passing lightly across the intermediate room, she looked in at -his door and came running back frightened, crying to herself, with her -blood all chilled, “What shall I do! What shall I do!” - -Her uncertainty lasted but a moment; she hurried back, and tapped at -his door, and softly called to him. The noise ceased at the sound of -her voice, and he presently came out to her, and they walked up and down -together for a long time. - -She came down from her bed, to look at him in his sleep that night. He -slept heavily, and his tray of shoemaking tools, and his old unfinished -work, were all as usual. - - - - -XI. A Companion Picture - - -“Sydney,” said Mr. Stryver, on that self-same night, or morning, to his -jackal; “mix another bowl of punch; I have something to say to you.” - -Sydney had been working double tides that night, and the night before, -and the night before that, and a good many nights in succession, making -a grand clearance among Mr. Stryver's papers before the setting in -of the long vacation. The clearance was effected at last; the Stryver -arrears were handsomely fetched up; everything was got rid of until -November should come with its fogs atmospheric, and fogs legal, and -bring grist to the mill again. - -Sydney was none the livelier and none the soberer for so much -application. It had taken a deal of extra wet-towelling to pull him -through the night; a correspondingly extra quantity of wine had preceded -the towelling; and he was in a very damaged condition, as he now pulled -his turban off and threw it into the basin in which he had steeped it at -intervals for the last six hours. - -“Are you mixing that other bowl of punch?” said Stryver the portly, with -his hands in his waistband, glancing round from the sofa where he lay on -his back. - -“I am.” - -“Now, look here! I am going to tell you something that will rather -surprise you, and that perhaps will make you think me not quite as -shrewd as you usually do think me. I intend to marry.” - -“_Do_ you?” - -“Yes. And not for money. What do you say now?” - -“I don't feel disposed to say much. Who is she?” - -“Guess.” - -“Do I know her?” - -“Guess.” - -“I am not going to guess, at five o'clock in the morning, with my brains -frying and sputtering in my head. If you want me to guess, you must ask -me to dinner.” - -“Well then, I'll tell you,” said Stryver, coming slowly into a sitting -posture. “Sydney, I rather despair of making myself intelligible to you, -because you are such an insensible dog.” - -“And you,” returned Sydney, busy concocting the punch, “are such a -sensitive and poetical spirit--” - -“Come!” rejoined Stryver, laughing boastfully, “though I don't prefer -any claim to being the soul of Romance (for I hope I know better), still -I am a tenderer sort of fellow than _you_.” - -“You are a luckier, if you mean that.” - -“I don't mean that. I mean I am a man of more--more--” - -“Say gallantry, while you are about it,” suggested Carton. - -“Well! I'll say gallantry. My meaning is that I am a man,” said Stryver, -inflating himself at his friend as he made the punch, “who cares more to -be agreeable, who takes more pains to be agreeable, who knows better how -to be agreeable, in a woman's society, than you do.” - -“Go on,” said Sydney Carton. - -“No; but before I go on,” said Stryver, shaking his head in his bullying -way, “I'll have this out with you. You've been at Doctor Manette's house -as much as I have, or more than I have. Why, I have been ashamed of your -moroseness there! Your manners have been of that silent and sullen and -hangdog kind, that, upon my life and soul, I have been ashamed of you, -Sydney!” - -“It should be very beneficial to a man in your practice at the bar, to -be ashamed of anything,” returned Sydney; “you ought to be much obliged -to me.” - -“You shall not get off in that way,” rejoined Stryver, shouldering the -rejoinder at him; “no, Sydney, it's my duty to tell you--and I tell you -to your face to do you good--that you are a devilish ill-conditioned -fellow in that sort of society. You are a disagreeable fellow.” - -Sydney drank a bumper of the punch he had made, and laughed. - -“Look at me!” said Stryver, squaring himself; “I have less need to make -myself agreeable than you have, being more independent in circumstances. -Why do I do it?” - -“I never saw you do it yet,” muttered Carton. - -“I do it because it's politic; I do it on principle. And look at me! I -get on.” - -“You don't get on with your account of your matrimonial intentions,” - answered Carton, with a careless air; “I wish you would keep to that. As -to me--will you never understand that I am incorrigible?” - -He asked the question with some appearance of scorn. - -“You have no business to be incorrigible,” was his friend's answer, -delivered in no very soothing tone. - -“I have no business to be, at all, that I know of,” said Sydney Carton. -“Who is the lady?” - -“Now, don't let my announcement of the name make you uncomfortable, -Sydney,” said Mr. Stryver, preparing him with ostentatious friendliness -for the disclosure he was about to make, “because I know you don't mean -half you say; and if you meant it all, it would be of no importance. I -make this little preface, because you once mentioned the young lady to -me in slighting terms.” - -“I did?” - -“Certainly; and in these chambers.” - -Sydney Carton looked at his punch and looked at his complacent friend; -drank his punch and looked at his complacent friend. - -“You made mention of the young lady as a golden-haired doll. The young -lady is Miss Manette. If you had been a fellow of any sensitiveness or -delicacy of feeling in that kind of way, Sydney, I might have been a -little resentful of your employing such a designation; but you are not. -You want that sense altogether; therefore I am no more annoyed when I -think of the expression, than I should be annoyed by a man's opinion of -a picture of mine, who had no eye for pictures: or of a piece of music -of mine, who had no ear for music.” - -Sydney Carton drank the punch at a great rate; drank it by bumpers, -looking at his friend. - -“Now you know all about it, Syd,” said Mr. Stryver. “I don't care about -fortune: she is a charming creature, and I have made up my mind to -please myself: on the whole, I think I can afford to please myself. She -will have in me a man already pretty well off, and a rapidly rising man, -and a man of some distinction: it is a piece of good fortune for her, -but she is worthy of good fortune. Are you astonished?” - -Carton, still drinking the punch, rejoined, “Why should I be -astonished?” - -“You approve?” - -Carton, still drinking the punch, rejoined, “Why should I not approve?” - -“Well!” said his friend Stryver, “you take it more easily than I fancied -you would, and are less mercenary on my behalf than I thought you would -be; though, to be sure, you know well enough by this time that your -ancient chum is a man of a pretty strong will. Yes, Sydney, I have had -enough of this style of life, with no other as a change from it; I -feel that it is a pleasant thing for a man to have a home when he feels -inclined to go to it (when he doesn't, he can stay away), and I feel -that Miss Manette will tell well in any station, and will always do me -credit. So I have made up my mind. And now, Sydney, old boy, I want to -say a word to _you_ about _your_ prospects. You are in a bad way, you -know; you really are in a bad way. You don't know the value of money, -you live hard, you'll knock up one of these days, and be ill and poor; -you really ought to think about a nurse.” - -The prosperous patronage with which he said it, made him look twice as -big as he was, and four times as offensive. - -“Now, let me recommend you,” pursued Stryver, “to look it in the face. -I have looked it in the face, in my different way; look it in the face, -you, in your different way. Marry. Provide somebody to take care of -you. Never mind your having no enjoyment of women's society, nor -understanding of it, nor tact for it. Find out somebody. Find out some -respectable woman with a little property--somebody in the landlady way, -or lodging-letting way--and marry her, against a rainy day. That's the -kind of thing for _you_. Now think of it, Sydney.” - -“I'll think of it,” said Sydney. - - - - -XII. The Fellow of Delicacy - - -Mr. Stryver having made up his mind to that magnanimous bestowal of good -fortune on the Doctor's daughter, resolved to make her happiness known -to her before he left town for the Long Vacation. After some mental -debating of the point, he came to the conclusion that it would be as -well to get all the preliminaries done with, and they could then arrange -at their leisure whether he should give her his hand a week or two -before Michaelmas Term, or in the little Christmas vacation between it -and Hilary. - -As to the strength of his case, he had not a doubt about it, but clearly -saw his way to the verdict. Argued with the jury on substantial worldly -grounds--the only grounds ever worth taking into account--it was a -plain case, and had not a weak spot in it. He called himself for the -plaintiff, there was no getting over his evidence, the counsel for -the defendant threw up his brief, and the jury did not even turn to -consider. After trying it, Stryver, C. J., was satisfied that no plainer -case could be. - -Accordingly, Mr. Stryver inaugurated the Long Vacation with a formal -proposal to take Miss Manette to Vauxhall Gardens; that failing, to -Ranelagh; that unaccountably failing too, it behoved him to present -himself in Soho, and there declare his noble mind. - -Towards Soho, therefore, Mr. Stryver shouldered his way from the Temple, -while the bloom of the Long Vacation's infancy was still upon it. -Anybody who had seen him projecting himself into Soho while he was yet -on Saint Dunstan's side of Temple Bar, bursting in his full-blown way -along the pavement, to the jostlement of all weaker people, might have -seen how safe and strong he was. - -His way taking him past Tellson's, and he both banking at Tellson's and -knowing Mr. Lorry as the intimate friend of the Manettes, it entered Mr. -Stryver's mind to enter the bank, and reveal to Mr. Lorry the brightness -of the Soho horizon. So, he pushed open the door with the weak rattle -in its throat, stumbled down the two steps, got past the two ancient -cashiers, and shouldered himself into the musty back closet where Mr. -Lorry sat at great books ruled for figures, with perpendicular iron -bars to his window as if that were ruled for figures too, and everything -under the clouds were a sum. - -“Halloa!” said Mr. Stryver. “How do you do? I hope you are well!” - -It was Stryver's grand peculiarity that he always seemed too big for any -place, or space. He was so much too big for Tellson's, that old clerks -in distant corners looked up with looks of remonstrance, as though he -squeezed them against the wall. The House itself, magnificently reading -the paper quite in the far-off perspective, lowered displeased, as if -the Stryver head had been butted into its responsible waistcoat. - -The discreet Mr. Lorry said, in a sample tone of the voice he would -recommend under the circumstances, “How do you do, Mr. Stryver? How do -you do, sir?” and shook hands. There was a peculiarity in his manner -of shaking hands, always to be seen in any clerk at Tellson's who shook -hands with a customer when the House pervaded the air. He shook in a -self-abnegating way, as one who shook for Tellson and Co. - -“Can I do anything for you, Mr. Stryver?” asked Mr. Lorry, in his -business character. - -“Why, no, thank you; this is a private visit to yourself, Mr. Lorry; I -have come for a private word.” - -“Oh indeed!” said Mr. Lorry, bending down his ear, while his eye strayed -to the House afar off. - -“I am going,” said Mr. Stryver, leaning his arms confidentially on the -desk: whereupon, although it was a large double one, there appeared to -be not half desk enough for him: “I am going to make an offer of myself -in marriage to your agreeable little friend, Miss Manette, Mr. Lorry.” - -“Oh dear me!” cried Mr. Lorry, rubbing his chin, and looking at his -visitor dubiously. - -“Oh dear me, sir?” repeated Stryver, drawing back. “Oh dear you, sir? -What may your meaning be, Mr. Lorry?” - -“My meaning,” answered the man of business, “is, of course, friendly and -appreciative, and that it does you the greatest credit, and--in short, -my meaning is everything you could desire. But--really, you know, Mr. -Stryver--” Mr. Lorry paused, and shook his head at him in the oddest -manner, as if he were compelled against his will to add, internally, -“you know there really is so much too much of you!” - -“Well!” said Stryver, slapping the desk with his contentious hand, -opening his eyes wider, and taking a long breath, “if I understand you, -Mr. Lorry, I'll be hanged!” - -Mr. Lorry adjusted his little wig at both ears as a means towards that -end, and bit the feather of a pen. - -“D--n it all, sir!” said Stryver, staring at him, “am I not eligible?” - -“Oh dear yes! Yes. Oh yes, you're eligible!” said Mr. Lorry. “If you say -eligible, you are eligible.” - -“Am I not prosperous?” asked Stryver. - -“Oh! if you come to prosperous, you are prosperous,” said Mr. Lorry. - -“And advancing?” - -“If you come to advancing you know,” said Mr. Lorry, delighted to be -able to make another admission, “nobody can doubt that.” - -“Then what on earth is your meaning, Mr. Lorry?” demanded Stryver, -perceptibly crestfallen. - -“Well! I--Were you going there now?” asked Mr. Lorry. - -“Straight!” said Stryver, with a plump of his fist on the desk. - -“Then I think I wouldn't, if I was you.” - -“Why?” said Stryver. “Now, I'll put you in a corner,” forensically -shaking a forefinger at him. “You are a man of business and bound to -have a reason. State your reason. Why wouldn't you go?” - -“Because,” said Mr. Lorry, “I wouldn't go on such an object without -having some cause to believe that I should succeed.” - -“D--n _me_!” cried Stryver, “but this beats everything.” - -Mr. Lorry glanced at the distant House, and glanced at the angry -Stryver. - -“Here's a man of business--a man of years--a man of experience--_in_ -a Bank,” said Stryver; “and having summed up three leading reasons for -complete success, he says there's no reason at all! Says it with his -head on!” Mr. Stryver remarked upon the peculiarity as if it would have -been infinitely less remarkable if he had said it with his head off. - -“When I speak of success, I speak of success with the young lady; and -when I speak of causes and reasons to make success probable, I speak of -causes and reasons that will tell as such with the young lady. The young -lady, my good sir,” said Mr. Lorry, mildly tapping the Stryver arm, “the -young lady. The young lady goes before all.” - -“Then you mean to tell me, Mr. Lorry,” said Stryver, squaring his -elbows, “that it is your deliberate opinion that the young lady at -present in question is a mincing Fool?” - -“Not exactly so. I mean to tell you, Mr. Stryver,” said Mr. Lorry, -reddening, “that I will hear no disrespectful word of that young lady -from any lips; and that if I knew any man--which I hope I do not--whose -taste was so coarse, and whose temper was so overbearing, that he could -not restrain himself from speaking disrespectfully of that young lady at -this desk, not even Tellson's should prevent my giving him a piece of my -mind.” - -The necessity of being angry in a suppressed tone had put Mr. Stryver's -blood-vessels into a dangerous state when it was his turn to be angry; -Mr. Lorry's veins, methodical as their courses could usually be, were in -no better state now it was his turn. - -“That is what I mean to tell you, sir,” said Mr. Lorry. “Pray let there -be no mistake about it.” - -Mr. Stryver sucked the end of a ruler for a little while, and then stood -hitting a tune out of his teeth with it, which probably gave him the -toothache. He broke the awkward silence by saying: - -“This is something new to me, Mr. Lorry. You deliberately advise me not -to go up to Soho and offer myself--_my_self, Stryver of the King's Bench -bar?” - -“Do you ask me for my advice, Mr. Stryver?” - -“Yes, I do.” - -“Very good. Then I give it, and you have repeated it correctly.” - -“And all I can say of it is,” laughed Stryver with a vexed laugh, “that -this--ha, ha!--beats everything past, present, and to come.” - -“Now understand me,” pursued Mr. Lorry. “As a man of business, I am -not justified in saying anything about this matter, for, as a man of -business, I know nothing of it. But, as an old fellow, who has carried -Miss Manette in his arms, who is the trusted friend of Miss Manette and -of her father too, and who has a great affection for them both, I have -spoken. The confidence is not of my seeking, recollect. Now, you think I -may not be right?” - -“Not I!” said Stryver, whistling. “I can't undertake to find third -parties in common sense; I can only find it for myself. I suppose sense -in certain quarters; you suppose mincing bread-and-butter nonsense. It's -new to me, but you are right, I dare say.” - -“What I suppose, Mr. Stryver, I claim to characterise for myself--And -understand me, sir,” said Mr. Lorry, quickly flushing again, “I -will not--not even at Tellson's--have it characterised for me by any -gentleman breathing.” - -“There! I beg your pardon!” said Stryver. - -“Granted. Thank you. Well, Mr. Stryver, I was about to say:--it might be -painful to you to find yourself mistaken, it might be painful to Doctor -Manette to have the task of being explicit with you, it might be very -painful to Miss Manette to have the task of being explicit with you. You -know the terms upon which I have the honour and happiness to stand with -the family. If you please, committing you in no way, representing you -in no way, I will undertake to correct my advice by the exercise of a -little new observation and judgment expressly brought to bear upon -it. If you should then be dissatisfied with it, you can but test its -soundness for yourself; if, on the other hand, you should be satisfied -with it, and it should be what it now is, it may spare all sides what is -best spared. What do you say?” - -“How long would you keep me in town?” - -“Oh! It is only a question of a few hours. I could go to Soho in the -evening, and come to your chambers afterwards.” - -“Then I say yes,” said Stryver: “I won't go up there now, I am not so -hot upon it as that comes to; I say yes, and I shall expect you to look -in to-night. Good morning.” - -Then Mr. Stryver turned and burst out of the Bank, causing such a -concussion of air on his passage through, that to stand up against it -bowing behind the two counters, required the utmost remaining strength -of the two ancient clerks. Those venerable and feeble persons were -always seen by the public in the act of bowing, and were popularly -believed, when they had bowed a customer out, still to keep on bowing in -the empty office until they bowed another customer in. - -The barrister was keen enough to divine that the banker would not have -gone so far in his expression of opinion on any less solid ground than -moral certainty. Unprepared as he was for the large pill he had to -swallow, he got it down. “And now,” said Mr. Stryver, shaking his -forensic forefinger at the Temple in general, when it was down, “my way -out of this, is, to put you all in the wrong.” - -It was a bit of the art of an Old Bailey tactician, in which he found -great relief. “You shall not put me in the wrong, young lady,” said Mr. -Stryver; “I'll do that for you.” - -Accordingly, when Mr. Lorry called that night as late as ten o'clock, -Mr. Stryver, among a quantity of books and papers littered out for the -purpose, seemed to have nothing less on his mind than the subject of -the morning. He even showed surprise when he saw Mr. Lorry, and was -altogether in an absent and preoccupied state. - -“Well!” said that good-natured emissary, after a full half-hour of -bootless attempts to bring him round to the question. “I have been to -Soho.” - -“To Soho?” repeated Mr. Stryver, coldly. “Oh, to be sure! What am I -thinking of!” - -“And I have no doubt,” said Mr. Lorry, “that I was right in the -conversation we had. My opinion is confirmed, and I reiterate my -advice.” - -“I assure you,” returned Mr. Stryver, in the friendliest way, “that I -am sorry for it on your account, and sorry for it on the poor father's -account. I know this must always be a sore subject with the family; let -us say no more about it.” - -“I don't understand you,” said Mr. Lorry. - -“I dare say not,” rejoined Stryver, nodding his head in a smoothing and -final way; “no matter, no matter.” - -“But it does matter,” Mr. Lorry urged. - -“No it doesn't; I assure you it doesn't. Having supposed that there was -sense where there is no sense, and a laudable ambition where there is -not a laudable ambition, I am well out of my mistake, and no harm is -done. Young women have committed similar follies often before, and have -repented them in poverty and obscurity often before. In an unselfish -aspect, I am sorry that the thing is dropped, because it would have been -a bad thing for me in a worldly point of view; in a selfish aspect, I am -glad that the thing has dropped, because it would have been a bad thing -for me in a worldly point of view--it is hardly necessary to say I could -have gained nothing by it. There is no harm at all done. I have not -proposed to the young lady, and, between ourselves, I am by no means -certain, on reflection, that I ever should have committed myself to -that extent. Mr. Lorry, you cannot control the mincing vanities and -giddinesses of empty-headed girls; you must not expect to do it, or you -will always be disappointed. Now, pray say no more about it. I tell you, -I regret it on account of others, but I am satisfied on my own account. -And I am really very much obliged to you for allowing me to sound you, -and for giving me your advice; you know the young lady better than I do; -you were right, it never would have done.” - -Mr. Lorry was so taken aback, that he looked quite stupidly at Mr. -Stryver shouldering him towards the door, with an appearance of -showering generosity, forbearance, and goodwill, on his erring head. -“Make the best of it, my dear sir,” said Stryver; “say no more about it; -thank you again for allowing me to sound you; good night!” - -Mr. Lorry was out in the night, before he knew where he was. Mr. Stryver -was lying back on his sofa, winking at his ceiling. - - - - -XIII. The Fellow of No Delicacy - - -If Sydney Carton ever shone anywhere, he certainly never shone in the -house of Doctor Manette. He had been there often, during a whole year, -and had always been the same moody and morose lounger there. When he -cared to talk, he talked well; but, the cloud of caring for nothing, -which overshadowed him with such a fatal darkness, was very rarely -pierced by the light within him. - -And yet he did care something for the streets that environed that house, -and for the senseless stones that made their pavements. Many a night -he vaguely and unhappily wandered there, when wine had brought no -transitory gladness to him; many a dreary daybreak revealed his solitary -figure lingering there, and still lingering there when the first beams -of the sun brought into strong relief, removed beauties of architecture -in spires of churches and lofty buildings, as perhaps the quiet time -brought some sense of better things, else forgotten and unattainable, -into his mind. Of late, the neglected bed in the Temple Court had known -him more scantily than ever; and often when he had thrown himself upon -it no longer than a few minutes, he had got up again, and haunted that -neighbourhood. - -On a day in August, when Mr. Stryver (after notifying to his jackal -that “he had thought better of that marrying matter”) had carried his -delicacy into Devonshire, and when the sight and scent of flowers in the -City streets had some waifs of goodness in them for the worst, of health -for the sickliest, and of youth for the oldest, Sydney's feet still trod -those stones. From being irresolute and purposeless, his feet became -animated by an intention, and, in the working out of that intention, -they took him to the Doctor's door. - -He was shown up-stairs, and found Lucie at her work, alone. She had -never been quite at her ease with him, and received him with some little -embarrassment as he seated himself near her table. But, looking up at -his face in the interchange of the first few common-places, she observed -a change in it. - -“I fear you are not well, Mr. Carton!” - -“No. But the life I lead, Miss Manette, is not conducive to health. What -is to be expected of, or by, such profligates?” - -“Is it not--forgive me; I have begun the question on my lips--a pity to -live no better life?” - -“God knows it is a shame!” - -“Then why not change it?” - -Looking gently at him again, she was surprised and saddened to see that -there were tears in his eyes. There were tears in his voice too, as he -answered: - -“It is too late for that. I shall never be better than I am. I shall -sink lower, and be worse.” - -He leaned an elbow on her table, and covered his eyes with his hand. The -table trembled in the silence that followed. - -She had never seen him softened, and was much distressed. He knew her to -be so, without looking at her, and said: - -“Pray forgive me, Miss Manette. I break down before the knowledge of -what I want to say to you. Will you hear me?” - -“If it will do you any good, Mr. Carton, if it would make you happier, -it would make me very glad!” - -“God bless you for your sweet compassion!” - -He unshaded his face after a little while, and spoke steadily. - -“Don't be afraid to hear me. Don't shrink from anything I say. I am like -one who died young. All my life might have been.” - -“No, Mr. Carton. I am sure that the best part of it might still be; I am -sure that you might be much, much worthier of yourself.” - -“Say of you, Miss Manette, and although I know better--although in the -mystery of my own wretched heart I know better--I shall never forget -it!” - -She was pale and trembling. He came to her relief with a fixed despair -of himself which made the interview unlike any other that could have -been holden. - -“If it had been possible, Miss Manette, that you could have returned the -love of the man you see before yourself--flung away, wasted, drunken, -poor creature of misuse as you know him to be--he would have been -conscious this day and hour, in spite of his happiness, that he would -bring you to misery, bring you to sorrow and repentance, blight you, -disgrace you, pull you down with him. I know very well that you can have -no tenderness for me; I ask for none; I am even thankful that it cannot -be.” - -“Without it, can I not save you, Mr. Carton? Can I not recall -you--forgive me again!--to a better course? Can I in no way repay your -confidence? I know this is a confidence,” she modestly said, after a -little hesitation, and in earnest tears, “I know you would say this to -no one else. Can I turn it to no good account for yourself, Mr. Carton?” - -He shook his head. - -“To none. No, Miss Manette, to none. If you will hear me through a very -little more, all you can ever do for me is done. I wish you to know that -you have been the last dream of my soul. In my degradation I have not -been so degraded but that the sight of you with your father, and of this -home made such a home by you, has stirred old shadows that I thought had -died out of me. Since I knew you, I have been troubled by a remorse that -I thought would never reproach me again, and have heard whispers from -old voices impelling me upward, that I thought were silent for ever. I -have had unformed ideas of striving afresh, beginning anew, shaking off -sloth and sensuality, and fighting out the abandoned fight. A dream, all -a dream, that ends in nothing, and leaves the sleeper where he lay down, -but I wish you to know that you inspired it.” - -“Will nothing of it remain? O Mr. Carton, think again! Try again!” - -“No, Miss Manette; all through it, I have known myself to be quite -undeserving. And yet I have had the weakness, and have still the -weakness, to wish you to know with what a sudden mastery you kindled me, -heap of ashes that I am, into fire--a fire, however, inseparable in -its nature from myself, quickening nothing, lighting nothing, doing no -service, idly burning away.” - -“Since it is my misfortune, Mr. Carton, to have made you more unhappy -than you were before you knew me--” - -“Don't say that, Miss Manette, for you would have reclaimed me, if -anything could. You will not be the cause of my becoming worse.” - -“Since the state of your mind that you describe, is, at all events, -attributable to some influence of mine--this is what I mean, if I can -make it plain--can I use no influence to serve you? Have I no power for -good, with you, at all?” - -“The utmost good that I am capable of now, Miss Manette, I have come -here to realise. Let me carry through the rest of my misdirected life, -the remembrance that I opened my heart to you, last of all the world; -and that there was something left in me at this time which you could -deplore and pity.” - -“Which I entreated you to believe, again and again, most fervently, with -all my heart, was capable of better things, Mr. Carton!” - -“Entreat me to believe it no more, Miss Manette. I have proved myself, -and I know better. I distress you; I draw fast to an end. Will you let -me believe, when I recall this day, that the last confidence of my life -was reposed in your pure and innocent breast, and that it lies there -alone, and will be shared by no one?” - -“If that will be a consolation to you, yes.” - -“Not even by the dearest one ever to be known to you?” - -“Mr. Carton,” she answered, after an agitated pause, “the secret is -yours, not mine; and I promise to respect it.” - -“Thank you. And again, God bless you.” - -He put her hand to his lips, and moved towards the door. - -“Be under no apprehension, Miss Manette, of my ever resuming this -conversation by so much as a passing word. I will never refer to it -again. If I were dead, that could not be surer than it is henceforth. In -the hour of my death, I shall hold sacred the one good remembrance--and -shall thank and bless you for it--that my last avowal of myself was made -to you, and that my name, and faults, and miseries were gently carried -in your heart. May it otherwise be light and happy!” - -He was so unlike what he had ever shown himself to be, and it was so -sad to think how much he had thrown away, and how much he every day kept -down and perverted, that Lucie Manette wept mournfully for him as he -stood looking back at her. - -“Be comforted!” he said, “I am not worth such feeling, Miss Manette. An -hour or two hence, and the low companions and low habits that I scorn -but yield to, will render me less worth such tears as those, than any -wretch who creeps along the streets. Be comforted! But, within myself, I -shall always be, towards you, what I am now, though outwardly I shall be -what you have heretofore seen me. The last supplication but one I make -to you, is, that you will believe this of me.” - -“I will, Mr. Carton.” - -“My last supplication of all, is this; and with it, I will relieve -you of a visitor with whom I well know you have nothing in unison, and -between whom and you there is an impassable space. It is useless to say -it, I know, but it rises out of my soul. For you, and for any dear to -you, I would do anything. If my career were of that better kind that -there was any opportunity or capacity of sacrifice in it, I would -embrace any sacrifice for you and for those dear to you. Try to hold -me in your mind, at some quiet times, as ardent and sincere in this one -thing. The time will come, the time will not be long in coming, when new -ties will be formed about you--ties that will bind you yet more tenderly -and strongly to the home you so adorn--the dearest ties that will ever -grace and gladden you. O Miss Manette, when the little picture of a -happy father's face looks up in yours, when you see your own bright -beauty springing up anew at your feet, think now and then that there is -a man who would give his life, to keep a life you love beside you!” - -He said, “Farewell!” said a last “God bless you!” and left her. - - - - -XIV. The Honest Tradesman - - -To the eyes of Mr. Jeremiah Cruncher, sitting on his stool in -Fleet-street with his grisly urchin beside him, a vast number and -variety of objects in movement were every day presented. Who could sit -upon anything in Fleet-street during the busy hours of the day, and -not be dazed and deafened by two immense processions, one ever tending -westward with the sun, the other ever tending eastward from the sun, -both ever tending to the plains beyond the range of red and purple where -the sun goes down! - -With his straw in his mouth, Mr. Cruncher sat watching the two streams, -like the heathen rustic who has for several centuries been on duty -watching one stream--saving that Jerry had no expectation of their ever -running dry. Nor would it have been an expectation of a hopeful kind, -since a small part of his income was derived from the pilotage of timid -women (mostly of a full habit and past the middle term of life) from -Tellson's side of the tides to the opposite shore. Brief as such -companionship was in every separate instance, Mr. Cruncher never failed -to become so interested in the lady as to express a strong desire to -have the honour of drinking her very good health. And it was from -the gifts bestowed upon him towards the execution of this benevolent -purpose, that he recruited his finances, as just now observed. - -Time was, when a poet sat upon a stool in a public place, and mused in -the sight of men. Mr. Cruncher, sitting on a stool in a public place, -but not being a poet, mused as little as possible, and looked about him. - -It fell out that he was thus engaged in a season when crowds were -few, and belated women few, and when his affairs in general were so -unprosperous as to awaken a strong suspicion in his breast that Mrs. -Cruncher must have been “flopping” in some pointed manner, when an -unusual concourse pouring down Fleet-street westward, attracted his -attention. Looking that way, Mr. Cruncher made out that some kind of -funeral was coming along, and that there was popular objection to this -funeral, which engendered uproar. - -“Young Jerry,” said Mr. Cruncher, turning to his offspring, “it's a -buryin'.” - -“Hooroar, father!” cried Young Jerry. - -The young gentleman uttered this exultant sound with mysterious -significance. The elder gentleman took the cry so ill, that he watched -his opportunity, and smote the young gentleman on the ear. - -“What d'ye mean? What are you hooroaring at? What do you want to conwey -to your own father, you young Rip? This boy is a getting too many for -_me_!” said Mr. Cruncher, surveying him. “Him and his hooroars! Don't -let me hear no more of you, or you shall feel some more of me. D'ye -hear?” - -“I warn't doing no harm,” Young Jerry protested, rubbing his cheek. - -“Drop it then,” said Mr. Cruncher; “I won't have none of _your_ no -harms. Get a top of that there seat, and look at the crowd.” - -His son obeyed, and the crowd approached; they were bawling and hissing -round a dingy hearse and dingy mourning coach, in which mourning coach -there was only one mourner, dressed in the dingy trappings that were -considered essential to the dignity of the position. The position -appeared by no means to please him, however, with an increasing rabble -surrounding the coach, deriding him, making grimaces at him, and -incessantly groaning and calling out: “Yah! Spies! Tst! Yaha! Spies!” - with many compliments too numerous and forcible to repeat. - -Funerals had at all times a remarkable attraction for Mr. Cruncher; he -always pricked up his senses, and became excited, when a funeral passed -Tellson's. Naturally, therefore, a funeral with this uncommon attendance -excited him greatly, and he asked of the first man who ran against him: - -“What is it, brother? What's it about?” - -“_I_ don't know,” said the man. “Spies! Yaha! Tst! Spies!” - -He asked another man. “Who is it?” - -“_I_ don't know,” returned the man, clapping his hands to his mouth -nevertheless, and vociferating in a surprising heat and with the -greatest ardour, “Spies! Yaha! Tst, tst! Spi--ies!” - -At length, a person better informed on the merits of the case, tumbled -against him, and from this person he learned that the funeral was the -funeral of one Roger Cly. - -“Was he a spy?” asked Mr. Cruncher. - -“Old Bailey spy,” returned his informant. “Yaha! Tst! Yah! Old Bailey -Spi--i--ies!” - -“Why, to be sure!” exclaimed Jerry, recalling the Trial at which he had -assisted. “I've seen him. Dead, is he?” - -“Dead as mutton,” returned the other, “and can't be too dead. Have 'em -out, there! Spies! Pull 'em out, there! Spies!” - -The idea was so acceptable in the prevalent absence of any idea, -that the crowd caught it up with eagerness, and loudly repeating the -suggestion to have 'em out, and to pull 'em out, mobbed the two vehicles -so closely that they came to a stop. On the crowd's opening the coach -doors, the one mourner scuffled out by himself and was in their hands -for a moment; but he was so alert, and made such good use of his time, -that in another moment he was scouring away up a bye-street, after -shedding his cloak, hat, long hatband, white pocket-handkerchief, and -other symbolical tears. - -These, the people tore to pieces and scattered far and wide with great -enjoyment, while the tradesmen hurriedly shut up their shops; for a -crowd in those times stopped at nothing, and was a monster much dreaded. -They had already got the length of opening the hearse to take the coffin -out, when some brighter genius proposed instead, its being escorted to -its destination amidst general rejoicing. Practical suggestions being -much needed, this suggestion, too, was received with acclamation, and -the coach was immediately filled with eight inside and a dozen out, -while as many people got on the roof of the hearse as could by any -exercise of ingenuity stick upon it. Among the first of these volunteers -was Jerry Cruncher himself, who modestly concealed his spiky head from -the observation of Tellson's, in the further corner of the mourning -coach. - -The officiating undertakers made some protest against these changes in -the ceremonies; but, the river being alarmingly near, and several voices -remarking on the efficacy of cold immersion in bringing refractory -members of the profession to reason, the protest was faint and brief. -The remodelled procession started, with a chimney-sweep driving the -hearse--advised by the regular driver, who was perched beside him, under -close inspection, for the purpose--and with a pieman, also attended -by his cabinet minister, driving the mourning coach. A bear-leader, a -popular street character of the time, was impressed as an additional -ornament, before the cavalcade had gone far down the Strand; and his -bear, who was black and very mangy, gave quite an Undertaking air to -that part of the procession in which he walked. - -Thus, with beer-drinking, pipe-smoking, song-roaring, and infinite -caricaturing of woe, the disorderly procession went its way, recruiting -at every step, and all the shops shutting up before it. Its destination -was the old church of Saint Pancras, far off in the fields. It got there -in course of time; insisted on pouring into the burial-ground; finally, -accomplished the interment of the deceased Roger Cly in its own way, and -highly to its own satisfaction. - -The dead man disposed of, and the crowd being under the necessity of -providing some other entertainment for itself, another brighter -genius (or perhaps the same) conceived the humour of impeaching casual -passers-by, as Old Bailey spies, and wreaking vengeance on them. Chase -was given to some scores of inoffensive persons who had never been near -the Old Bailey in their lives, in the realisation of this fancy, and -they were roughly hustled and maltreated. The transition to the sport of -window-breaking, and thence to the plundering of public-houses, was easy -and natural. At last, after several hours, when sundry summer-houses had -been pulled down, and some area-railings had been torn up, to arm -the more belligerent spirits, a rumour got about that the Guards were -coming. Before this rumour, the crowd gradually melted away, and perhaps -the Guards came, and perhaps they never came, and this was the usual -progress of a mob. - -Mr. Cruncher did not assist at the closing sports, but had remained -behind in the churchyard, to confer and condole with the undertakers. -The place had a soothing influence on him. He procured a pipe from a -neighbouring public-house, and smoked it, looking in at the railings and -maturely considering the spot. - -“Jerry,” said Mr. Cruncher, apostrophising himself in his usual way, -“you see that there Cly that day, and you see with your own eyes that he -was a young 'un and a straight made 'un.” - -Having smoked his pipe out, and ruminated a little longer, he turned -himself about, that he might appear, before the hour of closing, on his -station at Tellson's. Whether his meditations on mortality had touched -his liver, or whether his general health had been previously at all -amiss, or whether he desired to show a little attention to an eminent -man, is not so much to the purpose, as that he made a short call upon -his medical adviser--a distinguished surgeon--on his way back. - -Young Jerry relieved his father with dutiful interest, and reported No -job in his absence. The bank closed, the ancient clerks came out, the -usual watch was set, and Mr. Cruncher and his son went home to tea. - -“Now, I tell you where it is!” said Mr. Cruncher to his wife, on -entering. “If, as a honest tradesman, my wenturs goes wrong to-night, I -shall make sure that you've been praying again me, and I shall work you -for it just the same as if I seen you do it.” - -The dejected Mrs. Cruncher shook her head. - -“Why, you're at it afore my face!” said Mr. Cruncher, with signs of -angry apprehension. - -“I am saying nothing.” - -“Well, then; don't meditate nothing. You might as well flop as meditate. -You may as well go again me one way as another. Drop it altogether.” - -“Yes, Jerry.” - -“Yes, Jerry,” repeated Mr. Cruncher sitting down to tea. “Ah! It _is_ -yes, Jerry. That's about it. You may say yes, Jerry.” - -Mr. Cruncher had no particular meaning in these sulky corroborations, -but made use of them, as people not unfrequently do, to express general -ironical dissatisfaction. - -“You and your yes, Jerry,” said Mr. Cruncher, taking a bite out of his -bread-and-butter, and seeming to help it down with a large invisible -oyster out of his saucer. “Ah! I think so. I believe you.” - -“You are going out to-night?” asked his decent wife, when he took -another bite. - -“Yes, I am.” - -“May I go with you, father?” asked his son, briskly. - -“No, you mayn't. I'm a going--as your mother knows--a fishing. That's -where I'm going to. Going a fishing.” - -“Your fishing-rod gets rayther rusty; don't it, father?” - -“Never you mind.” - -“Shall you bring any fish home, father?” - -“If I don't, you'll have short commons, to-morrow,” returned that -gentleman, shaking his head; “that's questions enough for you; I ain't a -going out, till you've been long abed.” - -He devoted himself during the remainder of the evening to keeping a -most vigilant watch on Mrs. Cruncher, and sullenly holding her in -conversation that she might be prevented from meditating any petitions -to his disadvantage. With this view, he urged his son to hold her in -conversation also, and led the unfortunate woman a hard life by dwelling -on any causes of complaint he could bring against her, rather than -he would leave her for a moment to her own reflections. The devoutest -person could have rendered no greater homage to the efficacy of an -honest prayer than he did in this distrust of his wife. It was as if a -professed unbeliever in ghosts should be frightened by a ghost story. - -“And mind you!” said Mr. Cruncher. “No games to-morrow! If I, as a -honest tradesman, succeed in providing a jinte of meat or two, none -of your not touching of it, and sticking to bread. If I, as a honest -tradesman, am able to provide a little beer, none of your declaring -on water. When you go to Rome, do as Rome does. Rome will be a ugly -customer to you, if you don't. _I_'m your Rome, you know.” - -Then he began grumbling again: - -“With your flying into the face of your own wittles and drink! I don't -know how scarce you mayn't make the wittles and drink here, by your -flopping tricks and your unfeeling conduct. Look at your boy: he _is_ -your'n, ain't he? He's as thin as a lath. Do you call yourself a mother, -and not know that a mother's first duty is to blow her boy out?” - -This touched Young Jerry on a tender place; who adjured his mother to -perform her first duty, and, whatever else she did or neglected, above -all things to lay especial stress on the discharge of that maternal -function so affectingly and delicately indicated by his other parent. - -Thus the evening wore away with the Cruncher family, until Young Jerry -was ordered to bed, and his mother, laid under similar injunctions, -obeyed them. Mr. Cruncher beguiled the earlier watches of the night with -solitary pipes, and did not start upon his excursion until nearly one -o'clock. Towards that small and ghostly hour, he rose up from his chair, -took a key out of his pocket, opened a locked cupboard, and brought -forth a sack, a crowbar of convenient size, a rope and chain, and other -fishing tackle of that nature. Disposing these articles about him -in skilful manner, he bestowed a parting defiance on Mrs. Cruncher, -extinguished the light, and went out. - -Young Jerry, who had only made a feint of undressing when he went to -bed, was not long after his father. Under cover of the darkness he -followed out of the room, followed down the stairs, followed down the -court, followed out into the streets. He was in no uneasiness concerning -his getting into the house again, for it was full of lodgers, and the -door stood ajar all night. - -Impelled by a laudable ambition to study the art and mystery of his -father's honest calling, Young Jerry, keeping as close to house fronts, -walls, and doorways, as his eyes were close to one another, held his -honoured parent in view. The honoured parent steering Northward, had not -gone far, when he was joined by another disciple of Izaak Walton, and -the two trudged on together. - -Within half an hour from the first starting, they were beyond the -winking lamps, and the more than winking watchmen, and were out upon a -lonely road. Another fisherman was picked up here--and that so silently, -that if Young Jerry had been superstitious, he might have supposed the -second follower of the gentle craft to have, all of a sudden, split -himself into two. - -The three went on, and Young Jerry went on, until the three stopped -under a bank overhanging the road. Upon the top of the bank was a low -brick wall, surmounted by an iron railing. In the shadow of bank and -wall the three turned out of the road, and up a blind lane, of which -the wall--there, risen to some eight or ten feet high--formed one side. -Crouching down in a corner, peeping up the lane, the next object that -Young Jerry saw, was the form of his honoured parent, pretty well -defined against a watery and clouded moon, nimbly scaling an iron gate. -He was soon over, and then the second fisherman got over, and then the -third. They all dropped softly on the ground within the gate, and lay -there a little--listening perhaps. Then, they moved away on their hands -and knees. - -It was now Young Jerry's turn to approach the gate: which he did, -holding his breath. Crouching down again in a corner there, and looking -in, he made out the three fishermen creeping through some rank grass! -and all the gravestones in the churchyard--it was a large churchyard -that they were in--looking on like ghosts in white, while the church -tower itself looked on like the ghost of a monstrous giant. They did not -creep far, before they stopped and stood upright. And then they began to -fish. - -They fished with a spade, at first. Presently the honoured parent -appeared to be adjusting some instrument like a great corkscrew. -Whatever tools they worked with, they worked hard, until the awful -striking of the church clock so terrified Young Jerry, that he made off, -with his hair as stiff as his father's. - -But, his long-cherished desire to know more about these matters, not -only stopped him in his running away, but lured him back again. They -were still fishing perseveringly, when he peeped in at the gate for -the second time; but, now they seemed to have got a bite. There was a -screwing and complaining sound down below, and their bent figures were -strained, as if by a weight. By slow degrees the weight broke away the -earth upon it, and came to the surface. Young Jerry very well knew what -it would be; but, when he saw it, and saw his honoured parent about to -wrench it open, he was so frightened, being new to the sight, that he -made off again, and never stopped until he had run a mile or more. - -He would not have stopped then, for anything less necessary than breath, -it being a spectral sort of race that he ran, and one highly desirable -to get to the end of. He had a strong idea that the coffin he had seen -was running after him; and, pictured as hopping on behind him, bolt -upright, upon its narrow end, always on the point of overtaking him -and hopping on at his side--perhaps taking his arm--it was a pursuer to -shun. It was an inconsistent and ubiquitous fiend too, for, while it -was making the whole night behind him dreadful, he darted out into the -roadway to avoid dark alleys, fearful of its coming hopping out of them -like a dropsical boy's kite without tail and wings. It hid in doorways -too, rubbing its horrible shoulders against doors, and drawing them up -to its ears, as if it were laughing. It got into shadows on the road, -and lay cunningly on its back to trip him up. All this time it was -incessantly hopping on behind and gaining on him, so that when the boy -got to his own door he had reason for being half dead. And even then -it would not leave him, but followed him upstairs with a bump on every -stair, scrambled into bed with him, and bumped down, dead and heavy, on -his breast when he fell asleep. - -From his oppressed slumber, Young Jerry in his closet was awakened after -daybreak and before sunrise, by the presence of his father in the -family room. Something had gone wrong with him; at least, so Young Jerry -inferred, from the circumstance of his holding Mrs. Cruncher by the -ears, and knocking the back of her head against the head-board of the -bed. - -“I told you I would,” said Mr. Cruncher, “and I did.” - -“Jerry, Jerry, Jerry!” his wife implored. - -“You oppose yourself to the profit of the business,” said Jerry, “and me -and my partners suffer. You was to honour and obey; why the devil don't -you?” - -“I try to be a good wife, Jerry,” the poor woman protested, with tears. - -“Is it being a good wife to oppose your husband's business? Is it -honouring your husband to dishonour his business? Is it obeying your -husband to disobey him on the wital subject of his business?” - -“You hadn't taken to the dreadful business then, Jerry.” - -“It's enough for you,” retorted Mr. Cruncher, “to be the wife of a -honest tradesman, and not to occupy your female mind with calculations -when he took to his trade or when he didn't. A honouring and obeying -wife would let his trade alone altogether. Call yourself a religious -woman? If you're a religious woman, give me a irreligious one! You have -no more nat'ral sense of duty than the bed of this here Thames river has -of a pile, and similarly it must be knocked into you.” - -The altercation was conducted in a low tone of voice, and terminated in -the honest tradesman's kicking off his clay-soiled boots, and lying down -at his length on the floor. After taking a timid peep at him lying on -his back, with his rusty hands under his head for a pillow, his son lay -down too, and fell asleep again. - -There was no fish for breakfast, and not much of anything else. Mr. -Cruncher was out of spirits, and out of temper, and kept an iron pot-lid -by him as a projectile for the correction of Mrs. Cruncher, in case -he should observe any symptoms of her saying Grace. He was brushed -and washed at the usual hour, and set off with his son to pursue his -ostensible calling. - -Young Jerry, walking with the stool under his arm at his father's side -along sunny and crowded Fleet-street, was a very different Young Jerry -from him of the previous night, running home through darkness and -solitude from his grim pursuer. His cunning was fresh with the day, -and his qualms were gone with the night--in which particulars it is not -improbable that he had compeers in Fleet-street and the City of London, -that fine morning. - -“Father,” said Young Jerry, as they walked along: taking care to keep -at arm's length and to have the stool well between them: “what's a -Resurrection-Man?” - -Mr. Cruncher came to a stop on the pavement before he answered, “How -should I know?” - -“I thought you knowed everything, father,” said the artless boy. - -“Hem! Well,” returned Mr. Cruncher, going on again, and lifting off his -hat to give his spikes free play, “he's a tradesman.” - -“What's his goods, father?” asked the brisk Young Jerry. - -“His goods,” said Mr. Cruncher, after turning it over in his mind, “is a -branch of Scientific goods.” - -“Persons' bodies, ain't it, father?” asked the lively boy. - -“I believe it is something of that sort,” said Mr. Cruncher. - -“Oh, father, I should so like to be a Resurrection-Man when I'm quite -growed up!” - -Mr. Cruncher was soothed, but shook his head in a dubious and moral way. -“It depends upon how you dewelop your talents. Be careful to dewelop -your talents, and never to say no more than you can help to nobody, and -there's no telling at the present time what you may not come to be fit -for.” As Young Jerry, thus encouraged, went on a few yards in advance, -to plant the stool in the shadow of the Bar, Mr. Cruncher added to -himself: “Jerry, you honest tradesman, there's hopes wot that boy will -yet be a blessing to you, and a recompense to you for his mother!” - - - - -XV. Knitting - - -There had been earlier drinking than usual in the wine-shop of Monsieur -Defarge. As early as six o'clock in the morning, sallow faces peeping -through its barred windows had descried other faces within, bending over -measures of wine. Monsieur Defarge sold a very thin wine at the best -of times, but it would seem to have been an unusually thin wine that -he sold at this time. A sour wine, moreover, or a souring, for its -influence on the mood of those who drank it was to make them gloomy. No -vivacious Bacchanalian flame leaped out of the pressed grape of Monsieur -Defarge: but, a smouldering fire that burnt in the dark, lay hidden in -the dregs of it. - -This had been the third morning in succession, on which there had been -early drinking at the wine-shop of Monsieur Defarge. It had begun -on Monday, and here was Wednesday come. There had been more of early -brooding than drinking; for, many men had listened and whispered and -slunk about there from the time of the opening of the door, who could -not have laid a piece of money on the counter to save their souls. These -were to the full as interested in the place, however, as if they could -have commanded whole barrels of wine; and they glided from seat to seat, -and from corner to corner, swallowing talk in lieu of drink, with greedy -looks. - -Notwithstanding an unusual flow of company, the master of the wine-shop -was not visible. He was not missed; for, nobody who crossed the -threshold looked for him, nobody asked for him, nobody wondered to see -only Madame Defarge in her seat, presiding over the distribution of -wine, with a bowl of battered small coins before her, as much defaced -and beaten out of their original impress as the small coinage of -humanity from whose ragged pockets they had come. - -A suspended interest and a prevalent absence of mind, were perhaps -observed by the spies who looked in at the wine-shop, as they looked in -at every place, high and low, from the king's palace to the criminal's -gaol. Games at cards languished, players at dominoes musingly built -towers with them, drinkers drew figures on the tables with spilt drops -of wine, Madame Defarge herself picked out the pattern on her sleeve -with her toothpick, and saw and heard something inaudible and invisible -a long way off. - -Thus, Saint Antoine in this vinous feature of his, until midday. It was -high noontide, when two dusty men passed through his streets and under -his swinging lamps: of whom, one was Monsieur Defarge: the other a -mender of roads in a blue cap. All adust and athirst, the two entered -the wine-shop. Their arrival had lighted a kind of fire in the breast -of Saint Antoine, fast spreading as they came along, which stirred and -flickered in flames of faces at most doors and windows. Yet, no one had -followed them, and no man spoke when they entered the wine-shop, though -the eyes of every man there were turned upon them. - -“Good day, gentlemen!” said Monsieur Defarge. - -It may have been a signal for loosening the general tongue. It elicited -an answering chorus of “Good day!” - -“It is bad weather, gentlemen,” said Defarge, shaking his head. - -Upon which, every man looked at his neighbour, and then all cast down -their eyes and sat silent. Except one man, who got up and went out. - -“My wife,” said Defarge aloud, addressing Madame Defarge: “I have -travelled certain leagues with this good mender of roads, called -Jacques. I met him--by accident--a day and half's journey out of Paris. -He is a good child, this mender of roads, called Jacques. Give him to -drink, my wife!” - -A second man got up and went out. Madame Defarge set wine before the -mender of roads called Jacques, who doffed his blue cap to the company, -and drank. In the breast of his blouse he carried some coarse dark -bread; he ate of this between whiles, and sat munching and drinking near -Madame Defarge's counter. A third man got up and went out. - -Defarge refreshed himself with a draught of wine--but, he took less -than was given to the stranger, as being himself a man to whom it was no -rarity--and stood waiting until the countryman had made his breakfast. -He looked at no one present, and no one now looked at him; not even -Madame Defarge, who had taken up her knitting, and was at work. - -“Have you finished your repast, friend?” he asked, in due season. - -“Yes, thank you.” - -“Come, then! You shall see the apartment that I told you you could -occupy. It will suit you to a marvel.” - -Out of the wine-shop into the street, out of the street into a -courtyard, out of the courtyard up a steep staircase, out of the -staircase into a garret--formerly the garret where a white-haired man -sat on a low bench, stooping forward and very busy, making shoes. - -No white-haired man was there now; but, the three men were there who had -gone out of the wine-shop singly. And between them and the white-haired -man afar off, was the one small link, that they had once looked in at -him through the chinks in the wall. - -Defarge closed the door carefully, and spoke in a subdued voice: - -“Jacques One, Jacques Two, Jacques Three! This is the witness -encountered by appointment, by me, Jacques Four. He will tell you all. -Speak, Jacques Five!” - -The mender of roads, blue cap in hand, wiped his swarthy forehead with -it, and said, “Where shall I commence, monsieur?” - -“Commence,” was Monsieur Defarge's not unreasonable reply, “at the -commencement.” - -“I saw him then, messieurs,” began the mender of roads, “a year ago this -running summer, underneath the carriage of the Marquis, hanging by the -chain. Behold the manner of it. I leaving my work on the road, the sun -going to bed, the carriage of the Marquis slowly ascending the hill, he -hanging by the chain--like this.” - -Again the mender of roads went through the whole performance; in which -he ought to have been perfect by that time, seeing that it had been -the infallible resource and indispensable entertainment of his village -during a whole year. - -Jacques One struck in, and asked if he had ever seen the man before? - -“Never,” answered the mender of roads, recovering his perpendicular. - -Jacques Three demanded how he afterwards recognised him then? - -“By his tall figure,” said the mender of roads, softly, and with his -finger at his nose. “When Monsieur the Marquis demands that evening, -'Say, what is he like?' I make response, 'Tall as a spectre.'” - -“You should have said, short as a dwarf,” returned Jacques Two. - -“But what did I know? The deed was not then accomplished, neither did he -confide in me. Observe! Under those circumstances even, I do not -offer my testimony. Monsieur the Marquis indicates me with his finger, -standing near our little fountain, and says, 'To me! Bring that rascal!' -My faith, messieurs, I offer nothing.” - -“He is right there, Jacques,” murmured Defarge, to him who had -interrupted. “Go on!” - -“Good!” said the mender of roads, with an air of mystery. “The tall man -is lost, and he is sought--how many months? Nine, ten, eleven?” - -“No matter, the number,” said Defarge. “He is well hidden, but at last -he is unluckily found. Go on!” - -“I am again at work upon the hill-side, and the sun is again about to -go to bed. I am collecting my tools to descend to my cottage down in the -village below, where it is already dark, when I raise my eyes, and see -coming over the hill six soldiers. In the midst of them is a tall man -with his arms bound--tied to his sides--like this!” - -With the aid of his indispensable cap, he represented a man with his -elbows bound fast at his hips, with cords that were knotted behind him. - -“I stand aside, messieurs, by my heap of stones, to see the soldiers -and their prisoner pass (for it is a solitary road, that, where any -spectacle is well worth looking at), and at first, as they approach, I -see no more than that they are six soldiers with a tall man bound, and -that they are almost black to my sight--except on the side of the sun -going to bed, where they have a red edge, messieurs. Also, I see that -their long shadows are on the hollow ridge on the opposite side of the -road, and are on the hill above it, and are like the shadows of giants. -Also, I see that they are covered with dust, and that the dust moves -with them as they come, tramp, tramp! But when they advance quite near -to me, I recognise the tall man, and he recognises me. Ah, but he would -be well content to precipitate himself over the hill-side once again, as -on the evening when he and I first encountered, close to the same spot!” - -He described it as if he were there, and it was evident that he saw it -vividly; perhaps he had not seen much in his life. - -“I do not show the soldiers that I recognise the tall man; he does not -show the soldiers that he recognises me; we do it, and we know it, with -our eyes. 'Come on!' says the chief of that company, pointing to the -village, 'bring him fast to his tomb!' and they bring him faster. I -follow. His arms are swelled because of being bound so tight, his wooden -shoes are large and clumsy, and he is lame. Because he is lame, and -consequently slow, they drive him with their guns--like this!” - -He imitated the action of a man's being impelled forward by the -butt-ends of muskets. - -“As they descend the hill like madmen running a race, he falls. They -laugh and pick him up again. His face is bleeding and covered with dust, -but he cannot touch it; thereupon they laugh again. They bring him into -the village; all the village runs to look; they take him past the mill, -and up to the prison; all the village sees the prison gate open in the -darkness of the night, and swallow him--like this!” - -He opened his mouth as wide as he could, and shut it with a sounding -snap of his teeth. Observant of his unwillingness to mar the effect by -opening it again, Defarge said, “Go on, Jacques.” - -“All the village,” pursued the mender of roads, on tiptoe and in a low -voice, “withdraws; all the village whispers by the fountain; all the -village sleeps; all the village dreams of that unhappy one, within the -locks and bars of the prison on the crag, and never to come out of it, -except to perish. In the morning, with my tools upon my shoulder, eating -my morsel of black bread as I go, I make a circuit by the prison, on -my way to my work. There I see him, high up, behind the bars of a lofty -iron cage, bloody and dusty as last night, looking through. He has no -hand free, to wave to me; I dare not call to him; he regards me like a -dead man.” - -Defarge and the three glanced darkly at one another. The looks of all -of them were dark, repressed, and revengeful, as they listened to the -countryman's story; the manner of all of them, while it was secret, was -authoritative too. They had the air of a rough tribunal; Jacques One -and Two sitting on the old pallet-bed, each with his chin resting on -his hand, and his eyes intent on the road-mender; Jacques Three, equally -intent, on one knee behind them, with his agitated hand always gliding -over the network of fine nerves about his mouth and nose; Defarge -standing between them and the narrator, whom he had stationed in the -light of the window, by turns looking from him to them, and from them to -him. - -“Go on, Jacques,” said Defarge. - -“He remains up there in his iron cage some days. The village looks -at him by stealth, for it is afraid. But it always looks up, from a -distance, at the prison on the crag; and in the evening, when the work -of the day is achieved and it assembles to gossip at the fountain, all -faces are turned towards the prison. Formerly, they were turned towards -the posting-house; now, they are turned towards the prison. They -whisper at the fountain, that although condemned to death he will not be -executed; they say that petitions have been presented in Paris, showing -that he was enraged and made mad by the death of his child; they say -that a petition has been presented to the King himself. What do I know? -It is possible. Perhaps yes, perhaps no.” - -“Listen then, Jacques,” Number One of that name sternly interposed. -“Know that a petition was presented to the King and Queen. All here, -yourself excepted, saw the King take it, in his carriage in the street, -sitting beside the Queen. It is Defarge whom you see here, who, at the -hazard of his life, darted out before the horses, with the petition in -his hand.” - -“And once again listen, Jacques!” said the kneeling Number Three: -his fingers ever wandering over and over those fine nerves, with a -strikingly greedy air, as if he hungered for something--that was neither -food nor drink; “the guard, horse and foot, surrounded the petitioner, -and struck him blows. You hear?” - -“I hear, messieurs.” - -“Go on then,” said Defarge. - -“Again; on the other hand, they whisper at the fountain,” resumed the -countryman, “that he is brought down into our country to be executed on -the spot, and that he will very certainly be executed. They even whisper -that because he has slain Monseigneur, and because Monseigneur was the -father of his tenants--serfs--what you will--he will be executed as a -parricide. One old man says at the fountain, that his right hand, armed -with the knife, will be burnt off before his face; that, into wounds -which will be made in his arms, his breast, and his legs, there will be -poured boiling oil, melted lead, hot resin, wax, and sulphur; finally, -that he will be torn limb from limb by four strong horses. That old man -says, all this was actually done to a prisoner who made an attempt on -the life of the late King, Louis Fifteen. But how do I know if he lies? -I am not a scholar.” - -“Listen once again then, Jacques!” said the man with the restless hand -and the craving air. “The name of that prisoner was Damiens, and it was -all done in open day, in the open streets of this city of Paris; and -nothing was more noticed in the vast concourse that saw it done, than -the crowd of ladies of quality and fashion, who were full of eager -attention to the last--to the last, Jacques, prolonged until nightfall, -when he had lost two legs and an arm, and still breathed! And it was -done--why, how old are you?” - -“Thirty-five,” said the mender of roads, who looked sixty. - -“It was done when you were more than ten years old; you might have seen -it.” - -“Enough!” said Defarge, with grim impatience. “Long live the Devil! Go -on.” - -“Well! Some whisper this, some whisper that; they speak of nothing else; -even the fountain appears to fall to that tune. At length, on Sunday -night when all the village is asleep, come soldiers, winding down from -the prison, and their guns ring on the stones of the little street. -Workmen dig, workmen hammer, soldiers laugh and sing; in the morning, by -the fountain, there is raised a gallows forty feet high, poisoning the -water.” - -The mender of roads looked _through_ rather than _at_ the low ceiling, -and pointed as if he saw the gallows somewhere in the sky. - -“All work is stopped, all assemble there, nobody leads the cows out, -the cows are there with the rest. At midday, the roll of drums. Soldiers -have marched into the prison in the night, and he is in the midst -of many soldiers. He is bound as before, and in his mouth there is -a gag--tied so, with a tight string, making him look almost as if he -laughed.” He suggested it, by creasing his face with his two thumbs, -from the corners of his mouth to his ears. “On the top of the gallows is -fixed the knife, blade upwards, with its point in the air. He is hanged -there forty feet high--and is left hanging, poisoning the water.” - -They looked at one another, as he used his blue cap to wipe his face, -on which the perspiration had started afresh while he recalled the -spectacle. - -“It is frightful, messieurs. How can the women and the children draw -water! Who can gossip of an evening, under that shadow! Under it, have -I said? When I left the village, Monday evening as the sun was going to -bed, and looked back from the hill, the shadow struck across the church, -across the mill, across the prison--seemed to strike across the earth, -messieurs, to where the sky rests upon it!” - -The hungry man gnawed one of his fingers as he looked at the other -three, and his finger quivered with the craving that was on him. - -“That's all, messieurs. I left at sunset (as I had been warned to do), -and I walked on, that night and half next day, until I met (as I was -warned I should) this comrade. With him, I came on, now riding and now -walking, through the rest of yesterday and through last night. And here -you see me!” - -After a gloomy silence, the first Jacques said, “Good! You have acted -and recounted faithfully. Will you wait for us a little, outside the -door?” - -“Very willingly,” said the mender of roads. Whom Defarge escorted to the -top of the stairs, and, leaving seated there, returned. - -The three had risen, and their heads were together when he came back to -the garret. - -“How say you, Jacques?” demanded Number One. “To be registered?” - -“To be registered, as doomed to destruction,” returned Defarge. - -“Magnificent!” croaked the man with the craving. - -“The chateau, and all the race?” inquired the first. - -“The chateau and all the race,” returned Defarge. “Extermination.” - -The hungry man repeated, in a rapturous croak, “Magnificent!” and began -gnawing another finger. - -“Are you sure,” asked Jacques Two, of Defarge, “that no embarrassment -can arise from our manner of keeping the register? Without doubt it is -safe, for no one beyond ourselves can decipher it; but shall we always -be able to decipher it--or, I ought to say, will she?” - -“Jacques,” returned Defarge, drawing himself up, “if madame my wife -undertook to keep the register in her memory alone, she would not lose -a word of it--not a syllable of it. Knitted, in her own stitches and her -own symbols, it will always be as plain to her as the sun. Confide in -Madame Defarge. It would be easier for the weakest poltroon that lives, -to erase himself from existence, than to erase one letter of his name or -crimes from the knitted register of Madame Defarge.” - -There was a murmur of confidence and approval, and then the man who -hungered, asked: “Is this rustic to be sent back soon? I hope so. He is -very simple; is he not a little dangerous?” - -“He knows nothing,” said Defarge; “at least nothing more than would -easily elevate himself to a gallows of the same height. I charge myself -with him; let him remain with me; I will take care of him, and set him -on his road. He wishes to see the fine world--the King, the Queen, and -Court; let him see them on Sunday.” - -“What?” exclaimed the hungry man, staring. “Is it a good sign, that he -wishes to see Royalty and Nobility?” - -“Jacques,” said Defarge; “judiciously show a cat milk, if you wish her -to thirst for it. Judiciously show a dog his natural prey, if you wish -him to bring it down one day.” - -Nothing more was said, and the mender of roads, being found already -dozing on the topmost stair, was advised to lay himself down on the -pallet-bed and take some rest. He needed no persuasion, and was soon -asleep. - -Worse quarters than Defarge's wine-shop, could easily have been found -in Paris for a provincial slave of that degree. Saving for a mysterious -dread of madame by which he was constantly haunted, his life was very -new and agreeable. But, madame sat all day at her counter, so expressly -unconscious of him, and so particularly determined not to perceive that -his being there had any connection with anything below the surface, that -he shook in his wooden shoes whenever his eye lighted on her. For, he -contended with himself that it was impossible to foresee what that lady -might pretend next; and he felt assured that if she should take it -into her brightly ornamented head to pretend that she had seen him do a -murder and afterwards flay the victim, she would infallibly go through -with it until the play was played out. - -Therefore, when Sunday came, the mender of roads was not enchanted -(though he said he was) to find that madame was to accompany monsieur -and himself to Versailles. It was additionally disconcerting to have -madame knitting all the way there, in a public conveyance; it was -additionally disconcerting yet, to have madame in the crowd in the -afternoon, still with her knitting in her hands as the crowd waited to -see the carriage of the King and Queen. - -“You work hard, madame,” said a man near her. - -“Yes,” answered Madame Defarge; “I have a good deal to do.” - -“What do you make, madame?” - -“Many things.” - -“For instance--” - -“For instance,” returned Madame Defarge, composedly, “shrouds.” - -The man moved a little further away, as soon as he could, and the mender -of roads fanned himself with his blue cap: feeling it mightily close -and oppressive. If he needed a King and Queen to restore him, he was -fortunate in having his remedy at hand; for, soon the large-faced King -and the fair-faced Queen came in their golden coach, attended by the -shining Bull's Eye of their Court, a glittering multitude of laughing -ladies and fine lords; and in jewels and silks and powder and splendour -and elegantly spurning figures and handsomely disdainful faces of both -sexes, the mender of roads bathed himself, so much to his temporary -intoxication, that he cried Long live the King, Long live the Queen, -Long live everybody and everything! as if he had never heard of -ubiquitous Jacques in his time. Then, there were gardens, courtyards, -terraces, fountains, green banks, more King and Queen, more Bull's Eye, -more lords and ladies, more Long live they all! until he absolutely wept -with sentiment. During the whole of this scene, which lasted some three -hours, he had plenty of shouting and weeping and sentimental company, -and throughout Defarge held him by the collar, as if to restrain him -from flying at the objects of his brief devotion and tearing them to -pieces. - -“Bravo!” said Defarge, clapping him on the back when it was over, like a -patron; “you are a good boy!” - -The mender of roads was now coming to himself, and was mistrustful of -having made a mistake in his late demonstrations; but no. - -“You are the fellow we want,” said Defarge, in his ear; “you make -these fools believe that it will last for ever. Then, they are the more -insolent, and it is the nearer ended.” - -“Hey!” cried the mender of roads, reflectively; “that's true.” - -“These fools know nothing. While they despise your breath, and would -stop it for ever and ever, in you or in a hundred like you rather than -in one of their own horses or dogs, they only know what your breath -tells them. Let it deceive them, then, a little longer; it cannot -deceive them too much.” - -Madame Defarge looked superciliously at the client, and nodded in -confirmation. - -“As to you,” said she, “you would shout and shed tears for anything, if -it made a show and a noise. Say! Would you not?” - -“Truly, madame, I think so. For the moment.” - -“If you were shown a great heap of dolls, and were set upon them to -pluck them to pieces and despoil them for your own advantage, you would -pick out the richest and gayest. Say! Would you not?” - -“Truly yes, madame.” - -“Yes. And if you were shown a flock of birds, unable to fly, and were -set upon them to strip them of their feathers for your own advantage, -you would set upon the birds of the finest feathers; would you not?” - -“It is true, madame.” - -“You have seen both dolls and birds to-day,” said Madame Defarge, with -a wave of her hand towards the place where they had last been apparent; -“now, go home!” - - - - -XVI. Still Knitting - - -Madame Defarge and monsieur her husband returned amicably to the -bosom of Saint Antoine, while a speck in a blue cap toiled through the -darkness, and through the dust, and down the weary miles of avenue by -the wayside, slowly tending towards that point of the compass where -the chateau of Monsieur the Marquis, now in his grave, listened to -the whispering trees. Such ample leisure had the stone faces, now, -for listening to the trees and to the fountain, that the few village -scarecrows who, in their quest for herbs to eat and fragments of dead -stick to burn, strayed within sight of the great stone courtyard and -terrace staircase, had it borne in upon their starved fancy that -the expression of the faces was altered. A rumour just lived in the -village--had a faint and bare existence there, as its people had--that -when the knife struck home, the faces changed, from faces of pride to -faces of anger and pain; also, that when that dangling figure was hauled -up forty feet above the fountain, they changed again, and bore a cruel -look of being avenged, which they would henceforth bear for ever. In the -stone face over the great window of the bed-chamber where the murder -was done, two fine dints were pointed out in the sculptured nose, which -everybody recognised, and which nobody had seen of old; and on the -scarce occasions when two or three ragged peasants emerged from the -crowd to take a hurried peep at Monsieur the Marquis petrified, a -skinny finger would not have pointed to it for a minute, before they all -started away among the moss and leaves, like the more fortunate hares -who could find a living there. - -Chateau and hut, stone face and dangling figure, the red stain on the -stone floor, and the pure water in the village well--thousands of acres -of land--a whole province of France--all France itself--lay under the -night sky, concentrated into a faint hair-breadth line. So does a whole -world, with all its greatnesses and littlenesses, lie in a twinkling -star. And as mere human knowledge can split a ray of light and analyse -the manner of its composition, so, sublimer intelligences may read in -the feeble shining of this earth of ours, every thought and act, every -vice and virtue, of every responsible creature on it. - -The Defarges, husband and wife, came lumbering under the starlight, -in their public vehicle, to that gate of Paris whereunto their -journey naturally tended. There was the usual stoppage at the barrier -guardhouse, and the usual lanterns came glancing forth for the usual -examination and inquiry. Monsieur Defarge alighted; knowing one or two -of the soldiery there, and one of the police. The latter he was intimate -with, and affectionately embraced. - -When Saint Antoine had again enfolded the Defarges in his dusky wings, -and they, having finally alighted near the Saint's boundaries, were -picking their way on foot through the black mud and offal of his -streets, Madame Defarge spoke to her husband: - -“Say then, my friend; what did Jacques of the police tell thee?” - -“Very little to-night, but all he knows. There is another spy -commissioned for our quarter. There may be many more, for all that he -can say, but he knows of one.” - -“Eh well!” said Madame Defarge, raising her eyebrows with a cool -business air. “It is necessary to register him. How do they call that -man?” - -“He is English.” - -“So much the better. His name?” - -“Barsad,” said Defarge, making it French by pronunciation. But, he had -been so careful to get it accurately, that he then spelt it with perfect -correctness. - -“Barsad,” repeated madame. “Good. Christian name?” - -“John.” - -“John Barsad,” repeated madame, after murmuring it once to herself. -“Good. His appearance; is it known?” - -“Age, about forty years; height, about five feet nine; black hair; -complexion dark; generally, rather handsome visage; eyes dark, face -thin, long, and sallow; nose aquiline, but not straight, having a -peculiar inclination towards the left cheek; expression, therefore, -sinister.” - -“Eh my faith. It is a portrait!” said madame, laughing. “He shall be -registered to-morrow.” - -They turned into the wine-shop, which was closed (for it was midnight), -and where Madame Defarge immediately took her post at her desk, counted -the small moneys that had been taken during her absence, examined the -stock, went through the entries in the book, made other entries of -her own, checked the serving man in every possible way, and finally -dismissed him to bed. Then she turned out the contents of the bowl -of money for the second time, and began knotting them up in her -handkerchief, in a chain of separate knots, for safe keeping through the -night. All this while, Defarge, with his pipe in his mouth, walked -up and down, complacently admiring, but never interfering; in which -condition, indeed, as to the business and his domestic affairs, he -walked up and down through life. - -The night was hot, and the shop, close shut and surrounded by so foul a -neighbourhood, was ill-smelling. Monsieur Defarge's olfactory sense was -by no means delicate, but the stock of wine smelt much stronger than -it ever tasted, and so did the stock of rum and brandy and aniseed. He -whiffed the compound of scents away, as he put down his smoked-out pipe. - -“You are fatigued,” said madame, raising her glance as she knotted the -money. “There are only the usual odours.” - -“I am a little tired,” her husband acknowledged. - -“You are a little depressed, too,” said madame, whose quick eyes had -never been so intent on the accounts, but they had had a ray or two for -him. “Oh, the men, the men!” - -“But my dear!” began Defarge. - -“But my dear!” repeated madame, nodding firmly; “but my dear! You are -faint of heart to-night, my dear!” - -“Well, then,” said Defarge, as if a thought were wrung out of his -breast, “it _is_ a long time.” - -“It is a long time,” repeated his wife; “and when is it not a long time? -Vengeance and retribution require a long time; it is the rule.” - -“It does not take a long time to strike a man with Lightning,” said -Defarge. - -“How long,” demanded madame, composedly, “does it take to make and store -the lightning? Tell me.” - -Defarge raised his head thoughtfully, as if there were something in that -too. - -“It does not take a long time,” said madame, “for an earthquake to -swallow a town. Eh well! Tell me how long it takes to prepare the -earthquake?” - -“A long time, I suppose,” said Defarge. - -“But when it is ready, it takes place, and grinds to pieces everything -before it. In the meantime, it is always preparing, though it is not -seen or heard. That is your consolation. Keep it.” - -She tied a knot with flashing eyes, as if it throttled a foe. - -“I tell thee,” said madame, extending her right hand, for emphasis, -“that although it is a long time on the road, it is on the road and -coming. I tell thee it never retreats, and never stops. I tell thee it -is always advancing. Look around and consider the lives of all the world -that we know, consider the faces of all the world that we know, consider -the rage and discontent to which the Jacquerie addresses itself with -more and more of certainty every hour. Can such things last? Bah! I mock -you.” - -“My brave wife,” returned Defarge, standing before her with his head -a little bent, and his hands clasped at his back, like a docile and -attentive pupil before his catechist, “I do not question all this. But -it has lasted a long time, and it is possible--you know well, my wife, -it is possible--that it may not come, during our lives.” - -“Eh well! How then?” demanded madame, tying another knot, as if there -were another enemy strangled. - -“Well!” said Defarge, with a half complaining and half apologetic shrug. -“We shall not see the triumph.” - -“We shall have helped it,” returned madame, with her extended hand in -strong action. “Nothing that we do, is done in vain. I believe, with all -my soul, that we shall see the triumph. But even if not, even if I knew -certainly not, show me the neck of an aristocrat and tyrant, and still I -would--” - -Then madame, with her teeth set, tied a very terrible knot indeed. - -“Hold!” cried Defarge, reddening a little as if he felt charged with -cowardice; “I too, my dear, will stop at nothing.” - -“Yes! But it is your weakness that you sometimes need to see your victim -and your opportunity, to sustain you. Sustain yourself without that. -When the time comes, let loose a tiger and a devil; but wait for the -time with the tiger and the devil chained--not shown--yet always ready.” - -Madame enforced the conclusion of this piece of advice by striking her -little counter with her chain of money as if she knocked its brains -out, and then gathering the heavy handkerchief under her arm in a serene -manner, and observing that it was time to go to bed. - -Next noontide saw the admirable woman in her usual place in the -wine-shop, knitting away assiduously. A rose lay beside her, and if she -now and then glanced at the flower, it was with no infraction of her -usual preoccupied air. There were a few customers, drinking or not -drinking, standing or seated, sprinkled about. The day was very hot, -and heaps of flies, who were extending their inquisitive and adventurous -perquisitions into all the glutinous little glasses near madame, fell -dead at the bottom. Their decease made no impression on the other flies -out promenading, who looked at them in the coolest manner (as if they -themselves were elephants, or something as far removed), until they met -the same fate. Curious to consider how heedless flies are!--perhaps they -thought as much at Court that sunny summer day. - -A figure entering at the door threw a shadow on Madame Defarge which she -felt to be a new one. She laid down her knitting, and began to pin her -rose in her head-dress, before she looked at the figure. - -It was curious. The moment Madame Defarge took up the rose, the -customers ceased talking, and began gradually to drop out of the -wine-shop. - -“Good day, madame,” said the new-comer. - -“Good day, monsieur.” - -She said it aloud, but added to herself, as she resumed her knitting: -“Hah! Good day, age about forty, height about five feet nine, black -hair, generally rather handsome visage, complexion dark, eyes dark, -thin, long and sallow face, aquiline nose but not straight, having a -peculiar inclination towards the left cheek which imparts a sinister -expression! Good day, one and all!” - -“Have the goodness to give me a little glass of old cognac, and a -mouthful of cool fresh water, madame.” - -Madame complied with a polite air. - -“Marvellous cognac this, madame!” - -It was the first time it had ever been so complimented, and Madame -Defarge knew enough of its antecedents to know better. She said, -however, that the cognac was flattered, and took up her knitting. The -visitor watched her fingers for a few moments, and took the opportunity -of observing the place in general. - -“You knit with great skill, madame.” - -“I am accustomed to it.” - -“A pretty pattern too!” - -“_You_ think so?” said madame, looking at him with a smile. - -“Decidedly. May one ask what it is for?” - -“Pastime,” said madame, still looking at him with a smile while her -fingers moved nimbly. - -“Not for use?” - -“That depends. I may find a use for it one day. If I do--Well,” said -madame, drawing a breath and nodding her head with a stern kind of -coquetry, “I'll use it!” - -It was remarkable; but, the taste of Saint Antoine seemed to be -decidedly opposed to a rose on the head-dress of Madame Defarge. Two -men had entered separately, and had been about to order drink, when, -catching sight of that novelty, they faltered, made a pretence of -looking about as if for some friend who was not there, and went away. -Nor, of those who had been there when this visitor entered, was there -one left. They had all dropped off. The spy had kept his eyes open, -but had been able to detect no sign. They had lounged away in a -poverty-stricken, purposeless, accidental manner, quite natural and -unimpeachable. - -“_John_,” thought madame, checking off her work as her fingers knitted, -and her eyes looked at the stranger. “Stay long enough, and I shall knit -'BARSAD' before you go.” - -“You have a husband, madame?” - -“I have.” - -“Children?” - -“No children.” - -“Business seems bad?” - -“Business is very bad; the people are so poor.” - -“Ah, the unfortunate, miserable people! So oppressed, too--as you say.” - -“As _you_ say,” madame retorted, correcting him, and deftly knitting an -extra something into his name that boded him no good. - -“Pardon me; certainly it was I who said so, but you naturally think so. -Of course.” - -“_I_ think?” returned madame, in a high voice. “I and my husband have -enough to do to keep this wine-shop open, without thinking. All we -think, here, is how to live. That is the subject _we_ think of, and -it gives us, from morning to night, enough to think about, without -embarrassing our heads concerning others. _I_ think for others? No, no.” - -The spy, who was there to pick up any crumbs he could find or make, did -not allow his baffled state to express itself in his sinister face; but, -stood with an air of gossiping gallantry, leaning his elbow on Madame -Defarge's little counter, and occasionally sipping his cognac. - -“A bad business this, madame, of Gaspard's execution. Ah! the poor -Gaspard!” With a sigh of great compassion. - -“My faith!” returned madame, coolly and lightly, “if people use knives -for such purposes, they have to pay for it. He knew beforehand what the -price of his luxury was; he has paid the price.” - -“I believe,” said the spy, dropping his soft voice to a tone -that invited confidence, and expressing an injured revolutionary -susceptibility in every muscle of his wicked face: “I believe there -is much compassion and anger in this neighbourhood, touching the poor -fellow? Between ourselves.” - -“Is there?” asked madame, vacantly. - -“Is there not?” - -“--Here is my husband!” said Madame Defarge. - -As the keeper of the wine-shop entered at the door, the spy saluted -him by touching his hat, and saying, with an engaging smile, “Good day, -Jacques!” Defarge stopped short, and stared at him. - -“Good day, Jacques!” the spy repeated; with not quite so much -confidence, or quite so easy a smile under the stare. - -“You deceive yourself, monsieur,” returned the keeper of the wine-shop. -“You mistake me for another. That is not my name. I am Ernest Defarge.” - -“It is all the same,” said the spy, airily, but discomfited too: “good -day!” - -“Good day!” answered Defarge, drily. - -“I was saying to madame, with whom I had the pleasure of chatting when -you entered, that they tell me there is--and no wonder!--much sympathy -and anger in Saint Antoine, touching the unhappy fate of poor Gaspard.” - -“No one has told me so,” said Defarge, shaking his head. “I know nothing -of it.” - -Having said it, he passed behind the little counter, and stood with his -hand on the back of his wife's chair, looking over that barrier at the -person to whom they were both opposed, and whom either of them would -have shot with the greatest satisfaction. - -The spy, well used to his business, did not change his unconscious -attitude, but drained his little glass of cognac, took a sip of fresh -water, and asked for another glass of cognac. Madame Defarge poured it -out for him, took to her knitting again, and hummed a little song over -it. - -“You seem to know this quarter well; that is to say, better than I do?” - observed Defarge. - -“Not at all, but I hope to know it better. I am so profoundly interested -in its miserable inhabitants.” - -“Hah!” muttered Defarge. - -“The pleasure of conversing with you, Monsieur Defarge, recalls to me,” - pursued the spy, “that I have the honour of cherishing some interesting -associations with your name.” - -“Indeed!” said Defarge, with much indifference. - -“Yes, indeed. When Doctor Manette was released, you, his old domestic, -had the charge of him, I know. He was delivered to you. You see I am -informed of the circumstances?” - -“Such is the fact, certainly,” said Defarge. He had had it conveyed -to him, in an accidental touch of his wife's elbow as she knitted and -warbled, that he would do best to answer, but always with brevity. - -“It was to you,” said the spy, “that his daughter came; and it was -from your care that his daughter took him, accompanied by a neat brown -monsieur; how is he called?--in a little wig--Lorry--of the bank of -Tellson and Company--over to England.” - -“Such is the fact,” repeated Defarge. - -“Very interesting remembrances!” said the spy. “I have known Doctor -Manette and his daughter, in England.” - -“Yes?” said Defarge. - -“You don't hear much about them now?” said the spy. - -“No,” said Defarge. - -“In effect,” madame struck in, looking up from her work and her little -song, “we never hear about them. We received the news of their safe -arrival, and perhaps another letter, or perhaps two; but, since then, -they have gradually taken their road in life--we, ours--and we have held -no correspondence.” - -“Perfectly so, madame,” replied the spy. “She is going to be married.” - -“Going?” echoed madame. “She was pretty enough to have been married long -ago. You English are cold, it seems to me.” - -“Oh! You know I am English.” - -“I perceive your tongue is,” returned madame; “and what the tongue is, I -suppose the man is.” - -He did not take the identification as a compliment; but he made the best -of it, and turned it off with a laugh. After sipping his cognac to the -end, he added: - -“Yes, Miss Manette is going to be married. But not to an Englishman; to -one who, like herself, is French by birth. And speaking of Gaspard (ah, -poor Gaspard! It was cruel, cruel!), it is a curious thing that she is -going to marry the nephew of Monsieur the Marquis, for whom Gaspard -was exalted to that height of so many feet; in other words, the present -Marquis. But he lives unknown in England, he is no Marquis there; he is -Mr. Charles Darnay. D'Aulnais is the name of his mother's family.” - -Madame Defarge knitted steadily, but the intelligence had a palpable -effect upon her husband. Do what he would, behind the little counter, -as to the striking of a light and the lighting of his pipe, he was -troubled, and his hand was not trustworthy. The spy would have been no -spy if he had failed to see it, or to record it in his mind. - -Having made, at least, this one hit, whatever it might prove to be -worth, and no customers coming in to help him to any other, Mr. Barsad -paid for what he had drunk, and took his leave: taking occasion to say, -in a genteel manner, before he departed, that he looked forward to the -pleasure of seeing Monsieur and Madame Defarge again. For some minutes -after he had emerged into the outer presence of Saint Antoine, the -husband and wife remained exactly as he had left them, lest he should -come back. - -“Can it be true,” said Defarge, in a low voice, looking down at his wife -as he stood smoking with his hand on the back of her chair: “what he has -said of Ma'amselle Manette?” - -“As he has said it,” returned madame, lifting her eyebrows a little, “it -is probably false. But it may be true.” - -“If it is--” Defarge began, and stopped. - -“If it is?” repeated his wife. - -“--And if it does come, while we live to see it triumph--I hope, for her -sake, Destiny will keep her husband out of France.” - -“Her husband's destiny,” said Madame Defarge, with her usual composure, -“will take him where he is to go, and will lead him to the end that is -to end him. That is all I know.” - -“But it is very strange--now, at least, is it not very strange”--said -Defarge, rather pleading with his wife to induce her to admit it, -“that, after all our sympathy for Monsieur her father, and herself, her -husband's name should be proscribed under your hand at this moment, by -the side of that infernal dog's who has just left us?” - -“Stranger things than that will happen when it does come,” answered -madame. “I have them both here, of a certainty; and they are both here -for their merits; that is enough.” - -She rolled up her knitting when she had said those words, and presently -took the rose out of the handkerchief that was wound about her head. -Either Saint Antoine had an instinctive sense that the objectionable -decoration was gone, or Saint Antoine was on the watch for its -disappearance; howbeit, the Saint took courage to lounge in, very -shortly afterwards, and the wine-shop recovered its habitual aspect. - -In the evening, at which season of all others Saint Antoine turned -himself inside out, and sat on door-steps and window-ledges, and came -to the corners of vile streets and courts, for a breath of air, Madame -Defarge with her work in her hand was accustomed to pass from place -to place and from group to group: a Missionary--there were many like -her--such as the world will do well never to breed again. All the women -knitted. They knitted worthless things; but, the mechanical work was a -mechanical substitute for eating and drinking; the hands moved for the -jaws and the digestive apparatus: if the bony fingers had been still, -the stomachs would have been more famine-pinched. - -But, as the fingers went, the eyes went, and the thoughts. And as Madame -Defarge moved on from group to group, all three went quicker and fiercer -among every little knot of women that she had spoken with, and left -behind. - -Her husband smoked at his door, looking after her with admiration. “A -great woman,” said he, “a strong woman, a grand woman, a frightfully -grand woman!” - -Darkness closed around, and then came the ringing of church bells and -the distant beating of the military drums in the Palace Courtyard, as -the women sat knitting, knitting. Darkness encompassed them. Another -darkness was closing in as surely, when the church bells, then ringing -pleasantly in many an airy steeple over France, should be melted into -thundering cannon; when the military drums should be beating to drown a -wretched voice, that night all potent as the voice of Power and Plenty, -Freedom and Life. So much was closing in about the women who sat -knitting, knitting, that they their very selves were closing in around -a structure yet unbuilt, where they were to sit knitting, knitting, -counting dropping heads. - - - - -XVII. One Night - - -Never did the sun go down with a brighter glory on the quiet corner in -Soho, than one memorable evening when the Doctor and his daughter sat -under the plane-tree together. Never did the moon rise with a milder -radiance over great London, than on that night when it found them still -seated under the tree, and shone upon their faces through its leaves. - -Lucie was to be married to-morrow. She had reserved this last evening -for her father, and they sat alone under the plane-tree. - -“You are happy, my dear father?” - -“Quite, my child.” - -They had said little, though they had been there a long time. When it -was yet light enough to work and read, she had neither engaged herself -in her usual work, nor had she read to him. She had employed herself in -both ways, at his side under the tree, many and many a time; but, this -time was not quite like any other, and nothing could make it so. - -“And I am very happy to-night, dear father. I am deeply happy in the -love that Heaven has so blessed--my love for Charles, and Charles's love -for me. But, if my life were not to be still consecrated to you, or -if my marriage were so arranged as that it would part us, even by -the length of a few of these streets, I should be more unhappy and -self-reproachful now than I can tell you. Even as it is--” - -Even as it was, she could not command her voice. - -In the sad moonlight, she clasped him by the neck, and laid her face -upon his breast. In the moonlight which is always sad, as the light of -the sun itself is--as the light called human life is--at its coming and -its going. - -“Dearest dear! Can you tell me, this last time, that you feel quite, -quite sure, no new affections of mine, and no new duties of mine, will -ever interpose between us? _I_ know it well, but do you know it? In your -own heart, do you feel quite certain?” - -Her father answered, with a cheerful firmness of conviction he could -scarcely have assumed, “Quite sure, my darling! More than that,” he -added, as he tenderly kissed her: “my future is far brighter, Lucie, -seen through your marriage, than it could have been--nay, than it ever -was--without it.” - -“If I could hope _that_, my father!--” - -“Believe it, love! Indeed it is so. Consider how natural and how plain -it is, my dear, that it should be so. You, devoted and young, cannot -fully appreciate the anxiety I have felt that your life should not be -wasted--” - -She moved her hand towards his lips, but he took it in his, and repeated -the word. - -“--wasted, my child--should not be wasted, struck aside from the -natural order of things--for my sake. Your unselfishness cannot entirely -comprehend how much my mind has gone on this; but, only ask yourself, -how could my happiness be perfect, while yours was incomplete?” - -“If I had never seen Charles, my father, I should have been quite happy -with you.” - -He smiled at her unconscious admission that she would have been unhappy -without Charles, having seen him; and replied: - -“My child, you did see him, and it is Charles. If it had not been -Charles, it would have been another. Or, if it had been no other, I -should have been the cause, and then the dark part of my life would have -cast its shadow beyond myself, and would have fallen on you.” - -It was the first time, except at the trial, of her ever hearing him -refer to the period of his suffering. It gave her a strange and new -sensation while his words were in her ears; and she remembered it long -afterwards. - -“See!” said the Doctor of Beauvais, raising his hand towards the moon. -“I have looked at her from my prison-window, when I could not bear her -light. I have looked at her when it has been such torture to me to think -of her shining upon what I had lost, that I have beaten my head against -my prison-walls. I have looked at her, in a state so dull and lethargic, -that I have thought of nothing but the number of horizontal lines I -could draw across her at the full, and the number of perpendicular lines -with which I could intersect them.” He added in his inward and pondering -manner, as he looked at the moon, “It was twenty either way, I remember, -and the twentieth was difficult to squeeze in.” - -The strange thrill with which she heard him go back to that time, -deepened as he dwelt upon it; but, there was nothing to shock her in -the manner of his reference. He only seemed to contrast his present -cheerfulness and felicity with the dire endurance that was over. - -“I have looked at her, speculating thousands of times upon the unborn -child from whom I had been rent. Whether it was alive. Whether it had -been born alive, or the poor mother's shock had killed it. Whether it -was a son who would some day avenge his father. (There was a time in my -imprisonment, when my desire for vengeance was unbearable.) Whether it -was a son who would never know his father's story; who might even live -to weigh the possibility of his father's having disappeared of his own -will and act. Whether it was a daughter who would grow to be a woman.” - -She drew closer to him, and kissed his cheek and his hand. - -“I have pictured my daughter, to myself, as perfectly forgetful of -me--rather, altogether ignorant of me, and unconscious of me. I have -cast up the years of her age, year after year. I have seen her married -to a man who knew nothing of my fate. I have altogether perished from -the remembrance of the living, and in the next generation my place was a -blank.” - -“My father! Even to hear that you had such thoughts of a daughter who -never existed, strikes to my heart as if I had been that child.” - -“You, Lucie? It is out of the Consolation and restoration you have -brought to me, that these remembrances arise, and pass between us and -the moon on this last night.--What did I say just now?” - -“She knew nothing of you. She cared nothing for you.” - -“So! But on other moonlight nights, when the sadness and the silence -have touched me in a different way--have affected me with something as -like a sorrowful sense of peace, as any emotion that had pain for its -foundations could--I have imagined her as coming to me in my cell, and -leading me out into the freedom beyond the fortress. I have seen her -image in the moonlight often, as I now see you; except that I never held -her in my arms; it stood between the little grated window and the door. -But, you understand that that was not the child I am speaking of?” - -“The figure was not; the--the--image; the fancy?” - -“No. That was another thing. It stood before my disturbed sense of -sight, but it never moved. The phantom that my mind pursued, was another -and more real child. Of her outward appearance I know no more than -that she was like her mother. The other had that likeness too--as you -have--but was not the same. Can you follow me, Lucie? Hardly, I think? -I doubt you must have been a solitary prisoner to understand these -perplexed distinctions.” - -His collected and calm manner could not prevent her blood from running -cold, as he thus tried to anatomise his old condition. - -“In that more peaceful state, I have imagined her, in the moonlight, -coming to me and taking me out to show me that the home of her married -life was full of her loving remembrance of her lost father. My picture -was in her room, and I was in her prayers. Her life was active, -cheerful, useful; but my poor history pervaded it all.” - -“I was that child, my father, I was not half so good, but in my love -that was I.” - -“And she showed me her children,” said the Doctor of Beauvais, “and -they had heard of me, and had been taught to pity me. When they passed -a prison of the State, they kept far from its frowning walls, and looked -up at its bars, and spoke in whispers. She could never deliver me; I -imagined that she always brought me back after showing me such things. -But then, blessed with the relief of tears, I fell upon my knees, and -blessed her.” - -“I am that child, I hope, my father. O my dear, my dear, will you bless -me as fervently to-morrow?” - -“Lucie, I recall these old troubles in the reason that I have to-night -for loving you better than words can tell, and thanking God for my great -happiness. My thoughts, when they were wildest, never rose near the -happiness that I have known with you, and that we have before us.” - -He embraced her, solemnly commended her to Heaven, and humbly thanked -Heaven for having bestowed her on him. By-and-bye, they went into the -house. - -There was no one bidden to the marriage but Mr. Lorry; there was even to -be no bridesmaid but the gaunt Miss Pross. The marriage was to make no -change in their place of residence; they had been able to extend it, -by taking to themselves the upper rooms formerly belonging to the -apocryphal invisible lodger, and they desired nothing more. - -Doctor Manette was very cheerful at the little supper. They were only -three at table, and Miss Pross made the third. He regretted that Charles -was not there; was more than half disposed to object to the loving -little plot that kept him away; and drank to him affectionately. - -So, the time came for him to bid Lucie good night, and they separated. -But, in the stillness of the third hour of the morning, Lucie came -downstairs again, and stole into his room; not free from unshaped fears, -beforehand. - -All things, however, were in their places; all was quiet; and he lay -asleep, his white hair picturesque on the untroubled pillow, and his -hands lying quiet on the coverlet. She put her needless candle in the -shadow at a distance, crept up to his bed, and put her lips to his; -then, leaned over him, and looked at him. - -Into his handsome face, the bitter waters of captivity had worn; but, he -covered up their tracks with a determination so strong, that he held the -mastery of them even in his sleep. A more remarkable face in its quiet, -resolute, and guarded struggle with an unseen assailant, was not to be -beheld in all the wide dominions of sleep, that night. - -She timidly laid her hand on his dear breast, and put up a prayer that -she might ever be as true to him as her love aspired to be, and as his -sorrows deserved. Then, she withdrew her hand, and kissed his lips once -more, and went away. So, the sunrise came, and the shadows of the leaves -of the plane-tree moved upon his face, as softly as her lips had moved -in praying for him. - - - - -XVIII. Nine Days - - -The marriage-day was shining brightly, and they were ready outside the -closed door of the Doctor's room, where he was speaking with Charles -Darnay. They were ready to go to church; the beautiful bride, Mr. -Lorry, and Miss Pross--to whom the event, through a gradual process of -reconcilement to the inevitable, would have been one of absolute bliss, -but for the yet lingering consideration that her brother Solomon should -have been the bridegroom. - -“And so,” said Mr. Lorry, who could not sufficiently admire the bride, -and who had been moving round her to take in every point of her quiet, -pretty dress; “and so it was for this, my sweet Lucie, that I brought -you across the Channel, such a baby! Lord bless me! How little I thought -what I was doing! How lightly I valued the obligation I was conferring -on my friend Mr. Charles!” - -“You didn't mean it,” remarked the matter-of-fact Miss Pross, “and -therefore how could you know it? Nonsense!” - -“Really? Well; but don't cry,” said the gentle Mr. Lorry. - -“I am not crying,” said Miss Pross; “_you_ are.” - -“I, my Pross?” (By this time, Mr. Lorry dared to be pleasant with her, -on occasion.) - -“You were, just now; I saw you do it, and I don't wonder at it. Such -a present of plate as you have made 'em, is enough to bring tears into -anybody's eyes. There's not a fork or a spoon in the collection,” said -Miss Pross, “that I didn't cry over, last night after the box came, till -I couldn't see it.” - -“I am highly gratified,” said Mr. Lorry, “though, upon my honour, I -had no intention of rendering those trifling articles of remembrance -invisible to any one. Dear me! This is an occasion that makes a man -speculate on all he has lost. Dear, dear, dear! To think that there -might have been a Mrs. Lorry, any time these fifty years almost!” - -“Not at all!” From Miss Pross. - -“You think there never might have been a Mrs. Lorry?” asked the -gentleman of that name. - -“Pooh!” rejoined Miss Pross; “you were a bachelor in your cradle.” - -“Well!” observed Mr. Lorry, beamingly adjusting his little wig, “that -seems probable, too.” - -“And you were cut out for a bachelor,” pursued Miss Pross, “before you -were put in your cradle.” - -“Then, I think,” said Mr. Lorry, “that I was very unhandsomely dealt -with, and that I ought to have had a voice in the selection of my -pattern. Enough! Now, my dear Lucie,” drawing his arm soothingly round -her waist, “I hear them moving in the next room, and Miss Pross and -I, as two formal folks of business, are anxious not to lose the final -opportunity of saying something to you that you wish to hear. You leave -your good father, my dear, in hands as earnest and as loving as your -own; he shall be taken every conceivable care of; during the next -fortnight, while you are in Warwickshire and thereabouts, even Tellson's -shall go to the wall (comparatively speaking) before him. And when, at -the fortnight's end, he comes to join you and your beloved husband, on -your other fortnight's trip in Wales, you shall say that we have sent -him to you in the best health and in the happiest frame. Now, I hear -Somebody's step coming to the door. Let me kiss my dear girl with an -old-fashioned bachelor blessing, before Somebody comes to claim his -own.” - -For a moment, he held the fair face from him to look at the -well-remembered expression on the forehead, and then laid the bright -golden hair against his little brown wig, with a genuine tenderness and -delicacy which, if such things be old-fashioned, were as old as Adam. - -The door of the Doctor's room opened, and he came out with Charles -Darnay. He was so deadly pale--which had not been the case when they -went in together--that no vestige of colour was to be seen in his face. -But, in the composure of his manner he was unaltered, except that to the -shrewd glance of Mr. Lorry it disclosed some shadowy indication that the -old air of avoidance and dread had lately passed over him, like a cold -wind. - -He gave his arm to his daughter, and took her down-stairs to the chariot -which Mr. Lorry had hired in honour of the day. The rest followed in -another carriage, and soon, in a neighbouring church, where no strange -eyes looked on, Charles Darnay and Lucie Manette were happily married. - -Besides the glancing tears that shone among the smiles of the little -group when it was done, some diamonds, very bright and sparkling, -glanced on the bride's hand, which were newly released from the -dark obscurity of one of Mr. Lorry's pockets. They returned home to -breakfast, and all went well, and in due course the golden hair that had -mingled with the poor shoemaker's white locks in the Paris garret, were -mingled with them again in the morning sunlight, on the threshold of the -door at parting. - -It was a hard parting, though it was not for long. But her father -cheered her, and said at last, gently disengaging himself from her -enfolding arms, “Take her, Charles! She is yours!” - -And her agitated hand waved to them from a chaise window, and she was -gone. - -The corner being out of the way of the idle and curious, and the -preparations having been very simple and few, the Doctor, Mr. Lorry, -and Miss Pross, were left quite alone. It was when they turned into -the welcome shade of the cool old hall, that Mr. Lorry observed a great -change to have come over the Doctor; as if the golden arm uplifted -there, had struck him a poisoned blow. - -He had naturally repressed much, and some revulsion might have been -expected in him when the occasion for repression was gone. But, it was -the old scared lost look that troubled Mr. Lorry; and through his absent -manner of clasping his head and drearily wandering away into his own -room when they got up-stairs, Mr. Lorry was reminded of Defarge the -wine-shop keeper, and the starlight ride. - -“I think,” he whispered to Miss Pross, after anxious consideration, “I -think we had best not speak to him just now, or at all disturb him. -I must look in at Tellson's; so I will go there at once and come back -presently. Then, we will take him a ride into the country, and dine -there, and all will be well.” - -It was easier for Mr. Lorry to look in at Tellson's, than to look out of -Tellson's. He was detained two hours. When he came back, he ascended the -old staircase alone, having asked no question of the servant; going thus -into the Doctor's rooms, he was stopped by a low sound of knocking. - -“Good God!” he said, with a start. “What's that?” - -Miss Pross, with a terrified face, was at his ear. “O me, O me! All is -lost!” cried she, wringing her hands. “What is to be told to Ladybird? -He doesn't know me, and is making shoes!” - -Mr. Lorry said what he could to calm her, and went himself into the -Doctor's room. The bench was turned towards the light, as it had been -when he had seen the shoemaker at his work before, and his head was bent -down, and he was very busy. - -“Doctor Manette. My dear friend, Doctor Manette!” - -The Doctor looked at him for a moment--half inquiringly, half as if he -were angry at being spoken to--and bent over his work again. - -He had laid aside his coat and waistcoat; his shirt was open at the -throat, as it used to be when he did that work; and even the old -haggard, faded surface of face had come back to him. He worked -hard--impatiently--as if in some sense of having been interrupted. - -Mr. Lorry glanced at the work in his hand, and observed that it was a -shoe of the old size and shape. He took up another that was lying by -him, and asked what it was. - -“A young lady's walking shoe,” he muttered, without looking up. “It -ought to have been finished long ago. Let it be.” - -“But, Doctor Manette. Look at me!” - -He obeyed, in the old mechanically submissive manner, without pausing in -his work. - -“You know me, my dear friend? Think again. This is not your proper -occupation. Think, dear friend!” - -Nothing would induce him to speak more. He looked up, for an instant at -a time, when he was requested to do so; but, no persuasion would extract -a word from him. He worked, and worked, and worked, in silence, and -words fell on him as they would have fallen on an echoless wall, or on -the air. The only ray of hope that Mr. Lorry could discover, was, that -he sometimes furtively looked up without being asked. In that, there -seemed a faint expression of curiosity or perplexity--as though he were -trying to reconcile some doubts in his mind. - -Two things at once impressed themselves on Mr. Lorry, as important above -all others; the first, that this must be kept secret from Lucie; -the second, that it must be kept secret from all who knew him. In -conjunction with Miss Pross, he took immediate steps towards the latter -precaution, by giving out that the Doctor was not well, and required a -few days of complete rest. In aid of the kind deception to be practised -on his daughter, Miss Pross was to write, describing his having been -called away professionally, and referring to an imaginary letter of -two or three hurried lines in his own hand, represented to have been -addressed to her by the same post. - -These measures, advisable to be taken in any case, Mr. Lorry took in -the hope of his coming to himself. If that should happen soon, he kept -another course in reserve; which was, to have a certain opinion that he -thought the best, on the Doctor's case. - -In the hope of his recovery, and of resort to this third course -being thereby rendered practicable, Mr. Lorry resolved to watch him -attentively, with as little appearance as possible of doing so. He -therefore made arrangements to absent himself from Tellson's for the -first time in his life, and took his post by the window in the same -room. - -He was not long in discovering that it was worse than useless to speak -to him, since, on being pressed, he became worried. He abandoned that -attempt on the first day, and resolved merely to keep himself always -before him, as a silent protest against the delusion into which he had -fallen, or was falling. He remained, therefore, in his seat near the -window, reading and writing, and expressing in as many pleasant and -natural ways as he could think of, that it was a free place. - -Doctor Manette took what was given him to eat and drink, and worked on, -that first day, until it was too dark to see--worked on, half an hour -after Mr. Lorry could not have seen, for his life, to read or write. -When he put his tools aside as useless, until morning, Mr. Lorry rose -and said to him: - -“Will you go out?” - -He looked down at the floor on either side of him in the old manner, -looked up in the old manner, and repeated in the old low voice: - -“Out?” - -“Yes; for a walk with me. Why not?” - -He made no effort to say why not, and said not a word more. But, Mr. -Lorry thought he saw, as he leaned forward on his bench in the dusk, -with his elbows on his knees and his head in his hands, that he was in -some misty way asking himself, “Why not?” The sagacity of the man of -business perceived an advantage here, and determined to hold it. - -Miss Pross and he divided the night into two watches, and observed him -at intervals from the adjoining room. He paced up and down for a long -time before he lay down; but, when he did finally lay himself down, he -fell asleep. In the morning, he was up betimes, and went straight to his -bench and to work. - -On this second day, Mr. Lorry saluted him cheerfully by his name, -and spoke to him on topics that had been of late familiar to them. He -returned no reply, but it was evident that he heard what was said, and -that he thought about it, however confusedly. This encouraged Mr. Lorry -to have Miss Pross in with her work, several times during the day; -at those times, they quietly spoke of Lucie, and of her father then -present, precisely in the usual manner, and as if there were nothing -amiss. This was done without any demonstrative accompaniment, not long -enough, or often enough to harass him; and it lightened Mr. Lorry's -friendly heart to believe that he looked up oftener, and that he -appeared to be stirred by some perception of inconsistencies surrounding -him. - -When it fell dark again, Mr. Lorry asked him as before: - -“Dear Doctor, will you go out?” - -As before, he repeated, “Out?” - -“Yes; for a walk with me. Why not?” - -This time, Mr. Lorry feigned to go out when he could extract no answer -from him, and, after remaining absent for an hour, returned. In the -meanwhile, the Doctor had removed to the seat in the window, and had -sat there looking down at the plane-tree; but, on Mr. Lorry's return, he -slipped away to his bench. - -The time went very slowly on, and Mr. Lorry's hope darkened, and his -heart grew heavier again, and grew yet heavier and heavier every day. -The third day came and went, the fourth, the fifth. Five days, six days, -seven days, eight days, nine days. - -With a hope ever darkening, and with a heart always growing heavier and -heavier, Mr. Lorry passed through this anxious time. The secret was -well kept, and Lucie was unconscious and happy; but he could not fail to -observe that the shoemaker, whose hand had been a little out at first, -was growing dreadfully skilful, and that he had never been so intent on -his work, and that his hands had never been so nimble and expert, as in -the dusk of the ninth evening. - - - - -XIX. An Opinion - - -Worn out by anxious watching, Mr. Lorry fell asleep at his post. On the -tenth morning of his suspense, he was startled by the shining of the sun -into the room where a heavy slumber had overtaken him when it was dark -night. - -He rubbed his eyes and roused himself; but he doubted, when he had -done so, whether he was not still asleep. For, going to the door of the -Doctor's room and looking in, he perceived that the shoemaker's bench -and tools were put aside again, and that the Doctor himself sat reading -at the window. He was in his usual morning dress, and his face (which -Mr. Lorry could distinctly see), though still very pale, was calmly -studious and attentive. - -Even when he had satisfied himself that he was awake, Mr. Lorry felt -giddily uncertain for some few moments whether the late shoemaking might -not be a disturbed dream of his own; for, did not his eyes show him his -friend before him in his accustomed clothing and aspect, and employed -as usual; and was there any sign within their range, that the change of -which he had so strong an impression had actually happened? - -It was but the inquiry of his first confusion and astonishment, the -answer being obvious. If the impression were not produced by a real -corresponding and sufficient cause, how came he, Jarvis Lorry, there? -How came he to have fallen asleep, in his clothes, on the sofa in Doctor -Manette's consulting-room, and to be debating these points outside the -Doctor's bedroom door in the early morning? - -Within a few minutes, Miss Pross stood whispering at his side. If he -had had any particle of doubt left, her talk would of necessity have -resolved it; but he was by that time clear-headed, and had none. -He advised that they should let the time go by until the regular -breakfast-hour, and should then meet the Doctor as if nothing unusual -had occurred. If he appeared to be in his customary state of mind, Mr. -Lorry would then cautiously proceed to seek direction and guidance from -the opinion he had been, in his anxiety, so anxious to obtain. - -Miss Pross, submitting herself to his judgment, the scheme was worked -out with care. Having abundance of time for his usual methodical -toilette, Mr. Lorry presented himself at the breakfast-hour in his usual -white linen, and with his usual neat leg. The Doctor was summoned in the -usual way, and came to breakfast. - -So far as it was possible to comprehend him without overstepping those -delicate and gradual approaches which Mr. Lorry felt to be the only safe -advance, he at first supposed that his daughter's marriage had taken -place yesterday. An incidental allusion, purposely thrown out, to -the day of the week, and the day of the month, set him thinking and -counting, and evidently made him uneasy. In all other respects, however, -he was so composedly himself, that Mr. Lorry determined to have the aid -he sought. And that aid was his own. - -Therefore, when the breakfast was done and cleared away, and he and the -Doctor were left together, Mr. Lorry said, feelingly: - -“My dear Manette, I am anxious to have your opinion, in confidence, on a -very curious case in which I am deeply interested; that is to say, it is -very curious to me; perhaps, to your better information it may be less -so.” - -Glancing at his hands, which were discoloured by his late work, the -Doctor looked troubled, and listened attentively. He had already glanced -at his hands more than once. - -“Doctor Manette,” said Mr. Lorry, touching him affectionately on the -arm, “the case is the case of a particularly dear friend of mine. Pray -give your mind to it, and advise me well for his sake--and above all, -for his daughter's--his daughter's, my dear Manette.” - -“If I understand,” said the Doctor, in a subdued tone, “some mental -shock--?” - -“Yes!” - -“Be explicit,” said the Doctor. “Spare no detail.” - -Mr. Lorry saw that they understood one another, and proceeded. - -“My dear Manette, it is the case of an old and a prolonged shock, -of great acuteness and severity to the affections, the feelings, -the--the--as you express it--the mind. The mind. It is the case of a -shock under which the sufferer was borne down, one cannot say for how -long, because I believe he cannot calculate the time himself, and there -are no other means of getting at it. It is the case of a shock from -which the sufferer recovered, by a process that he cannot trace -himself--as I once heard him publicly relate in a striking manner. It is -the case of a shock from which he has recovered, so completely, as to -be a highly intelligent man, capable of close application of mind, and -great exertion of body, and of constantly making fresh additions to his -stock of knowledge, which was already very large. But, unfortunately, -there has been,” he paused and took a deep breath--“a slight relapse.” - -The Doctor, in a low voice, asked, “Of how long duration?” - -“Nine days and nights.” - -“How did it show itself? I infer,” glancing at his hands again, “in the -resumption of some old pursuit connected with the shock?” - -“That is the fact.” - -“Now, did you ever see him,” asked the Doctor, distinctly and -collectedly, though in the same low voice, “engaged in that pursuit -originally?” - -“Once.” - -“And when the relapse fell on him, was he in most respects--or in all -respects--as he was then?” - -“I think in all respects.” - -“You spoke of his daughter. Does his daughter know of the relapse?” - -“No. It has been kept from her, and I hope will always be kept from her. -It is known only to myself, and to one other who may be trusted.” - -The Doctor grasped his hand, and murmured, “That was very kind. That was -very thoughtful!” Mr. Lorry grasped his hand in return, and neither of -the two spoke for a little while. - -“Now, my dear Manette,” said Mr. Lorry, at length, in his most -considerate and most affectionate way, “I am a mere man of business, -and unfit to cope with such intricate and difficult matters. I do not -possess the kind of information necessary; I do not possess the kind of -intelligence; I want guiding. There is no man in this world on whom -I could so rely for right guidance, as on you. Tell me, how does this -relapse come about? Is there danger of another? Could a repetition of it -be prevented? How should a repetition of it be treated? How does it come -about at all? What can I do for my friend? No man ever can have been -more desirous in his heart to serve a friend, than I am to serve mine, -if I knew how. - -“But I don't know how to originate, in such a case. If your sagacity, -knowledge, and experience, could put me on the right track, I might be -able to do so much; unenlightened and undirected, I can do so little. -Pray discuss it with me; pray enable me to see it a little more clearly, -and teach me how to be a little more useful.” - -Doctor Manette sat meditating after these earnest words were spoken, and -Mr. Lorry did not press him. - -“I think it probable,” said the Doctor, breaking silence with an effort, -“that the relapse you have described, my dear friend, was not quite -unforeseen by its subject.” - -“Was it dreaded by him?” Mr. Lorry ventured to ask. - -“Very much.” He said it with an involuntary shudder. - -“You have no idea how such an apprehension weighs on the sufferer's -mind, and how difficult--how almost impossible--it is, for him to force -himself to utter a word upon the topic that oppresses him.” - -“Would he,” asked Mr. Lorry, “be sensibly relieved if he could prevail -upon himself to impart that secret brooding to any one, when it is on -him?” - -“I think so. But it is, as I have told you, next to impossible. I even -believe it--in some cases--to be quite impossible.” - -“Now,” said Mr. Lorry, gently laying his hand on the Doctor's arm again, -after a short silence on both sides, “to what would you refer this -attack?” - -“I believe,” returned Doctor Manette, “that there had been a strong and -extraordinary revival of the train of thought and remembrance that -was the first cause of the malady. Some intense associations of a most -distressing nature were vividly recalled, I think. It is probable that -there had long been a dread lurking in his mind, that those associations -would be recalled--say, under certain circumstances--say, on a -particular occasion. He tried to prepare himself in vain; perhaps the -effort to prepare himself made him less able to bear it.” - -“Would he remember what took place in the relapse?” asked Mr. Lorry, -with natural hesitation. - -The Doctor looked desolately round the room, shook his head, and -answered, in a low voice, “Not at all.” - -“Now, as to the future,” hinted Mr. Lorry. - -“As to the future,” said the Doctor, recovering firmness, “I should have -great hope. As it pleased Heaven in its mercy to restore him so soon, I -should have great hope. He, yielding under the pressure of a complicated -something, long dreaded and long vaguely foreseen and contended against, -and recovering after the cloud had burst and passed, I should hope that -the worst was over.” - -“Well, well! That's good comfort. I am thankful!” said Mr. Lorry. - -“I am thankful!” repeated the Doctor, bending his head with reverence. - -“There are two other points,” said Mr. Lorry, “on which I am anxious to -be instructed. I may go on?” - -“You cannot do your friend a better service.” The Doctor gave him his -hand. - -“To the first, then. He is of a studious habit, and unusually energetic; -he applies himself with great ardour to the acquisition of professional -knowledge, to the conducting of experiments, to many things. Now, does -he do too much?” - -“I think not. It may be the character of his mind, to be always in -singular need of occupation. That may be, in part, natural to it; in -part, the result of affliction. The less it was occupied with healthy -things, the more it would be in danger of turning in the unhealthy -direction. He may have observed himself, and made the discovery.” - -“You are sure that he is not under too great a strain?” - -“I think I am quite sure of it.” - -“My dear Manette, if he were overworked now--” - -“My dear Lorry, I doubt if that could easily be. There has been a -violent stress in one direction, and it needs a counterweight.” - -“Excuse me, as a persistent man of business. Assuming for a moment, -that he _was_ overworked; it would show itself in some renewal of this -disorder?” - -“I do not think so. I do not think,” said Doctor Manette with the -firmness of self-conviction, “that anything but the one train of -association would renew it. I think that, henceforth, nothing but some -extraordinary jarring of that chord could renew it. After what has -happened, and after his recovery, I find it difficult to imagine any -such violent sounding of that string again. I trust, and I almost -believe, that the circumstances likely to renew it are exhausted.” - -He spoke with the diffidence of a man who knew how slight a thing -would overset the delicate organisation of the mind, and yet with the -confidence of a man who had slowly won his assurance out of personal -endurance and distress. It was not for his friend to abate that -confidence. He professed himself more relieved and encouraged than he -really was, and approached his second and last point. He felt it to -be the most difficult of all; but, remembering his old Sunday morning -conversation with Miss Pross, and remembering what he had seen in the -last nine days, he knew that he must face it. - -“The occupation resumed under the influence of this passing affliction -so happily recovered from,” said Mr. Lorry, clearing his throat, “we -will call--Blacksmith's work, Blacksmith's work. We will say, to put a -case and for the sake of illustration, that he had been used, in his bad -time, to work at a little forge. We will say that he was unexpectedly -found at his forge again. Is it not a pity that he should keep it by -him?” - -The Doctor shaded his forehead with his hand, and beat his foot -nervously on the ground. - -“He has always kept it by him,” said Mr. Lorry, with an anxious look at -his friend. “Now, would it not be better that he should let it go?” - -Still, the Doctor, with shaded forehead, beat his foot nervously on the -ground. - -“You do not find it easy to advise me?” said Mr. Lorry. “I quite -understand it to be a nice question. And yet I think--” And there he -shook his head, and stopped. - -“You see,” said Doctor Manette, turning to him after an uneasy pause, -“it is very hard to explain, consistently, the innermost workings -of this poor man's mind. He once yearned so frightfully for that -occupation, and it was so welcome when it came; no doubt it relieved -his pain so much, by substituting the perplexity of the fingers for -the perplexity of the brain, and by substituting, as he became more -practised, the ingenuity of the hands, for the ingenuity of the mental -torture; that he has never been able to bear the thought of putting it -quite out of his reach. Even now, when I believe he is more hopeful of -himself than he has ever been, and even speaks of himself with a kind -of confidence, the idea that he might need that old employment, and not -find it, gives him a sudden sense of terror, like that which one may -fancy strikes to the heart of a lost child.” - -He looked like his illustration, as he raised his eyes to Mr. Lorry's -face. - -“But may not--mind! I ask for information, as a plodding man of business -who only deals with such material objects as guineas, shillings, and -bank-notes--may not the retention of the thing involve the retention of -the idea? If the thing were gone, my dear Manette, might not the fear go -with it? In short, is it not a concession to the misgiving, to keep the -forge?” - -There was another silence. - -“You see, too,” said the Doctor, tremulously, “it is such an old -companion.” - -“I would not keep it,” said Mr. Lorry, shaking his head; for he gained -in firmness as he saw the Doctor disquieted. “I would recommend him to -sacrifice it. I only want your authority. I am sure it does no good. -Come! Give me your authority, like a dear good man. For his daughter's -sake, my dear Manette!” - -Very strange to see what a struggle there was within him! - -“In her name, then, let it be done; I sanction it. But, I would not take -it away while he was present. Let it be removed when he is not there; -let him miss his old companion after an absence.” - -Mr. Lorry readily engaged for that, and the conference was ended. They -passed the day in the country, and the Doctor was quite restored. On the -three following days he remained perfectly well, and on the fourteenth -day he went away to join Lucie and her husband. The precaution that -had been taken to account for his silence, Mr. Lorry had previously -explained to him, and he had written to Lucie in accordance with it, and -she had no suspicions. - -On the night of the day on which he left the house, Mr. Lorry went into -his room with a chopper, saw, chisel, and hammer, attended by Miss Pross -carrying a light. There, with closed doors, and in a mysterious and -guilty manner, Mr. Lorry hacked the shoemaker's bench to pieces, while -Miss Pross held the candle as if she were assisting at a murder--for -which, indeed, in her grimness, she was no unsuitable figure. The -burning of the body (previously reduced to pieces convenient for the -purpose) was commenced without delay in the kitchen fire; and the tools, -shoes, and leather, were buried in the garden. So wicked do destruction -and secrecy appear to honest minds, that Mr. Lorry and Miss Pross, -while engaged in the commission of their deed and in the removal of its -traces, almost felt, and almost looked, like accomplices in a horrible -crime. - - - - -XX. A Plea - - -When the newly-married pair came home, the first person who appeared, to -offer his congratulations, was Sydney Carton. They had not been at home -many hours, when he presented himself. He was not improved in habits, or -in looks, or in manner; but there was a certain rugged air of fidelity -about him, which was new to the observation of Charles Darnay. - -He watched his opportunity of taking Darnay aside into a window, and of -speaking to him when no one overheard. - -“Mr. Darnay,” said Carton, “I wish we might be friends.” - -“We are already friends, I hope.” - -“You are good enough to say so, as a fashion of speech; but, I don't -mean any fashion of speech. Indeed, when I say I wish we might be -friends, I scarcely mean quite that, either.” - -Charles Darnay--as was natural--asked him, in all good-humour and -good-fellowship, what he did mean? - -“Upon my life,” said Carton, smiling, “I find that easier to comprehend -in my own mind, than to convey to yours. However, let me try. You -remember a certain famous occasion when I was more drunk than--than -usual?” - -“I remember a certain famous occasion when you forced me to confess that -you had been drinking.” - -“I remember it too. The curse of those occasions is heavy upon me, for I -always remember them. I hope it may be taken into account one day, -when all days are at an end for me! Don't be alarmed; I am not going to -preach.” - -“I am not at all alarmed. Earnestness in you, is anything but alarming -to me.” - -“Ah!” said Carton, with a careless wave of his hand, as if he waved that -away. “On the drunken occasion in question (one of a large number, as -you know), I was insufferable about liking you, and not liking you. I -wish you would forget it.” - -“I forgot it long ago.” - -“Fashion of speech again! But, Mr. Darnay, oblivion is not so easy to -me, as you represent it to be to you. I have by no means forgotten it, -and a light answer does not help me to forget it.” - -“If it was a light answer,” returned Darnay, “I beg your forgiveness -for it. I had no other object than to turn a slight thing, which, to my -surprise, seems to trouble you too much, aside. I declare to you, on the -faith of a gentleman, that I have long dismissed it from my mind. Good -Heaven, what was there to dismiss! Have I had nothing more important to -remember, in the great service you rendered me that day?” - -“As to the great service,” said Carton, “I am bound to avow to you, when -you speak of it in that way, that it was mere professional claptrap, I -don't know that I cared what became of you, when I rendered it.--Mind! I -say when I rendered it; I am speaking of the past.” - -“You make light of the obligation,” returned Darnay, “but I will not -quarrel with _your_ light answer.” - -“Genuine truth, Mr. Darnay, trust me! I have gone aside from my purpose; -I was speaking about our being friends. Now, you know me; you know I am -incapable of all the higher and better flights of men. If you doubt it, -ask Stryver, and he'll tell you so.” - -“I prefer to form my own opinion, without the aid of his.” - -“Well! At any rate you know me as a dissolute dog, who has never done -any good, and never will.” - -“I don't know that you 'never will.'” - -“But I do, and you must take my word for it. Well! If you could endure -to have such a worthless fellow, and a fellow of such indifferent -reputation, coming and going at odd times, I should ask that I might be -permitted to come and go as a privileged person here; that I might -be regarded as an useless (and I would add, if it were not for the -resemblance I detected between you and me, an unornamental) piece of -furniture, tolerated for its old service, and taken no notice of. I -doubt if I should abuse the permission. It is a hundred to one if I -should avail myself of it four times in a year. It would satisfy me, I -dare say, to know that I had it.” - -“Will you try?” - -“That is another way of saying that I am placed on the footing I have -indicated. I thank you, Darnay. I may use that freedom with your name?” - -“I think so, Carton, by this time.” - -They shook hands upon it, and Sydney turned away. Within a minute -afterwards, he was, to all outward appearance, as unsubstantial as ever. - -When he was gone, and in the course of an evening passed with Miss -Pross, the Doctor, and Mr. Lorry, Charles Darnay made some mention of -this conversation in general terms, and spoke of Sydney Carton as a -problem of carelessness and recklessness. He spoke of him, in short, not -bitterly or meaning to bear hard upon him, but as anybody might who saw -him as he showed himself. - -He had no idea that this could dwell in the thoughts of his fair young -wife; but, when he afterwards joined her in their own rooms, he found -her waiting for him with the old pretty lifting of the forehead strongly -marked. - -“We are thoughtful to-night!” said Darnay, drawing his arm about her. - -“Yes, dearest Charles,” with her hands on his breast, and the inquiring -and attentive expression fixed upon him; “we are rather thoughtful -to-night, for we have something on our mind to-night.” - -“What is it, my Lucie?” - -“Will you promise not to press one question on me, if I beg you not to -ask it?” - -“Will I promise? What will I not promise to my Love?” - -What, indeed, with his hand putting aside the golden hair from the -cheek, and his other hand against the heart that beat for him! - -“I think, Charles, poor Mr. Carton deserves more consideration and -respect than you expressed for him to-night.” - -“Indeed, my own? Why so?” - -“That is what you are not to ask me. But I think--I know--he does.” - -“If you know it, it is enough. What would you have me do, my Life?” - -“I would ask you, dearest, to be very generous with him always, and very -lenient on his faults when he is not by. I would ask you to believe that -he has a heart he very, very seldom reveals, and that there are deep -wounds in it. My dear, I have seen it bleeding.” - -“It is a painful reflection to me,” said Charles Darnay, quite -astounded, “that I should have done him any wrong. I never thought this -of him.” - -“My husband, it is so. I fear he is not to be reclaimed; there is -scarcely a hope that anything in his character or fortunes is reparable -now. But, I am sure that he is capable of good things, gentle things, -even magnanimous things.” - -She looked so beautiful in the purity of her faith in this lost man, -that her husband could have looked at her as she was for hours. - -“And, O my dearest Love!” she urged, clinging nearer to him, laying her -head upon his breast, and raising her eyes to his, “remember how strong -we are in our happiness, and how weak he is in his misery!” - -The supplication touched him home. “I will always remember it, dear -Heart! I will remember it as long as I live.” - -He bent over the golden head, and put the rosy lips to his, and folded -her in his arms. If one forlorn wanderer then pacing the dark streets, -could have heard her innocent disclosure, and could have seen the drops -of pity kissed away by her husband from the soft blue eyes so loving of -that husband, he might have cried to the night--and the words would not -have parted from his lips for the first time-- - -“God bless her for her sweet compassion!” - - - - -XXI. Echoing Footsteps - - -A wonderful corner for echoes, it has been remarked, that corner where -the Doctor lived. Ever busily winding the golden thread which bound -her husband, and her father, and herself, and her old directress and -companion, in a life of quiet bliss, Lucie sat in the still house in -the tranquilly resounding corner, listening to the echoing footsteps of -years. - -At first, there were times, though she was a perfectly happy young wife, -when her work would slowly fall from her hands, and her eyes would be -dimmed. For, there was something coming in the echoes, something light, -afar off, and scarcely audible yet, that stirred her heart too much. -Fluttering hopes and doubts--hopes, of a love as yet unknown to her: -doubts, of her remaining upon earth, to enjoy that new delight--divided -her breast. Among the echoes then, there would arise the sound of -footsteps at her own early grave; and thoughts of the husband who would -be left so desolate, and who would mourn for her so much, swelled to her -eyes, and broke like waves. - -That time passed, and her little Lucie lay on her bosom. Then, among the -advancing echoes, there was the tread of her tiny feet and the sound of -her prattling words. Let greater echoes resound as they would, the young -mother at the cradle side could always hear those coming. They came, and -the shady house was sunny with a child's laugh, and the Divine friend of -children, to whom in her trouble she had confided hers, seemed to take -her child in his arms, as He took the child of old, and made it a sacred -joy to her. - -Ever busily winding the golden thread that bound them all together, -weaving the service of her happy influence through the tissue of all -their lives, and making it predominate nowhere, Lucie heard in the -echoes of years none but friendly and soothing sounds. Her husband's -step was strong and prosperous among them; her father's firm and equal. -Lo, Miss Pross, in harness of string, awakening the echoes, as an -unruly charger, whip-corrected, snorting and pawing the earth under the -plane-tree in the garden! - -Even when there were sounds of sorrow among the rest, they were not -harsh nor cruel. Even when golden hair, like her own, lay in a halo on a -pillow round the worn face of a little boy, and he said, with a radiant -smile, “Dear papa and mamma, I am very sorry to leave you both, and to -leave my pretty sister; but I am called, and I must go!” those were not -tears all of agony that wetted his young mother's cheek, as the spirit -departed from her embrace that had been entrusted to it. Suffer them and -forbid them not. They see my Father's face. O Father, blessed words! - -Thus, the rustling of an Angel's wings got blended with the other -echoes, and they were not wholly of earth, but had in them that breath -of Heaven. Sighs of the winds that blew over a little garden-tomb were -mingled with them also, and both were audible to Lucie, in a hushed -murmur--like the breathing of a summer sea asleep upon a sandy shore--as -the little Lucie, comically studious at the task of the morning, or -dressing a doll at her mother's footstool, chattered in the tongues of -the Two Cities that were blended in her life. - -The Echoes rarely answered to the actual tread of Sydney Carton. Some -half-dozen times a year, at most, he claimed his privilege of coming in -uninvited, and would sit among them through the evening, as he had once -done often. He never came there heated with wine. And one other thing -regarding him was whispered in the echoes, which has been whispered by -all true echoes for ages and ages. - -No man ever really loved a woman, lost her, and knew her with a -blameless though an unchanged mind, when she was a wife and a mother, -but her children had a strange sympathy with him--an instinctive -delicacy of pity for him. What fine hidden sensibilities are touched in -such a case, no echoes tell; but it is so, and it was so here. Carton -was the first stranger to whom little Lucie held out her chubby arms, -and he kept his place with her as she grew. The little boy had spoken of -him, almost at the last. “Poor Carton! Kiss him for me!” - -Mr. Stryver shouldered his way through the law, like some great engine -forcing itself through turbid water, and dragged his useful friend in -his wake, like a boat towed astern. As the boat so favoured is usually -in a rough plight, and mostly under water, so, Sydney had a swamped -life of it. But, easy and strong custom, unhappily so much easier and -stronger in him than any stimulating sense of desert or disgrace, made -it the life he was to lead; and he no more thought of emerging from his -state of lion's jackal, than any real jackal may be supposed to think of -rising to be a lion. Stryver was rich; had married a florid widow with -property and three boys, who had nothing particularly shining about them -but the straight hair of their dumpling heads. - -These three young gentlemen, Mr. Stryver, exuding patronage of the most -offensive quality from every pore, had walked before him like three -sheep to the quiet corner in Soho, and had offered as pupils to -Lucie's husband: delicately saying “Halloa! here are three lumps of -bread-and-cheese towards your matrimonial picnic, Darnay!” The polite -rejection of the three lumps of bread-and-cheese had quite bloated Mr. -Stryver with indignation, which he afterwards turned to account in the -training of the young gentlemen, by directing them to beware of the -pride of Beggars, like that tutor-fellow. He was also in the habit of -declaiming to Mrs. Stryver, over his full-bodied wine, on the arts -Mrs. Darnay had once put in practice to “catch” him, and on the -diamond-cut-diamond arts in himself, madam, which had rendered him “not -to be caught.” Some of his King's Bench familiars, who were occasionally -parties to the full-bodied wine and the lie, excused him for the -latter by saying that he had told it so often, that he believed -it himself--which is surely such an incorrigible aggravation of an -originally bad offence, as to justify any such offender's being carried -off to some suitably retired spot, and there hanged out of the way. - -These were among the echoes to which Lucie, sometimes pensive, sometimes -amused and laughing, listened in the echoing corner, until her little -daughter was six years old. How near to her heart the echoes of her -child's tread came, and those of her own dear father's, always active -and self-possessed, and those of her dear husband's, need not be told. -Nor, how the lightest echo of their united home, directed by herself -with such a wise and elegant thrift that it was more abundant than any -waste, was music to her. Nor, how there were echoes all about her, sweet -in her ears, of the many times her father had told her that he found her -more devoted to him married (if that could be) than single, and of the -many times her husband had said to her that no cares and duties seemed -to divide her love for him or her help to him, and asked her “What is -the magic secret, my darling, of your being everything to all of us, -as if there were only one of us, yet never seeming to be hurried, or to -have too much to do?” - -But, there were other echoes, from a distance, that rumbled menacingly -in the corner all through this space of time. And it was now, about -little Lucie's sixth birthday, that they began to have an awful sound, -as of a great storm in France with a dreadful sea rising. - -On a night in mid-July, one thousand seven hundred and eighty-nine, Mr. -Lorry came in late, from Tellson's, and sat himself down by Lucie and -her husband in the dark window. It was a hot, wild night, and they were -all three reminded of the old Sunday night when they had looked at the -lightning from the same place. - -“I began to think,” said Mr. Lorry, pushing his brown wig back, “that -I should have to pass the night at Tellson's. We have been so full of -business all day, that we have not known what to do first, or which way -to turn. There is such an uneasiness in Paris, that we have actually a -run of confidence upon us! Our customers over there, seem not to be able -to confide their property to us fast enough. There is positively a mania -among some of them for sending it to England.” - -“That has a bad look,” said Darnay-- - -“A bad look, you say, my dear Darnay? Yes, but we don't know what reason -there is in it. People are so unreasonable! Some of us at Tellson's are -getting old, and we really can't be troubled out of the ordinary course -without due occasion.” - -“Still,” said Darnay, “you know how gloomy and threatening the sky is.” - -“I know that, to be sure,” assented Mr. Lorry, trying to persuade -himself that his sweet temper was soured, and that he grumbled, “but I -am determined to be peevish after my long day's botheration. Where is -Manette?” - -“Here he is,” said the Doctor, entering the dark room at the moment. - -“I am quite glad you are at home; for these hurries and forebodings by -which I have been surrounded all day long, have made me nervous without -reason. You are not going out, I hope?” - -“No; I am going to play backgammon with you, if you like,” said the -Doctor. - -“I don't think I do like, if I may speak my mind. I am not fit to be -pitted against you to-night. Is the teaboard still there, Lucie? I can't -see.” - -“Of course, it has been kept for you.” - -“Thank ye, my dear. The precious child is safe in bed?” - -“And sleeping soundly.” - -“That's right; all safe and well! I don't know why anything should be -otherwise than safe and well here, thank God; but I have been so put out -all day, and I am not as young as I was! My tea, my dear! Thank ye. Now, -come and take your place in the circle, and let us sit quiet, and hear -the echoes about which you have your theory.” - -“Not a theory; it was a fancy.” - -“A fancy, then, my wise pet,” said Mr. Lorry, patting her hand. “They -are very numerous and very loud, though, are they not? Only hear them!” - -Headlong, mad, and dangerous footsteps to force their way into anybody's -life, footsteps not easily made clean again if once stained red, the -footsteps raging in Saint Antoine afar off, as the little circle sat in -the dark London window. - -Saint Antoine had been, that morning, a vast dusky mass of scarecrows -heaving to and fro, with frequent gleams of light above the billowy -heads, where steel blades and bayonets shone in the sun. A tremendous -roar arose from the throat of Saint Antoine, and a forest of naked arms -struggled in the air like shrivelled branches of trees in a winter wind: -all the fingers convulsively clutching at every weapon or semblance of a -weapon that was thrown up from the depths below, no matter how far off. - -Who gave them out, whence they last came, where they began, through what -agency they crookedly quivered and jerked, scores at a time, over the -heads of the crowd, like a kind of lightning, no eye in the throng could -have told; but, muskets were being distributed--so were cartridges, -powder, and ball, bars of iron and wood, knives, axes, pikes, every -weapon that distracted ingenuity could discover or devise. People who -could lay hold of nothing else, set themselves with bleeding hands to -force stones and bricks out of their places in walls. Every pulse and -heart in Saint Antoine was on high-fever strain and at high-fever heat. -Every living creature there held life as of no account, and was demented -with a passionate readiness to sacrifice it. - -As a whirlpool of boiling waters has a centre point, so, all this raging -circled round Defarge's wine-shop, and every human drop in the caldron -had a tendency to be sucked towards the vortex where Defarge himself, -already begrimed with gunpowder and sweat, issued orders, issued arms, -thrust this man back, dragged this man forward, disarmed one to arm -another, laboured and strove in the thickest of the uproar. - -“Keep near to me, Jacques Three,” cried Defarge; “and do you, Jacques -One and Two, separate and put yourselves at the head of as many of these -patriots as you can. Where is my wife?” - -“Eh, well! Here you see me!” said madame, composed as ever, but not -knitting to-day. Madame's resolute right hand was occupied with an axe, -in place of the usual softer implements, and in her girdle were a pistol -and a cruel knife. - -“Where do you go, my wife?” - -“I go,” said madame, “with you at present. You shall see me at the head -of women, by-and-bye.” - -“Come, then!” cried Defarge, in a resounding voice. “Patriots and -friends, we are ready! The Bastille!” - -With a roar that sounded as if all the breath in France had been shaped -into the detested word, the living sea rose, wave on wave, depth on -depth, and overflowed the city to that point. Alarm-bells ringing, drums -beating, the sea raging and thundering on its new beach, the attack -began. - -Deep ditches, double drawbridge, massive stone walls, eight great -towers, cannon, muskets, fire and smoke. Through the fire and through -the smoke--in the fire and in the smoke, for the sea cast him up against -a cannon, and on the instant he became a cannonier--Defarge of the -wine-shop worked like a manful soldier, Two fierce hours. - -Deep ditch, single drawbridge, massive stone walls, eight great towers, -cannon, muskets, fire and smoke. One drawbridge down! “Work, comrades -all, work! Work, Jacques One, Jacques Two, Jacques One Thousand, Jacques -Two Thousand, Jacques Five-and-Twenty Thousand; in the name of all -the Angels or the Devils--which you prefer--work!” Thus Defarge of the -wine-shop, still at his gun, which had long grown hot. - -“To me, women!” cried madame his wife. “What! We can kill as well as -the men when the place is taken!” And to her, with a shrill thirsty -cry, trooping women variously armed, but all armed alike in hunger and -revenge. - -Cannon, muskets, fire and smoke; but, still the deep ditch, the single -drawbridge, the massive stone walls, and the eight great towers. Slight -displacements of the raging sea, made by the falling wounded. Flashing -weapons, blazing torches, smoking waggonloads of wet straw, hard work -at neighbouring barricades in all directions, shrieks, volleys, -execrations, bravery without stint, boom smash and rattle, and the -furious sounding of the living sea; but, still the deep ditch, and the -single drawbridge, and the massive stone walls, and the eight great -towers, and still Defarge of the wine-shop at his gun, grown doubly hot -by the service of Four fierce hours. - -A white flag from within the fortress, and a parley--this dimly -perceptible through the raging storm, nothing audible in it--suddenly -the sea rose immeasurably wider and higher, and swept Defarge of the -wine-shop over the lowered drawbridge, past the massive stone outer -walls, in among the eight great towers surrendered! - -So resistless was the force of the ocean bearing him on, that even to -draw his breath or turn his head was as impracticable as if he had been -struggling in the surf at the South Sea, until he was landed in the -outer courtyard of the Bastille. There, against an angle of a wall, he -made a struggle to look about him. Jacques Three was nearly at his side; -Madame Defarge, still heading some of her women, was visible in the -inner distance, and her knife was in her hand. Everywhere was tumult, -exultation, deafening and maniacal bewilderment, astounding noise, yet -furious dumb-show. - -“The Prisoners!” - -“The Records!” - -“The secret cells!” - -“The instruments of torture!” - -“The Prisoners!” - -Of all these cries, and ten thousand incoherences, “The Prisoners!” was -the cry most taken up by the sea that rushed in, as if there were an -eternity of people, as well as of time and space. When the foremost -billows rolled past, bearing the prison officers with them, and -threatening them all with instant death if any secret nook remained -undisclosed, Defarge laid his strong hand on the breast of one of -these men--a man with a grey head, who had a lighted torch in his -hand--separated him from the rest, and got him between himself and the -wall. - -“Show me the North Tower!” said Defarge. “Quick!” - -“I will faithfully,” replied the man, “if you will come with me. But -there is no one there.” - -“What is the meaning of One Hundred and Five, North Tower?” asked -Defarge. “Quick!” - -“The meaning, monsieur?” - -“Does it mean a captive, or a place of captivity? Or do you mean that I -shall strike you dead?” - -“Kill him!” croaked Jacques Three, who had come close up. - -“Monsieur, it is a cell.” - -“Show it me!” - -“Pass this way, then.” - -Jacques Three, with his usual craving on him, and evidently disappointed -by the dialogue taking a turn that did not seem to promise bloodshed, -held by Defarge's arm as he held by the turnkey's. Their three heads had -been close together during this brief discourse, and it had been as much -as they could do to hear one another, even then: so tremendous was the -noise of the living ocean, in its irruption into the Fortress, and -its inundation of the courts and passages and staircases. All around -outside, too, it beat the walls with a deep, hoarse roar, from which, -occasionally, some partial shouts of tumult broke and leaped into the -air like spray. - -Through gloomy vaults where the light of day had never shone, past -hideous doors of dark dens and cages, down cavernous flights of steps, -and again up steep rugged ascents of stone and brick, more like dry -waterfalls than staircases, Defarge, the turnkey, and Jacques Three, -linked hand and arm, went with all the speed they could make. Here and -there, especially at first, the inundation started on them and swept by; -but when they had done descending, and were winding and climbing up a -tower, they were alone. Hemmed in here by the massive thickness of walls -and arches, the storm within the fortress and without was only audible -to them in a dull, subdued way, as if the noise out of which they had -come had almost destroyed their sense of hearing. - -The turnkey stopped at a low door, put a key in a clashing lock, swung -the door slowly open, and said, as they all bent their heads and passed -in: - -“One hundred and five, North Tower!” - -There was a small, heavily-grated, unglazed window high in the wall, -with a stone screen before it, so that the sky could be only seen by -stooping low and looking up. There was a small chimney, heavily barred -across, a few feet within. There was a heap of old feathery wood-ashes -on the hearth. There was a stool, and table, and a straw bed. There were -the four blackened walls, and a rusted iron ring in one of them. - -“Pass that torch slowly along these walls, that I may see them,” said -Defarge to the turnkey. - -The man obeyed, and Defarge followed the light closely with his eyes. - -“Stop!--Look here, Jacques!” - -“A. M.!” croaked Jacques Three, as he read greedily. - -“Alexandre Manette,” said Defarge in his ear, following the letters -with his swart forefinger, deeply engrained with gunpowder. “And here he -wrote 'a poor physician.' And it was he, without doubt, who scratched -a calendar on this stone. What is that in your hand? A crowbar? Give it -me!” - -He had still the linstock of his gun in his own hand. He made a sudden -exchange of the two instruments, and turning on the worm-eaten stool and -table, beat them to pieces in a few blows. - -“Hold the light higher!” he said, wrathfully, to the turnkey. “Look -among those fragments with care, Jacques. And see! Here is my knife,” - throwing it to him; “rip open that bed, and search the straw. Hold the -light higher, you!” - -With a menacing look at the turnkey he crawled upon the hearth, and, -peering up the chimney, struck and prised at its sides with the crowbar, -and worked at the iron grating across it. In a few minutes, some mortar -and dust came dropping down, which he averted his face to avoid; and -in it, and in the old wood-ashes, and in a crevice in the chimney -into which his weapon had slipped or wrought itself, he groped with a -cautious touch. - -“Nothing in the wood, and nothing in the straw, Jacques?” - -“Nothing.” - -“Let us collect them together, in the middle of the cell. So! Light -them, you!” - -The turnkey fired the little pile, which blazed high and hot. Stooping -again to come out at the low-arched door, they left it burning, and -retraced their way to the courtyard; seeming to recover their sense -of hearing as they came down, until they were in the raging flood once -more. - -They found it surging and tossing, in quest of Defarge himself. Saint -Antoine was clamorous to have its wine-shop keeper foremost in the guard -upon the governor who had defended the Bastille and shot the people. -Otherwise, the governor would not be marched to the Hotel de Ville for -judgment. Otherwise, the governor would escape, and the people's -blood (suddenly of some value, after many years of worthlessness) be -unavenged. - -In the howling universe of passion and contention that seemed to -encompass this grim old officer conspicuous in his grey coat and red -decoration, there was but one quite steady figure, and that was a -woman's. “See, there is my husband!” she cried, pointing him out. -“See Defarge!” She stood immovable close to the grim old officer, and -remained immovable close to him; remained immovable close to him through -the streets, as Defarge and the rest bore him along; remained immovable -close to him when he was got near his destination, and began to -be struck at from behind; remained immovable close to him when the -long-gathering rain of stabs and blows fell heavy; was so close to him -when he dropped dead under it, that, suddenly animated, she put her foot -upon his neck, and with her cruel knife--long ready--hewed off his head. - -The hour was come, when Saint Antoine was to execute his horrible idea -of hoisting up men for lamps to show what he could be and do. Saint -Antoine's blood was up, and the blood of tyranny and domination by the -iron hand was down--down on the steps of the Hotel de Ville where the -governor's body lay--down on the sole of the shoe of Madame Defarge -where she had trodden on the body to steady it for mutilation. “Lower -the lamp yonder!” cried Saint Antoine, after glaring round for a new -means of death; “here is one of his soldiers to be left on guard!” The -swinging sentinel was posted, and the sea rushed on. - -The sea of black and threatening waters, and of destructive upheaving -of wave against wave, whose depths were yet unfathomed and whose forces -were yet unknown. The remorseless sea of turbulently swaying shapes, -voices of vengeance, and faces hardened in the furnaces of suffering -until the touch of pity could make no mark on them. - -But, in the ocean of faces where every fierce and furious expression was -in vivid life, there were two groups of faces--each seven in number--so -fixedly contrasting with the rest, that never did sea roll which bore -more memorable wrecks with it. Seven faces of prisoners, suddenly -released by the storm that had burst their tomb, were carried high -overhead: all scared, all lost, all wondering and amazed, as if the Last -Day were come, and those who rejoiced around them were lost spirits. -Other seven faces there were, carried higher, seven dead faces, whose -drooping eyelids and half-seen eyes awaited the Last Day. Impassive -faces, yet with a suspended--not an abolished--expression on them; -faces, rather, in a fearful pause, as having yet to raise the dropped -lids of the eyes, and bear witness with the bloodless lips, “THOU DIDST -IT!” - -Seven prisoners released, seven gory heads on pikes, the keys of the -accursed fortress of the eight strong towers, some discovered letters -and other memorials of prisoners of old time, long dead of broken -hearts,--such, and such--like, the loudly echoing footsteps of Saint -Antoine escort through the Paris streets in mid-July, one thousand seven -hundred and eighty-nine. Now, Heaven defeat the fancy of Lucie Darnay, -and keep these feet far out of her life! For, they are headlong, mad, -and dangerous; and in the years so long after the breaking of the cask -at Defarge's wine-shop door, they are not easily purified when once -stained red. - - - - -XXII. The Sea Still Rises - - -Haggard Saint Antoine had had only one exultant week, in which to soften -his modicum of hard and bitter bread to such extent as he could, with -the relish of fraternal embraces and congratulations, when Madame -Defarge sat at her counter, as usual, presiding over the customers. -Madame Defarge wore no rose in her head, for the great brotherhood of -Spies had become, even in one short week, extremely chary of trusting -themselves to the saint's mercies. The lamps across his streets had a -portentously elastic swing with them. - -Madame Defarge, with her arms folded, sat in the morning light and heat, -contemplating the wine-shop and the street. In both, there were several -knots of loungers, squalid and miserable, but now with a manifest sense -of power enthroned on their distress. The raggedest nightcap, awry on -the wretchedest head, had this crooked significance in it: “I know how -hard it has grown for me, the wearer of this, to support life in myself; -but do you know how easy it has grown for me, the wearer of this, to -destroy life in you?” Every lean bare arm, that had been without work -before, had this work always ready for it now, that it could strike. -The fingers of the knitting women were vicious, with the experience that -they could tear. There was a change in the appearance of Saint Antoine; -the image had been hammering into this for hundreds of years, and the -last finishing blows had told mightily on the expression. - -Madame Defarge sat observing it, with such suppressed approval as was -to be desired in the leader of the Saint Antoine women. One of her -sisterhood knitted beside her. The short, rather plump wife of a starved -grocer, and the mother of two children withal, this lieutenant had -already earned the complimentary name of The Vengeance. - -“Hark!” said The Vengeance. “Listen, then! Who comes?” - -As if a train of powder laid from the outermost bound of Saint Antoine -Quarter to the wine-shop door, had been suddenly fired, a fast-spreading -murmur came rushing along. - -“It is Defarge,” said madame. “Silence, patriots!” - -Defarge came in breathless, pulled off a red cap he wore, and looked -around him! “Listen, everywhere!” said madame again. “Listen to him!” - Defarge stood, panting, against a background of eager eyes and open -mouths, formed outside the door; all those within the wine-shop had -sprung to their feet. - -“Say then, my husband. What is it?” - -“News from the other world!” - -“How, then?” cried madame, contemptuously. “The other world?” - -“Does everybody here recall old Foulon, who told the famished people -that they might eat grass, and who died, and went to Hell?” - -“Everybody!” from all throats. - -“The news is of him. He is among us!” - -“Among us!” from the universal throat again. “And dead?” - -“Not dead! He feared us so much--and with reason--that he caused himself -to be represented as dead, and had a grand mock-funeral. But they have -found him alive, hiding in the country, and have brought him in. I have -seen him but now, on his way to the Hotel de Ville, a prisoner. I have -said that he had reason to fear us. Say all! _Had_ he reason?” - -Wretched old sinner of more than threescore years and ten, if he had -never known it yet, he would have known it in his heart of hearts if he -could have heard the answering cry. - -A moment of profound silence followed. Defarge and his wife looked -steadfastly at one another. The Vengeance stooped, and the jar of a drum -was heard as she moved it at her feet behind the counter. - -“Patriots!” said Defarge, in a determined voice, “are we ready?” - -Instantly Madame Defarge's knife was in her girdle; the drum was beating -in the streets, as if it and a drummer had flown together by magic; and -The Vengeance, uttering terrific shrieks, and flinging her arms about -her head like all the forty Furies at once, was tearing from house to -house, rousing the women. - -The men were terrible, in the bloody-minded anger with which they looked -from windows, caught up what arms they had, and came pouring down into -the streets; but, the women were a sight to chill the boldest. From -such household occupations as their bare poverty yielded, from their -children, from their aged and their sick crouching on the bare ground -famished and naked, they ran out with streaming hair, urging one -another, and themselves, to madness with the wildest cries and actions. -Villain Foulon taken, my sister! Old Foulon taken, my mother! Miscreant -Foulon taken, my daughter! Then, a score of others ran into the midst of -these, beating their breasts, tearing their hair, and screaming, Foulon -alive! Foulon who told the starving people they might eat grass! Foulon -who told my old father that he might eat grass, when I had no bread -to give him! Foulon who told my baby it might suck grass, when these -breasts were dry with want! O mother of God, this Foulon! O Heaven our -suffering! Hear me, my dead baby and my withered father: I swear on my -knees, on these stones, to avenge you on Foulon! Husbands, and brothers, -and young men, Give us the blood of Foulon, Give us the head of Foulon, -Give us the heart of Foulon, Give us the body and soul of Foulon, Rend -Foulon to pieces, and dig him into the ground, that grass may grow from -him! With these cries, numbers of the women, lashed into blind frenzy, -whirled about, striking and tearing at their own friends until they -dropped into a passionate swoon, and were only saved by the men -belonging to them from being trampled under foot. - -Nevertheless, not a moment was lost; not a moment! This Foulon was at -the Hotel de Ville, and might be loosed. Never, if Saint Antoine knew -his own sufferings, insults, and wrongs! Armed men and women flocked out -of the Quarter so fast, and drew even these last dregs after them with -such a force of suction, that within a quarter of an hour there was not -a human creature in Saint Antoine's bosom but a few old crones and the -wailing children. - -No. They were all by that time choking the Hall of Examination where -this old man, ugly and wicked, was, and overflowing into the adjacent -open space and streets. The Defarges, husband and wife, The Vengeance, -and Jacques Three, were in the first press, and at no great distance -from him in the Hall. - -“See!” cried madame, pointing with her knife. “See the old villain bound -with ropes. That was well done to tie a bunch of grass upon his back. -Ha, ha! That was well done. Let him eat it now!” Madame put her knife -under her arm, and clapped her hands as at a play. - -The people immediately behind Madame Defarge, explaining the cause of -her satisfaction to those behind them, and those again explaining to -others, and those to others, the neighbouring streets resounded with the -clapping of hands. Similarly, during two or three hours of drawl, -and the winnowing of many bushels of words, Madame Defarge's frequent -expressions of impatience were taken up, with marvellous quickness, at -a distance: the more readily, because certain men who had by some -wonderful exercise of agility climbed up the external architecture -to look in from the windows, knew Madame Defarge well, and acted as a -telegraph between her and the crowd outside the building. - -At length the sun rose so high that it struck a kindly ray as of hope or -protection, directly down upon the old prisoner's head. The favour was -too much to bear; in an instant the barrier of dust and chaff that had -stood surprisingly long, went to the winds, and Saint Antoine had got -him! - -It was known directly, to the furthest confines of the crowd. Defarge -had but sprung over a railing and a table, and folded the miserable -wretch in a deadly embrace--Madame Defarge had but followed and turned -her hand in one of the ropes with which he was tied--The Vengeance and -Jacques Three were not yet up with them, and the men at the windows -had not yet swooped into the Hall, like birds of prey from their high -perches--when the cry seemed to go up, all over the city, “Bring him -out! Bring him to the lamp!” - -Down, and up, and head foremost on the steps of the building; now, on -his knees; now, on his feet; now, on his back; dragged, and struck at, -and stifled by the bunches of grass and straw that were thrust into his -face by hundreds of hands; torn, bruised, panting, bleeding, yet always -entreating and beseeching for mercy; now full of vehement agony of -action, with a small clear space about him as the people drew one -another back that they might see; now, a log of dead wood drawn through -a forest of legs; he was hauled to the nearest street corner where one -of the fatal lamps swung, and there Madame Defarge let him go--as a cat -might have done to a mouse--and silently and composedly looked at him -while they made ready, and while he besought her: the women passionately -screeching at him all the time, and the men sternly calling out to have -him killed with grass in his mouth. Once, he went aloft, and the rope -broke, and they caught him shrieking; twice, he went aloft, and the rope -broke, and they caught him shrieking; then, the rope was merciful, and -held him, and his head was soon upon a pike, with grass enough in the -mouth for all Saint Antoine to dance at the sight of. - -Nor was this the end of the day's bad work, for Saint Antoine so shouted -and danced his angry blood up, that it boiled again, on hearing when -the day closed in that the son-in-law of the despatched, another of the -people's enemies and insulters, was coming into Paris under a guard -five hundred strong, in cavalry alone. Saint Antoine wrote his crimes -on flaring sheets of paper, seized him--would have torn him out of the -breast of an army to bear Foulon company--set his head and heart on -pikes, and carried the three spoils of the day, in Wolf-procession -through the streets. - -Not before dark night did the men and women come back to the children, -wailing and breadless. Then, the miserable bakers' shops were beset by -long files of them, patiently waiting to buy bad bread; and while -they waited with stomachs faint and empty, they beguiled the time by -embracing one another on the triumphs of the day, and achieving them -again in gossip. Gradually, these strings of ragged people shortened and -frayed away; and then poor lights began to shine in high windows, and -slender fires were made in the streets, at which neighbours cooked in -common, afterwards supping at their doors. - -Scanty and insufficient suppers those, and innocent of meat, as of -most other sauce to wretched bread. Yet, human fellowship infused -some nourishment into the flinty viands, and struck some sparks of -cheerfulness out of them. Fathers and mothers who had had their full -share in the worst of the day, played gently with their meagre children; -and lovers, with such a world around them and before them, loved and -hoped. - -It was almost morning, when Defarge's wine-shop parted with its last -knot of customers, and Monsieur Defarge said to madame his wife, in -husky tones, while fastening the door: - -“At last it is come, my dear!” - -“Eh well!” returned madame. “Almost.” - -Saint Antoine slept, the Defarges slept: even The Vengeance slept with -her starved grocer, and the drum was at rest. The drum's was the -only voice in Saint Antoine that blood and hurry had not changed. The -Vengeance, as custodian of the drum, could have wakened him up and had -the same speech out of him as before the Bastille fell, or old Foulon -was seized; not so with the hoarse tones of the men and women in Saint -Antoine's bosom. - - - - -XXIII. Fire Rises - - -There was a change on the village where the fountain fell, and where -the mender of roads went forth daily to hammer out of the stones on the -highway such morsels of bread as might serve for patches to hold his -poor ignorant soul and his poor reduced body together. The prison on the -crag was not so dominant as of yore; there were soldiers to guard it, -but not many; there were officers to guard the soldiers, but not one of -them knew what his men would do--beyond this: that it would probably not -be what he was ordered. - -Far and wide lay a ruined country, yielding nothing but desolation. -Every green leaf, every blade of grass and blade of grain, was as -shrivelled and poor as the miserable people. Everything was bowed down, -dejected, oppressed, and broken. Habitations, fences, domesticated -animals, men, women, children, and the soil that bore them--all worn -out. - -Monseigneur (often a most worthy individual gentleman) was a national -blessing, gave a chivalrous tone to things, was a polite example of -luxurious and shining life, and a great deal more to equal purpose; -nevertheless, Monseigneur as a class had, somehow or other, brought -things to this. Strange that Creation, designed expressly for -Monseigneur, should be so soon wrung dry and squeezed out! There must -be something short-sighted in the eternal arrangements, surely! Thus it -was, however; and the last drop of blood having been extracted from the -flints, and the last screw of the rack having been turned so often that -its purchase crumbled, and it now turned and turned with nothing -to bite, Monseigneur began to run away from a phenomenon so low and -unaccountable. - -But, this was not the change on the village, and on many a village like -it. For scores of years gone by, Monseigneur had squeezed it and wrung -it, and had seldom graced it with his presence except for the pleasures -of the chase--now, found in hunting the people; now, found in hunting -the beasts, for whose preservation Monseigneur made edifying spaces -of barbarous and barren wilderness. No. The change consisted in -the appearance of strange faces of low caste, rather than in the -disappearance of the high caste, chiselled, and otherwise beautified and -beautifying features of Monseigneur. - -For, in these times, as the mender of roads worked, solitary, in the -dust, not often troubling himself to reflect that dust he was and -to dust he must return, being for the most part too much occupied in -thinking how little he had for supper and how much more he would eat if -he had it--in these times, as he raised his eyes from his lonely labour, -and viewed the prospect, he would see some rough figure approaching on -foot, the like of which was once a rarity in those parts, but was now -a frequent presence. As it advanced, the mender of roads would discern -without surprise, that it was a shaggy-haired man, of almost barbarian -aspect, tall, in wooden shoes that were clumsy even to the eyes of a -mender of roads, grim, rough, swart, steeped in the mud and dust of many -highways, dank with the marshy moisture of many low grounds, sprinkled -with the thorns and leaves and moss of many byways through woods. - -Such a man came upon him, like a ghost, at noon in the July weather, -as he sat on his heap of stones under a bank, taking such shelter as he -could get from a shower of hail. - -The man looked at him, looked at the village in the hollow, at the mill, -and at the prison on the crag. When he had identified these objects -in what benighted mind he had, he said, in a dialect that was just -intelligible: - -“How goes it, Jacques?” - -“All well, Jacques.” - -“Touch then!” - -They joined hands, and the man sat down on the heap of stones. - -“No dinner?” - -“Nothing but supper now,” said the mender of roads, with a hungry face. - -“It is the fashion,” growled the man. “I meet no dinner anywhere.” - -He took out a blackened pipe, filled it, lighted it with flint and -steel, pulled at it until it was in a bright glow: then, suddenly held -it from him and dropped something into it from between his finger and -thumb, that blazed and went out in a puff of smoke. - -“Touch then.” It was the turn of the mender of roads to say it this -time, after observing these operations. They again joined hands. - -“To-night?” said the mender of roads. - -“To-night,” said the man, putting the pipe in his mouth. - -“Where?” - -“Here.” - -He and the mender of roads sat on the heap of stones looking silently at -one another, with the hail driving in between them like a pigmy charge -of bayonets, until the sky began to clear over the village. - -“Show me!” said the traveller then, moving to the brow of the hill. - -“See!” returned the mender of roads, with extended finger. “You go down -here, and straight through the street, and past the fountain--” - -“To the Devil with all that!” interrupted the other, rolling his eye -over the landscape. “_I_ go through no streets and past no fountains. -Well?” - -“Well! About two leagues beyond the summit of that hill above the -village.” - -“Good. When do you cease to work?” - -“At sunset.” - -“Will you wake me, before departing? I have walked two nights without -resting. Let me finish my pipe, and I shall sleep like a child. Will you -wake me?” - -“Surely.” - -The wayfarer smoked his pipe out, put it in his breast, slipped off his -great wooden shoes, and lay down on his back on the heap of stones. He -was fast asleep directly. - -As the road-mender plied his dusty labour, and the hail-clouds, rolling -away, revealed bright bars and streaks of sky which were responded to -by silver gleams upon the landscape, the little man (who wore a red cap -now, in place of his blue one) seemed fascinated by the figure on the -heap of stones. His eyes were so often turned towards it, that he used -his tools mechanically, and, one would have said, to very poor account. -The bronze face, the shaggy black hair and beard, the coarse woollen -red cap, the rough medley dress of home-spun stuff and hairy skins of -beasts, the powerful frame attenuated by spare living, and the sullen -and desperate compression of the lips in sleep, inspired the mender -of roads with awe. The traveller had travelled far, and his feet were -footsore, and his ankles chafed and bleeding; his great shoes, stuffed -with leaves and grass, had been heavy to drag over the many long -leagues, and his clothes were chafed into holes, as he himself was into -sores. Stooping down beside him, the road-mender tried to get a peep at -secret weapons in his breast or where not; but, in vain, for he slept -with his arms crossed upon him, and set as resolutely as his lips. -Fortified towns with their stockades, guard-houses, gates, trenches, and -drawbridges, seemed to the mender of roads, to be so much air as against -this figure. And when he lifted his eyes from it to the horizon and -looked around, he saw in his small fancy similar figures, stopped by no -obstacle, tending to centres all over France. - -The man slept on, indifferent to showers of hail and intervals of -brightness, to sunshine on his face and shadow, to the paltering lumps -of dull ice on his body and the diamonds into which the sun changed -them, until the sun was low in the west, and the sky was glowing. Then, -the mender of roads having got his tools together and all things ready -to go down into the village, roused him. - -“Good!” said the sleeper, rising on his elbow. “Two leagues beyond the -summit of the hill?” - -“About.” - -“About. Good!” - -The mender of roads went home, with the dust going on before him -according to the set of the wind, and was soon at the fountain, -squeezing himself in among the lean kine brought there to drink, and -appearing even to whisper to them in his whispering to all the village. -When the village had taken its poor supper, it did not creep to bed, -as it usually did, but came out of doors again, and remained there. A -curious contagion of whispering was upon it, and also, when it gathered -together at the fountain in the dark, another curious contagion of -looking expectantly at the sky in one direction only. Monsieur Gabelle, -chief functionary of the place, became uneasy; went out on his house-top -alone, and looked in that direction too; glanced down from behind his -chimneys at the darkening faces by the fountain below, and sent word to -the sacristan who kept the keys of the church, that there might be need -to ring the tocsin by-and-bye. - -The night deepened. The trees environing the old chateau, keeping its -solitary state apart, moved in a rising wind, as though they threatened -the pile of building massive and dark in the gloom. Up the two terrace -flights of steps the rain ran wildly, and beat at the great door, like a -swift messenger rousing those within; uneasy rushes of wind went through -the hall, among the old spears and knives, and passed lamenting up the -stairs, and shook the curtains of the bed where the last Marquis -had slept. East, West, North, and South, through the woods, four -heavy-treading, unkempt figures crushed the high grass and cracked the -branches, striding on cautiously to come together in the courtyard. Four -lights broke out there, and moved away in different directions, and all -was black again. - -But, not for long. Presently, the chateau began to make itself strangely -visible by some light of its own, as though it were growing luminous. -Then, a flickering streak played behind the architecture of the front, -picking out transparent places, and showing where balustrades, arches, -and windows were. Then it soared higher, and grew broader and brighter. -Soon, from a score of the great windows, flames burst forth, and the -stone faces awakened, stared out of fire. - -A faint murmur arose about the house from the few people who were left -there, and there was a saddling of a horse and riding away. There was -spurring and splashing through the darkness, and bridle was drawn in the -space by the village fountain, and the horse in a foam stood at Monsieur -Gabelle's door. “Help, Gabelle! Help, every one!” The tocsin rang -impatiently, but other help (if that were any) there was none. The -mender of roads, and two hundred and fifty particular friends, stood -with folded arms at the fountain, looking at the pillar of fire in the -sky. “It must be forty feet high,” said they, grimly; and never moved. - -The rider from the chateau, and the horse in a foam, clattered away -through the village, and galloped up the stony steep, to the prison on -the crag. At the gate, a group of officers were looking at the fire; -removed from them, a group of soldiers. “Help, gentlemen--officers! The -chateau is on fire; valuable objects may be saved from the flames by -timely aid! Help, help!” The officers looked towards the soldiers who -looked at the fire; gave no orders; and answered, with shrugs and biting -of lips, “It must burn.” - -As the rider rattled down the hill again and through the street, the -village was illuminating. The mender of roads, and the two hundred and -fifty particular friends, inspired as one man and woman by the idea of -lighting up, had darted into their houses, and were putting candles in -every dull little pane of glass. The general scarcity of everything, -occasioned candles to be borrowed in a rather peremptory manner of -Monsieur Gabelle; and in a moment of reluctance and hesitation on -that functionary's part, the mender of roads, once so submissive to -authority, had remarked that carriages were good to make bonfires with, -and that post-horses would roast. - -The chateau was left to itself to flame and burn. In the roaring and -raging of the conflagration, a red-hot wind, driving straight from the -infernal regions, seemed to be blowing the edifice away. With the rising -and falling of the blaze, the stone faces showed as if they were in -torment. When great masses of stone and timber fell, the face with the -two dints in the nose became obscured: anon struggled out of the smoke -again, as if it were the face of the cruel Marquis, burning at the stake -and contending with the fire. - -The chateau burned; the nearest trees, laid hold of by the fire, -scorched and shrivelled; trees at a distance, fired by the four fierce -figures, begirt the blazing edifice with a new forest of smoke. Molten -lead and iron boiled in the marble basin of the fountain; the water ran -dry; the extinguisher tops of the towers vanished like ice before the -heat, and trickled down into four rugged wells of flame. Great rents and -splits branched out in the solid walls, like crystallisation; stupefied -birds wheeled about and dropped into the furnace; four fierce figures -trudged away, East, West, North, and South, along the night-enshrouded -roads, guided by the beacon they had lighted, towards their next -destination. The illuminated village had seized hold of the tocsin, and, -abolishing the lawful ringer, rang for joy. - -Not only that; but the village, light-headed with famine, fire, and -bell-ringing, and bethinking itself that Monsieur Gabelle had to do with -the collection of rent and taxes--though it was but a small instalment -of taxes, and no rent at all, that Gabelle had got in those latter -days--became impatient for an interview with him, and, surrounding his -house, summoned him to come forth for personal conference. Whereupon, -Monsieur Gabelle did heavily bar his door, and retire to hold counsel -with himself. The result of that conference was, that Gabelle again -withdrew himself to his housetop behind his stack of chimneys; this time -resolved, if his door were broken in (he was a small Southern man -of retaliative temperament), to pitch himself head foremost over the -parapet, and crush a man or two below. - -Probably, Monsieur Gabelle passed a long night up there, with the -distant chateau for fire and candle, and the beating at his door, -combined with the joy-ringing, for music; not to mention his having an -ill-omened lamp slung across the road before his posting-house gate, -which the village showed a lively inclination to displace in his favour. -A trying suspense, to be passing a whole summer night on the brink of -the black ocean, ready to take that plunge into it upon which Monsieur -Gabelle had resolved! But, the friendly dawn appearing at last, and the -rush-candles of the village guttering out, the people happily dispersed, -and Monsieur Gabelle came down bringing his life with him for that -while. - -Within a hundred miles, and in the light of other fires, there were -other functionaries less fortunate, that night and other nights, whom -the rising sun found hanging across once-peaceful streets, where they -had been born and bred; also, there were other villagers and townspeople -less fortunate than the mender of roads and his fellows, upon whom the -functionaries and soldiery turned with success, and whom they strung up -in their turn. But, the fierce figures were steadily wending East, West, -North, and South, be that as it would; and whosoever hung, fire burned. -The altitude of the gallows that would turn to water and quench it, -no functionary, by any stretch of mathematics, was able to calculate -successfully. - - - - -XXIV. Drawn to the Loadstone Rock - - -In such risings of fire and risings of sea--the firm earth shaken by -the rushes of an angry ocean which had now no ebb, but was always on the -flow, higher and higher, to the terror and wonder of the beholders on -the shore--three years of tempest were consumed. Three more birthdays -of little Lucie had been woven by the golden thread into the peaceful -tissue of the life of her home. - -Many a night and many a day had its inmates listened to the echoes in -the corner, with hearts that failed them when they heard the thronging -feet. For, the footsteps had become to their minds as the footsteps of -a people, tumultuous under a red flag and with their country declared in -danger, changed into wild beasts, by terrible enchantment long persisted -in. - -Monseigneur, as a class, had dissociated himself from the phenomenon of -his not being appreciated: of his being so little wanted in France, as -to incur considerable danger of receiving his dismissal from it, and -this life together. Like the fabled rustic who raised the Devil with -infinite pains, and was so terrified at the sight of him that he could -ask the Enemy no question, but immediately fled; so, Monseigneur, after -boldly reading the Lord's Prayer backwards for a great number of years, -and performing many other potent spells for compelling the Evil One, no -sooner beheld him in his terrors than he took to his noble heels. - -The shining Bull's Eye of the Court was gone, or it would have been the -mark for a hurricane of national bullets. It had never been a good -eye to see with--had long had the mote in it of Lucifer's pride, -Sardanapalus's luxury, and a mole's blindness--but it had dropped -out and was gone. The Court, from that exclusive inner circle to its -outermost rotten ring of intrigue, corruption, and dissimulation, was -all gone together. Royalty was gone; had been besieged in its Palace and -“suspended,” when the last tidings came over. - -The August of the year one thousand seven hundred and ninety-two was -come, and Monseigneur was by this time scattered far and wide. - -As was natural, the head-quarters and great gathering-place of -Monseigneur, in London, was Tellson's Bank. Spirits are supposed to -haunt the places where their bodies most resorted, and Monseigneur -without a guinea haunted the spot where his guineas used to be. -Moreover, it was the spot to which such French intelligence as was most -to be relied upon, came quickest. Again: Tellson's was a munificent -house, and extended great liberality to old customers who had fallen -from their high estate. Again: those nobles who had seen the coming -storm in time, and anticipating plunder or confiscation, had made -provident remittances to Tellson's, were always to be heard of there -by their needy brethren. To which it must be added that every new-comer -from France reported himself and his tidings at Tellson's, almost as -a matter of course. For such variety of reasons, Tellson's was at that -time, as to French intelligence, a kind of High Exchange; and this -was so well known to the public, and the inquiries made there were in -consequence so numerous, that Tellson's sometimes wrote the latest news -out in a line or so and posted it in the Bank windows, for all who ran -through Temple Bar to read. - -On a steaming, misty afternoon, Mr. Lorry sat at his desk, and Charles -Darnay stood leaning on it, talking with him in a low voice. The -penitential den once set apart for interviews with the House, was now -the news-Exchange, and was filled to overflowing. It was within half an -hour or so of the time of closing. - -“But, although you are the youngest man that ever lived,” said Charles -Darnay, rather hesitating, “I must still suggest to you--” - -“I understand. That I am too old?” said Mr. Lorry. - -“Unsettled weather, a long journey, uncertain means of travelling, a -disorganised country, a city that may not be even safe for you.” - -“My dear Charles,” said Mr. Lorry, with cheerful confidence, “you touch -some of the reasons for my going: not for my staying away. It is safe -enough for me; nobody will care to interfere with an old fellow of hard -upon fourscore when there are so many people there much better worth -interfering with. As to its being a disorganised city, if it were not a -disorganised city there would be no occasion to send somebody from our -House here to our House there, who knows the city and the business, of -old, and is in Tellson's confidence. As to the uncertain travelling, the -long journey, and the winter weather, if I were not prepared to submit -myself to a few inconveniences for the sake of Tellson's, after all -these years, who ought to be?” - -“I wish I were going myself,” said Charles Darnay, somewhat restlessly, -and like one thinking aloud. - -“Indeed! You are a pretty fellow to object and advise!” exclaimed Mr. -Lorry. “You wish you were going yourself? And you a Frenchman born? You -are a wise counsellor.” - -“My dear Mr. Lorry, it is because I am a Frenchman born, that the -thought (which I did not mean to utter here, however) has passed through -my mind often. One cannot help thinking, having had some sympathy for -the miserable people, and having abandoned something to them,” he spoke -here in his former thoughtful manner, “that one might be listened to, -and might have the power to persuade to some restraint. Only last night, -after you had left us, when I was talking to Lucie--” - -“When you were talking to Lucie,” Mr. Lorry repeated. “Yes. I wonder you -are not ashamed to mention the name of Lucie! Wishing you were going to -France at this time of day!” - -“However, I am not going,” said Charles Darnay, with a smile. “It is -more to the purpose that you say you are.” - -“And I am, in plain reality. The truth is, my dear Charles,” Mr. Lorry -glanced at the distant House, and lowered his voice, “you can have no -conception of the difficulty with which our business is transacted, and -of the peril in which our books and papers over yonder are involved. The -Lord above knows what the compromising consequences would be to numbers -of people, if some of our documents were seized or destroyed; and they -might be, at any time, you know, for who can say that Paris is not set -afire to-day, or sacked to-morrow! Now, a judicious selection from these -with the least possible delay, and the burying of them, or otherwise -getting of them out of harm's way, is within the power (without loss of -precious time) of scarcely any one but myself, if any one. And shall -I hang back, when Tellson's knows this and says this--Tellson's, whose -bread I have eaten these sixty years--because I am a little stiff about -the joints? Why, I am a boy, sir, to half a dozen old codgers here!” - -“How I admire the gallantry of your youthful spirit, Mr. Lorry.” - -“Tut! Nonsense, sir!--And, my dear Charles,” said Mr. Lorry, glancing at -the House again, “you are to remember, that getting things out of -Paris at this present time, no matter what things, is next to an -impossibility. Papers and precious matters were this very day brought -to us here (I speak in strict confidence; it is not business-like to -whisper it, even to you), by the strangest bearers you can imagine, -every one of whom had his head hanging on by a single hair as he passed -the Barriers. At another time, our parcels would come and go, as easily -as in business-like Old England; but now, everything is stopped.” - -“And do you really go to-night?” - -“I really go to-night, for the case has become too pressing to admit of -delay.” - -“And do you take no one with you?” - -“All sorts of people have been proposed to me, but I will have nothing -to say to any of them. I intend to take Jerry. Jerry has been my -bodyguard on Sunday nights for a long time past and I am used to him. -Nobody will suspect Jerry of being anything but an English bull-dog, or -of having any design in his head but to fly at anybody who touches his -master.” - -“I must say again that I heartily admire your gallantry and -youthfulness.” - -“I must say again, nonsense, nonsense! When I have executed this little -commission, I shall, perhaps, accept Tellson's proposal to retire and -live at my ease. Time enough, then, to think about growing old.” - -This dialogue had taken place at Mr. Lorry's usual desk, with -Monseigneur swarming within a yard or two of it, boastful of what he -would do to avenge himself on the rascal-people before long. It was too -much the way of Monseigneur under his reverses as a refugee, and it -was much too much the way of native British orthodoxy, to talk of this -terrible Revolution as if it were the only harvest ever known under -the skies that had not been sown--as if nothing had ever been done, or -omitted to be done, that had led to it--as if observers of the wretched -millions in France, and of the misused and perverted resources that -should have made them prosperous, had not seen it inevitably coming, -years before, and had not in plain words recorded what they saw. Such -vapouring, combined with the extravagant plots of Monseigneur for the -restoration of a state of things that had utterly exhausted itself, -and worn out Heaven and earth as well as itself, was hard to be endured -without some remonstrance by any sane man who knew the truth. And it was -such vapouring all about his ears, like a troublesome confusion of blood -in his own head, added to a latent uneasiness in his mind, which had -already made Charles Darnay restless, and which still kept him so. - -Among the talkers, was Stryver, of the King's Bench Bar, far on his -way to state promotion, and, therefore, loud on the theme: broaching -to Monseigneur, his devices for blowing the people up and exterminating -them from the face of the earth, and doing without them: and for -accomplishing many similar objects akin in their nature to the abolition -of eagles by sprinkling salt on the tails of the race. Him, Darnay heard -with a particular feeling of objection; and Darnay stood divided between -going away that he might hear no more, and remaining to interpose his -word, when the thing that was to be, went on to shape itself out. - -The House approached Mr. Lorry, and laying a soiled and unopened letter -before him, asked if he had yet discovered any traces of the person to -whom it was addressed? The House laid the letter down so close to Darnay -that he saw the direction--the more quickly because it was his own right -name. The address, turned into English, ran: - -“Very pressing. To Monsieur heretofore the Marquis St. Evremonde, of -France. Confided to the cares of Messrs. Tellson and Co., Bankers, -London, England.” - -On the marriage morning, Doctor Manette had made it his one urgent and -express request to Charles Darnay, that the secret of this name should -be--unless he, the Doctor, dissolved the obligation--kept inviolate -between them. Nobody else knew it to be his name; his own wife had no -suspicion of the fact; Mr. Lorry could have none. - -“No,” said Mr. Lorry, in reply to the House; “I have referred it, -I think, to everybody now here, and no one can tell me where this -gentleman is to be found.” - -The hands of the clock verging upon the hour of closing the Bank, there -was a general set of the current of talkers past Mr. Lorry's desk. He -held the letter out inquiringly; and Monseigneur looked at it, in the -person of this plotting and indignant refugee; and Monseigneur looked at -it in the person of that plotting and indignant refugee; and This, That, -and The Other, all had something disparaging to say, in French or in -English, concerning the Marquis who was not to be found. - -“Nephew, I believe--but in any case degenerate successor--of the -polished Marquis who was murdered,” said one. “Happy to say, I never -knew him.” - -“A craven who abandoned his post,” said another--this Monseigneur had -been got out of Paris, legs uppermost and half suffocated, in a load of -hay--“some years ago.” - -“Infected with the new doctrines,” said a third, eyeing the direction -through his glass in passing; “set himself in opposition to the last -Marquis, abandoned the estates when he inherited them, and left them to -the ruffian herd. They will recompense him now, I hope, as he deserves.” - -“Hey?” cried the blatant Stryver. “Did he though? Is that the sort of -fellow? Let us look at his infamous name. D--n the fellow!” - -Darnay, unable to restrain himself any longer, touched Mr. Stryver on -the shoulder, and said: - -“I know the fellow.” - -“Do you, by Jupiter?” said Stryver. “I am sorry for it.” - -“Why?” - -“Why, Mr. Darnay? D'ye hear what he did? Don't ask, why, in these -times.” - -“But I do ask why?” - -“Then I tell you again, Mr. Darnay, I am sorry for it. I am sorry to -hear you putting any such extraordinary questions. Here is a fellow, -who, infected by the most pestilent and blasphemous code of devilry that -ever was known, abandoned his property to the vilest scum of the earth -that ever did murder by wholesale, and you ask me why I am sorry that a -man who instructs youth knows him? Well, but I'll answer you. I am sorry -because I believe there is contamination in such a scoundrel. That's -why.” - -Mindful of the secret, Darnay with great difficulty checked himself, and -said: “You may not understand the gentleman.” - -“I understand how to put _you_ in a corner, Mr. Darnay,” said Bully -Stryver, “and I'll do it. If this fellow is a gentleman, I _don't_ -understand him. You may tell him so, with my compliments. You may also -tell him, from me, that after abandoning his worldly goods and position -to this butcherly mob, I wonder he is not at the head of them. But, no, -gentlemen,” said Stryver, looking all round, and snapping his fingers, -“I know something of human nature, and I tell you that you'll never -find a fellow like this fellow, trusting himself to the mercies of such -precious _protégés_. No, gentlemen; he'll always show 'em a clean pair -of heels very early in the scuffle, and sneak away.” - -With those words, and a final snap of his fingers, Mr. Stryver -shouldered himself into Fleet-street, amidst the general approbation of -his hearers. Mr. Lorry and Charles Darnay were left alone at the desk, -in the general departure from the Bank. - -“Will you take charge of the letter?” said Mr. Lorry. “You know where to -deliver it?” - -“I do.” - -“Will you undertake to explain, that we suppose it to have been -addressed here, on the chance of our knowing where to forward it, and -that it has been here some time?” - -“I will do so. Do you start for Paris from here?” - -“From here, at eight.” - -“I will come back, to see you off.” - -Very ill at ease with himself, and with Stryver and most other men, -Darnay made the best of his way into the quiet of the Temple, opened the -letter, and read it. These were its contents: - - -“Prison of the Abbaye, Paris. - -“June 21, 1792. “MONSIEUR HERETOFORE THE MARQUIS. - -“After having long been in danger of my life at the hands of the -village, I have been seized, with great violence and indignity, and -brought a long journey on foot to Paris. On the road I have suffered a -great deal. Nor is that all; my house has been destroyed--razed to the -ground. - -“The crime for which I am imprisoned, Monsieur heretofore the Marquis, -and for which I shall be summoned before the tribunal, and shall lose my -life (without your so generous help), is, they tell me, treason against -the majesty of the people, in that I have acted against them for an -emigrant. It is in vain I represent that I have acted for them, and not -against, according to your commands. It is in vain I represent that, -before the sequestration of emigrant property, I had remitted the -imposts they had ceased to pay; that I had collected no rent; that I had -had recourse to no process. The only response is, that I have acted for -an emigrant, and where is that emigrant? - -“Ah! most gracious Monsieur heretofore the Marquis, where is that -emigrant? I cry in my sleep where is he? I demand of Heaven, will he -not come to deliver me? No answer. Ah Monsieur heretofore the Marquis, -I send my desolate cry across the sea, hoping it may perhaps reach your -ears through the great bank of Tilson known at Paris! - -“For the love of Heaven, of justice, of generosity, of the honour of -your noble name, I supplicate you, Monsieur heretofore the Marquis, to -succour and release me. My fault is, that I have been true to you. Oh -Monsieur heretofore the Marquis, I pray you be you true to me! - -“From this prison here of horror, whence I every hour tend nearer and -nearer to destruction, I send you, Monsieur heretofore the Marquis, the -assurance of my dolorous and unhappy service. - -“Your afflicted, - -“Gabelle.” - - -The latent uneasiness in Darnay's mind was roused to vigourous life -by this letter. The peril of an old servant and a good one, whose -only crime was fidelity to himself and his family, stared him so -reproachfully in the face, that, as he walked to and fro in the Temple -considering what to do, he almost hid his face from the passersby. - -He knew very well, that in his horror of the deed which had culminated -the bad deeds and bad reputation of the old family house, in his -resentful suspicions of his uncle, and in the aversion with which his -conscience regarded the crumbling fabric that he was supposed to uphold, -he had acted imperfectly. He knew very well, that in his love for Lucie, -his renunciation of his social place, though by no means new to his own -mind, had been hurried and incomplete. He knew that he ought to have -systematically worked it out and supervised it, and that he had meant to -do it, and that it had never been done. - -The happiness of his own chosen English home, the necessity of being -always actively employed, the swift changes and troubles of the time -which had followed on one another so fast, that the events of this week -annihilated the immature plans of last week, and the events of the week -following made all new again; he knew very well, that to the force of -these circumstances he had yielded:--not without disquiet, but still -without continuous and accumulating resistance. That he had watched -the times for a time of action, and that they had shifted and struggled -until the time had gone by, and the nobility were trooping from -France by every highway and byway, and their property was in course of -confiscation and destruction, and their very names were blotting out, -was as well known to himself as it could be to any new authority in -France that might impeach him for it. - -But, he had oppressed no man, he had imprisoned no man; he was so -far from having harshly exacted payment of his dues, that he had -relinquished them of his own will, thrown himself on a world with no -favour in it, won his own private place there, and earned his own -bread. Monsieur Gabelle had held the impoverished and involved estate -on written instructions, to spare the people, to give them what little -there was to give--such fuel as the heavy creditors would let them have -in the winter, and such produce as could be saved from the same grip in -the summer--and no doubt he had put the fact in plea and proof, for his -own safety, so that it could not but appear now. - -This favoured the desperate resolution Charles Darnay had begun to make, -that he would go to Paris. - -Yes. Like the mariner in the old story, the winds and streams had driven -him within the influence of the Loadstone Rock, and it was drawing him -to itself, and he must go. Everything that arose before his mind drifted -him on, faster and faster, more and more steadily, to the terrible -attraction. His latent uneasiness had been, that bad aims were being -worked out in his own unhappy land by bad instruments, and that he who -could not fail to know that he was better than they, was not there, -trying to do something to stay bloodshed, and assert the claims of mercy -and humanity. With this uneasiness half stifled, and half reproaching -him, he had been brought to the pointed comparison of himself with the -brave old gentleman in whom duty was so strong; upon that comparison -(injurious to himself) had instantly followed the sneers of Monseigneur, -which had stung him bitterly, and those of Stryver, which above all were -coarse and galling, for old reasons. Upon those, had followed Gabelle's -letter: the appeal of an innocent prisoner, in danger of death, to his -justice, honour, and good name. - -His resolution was made. He must go to Paris. - -Yes. The Loadstone Rock was drawing him, and he must sail on, until he -struck. He knew of no rock; he saw hardly any danger. The intention -with which he had done what he had done, even although he had left -it incomplete, presented it before him in an aspect that would be -gratefully acknowledged in France on his presenting himself to assert -it. Then, that glorious vision of doing good, which is so often the -sanguine mirage of so many good minds, arose before him, and he even -saw himself in the illusion with some influence to guide this raging -Revolution that was running so fearfully wild. - -As he walked to and fro with his resolution made, he considered that -neither Lucie nor her father must know of it until he was gone. -Lucie should be spared the pain of separation; and her father, always -reluctant to turn his thoughts towards the dangerous ground of old, -should come to the knowledge of the step, as a step taken, and not in -the balance of suspense and doubt. How much of the incompleteness of his -situation was referable to her father, through the painful anxiety -to avoid reviving old associations of France in his mind, he did not -discuss with himself. But, that circumstance too, had had its influence -in his course. - -He walked to and fro, with thoughts very busy, until it was time to -return to Tellson's and take leave of Mr. Lorry. As soon as he arrived -in Paris he would present himself to this old friend, but he must say -nothing of his intention now. - -A carriage with post-horses was ready at the Bank door, and Jerry was -booted and equipped. - -“I have delivered that letter,” said Charles Darnay to Mr. Lorry. “I -would not consent to your being charged with any written answer, but -perhaps you will take a verbal one?” - -“That I will, and readily,” said Mr. Lorry, “if it is not dangerous.” - -“Not at all. Though it is to a prisoner in the Abbaye.” - -“What is his name?” said Mr. Lorry, with his open pocket-book in his -hand. - -“Gabelle.” - -“Gabelle. And what is the message to the unfortunate Gabelle in prison?” - -“Simply, 'that he has received the letter, and will come.'” - -“Any time mentioned?” - -“He will start upon his journey to-morrow night.” - -“Any person mentioned?” - -“No.” - -He helped Mr. Lorry to wrap himself in a number of coats and cloaks, -and went out with him from the warm atmosphere of the old Bank, into the -misty air of Fleet-street. “My love to Lucie, and to little Lucie,” said -Mr. Lorry at parting, “and take precious care of them till I come back.” - Charles Darnay shook his head and doubtfully smiled, as the carriage -rolled away. - -That night--it was the fourteenth of August--he sat up late, and wrote -two fervent letters; one was to Lucie, explaining the strong obligation -he was under to go to Paris, and showing her, at length, the reasons -that he had, for feeling confident that he could become involved in no -personal danger there; the other was to the Doctor, confiding Lucie and -their dear child to his care, and dwelling on the same topics with the -strongest assurances. To both, he wrote that he would despatch letters -in proof of his safety, immediately after his arrival. - -It was a hard day, that day of being among them, with the first -reservation of their joint lives on his mind. It was a hard matter to -preserve the innocent deceit of which they were profoundly unsuspicious. -But, an affectionate glance at his wife, so happy and busy, made him -resolute not to tell her what impended (he had been half moved to do it, -so strange it was to him to act in anything without her quiet aid), and -the day passed quickly. Early in the evening he embraced her, and her -scarcely less dear namesake, pretending that he would return by-and-bye -(an imaginary engagement took him out, and he had secreted a valise -of clothes ready), and so he emerged into the heavy mist of the heavy -streets, with a heavier heart. - -The unseen force was drawing him fast to itself, now, and all the tides -and winds were setting straight and strong towards it. He left his -two letters with a trusty porter, to be delivered half an hour before -midnight, and no sooner; took horse for Dover; and began his journey. -“For the love of Heaven, of justice, of generosity, of the honour of -your noble name!” was the poor prisoner's cry with which he strengthened -his sinking heart, as he left all that was dear on earth behind him, and -floated away for the Loadstone Rock. - - -The end of the second book. - - - - - -Book the Third--the Track of a Storm - - - - -I. In Secret - - -The traveller fared slowly on his way, who fared towards Paris from -England in the autumn of the year one thousand seven hundred and -ninety-two. More than enough of bad roads, bad equipages, and bad -horses, he would have encountered to delay him, though the fallen and -unfortunate King of France had been upon his throne in all his glory; -but, the changed times were fraught with other obstacles than -these. Every town-gate and village taxing-house had its band of -citizen-patriots, with their national muskets in a most explosive state -of readiness, who stopped all comers and goers, cross-questioned them, -inspected their papers, looked for their names in lists of their own, -turned them back, or sent them on, or stopped them and laid them in -hold, as their capricious judgment or fancy deemed best for the dawning -Republic One and Indivisible, of Liberty, Equality, Fraternity, or -Death. - -A very few French leagues of his journey were accomplished, when Charles -Darnay began to perceive that for him along these country roads there -was no hope of return until he should have been declared a good citizen -at Paris. Whatever might befall now, he must on to his journey's end. -Not a mean village closed upon him, not a common barrier dropped across -the road behind him, but he knew it to be another iron door in -the series that was barred between him and England. The universal -watchfulness so encompassed him, that if he had been taken in a net, -or were being forwarded to his destination in a cage, he could not have -felt his freedom more completely gone. - -This universal watchfulness not only stopped him on the highway twenty -times in a stage, but retarded his progress twenty times in a day, by -riding after him and taking him back, riding before him and stopping him -by anticipation, riding with him and keeping him in charge. He had been -days upon his journey in France alone, when he went to bed tired out, in -a little town on the high road, still a long way from Paris. - -Nothing but the production of the afflicted Gabelle's letter from his -prison of the Abbaye would have got him on so far. His difficulty at the -guard-house in this small place had been such, that he felt his journey -to have come to a crisis. And he was, therefore, as little surprised as -a man could be, to find himself awakened at the small inn to which he -had been remitted until morning, in the middle of the night. - -Awakened by a timid local functionary and three armed patriots in rough -red caps and with pipes in their mouths, who sat down on the bed. - -“Emigrant,” said the functionary, “I am going to send you on to Paris, -under an escort.” - -“Citizen, I desire nothing more than to get to Paris, though I could -dispense with the escort.” - -“Silence!” growled a red-cap, striking at the coverlet with the butt-end -of his musket. “Peace, aristocrat!” - -“It is as the good patriot says,” observed the timid functionary. “You -are an aristocrat, and must have an escort--and must pay for it.” - -“I have no choice,” said Charles Darnay. - -“Choice! Listen to him!” cried the same scowling red-cap. “As if it was -not a favour to be protected from the lamp-iron!” - -“It is always as the good patriot says,” observed the functionary. “Rise -and dress yourself, emigrant.” - -Darnay complied, and was taken back to the guard-house, where other -patriots in rough red caps were smoking, drinking, and sleeping, by -a watch-fire. Here he paid a heavy price for his escort, and hence he -started with it on the wet, wet roads at three o'clock in the morning. - -The escort were two mounted patriots in red caps and tri-coloured -cockades, armed with national muskets and sabres, who rode one on either -side of him. - -The escorted governed his own horse, but a loose line was attached to -his bridle, the end of which one of the patriots kept girded round his -wrist. In this state they set forth with the sharp rain driving in their -faces: clattering at a heavy dragoon trot over the uneven town pavement, -and out upon the mire-deep roads. In this state they traversed without -change, except of horses and pace, all the mire-deep leagues that lay -between them and the capital. - -They travelled in the night, halting an hour or two after daybreak, and -lying by until the twilight fell. The escort were so wretchedly clothed, -that they twisted straw round their bare legs, and thatched their ragged -shoulders to keep the wet off. Apart from the personal discomfort of -being so attended, and apart from such considerations of present danger -as arose from one of the patriots being chronically drunk, and carrying -his musket very recklessly, Charles Darnay did not allow the restraint -that was laid upon him to awaken any serious fears in his breast; for, -he reasoned with himself that it could have no reference to the merits -of an individual case that was not yet stated, and of representations, -confirmable by the prisoner in the Abbaye, that were not yet made. - -But when they came to the town of Beauvais--which they did at eventide, -when the streets were filled with people--he could not conceal from -himself that the aspect of affairs was very alarming. An ominous crowd -gathered to see him dismount of the posting-yard, and many voices called -out loudly, “Down with the emigrant!” - -He stopped in the act of swinging himself out of his saddle, and, -resuming it as his safest place, said: - -“Emigrant, my friends! Do you not see me here, in France, of my own -will?” - -“You are a cursed emigrant,” cried a farrier, making at him in a -furious manner through the press, hammer in hand; “and you are a cursed -aristocrat!” - -The postmaster interposed himself between this man and the rider's -bridle (at which he was evidently making), and soothingly said, “Let him -be; let him be! He will be judged at Paris.” - -“Judged!” repeated the farrier, swinging his hammer. “Ay! and condemned -as a traitor.” At this the crowd roared approval. - -Checking the postmaster, who was for turning his horse's head to the -yard (the drunken patriot sat composedly in his saddle looking on, with -the line round his wrist), Darnay said, as soon as he could make his -voice heard: - -“Friends, you deceive yourselves, or you are deceived. I am not a -traitor.” - -“He lies!” cried the smith. “He is a traitor since the decree. His life -is forfeit to the people. His cursed life is not his own!” - -At the instant when Darnay saw a rush in the eyes of the crowd, which -another instant would have brought upon him, the postmaster turned his -horse into the yard, the escort rode in close upon his horse's flanks, -and the postmaster shut and barred the crazy double gates. The farrier -struck a blow upon them with his hammer, and the crowd groaned; but, no -more was done. - -“What is this decree that the smith spoke of?” Darnay asked the -postmaster, when he had thanked him, and stood beside him in the yard. - -“Truly, a decree for selling the property of emigrants.” - -“When passed?” - -“On the fourteenth.” - -“The day I left England!” - -“Everybody says it is but one of several, and that there will be -others--if there are not already--banishing all emigrants, and -condemning all to death who return. That is what he meant when he said -your life was not your own.” - -“But there are no such decrees yet?” - -“What do I know!” said the postmaster, shrugging his shoulders; “there -may be, or there will be. It is all the same. What would you have?” - -They rested on some straw in a loft until the middle of the night, and -then rode forward again when all the town was asleep. Among the many -wild changes observable on familiar things which made this wild ride -unreal, not the least was the seeming rarity of sleep. After long and -lonely spurring over dreary roads, they would come to a cluster of poor -cottages, not steeped in darkness, but all glittering with lights, and -would find the people, in a ghostly manner in the dead of the night, -circling hand in hand round a shrivelled tree of Liberty, or all drawn -up together singing a Liberty song. Happily, however, there was sleep in -Beauvais that night to help them out of it and they passed on once more -into solitude and loneliness: jingling through the untimely cold and -wet, among impoverished fields that had yielded no fruits of the earth -that year, diversified by the blackened remains of burnt houses, and by -the sudden emergence from ambuscade, and sharp reining up across their -way, of patriot patrols on the watch on all the roads. - -Daylight at last found them before the wall of Paris. The barrier was -closed and strongly guarded when they rode up to it. - -“Where are the papers of this prisoner?” demanded a resolute-looking man -in authority, who was summoned out by the guard. - -Naturally struck by the disagreeable word, Charles Darnay requested the -speaker to take notice that he was a free traveller and French citizen, -in charge of an escort which the disturbed state of the country had -imposed upon him, and which he had paid for. - -“Where,” repeated the same personage, without taking any heed of him -whatever, “are the papers of this prisoner?” - -The drunken patriot had them in his cap, and produced them. Casting his -eyes over Gabelle's letter, the same personage in authority showed some -disorder and surprise, and looked at Darnay with a close attention. - -He left escort and escorted without saying a word, however, and went -into the guard-room; meanwhile, they sat upon their horses outside the -gate. Looking about him while in this state of suspense, Charles -Darnay observed that the gate was held by a mixed guard of soldiers and -patriots, the latter far outnumbering the former; and that while ingress -into the city for peasants' carts bringing in supplies, and for similar -traffic and traffickers, was easy enough, egress, even for the homeliest -people, was very difficult. A numerous medley of men and women, not -to mention beasts and vehicles of various sorts, was waiting to issue -forth; but, the previous identification was so strict, that they -filtered through the barrier very slowly. Some of these people knew -their turn for examination to be so far off, that they lay down on the -ground to sleep or smoke, while others talked together, or loitered -about. The red cap and tri-colour cockade were universal, both among men -and women. - -When he had sat in his saddle some half-hour, taking note of these -things, Darnay found himself confronted by the same man in authority, -who directed the guard to open the barrier. Then he delivered to the -escort, drunk and sober, a receipt for the escorted, and requested him -to dismount. He did so, and the two patriots, leading his tired horse, -turned and rode away without entering the city. - -He accompanied his conductor into a guard-room, smelling of common wine -and tobacco, where certain soldiers and patriots, asleep and awake, -drunk and sober, and in various neutral states between sleeping and -waking, drunkenness and sobriety, were standing and lying about. The -light in the guard-house, half derived from the waning oil-lamps of -the night, and half from the overcast day, was in a correspondingly -uncertain condition. Some registers were lying open on a desk, and an -officer of a coarse, dark aspect, presided over these. - -“Citizen Defarge,” said he to Darnay's conductor, as he took a slip of -paper to write on. “Is this the emigrant Evremonde?” - -“This is the man.” - -“Your age, Evremonde?” - -“Thirty-seven.” - -“Married, Evremonde?” - -“Yes.” - -“Where married?” - -“In England.” - -“Without doubt. Where is your wife, Evremonde?” - -“In England.” - -“Without doubt. You are consigned, Evremonde, to the prison of La -Force.” - -“Just Heaven!” exclaimed Darnay. “Under what law, and for what offence?” - -The officer looked up from his slip of paper for a moment. - -“We have new laws, Evremonde, and new offences, since you were here.” He -said it with a hard smile, and went on writing. - -“I entreat you to observe that I have come here voluntarily, in response -to that written appeal of a fellow-countryman which lies before you. I -demand no more than the opportunity to do so without delay. Is not that -my right?” - -“Emigrants have no rights, Evremonde,” was the stolid reply. The officer -wrote until he had finished, read over to himself what he had written, -sanded it, and handed it to Defarge, with the words “In secret.” - -Defarge motioned with the paper to the prisoner that he must accompany -him. The prisoner obeyed, and a guard of two armed patriots attended -them. - -“Is it you,” said Defarge, in a low voice, as they went down the -guardhouse steps and turned into Paris, “who married the daughter of -Doctor Manette, once a prisoner in the Bastille that is no more?” - -“Yes,” replied Darnay, looking at him with surprise. - -“My name is Defarge, and I keep a wine-shop in the Quarter Saint -Antoine. Possibly you have heard of me.” - -“My wife came to your house to reclaim her father? Yes!” - -The word “wife” seemed to serve as a gloomy reminder to Defarge, to say -with sudden impatience, “In the name of that sharp female newly-born, -and called La Guillotine, why did you come to France?” - -“You heard me say why, a minute ago. Do you not believe it is the -truth?” - -“A bad truth for you,” said Defarge, speaking with knitted brows, and -looking straight before him. - -“Indeed I am lost here. All here is so unprecedented, so changed, so -sudden and unfair, that I am absolutely lost. Will you render me a -little help?” - -“None.” Defarge spoke, always looking straight before him. - -“Will you answer me a single question?” - -“Perhaps. According to its nature. You can say what it is.” - -“In this prison that I am going to so unjustly, shall I have some free -communication with the world outside?” - -“You will see.” - -“I am not to be buried there, prejudged, and without any means of -presenting my case?” - -“You will see. But, what then? Other people have been similarly buried -in worse prisons, before now.” - -“But never by me, Citizen Defarge.” - -Defarge glanced darkly at him for answer, and walked on in a steady -and set silence. The deeper he sank into this silence, the fainter hope -there was--or so Darnay thought--of his softening in any slight degree. -He, therefore, made haste to say: - -“It is of the utmost importance to me (you know, Citizen, even better -than I, of how much importance), that I should be able to communicate to -Mr. Lorry of Tellson's Bank, an English gentleman who is now in Paris, -the simple fact, without comment, that I have been thrown into the -prison of La Force. Will you cause that to be done for me?” - -“I will do,” Defarge doggedly rejoined, “nothing for you. My duty is to -my country and the People. I am the sworn servant of both, against you. -I will do nothing for you.” - -Charles Darnay felt it hopeless to entreat him further, and his pride -was touched besides. As they walked on in silence, he could not but see -how used the people were to the spectacle of prisoners passing along the -streets. The very children scarcely noticed him. A few passers turned -their heads, and a few shook their fingers at him as an aristocrat; -otherwise, that a man in good clothes should be going to prison, was no -more remarkable than that a labourer in working clothes should be -going to work. In one narrow, dark, and dirty street through which they -passed, an excited orator, mounted on a stool, was addressing an excited -audience on the crimes against the people, of the king and the royal -family. The few words that he caught from this man's lips, first made -it known to Charles Darnay that the king was in prison, and that the -foreign ambassadors had one and all left Paris. On the road (except at -Beauvais) he had heard absolutely nothing. The escort and the universal -watchfulness had completely isolated him. - -That he had fallen among far greater dangers than those which had -developed themselves when he left England, he of course knew now. That -perils had thickened about him fast, and might thicken faster and faster -yet, he of course knew now. He could not but admit to himself that he -might not have made this journey, if he could have foreseen the events -of a few days. And yet his misgivings were not so dark as, imagined by -the light of this later time, they would appear. Troubled as the future -was, it was the unknown future, and in its obscurity there was ignorant -hope. The horrible massacre, days and nights long, which, within a few -rounds of the clock, was to set a great mark of blood upon the blessed -garnering time of harvest, was as far out of his knowledge as if it had -been a hundred thousand years away. The “sharp female newly-born, and -called La Guillotine,” was hardly known to him, or to the generality -of people, by name. The frightful deeds that were to be soon done, were -probably unimagined at that time in the brains of the doers. How could -they have a place in the shadowy conceptions of a gentle mind? - -Of unjust treatment in detention and hardship, and in cruel separation -from his wife and child, he foreshadowed the likelihood, or the -certainty; but, beyond this, he dreaded nothing distinctly. With this on -his mind, which was enough to carry into a dreary prison courtyard, he -arrived at the prison of La Force. - -A man with a bloated face opened the strong wicket, to whom Defarge -presented “The Emigrant Evremonde.” - -“What the Devil! How many more of them!” exclaimed the man with the -bloated face. - -Defarge took his receipt without noticing the exclamation, and withdrew, -with his two fellow-patriots. - -“What the Devil, I say again!” exclaimed the gaoler, left with his wife. -“How many more!” - -The gaoler's wife, being provided with no answer to the question, merely -replied, “One must have patience, my dear!” Three turnkeys who entered -responsive to a bell she rang, echoed the sentiment, and one added, “For -the love of Liberty;” which sounded in that place like an inappropriate -conclusion. - -The prison of La Force was a gloomy prison, dark and filthy, and with a -horrible smell of foul sleep in it. Extraordinary how soon the noisome -flavour of imprisoned sleep, becomes manifest in all such places that -are ill cared for! - -“In secret, too,” grumbled the gaoler, looking at the written paper. “As -if I was not already full to bursting!” - -He stuck the paper on a file, in an ill-humour, and Charles Darnay -awaited his further pleasure for half an hour: sometimes, pacing to and -fro in the strong arched room: sometimes, resting on a stone seat: in -either case detained to be imprinted on the memory of the chief and his -subordinates. - -“Come!” said the chief, at length taking up his keys, “come with me, -emigrant.” - -Through the dismal prison twilight, his new charge accompanied him by -corridor and staircase, many doors clanging and locking behind them, -until they came into a large, low, vaulted chamber, crowded with -prisoners of both sexes. The women were seated at a long table, reading -and writing, knitting, sewing, and embroidering; the men were for the -most part standing behind their chairs, or lingering up and down the -room. - -In the instinctive association of prisoners with shameful crime and -disgrace, the new-comer recoiled from this company. But the crowning -unreality of his long unreal ride, was, their all at once rising to -receive him, with every refinement of manner known to the time, and with -all the engaging graces and courtesies of life. - -So strangely clouded were these refinements by the prison manners and -gloom, so spectral did they become in the inappropriate squalor and -misery through which they were seen, that Charles Darnay seemed to stand -in a company of the dead. Ghosts all! The ghost of beauty, the ghost -of stateliness, the ghost of elegance, the ghost of pride, the ghost of -frivolity, the ghost of wit, the ghost of youth, the ghost of age, all -waiting their dismissal from the desolate shore, all turning on him eyes -that were changed by the death they had died in coming there. - -It struck him motionless. The gaoler standing at his side, and the other -gaolers moving about, who would have been well enough as to appearance -in the ordinary exercise of their functions, looked so extravagantly -coarse contrasted with sorrowing mothers and blooming daughters who were -there--with the apparitions of the coquette, the young beauty, and the -mature woman delicately bred--that the inversion of all experience and -likelihood which the scene of shadows presented, was heightened to its -utmost. Surely, ghosts all. Surely, the long unreal ride some progress -of disease that had brought him to these gloomy shades! - -“In the name of the assembled companions in misfortune,” said a -gentleman of courtly appearance and address, coming forward, “I have the -honour of giving you welcome to La Force, and of condoling with you -on the calamity that has brought you among us. May it soon terminate -happily! It would be an impertinence elsewhere, but it is not so here, -to ask your name and condition?” - -Charles Darnay roused himself, and gave the required information, in -words as suitable as he could find. - -“But I hope,” said the gentleman, following the chief gaoler with his -eyes, who moved across the room, “that you are not in secret?” - -“I do not understand the meaning of the term, but I have heard them say -so.” - -“Ah, what a pity! We so much regret it! But take courage; several -members of our society have been in secret, at first, and it has lasted -but a short time.” Then he added, raising his voice, “I grieve to inform -the society--in secret.” - -There was a murmur of commiseration as Charles Darnay crossed the room -to a grated door where the gaoler awaited him, and many voices--among -which, the soft and compassionate voices of women were conspicuous--gave -him good wishes and encouragement. He turned at the grated door, to -render the thanks of his heart; it closed under the gaoler's hand; and -the apparitions vanished from his sight forever. - -The wicket opened on a stone staircase, leading upward. When they had -ascended forty steps (the prisoner of half an hour already counted -them), the gaoler opened a low black door, and they passed into a -solitary cell. It struck cold and damp, but was not dark. - -“Yours,” said the gaoler. - -“Why am I confined alone?” - -“How do I know!” - -“I can buy pen, ink, and paper?” - -“Such are not my orders. You will be visited, and can ask then. At -present, you may buy your food, and nothing more.” - -There were in the cell, a chair, a table, and a straw mattress. As -the gaoler made a general inspection of these objects, and of the four -walls, before going out, a wandering fancy wandered through the mind of -the prisoner leaning against the wall opposite to him, that this gaoler -was so unwholesomely bloated, both in face and person, as to look like -a man who had been drowned and filled with water. When the gaoler was -gone, he thought in the same wandering way, “Now am I left, as if I were -dead.” Stopping then, to look down at the mattress, he turned from it -with a sick feeling, and thought, “And here in these crawling creatures -is the first condition of the body after death.” - -“Five paces by four and a half, five paces by four and a half, five -paces by four and a half.” The prisoner walked to and fro in his cell, -counting its measurement, and the roar of the city arose like muffled -drums with a wild swell of voices added to them. “He made shoes, he made -shoes, he made shoes.” The prisoner counted the measurement again, and -paced faster, to draw his mind with him from that latter repetition. -“The ghosts that vanished when the wicket closed. There was one among -them, the appearance of a lady dressed in black, who was leaning in the -embrasure of a window, and she had a light shining upon her golden -hair, and she looked like * * * * Let us ride on again, for God's sake, -through the illuminated villages with the people all awake! * * * * He -made shoes, he made shoes, he made shoes. * * * * Five paces by four and -a half.” With such scraps tossing and rolling upward from the depths of -his mind, the prisoner walked faster and faster, obstinately counting -and counting; and the roar of the city changed to this extent--that it -still rolled in like muffled drums, but with the wail of voices that he -knew, in the swell that rose above them. - - - - -II. The Grindstone - - -Tellson's Bank, established in the Saint Germain Quarter of Paris, was -in a wing of a large house, approached by a courtyard and shut off from -the street by a high wall and a strong gate. The house belonged to -a great nobleman who had lived in it until he made a flight from the -troubles, in his own cook's dress, and got across the borders. A -mere beast of the chase flying from hunters, he was still in his -metempsychosis no other than the same Monseigneur, the preparation -of whose chocolate for whose lips had once occupied three strong men -besides the cook in question. - -Monseigneur gone, and the three strong men absolving themselves from the -sin of having drawn his high wages, by being more than ready and -willing to cut his throat on the altar of the dawning Republic one and -indivisible of Liberty, Equality, Fraternity, or Death, Monseigneur's -house had been first sequestrated, and then confiscated. For, all -things moved so fast, and decree followed decree with that fierce -precipitation, that now upon the third night of the autumn month -of September, patriot emissaries of the law were in possession of -Monseigneur's house, and had marked it with the tri-colour, and were -drinking brandy in its state apartments. - -A place of business in London like Tellson's place of business in Paris, -would soon have driven the House out of its mind and into the Gazette. -For, what would staid British responsibility and respectability have -said to orange-trees in boxes in a Bank courtyard, and even to a Cupid -over the counter? Yet such things were. Tellson's had whitewashed the -Cupid, but he was still to be seen on the ceiling, in the coolest -linen, aiming (as he very often does) at money from morning to -night. Bankruptcy must inevitably have come of this young Pagan, in -Lombard-street, London, and also of a curtained alcove in the rear of -the immortal boy, and also of a looking-glass let into the wall, and -also of clerks not at all old, who danced in public on the slightest -provocation. Yet, a French Tellson's could get on with these things -exceedingly well, and, as long as the times held together, no man had -taken fright at them, and drawn out his money. - -What money would be drawn out of Tellson's henceforth, and what would -lie there, lost and forgotten; what plate and jewels would tarnish in -Tellson's hiding-places, while the depositors rusted in prisons, -and when they should have violently perished; how many accounts with -Tellson's never to be balanced in this world, must be carried over into -the next; no man could have said, that night, any more than Mr. Jarvis -Lorry could, though he thought heavily of these questions. He sat by -a newly-lighted wood fire (the blighted and unfruitful year was -prematurely cold), and on his honest and courageous face there was a -deeper shade than the pendent lamp could throw, or any object in the -room distortedly reflect--a shade of horror. - -He occupied rooms in the Bank, in his fidelity to the House of which -he had grown to be a part, like strong root-ivy. It chanced that they -derived a kind of security from the patriotic occupation of the main -building, but the true-hearted old gentleman never calculated about -that. All such circumstances were indifferent to him, so that he did -his duty. On the opposite side of the courtyard, under a colonnade, -was extensive standing--for carriages--where, indeed, some carriages -of Monseigneur yet stood. Against two of the pillars were fastened two -great flaring flambeaux, and in the light of these, standing out in the -open air, was a large grindstone: a roughly mounted thing which appeared -to have hurriedly been brought there from some neighbouring smithy, -or other workshop. Rising and looking out of window at these harmless -objects, Mr. Lorry shivered, and retired to his seat by the fire. He had -opened, not only the glass window, but the lattice blind outside it, and -he had closed both again, and he shivered through his frame. - -From the streets beyond the high wall and the strong gate, there came -the usual night hum of the city, with now and then an indescribable ring -in it, weird and unearthly, as if some unwonted sounds of a terrible -nature were going up to Heaven. - -“Thank God,” said Mr. Lorry, clasping his hands, “that no one near and -dear to me is in this dreadful town to-night. May He have mercy on all -who are in danger!” - -Soon afterwards, the bell at the great gate sounded, and he thought, -“They have come back!” and sat listening. But, there was no loud -irruption into the courtyard, as he had expected, and he heard the gate -clash again, and all was quiet. - -The nervousness and dread that were upon him inspired that vague -uneasiness respecting the Bank, which a great change would naturally -awaken, with such feelings roused. It was well guarded, and he got up to -go among the trusty people who were watching it, when his door suddenly -opened, and two figures rushed in, at sight of which he fell back in -amazement. - -Lucie and her father! Lucie with her arms stretched out to him, and with -that old look of earnestness so concentrated and intensified, that it -seemed as though it had been stamped upon her face expressly to give -force and power to it in this one passage of her life. - -“What is this?” cried Mr. Lorry, breathless and confused. “What is the -matter? Lucie! Manette! What has happened? What has brought you here? -What is it?” - -With the look fixed upon him, in her paleness and wildness, she panted -out in his arms, imploringly, “O my dear friend! My husband!” - -“Your husband, Lucie?” - -“Charles.” - -“What of Charles?” - -“Here. - -“Here, in Paris?” - -“Has been here some days--three or four--I don't know how many--I can't -collect my thoughts. An errand of generosity brought him here unknown to -us; he was stopped at the barrier, and sent to prison.” - -The old man uttered an irrepressible cry. Almost at the same moment, the -bell of the great gate rang again, and a loud noise of feet and voices -came pouring into the courtyard. - -“What is that noise?” said the Doctor, turning towards the window. - -“Don't look!” cried Mr. Lorry. “Don't look out! Manette, for your life, -don't touch the blind!” - -The Doctor turned, with his hand upon the fastening of the window, and -said, with a cool, bold smile: - -“My dear friend, I have a charmed life in this city. I have been -a Bastille prisoner. There is no patriot in Paris--in Paris? In -France--who, knowing me to have been a prisoner in the Bastille, would -touch me, except to overwhelm me with embraces, or carry me in triumph. -My old pain has given me a power that has brought us through the -barrier, and gained us news of Charles there, and brought us here. I -knew it would be so; I knew I could help Charles out of all danger; I -told Lucie so.--What is that noise?” His hand was again upon the window. - -“Don't look!” cried Mr. Lorry, absolutely desperate. “No, Lucie, my -dear, nor you!” He got his arm round her, and held her. “Don't be so -terrified, my love. I solemnly swear to you that I know of no harm -having happened to Charles; that I had no suspicion even of his being in -this fatal place. What prison is he in?” - -“La Force!” - -“La Force! Lucie, my child, if ever you were brave and serviceable in -your life--and you were always both--you will compose yourself now, to -do exactly as I bid you; for more depends upon it than you can think, or -I can say. There is no help for you in any action on your part to-night; -you cannot possibly stir out. I say this, because what I must bid you -to do for Charles's sake, is the hardest thing to do of all. You must -instantly be obedient, still, and quiet. You must let me put you in a -room at the back here. You must leave your father and me alone for -two minutes, and as there are Life and Death in the world you must not -delay.” - -“I will be submissive to you. I see in your face that you know I can do -nothing else than this. I know you are true.” - -The old man kissed her, and hurried her into his room, and turned the -key; then, came hurrying back to the Doctor, and opened the window and -partly opened the blind, and put his hand upon the Doctor's arm, and -looked out with him into the courtyard. - -Looked out upon a throng of men and women: not enough in number, or near -enough, to fill the courtyard: not more than forty or fifty in all. The -people in possession of the house had let them in at the gate, and they -had rushed in to work at the grindstone; it had evidently been set up -there for their purpose, as in a convenient and retired spot. - -But, such awful workers, and such awful work! - -The grindstone had a double handle, and, turning at it madly were two -men, whose faces, as their long hair flapped back when the whirlings of -the grindstone brought their faces up, were more horrible and cruel than -the visages of the wildest savages in their most barbarous disguise. -False eyebrows and false moustaches were stuck upon them, and their -hideous countenances were all bloody and sweaty, and all awry with -howling, and all staring and glaring with beastly excitement and want of -sleep. As these ruffians turned and turned, their matted locks now flung -forward over their eyes, now flung backward over their necks, some women -held wine to their mouths that they might drink; and what with dropping -blood, and what with dropping wine, and what with the stream of sparks -struck out of the stone, all their wicked atmosphere seemed gore and -fire. The eye could not detect one creature in the group free from -the smear of blood. Shouldering one another to get next at the -sharpening-stone, were men stripped to the waist, with the stain all -over their limbs and bodies; men in all sorts of rags, with the stain -upon those rags; men devilishly set off with spoils of women's lace -and silk and ribbon, with the stain dyeing those trifles through -and through. Hatchets, knives, bayonets, swords, all brought to be -sharpened, were all red with it. Some of the hacked swords were tied to -the wrists of those who carried them, with strips of linen and fragments -of dress: ligatures various in kind, but all deep of the one colour. And -as the frantic wielders of these weapons snatched them from the stream -of sparks and tore away into the streets, the same red hue was red in -their frenzied eyes;--eyes which any unbrutalised beholder would have -given twenty years of life, to petrify with a well-directed gun. - -All this was seen in a moment, as the vision of a drowning man, or of -any human creature at any very great pass, could see a world if it -were there. They drew back from the window, and the Doctor looked for -explanation in his friend's ashy face. - -“They are,” Mr. Lorry whispered the words, glancing fearfully round at -the locked room, “murdering the prisoners. If you are sure of what you -say; if you really have the power you think you have--as I believe you -have--make yourself known to these devils, and get taken to La Force. It -may be too late, I don't know, but let it not be a minute later!” - -Doctor Manette pressed his hand, hastened bareheaded out of the room, -and was in the courtyard when Mr. Lorry regained the blind. - -His streaming white hair, his remarkable face, and the impetuous -confidence of his manner, as he put the weapons aside like water, -carried him in an instant to the heart of the concourse at the stone. -For a few moments there was a pause, and a hurry, and a murmur, and -the unintelligible sound of his voice; and then Mr. Lorry saw him, -surrounded by all, and in the midst of a line of twenty men long, all -linked shoulder to shoulder, and hand to shoulder, hurried out with -cries of--“Live the Bastille prisoner! Help for the Bastille prisoner's -kindred in La Force! Room for the Bastille prisoner in front there! Save -the prisoner Evremonde at La Force!” and a thousand answering shouts. - -He closed the lattice again with a fluttering heart, closed the window -and the curtain, hastened to Lucie, and told her that her father was -assisted by the people, and gone in search of her husband. He found -her child and Miss Pross with her; but, it never occurred to him to be -surprised by their appearance until a long time afterwards, when he sat -watching them in such quiet as the night knew. - -Lucie had, by that time, fallen into a stupor on the floor at his feet, -clinging to his hand. Miss Pross had laid the child down on his own -bed, and her head had gradually fallen on the pillow beside her pretty -charge. O the long, long night, with the moans of the poor wife! And O -the long, long night, with no return of her father and no tidings! - -Twice more in the darkness the bell at the great gate sounded, and the -irruption was repeated, and the grindstone whirled and spluttered. -“What is it?” cried Lucie, affrighted. “Hush! The soldiers' swords are -sharpened there,” said Mr. Lorry. “The place is national property now, -and used as a kind of armoury, my love.” - -Twice more in all; but, the last spell of work was feeble and fitful. -Soon afterwards the day began to dawn, and he softly detached himself -from the clasping hand, and cautiously looked out again. A man, so -besmeared that he might have been a sorely wounded soldier creeping back -to consciousness on a field of slain, was rising from the pavement by -the side of the grindstone, and looking about him with a vacant air. -Shortly, this worn-out murderer descried in the imperfect light one of -the carriages of Monseigneur, and, staggering to that gorgeous vehicle, -climbed in at the door, and shut himself up to take his rest on its -dainty cushions. - -The great grindstone, Earth, had turned when Mr. Lorry looked out again, -and the sun was red on the courtyard. But, the lesser grindstone stood -alone there in the calm morning air, with a red upon it that the sun had -never given, and would never take away. - - - - -III. The Shadow - - -One of the first considerations which arose in the business mind of Mr. -Lorry when business hours came round, was this:--that he had no right to -imperil Tellson's by sheltering the wife of an emigrant prisoner under -the Bank roof. His own possessions, safety, life, he would have hazarded -for Lucie and her child, without a moment's demur; but the great trust -he held was not his own, and as to that business charge he was a strict -man of business. - -At first, his mind reverted to Defarge, and he thought of finding out -the wine-shop again and taking counsel with its master in reference to -the safest dwelling-place in the distracted state of the city. But, the -same consideration that suggested him, repudiated him; he lived in the -most violent Quarter, and doubtless was influential there, and deep in -its dangerous workings. - -Noon coming, and the Doctor not returning, and every minute's delay -tending to compromise Tellson's, Mr. Lorry advised with Lucie. She said -that her father had spoken of hiring a lodging for a short term, in that -Quarter, near the Banking-house. As there was no business objection to -this, and as he foresaw that even if it were all well with Charles, and -he were to be released, he could not hope to leave the city, Mr. Lorry -went out in quest of such a lodging, and found a suitable one, high up -in a removed by-street where the closed blinds in all the other windows -of a high melancholy square of buildings marked deserted homes. - -To this lodging he at once removed Lucie and her child, and Miss Pross: -giving them what comfort he could, and much more than he had himself. -He left Jerry with them, as a figure to fill a doorway that would bear -considerable knocking on the head, and returned to his own occupations. -A disturbed and doleful mind he brought to bear upon them, and slowly -and heavily the day lagged on with him. - -It wore itself out, and wore him out with it, until the Bank closed. He -was again alone in his room of the previous night, considering what to -do next, when he heard a foot upon the stair. In a few moments, a -man stood in his presence, who, with a keenly observant look at him, -addressed him by his name. - -“Your servant,” said Mr. Lorry. “Do you know me?” - -He was a strongly made man with dark curling hair, from forty-five -to fifty years of age. For answer he repeated, without any change of -emphasis, the words: - -“Do you know me?” - -“I have seen you somewhere.” - -“Perhaps at my wine-shop?” - -Much interested and agitated, Mr. Lorry said: “You come from Doctor -Manette?” - -“Yes. I come from Doctor Manette.” - -“And what says he? What does he send me?” - -Defarge gave into his anxious hand, an open scrap of paper. It bore the -words in the Doctor's writing: - - “Charles is safe, but I cannot safely leave this place yet. - I have obtained the favour that the bearer has a short note - from Charles to his wife. Let the bearer see his wife.” - -It was dated from La Force, within an hour. - -“Will you accompany me,” said Mr. Lorry, joyfully relieved after reading -this note aloud, “to where his wife resides?” - -“Yes,” returned Defarge. - -Scarcely noticing as yet, in what a curiously reserved and mechanical -way Defarge spoke, Mr. Lorry put on his hat and they went down into the -courtyard. There, they found two women; one, knitting. - -“Madame Defarge, surely!” said Mr. Lorry, who had left her in exactly -the same attitude some seventeen years ago. - -“It is she,” observed her husband. - -“Does Madame go with us?” inquired Mr. Lorry, seeing that she moved as -they moved. - -“Yes. That she may be able to recognise the faces and know the persons. -It is for their safety.” - -Beginning to be struck by Defarge's manner, Mr. Lorry looked dubiously -at him, and led the way. Both the women followed; the second woman being -The Vengeance. - -They passed through the intervening streets as quickly as they might, -ascended the staircase of the new domicile, were admitted by Jerry, -and found Lucie weeping, alone. She was thrown into a transport by the -tidings Mr. Lorry gave her of her husband, and clasped the hand that -delivered his note--little thinking what it had been doing near him in -the night, and might, but for a chance, have done to him. - - “DEAREST,--Take courage. I am well, and your father has - influence around me. You cannot answer this. - Kiss our child for me.” - -That was all the writing. It was so much, however, to her who received -it, that she turned from Defarge to his wife, and kissed one of the -hands that knitted. It was a passionate, loving, thankful, womanly -action, but the hand made no response--dropped cold and heavy, and took -to its knitting again. - -There was something in its touch that gave Lucie a check. She stopped in -the act of putting the note in her bosom, and, with her hands yet at her -neck, looked terrified at Madame Defarge. Madame Defarge met the lifted -eyebrows and forehead with a cold, impassive stare. - -“My dear,” said Mr. Lorry, striking in to explain; “there are frequent -risings in the streets; and, although it is not likely they will ever -trouble you, Madame Defarge wishes to see those whom she has the power -to protect at such times, to the end that she may know them--that she -may identify them. I believe,” said Mr. Lorry, rather halting in his -reassuring words, as the stony manner of all the three impressed itself -upon him more and more, “I state the case, Citizen Defarge?” - -Defarge looked gloomily at his wife, and gave no other answer than a -gruff sound of acquiescence. - -“You had better, Lucie,” said Mr. Lorry, doing all he could to -propitiate, by tone and manner, “have the dear child here, and our -good Pross. Our good Pross, Defarge, is an English lady, and knows no -French.” - -The lady in question, whose rooted conviction that she was more than a -match for any foreigner, was not to be shaken by distress and, danger, -appeared with folded arms, and observed in English to The Vengeance, -whom her eyes first encountered, “Well, I am sure, Boldface! I hope -_you_ are pretty well!” She also bestowed a British cough on Madame -Defarge; but, neither of the two took much heed of her. - -“Is that his child?” said Madame Defarge, stopping in her work for the -first time, and pointing her knitting-needle at little Lucie as if it -were the finger of Fate. - -“Yes, madame,” answered Mr. Lorry; “this is our poor prisoner's darling -daughter, and only child.” - -The shadow attendant on Madame Defarge and her party seemed to fall so -threatening and dark on the child, that her mother instinctively -kneeled on the ground beside her, and held her to her breast. The -shadow attendant on Madame Defarge and her party seemed then to fall, -threatening and dark, on both the mother and the child. - -“It is enough, my husband,” said Madame Defarge. “I have seen them. We -may go.” - -But, the suppressed manner had enough of menace in it--not visible and -presented, but indistinct and withheld--to alarm Lucie into saying, as -she laid her appealing hand on Madame Defarge's dress: - -“You will be good to my poor husband. You will do him no harm. You will -help me to see him if you can?” - -“Your husband is not my business here,” returned Madame Defarge, looking -down at her with perfect composure. “It is the daughter of your father -who is my business here.” - -“For my sake, then, be merciful to my husband. For my child's sake! She -will put her hands together and pray you to be merciful. We are more -afraid of you than of these others.” - -Madame Defarge received it as a compliment, and looked at her husband. -Defarge, who had been uneasily biting his thumb-nail and looking at her, -collected his face into a sterner expression. - -“What is it that your husband says in that little letter?” asked Madame -Defarge, with a lowering smile. “Influence; he says something touching -influence?” - -“That my father,” said Lucie, hurriedly taking the paper from her -breast, but with her alarmed eyes on her questioner and not on it, “has -much influence around him.” - -“Surely it will release him!” said Madame Defarge. “Let it do so.” - -“As a wife and mother,” cried Lucie, most earnestly, “I implore you to -have pity on me and not to exercise any power that you possess, against -my innocent husband, but to use it in his behalf. O sister-woman, think -of me. As a wife and mother!” - -Madame Defarge looked, coldly as ever, at the suppliant, and said, -turning to her friend The Vengeance: - -“The wives and mothers we have been used to see, since we were as little -as this child, and much less, have not been greatly considered? We have -known _their_ husbands and fathers laid in prison and kept from them, -often enough? All our lives, we have seen our sister-women suffer, in -themselves and in their children, poverty, nakedness, hunger, thirst, -sickness, misery, oppression and neglect of all kinds?” - -“We have seen nothing else,” returned The Vengeance. - -“We have borne this a long time,” said Madame Defarge, turning her eyes -again upon Lucie. “Judge you! Is it likely that the trouble of one wife -and mother would be much to us now?” - -She resumed her knitting and went out. The Vengeance followed. Defarge -went last, and closed the door. - -“Courage, my dear Lucie,” said Mr. Lorry, as he raised her. “Courage, -courage! So far all goes well with us--much, much better than it has of -late gone with many poor souls. Cheer up, and have a thankful heart.” - -“I am not thankless, I hope, but that dreadful woman seems to throw a -shadow on me and on all my hopes.” - -“Tut, tut!” said Mr. Lorry; “what is this despondency in the brave -little breast? A shadow indeed! No substance in it, Lucie.” - -But the shadow of the manner of these Defarges was dark upon himself, -for all that, and in his secret mind it troubled him greatly. - - - - -IV. Calm in Storm - - -Doctor Manette did not return until the morning of the fourth day of his -absence. So much of what had happened in that dreadful time as could be -kept from the knowledge of Lucie was so well concealed from her, that -not until long afterwards, when France and she were far apart, did she -know that eleven hundred defenceless prisoners of both sexes and all -ages had been killed by the populace; that four days and nights had been -darkened by this deed of horror; and that the air around her had been -tainted by the slain. She only knew that there had been an attack upon -the prisons, that all political prisoners had been in danger, and that -some had been dragged out by the crowd and murdered. - -To Mr. Lorry, the Doctor communicated under an injunction of secrecy on -which he had no need to dwell, that the crowd had taken him through a -scene of carnage to the prison of La Force. That, in the prison he had -found a self-appointed Tribunal sitting, before which the prisoners were -brought singly, and by which they were rapidly ordered to be put forth -to be massacred, or to be released, or (in a few cases) to be sent back -to their cells. That, presented by his conductors to this Tribunal, he -had announced himself by name and profession as having been for eighteen -years a secret and unaccused prisoner in the Bastille; that, one of the -body so sitting in judgment had risen and identified him, and that this -man was Defarge. - -That, hereupon he had ascertained, through the registers on the table, -that his son-in-law was among the living prisoners, and had pleaded hard -to the Tribunal--of whom some members were asleep and some awake, some -dirty with murder and some clean, some sober and some not--for his life -and liberty. That, in the first frantic greetings lavished on himself as -a notable sufferer under the overthrown system, it had been accorded -to him to have Charles Darnay brought before the lawless Court, and -examined. That, he seemed on the point of being at once released, when -the tide in his favour met with some unexplained check (not intelligible -to the Doctor), which led to a few words of secret conference. That, -the man sitting as President had then informed Doctor Manette that -the prisoner must remain in custody, but should, for his sake, be held -inviolate in safe custody. That, immediately, on a signal, the prisoner -was removed to the interior of the prison again; but, that he, the -Doctor, had then so strongly pleaded for permission to remain and -assure himself that his son-in-law was, through no malice or mischance, -delivered to the concourse whose murderous yells outside the gate had -often drowned the proceedings, that he had obtained the permission, and -had remained in that Hall of Blood until the danger was over. - -The sights he had seen there, with brief snatches of food and sleep by -intervals, shall remain untold. The mad joy over the prisoners who were -saved, had astounded him scarcely less than the mad ferocity against -those who were cut to pieces. One prisoner there was, he said, who had -been discharged into the street free, but at whom a mistaken savage had -thrust a pike as he passed out. Being besought to go to him and dress -the wound, the Doctor had passed out at the same gate, and had found him -in the arms of a company of Samaritans, who were seated on the bodies -of their victims. With an inconsistency as monstrous as anything in this -awful nightmare, they had helped the healer, and tended the wounded man -with the gentlest solicitude--had made a litter for him and escorted him -carefully from the spot--had then caught up their weapons and plunged -anew into a butchery so dreadful, that the Doctor had covered his eyes -with his hands, and swooned away in the midst of it. - -As Mr. Lorry received these confidences, and as he watched the face of -his friend now sixty-two years of age, a misgiving arose within him that -such dread experiences would revive the old danger. - -But, he had never seen his friend in his present aspect: he had never -at all known him in his present character. For the first time the Doctor -felt, now, that his suffering was strength and power. For the first time -he felt that in that sharp fire, he had slowly forged the iron which -could break the prison door of his daughter's husband, and deliver him. -“It all tended to a good end, my friend; it was not mere waste and ruin. -As my beloved child was helpful in restoring me to myself, I will be -helpful now in restoring the dearest part of herself to her; by the aid -of Heaven I will do it!” Thus, Doctor Manette. And when Jarvis Lorry saw -the kindled eyes, the resolute face, the calm strong look and bearing -of the man whose life always seemed to him to have been stopped, like a -clock, for so many years, and then set going again with an energy which -had lain dormant during the cessation of its usefulness, he believed. - -Greater things than the Doctor had at that time to contend with, would -have yielded before his persevering purpose. While he kept himself -in his place, as a physician, whose business was with all degrees -of mankind, bond and free, rich and poor, bad and good, he used his -personal influence so wisely, that he was soon the inspecting physician -of three prisons, and among them of La Force. He could now assure Lucie -that her husband was no longer confined alone, but was mixed with the -general body of prisoners; he saw her husband weekly, and brought sweet -messages to her, straight from his lips; sometimes her husband himself -sent a letter to her (though never by the Doctor's hand), but she was -not permitted to write to him: for, among the many wild suspicions of -plots in the prisons, the wildest of all pointed at emigrants who were -known to have made friends or permanent connections abroad. - -This new life of the Doctor's was an anxious life, no doubt; still, the -sagacious Mr. Lorry saw that there was a new sustaining pride in it. -Nothing unbecoming tinged the pride; it was a natural and worthy one; -but he observed it as a curiosity. The Doctor knew, that up to that -time, his imprisonment had been associated in the minds of his daughter -and his friend, with his personal affliction, deprivation, and weakness. -Now that this was changed, and he knew himself to be invested through -that old trial with forces to which they both looked for Charles's -ultimate safety and deliverance, he became so far exalted by the change, -that he took the lead and direction, and required them as the weak, to -trust to him as the strong. The preceding relative positions of himself -and Lucie were reversed, yet only as the liveliest gratitude and -affection could reverse them, for he could have had no pride but in -rendering some service to her who had rendered so much to him. “All -curious to see,” thought Mr. Lorry, in his amiably shrewd way, “but all -natural and right; so, take the lead, my dear friend, and keep it; it -couldn't be in better hands.” - -But, though the Doctor tried hard, and never ceased trying, to get -Charles Darnay set at liberty, or at least to get him brought to trial, -the public current of the time set too strong and fast for him. The new -era began; the king was tried, doomed, and beheaded; the Republic of -Liberty, Equality, Fraternity, or Death, declared for victory or death -against the world in arms; the black flag waved night and day from the -great towers of Notre Dame; three hundred thousand men, summoned to rise -against the tyrants of the earth, rose from all the varying soils -of France, as if the dragon's teeth had been sown broadcast, and -had yielded fruit equally on hill and plain, on rock, in gravel, and -alluvial mud, under the bright sky of the South and under the clouds of -the North, in fell and forest, in the vineyards and the olive-grounds -and among the cropped grass and the stubble of the corn, along the -fruitful banks of the broad rivers, and in the sand of the sea-shore. -What private solicitude could rear itself against the deluge of the Year -One of Liberty--the deluge rising from below, not falling from above, -and with the windows of Heaven shut, not opened! - -There was no pause, no pity, no peace, no interval of relenting rest, no -measurement of time. Though days and nights circled as regularly as when -time was young, and the evening and morning were the first day, other -count of time there was none. Hold of it was lost in the raging fever -of a nation, as it is in the fever of one patient. Now, breaking the -unnatural silence of a whole city, the executioner showed the people the -head of the king--and now, it seemed almost in the same breath, the -head of his fair wife which had had eight weary months of imprisoned -widowhood and misery, to turn it grey. - -And yet, observing the strange law of contradiction which obtains in -all such cases, the time was long, while it flamed by so fast. A -revolutionary tribunal in the capital, and forty or fifty thousand -revolutionary committees all over the land; a law of the Suspected, -which struck away all security for liberty or life, and delivered over -any good and innocent person to any bad and guilty one; prisons gorged -with people who had committed no offence, and could obtain no hearing; -these things became the established order and nature of appointed -things, and seemed to be ancient usage before they were many weeks old. -Above all, one hideous figure grew as familiar as if it had been before -the general gaze from the foundations of the world--the figure of the -sharp female called La Guillotine. - -It was the popular theme for jests; it was the best cure for headache, -it infallibly prevented the hair from turning grey, it imparted a -peculiar delicacy to the complexion, it was the National Razor which -shaved close: who kissed La Guillotine, looked through the little window -and sneezed into the sack. It was the sign of the regeneration of the -human race. It superseded the Cross. Models of it were worn on breasts -from which the Cross was discarded, and it was bowed down to and -believed in where the Cross was denied. - -It sheared off heads so many, that it, and the ground it most polluted, -were a rotten red. It was taken to pieces, like a toy-puzzle for a young -Devil, and was put together again when the occasion wanted it. It hushed -the eloquent, struck down the powerful, abolished the beautiful and -good. Twenty-two friends of high public mark, twenty-one living and one -dead, it had lopped the heads off, in one morning, in as many minutes. -The name of the strong man of Old Scripture had descended to the chief -functionary who worked it; but, so armed, he was stronger than his -namesake, and blinder, and tore away the gates of God's own Temple every -day. - -Among these terrors, and the brood belonging to them, the Doctor walked -with a steady head: confident in his power, cautiously persistent in his -end, never doubting that he would save Lucie's husband at last. Yet the -current of the time swept by, so strong and deep, and carried the time -away so fiercely, that Charles had lain in prison one year and three -months when the Doctor was thus steady and confident. So much more -wicked and distracted had the Revolution grown in that December month, -that the rivers of the South were encumbered with the bodies of the -violently drowned by night, and prisoners were shot in lines and squares -under the southern wintry sun. Still, the Doctor walked among the -terrors with a steady head. No man better known than he, in Paris at -that day; no man in a stranger situation. Silent, humane, indispensable -in hospital and prison, using his art equally among assassins and -victims, he was a man apart. In the exercise of his skill, the -appearance and the story of the Bastille Captive removed him from all -other men. He was not suspected or brought in question, any more than if -he had indeed been recalled to life some eighteen years before, or were -a Spirit moving among mortals. - - - - -V. The Wood-Sawyer - - -One year and three months. During all that time Lucie was never -sure, from hour to hour, but that the Guillotine would strike off her -husband's head next day. Every day, through the stony streets, the -tumbrils now jolted heavily, filled with Condemned. Lovely girls; bright -women, brown-haired, black-haired, and grey; youths; stalwart men and -old; gentle born and peasant born; all red wine for La Guillotine, all -daily brought into light from the dark cellars of the loathsome prisons, -and carried to her through the streets to slake her devouring thirst. -Liberty, equality, fraternity, or death;--the last, much the easiest to -bestow, O Guillotine! - -If the suddenness of her calamity, and the whirling wheels of the time, -had stunned the Doctor's daughter into awaiting the result in idle -despair, it would but have been with her as it was with many. But, from -the hour when she had taken the white head to her fresh young bosom in -the garret of Saint Antoine, she had been true to her duties. She was -truest to them in the season of trial, as all the quietly loyal and good -will always be. - -As soon as they were established in their new residence, and her father -had entered on the routine of his avocations, she arranged the little -household as exactly as if her husband had been there. Everything had -its appointed place and its appointed time. Little Lucie she taught, -as regularly, as if they had all been united in their English home. The -slight devices with which she cheated herself into the show of a belief -that they would soon be reunited--the little preparations for his speedy -return, the setting aside of his chair and his books--these, and the -solemn prayer at night for one dear prisoner especially, among the many -unhappy souls in prison and the shadow of death--were almost the only -outspoken reliefs of her heavy mind. - -She did not greatly alter in appearance. The plain dark dresses, akin to -mourning dresses, which she and her child wore, were as neat and as well -attended to as the brighter clothes of happy days. She lost her colour, -and the old and intent expression was a constant, not an occasional, -thing; otherwise, she remained very pretty and comely. Sometimes, at -night on kissing her father, she would burst into the grief she had -repressed all day, and would say that her sole reliance, under Heaven, -was on him. He always resolutely answered: “Nothing can happen to him -without my knowledge, and I know that I can save him, Lucie.” - -They had not made the round of their changed life many weeks, when her -father said to her, on coming home one evening: - -“My dear, there is an upper window in the prison, to which Charles can -sometimes gain access at three in the afternoon. When he can get to -it--which depends on many uncertainties and incidents--he might see you -in the street, he thinks, if you stood in a certain place that I can -show you. But you will not be able to see him, my poor child, and even -if you could, it would be unsafe for you to make a sign of recognition.” - -“O show me the place, my father, and I will go there every day.” - -From that time, in all weathers, she waited there two hours. As the -clock struck two, she was there, and at four she turned resignedly away. -When it was not too wet or inclement for her child to be with her, they -went together; at other times she was alone; but, she never missed a -single day. - -It was the dark and dirty corner of a small winding street. The hovel -of a cutter of wood into lengths for burning, was the only house at that -end; all else was wall. On the third day of her being there, he noticed -her. - -“Good day, citizeness.” - -“Good day, citizen.” - -This mode of address was now prescribed by decree. It had been -established voluntarily some time ago, among the more thorough patriots; -but, was now law for everybody. - -“Walking here again, citizeness?” - -“You see me, citizen!” - -The wood-sawyer, who was a little man with a redundancy of gesture (he -had once been a mender of roads), cast a glance at the prison, pointed -at the prison, and putting his ten fingers before his face to represent -bars, peeped through them jocosely. - -“But it's not my business,” said he. And went on sawing his wood. - -Next day he was looking out for her, and accosted her the moment she -appeared. - -“What? Walking here again, citizeness?” - -“Yes, citizen.” - -“Ah! A child too! Your mother, is it not, my little citizeness?” - -“Do I say yes, mamma?” whispered little Lucie, drawing close to her. - -“Yes, dearest.” - -“Yes, citizen.” - -“Ah! But it's not my business. My work is my business. See my saw! I -call it my Little Guillotine. La, la, la; La, la, la! And off his head -comes!” - -The billet fell as he spoke, and he threw it into a basket. - -“I call myself the Samson of the firewood guillotine. See here again! -Loo, loo, loo; Loo, loo, loo! And off _her_ head comes! Now, a child. -Tickle, tickle; Pickle, pickle! And off _its_ head comes. All the -family!” - -Lucie shuddered as he threw two more billets into his basket, but it was -impossible to be there while the wood-sawyer was at work, and not be in -his sight. Thenceforth, to secure his good will, she always spoke to him -first, and often gave him drink-money, which he readily received. - -He was an inquisitive fellow, and sometimes when she had quite forgotten -him in gazing at the prison roof and grates, and in lifting her heart -up to her husband, she would come to herself to find him looking at her, -with his knee on his bench and his saw stopped in its work. “But it's -not my business!” he would generally say at those times, and would -briskly fall to his sawing again. - -In all weathers, in the snow and frost of winter, in the bitter winds of -spring, in the hot sunshine of summer, in the rains of autumn, and again -in the snow and frost of winter, Lucie passed two hours of every day at -this place; and every day on leaving it, she kissed the prison wall. -Her husband saw her (so she learned from her father) it might be once in -five or six times: it might be twice or thrice running: it might be, not -for a week or a fortnight together. It was enough that he could and did -see her when the chances served, and on that possibility she would have -waited out the day, seven days a week. - -These occupations brought her round to the December month, wherein her -father walked among the terrors with a steady head. On a lightly-snowing -afternoon she arrived at the usual corner. It was a day of some wild -rejoicing, and a festival. She had seen the houses, as she came along, -decorated with little pikes, and with little red caps stuck upon them; -also, with tricoloured ribbons; also, with the standard inscription -(tricoloured letters were the favourite), Republic One and Indivisible. -Liberty, Equality, Fraternity, or Death! - -The miserable shop of the wood-sawyer was so small, that its whole -surface furnished very indifferent space for this legend. He had got -somebody to scrawl it up for him, however, who had squeezed Death in -with most inappropriate difficulty. On his house-top, he displayed pike -and cap, as a good citizen must, and in a window he had stationed his -saw inscribed as his “Little Sainte Guillotine”--for the great sharp -female was by that time popularly canonised. His shop was shut and he -was not there, which was a relief to Lucie, and left her quite alone. - -But, he was not far off, for presently she heard a troubled movement -and a shouting coming along, which filled her with fear. A moment -afterwards, and a throng of people came pouring round the corner by the -prison wall, in the midst of whom was the wood-sawyer hand in hand with -The Vengeance. There could not be fewer than five hundred people, and -they were dancing like five thousand demons. There was no other music -than their own singing. They danced to the popular Revolution song, -keeping a ferocious time that was like a gnashing of teeth in unison. -Men and women danced together, women danced together, men danced -together, as hazard had brought them together. At first, they were a -mere storm of coarse red caps and coarse woollen rags; but, as they -filled the place, and stopped to dance about Lucie, some ghastly -apparition of a dance-figure gone raving mad arose among them. They -advanced, retreated, struck at one another's hands, clutched at one -another's heads, spun round alone, caught one another and spun round -in pairs, until many of them dropped. While those were down, the rest -linked hand in hand, and all spun round together: then the ring broke, -and in separate rings of two and four they turned and turned until they -all stopped at once, began again, struck, clutched, and tore, and then -reversed the spin, and all spun round another way. Suddenly they stopped -again, paused, struck out the time afresh, formed into lines the width -of the public way, and, with their heads low down and their hands high -up, swooped screaming off. No fight could have been half so terrible -as this dance. It was so emphatically a fallen sport--a something, once -innocent, delivered over to all devilry--a healthy pastime changed into -a means of angering the blood, bewildering the senses, and steeling the -heart. Such grace as was visible in it, made it the uglier, showing how -warped and perverted all things good by nature were become. The maidenly -bosom bared to this, the pretty almost-child's head thus distracted, the -delicate foot mincing in this slough of blood and dirt, were types of -the disjointed time. - -This was the Carmagnole. As it passed, leaving Lucie frightened and -bewildered in the doorway of the wood-sawyer's house, the feathery snow -fell as quietly and lay as white and soft, as if it had never been. - -“O my father!” for he stood before her when she lifted up the eyes she -had momentarily darkened with her hand; “such a cruel, bad sight.” - -“I know, my dear, I know. I have seen it many times. Don't be -frightened! Not one of them would harm you.” - -“I am not frightened for myself, my father. But when I think of my -husband, and the mercies of these people--” - -“We will set him above their mercies very soon. I left him climbing to -the window, and I came to tell you. There is no one here to see. You may -kiss your hand towards that highest shelving roof.” - -“I do so, father, and I send him my Soul with it!” - -“You cannot see him, my poor dear?” - -“No, father,” said Lucie, yearning and weeping as she kissed her hand, -“no.” - -A footstep in the snow. Madame Defarge. “I salute you, citizeness,” - from the Doctor. “I salute you, citizen.” This in passing. Nothing more. -Madame Defarge gone, like a shadow over the white road. - -“Give me your arm, my love. Pass from here with an air of cheerfulness -and courage, for his sake. That was well done;” they had left the spot; -“it shall not be in vain. Charles is summoned for to-morrow.” - -“For to-morrow!” - -“There is no time to lose. I am well prepared, but there are precautions -to be taken, that could not be taken until he was actually summoned -before the Tribunal. He has not received the notice yet, but I know -that he will presently be summoned for to-morrow, and removed to the -Conciergerie; I have timely information. You are not afraid?” - -She could scarcely answer, “I trust in you.” - -“Do so, implicitly. Your suspense is nearly ended, my darling; he shall -be restored to you within a few hours; I have encompassed him with every -protection. I must see Lorry.” - -He stopped. There was a heavy lumbering of wheels within hearing. They -both knew too well what it meant. One. Two. Three. Three tumbrils faring -away with their dread loads over the hushing snow. - -“I must see Lorry,” the Doctor repeated, turning her another way. - -The staunch old gentleman was still in his trust; had never left it. He -and his books were in frequent requisition as to property confiscated -and made national. What he could save for the owners, he saved. No -better man living to hold fast by what Tellson's had in keeping, and to -hold his peace. - -A murky red and yellow sky, and a rising mist from the Seine, denoted -the approach of darkness. It was almost dark when they arrived at the -Bank. The stately residence of Monseigneur was altogether blighted and -deserted. Above a heap of dust and ashes in the court, ran the letters: -National Property. Republic One and Indivisible. Liberty, Equality, -Fraternity, or Death! - -Who could that be with Mr. Lorry--the owner of the riding-coat upon the -chair--who must not be seen? From whom newly arrived, did he come out, -agitated and surprised, to take his favourite in his arms? To whom did -he appear to repeat her faltering words, when, raising his voice and -turning his head towards the door of the room from which he had issued, -he said: “Removed to the Conciergerie, and summoned for to-morrow?” - - - - -VI. Triumph - - -The dread tribunal of five Judges, Public Prosecutor, and determined -Jury, sat every day. Their lists went forth every evening, and were -read out by the gaolers of the various prisons to their prisoners. The -standard gaoler-joke was, “Come out and listen to the Evening Paper, you -inside there!” - -“Charles Evremonde, called Darnay!” - -So at last began the Evening Paper at La Force. - -When a name was called, its owner stepped apart into a spot reserved -for those who were announced as being thus fatally recorded. Charles -Evremonde, called Darnay, had reason to know the usage; he had seen -hundreds pass away so. - -His bloated gaoler, who wore spectacles to read with, glanced over them -to assure himself that he had taken his place, and went through the -list, making a similar short pause at each name. There were twenty-three -names, but only twenty were responded to; for one of the prisoners so -summoned had died in gaol and been forgotten, and two had already been -guillotined and forgotten. The list was read, in the vaulted chamber -where Darnay had seen the associated prisoners on the night of his -arrival. Every one of those had perished in the massacre; every human -creature he had since cared for and parted with, had died on the -scaffold. - -There were hurried words of farewell and kindness, but the parting was -soon over. It was the incident of every day, and the society of La Force -were engaged in the preparation of some games of forfeits and a little -concert, for that evening. They crowded to the grates and shed tears -there; but, twenty places in the projected entertainments had to be -refilled, and the time was, at best, short to the lock-up hour, when the -common rooms and corridors would be delivered over to the great dogs -who kept watch there through the night. The prisoners were far from -insensible or unfeeling; their ways arose out of the condition of the -time. Similarly, though with a subtle difference, a species of fervour -or intoxication, known, without doubt, to have led some persons to -brave the guillotine unnecessarily, and to die by it, was not mere -boastfulness, but a wild infection of the wildly shaken public mind. In -seasons of pestilence, some of us will have a secret attraction to the -disease--a terrible passing inclination to die of it. And all of us have -like wonders hidden in our breasts, only needing circumstances to evoke -them. - -The passage to the Conciergerie was short and dark; the night in its -vermin-haunted cells was long and cold. Next day, fifteen prisoners were -put to the bar before Charles Darnay's name was called. All the fifteen -were condemned, and the trials of the whole occupied an hour and a half. - -“Charles Evremonde, called Darnay,” was at length arraigned. - -His judges sat upon the Bench in feathered hats; but the rough red cap -and tricoloured cockade was the head-dress otherwise prevailing. Looking -at the Jury and the turbulent audience, he might have thought that the -usual order of things was reversed, and that the felons were trying the -honest men. The lowest, cruelest, and worst populace of a city, never -without its quantity of low, cruel, and bad, were the directing -spirits of the scene: noisily commenting, applauding, disapproving, -anticipating, and precipitating the result, without a check. Of the men, -the greater part were armed in various ways; of the women, some wore -knives, some daggers, some ate and drank as they looked on, many -knitted. Among these last, was one, with a spare piece of knitting under -her arm as she worked. She was in a front row, by the side of a man whom -he had never seen since his arrival at the Barrier, but whom he directly -remembered as Defarge. He noticed that she once or twice whispered in -his ear, and that she seemed to be his wife; but, what he most noticed -in the two figures was, that although they were posted as close to -himself as they could be, they never looked towards him. They seemed to -be waiting for something with a dogged determination, and they looked at -the Jury, but at nothing else. Under the President sat Doctor Manette, -in his usual quiet dress. As well as the prisoner could see, he and Mr. -Lorry were the only men there, unconnected with the Tribunal, who -wore their usual clothes, and had not assumed the coarse garb of the -Carmagnole. - -Charles Evremonde, called Darnay, was accused by the public prosecutor -as an emigrant, whose life was forfeit to the Republic, under the decree -which banished all emigrants on pain of Death. It was nothing that the -decree bore date since his return to France. There he was, and there was -the decree; he had been taken in France, and his head was demanded. - -“Take off his head!” cried the audience. “An enemy to the Republic!” - -The President rang his bell to silence those cries, and asked the -prisoner whether it was not true that he had lived many years in -England? - -Undoubtedly it was. - -Was he not an emigrant then? What did he call himself? - -Not an emigrant, he hoped, within the sense and spirit of the law. - -Why not? the President desired to know. - -Because he had voluntarily relinquished a title that was distasteful -to him, and a station that was distasteful to him, and had left -his country--he submitted before the word emigrant in the present -acceptation by the Tribunal was in use--to live by his own industry in -England, rather than on the industry of the overladen people of France. - -What proof had he of this? - -He handed in the names of two witnesses; Theophile Gabelle, and -Alexandre Manette. - -But he had married in England? the President reminded him. - -True, but not an English woman. - -A citizeness of France? - -Yes. By birth. - -Her name and family? - -“Lucie Manette, only daughter of Doctor Manette, the good physician who -sits there.” - -This answer had a happy effect upon the audience. Cries in exaltation -of the well-known good physician rent the hall. So capriciously were -the people moved, that tears immediately rolled down several ferocious -countenances which had been glaring at the prisoner a moment before, as -if with impatience to pluck him out into the streets and kill him. - -On these few steps of his dangerous way, Charles Darnay had set his foot -according to Doctor Manette's reiterated instructions. The same cautious -counsel directed every step that lay before him, and had prepared every -inch of his road. - -The President asked, why had he returned to France when he did, and not -sooner? - -He had not returned sooner, he replied, simply because he had no means -of living in France, save those he had resigned; whereas, in England, -he lived by giving instruction in the French language and literature. -He had returned when he did, on the pressing and written entreaty of -a French citizen, who represented that his life was endangered by his -absence. He had come back, to save a citizen's life, and to bear his -testimony, at whatever personal hazard, to the truth. Was that criminal -in the eyes of the Republic? - -The populace cried enthusiastically, “No!” and the President rang his -bell to quiet them. Which it did not, for they continued to cry “No!” - until they left off, of their own will. - -The President required the name of that citizen. The accused explained -that the citizen was his first witness. He also referred with confidence -to the citizen's letter, which had been taken from him at the Barrier, -but which he did not doubt would be found among the papers then before -the President. - -The Doctor had taken care that it should be there--had assured him that -it would be there--and at this stage of the proceedings it was produced -and read. Citizen Gabelle was called to confirm it, and did so. Citizen -Gabelle hinted, with infinite delicacy and politeness, that in the -pressure of business imposed on the Tribunal by the multitude of -enemies of the Republic with which it had to deal, he had been slightly -overlooked in his prison of the Abbaye--in fact, had rather passed out -of the Tribunal's patriotic remembrance--until three days ago; when he -had been summoned before it, and had been set at liberty on the Jury's -declaring themselves satisfied that the accusation against him was -answered, as to himself, by the surrender of the citizen Evremonde, -called Darnay. - -Doctor Manette was next questioned. His high personal popularity, -and the clearness of his answers, made a great impression; but, as he -proceeded, as he showed that the Accused was his first friend on his -release from his long imprisonment; that, the accused had remained in -England, always faithful and devoted to his daughter and himself in -their exile; that, so far from being in favour with the Aristocrat -government there, he had actually been tried for his life by it, as -the foe of England and friend of the United States--as he brought these -circumstances into view, with the greatest discretion and with the -straightforward force of truth and earnestness, the Jury and the -populace became one. At last, when he appealed by name to Monsieur -Lorry, an English gentleman then and there present, who, like himself, -had been a witness on that English trial and could corroborate his -account of it, the Jury declared that they had heard enough, and that -they were ready with their votes if the President were content to -receive them. - -At every vote (the Jurymen voted aloud and individually), the populace -set up a shout of applause. All the voices were in the prisoner's -favour, and the President declared him free. - -Then, began one of those extraordinary scenes with which the populace -sometimes gratified their fickleness, or their better impulses towards -generosity and mercy, or which they regarded as some set-off against -their swollen account of cruel rage. No man can decide now to which of -these motives such extraordinary scenes were referable; it is probable, -to a blending of all the three, with the second predominating. No sooner -was the acquittal pronounced, than tears were shed as freely as blood -at another time, and such fraternal embraces were bestowed upon the -prisoner by as many of both sexes as could rush at him, that after -his long and unwholesome confinement he was in danger of fainting from -exhaustion; none the less because he knew very well, that the very same -people, carried by another current, would have rushed at him with -the very same intensity, to rend him to pieces and strew him over the -streets. - -His removal, to make way for other accused persons who were to be tried, -rescued him from these caresses for the moment. Five were to be tried -together, next, as enemies of the Republic, forasmuch as they had not -assisted it by word or deed. So quick was the Tribunal to compensate -itself and the nation for a chance lost, that these five came down to -him before he left the place, condemned to die within twenty-four -hours. The first of them told him so, with the customary prison sign -of Death--a raised finger--and they all added in words, “Long live the -Republic!” - -The five had had, it is true, no audience to lengthen their proceedings, -for when he and Doctor Manette emerged from the gate, there was a great -crowd about it, in which there seemed to be every face he had seen in -Court--except two, for which he looked in vain. On his coming out, the -concourse made at him anew, weeping, embracing, and shouting, all by -turns and all together, until the very tide of the river on the bank of -which the mad scene was acted, seemed to run mad, like the people on the -shore. - -They put him into a great chair they had among them, and which they had -taken either out of the Court itself, or one of its rooms or passages. -Over the chair they had thrown a red flag, and to the back of it they -had bound a pike with a red cap on its top. In this car of triumph, not -even the Doctor's entreaties could prevent his being carried to his home -on men's shoulders, with a confused sea of red caps heaving about him, -and casting up to sight from the stormy deep such wrecks of faces, that -he more than once misdoubted his mind being in confusion, and that he -was in the tumbril on his way to the Guillotine. - -In wild dreamlike procession, embracing whom they met and pointing -him out, they carried him on. Reddening the snowy streets with the -prevailing Republican colour, in winding and tramping through them, as -they had reddened them below the snow with a deeper dye, they carried -him thus into the courtyard of the building where he lived. Her father -had gone on before, to prepare her, and when her husband stood upon his -feet, she dropped insensible in his arms. - -As he held her to his heart and turned her beautiful head between his -face and the brawling crowd, so that his tears and her lips might come -together unseen, a few of the people fell to dancing. Instantly, all the -rest fell to dancing, and the courtyard overflowed with the Carmagnole. -Then, they elevated into the vacant chair a young woman from the -crowd to be carried as the Goddess of Liberty, and then swelling and -overflowing out into the adjacent streets, and along the river's bank, -and over the bridge, the Carmagnole absorbed them every one and whirled -them away. - -After grasping the Doctor's hand, as he stood victorious and proud -before him; after grasping the hand of Mr. Lorry, who came panting in -breathless from his struggle against the waterspout of the Carmagnole; -after kissing little Lucie, who was lifted up to clasp her arms round -his neck; and after embracing the ever zealous and faithful Pross who -lifted her; he took his wife in his arms, and carried her up to their -rooms. - -“Lucie! My own! I am safe.” - -“O dearest Charles, let me thank God for this on my knees as I have -prayed to Him.” - -They all reverently bowed their heads and hearts. When she was again in -his arms, he said to her: - -“And now speak to your father, dearest. No other man in all this France -could have done what he has done for me.” - -She laid her head upon her father's breast, as she had laid his poor -head on her own breast, long, long ago. He was happy in the return he -had made her, he was recompensed for his suffering, he was proud of his -strength. “You must not be weak, my darling,” he remonstrated; “don't -tremble so. I have saved him.” - - - - -VII. A Knock at the Door - - -“I have saved him.” It was not another of the dreams in which he had -often come back; he was really here. And yet his wife trembled, and a -vague but heavy fear was upon her. - -All the air round was so thick and dark, the people were so passionately -revengeful and fitful, the innocent were so constantly put to death on -vague suspicion and black malice, it was so impossible to forget that -many as blameless as her husband and as dear to others as he was to -her, every day shared the fate from which he had been clutched, that her -heart could not be as lightened of its load as she felt it ought to be. -The shadows of the wintry afternoon were beginning to fall, and even now -the dreadful carts were rolling through the streets. Her mind pursued -them, looking for him among the Condemned; and then she clung closer to -his real presence and trembled more. - -Her father, cheering her, showed a compassionate superiority to this -woman's weakness, which was wonderful to see. No garret, no shoemaking, -no One Hundred and Five, North Tower, now! He had accomplished the task -he had set himself, his promise was redeemed, he had saved Charles. Let -them all lean upon him. - -Their housekeeping was of a very frugal kind: not only because that was -the safest way of life, involving the least offence to the people, but -because they were not rich, and Charles, throughout his imprisonment, -had had to pay heavily for his bad food, and for his guard, and towards -the living of the poorer prisoners. Partly on this account, and -partly to avoid a domestic spy, they kept no servant; the citizen and -citizeness who acted as porters at the courtyard gate, rendered them -occasional service; and Jerry (almost wholly transferred to them by -Mr. Lorry) had become their daily retainer, and had his bed there every -night. - -It was an ordinance of the Republic One and Indivisible of Liberty, -Equality, Fraternity, or Death, that on the door or doorpost of every -house, the name of every inmate must be legibly inscribed in letters -of a certain size, at a certain convenient height from the ground. Mr. -Jerry Cruncher's name, therefore, duly embellished the doorpost down -below; and, as the afternoon shadows deepened, the owner of that name -himself appeared, from overlooking a painter whom Doctor Manette had -employed to add to the list the name of Charles Evremonde, called -Darnay. - -In the universal fear and distrust that darkened the time, all the usual -harmless ways of life were changed. In the Doctor's little household, as -in very many others, the articles of daily consumption that were wanted -were purchased every evening, in small quantities and at various small -shops. To avoid attracting notice, and to give as little occasion as -possible for talk and envy, was the general desire. - -For some months past, Miss Pross and Mr. Cruncher had discharged the -office of purveyors; the former carrying the money; the latter, the -basket. Every afternoon at about the time when the public lamps were -lighted, they fared forth on this duty, and made and brought home -such purchases as were needful. Although Miss Pross, through her long -association with a French family, might have known as much of their -language as of her own, if she had had a mind, she had no mind in that -direction; consequently she knew no more of that “nonsense” (as she was -pleased to call it) than Mr. Cruncher did. So her manner of marketing -was to plump a noun-substantive at the head of a shopkeeper without any -introduction in the nature of an article, and, if it happened not to be -the name of the thing she wanted, to look round for that thing, lay hold -of it, and hold on by it until the bargain was concluded. She always -made a bargain for it, by holding up, as a statement of its just price, -one finger less than the merchant held up, whatever his number might be. - -“Now, Mr. Cruncher,” said Miss Pross, whose eyes were red with felicity; -“if you are ready, I am.” - -Jerry hoarsely professed himself at Miss Pross's service. He had worn -all his rust off long ago, but nothing would file his spiky head down. - -“There's all manner of things wanted,” said Miss Pross, “and we shall -have a precious time of it. We want wine, among the rest. Nice toasts -these Redheads will be drinking, wherever we buy it.” - -“It will be much the same to your knowledge, miss, I should think,” - retorted Jerry, “whether they drink your health or the Old Un's.” - -“Who's he?” said Miss Pross. - -Mr. Cruncher, with some diffidence, explained himself as meaning “Old -Nick's.” - -“Ha!” said Miss Pross, “it doesn't need an interpreter to explain the -meaning of these creatures. They have but one, and it's Midnight Murder, -and Mischief.” - -“Hush, dear! Pray, pray, be cautious!” cried Lucie. - -“Yes, yes, yes, I'll be cautious,” said Miss Pross; “but I may say -among ourselves, that I do hope there will be no oniony and tobaccoey -smotherings in the form of embracings all round, going on in the -streets. Now, Ladybird, never you stir from that fire till I come back! -Take care of the dear husband you have recovered, and don't move your -pretty head from his shoulder as you have it now, till you see me again! -May I ask a question, Doctor Manette, before I go?” - -“I think you may take that liberty,” the Doctor answered, smiling. - -“For gracious sake, don't talk about Liberty; we have quite enough of -that,” said Miss Pross. - -“Hush, dear! Again?” Lucie remonstrated. - -“Well, my sweet,” said Miss Pross, nodding her head emphatically, “the -short and the long of it is, that I am a subject of His Most Gracious -Majesty King George the Third;” Miss Pross curtseyed at the name; “and -as such, my maxim is, Confound their politics, Frustrate their knavish -tricks, On him our hopes we fix, God save the King!” - -Mr. Cruncher, in an access of loyalty, growlingly repeated the words -after Miss Pross, like somebody at church. - -“I am glad you have so much of the Englishman in you, though I wish you -had never taken that cold in your voice,” said Miss Pross, approvingly. -“But the question, Doctor Manette. Is there”--it was the good creature's -way to affect to make light of anything that was a great anxiety -with them all, and to come at it in this chance manner--“is there any -prospect yet, of our getting out of this place?” - -“I fear not yet. It would be dangerous for Charles yet.” - -“Heigh-ho-hum!” said Miss Pross, cheerfully repressing a sigh as she -glanced at her darling's golden hair in the light of the fire, “then we -must have patience and wait: that's all. We must hold up our heads and -fight low, as my brother Solomon used to say. Now, Mr. Cruncher!--Don't -you move, Ladybird!” - -They went out, leaving Lucie, and her husband, her father, and the -child, by a bright fire. Mr. Lorry was expected back presently from the -Banking House. Miss Pross had lighted the lamp, but had put it aside in -a corner, that they might enjoy the fire-light undisturbed. Little Lucie -sat by her grandfather with her hands clasped through his arm: and he, -in a tone not rising much above a whisper, began to tell her a story of -a great and powerful Fairy who had opened a prison-wall and let out -a captive who had once done the Fairy a service. All was subdued and -quiet, and Lucie was more at ease than she had been. - -“What is that?” she cried, all at once. - -“My dear!” said her father, stopping in his story, and laying his hand -on hers, “command yourself. What a disordered state you are in! The -least thing--nothing--startles you! _You_, your father's daughter!” - -“I thought, my father,” said Lucie, excusing herself, with a pale face -and in a faltering voice, “that I heard strange feet upon the stairs.” - -“My love, the staircase is as still as Death.” - -As he said the word, a blow was struck upon the door. - -“Oh father, father. What can this be! Hide Charles. Save him!” - -“My child,” said the Doctor, rising, and laying his hand upon her -shoulder, “I _have_ saved him. What weakness is this, my dear! Let me go -to the door.” - -He took the lamp in his hand, crossed the two intervening outer rooms, -and opened it. A rude clattering of feet over the floor, and four rough -men in red caps, armed with sabres and pistols, entered the room. - -“The Citizen Evremonde, called Darnay,” said the first. - -“Who seeks him?” answered Darnay. - -“I seek him. We seek him. I know you, Evremonde; I saw you before the -Tribunal to-day. You are again the prisoner of the Republic.” - -The four surrounded him, where he stood with his wife and child clinging -to him. - -“Tell me how and why am I again a prisoner?” - -“It is enough that you return straight to the Conciergerie, and will -know to-morrow. You are summoned for to-morrow.” - -Doctor Manette, whom this visitation had so turned into stone, that he -stood with the lamp in his hand, as if he were a statue made to hold it, -moved after these words were spoken, put the lamp down, and confronting -the speaker, and taking him, not ungently, by the loose front of his red -woollen shirt, said: - -“You know him, you have said. Do you know me?” - -“Yes, I know you, Citizen Doctor.” - -“We all know you, Citizen Doctor,” said the other three. - -He looked abstractedly from one to another, and said, in a lower voice, -after a pause: - -“Will you answer his question to me then? How does this happen?” - -“Citizen Doctor,” said the first, reluctantly, “he has been denounced to -the Section of Saint Antoine. This citizen,” pointing out the second who -had entered, “is from Saint Antoine.” - -The citizen here indicated nodded his head, and added: - -“He is accused by Saint Antoine.” - -“Of what?” asked the Doctor. - -“Citizen Doctor,” said the first, with his former reluctance, “ask no -more. If the Republic demands sacrifices from you, without doubt you as -a good patriot will be happy to make them. The Republic goes before all. -The People is supreme. Evremonde, we are pressed.” - -“One word,” the Doctor entreated. “Will you tell me who denounced him?” - -“It is against rule,” answered the first; “but you can ask Him of Saint -Antoine here.” - -The Doctor turned his eyes upon that man. Who moved uneasily on his -feet, rubbed his beard a little, and at length said: - -“Well! Truly it is against rule. But he is denounced--and gravely--by -the Citizen and Citizeness Defarge. And by one other.” - -“What other?” - -“Do _you_ ask, Citizen Doctor?” - -“Yes.” - -“Then,” said he of Saint Antoine, with a strange look, “you will be -answered to-morrow. Now, I am dumb!” - - - - -VIII. A Hand at Cards - - -Happily unconscious of the new calamity at home, Miss Pross threaded her -way along the narrow streets and crossed the river by the bridge of the -Pont-Neuf, reckoning in her mind the number of indispensable purchases -she had to make. Mr. Cruncher, with the basket, walked at her side. They -both looked to the right and to the left into most of the shops they -passed, had a wary eye for all gregarious assemblages of people, and -turned out of their road to avoid any very excited group of talkers. It -was a raw evening, and the misty river, blurred to the eye with blazing -lights and to the ear with harsh noises, showed where the barges were -stationed in which the smiths worked, making guns for the Army of the -Republic. Woe to the man who played tricks with _that_ Army, or got -undeserved promotion in it! Better for him that his beard had never -grown, for the National Razor shaved him close. - -Having purchased a few small articles of grocery, and a measure of oil -for the lamp, Miss Pross bethought herself of the wine they wanted. -After peeping into several wine-shops, she stopped at the sign of the -Good Republican Brutus of Antiquity, not far from the National Palace, -once (and twice) the Tuileries, where the aspect of things rather -took her fancy. It had a quieter look than any other place of the same -description they had passed, and, though red with patriotic caps, was -not so red as the rest. Sounding Mr. Cruncher, and finding him of her -opinion, Miss Pross resorted to the Good Republican Brutus of Antiquity, -attended by her cavalier. - -Slightly observant of the smoky lights; of the people, pipe in mouth, -playing with limp cards and yellow dominoes; of the one bare-breasted, -bare-armed, soot-begrimed workman reading a journal aloud, and of -the others listening to him; of the weapons worn, or laid aside to be -resumed; of the two or three customers fallen forward asleep, who in the -popular high-shouldered shaggy black spencer looked, in that attitude, -like slumbering bears or dogs; the two outlandish customers approached -the counter, and showed what they wanted. - -As their wine was measuring out, a man parted from another man in a -corner, and rose to depart. In going, he had to face Miss Pross. No -sooner did he face her, than Miss Pross uttered a scream, and clapped -her hands. - -In a moment, the whole company were on their feet. That somebody was -assassinated by somebody vindicating a difference of opinion was the -likeliest occurrence. Everybody looked to see somebody fall, but only -saw a man and a woman standing staring at each other; the man with all -the outward aspect of a Frenchman and a thorough Republican; the woman, -evidently English. - -What was said in this disappointing anti-climax, by the disciples of the -Good Republican Brutus of Antiquity, except that it was something very -voluble and loud, would have been as so much Hebrew or Chaldean to Miss -Pross and her protector, though they had been all ears. But, they had no -ears for anything in their surprise. For, it must be recorded, that -not only was Miss Pross lost in amazement and agitation, but, -Mr. Cruncher--though it seemed on his own separate and individual -account--was in a state of the greatest wonder. - -“What is the matter?” said the man who had caused Miss Pross to scream; -speaking in a vexed, abrupt voice (though in a low tone), and in -English. - -“Oh, Solomon, dear Solomon!” cried Miss Pross, clapping her hands again. -“After not setting eyes upon you or hearing of you for so long a time, -do I find you here!” - -“Don't call me Solomon. Do you want to be the death of me?” asked the -man, in a furtive, frightened way. - -“Brother, brother!” cried Miss Pross, bursting into tears. “Have I ever -been so hard with you that you ask me such a cruel question?” - -“Then hold your meddlesome tongue,” said Solomon, “and come out, if you -want to speak to me. Pay for your wine, and come out. Who's this man?” - -Miss Pross, shaking her loving and dejected head at her by no means -affectionate brother, said through her tears, “Mr. Cruncher.” - -“Let him come out too,” said Solomon. “Does he think me a ghost?” - -Apparently, Mr. Cruncher did, to judge from his looks. He said not a -word, however, and Miss Pross, exploring the depths of her reticule -through her tears with great difficulty paid for her wine. As she did -so, Solomon turned to the followers of the Good Republican Brutus -of Antiquity, and offered a few words of explanation in the French -language, which caused them all to relapse into their former places and -pursuits. - -“Now,” said Solomon, stopping at the dark street corner, “what do you -want?” - -“How dreadfully unkind in a brother nothing has ever turned my love away -from!” cried Miss Pross, “to give me such a greeting, and show me no -affection.” - -“There. Confound it! There,” said Solomon, making a dab at Miss Pross's -lips with his own. “Now are you content?” - -Miss Pross only shook her head and wept in silence. - -“If you expect me to be surprised,” said her brother Solomon, “I am not -surprised; I knew you were here; I know of most people who are here. If -you really don't want to endanger my existence--which I half believe you -do--go your ways as soon as possible, and let me go mine. I am busy. I -am an official.” - -“My English brother Solomon,” mourned Miss Pross, casting up her -tear-fraught eyes, “that had the makings in him of one of the best and -greatest of men in his native country, an official among foreigners, and -such foreigners! I would almost sooner have seen the dear boy lying in -his--” - -“I said so!” cried her brother, interrupting. “I knew it. You want to be -the death of me. I shall be rendered Suspected, by my own sister. Just -as I am getting on!” - -“The gracious and merciful Heavens forbid!” cried Miss Pross. “Far -rather would I never see you again, dear Solomon, though I have ever -loved you truly, and ever shall. Say but one affectionate word to me, -and tell me there is nothing angry or estranged between us, and I will -detain you no longer.” - -Good Miss Pross! As if the estrangement between them had come of any -culpability of hers. As if Mr. Lorry had not known it for a fact, years -ago, in the quiet corner in Soho, that this precious brother had spent -her money and left her! - -He was saying the affectionate word, however, with a far more grudging -condescension and patronage than he could have shown if their relative -merits and positions had been reversed (which is invariably the case, -all the world over), when Mr. Cruncher, touching him on the shoulder, -hoarsely and unexpectedly interposed with the following singular -question: - -“I say! Might I ask the favour? As to whether your name is John Solomon, -or Solomon John?” - -The official turned towards him with sudden distrust. He had not -previously uttered a word. - -“Come!” said Mr. Cruncher. “Speak out, you know.” (Which, by the way, -was more than he could do himself.) “John Solomon, or Solomon John? She -calls you Solomon, and she must know, being your sister. And _I_ know -you're John, you know. Which of the two goes first? And regarding that -name of Pross, likewise. That warn't your name over the water.” - -“What do you mean?” - -“Well, I don't know all I mean, for I can't call to mind what your name -was, over the water.” - -“No?” - -“No. But I'll swear it was a name of two syllables.” - -“Indeed?” - -“Yes. T'other one's was one syllable. I know you. You was a spy--witness -at the Bailey. What, in the name of the Father of Lies, own father to -yourself, was you called at that time?” - -“Barsad,” said another voice, striking in. - -“That's the name for a thousand pound!” cried Jerry. - -The speaker who struck in, was Sydney Carton. He had his hands behind -him under the skirts of his riding-coat, and he stood at Mr. Cruncher's -elbow as negligently as he might have stood at the Old Bailey itself. - -“Don't be alarmed, my dear Miss Pross. I arrived at Mr. Lorry's, to his -surprise, yesterday evening; we agreed that I would not present myself -elsewhere until all was well, or unless I could be useful; I present -myself here, to beg a little talk with your brother. I wish you had a -better employed brother than Mr. Barsad. I wish for your sake Mr. Barsad -was not a Sheep of the Prisons.” - -Sheep was a cant word of the time for a spy, under the gaolers. The spy, -who was pale, turned paler, and asked him how he dared-- - -“I'll tell you,” said Sydney. “I lighted on you, Mr. Barsad, coming out -of the prison of the Conciergerie while I was contemplating the walls, -an hour or more ago. You have a face to be remembered, and I remember -faces well. Made curious by seeing you in that connection, and having -a reason, to which you are no stranger, for associating you with -the misfortunes of a friend now very unfortunate, I walked in your -direction. I walked into the wine-shop here, close after you, and -sat near you. I had no difficulty in deducing from your unreserved -conversation, and the rumour openly going about among your admirers, the -nature of your calling. And gradually, what I had done at random, seemed -to shape itself into a purpose, Mr. Barsad.” - -“What purpose?” the spy asked. - -“It would be troublesome, and might be dangerous, to explain in the -street. Could you favour me, in confidence, with some minutes of your -company--at the office of Tellson's Bank, for instance?” - -“Under a threat?” - -“Oh! Did I say that?” - -“Then, why should I go there?” - -“Really, Mr. Barsad, I can't say, if you can't.” - -“Do you mean that you won't say, sir?” the spy irresolutely asked. - -“You apprehend me very clearly, Mr. Barsad. I won't.” - -Carton's negligent recklessness of manner came powerfully in aid of his -quickness and skill, in such a business as he had in his secret mind, -and with such a man as he had to do with. His practised eye saw it, and -made the most of it. - -“Now, I told you so,” said the spy, casting a reproachful look at his -sister; “if any trouble comes of this, it's your doing.” - -“Come, come, Mr. Barsad!” exclaimed Sydney. “Don't be ungrateful. -But for my great respect for your sister, I might not have led up so -pleasantly to a little proposal that I wish to make for our mutual -satisfaction. Do you go with me to the Bank?” - -“I'll hear what you have got to say. Yes, I'll go with you.” - -“I propose that we first conduct your sister safely to the corner of her -own street. Let me take your arm, Miss Pross. This is not a good city, -at this time, for you to be out in, unprotected; and as your escort -knows Mr. Barsad, I will invite him to Mr. Lorry's with us. Are we -ready? Come then!” - -Miss Pross recalled soon afterwards, and to the end of her life -remembered, that as she pressed her hands on Sydney's arm and looked up -in his face, imploring him to do no hurt to Solomon, there was a braced -purpose in the arm and a kind of inspiration in the eyes, which not only -contradicted his light manner, but changed and raised the man. She was -too much occupied then with fears for the brother who so little deserved -her affection, and with Sydney's friendly reassurances, adequately to -heed what she observed. - -They left her at the corner of the street, and Carton led the way to Mr. -Lorry's, which was within a few minutes' walk. John Barsad, or Solomon -Pross, walked at his side. - -Mr. Lorry had just finished his dinner, and was sitting before a cheery -little log or two of fire--perhaps looking into their blaze for the -picture of that younger elderly gentleman from Tellson's, who had looked -into the red coals at the Royal George at Dover, now a good many years -ago. He turned his head as they entered, and showed the surprise with -which he saw a stranger. - -“Miss Pross's brother, sir,” said Sydney. “Mr. Barsad.” - -“Barsad?” repeated the old gentleman, “Barsad? I have an association -with the name--and with the face.” - -“I told you you had a remarkable face, Mr. Barsad,” observed Carton, -coolly. “Pray sit down.” - -As he took a chair himself, he supplied the link that Mr. Lorry wanted, -by saying to him with a frown, “Witness at that trial.” Mr. Lorry -immediately remembered, and regarded his new visitor with an undisguised -look of abhorrence. - -“Mr. Barsad has been recognised by Miss Pross as the affectionate -brother you have heard of,” said Sydney, “and has acknowledged the -relationship. I pass to worse news. Darnay has been arrested again.” - -Struck with consternation, the old gentleman exclaimed, “What do you -tell me! I left him safe and free within these two hours, and am about -to return to him!” - -“Arrested for all that. When was it done, Mr. Barsad?” - -“Just now, if at all.” - -“Mr. Barsad is the best authority possible, sir,” said Sydney, “and I -have it from Mr. Barsad's communication to a friend and brother Sheep -over a bottle of wine, that the arrest has taken place. He left the -messengers at the gate, and saw them admitted by the porter. There is no -earthly doubt that he is retaken.” - -Mr. Lorry's business eye read in the speaker's face that it was loss -of time to dwell upon the point. Confused, but sensible that something -might depend on his presence of mind, he commanded himself, and was -silently attentive. - -“Now, I trust,” said Sydney to him, “that the name and influence of -Doctor Manette may stand him in as good stead to-morrow--you said he -would be before the Tribunal again to-morrow, Mr. Barsad?--” - -“Yes; I believe so.” - -“--In as good stead to-morrow as to-day. But it may not be so. I own -to you, I am shaken, Mr. Lorry, by Doctor Manette's not having had the -power to prevent this arrest.” - -“He may not have known of it beforehand,” said Mr. Lorry. - -“But that very circumstance would be alarming, when we remember how -identified he is with his son-in-law.” - -“That's true,” Mr. Lorry acknowledged, with his troubled hand at his -chin, and his troubled eyes on Carton. - -“In short,” said Sydney, “this is a desperate time, when desperate games -are played for desperate stakes. Let the Doctor play the winning game; I -will play the losing one. No man's life here is worth purchase. Any one -carried home by the people to-day, may be condemned tomorrow. Now, the -stake I have resolved to play for, in case of the worst, is a friend -in the Conciergerie. And the friend I purpose to myself to win, is Mr. -Barsad.” - -“You need have good cards, sir,” said the spy. - -“I'll run them over. I'll see what I hold,--Mr. Lorry, you know what a -brute I am; I wish you'd give me a little brandy.” - -It was put before him, and he drank off a glassful--drank off another -glassful--pushed the bottle thoughtfully away. - -“Mr. Barsad,” he went on, in the tone of one who really was looking -over a hand at cards: “Sheep of the prisons, emissary of Republican -committees, now turnkey, now prisoner, always spy and secret informer, -so much the more valuable here for being English that an Englishman -is less open to suspicion of subornation in those characters than a -Frenchman, represents himself to his employers under a false name. -That's a very good card. Mr. Barsad, now in the employ of the republican -French government, was formerly in the employ of the aristocratic -English government, the enemy of France and freedom. That's an excellent -card. Inference clear as day in this region of suspicion, that Mr. -Barsad, still in the pay of the aristocratic English government, is the -spy of Pitt, the treacherous foe of the Republic crouching in its bosom, -the English traitor and agent of all mischief so much spoken of and so -difficult to find. That's a card not to be beaten. Have you followed my -hand, Mr. Barsad?” - -“Not to understand your play,” returned the spy, somewhat uneasily. - -“I play my Ace, Denunciation of Mr. Barsad to the nearest Section -Committee. Look over your hand, Mr. Barsad, and see what you have. Don't -hurry.” - -He drew the bottle near, poured out another glassful of brandy, and -drank it off. He saw that the spy was fearful of his drinking himself -into a fit state for the immediate denunciation of him. Seeing it, he -poured out and drank another glassful. - -“Look over your hand carefully, Mr. Barsad. Take time.” - -It was a poorer hand than he suspected. Mr. Barsad saw losing cards -in it that Sydney Carton knew nothing of. Thrown out of his honourable -employment in England, through too much unsuccessful hard swearing -there--not because he was not wanted there; our English reasons for -vaunting our superiority to secrecy and spies are of very modern -date--he knew that he had crossed the Channel, and accepted service in -France: first, as a tempter and an eavesdropper among his own countrymen -there: gradually, as a tempter and an eavesdropper among the natives. He -knew that under the overthrown government he had been a spy upon Saint -Antoine and Defarge's wine-shop; had received from the watchful police -such heads of information concerning Doctor Manette's imprisonment, -release, and history, as should serve him for an introduction to -familiar conversation with the Defarges; and tried them on Madame -Defarge, and had broken down with them signally. He always remembered -with fear and trembling, that that terrible woman had knitted when he -talked with her, and had looked ominously at him as her fingers moved. -He had since seen her, in the Section of Saint Antoine, over and over -again produce her knitted registers, and denounce people whose lives the -guillotine then surely swallowed up. He knew, as every one employed as -he was did, that he was never safe; that flight was impossible; that -he was tied fast under the shadow of the axe; and that in spite of -his utmost tergiversation and treachery in furtherance of the reigning -terror, a word might bring it down upon him. Once denounced, and on such -grave grounds as had just now been suggested to his mind, he foresaw -that the dreadful woman of whose unrelenting character he had seen many -proofs, would produce against him that fatal register, and would quash -his last chance of life. Besides that all secret men are men soon -terrified, here were surely cards enough of one black suit, to justify -the holder in growing rather livid as he turned them over. - -“You scarcely seem to like your hand,” said Sydney, with the greatest -composure. “Do you play?” - -“I think, sir,” said the spy, in the meanest manner, as he turned to Mr. -Lorry, “I may appeal to a gentleman of your years and benevolence, to -put it to this other gentleman, so much your junior, whether he can -under any circumstances reconcile it to his station to play that Ace -of which he has spoken. I admit that _I_ am a spy, and that it is -considered a discreditable station--though it must be filled by -somebody; but this gentleman is no spy, and why should he so demean -himself as to make himself one?” - -“I play my Ace, Mr. Barsad,” said Carton, taking the answer on himself, -and looking at his watch, “without any scruple, in a very few minutes.” - -“I should have hoped, gentlemen both,” said the spy, always striving to -hook Mr. Lorry into the discussion, “that your respect for my sister--” - -“I could not better testify my respect for your sister than by finally -relieving her of her brother,” said Sydney Carton. - -“You think not, sir?” - -“I have thoroughly made up my mind about it.” - -The smooth manner of the spy, curiously in dissonance with his -ostentatiously rough dress, and probably with his usual demeanour, -received such a check from the inscrutability of Carton,--who was a -mystery to wiser and honester men than he,--that it faltered here and -failed him. While he was at a loss, Carton said, resuming his former air -of contemplating cards: - -“And indeed, now I think again, I have a strong impression that I -have another good card here, not yet enumerated. That friend and -fellow-Sheep, who spoke of himself as pasturing in the country prisons; -who was he?” - -“French. You don't know him,” said the spy, quickly. - -“French, eh?” repeated Carton, musing, and not appearing to notice him -at all, though he echoed his word. “Well; he may be.” - -“Is, I assure you,” said the spy; “though it's not important.” - -“Though it's not important,” repeated Carton, in the same mechanical -way--“though it's not important--No, it's not important. No. Yet I know -the face.” - -“I think not. I am sure not. It can't be,” said the spy. - -“It-can't-be,” muttered Sydney Carton, retrospectively, and idling his -glass (which fortunately was a small one) again. “Can't-be. Spoke good -French. Yet like a foreigner, I thought?” - -“Provincial,” said the spy. - -“No. Foreign!” cried Carton, striking his open hand on the table, as a -light broke clearly on his mind. “Cly! Disguised, but the same man. We -had that man before us at the Old Bailey.” - -“Now, there you are hasty, sir,” said Barsad, with a smile that gave his -aquiline nose an extra inclination to one side; “there you really give -me an advantage over you. Cly (who I will unreservedly admit, at this -distance of time, was a partner of mine) has been dead several years. I -attended him in his last illness. He was buried in London, at the church -of Saint Pancras-in-the-Fields. His unpopularity with the blackguard -multitude at the moment prevented my following his remains, but I helped -to lay him in his coffin.” - -Here, Mr. Lorry became aware, from where he sat, of a most remarkable -goblin shadow on the wall. Tracing it to its source, he discovered it -to be caused by a sudden extraordinary rising and stiffening of all the -risen and stiff hair on Mr. Cruncher's head. - -“Let us be reasonable,” said the spy, “and let us be fair. To show you -how mistaken you are, and what an unfounded assumption yours is, I will -lay before you a certificate of Cly's burial, which I happened to have -carried in my pocket-book,” with a hurried hand he produced and opened -it, “ever since. There it is. Oh, look at it, look at it! You may take -it in your hand; it's no forgery.” - -Here, Mr. Lorry perceived the reflection on the wall to elongate, and -Mr. Cruncher rose and stepped forward. His hair could not have been more -violently on end, if it had been that moment dressed by the Cow with the -crumpled horn in the house that Jack built. - -Unseen by the spy, Mr. Cruncher stood at his side, and touched him on -the shoulder like a ghostly bailiff. - -“That there Roger Cly, master,” said Mr. Cruncher, with a taciturn and -iron-bound visage. “So _you_ put him in his coffin?” - -“I did.” - -“Who took him out of it?” - -Barsad leaned back in his chair, and stammered, “What do you mean?” - -“I mean,” said Mr. Cruncher, “that he warn't never in it. No! Not he! -I'll have my head took off, if he was ever in it.” - -The spy looked round at the two gentlemen; they both looked in -unspeakable astonishment at Jerry. - -“I tell you,” said Jerry, “that you buried paving-stones and earth in -that there coffin. Don't go and tell me that you buried Cly. It was a -take in. Me and two more knows it.” - -“How do you know it?” - -“What's that to you? Ecod!” growled Mr. Cruncher, “it's you I have got a -old grudge again, is it, with your shameful impositions upon tradesmen! -I'd catch hold of your throat and choke you for half a guinea.” - -Sydney Carton, who, with Mr. Lorry, had been lost in amazement at -this turn of the business, here requested Mr. Cruncher to moderate and -explain himself. - -“At another time, sir,” he returned, evasively, “the present time is -ill-conwenient for explainin'. What I stand to, is, that he knows well -wot that there Cly was never in that there coffin. Let him say he was, -in so much as a word of one syllable, and I'll either catch hold of his -throat and choke him for half a guinea;” Mr. Cruncher dwelt upon this as -quite a liberal offer; “or I'll out and announce him.” - -“Humph! I see one thing,” said Carton. “I hold another card, Mr. Barsad. -Impossible, here in raging Paris, with Suspicion filling the air, for -you to outlive denunciation, when you are in communication with another -aristocratic spy of the same antecedents as yourself, who, moreover, has -the mystery about him of having feigned death and come to life again! -A plot in the prisons, of the foreigner against the Republic. A strong -card--a certain Guillotine card! Do you play?” - -“No!” returned the spy. “I throw up. I confess that we were so unpopular -with the outrageous mob, that I only got away from England at the risk -of being ducked to death, and that Cly was so ferreted up and down, that -he never would have got away at all but for that sham. Though how this -man knows it was a sham, is a wonder of wonders to me.” - -“Never you trouble your head about this man,” retorted the contentious -Mr. Cruncher; “you'll have trouble enough with giving your attention to -that gentleman. And look here! Once more!”--Mr. Cruncher could not -be restrained from making rather an ostentatious parade of his -liberality--“I'd catch hold of your throat and choke you for half a -guinea.” - -The Sheep of the prisons turned from him to Sydney Carton, and said, -with more decision, “It has come to a point. I go on duty soon, and -can't overstay my time. You told me you had a proposal; what is it? -Now, it is of no use asking too much of me. Ask me to do anything in my -office, putting my head in great extra danger, and I had better trust my -life to the chances of a refusal than the chances of consent. In short, -I should make that choice. You talk of desperation. We are all desperate -here. Remember! I may denounce you if I think proper, and I can swear my -way through stone walls, and so can others. Now, what do you want with -me?” - -“Not very much. You are a turnkey at the Conciergerie?” - -“I tell you once for all, there is no such thing as an escape possible,” - said the spy, firmly. - -“Why need you tell me what I have not asked? You are a turnkey at the -Conciergerie?” - -“I am sometimes.” - -“You can be when you choose?” - -“I can pass in and out when I choose.” - -Sydney Carton filled another glass with brandy, poured it slowly out -upon the hearth, and watched it as it dropped. It being all spent, he -said, rising: - -“So far, we have spoken before these two, because it was as well that -the merits of the cards should not rest solely between you and me. Come -into the dark room here, and let us have one final word alone.” - - - - -IX. The Game Made - - -While Sydney Carton and the Sheep of the prisons were in the adjoining -dark room, speaking so low that not a sound was heard, Mr. Lorry looked -at Jerry in considerable doubt and mistrust. That honest tradesman's -manner of receiving the look, did not inspire confidence; he changed the -leg on which he rested, as often as if he had fifty of those limbs, -and were trying them all; he examined his finger-nails with a very -questionable closeness of attention; and whenever Mr. Lorry's eye caught -his, he was taken with that peculiar kind of short cough requiring the -hollow of a hand before it, which is seldom, if ever, known to be an -infirmity attendant on perfect openness of character. - -“Jerry,” said Mr. Lorry. “Come here.” - -Mr. Cruncher came forward sideways, with one of his shoulders in advance -of him. - -“What have you been, besides a messenger?” - -After some cogitation, accompanied with an intent look at his patron, -Mr. Cruncher conceived the luminous idea of replying, “Agicultooral -character.” - -“My mind misgives me much,” said Mr. Lorry, angrily shaking a forefinger -at him, “that you have used the respectable and great house of Tellson's -as a blind, and that you have had an unlawful occupation of an infamous -description. If you have, don't expect me to befriend you when you -get back to England. If you have, don't expect me to keep your secret. -Tellson's shall not be imposed upon.” - -“I hope, sir,” pleaded the abashed Mr. Cruncher, “that a gentleman like -yourself wot I've had the honour of odd jobbing till I'm grey at it, -would think twice about harming of me, even if it wos so--I don't say it -is, but even if it wos. And which it is to be took into account that if -it wos, it wouldn't, even then, be all o' one side. There'd be two sides -to it. There might be medical doctors at the present hour, a picking -up their guineas where a honest tradesman don't pick up his -fardens--fardens! no, nor yet his half fardens--half fardens! no, nor -yet his quarter--a banking away like smoke at Tellson's, and a cocking -their medical eyes at that tradesman on the sly, a going in and going -out to their own carriages--ah! equally like smoke, if not more so. -Well, that 'ud be imposing, too, on Tellson's. For you cannot sarse the -goose and not the gander. And here's Mrs. Cruncher, or leastways wos -in the Old England times, and would be to-morrow, if cause given, -a floppin' again the business to that degree as is ruinating--stark -ruinating! Whereas them medical doctors' wives don't flop--catch 'em at -it! Or, if they flop, their floppings goes in favour of more patients, -and how can you rightly have one without t'other? Then, wot with -undertakers, and wot with parish clerks, and wot with sextons, and wot -with private watchmen (all awaricious and all in it), a man wouldn't get -much by it, even if it wos so. And wot little a man did get, would never -prosper with him, Mr. Lorry. He'd never have no good of it; he'd want -all along to be out of the line, if he, could see his way out, being -once in--even if it wos so.” - -“Ugh!” cried Mr. Lorry, rather relenting, nevertheless, “I am shocked at -the sight of you.” - -“Now, what I would humbly offer to you, sir,” pursued Mr. Cruncher, -“even if it wos so, which I don't say it is--” - -“Don't prevaricate,” said Mr. Lorry. - -“No, I will _not_, sir,” returned Mr. Crunches as if nothing were -further from his thoughts or practice--“which I don't say it is--wot I -would humbly offer to you, sir, would be this. Upon that there stool, at -that there Bar, sets that there boy of mine, brought up and growed up to -be a man, wot will errand you, message you, general-light-job you, till -your heels is where your head is, if such should be your wishes. If it -wos so, which I still don't say it is (for I will not prewaricate to -you, sir), let that there boy keep his father's place, and take care of -his mother; don't blow upon that boy's father--do not do it, sir--and -let that father go into the line of the reg'lar diggin', and make amends -for what he would have undug--if it wos so--by diggin' of 'em in with -a will, and with conwictions respectin' the futur' keepin' of 'em safe. -That, Mr. Lorry,” said Mr. Cruncher, wiping his forehead with his -arm, as an announcement that he had arrived at the peroration of his -discourse, “is wot I would respectfully offer to you, sir. A man don't -see all this here a goin' on dreadful round him, in the way of Subjects -without heads, dear me, plentiful enough fur to bring the price down -to porterage and hardly that, without havin' his serious thoughts of -things. And these here would be mine, if it wos so, entreatin' of you -fur to bear in mind that wot I said just now, I up and said in the good -cause when I might have kep' it back.” - -“That at least is true,” said Mr. Lorry. “Say no more now. It may be -that I shall yet stand your friend, if you deserve it, and repent in -action--not in words. I want no more words.” - -Mr. Cruncher knuckled his forehead, as Sydney Carton and the spy -returned from the dark room. “Adieu, Mr. Barsad,” said the former; “our -arrangement thus made, you have nothing to fear from me.” - -He sat down in a chair on the hearth, over against Mr. Lorry. When they -were alone, Mr. Lorry asked him what he had done? - -“Not much. If it should go ill with the prisoner, I have ensured access -to him, once.” - -Mr. Lorry's countenance fell. - -“It is all I could do,” said Carton. “To propose too much, would be -to put this man's head under the axe, and, as he himself said, nothing -worse could happen to him if he were denounced. It was obviously the -weakness of the position. There is no help for it.” - -“But access to him,” said Mr. Lorry, “if it should go ill before the -Tribunal, will not save him.” - -“I never said it would.” - -Mr. Lorry's eyes gradually sought the fire; his sympathy with his -darling, and the heavy disappointment of his second arrest, gradually -weakened them; he was an old man now, overborne with anxiety of late, -and his tears fell. - -“You are a good man and a true friend,” said Carton, in an altered -voice. “Forgive me if I notice that you are affected. I could not see my -father weep, and sit by, careless. And I could not respect your -sorrow more, if you were my father. You are free from that misfortune, -however.” - -Though he said the last words, with a slip into his usual manner, there -was a true feeling and respect both in his tone and in his touch, -that Mr. Lorry, who had never seen the better side of him, was wholly -unprepared for. He gave him his hand, and Carton gently pressed it. - -“To return to poor Darnay,” said Carton. “Don't tell Her of this -interview, or this arrangement. It would not enable Her to go to see -him. She might think it was contrived, in case of the worse, to convey -to him the means of anticipating the sentence.” - -Mr. Lorry had not thought of that, and he looked quickly at Carton to -see if it were in his mind. It seemed to be; he returned the look, and -evidently understood it. - -“She might think a thousand things,” Carton said, “and any of them would -only add to her trouble. Don't speak of me to her. As I said to you when -I first came, I had better not see her. I can put my hand out, to do any -little helpful work for her that my hand can find to do, without that. -You are going to her, I hope? She must be very desolate to-night.” - -“I am going now, directly.” - -“I am glad of that. She has such a strong attachment to you and reliance -on you. How does she look?” - -“Anxious and unhappy, but very beautiful.” - -“Ah!” - -It was a long, grieving sound, like a sigh--almost like a sob. It -attracted Mr. Lorry's eyes to Carton's face, which was turned to the -fire. A light, or a shade (the old gentleman could not have said which), -passed from it as swiftly as a change will sweep over a hill-side on a -wild bright day, and he lifted his foot to put back one of the little -flaming logs, which was tumbling forward. He wore the white riding-coat -and top-boots, then in vogue, and the light of the fire touching their -light surfaces made him look very pale, with his long brown hair, -all untrimmed, hanging loose about him. His indifference to fire was -sufficiently remarkable to elicit a word of remonstrance from Mr. Lorry; -his boot was still upon the hot embers of the flaming log, when it had -broken under the weight of his foot. - -“I forgot it,” he said. - -Mr. Lorry's eyes were again attracted to his face. Taking note of the -wasted air which clouded the naturally handsome features, and having -the expression of prisoners' faces fresh in his mind, he was strongly -reminded of that expression. - -“And your duties here have drawn to an end, sir?” said Carton, turning -to him. - -“Yes. As I was telling you last night when Lucie came in so -unexpectedly, I have at length done all that I can do here. I hoped to -have left them in perfect safety, and then to have quitted Paris. I have -my Leave to Pass. I was ready to go.” - -They were both silent. - -“Yours is a long life to look back upon, sir?” said Carton, wistfully. - -“I am in my seventy-eighth year.” - -“You have been useful all your life; steadily and constantly occupied; -trusted, respected, and looked up to?” - -“I have been a man of business, ever since I have been a man. Indeed, I -may say that I was a man of business when a boy.” - -“See what a place you fill at seventy-eight. How many people will miss -you when you leave it empty!” - -“A solitary old bachelor,” answered Mr. Lorry, shaking his head. “There -is nobody to weep for me.” - -“How can you say that? Wouldn't She weep for you? Wouldn't her child?” - -“Yes, yes, thank God. I didn't quite mean what I said.” - -“It _is_ a thing to thank God for; is it not?” - -“Surely, surely.” - -“If you could say, with truth, to your own solitary heart, to-night, -'I have secured to myself the love and attachment, the gratitude or -respect, of no human creature; I have won myself a tender place in no -regard; I have done nothing good or serviceable to be remembered by!' -your seventy-eight years would be seventy-eight heavy curses; would they -not?” - -“You say truly, Mr. Carton; I think they would be.” - -Sydney turned his eyes again upon the fire, and, after a silence of a -few moments, said: - -“I should like to ask you:--Does your childhood seem far off? Do the -days when you sat at your mother's knee, seem days of very long ago?” - -Responding to his softened manner, Mr. Lorry answered: - -“Twenty years back, yes; at this time of my life, no. For, as I draw -closer and closer to the end, I travel in the circle, nearer and -nearer to the beginning. It seems to be one of the kind smoothings and -preparings of the way. My heart is touched now, by many remembrances -that had long fallen asleep, of my pretty young mother (and I so old!), -and by many associations of the days when what we call the World was not -so real with me, and my faults were not confirmed in me.” - -“I understand the feeling!” exclaimed Carton, with a bright flush. “And -you are the better for it?” - -“I hope so.” - -Carton terminated the conversation here, by rising to help him on with -his outer coat; “But you,” said Mr. Lorry, reverting to the theme, “you -are young.” - -“Yes,” said Carton. “I am not old, but my young way was never the way to -age. Enough of me.” - -“And of me, I am sure,” said Mr. Lorry. “Are you going out?” - -“I'll walk with you to her gate. You know my vagabond and restless -habits. If I should prowl about the streets a long time, don't be -uneasy; I shall reappear in the morning. You go to the Court to-morrow?” - -“Yes, unhappily.” - -“I shall be there, but only as one of the crowd. My Spy will find a -place for me. Take my arm, sir.” - -Mr. Lorry did so, and they went down-stairs and out in the streets. A -few minutes brought them to Mr. Lorry's destination. Carton left him -there; but lingered at a little distance, and turned back to the gate -again when it was shut, and touched it. He had heard of her going to -the prison every day. “She came out here,” he said, looking about him, -“turned this way, must have trod on these stones often. Let me follow in -her steps.” - -It was ten o'clock at night when he stood before the prison of La Force, -where she had stood hundreds of times. A little wood-sawyer, having -closed his shop, was smoking his pipe at his shop-door. - -“Good night, citizen,” said Sydney Carton, pausing in going by; for, the -man eyed him inquisitively. - -“Good night, citizen.” - -“How goes the Republic?” - -“You mean the Guillotine. Not ill. Sixty-three to-day. We shall mount -to a hundred soon. Samson and his men complain sometimes, of being -exhausted. Ha, ha, ha! He is so droll, that Samson. Such a Barber!” - -“Do you often go to see him--” - -“Shave? Always. Every day. What a barber! You have seen him at work?” - -“Never.” - -“Go and see him when he has a good batch. Figure this to yourself, -citizen; he shaved the sixty-three to-day, in less than two pipes! Less -than two pipes. Word of honour!” - -As the grinning little man held out the pipe he was smoking, to explain -how he timed the executioner, Carton was so sensible of a rising desire -to strike the life out of him, that he turned away. - -“But you are not English,” said the wood-sawyer, “though you wear -English dress?” - -“Yes,” said Carton, pausing again, and answering over his shoulder. - -“You speak like a Frenchman.” - -“I am an old student here.” - -“Aha, a perfect Frenchman! Good night, Englishman.” - -“Good night, citizen.” - -“But go and see that droll dog,” the little man persisted, calling after -him. “And take a pipe with you!” - -Sydney had not gone far out of sight, when he stopped in the middle of -the street under a glimmering lamp, and wrote with his pencil on a scrap -of paper. Then, traversing with the decided step of one who remembered -the way well, several dark and dirty streets--much dirtier than usual, -for the best public thoroughfares remained uncleansed in those times of -terror--he stopped at a chemist's shop, which the owner was closing with -his own hands. A small, dim, crooked shop, kept in a tortuous, up-hill -thoroughfare, by a small, dim, crooked man. - -Giving this citizen, too, good night, as he confronted him at his -counter, he laid the scrap of paper before him. “Whew!” the chemist -whistled softly, as he read it. “Hi! hi! hi!” - -Sydney Carton took no heed, and the chemist said: - -“For you, citizen?” - -“For me.” - -“You will be careful to keep them separate, citizen? You know the -consequences of mixing them?” - -“Perfectly.” - -Certain small packets were made and given to him. He put them, one by -one, in the breast of his inner coat, counted out the money for them, -and deliberately left the shop. “There is nothing more to do,” said he, -glancing upward at the moon, “until to-morrow. I can't sleep.” - -It was not a reckless manner, the manner in which he said these words -aloud under the fast-sailing clouds, nor was it more expressive of -negligence than defiance. It was the settled manner of a tired man, who -had wandered and struggled and got lost, but who at length struck into -his road and saw its end. - -Long ago, when he had been famous among his earliest competitors as a -youth of great promise, he had followed his father to the grave. His -mother had died, years before. These solemn words, which had been -read at his father's grave, arose in his mind as he went down the dark -streets, among the heavy shadows, with the moon and the clouds sailing -on high above him. “I am the resurrection and the life, saith the Lord: -he that believeth in me, though he were dead, yet shall he live: and -whosoever liveth and believeth in me, shall never die.” - -In a city dominated by the axe, alone at night, with natural sorrow -rising in him for the sixty-three who had been that day put to death, -and for to-morrow's victims then awaiting their doom in the prisons, -and still of to-morrow's and to-morrow's, the chain of association that -brought the words home, like a rusty old ship's anchor from the deep, -might have been easily found. He did not seek it, but repeated them and -went on. - -With a solemn interest in the lighted windows where the people were -going to rest, forgetful through a few calm hours of the horrors -surrounding them; in the towers of the churches, where no prayers -were said, for the popular revulsion had even travelled that length -of self-destruction from years of priestly impostors, plunderers, and -profligates; in the distant burial-places, reserved, as they wrote upon -the gates, for Eternal Sleep; in the abounding gaols; and in the streets -along which the sixties rolled to a death which had become so common and -material, that no sorrowful story of a haunting Spirit ever arose among -the people out of all the working of the Guillotine; with a solemn -interest in the whole life and death of the city settling down to its -short nightly pause in fury; Sydney Carton crossed the Seine again for -the lighter streets. - -Few coaches were abroad, for riders in coaches were liable to be -suspected, and gentility hid its head in red nightcaps, and put on heavy -shoes, and trudged. But, the theatres were all well filled, and the -people poured cheerfully out as he passed, and went chatting home. At -one of the theatre doors, there was a little girl with a mother, looking -for a way across the street through the mud. He carried the child over, -and before the timid arm was loosed from his neck asked her for a kiss. - -“I am the resurrection and the life, saith the Lord: he that believeth -in me, though he were dead, yet shall he live: and whosoever liveth and -believeth in me, shall never die.” - -Now, that the streets were quiet, and the night wore on, the words -were in the echoes of his feet, and were in the air. Perfectly calm -and steady, he sometimes repeated them to himself as he walked; but, he -heard them always. - -The night wore out, and, as he stood upon the bridge listening to the -water as it splashed the river-walls of the Island of Paris, where the -picturesque confusion of houses and cathedral shone bright in the light -of the moon, the day came coldly, looking like a dead face out of the -sky. Then, the night, with the moon and the stars, turned pale and died, -and for a little while it seemed as if Creation were delivered over to -Death's dominion. - -But, the glorious sun, rising, seemed to strike those words, that burden -of the night, straight and warm to his heart in its long bright rays. -And looking along them, with reverently shaded eyes, a bridge of light -appeared to span the air between him and the sun, while the river -sparkled under it. - -The strong tide, so swift, so deep, and certain, was like a congenial -friend, in the morning stillness. He walked by the stream, far from the -houses, and in the light and warmth of the sun fell asleep on the -bank. When he awoke and was afoot again, he lingered there yet a little -longer, watching an eddy that turned and turned purposeless, until the -stream absorbed it, and carried it on to the sea.--“Like me.” - -A trading-boat, with a sail of the softened colour of a dead leaf, then -glided into his view, floated by him, and died away. As its silent track -in the water disappeared, the prayer that had broken up out of his heart -for a merciful consideration of all his poor blindnesses and errors, -ended in the words, “I am the resurrection and the life.” - -Mr. Lorry was already out when he got back, and it was easy to surmise -where the good old man was gone. Sydney Carton drank nothing but a -little coffee, ate some bread, and, having washed and changed to refresh -himself, went out to the place of trial. - -The court was all astir and a-buzz, when the black sheep--whom many fell -away from in dread--pressed him into an obscure corner among the crowd. -Mr. Lorry was there, and Doctor Manette was there. She was there, -sitting beside her father. - -When her husband was brought in, she turned a look upon him, so -sustaining, so encouraging, so full of admiring love and pitying -tenderness, yet so courageous for his sake, that it called the healthy -blood into his face, brightened his glance, and animated his heart. If -there had been any eyes to notice the influence of her look, on Sydney -Carton, it would have been seen to be the same influence exactly. - -Before that unjust Tribunal, there was little or no order of procedure, -ensuring to any accused person any reasonable hearing. There could have -been no such Revolution, if all laws, forms, and ceremonies, had not -first been so monstrously abused, that the suicidal vengeance of the -Revolution was to scatter them all to the winds. - -Every eye was turned to the jury. The same determined patriots and good -republicans as yesterday and the day before, and to-morrow and the day -after. Eager and prominent among them, one man with a craving face, and -his fingers perpetually hovering about his lips, whose appearance -gave great satisfaction to the spectators. A life-thirsting, -cannibal-looking, bloody-minded juryman, the Jacques Three of St. -Antoine. The whole jury, as a jury of dogs empannelled to try the deer. - -Every eye then turned to the five judges and the public prosecutor. -No favourable leaning in that quarter to-day. A fell, uncompromising, -murderous business-meaning there. Every eye then sought some other eye -in the crowd, and gleamed at it approvingly; and heads nodded at one -another, before bending forward with a strained attention. - -Charles Evremonde, called Darnay. Released yesterday. Reaccused and -retaken yesterday. Indictment delivered to him last night. Suspected and -Denounced enemy of the Republic, Aristocrat, one of a family of tyrants, -one of a race proscribed, for that they had used their abolished -privileges to the infamous oppression of the people. Charles Evremonde, -called Darnay, in right of such proscription, absolutely Dead in Law. - -To this effect, in as few or fewer words, the Public Prosecutor. - -The President asked, was the Accused openly denounced or secretly? - -“Openly, President.” - -“By whom?” - -“Three voices. Ernest Defarge, wine-vendor of St. Antoine.” - -“Good.” - -“Therese Defarge, his wife.” - -“Good.” - -“Alexandre Manette, physician.” - -A great uproar took place in the court, and in the midst of it, Doctor -Manette was seen, pale and trembling, standing where he had been seated. - -“President, I indignantly protest to you that this is a forgery and -a fraud. You know the accused to be the husband of my daughter. My -daughter, and those dear to her, are far dearer to me than my life. Who -and where is the false conspirator who says that I denounce the husband -of my child!” - -“Citizen Manette, be tranquil. To fail in submission to the authority of -the Tribunal would be to put yourself out of Law. As to what is dearer -to you than life, nothing can be so dear to a good citizen as the -Republic.” - -Loud acclamations hailed this rebuke. The President rang his bell, and -with warmth resumed. - -“If the Republic should demand of you the sacrifice of your child -herself, you would have no duty but to sacrifice her. Listen to what is -to follow. In the meanwhile, be silent!” - -Frantic acclamations were again raised. Doctor Manette sat down, with -his eyes looking around, and his lips trembling; his daughter drew -closer to him. The craving man on the jury rubbed his hands together, -and restored the usual hand to his mouth. - -Defarge was produced, when the court was quiet enough to admit of his -being heard, and rapidly expounded the story of the imprisonment, and of -his having been a mere boy in the Doctor's service, and of the release, -and of the state of the prisoner when released and delivered to him. -This short examination followed, for the court was quick with its work. - -“You did good service at the taking of the Bastille, citizen?” - -“I believe so.” - -Here, an excited woman screeched from the crowd: “You were one of the -best patriots there. Why not say so? You were a cannonier that day -there, and you were among the first to enter the accursed fortress when -it fell. Patriots, I speak the truth!” - -It was The Vengeance who, amidst the warm commendations of the audience, -thus assisted the proceedings. The President rang his bell; but, The -Vengeance, warming with encouragement, shrieked, “I defy that bell!” - wherein she was likewise much commended. - -“Inform the Tribunal of what you did that day within the Bastille, -citizen.” - -“I knew,” said Defarge, looking down at his wife, who stood at the -bottom of the steps on which he was raised, looking steadily up at him; -“I knew that this prisoner, of whom I speak, had been confined in a cell -known as One Hundred and Five, North Tower. I knew it from himself. He -knew himself by no other name than One Hundred and Five, North Tower, -when he made shoes under my care. As I serve my gun that day, I resolve, -when the place shall fall, to examine that cell. It falls. I mount to -the cell, with a fellow-citizen who is one of the Jury, directed by a -gaoler. I examine it, very closely. In a hole in the chimney, where a -stone has been worked out and replaced, I find a written paper. This is -that written paper. I have made it my business to examine some specimens -of the writing of Doctor Manette. This is the writing of Doctor Manette. -I confide this paper, in the writing of Doctor Manette, to the hands of -the President.” - -“Let it be read.” - -In a dead silence and stillness--the prisoner under trial looking -lovingly at his wife, his wife only looking from him to look with -solicitude at her father, Doctor Manette keeping his eyes fixed on the -reader, Madame Defarge never taking hers from the prisoner, Defarge -never taking his from his feasting wife, and all the other eyes there -intent upon the Doctor, who saw none of them--the paper was read, as -follows. - - - - -X. The Substance of the Shadow - - -“I, Alexandre Manette, unfortunate physician, native of Beauvais, and -afterwards resident in Paris, write this melancholy paper in my doleful -cell in the Bastille, during the last month of the year, 1767. I write -it at stolen intervals, under every difficulty. I design to secrete it -in the wall of the chimney, where I have slowly and laboriously made a -place of concealment for it. Some pitying hand may find it there, when I -and my sorrows are dust. - -“These words are formed by the rusty iron point with which I write with -difficulty in scrapings of soot and charcoal from the chimney, mixed -with blood, in the last month of the tenth year of my captivity. Hope -has quite departed from my breast. I know from terrible warnings I have -noted in myself that my reason will not long remain unimpaired, but I -solemnly declare that I am at this time in the possession of my right -mind--that my memory is exact and circumstantial--and that I write the -truth as I shall answer for these my last recorded words, whether they -be ever read by men or not, at the Eternal Judgment-seat. - -“One cloudy moonlight night, in the third week of December (I think the -twenty-second of the month) in the year 1757, I was walking on a retired -part of the quay by the Seine for the refreshment of the frosty air, -at an hour's distance from my place of residence in the Street of the -School of Medicine, when a carriage came along behind me, driven very -fast. As I stood aside to let that carriage pass, apprehensive that it -might otherwise run me down, a head was put out at the window, and a -voice called to the driver to stop. - -“The carriage stopped as soon as the driver could rein in his horses, -and the same voice called to me by my name. I answered. The carriage -was then so far in advance of me that two gentlemen had time to open the -door and alight before I came up with it. - -“I observed that they were both wrapped in cloaks, and appeared to -conceal themselves. As they stood side by side near the carriage door, -I also observed that they both looked of about my own age, or rather -younger, and that they were greatly alike, in stature, manner, voice, -and (as far as I could see) face too. - -“'You are Doctor Manette?' said one. - -“I am.” - -“'Doctor Manette, formerly of Beauvais,' said the other; 'the young -physician, originally an expert surgeon, who within the last year or two -has made a rising reputation in Paris?' - -“'Gentlemen,' I returned, 'I am that Doctor Manette of whom you speak so -graciously.' - -“'We have been to your residence,' said the first, 'and not being -so fortunate as to find you there, and being informed that you were -probably walking in this direction, we followed, in the hope of -overtaking you. Will you please to enter the carriage?' - -“The manner of both was imperious, and they both moved, as these words -were spoken, so as to place me between themselves and the carriage door. -They were armed. I was not. - -“'Gentlemen,' said I, 'pardon me; but I usually inquire who does me -the honour to seek my assistance, and what is the nature of the case to -which I am summoned.' - -“The reply to this was made by him who had spoken second. 'Doctor, -your clients are people of condition. As to the nature of the case, -our confidence in your skill assures us that you will ascertain it for -yourself better than we can describe it. Enough. Will you please to -enter the carriage?' - -“I could do nothing but comply, and I entered it in silence. They both -entered after me--the last springing in, after putting up the steps. The -carriage turned about, and drove on at its former speed. - -“I repeat this conversation exactly as it occurred. I have no doubt that -it is, word for word, the same. I describe everything exactly as it took -place, constraining my mind not to wander from the task. Where I make -the broken marks that follow here, I leave off for the time, and put my -paper in its hiding-place. - - ***** - -“The carriage left the streets behind, passed the North Barrier, and -emerged upon the country road. At two-thirds of a league from the -Barrier--I did not estimate the distance at that time, but afterwards -when I traversed it--it struck out of the main avenue, and presently -stopped at a solitary house, We all three alighted, and walked, by -a damp soft footpath in a garden where a neglected fountain had -overflowed, to the door of the house. It was not opened immediately, in -answer to the ringing of the bell, and one of my two conductors struck -the man who opened it, with his heavy riding glove, across the face. - -“There was nothing in this action to attract my particular attention, -for I had seen common people struck more commonly than dogs. But, the -other of the two, being angry likewise, struck the man in like manner -with his arm; the look and bearing of the brothers were then so exactly -alike, that I then first perceived them to be twin brothers. - -“From the time of our alighting at the outer gate (which we found -locked, and which one of the brothers had opened to admit us, and had -relocked), I had heard cries proceeding from an upper chamber. I was -conducted to this chamber straight, the cries growing louder as we -ascended the stairs, and I found a patient in a high fever of the brain, -lying on a bed. - -“The patient was a woman of great beauty, and young; assuredly not much -past twenty. Her hair was torn and ragged, and her arms were bound to -her sides with sashes and handkerchiefs. I noticed that these bonds were -all portions of a gentleman's dress. On one of them, which was a fringed -scarf for a dress of ceremony, I saw the armorial bearings of a Noble, -and the letter E. - -“I saw this, within the first minute of my contemplation of the patient; -for, in her restless strivings she had turned over on her face on the -edge of the bed, had drawn the end of the scarf into her mouth, and was -in danger of suffocation. My first act was to put out my hand to relieve -her breathing; and in moving the scarf aside, the embroidery in the -corner caught my sight. - -“I turned her gently over, placed my hands upon her breast to calm her -and keep her down, and looked into her face. Her eyes were dilated and -wild, and she constantly uttered piercing shrieks, and repeated the -words, 'My husband, my father, and my brother!' and then counted up to -twelve, and said, 'Hush!' For an instant, and no more, she would pause -to listen, and then the piercing shrieks would begin again, and she -would repeat the cry, 'My husband, my father, and my brother!' and -would count up to twelve, and say, 'Hush!' There was no variation in the -order, or the manner. There was no cessation, but the regular moment's -pause, in the utterance of these sounds. - -“'How long,' I asked, 'has this lasted?' - -“To distinguish the brothers, I will call them the elder and the -younger; by the elder, I mean him who exercised the most authority. It -was the elder who replied, 'Since about this hour last night.' - -“'She has a husband, a father, and a brother?' - -“'A brother.' - -“'I do not address her brother?' - -“He answered with great contempt, 'No.' - -“'She has some recent association with the number twelve?' - -“The younger brother impatiently rejoined, 'With twelve o'clock?' - -“'See, gentlemen,' said I, still keeping my hands upon her breast, 'how -useless I am, as you have brought me! If I had known what I was coming -to see, I could have come provided. As it is, time must be lost. There -are no medicines to be obtained in this lonely place.' - -“The elder brother looked to the younger, who said haughtily, 'There is -a case of medicines here;' and brought it from a closet, and put it on -the table. - - ***** - -“I opened some of the bottles, smelt them, and put the stoppers to my -lips. If I had wanted to use anything save narcotic medicines that were -poisons in themselves, I would not have administered any of those. - -“'Do you doubt them?' asked the younger brother. - -“'You see, monsieur, I am going to use them,' I replied, and said no -more. - -“I made the patient swallow, with great difficulty, and after many -efforts, the dose that I desired to give. As I intended to repeat it -after a while, and as it was necessary to watch its influence, I then -sat down by the side of the bed. There was a timid and suppressed woman -in attendance (wife of the man down-stairs), who had retreated into -a corner. The house was damp and decayed, indifferently -furnished--evidently, recently occupied and temporarily used. Some thick -old hangings had been nailed up before the windows, to deaden the -sound of the shrieks. They continued to be uttered in their regular -succession, with the cry, 'My husband, my father, and my brother!' the -counting up to twelve, and 'Hush!' The frenzy was so violent, that I had -not unfastened the bandages restraining the arms; but, I had looked to -them, to see that they were not painful. The only spark of encouragement -in the case, was, that my hand upon the sufferer's breast had this much -soothing influence, that for minutes at a time it tranquillised the -figure. It had no effect upon the cries; no pendulum could be more -regular. - -“For the reason that my hand had this effect (I assume), I had sat by -the side of the bed for half an hour, with the two brothers looking on, -before the elder said: - -“'There is another patient.' - -“I was startled, and asked, 'Is it a pressing case?' - -“'You had better see,' he carelessly answered; and took up a light. - - ***** - -“The other patient lay in a back room across a second staircase, which -was a species of loft over a stable. There was a low plastered ceiling -to a part of it; the rest was open, to the ridge of the tiled roof, and -there were beams across. Hay and straw were stored in that portion of -the place, fagots for firing, and a heap of apples in sand. I had to -pass through that part, to get at the other. My memory is circumstantial -and unshaken. I try it with these details, and I see them all, in -this my cell in the Bastille, near the close of the tenth year of my -captivity, as I saw them all that night. - -“On some hay on the ground, with a cushion thrown under his head, lay a -handsome peasant boy--a boy of not more than seventeen at the most. -He lay on his back, with his teeth set, his right hand clenched on his -breast, and his glaring eyes looking straight upward. I could not see -where his wound was, as I kneeled on one knee over him; but, I could see -that he was dying of a wound from a sharp point. - -“'I am a doctor, my poor fellow,' said I. 'Let me examine it.' - -“'I do not want it examined,' he answered; 'let it be.' - -“It was under his hand, and I soothed him to let me move his hand away. -The wound was a sword-thrust, received from twenty to twenty-four hours -before, but no skill could have saved him if it had been looked to -without delay. He was then dying fast. As I turned my eyes to the elder -brother, I saw him looking down at this handsome boy whose life was -ebbing out, as if he were a wounded bird, or hare, or rabbit; not at all -as if he were a fellow-creature. - -“'How has this been done, monsieur?' said I. - -“'A crazed young common dog! A serf! Forced my brother to draw upon him, -and has fallen by my brother's sword--like a gentleman.' - -“There was no touch of pity, sorrow, or kindred humanity, in this -answer. The speaker seemed to acknowledge that it was inconvenient to -have that different order of creature dying there, and that it would -have been better if he had died in the usual obscure routine of his -vermin kind. He was quite incapable of any compassionate feeling about -the boy, or about his fate. - -“The boy's eyes had slowly moved to him as he had spoken, and they now -slowly moved to me. - -“'Doctor, they are very proud, these Nobles; but we common dogs are -proud too, sometimes. They plunder us, outrage us, beat us, kill us; but -we have a little pride left, sometimes. She--have you seen her, Doctor?' - -“The shrieks and the cries were audible there, though subdued by the -distance. He referred to them, as if she were lying in our presence. - -“I said, 'I have seen her.' - -“'She is my sister, Doctor. They have had their shameful rights, these -Nobles, in the modesty and virtue of our sisters, many years, but we -have had good girls among us. I know it, and have heard my father say -so. She was a good girl. She was betrothed to a good young man, too: a -tenant of his. We were all tenants of his--that man's who stands there. -The other is his brother, the worst of a bad race.' - -“It was with the greatest difficulty that the boy gathered bodily force -to speak; but, his spirit spoke with a dreadful emphasis. - -“'We were so robbed by that man who stands there, as all we common dogs -are by those superior Beings--taxed by him without mercy, obliged to -work for him without pay, obliged to grind our corn at his mill, obliged -to feed scores of his tame birds on our wretched crops, and forbidden -for our lives to keep a single tame bird of our own, pillaged and -plundered to that degree that when we chanced to have a bit of meat, we -ate it in fear, with the door barred and the shutters closed, that his -people should not see it and take it from us--I say, we were so robbed, -and hunted, and were made so poor, that our father told us it was a -dreadful thing to bring a child into the world, and that what we should -most pray for, was, that our women might be barren and our miserable -race die out!' - -“I had never before seen the sense of being oppressed, bursting forth -like a fire. I had supposed that it must be latent in the people -somewhere; but, I had never seen it break out, until I saw it in the -dying boy. - -“'Nevertheless, Doctor, my sister married. He was ailing at that time, -poor fellow, and she married her lover, that she might tend and comfort -him in our cottage--our dog-hut, as that man would call it. She had not -been married many weeks, when that man's brother saw her and admired -her, and asked that man to lend her to him--for what are husbands among -us! He was willing enough, but my sister was good and virtuous, and -hated his brother with a hatred as strong as mine. What did the two -then, to persuade her husband to use his influence with her, to make her -willing?' - -“The boy's eyes, which had been fixed on mine, slowly turned to the -looker-on, and I saw in the two faces that all he said was true. The two -opposing kinds of pride confronting one another, I can see, even in this -Bastille; the gentleman's, all negligent indifference; the peasant's, all -trodden-down sentiment, and passionate revenge. - -“'You know, Doctor, that it is among the Rights of these Nobles to -harness us common dogs to carts, and drive us. They so harnessed him and -drove him. You know that it is among their Rights to keep us in their -grounds all night, quieting the frogs, in order that their noble sleep -may not be disturbed. They kept him out in the unwholesome mists at -night, and ordered him back into his harness in the day. But he was -not persuaded. No! Taken out of harness one day at noon, to feed--if he -could find food--he sobbed twelve times, once for every stroke of the -bell, and died on her bosom.' - -“Nothing human could have held life in the boy but his determination to -tell all his wrong. He forced back the gathering shadows of death, as -he forced his clenched right hand to remain clenched, and to cover his -wound. - -“'Then, with that man's permission and even with his aid, his -brother took her away; in spite of what I know she must have told his -brother--and what that is, will not be long unknown to you, Doctor, if -it is now--his brother took her away--for his pleasure and diversion, -for a little while. I saw her pass me on the road. When I took the -tidings home, our father's heart burst; he never spoke one of the words -that filled it. I took my young sister (for I have another) to a place -beyond the reach of this man, and where, at least, she will never be -_his_ vassal. Then, I tracked the brother here, and last night climbed -in--a common dog, but sword in hand.--Where is the loft window? It was -somewhere here?' - -“The room was darkening to his sight; the world was narrowing around -him. I glanced about me, and saw that the hay and straw were trampled -over the floor, as if there had been a struggle. - -“'She heard me, and ran in. I told her not to come near us till he was -dead. He came in and first tossed me some pieces of money; then struck -at me with a whip. But I, though a common dog, so struck at him as to -make him draw. Let him break into as many pieces as he will, the sword -that he stained with my common blood; he drew to defend himself--thrust -at me with all his skill for his life.' - -“My glance had fallen, but a few moments before, on the fragments of -a broken sword, lying among the hay. That weapon was a gentleman's. In -another place, lay an old sword that seemed to have been a soldier's. - -“'Now, lift me up, Doctor; lift me up. Where is he?' - -“'He is not here,' I said, supporting the boy, and thinking that he -referred to the brother. - -“'He! Proud as these nobles are, he is afraid to see me. Where is the -man who was here? Turn my face to him.' - -“I did so, raising the boy's head against my knee. But, invested for the -moment with extraordinary power, he raised himself completely: obliging -me to rise too, or I could not have still supported him. - -“'Marquis,' said the boy, turned to him with his eyes opened wide, and -his right hand raised, 'in the days when all these things are to be -answered for, I summon you and yours, to the last of your bad race, to -answer for them. I mark this cross of blood upon you, as a sign that -I do it. In the days when all these things are to be answered for, -I summon your brother, the worst of the bad race, to answer for them -separately. I mark this cross of blood upon him, as a sign that I do -it.' - -“Twice, he put his hand to the wound in his breast, and with his -forefinger drew a cross in the air. He stood for an instant with the -finger yet raised, and as it dropped, he dropped with it, and I laid him -down dead. - - ***** - -“When I returned to the bedside of the young woman, I found her raving -in precisely the same order of continuity. I knew that this might last -for many hours, and that it would probably end in the silence of the -grave. - -“I repeated the medicines I had given her, and I sat at the side of -the bed until the night was far advanced. She never abated the piercing -quality of her shrieks, never stumbled in the distinctness or the order -of her words. They were always 'My husband, my father, and my brother! -One, two, three, four, five, six, seven, eight, nine, ten, eleven, -twelve. Hush!' - -“This lasted twenty-six hours from the time when I first saw her. I had -come and gone twice, and was again sitting by her, when she began to -falter. I did what little could be done to assist that opportunity, and -by-and-bye she sank into a lethargy, and lay like the dead. - -“It was as if the wind and rain had lulled at last, after a long and -fearful storm. I released her arms, and called the woman to assist me to -compose her figure and the dress she had torn. It was then that I knew -her condition to be that of one in whom the first expectations of being -a mother have arisen; and it was then that I lost the little hope I had -had of her. - -“'Is she dead?' asked the Marquis, whom I will still describe as the -elder brother, coming booted into the room from his horse. - -“'Not dead,' said I; 'but like to die.' - -“'What strength there is in these common bodies!' he said, looking down -at her with some curiosity. - -“'There is prodigious strength,' I answered him, 'in sorrow and -despair.' - -“He first laughed at my words, and then frowned at them. He moved a -chair with his foot near to mine, ordered the woman away, and said in a -subdued voice, - -“'Doctor, finding my brother in this difficulty with these hinds, I -recommended that your aid should be invited. Your reputation is high, -and, as a young man with your fortune to make, you are probably mindful -of your interest. The things that you see here, are things to be seen, -and not spoken of.' - -“I listened to the patient's breathing, and avoided answering. - -“'Do you honour me with your attention, Doctor?' - -“'Monsieur,' said I, 'in my profession, the communications of patients -are always received in confidence.' I was guarded in my answer, for I -was troubled in my mind with what I had heard and seen. - -“Her breathing was so difficult to trace, that I carefully tried the -pulse and the heart. There was life, and no more. Looking round as I -resumed my seat, I found both the brothers intent upon me. - - ***** - -“I write with so much difficulty, the cold is so severe, I am so -fearful of being detected and consigned to an underground cell and total -darkness, that I must abridge this narrative. There is no confusion or -failure in my memory; it can recall, and could detail, every word that -was ever spoken between me and those brothers. - -“She lingered for a week. Towards the last, I could understand some few -syllables that she said to me, by placing my ear close to her lips. She -asked me where she was, and I told her; who I was, and I told her. It -was in vain that I asked her for her family name. She faintly shook her -head upon the pillow, and kept her secret, as the boy had done. - -“I had no opportunity of asking her any question, until I had told the -brothers she was sinking fast, and could not live another day. Until -then, though no one was ever presented to her consciousness save the -woman and myself, one or other of them had always jealously sat behind -the curtain at the head of the bed when I was there. But when it came to -that, they seemed careless what communication I might hold with her; as -if--the thought passed through my mind--I were dying too. - -“I always observed that their pride bitterly resented the younger -brother's (as I call him) having crossed swords with a peasant, and that -peasant a boy. The only consideration that appeared to affect the mind -of either of them was the consideration that this was highly degrading -to the family, and was ridiculous. As often as I caught the younger -brother's eyes, their expression reminded me that he disliked me deeply, -for knowing what I knew from the boy. He was smoother and more polite to -me than the elder; but I saw this. I also saw that I was an incumbrance -in the mind of the elder, too. - -“My patient died, two hours before midnight--at a time, by my watch, -answering almost to the minute when I had first seen her. I was alone -with her, when her forlorn young head drooped gently on one side, and -all her earthly wrongs and sorrows ended. - -“The brothers were waiting in a room down-stairs, impatient to ride -away. I had heard them, alone at the bedside, striking their boots with -their riding-whips, and loitering up and down. - -“'At last she is dead?' said the elder, when I went in. - -“'She is dead,' said I. - -“'I congratulate you, my brother,' were his words as he turned round. - -“He had before offered me money, which I had postponed taking. He now -gave me a rouleau of gold. I took it from his hand, but laid it on -the table. I had considered the question, and had resolved to accept -nothing. - -“'Pray excuse me,' said I. 'Under the circumstances, no.' - -“They exchanged looks, but bent their heads to me as I bent mine to -them, and we parted without another word on either side. - - ***** - -“I am weary, weary, weary--worn down by misery. I cannot read what I -have written with this gaunt hand. - -“Early in the morning, the rouleau of gold was left at my door in a -little box, with my name on the outside. From the first, I had anxiously -considered what I ought to do. I decided, that day, to write privately -to the Minister, stating the nature of the two cases to which I had been -summoned, and the place to which I had gone: in effect, stating all the -circumstances. I knew what Court influence was, and what the immunities -of the Nobles were, and I expected that the matter would never be -heard of; but, I wished to relieve my own mind. I had kept the matter a -profound secret, even from my wife; and this, too, I resolved to state -in my letter. I had no apprehension whatever of my real danger; but -I was conscious that there might be danger for others, if others were -compromised by possessing the knowledge that I possessed. - -“I was much engaged that day, and could not complete my letter that -night. I rose long before my usual time next morning to finish it. -It was the last day of the year. The letter was lying before me just -completed, when I was told that a lady waited, who wished to see me. - - ***** - -“I am growing more and more unequal to the task I have set myself. It is -so cold, so dark, my senses are so benumbed, and the gloom upon me is so -dreadful. - -“The lady was young, engaging, and handsome, but not marked for long -life. She was in great agitation. She presented herself to me as the -wife of the Marquis St. Evremonde. I connected the title by which the -boy had addressed the elder brother, with the initial letter embroidered -on the scarf, and had no difficulty in arriving at the conclusion that I -had seen that nobleman very lately. - -“My memory is still accurate, but I cannot write the words of our -conversation. I suspect that I am watched more closely than I was, and I -know not at what times I may be watched. She had in part suspected, and -in part discovered, the main facts of the cruel story, of her husband's -share in it, and my being resorted to. She did not know that the girl -was dead. Her hope had been, she said in great distress, to show her, -in secret, a woman's sympathy. Her hope had been to avert the wrath of -Heaven from a House that had long been hateful to the suffering many. - -“She had reasons for believing that there was a young sister living, and -her greatest desire was, to help that sister. I could tell her nothing -but that there was such a sister; beyond that, I knew nothing. Her -inducement to come to me, relying on my confidence, had been the hope -that I could tell her the name and place of abode. Whereas, to this -wretched hour I am ignorant of both. - - ***** - -“These scraps of paper fail me. One was taken from me, with a warning, -yesterday. I must finish my record to-day. - -“She was a good, compassionate lady, and not happy in her marriage. How -could she be! The brother distrusted and disliked her, and his influence -was all opposed to her; she stood in dread of him, and in dread of her -husband too. When I handed her down to the door, there was a child, a -pretty boy from two to three years old, in her carriage. - -“'For his sake, Doctor,' she said, pointing to him in tears, 'I would do -all I can to make what poor amends I can. He will never prosper in his -inheritance otherwise. I have a presentiment that if no other innocent -atonement is made for this, it will one day be required of him. What -I have left to call my own--it is little beyond the worth of a few -jewels--I will make it the first charge of his life to bestow, with the -compassion and lamenting of his dead mother, on this injured family, if -the sister can be discovered.' - -“She kissed the boy, and said, caressing him, 'It is for thine own dear -sake. Thou wilt be faithful, little Charles?' The child answered her -bravely, 'Yes!' I kissed her hand, and she took him in her arms, and -went away caressing him. I never saw her more. - -“As she had mentioned her husband's name in the faith that I knew it, -I added no mention of it to my letter. I sealed my letter, and, not -trusting it out of my own hands, delivered it myself that day. - -“That night, the last night of the year, towards nine o'clock, a man in -a black dress rang at my gate, demanded to see me, and softly followed -my servant, Ernest Defarge, a youth, up-stairs. When my servant came -into the room where I sat with my wife--O my wife, beloved of my heart! -My fair young English wife!--we saw the man, who was supposed to be at -the gate, standing silent behind him. - -“An urgent case in the Rue St. Honore, he said. It would not detain me, -he had a coach in waiting. - -“It brought me here, it brought me to my grave. When I was clear of the -house, a black muffler was drawn tightly over my mouth from behind, and -my arms were pinioned. The two brothers crossed the road from a dark -corner, and identified me with a single gesture. The Marquis took from -his pocket the letter I had written, showed it me, burnt it in the light -of a lantern that was held, and extinguished the ashes with his foot. -Not a word was spoken. I was brought here, I was brought to my living -grave. - -“If it had pleased _God_ to put it in the hard heart of either of the -brothers, in all these frightful years, to grant me any tidings of -my dearest wife--so much as to let me know by a word whether alive or -dead--I might have thought that He had not quite abandoned them. But, -now I believe that the mark of the red cross is fatal to them, and that -they have no part in His mercies. And them and their descendants, to the -last of their race, I, Alexandre Manette, unhappy prisoner, do this last -night of the year 1767, in my unbearable agony, denounce to the times -when all these things shall be answered for. I denounce them to Heaven -and to earth.” - -A terrible sound arose when the reading of this document was done. A -sound of craving and eagerness that had nothing articulate in it but -blood. The narrative called up the most revengeful passions of the time, -and there was not a head in the nation but must have dropped before it. - -Little need, in presence of that tribunal and that auditory, to show -how the Defarges had not made the paper public, with the other captured -Bastille memorials borne in procession, and had kept it, biding their -time. Little need to show that this detested family name had long been -anathematised by Saint Antoine, and was wrought into the fatal register. -The man never trod ground whose virtues and services would have -sustained him in that place that day, against such denunciation. - -And all the worse for the doomed man, that the denouncer was a -well-known citizen, his own attached friend, the father of his wife. One -of the frenzied aspirations of the populace was, for imitations of -the questionable public virtues of antiquity, and for sacrifices and -self-immolations on the people's altar. Therefore when the President -said (else had his own head quivered on his shoulders), that the good -physician of the Republic would deserve better still of the Republic by -rooting out an obnoxious family of Aristocrats, and would doubtless feel -a sacred glow and joy in making his daughter a widow and her child an -orphan, there was wild excitement, patriotic fervour, not a touch of -human sympathy. - -“Much influence around him, has that Doctor?” murmured Madame Defarge, -smiling to The Vengeance. “Save him now, my Doctor, save him!” - -At every juryman's vote, there was a roar. Another and another. Roar and -roar. - -Unanimously voted. At heart and by descent an Aristocrat, an enemy -of the Republic, a notorious oppressor of the People. Back to the -Conciergerie, and Death within four-and-twenty hours! - - - - -XI. Dusk - - -The wretched wife of the innocent man thus doomed to die, fell under -the sentence, as if she had been mortally stricken. But, she uttered no -sound; and so strong was the voice within her, representing that it was -she of all the world who must uphold him in his misery and not augment -it, that it quickly raised her, even from that shock. - -The Judges having to take part in a public demonstration out of doors, -the Tribunal adjourned. The quick noise and movement of the court's -emptying itself by many passages had not ceased, when Lucie stood -stretching out her arms towards her husband, with nothing in her face -but love and consolation. - -“If I might touch him! If I might embrace him once! O, good citizens, if -you would have so much compassion for us!” - -There was but a gaoler left, along with two of the four men who had -taken him last night, and Barsad. The people had all poured out to the -show in the streets. Barsad proposed to the rest, “Let her embrace -him then; it is but a moment.” It was silently acquiesced in, and they -passed her over the seats in the hall to a raised place, where he, by -leaning over the dock, could fold her in his arms. - -“Farewell, dear darling of my soul. My parting blessing on my love. We -shall meet again, where the weary are at rest!” - -They were her husband's words, as he held her to his bosom. - -“I can bear it, dear Charles. I am supported from above: don't suffer -for me. A parting blessing for our child.” - -“I send it to her by you. I kiss her by you. I say farewell to her by -you.” - -“My husband. No! A moment!” He was tearing himself apart from her. -“We shall not be separated long. I feel that this will break my heart -by-and-bye; but I will do my duty while I can, and when I leave her, God -will raise up friends for her, as He did for me.” - -Her father had followed her, and would have fallen on his knees to both -of them, but that Darnay put out a hand and seized him, crying: - -“No, no! What have you done, what have you done, that you should kneel -to us! We know now, what a struggle you made of old. We know, now what -you underwent when you suspected my descent, and when you knew it. We -know now, the natural antipathy you strove against, and conquered, for -her dear sake. We thank you with all our hearts, and all our love and -duty. Heaven be with you!” - -Her father's only answer was to draw his hands through his white hair, -and wring them with a shriek of anguish. - -“It could not be otherwise,” said the prisoner. “All things have worked -together as they have fallen out. It was the always-vain endeavour to -discharge my poor mother's trust that first brought my fatal presence -near you. Good could never come of such evil, a happier end was not in -nature to so unhappy a beginning. Be comforted, and forgive me. Heaven -bless you!” - -As he was drawn away, his wife released him, and stood looking after him -with her hands touching one another in the attitude of prayer, and -with a radiant look upon her face, in which there was even a comforting -smile. As he went out at the prisoners' door, she turned, laid her head -lovingly on her father's breast, tried to speak to him, and fell at his -feet. - -Then, issuing from the obscure corner from which he had never moved, -Sydney Carton came and took her up. Only her father and Mr. Lorry were -with her. His arm trembled as it raised her, and supported her head. -Yet, there was an air about him that was not all of pity--that had a -flush of pride in it. - -“Shall I take her to a coach? I shall never feel her weight.” - -He carried her lightly to the door, and laid her tenderly down in a -coach. Her father and their old friend got into it, and he took his seat -beside the driver. - -When they arrived at the gateway where he had paused in the dark not -many hours before, to picture to himself on which of the rough stones of -the street her feet had trodden, he lifted her again, and carried her up -the staircase to their rooms. There, he laid her down on a couch, where -her child and Miss Pross wept over her. - -“Don't recall her to herself,” he said, softly, to the latter, “she is -better so. Don't revive her to consciousness, while she only faints.” - -“Oh, Carton, Carton, dear Carton!” cried little Lucie, springing up and -throwing her arms passionately round him, in a burst of grief. “Now that -you have come, I think you will do something to help mamma, something to -save papa! O, look at her, dear Carton! Can you, of all the people who -love her, bear to see her so?” - -He bent over the child, and laid her blooming cheek against his face. He -put her gently from him, and looked at her unconscious mother. - -“Before I go,” he said, and paused--“I may kiss her?” - -It was remembered afterwards that when he bent down and touched her face -with his lips, he murmured some words. The child, who was nearest to -him, told them afterwards, and told her grandchildren when she was a -handsome old lady, that she heard him say, “A life you love.” - -When he had gone out into the next room, he turned suddenly on Mr. Lorry -and her father, who were following, and said to the latter: - -“You had great influence but yesterday, Doctor Manette; let it at least -be tried. These judges, and all the men in power, are very friendly to -you, and very recognisant of your services; are they not?” - -“Nothing connected with Charles was concealed from me. I had the -strongest assurances that I should save him; and I did.” He returned the -answer in great trouble, and very slowly. - -“Try them again. The hours between this and to-morrow afternoon are few -and short, but try.” - -“I intend to try. I will not rest a moment.” - -“That's well. I have known such energy as yours do great things before -now--though never,” he added, with a smile and a sigh together, “such -great things as this. But try! Of little worth as life is when we misuse -it, it is worth that effort. It would cost nothing to lay down if it -were not.” - -“I will go,” said Doctor Manette, “to the Prosecutor and the President -straight, and I will go to others whom it is better not to name. I will -write too, and--But stay! There is a Celebration in the streets, and no -one will be accessible until dark.” - -“That's true. Well! It is a forlorn hope at the best, and not much the -forlorner for being delayed till dark. I should like to know how you -speed; though, mind! I expect nothing! When are you likely to have seen -these dread powers, Doctor Manette?” - -“Immediately after dark, I should hope. Within an hour or two from -this.” - -“It will be dark soon after four. Let us stretch the hour or two. If I -go to Mr. Lorry's at nine, shall I hear what you have done, either from -our friend or from yourself?” - -“Yes.” - -“May you prosper!” - -Mr. Lorry followed Sydney to the outer door, and, touching him on the -shoulder as he was going away, caused him to turn. - -“I have no hope,” said Mr. Lorry, in a low and sorrowful whisper. - -“Nor have I.” - -“If any one of these men, or all of these men, were disposed to spare -him--which is a large supposition; for what is his life, or any man's -to them!--I doubt if they durst spare him after the demonstration in the -court.” - -“And so do I. I heard the fall of the axe in that sound.” - -Mr. Lorry leaned his arm upon the door-post, and bowed his face upon it. - -“Don't despond,” said Carton, very gently; “don't grieve. I encouraged -Doctor Manette in this idea, because I felt that it might one day be -consolatory to her. Otherwise, she might think 'his life was wantonly -thrown away or wasted,' and that might trouble her.” - -“Yes, yes, yes,” returned Mr. Lorry, drying his eyes, “you are right. -But he will perish; there is no real hope.” - -“Yes. He will perish: there is no real hope,” echoed Carton. - -And walked with a settled step, down-stairs. - - - - -XII. Darkness - - -Sydney Carton paused in the street, not quite decided where to go. “At -Tellson's banking-house at nine,” he said, with a musing face. “Shall I -do well, in the mean time, to show myself? I think so. It is best that -these people should know there is such a man as I here; it is a sound -precaution, and may be a necessary preparation. But care, care, care! -Let me think it out!” - -Checking his steps which had begun to tend towards an object, he took a -turn or two in the already darkening street, and traced the thought -in his mind to its possible consequences. His first impression was -confirmed. “It is best,” he said, finally resolved, “that these people -should know there is such a man as I here.” And he turned his face -towards Saint Antoine. - -Defarge had described himself, that day, as the keeper of a wine-shop in -the Saint Antoine suburb. It was not difficult for one who knew the city -well, to find his house without asking any question. Having ascertained -its situation, Carton came out of those closer streets again, and dined -at a place of refreshment and fell sound asleep after dinner. For the -first time in many years, he had no strong drink. Since last night he -had taken nothing but a little light thin wine, and last night he had -dropped the brandy slowly down on Mr. Lorry's hearth like a man who had -done with it. - -It was as late as seven o'clock when he awoke refreshed, and went out -into the streets again. As he passed along towards Saint Antoine, he -stopped at a shop-window where there was a mirror, and slightly altered -the disordered arrangement of his loose cravat, and his coat-collar, and -his wild hair. This done, he went on direct to Defarge's, and went in. - -There happened to be no customer in the shop but Jacques Three, of the -restless fingers and the croaking voice. This man, whom he had seen upon -the Jury, stood drinking at the little counter, in conversation with the -Defarges, man and wife. The Vengeance assisted in the conversation, like -a regular member of the establishment. - -As Carton walked in, took his seat and asked (in very indifferent -French) for a small measure of wine, Madame Defarge cast a careless -glance at him, and then a keener, and then a keener, and then advanced -to him herself, and asked him what it was he had ordered. - -He repeated what he had already said. - -“English?” asked Madame Defarge, inquisitively raising her dark -eyebrows. - -After looking at her, as if the sound of even a single French word were -slow to express itself to him, he answered, in his former strong foreign -accent. “Yes, madame, yes. I am English!” - -Madame Defarge returned to her counter to get the wine, and, as he -took up a Jacobin journal and feigned to pore over it puzzling out its -meaning, he heard her say, “I swear to you, like Evremonde!” - -Defarge brought him the wine, and gave him Good Evening. - -“How?” - -“Good evening.” - -“Oh! Good evening, citizen,” filling his glass. “Ah! and good wine. I -drink to the Republic.” - -Defarge went back to the counter, and said, “Certainly, a little like.” - Madame sternly retorted, “I tell you a good deal like.” Jacques Three -pacifically remarked, “He is so much in your mind, see you, madame.” - The amiable Vengeance added, with a laugh, “Yes, my faith! And you -are looking forward with so much pleasure to seeing him once more -to-morrow!” - -Carton followed the lines and words of his paper, with a slow -forefinger, and with a studious and absorbed face. They were all leaning -their arms on the counter close together, speaking low. After a silence -of a few moments, during which they all looked towards him without -disturbing his outward attention from the Jacobin editor, they resumed -their conversation. - -“It is true what madame says,” observed Jacques Three. “Why stop? There -is great force in that. Why stop?” - -“Well, well,” reasoned Defarge, “but one must stop somewhere. After all, -the question is still where?” - -“At extermination,” said madame. - -“Magnificent!” croaked Jacques Three. The Vengeance, also, highly -approved. - -“Extermination is good doctrine, my wife,” said Defarge, rather -troubled; “in general, I say nothing against it. But this Doctor has -suffered much; you have seen him to-day; you have observed his face when -the paper was read.” - -“I have observed his face!” repeated madame, contemptuously and angrily. -“Yes. I have observed his face. I have observed his face to be not the -face of a true friend of the Republic. Let him take care of his face!” - -“And you have observed, my wife,” said Defarge, in a deprecatory manner, -“the anguish of his daughter, which must be a dreadful anguish to him!” - -“I have observed his daughter,” repeated madame; “yes, I have observed -his daughter, more times than one. I have observed her to-day, and I -have observed her other days. I have observed her in the court, and -I have observed her in the street by the prison. Let me but lift my -finger--!” She seemed to raise it (the listener's eyes were always on -his paper), and to let it fall with a rattle on the ledge before her, as -if the axe had dropped. - -“The citizeness is superb!” croaked the Juryman. - -“She is an Angel!” said The Vengeance, and embraced her. - -“As to thee,” pursued madame, implacably, addressing her husband, “if it -depended on thee--which, happily, it does not--thou wouldst rescue this -man even now.” - -“No!” protested Defarge. “Not if to lift this glass would do it! But I -would leave the matter there. I say, stop there.” - -“See you then, Jacques,” said Madame Defarge, wrathfully; “and see you, -too, my little Vengeance; see you both! Listen! For other crimes as -tyrants and oppressors, I have this race a long time on my register, -doomed to destruction and extermination. Ask my husband, is that so.” - -“It is so,” assented Defarge, without being asked. - -“In the beginning of the great days, when the Bastille falls, he finds -this paper of to-day, and he brings it home, and in the middle of the -night when this place is clear and shut, we read it, here on this spot, -by the light of this lamp. Ask him, is that so.” - -“It is so,” assented Defarge. - -“That night, I tell him, when the paper is read through, and the lamp is -burnt out, and the day is gleaming in above those shutters and between -those iron bars, that I have now a secret to communicate. Ask him, is -that so.” - -“It is so,” assented Defarge again. - -“I communicate to him that secret. I smite this bosom with these two -hands as I smite it now, and I tell him, 'Defarge, I was brought up -among the fishermen of the sea-shore, and that peasant family so injured -by the two Evremonde brothers, as that Bastille paper describes, is my -family. Defarge, that sister of the mortally wounded boy upon the ground -was my sister, that husband was my sister's husband, that unborn child -was their child, that brother was my brother, that father was my father, -those dead are my dead, and that summons to answer for those things -descends to me!' Ask him, is that so.” - -“It is so,” assented Defarge once more. - -“Then tell Wind and Fire where to stop,” returned madame; “but don't -tell me.” - -Both her hearers derived a horrible enjoyment from the deadly nature -of her wrath--the listener could feel how white she was, without seeing -her--and both highly commended it. Defarge, a weak minority, interposed -a few words for the memory of the compassionate wife of the Marquis; but -only elicited from his own wife a repetition of her last reply. “Tell -the Wind and the Fire where to stop; not me!” - -Customers entered, and the group was broken up. The English customer -paid for what he had had, perplexedly counted his change, and asked, as -a stranger, to be directed towards the National Palace. Madame Defarge -took him to the door, and put her arm on his, in pointing out the road. -The English customer was not without his reflections then, that it might -be a good deed to seize that arm, lift it, and strike under it sharp and -deep. - -But, he went his way, and was soon swallowed up in the shadow of the -prison wall. At the appointed hour, he emerged from it to present -himself in Mr. Lorry's room again, where he found the old gentleman -walking to and fro in restless anxiety. He said he had been with Lucie -until just now, and had only left her for a few minutes, to come and -keep his appointment. Her father had not been seen, since he quitted the -banking-house towards four o'clock. She had some faint hopes that his -mediation might save Charles, but they were very slight. He had been -more than five hours gone: where could he be? - -Mr. Lorry waited until ten; but, Doctor Manette not returning, and -he being unwilling to leave Lucie any longer, it was arranged that he -should go back to her, and come to the banking-house again at midnight. -In the meanwhile, Carton would wait alone by the fire for the Doctor. - -He waited and waited, and the clock struck twelve; but Doctor Manette -did not come back. Mr. Lorry returned, and found no tidings of him, and -brought none. Where could he be? - -They were discussing this question, and were almost building up some -weak structure of hope on his prolonged absence, when they heard him on -the stairs. The instant he entered the room, it was plain that all was -lost. - -Whether he had really been to any one, or whether he had been all that -time traversing the streets, was never known. As he stood staring at -them, they asked him no question, for his face told them everything. - -“I cannot find it,” said he, “and I must have it. Where is it?” - -His head and throat were bare, and, as he spoke with a helpless look -straying all around, he took his coat off, and let it drop on the floor. - -“Where is my bench? I have been looking everywhere for my bench, and I -can't find it. What have they done with my work? Time presses: I must -finish those shoes.” - -They looked at one another, and their hearts died within them. - -“Come, come!” said he, in a whimpering miserable way; “let me get to -work. Give me my work.” - -Receiving no answer, he tore his hair, and beat his feet upon the -ground, like a distracted child. - -“Don't torture a poor forlorn wretch,” he implored them, with a dreadful -cry; “but give me my work! What is to become of us, if those shoes are -not done to-night?” - -Lost, utterly lost! - -It was so clearly beyond hope to reason with him, or try to restore him, -that--as if by agreement--they each put a hand upon his shoulder, and -soothed him to sit down before the fire, with a promise that he should -have his work presently. He sank into the chair, and brooded over the -embers, and shed tears. As if all that had happened since the garret -time were a momentary fancy, or a dream, Mr. Lorry saw him shrink into -the exact figure that Defarge had had in keeping. - -Affected, and impressed with terror as they both were, by this spectacle -of ruin, it was not a time to yield to such emotions. His lonely -daughter, bereft of her final hope and reliance, appealed to them both -too strongly. Again, as if by agreement, they looked at one another with -one meaning in their faces. Carton was the first to speak: - -“The last chance is gone: it was not much. Yes; he had better be taken -to her. But, before you go, will you, for a moment, steadily attend to -me? Don't ask me why I make the stipulations I am going to make, and -exact the promise I am going to exact; I have a reason--a good one.” - -“I do not doubt it,” answered Mr. Lorry. “Say on.” - -The figure in the chair between them, was all the time monotonously -rocking itself to and fro, and moaning. They spoke in such a tone as -they would have used if they had been watching by a sick-bed in the -night. - -Carton stooped to pick up the coat, which lay almost entangling his -feet. As he did so, a small case in which the Doctor was accustomed to -carry the lists of his day's duties, fell lightly on the floor. Carton -took it up, and there was a folded paper in it. “We should look -at this!” he said. Mr. Lorry nodded his consent. He opened it, and -exclaimed, “Thank _God!_” - -“What is it?” asked Mr. Lorry, eagerly. - -“A moment! Let me speak of it in its place. First,” he put his hand in -his coat, and took another paper from it, “that is the certificate which -enables me to pass out of this city. Look at it. You see--Sydney Carton, -an Englishman?” - -Mr. Lorry held it open in his hand, gazing in his earnest face. - -“Keep it for me until to-morrow. I shall see him to-morrow, you -remember, and I had better not take it into the prison.” - -“Why not?” - -“I don't know; I prefer not to do so. Now, take this paper that Doctor -Manette has carried about him. It is a similar certificate, enabling him -and his daughter and her child, at any time, to pass the barrier and the -frontier! You see?” - -“Yes!” - -“Perhaps he obtained it as his last and utmost precaution against evil, -yesterday. When is it dated? But no matter; don't stay to look; put it -up carefully with mine and your own. Now, observe! I never doubted until -within this hour or two, that he had, or could have such a paper. It is -good, until recalled. But it may be soon recalled, and, I have reason to -think, will be.” - -“They are not in danger?” - -“They are in great danger. They are in danger of denunciation by Madame -Defarge. I know it from her own lips. I have overheard words of that -woman's, to-night, which have presented their danger to me in strong -colours. I have lost no time, and since then, I have seen the spy. He -confirms me. He knows that a wood-sawyer, living by the prison wall, -is under the control of the Defarges, and has been rehearsed by -Madame Defarge as to his having seen Her”--he never mentioned Lucie's -name--“making signs and signals to prisoners. It is easy to foresee that -the pretence will be the common one, a prison plot, and that it will -involve her life--and perhaps her child's--and perhaps her father's--for -both have been seen with her at that place. Don't look so horrified. You -will save them all.” - -“Heaven grant I may, Carton! But how?” - -“I am going to tell you how. It will depend on you, and it could depend -on no better man. This new denunciation will certainly not take place -until after to-morrow; probably not until two or three days afterwards; -more probably a week afterwards. You know it is a capital crime, to -mourn for, or sympathise with, a victim of the Guillotine. She and her -father would unquestionably be guilty of this crime, and this woman (the -inveteracy of whose pursuit cannot be described) would wait to add that -strength to her case, and make herself doubly sure. You follow me?” - -“So attentively, and with so much confidence in what you say, that for -the moment I lose sight,” touching the back of the Doctor's chair, “even -of this distress.” - -“You have money, and can buy the means of travelling to the seacoast -as quickly as the journey can be made. Your preparations have been -completed for some days, to return to England. Early to-morrow have your -horses ready, so that they may be in starting trim at two o'clock in the -afternoon.” - -“It shall be done!” - -His manner was so fervent and inspiring, that Mr. Lorry caught the -flame, and was as quick as youth. - -“You are a noble heart. Did I say we could depend upon no better man? -Tell her, to-night, what you know of her danger as involving her child -and her father. Dwell upon that, for she would lay her own fair head -beside her husband's cheerfully.” He faltered for an instant; then went -on as before. “For the sake of her child and her father, press upon her -the necessity of leaving Paris, with them and you, at that hour. Tell -her that it was her husband's last arrangement. Tell her that more -depends upon it than she dare believe, or hope. You think that her -father, even in this sad state, will submit himself to her; do you not?” - -“I am sure of it.” - -“I thought so. Quietly and steadily have all these arrangements made in -the courtyard here, even to the taking of your own seat in the carriage. -The moment I come to you, take me in, and drive away.” - -“I understand that I wait for you under all circumstances?” - -“You have my certificate in your hand with the rest, you know, and will -reserve my place. Wait for nothing but to have my place occupied, and -then for England!” - -“Why, then,” said Mr. Lorry, grasping his eager but so firm and steady -hand, “it does not all depend on one old man, but I shall have a young -and ardent man at my side.” - -“By the help of Heaven you shall! Promise me solemnly that nothing will -influence you to alter the course on which we now stand pledged to one -another.” - -“Nothing, Carton.” - -“Remember these words to-morrow: change the course, or delay in it--for -any reason--and no life can possibly be saved, and many lives must -inevitably be sacrificed.” - -“I will remember them. I hope to do my part faithfully.” - -“And I hope to do mine. Now, good bye!” - -Though he said it with a grave smile of earnestness, and though he even -put the old man's hand to his lips, he did not part from him then. He -helped him so far to arouse the rocking figure before the dying embers, -as to get a cloak and hat put upon it, and to tempt it forth to find -where the bench and work were hidden that it still moaningly besought -to have. He walked on the other side of it and protected it to the -courtyard of the house where the afflicted heart--so happy in -the memorable time when he had revealed his own desolate heart to -it--outwatched the awful night. He entered the courtyard and remained -there for a few moments alone, looking up at the light in the window of -her room. Before he went away, he breathed a blessing towards it, and a -Farewell. - - - - -XIII. Fifty-two - - -In the black prison of the Conciergerie, the doomed of the day awaited -their fate. They were in number as the weeks of the year. Fifty-two were -to roll that afternoon on the life-tide of the city to the boundless -everlasting sea. Before their cells were quit of them, new occupants -were appointed; before their blood ran into the blood spilled yesterday, -the blood that was to mingle with theirs to-morrow was already set -apart. - -Two score and twelve were told off. From the farmer-general of seventy, -whose riches could not buy his life, to the seamstress of twenty, whose -poverty and obscurity could not save her. Physical diseases, engendered -in the vices and neglects of men, will seize on victims of all degrees; -and the frightful moral disorder, born of unspeakable suffering, -intolerable oppression, and heartless indifference, smote equally -without distinction. - -Charles Darnay, alone in a cell, had sustained himself with no -flattering delusion since he came to it from the Tribunal. In every line -of the narrative he had heard, he had heard his condemnation. He had -fully comprehended that no personal influence could possibly save him, -that he was virtually sentenced by the millions, and that units could -avail him nothing. - -Nevertheless, it was not easy, with the face of his beloved wife fresh -before him, to compose his mind to what it must bear. His hold on life -was strong, and it was very, very hard, to loosen; by gradual efforts -and degrees unclosed a little here, it clenched the tighter there; and -when he brought his strength to bear on that hand and it yielded, -this was closed again. There was a hurry, too, in all his thoughts, -a turbulent and heated working of his heart, that contended against -resignation. If, for a moment, he did feel resigned, then his wife and -child who had to live after him, seemed to protest and to make it a -selfish thing. - -But, all this was at first. Before long, the consideration that there -was no disgrace in the fate he must meet, and that numbers went the same -road wrongfully, and trod it firmly every day, sprang up to stimulate -him. Next followed the thought that much of the future peace of mind -enjoyable by the dear ones, depended on his quiet fortitude. So, -by degrees he calmed into the better state, when he could raise his -thoughts much higher, and draw comfort down. - -Before it had set in dark on the night of his condemnation, he had -travelled thus far on his last way. Being allowed to purchase the means -of writing, and a light, he sat down to write until such time as the -prison lamps should be extinguished. - -He wrote a long letter to Lucie, showing her that he had known nothing -of her father's imprisonment, until he had heard of it from herself, -and that he had been as ignorant as she of his father's and uncle's -responsibility for that misery, until the paper had been read. He had -already explained to her that his concealment from herself of the name -he had relinquished, was the one condition--fully intelligible now--that -her father had attached to their betrothal, and was the one promise he -had still exacted on the morning of their marriage. He entreated her, -for her father's sake, never to seek to know whether her father had -become oblivious of the existence of the paper, or had had it recalled -to him (for the moment, or for good), by the story of the Tower, on -that old Sunday under the dear old plane-tree in the garden. If he had -preserved any definite remembrance of it, there could be no doubt that -he had supposed it destroyed with the Bastille, when he had found no -mention of it among the relics of prisoners which the populace had -discovered there, and which had been described to all the world. He -besought her--though he added that he knew it was needless--to console -her father, by impressing him through every tender means she could think -of, with the truth that he had done nothing for which he could justly -reproach himself, but had uniformly forgotten himself for their joint -sakes. Next to her preservation of his own last grateful love and -blessing, and her overcoming of her sorrow, to devote herself to their -dear child, he adjured her, as they would meet in Heaven, to comfort her -father. - -To her father himself, he wrote in the same strain; but, he told her -father that he expressly confided his wife and child to his care. And -he told him this, very strongly, with the hope of rousing him from any -despondency or dangerous retrospect towards which he foresaw he might be -tending. - -To Mr. Lorry, he commended them all, and explained his worldly affairs. -That done, with many added sentences of grateful friendship and warm -attachment, all was done. He never thought of Carton. His mind was so -full of the others, that he never once thought of him. - -He had time to finish these letters before the lights were put out. When -he lay down on his straw bed, he thought he had done with this world. - -But, it beckoned him back in his sleep, and showed itself in shining -forms. Free and happy, back in the old house in Soho (though it had -nothing in it like the real house), unaccountably released and light of -heart, he was with Lucie again, and she told him it was all a dream, and -he had never gone away. A pause of forgetfulness, and then he had even -suffered, and had come back to her, dead and at peace, and yet there -was no difference in him. Another pause of oblivion, and he awoke in the -sombre morning, unconscious where he was or what had happened, until it -flashed upon his mind, “this is the day of my death!” - -Thus, had he come through the hours, to the day when the fifty-two heads -were to fall. And now, while he was composed, and hoped that he could -meet the end with quiet heroism, a new action began in his waking -thoughts, which was very difficult to master. - -He had never seen the instrument that was to terminate his life. How -high it was from the ground, how many steps it had, where he would be -stood, how he would be touched, whether the touching hands would be dyed -red, which way his face would be turned, whether he would be the first, -or might be the last: these and many similar questions, in nowise -directed by his will, obtruded themselves over and over again, countless -times. Neither were they connected with fear: he was conscious of no -fear. Rather, they originated in a strange besetting desire to know what -to do when the time came; a desire gigantically disproportionate to the -few swift moments to which it referred; a wondering that was more like -the wondering of some other spirit within his, than his own. - -The hours went on as he walked to and fro, and the clocks struck the -numbers he would never hear again. Nine gone for ever, ten gone for -ever, eleven gone for ever, twelve coming on to pass away. After a hard -contest with that eccentric action of thought which had last perplexed -him, he had got the better of it. He walked up and down, softly -repeating their names to himself. The worst of the strife was over. -He could walk up and down, free from distracting fancies, praying for -himself and for them. - -Twelve gone for ever. - -He had been apprised that the final hour was Three, and he knew he would -be summoned some time earlier, inasmuch as the tumbrils jolted heavily -and slowly through the streets. Therefore, he resolved to keep Two -before his mind, as the hour, and so to strengthen himself in the -interval that he might be able, after that time, to strengthen others. - -Walking regularly to and fro with his arms folded on his breast, a very -different man from the prisoner, who had walked to and fro at La Force, -he heard One struck away from him, without surprise. The hour had -measured like most other hours. Devoutly thankful to Heaven for his -recovered self-possession, he thought, “There is but another now,” and -turned to walk again. - -Footsteps in the stone passage outside the door. He stopped. - -The key was put in the lock, and turned. Before the door was opened, or -as it opened, a man said in a low voice, in English: “He has never seen -me here; I have kept out of his way. Go you in alone; I wait near. Lose -no time!” - -The door was quickly opened and closed, and there stood before him -face to face, quiet, intent upon him, with the light of a smile on his -features, and a cautionary finger on his lip, Sydney Carton. - -There was something so bright and remarkable in his look, that, for the -first moment, the prisoner misdoubted him to be an apparition of his own -imagining. But, he spoke, and it was his voice; he took the prisoner's -hand, and it was his real grasp. - -“Of all the people upon earth, you least expected to see me?” he said. - -“I could not believe it to be you. I can scarcely believe it now. You -are not”--the apprehension came suddenly into his mind--“a prisoner?” - -“No. I am accidentally possessed of a power over one of the keepers -here, and in virtue of it I stand before you. I come from her--your -wife, dear Darnay.” - -The prisoner wrung his hand. - -“I bring you a request from her.” - -“What is it?” - -“A most earnest, pressing, and emphatic entreaty, addressed to you -in the most pathetic tones of the voice so dear to you, that you well -remember.” - -The prisoner turned his face partly aside. - -“You have no time to ask me why I bring it, or what it means; I have -no time to tell you. You must comply with it--take off those boots you -wear, and draw on these of mine.” - -There was a chair against the wall of the cell, behind the prisoner. -Carton, pressing forward, had already, with the speed of lightning, got -him down into it, and stood over him, barefoot. - -“Draw on these boots of mine. Put your hands to them; put your will to -them. Quick!” - -“Carton, there is no escaping from this place; it never can be done. You -will only die with me. It is madness.” - -“It would be madness if I asked you to escape; but do I? When I ask you -to pass out at that door, tell me it is madness and remain here. Change -that cravat for this of mine, that coat for this of mine. While you do -it, let me take this ribbon from your hair, and shake out your hair like -this of mine!” - -With wonderful quickness, and with a strength both of will and action, -that appeared quite supernatural, he forced all these changes upon him. -The prisoner was like a young child in his hands. - -“Carton! Dear Carton! It is madness. It cannot be accomplished, it never -can be done, it has been attempted, and has always failed. I implore you -not to add your death to the bitterness of mine.” - -“Do I ask you, my dear Darnay, to pass the door? When I ask that, -refuse. There are pen and ink and paper on this table. Is your hand -steady enough to write?” - -“It was when you came in.” - -“Steady it again, and write what I shall dictate. Quick, friend, quick!” - -Pressing his hand to his bewildered head, Darnay sat down at the table. -Carton, with his right hand in his breast, stood close beside him. - -“Write exactly as I speak.” - -“To whom do I address it?” - -“To no one.” Carton still had his hand in his breast. - -“Do I date it?” - -“No.” - -The prisoner looked up, at each question. Carton, standing over him with -his hand in his breast, looked down. - -“'If you remember,'” said Carton, dictating, “'the words that passed -between us, long ago, you will readily comprehend this when you see it. -You do remember them, I know. It is not in your nature to forget them.'” - -He was drawing his hand from his breast; the prisoner chancing to look -up in his hurried wonder as he wrote, the hand stopped, closing upon -something. - -“Have you written 'forget them'?” Carton asked. - -“I have. Is that a weapon in your hand?” - -“No; I am not armed.” - -“What is it in your hand?” - -“You shall know directly. Write on; there are but a few words more.” He -dictated again. “'I am thankful that the time has come, when I can prove -them. That I do so is no subject for regret or grief.'” As he said these -words with his eyes fixed on the writer, his hand slowly and softly -moved down close to the writer's face. - -The pen dropped from Darnay's fingers on the table, and he looked about -him vacantly. - -“What vapour is that?” he asked. - -“Vapour?” - -“Something that crossed me?” - -“I am conscious of nothing; there can be nothing here. Take up the pen -and finish. Hurry, hurry!” - -As if his memory were impaired, or his faculties disordered, the -prisoner made an effort to rally his attention. As he looked at Carton -with clouded eyes and with an altered manner of breathing, Carton--his -hand again in his breast--looked steadily at him. - -“Hurry, hurry!” - -The prisoner bent over the paper, once more. - -“'If it had been otherwise;'” Carton's hand was again watchfully and -softly stealing down; “'I never should have used the longer opportunity. -If it had been otherwise;'” the hand was at the prisoner's face; “'I -should but have had so much the more to answer for. If it had been -otherwise--'” Carton looked at the pen and saw it was trailing off into -unintelligible signs. - -Carton's hand moved back to his breast no more. The prisoner sprang up -with a reproachful look, but Carton's hand was close and firm at his -nostrils, and Carton's left arm caught him round the waist. For a few -seconds he faintly struggled with the man who had come to lay down his -life for him; but, within a minute or so, he was stretched insensible on -the ground. - -Quickly, but with hands as true to the purpose as his heart was, Carton -dressed himself in the clothes the prisoner had laid aside, combed back -his hair, and tied it with the ribbon the prisoner had worn. Then, he -softly called, “Enter there! Come in!” and the Spy presented himself. - -“You see?” said Carton, looking up, as he kneeled on one knee beside the -insensible figure, putting the paper in the breast: “is your hazard very -great?” - -“Mr. Carton,” the Spy answered, with a timid snap of his fingers, “my -hazard is not _that_, in the thick of business here, if you are true to -the whole of your bargain.” - -“Don't fear me. I will be true to the death.” - -“You must be, Mr. Carton, if the tale of fifty-two is to be right. Being -made right by you in that dress, I shall have no fear.” - -“Have no fear! I shall soon be out of the way of harming you, and the -rest will soon be far from here, please God! Now, get assistance and -take me to the coach.” - -“You?” said the Spy nervously. - -“Him, man, with whom I have exchanged. You go out at the gate by which -you brought me in?” - -“Of course.” - -“I was weak and faint when you brought me in, and I am fainter now you -take me out. The parting interview has overpowered me. Such a thing has -happened here, often, and too often. Your life is in your own hands. -Quick! Call assistance!” - -“You swear not to betray me?” said the trembling Spy, as he paused for a -last moment. - -“Man, man!” returned Carton, stamping his foot; “have I sworn by no -solemn vow already, to go through with this, that you waste the precious -moments now? Take him yourself to the courtyard you know of, place -him yourself in the carriage, show him yourself to Mr. Lorry, tell him -yourself to give him no restorative but air, and to remember my words of -last night, and his promise of last night, and drive away!” - -The Spy withdrew, and Carton seated himself at the table, resting his -forehead on his hands. The Spy returned immediately, with two men. - -“How, then?” said one of them, contemplating the fallen figure. “So -afflicted to find that his friend has drawn a prize in the lottery of -Sainte Guillotine?” - -“A good patriot,” said the other, “could hardly have been more afflicted -if the Aristocrat had drawn a blank.” - -They raised the unconscious figure, placed it on a litter they had -brought to the door, and bent to carry it away. - -“The time is short, Evremonde,” said the Spy, in a warning voice. - -“I know it well,” answered Carton. “Be careful of my friend, I entreat -you, and leave me.” - -“Come, then, my children,” said Barsad. “Lift him, and come away!” - -The door closed, and Carton was left alone. Straining his powers of -listening to the utmost, he listened for any sound that might denote -suspicion or alarm. There was none. Keys turned, doors clashed, -footsteps passed along distant passages: no cry was raised, or hurry -made, that seemed unusual. Breathing more freely in a little while, he -sat down at the table, and listened again until the clock struck Two. - -Sounds that he was not afraid of, for he divined their meaning, then -began to be audible. Several doors were opened in succession, and -finally his own. A gaoler, with a list in his hand, looked in, merely -saying, “Follow me, Evremonde!” and he followed into a large dark room, -at a distance. It was a dark winter day, and what with the shadows -within, and what with the shadows without, he could but dimly discern -the others who were brought there to have their arms bound. Some were -standing; some seated. Some were lamenting, and in restless motion; -but, these were few. The great majority were silent and still, looking -fixedly at the ground. - -As he stood by the wall in a dim corner, while some of the fifty-two -were brought in after him, one man stopped in passing, to embrace him, -as having a knowledge of him. It thrilled him with a great dread of -discovery; but the man went on. A very few moments after that, a young -woman, with a slight girlish form, a sweet spare face in which there was -no vestige of colour, and large widely opened patient eyes, rose from -the seat where he had observed her sitting, and came to speak to him. - -“Citizen Evremonde,” she said, touching him with her cold hand. “I am a -poor little seamstress, who was with you in La Force.” - -He murmured for answer: “True. I forget what you were accused of?” - -“Plots. Though the just Heaven knows that I am innocent of any. Is it -likely? Who would think of plotting with a poor little weak creature -like me?” - -The forlorn smile with which she said it, so touched him, that tears -started from his eyes. - -“I am not afraid to die, Citizen Evremonde, but I have done nothing. I -am not unwilling to die, if the Republic which is to do so much good -to us poor, will profit by my death; but I do not know how that can be, -Citizen Evremonde. Such a poor weak little creature!” - -As the last thing on earth that his heart was to warm and soften to, it -warmed and softened to this pitiable girl. - -“I heard you were released, Citizen Evremonde. I hoped it was true?” - -“It was. But, I was again taken and condemned.” - -“If I may ride with you, Citizen Evremonde, will you let me hold your -hand? I am not afraid, but I am little and weak, and it will give me -more courage.” - -As the patient eyes were lifted to his face, he saw a sudden doubt in -them, and then astonishment. He pressed the work-worn, hunger-worn young -fingers, and touched his lips. - -“Are you dying for him?” she whispered. - -“And his wife and child. Hush! Yes.” - -“O you will let me hold your brave hand, stranger?” - -“Hush! Yes, my poor sister; to the last.” - - ***** - -The same shadows that are falling on the prison, are falling, in that -same hour of the early afternoon, on the Barrier with the crowd about -it, when a coach going out of Paris drives up to be examined. - -“Who goes here? Whom have we within? Papers!” - -The papers are handed out, and read. - -“Alexandre Manette. Physician. French. Which is he?” - -This is he; this helpless, inarticulately murmuring, wandering old man -pointed out. - -“Apparently the Citizen-Doctor is not in his right mind? The -Revolution-fever will have been too much for him?” - -Greatly too much for him. - -“Hah! Many suffer with it. Lucie. His daughter. French. Which is she?” - -This is she. - -“Apparently it must be. Lucie, the wife of Evremonde; is it not?” - -It is. - -“Hah! Evremonde has an assignation elsewhere. Lucie, her child. English. -This is she?” - -She and no other. - -“Kiss me, child of Evremonde. Now, thou hast kissed a good Republican; -something new in thy family; remember it! Sydney Carton. Advocate. -English. Which is he?” - -He lies here, in this corner of the carriage. He, too, is pointed out. - -“Apparently the English advocate is in a swoon?” - -It is hoped he will recover in the fresher air. It is represented that -he is not in strong health, and has separated sadly from a friend who is -under the displeasure of the Republic. - -“Is that all? It is not a great deal, that! Many are under the -displeasure of the Republic, and must look out at the little window. -Jarvis Lorry. Banker. English. Which is he?” - -“I am he. Necessarily, being the last.” - -It is Jarvis Lorry who has replied to all the previous questions. It -is Jarvis Lorry who has alighted and stands with his hand on the coach -door, replying to a group of officials. They leisurely walk round the -carriage and leisurely mount the box, to look at what little luggage it -carries on the roof; the country-people hanging about, press nearer to -the coach doors and greedily stare in; a little child, carried by its -mother, has its short arm held out for it, that it may touch the wife of -an aristocrat who has gone to the Guillotine. - -“Behold your papers, Jarvis Lorry, countersigned.” - -“One can depart, citizen?” - -“One can depart. Forward, my postilions! A good journey!” - -“I salute you, citizens.--And the first danger passed!” - -These are again the words of Jarvis Lorry, as he clasps his hands, and -looks upward. There is terror in the carriage, there is weeping, there -is the heavy breathing of the insensible traveller. - -“Are we not going too slowly? Can they not be induced to go faster?” - asks Lucie, clinging to the old man. - -“It would seem like flight, my darling. I must not urge them too much; -it would rouse suspicion.” - -“Look back, look back, and see if we are pursued!” - -“The road is clear, my dearest. So far, we are not pursued.” - -Houses in twos and threes pass by us, solitary farms, ruinous buildings, -dye-works, tanneries, and the like, open country, avenues of leafless -trees. The hard uneven pavement is under us, the soft deep mud is on -either side. Sometimes, we strike into the skirting mud, to avoid the -stones that clatter us and shake us; sometimes, we stick in ruts and -sloughs there. The agony of our impatience is then so great, that in our -wild alarm and hurry we are for getting out and running--hiding--doing -anything but stopping. - -Out of the open country, in again among ruinous buildings, solitary -farms, dye-works, tanneries, and the like, cottages in twos and threes, -avenues of leafless trees. Have these men deceived us, and taken us back -by another road? Is not this the same place twice over? Thank Heaven, -no. A village. Look back, look back, and see if we are pursued! Hush! -the posting-house. - -Leisurely, our four horses are taken out; leisurely, the coach stands in -the little street, bereft of horses, and with no likelihood upon it -of ever moving again; leisurely, the new horses come into visible -existence, one by one; leisurely, the new postilions follow, sucking and -plaiting the lashes of their whips; leisurely, the old postilions count -their money, make wrong additions, and arrive at dissatisfied results. -All the time, our overfraught hearts are beating at a rate that would -far outstrip the fastest gallop of the fastest horses ever foaled. - -At length the new postilions are in their saddles, and the old are left -behind. We are through the village, up the hill, and down the hill, and -on the low watery grounds. Suddenly, the postilions exchange speech with -animated gesticulation, and the horses are pulled up, almost on their -haunches. We are pursued? - -“Ho! Within the carriage there. Speak then!” - -“What is it?” asks Mr. Lorry, looking out at window. - -“How many did they say?” - -“I do not understand you.” - -“--At the last post. How many to the Guillotine to-day?” - -“Fifty-two.” - -“I said so! A brave number! My fellow-citizen here would have it -forty-two; ten more heads are worth having. The Guillotine goes -handsomely. I love it. Hi forward. Whoop!” - -The night comes on dark. He moves more; he is beginning to revive, and -to speak intelligibly; he thinks they are still together; he asks him, -by his name, what he has in his hand. O pity us, kind Heaven, and help -us! Look out, look out, and see if we are pursued. - -The wind is rushing after us, and the clouds are flying after us, and -the moon is plunging after us, and the whole wild night is in pursuit of -us; but, so far, we are pursued by nothing else. - - - - -XIV. The Knitting Done - - -In that same juncture of time when the Fifty-Two awaited their fate -Madame Defarge held darkly ominous council with The Vengeance and -Jacques Three of the Revolutionary Jury. Not in the wine-shop did Madame -Defarge confer with these ministers, but in the shed of the wood-sawyer, -erst a mender of roads. The sawyer himself did not participate in the -conference, but abided at a little distance, like an outer satellite who -was not to speak until required, or to offer an opinion until invited. - -“But our Defarge,” said Jacques Three, “is undoubtedly a good -Republican? Eh?” - -“There is no better,” the voluble Vengeance protested in her shrill -notes, “in France.” - -“Peace, little Vengeance,” said Madame Defarge, laying her hand with -a slight frown on her lieutenant's lips, “hear me speak. My husband, -fellow-citizen, is a good Republican and a bold man; he has deserved -well of the Republic, and possesses its confidence. But my husband has -his weaknesses, and he is so weak as to relent towards this Doctor.” - -“It is a great pity,” croaked Jacques Three, dubiously shaking his head, -with his cruel fingers at his hungry mouth; “it is not quite like a good -citizen; it is a thing to regret.” - -“See you,” said madame, “I care nothing for this Doctor, I. He may wear -his head or lose it, for any interest I have in him; it is all one to -me. But, the Evremonde people are to be exterminated, and the wife and -child must follow the husband and father.” - -“She has a fine head for it,” croaked Jacques Three. “I have seen blue -eyes and golden hair there, and they looked charming when Samson held -them up.” Ogre that he was, he spoke like an epicure. - -Madame Defarge cast down her eyes, and reflected a little. - -“The child also,” observed Jacques Three, with a meditative enjoyment -of his words, “has golden hair and blue eyes. And we seldom have a child -there. It is a pretty sight!” - -“In a word,” said Madame Defarge, coming out of her short abstraction, -“I cannot trust my husband in this matter. Not only do I feel, since -last night, that I dare not confide to him the details of my projects; -but also I feel that if I delay, there is danger of his giving warning, -and then they might escape.” - -“That must never be,” croaked Jacques Three; “no one must escape. We -have not half enough as it is. We ought to have six score a day.” - -“In a word,” Madame Defarge went on, “my husband has not my reason for -pursuing this family to annihilation, and I have not his reason for -regarding this Doctor with any sensibility. I must act for myself, -therefore. Come hither, little citizen.” - -The wood-sawyer, who held her in the respect, and himself in the -submission, of mortal fear, advanced with his hand to his red cap. - -“Touching those signals, little citizen,” said Madame Defarge, sternly, -“that she made to the prisoners; you are ready to bear witness to them -this very day?” - -“Ay, ay, why not!” cried the sawyer. “Every day, in all weathers, from -two to four, always signalling, sometimes with the little one, sometimes -without. I know what I know. I have seen with my eyes.” - -He made all manner of gestures while he spoke, as if in incidental -imitation of some few of the great diversity of signals that he had -never seen. - -“Clearly plots,” said Jacques Three. “Transparently!” - -“There is no doubt of the Jury?” inquired Madame Defarge, letting her -eyes turn to him with a gloomy smile. - -“Rely upon the patriotic Jury, dear citizeness. I answer for my -fellow-Jurymen.” - -“Now, let me see,” said Madame Defarge, pondering again. “Yet once more! -Can I spare this Doctor to my husband? I have no feeling either way. Can -I spare him?” - -“He would count as one head,” observed Jacques Three, in a low voice. -“We really have not heads enough; it would be a pity, I think.” - -“He was signalling with her when I saw her,” argued Madame Defarge; “I -cannot speak of one without the other; and I must not be silent, and -trust the case wholly to him, this little citizen here. For, I am not a -bad witness.” - -The Vengeance and Jacques Three vied with each other in their fervent -protestations that she was the most admirable and marvellous of -witnesses. The little citizen, not to be outdone, declared her to be a -celestial witness. - -“He must take his chance,” said Madame Defarge. “No, I cannot spare -him! You are engaged at three o'clock; you are going to see the batch of -to-day executed.--You?” - -The question was addressed to the wood-sawyer, who hurriedly replied in -the affirmative: seizing the occasion to add that he was the most ardent -of Republicans, and that he would be in effect the most desolate of -Republicans, if anything prevented him from enjoying the pleasure of -smoking his afternoon pipe in the contemplation of the droll national -barber. He was so very demonstrative herein, that he might have been -suspected (perhaps was, by the dark eyes that looked contemptuously at -him out of Madame Defarge's head) of having his small individual fears -for his own personal safety, every hour in the day. - -“I,” said madame, “am equally engaged at the same place. After it is -over--say at eight to-night--come you to me, in Saint Antoine, and we -will give information against these people at my Section.” - -The wood-sawyer said he would be proud and flattered to attend the -citizeness. The citizeness looking at him, he became embarrassed, evaded -her glance as a small dog would have done, retreated among his wood, and -hid his confusion over the handle of his saw. - -Madame Defarge beckoned the Juryman and The Vengeance a little nearer to -the door, and there expounded her further views to them thus: - -“She will now be at home, awaiting the moment of his death. She will -be mourning and grieving. She will be in a state of mind to impeach the -justice of the Republic. She will be full of sympathy with its enemies. -I will go to her.” - -“What an admirable woman; what an adorable woman!” exclaimed Jacques -Three, rapturously. “Ah, my cherished!” cried The Vengeance; and -embraced her. - -“Take you my knitting,” said Madame Defarge, placing it in her -lieutenant's hands, “and have it ready for me in my usual seat. Keep -me my usual chair. Go you there, straight, for there will probably be a -greater concourse than usual, to-day.” - -“I willingly obey the orders of my Chief,” said The Vengeance with -alacrity, and kissing her cheek. “You will not be late?” - -“I shall be there before the commencement.” - -“And before the tumbrils arrive. Be sure you are there, my soul,” said -The Vengeance, calling after her, for she had already turned into the -street, “before the tumbrils arrive!” - -Madame Defarge slightly waved her hand, to imply that she heard, and -might be relied upon to arrive in good time, and so went through the -mud, and round the corner of the prison wall. The Vengeance and the -Juryman, looking after her as she walked away, were highly appreciative -of her fine figure, and her superb moral endowments. - -There were many women at that time, upon whom the time laid a dreadfully -disfiguring hand; but, there was not one among them more to be dreaded -than this ruthless woman, now taking her way along the streets. Of a -strong and fearless character, of shrewd sense and readiness, of great -determination, of that kind of beauty which not only seems to impart -to its possessor firmness and animosity, but to strike into others an -instinctive recognition of those qualities; the troubled time would have -heaved her up, under any circumstances. But, imbued from her childhood -with a brooding sense of wrong, and an inveterate hatred of a class, -opportunity had developed her into a tigress. She was absolutely without -pity. If she had ever had the virtue in her, it had quite gone out of -her. - -It was nothing to her, that an innocent man was to die for the sins of -his forefathers; she saw, not him, but them. It was nothing to her, that -his wife was to be made a widow and his daughter an orphan; that was -insufficient punishment, because they were her natural enemies and -her prey, and as such had no right to live. To appeal to her, was made -hopeless by her having no sense of pity, even for herself. If she had -been laid low in the streets, in any of the many encounters in which -she had been engaged, she would not have pitied herself; nor, if she had -been ordered to the axe to-morrow, would she have gone to it with any -softer feeling than a fierce desire to change places with the man who -sent her there. - -Such a heart Madame Defarge carried under her rough robe. Carelessly -worn, it was a becoming robe enough, in a certain weird way, and her -dark hair looked rich under her coarse red cap. Lying hidden in her -bosom, was a loaded pistol. Lying hidden at her waist, was a sharpened -dagger. Thus accoutred, and walking with the confident tread of such -a character, and with the supple freedom of a woman who had habitually -walked in her girlhood, bare-foot and bare-legged, on the brown -sea-sand, Madame Defarge took her way along the streets. - -Now, when the journey of the travelling coach, at that very moment -waiting for the completion of its load, had been planned out last night, -the difficulty of taking Miss Pross in it had much engaged Mr. Lorry's -attention. It was not merely desirable to avoid overloading the coach, -but it was of the highest importance that the time occupied in examining -it and its passengers, should be reduced to the utmost; since their -escape might depend on the saving of only a few seconds here and there. -Finally, he had proposed, after anxious consideration, that Miss Pross -and Jerry, who were at liberty to leave the city, should leave it at -three o'clock in the lightest-wheeled conveyance known to that period. -Unencumbered with luggage, they would soon overtake the coach, and, -passing it and preceding it on the road, would order its horses in -advance, and greatly facilitate its progress during the precious hours -of the night, when delay was the most to be dreaded. - -Seeing in this arrangement the hope of rendering real service in that -pressing emergency, Miss Pross hailed it with joy. She and Jerry had -beheld the coach start, had known who it was that Solomon brought, had -passed some ten minutes in tortures of suspense, and were now concluding -their arrangements to follow the coach, even as Madame Defarge, -taking her way through the streets, now drew nearer and nearer to the -else-deserted lodging in which they held their consultation. - -“Now what do you think, Mr. Cruncher,” said Miss Pross, whose agitation -was so great that she could hardly speak, or stand, or move, or live: -“what do you think of our not starting from this courtyard? Another -carriage having already gone from here to-day, it might awaken -suspicion.” - -“My opinion, miss,” returned Mr. Cruncher, “is as you're right. Likewise -wot I'll stand by you, right or wrong.” - -“I am so distracted with fear and hope for our precious creatures,” said -Miss Pross, wildly crying, “that I am incapable of forming any plan. Are -_you_ capable of forming any plan, my dear good Mr. Cruncher?” - -“Respectin' a future spear o' life, miss,” returned Mr. Cruncher, “I -hope so. Respectin' any present use o' this here blessed old head o' -mine, I think not. Would you do me the favour, miss, to take notice o' -two promises and wows wot it is my wishes fur to record in this here -crisis?” - -“Oh, for gracious sake!” cried Miss Pross, still wildly crying, “record -them at once, and get them out of the way, like an excellent man.” - -“First,” said Mr. Cruncher, who was all in a tremble, and who spoke with -an ashy and solemn visage, “them poor things well out o' this, never no -more will I do it, never no more!” - -“I am quite sure, Mr. Cruncher,” returned Miss Pross, “that you -never will do it again, whatever it is, and I beg you not to think it -necessary to mention more particularly what it is.” - -“No, miss,” returned Jerry, “it shall not be named to you. Second: them -poor things well out o' this, and never no more will I interfere with -Mrs. Cruncher's flopping, never no more!” - -“Whatever housekeeping arrangement that may be,” said Miss Pross, -striving to dry her eyes and compose herself, “I have no doubt it -is best that Mrs. Cruncher should have it entirely under her own -superintendence.--O my poor darlings!” - -“I go so far as to say, miss, moreover,” proceeded Mr. Cruncher, with a -most alarming tendency to hold forth as from a pulpit--“and let my words -be took down and took to Mrs. Cruncher through yourself--that wot my -opinions respectin' flopping has undergone a change, and that wot I only -hope with all my heart as Mrs. Cruncher may be a flopping at the present -time.” - -“There, there, there! I hope she is, my dear man,” cried the distracted -Miss Pross, “and I hope she finds it answering her expectations.” - -“Forbid it,” proceeded Mr. Cruncher, with additional solemnity, -additional slowness, and additional tendency to hold forth and hold -out, “as anything wot I have ever said or done should be wisited on my -earnest wishes for them poor creeturs now! Forbid it as we shouldn't all -flop (if it was anyways conwenient) to get 'em out o' this here dismal -risk! Forbid it, miss! Wot I say, for-_bid_ it!” This was Mr. Cruncher's -conclusion after a protracted but vain endeavour to find a better one. - -And still Madame Defarge, pursuing her way along the streets, came -nearer and nearer. - -“If we ever get back to our native land,” said Miss Pross, “you may rely -upon my telling Mrs. Cruncher as much as I may be able to remember and -understand of what you have so impressively said; and at all events -you may be sure that I shall bear witness to your being thoroughly in -earnest at this dreadful time. Now, pray let us think! My esteemed Mr. -Cruncher, let us think!” - -Still, Madame Defarge, pursuing her way along the streets, came nearer -and nearer. - -“If you were to go before,” said Miss Pross, “and stop the vehicle and -horses from coming here, and were to wait somewhere for me; wouldn't -that be best?” - -Mr. Cruncher thought it might be best. - -“Where could you wait for me?” asked Miss Pross. - -Mr. Cruncher was so bewildered that he could think of no locality but -Temple Bar. Alas! Temple Bar was hundreds of miles away, and Madame -Defarge was drawing very near indeed. - -“By the cathedral door,” said Miss Pross. “Would it be much out of -the way, to take me in, near the great cathedral door between the two -towers?” - -“No, miss,” answered Mr. Cruncher. - -“Then, like the best of men,” said Miss Pross, “go to the posting-house -straight, and make that change.” - -“I am doubtful,” said Mr. Cruncher, hesitating and shaking his head, -“about leaving of you, you see. We don't know what may happen.” - -“Heaven knows we don't,” returned Miss Pross, “but have no fear for me. -Take me in at the cathedral, at Three o'Clock, or as near it as you can, -and I am sure it will be better than our going from here. I feel certain -of it. There! Bless you, Mr. Cruncher! Think-not of me, but of the lives -that may depend on both of us!” - -This exordium, and Miss Pross's two hands in quite agonised entreaty -clasping his, decided Mr. Cruncher. With an encouraging nod or two, he -immediately went out to alter the arrangements, and left her by herself -to follow as she had proposed. - -The having originated a precaution which was already in course of -execution, was a great relief to Miss Pross. The necessity of composing -her appearance so that it should attract no special notice in the -streets, was another relief. She looked at her watch, and it was twenty -minutes past two. She had no time to lose, but must get ready at once. - -Afraid, in her extreme perturbation, of the loneliness of the deserted -rooms, and of half-imagined faces peeping from behind every open door -in them, Miss Pross got a basin of cold water and began laving her eyes, -which were swollen and red. Haunted by her feverish apprehensions, she -could not bear to have her sight obscured for a minute at a time by the -dripping water, but constantly paused and looked round to see that there -was no one watching her. In one of those pauses she recoiled and cried -out, for she saw a figure standing in the room. - -The basin fell to the ground broken, and the water flowed to the feet of -Madame Defarge. By strange stern ways, and through much staining blood, -those feet had come to meet that water. - -Madame Defarge looked coldly at her, and said, “The wife of Evremonde; -where is she?” - -It flashed upon Miss Pross's mind that the doors were all standing open, -and would suggest the flight. Her first act was to shut them. There were -four in the room, and she shut them all. She then placed herself before -the door of the chamber which Lucie had occupied. - -Madame Defarge's dark eyes followed her through this rapid movement, -and rested on her when it was finished. Miss Pross had nothing beautiful -about her; years had not tamed the wildness, or softened the grimness, -of her appearance; but, she too was a determined woman in her different -way, and she measured Madame Defarge with her eyes, every inch. - -“You might, from your appearance, be the wife of Lucifer,” said Miss -Pross, in her breathing. “Nevertheless, you shall not get the better of -me. I am an Englishwoman.” - -Madame Defarge looked at her scornfully, but still with something of -Miss Pross's own perception that they two were at bay. She saw a tight, -hard, wiry woman before her, as Mr. Lorry had seen in the same figure a -woman with a strong hand, in the years gone by. She knew full well that -Miss Pross was the family's devoted friend; Miss Pross knew full well -that Madame Defarge was the family's malevolent enemy. - -“On my way yonder,” said Madame Defarge, with a slight movement of -her hand towards the fatal spot, “where they reserve my chair and my -knitting for me, I am come to make my compliments to her in passing. I -wish to see her.” - -“I know that your intentions are evil,” said Miss Pross, “and you may -depend upon it, I'll hold my own against them.” - -Each spoke in her own language; neither understood the other's words; -both were very watchful, and intent to deduce from look and manner, what -the unintelligible words meant. - -“It will do her no good to keep herself concealed from me at this -moment,” said Madame Defarge. “Good patriots will know what that means. -Let me see her. Go tell her that I wish to see her. Do you hear?” - -“If those eyes of yours were bed-winches,” returned Miss Pross, “and I -was an English four-poster, they shouldn't loose a splinter of me. No, -you wicked foreign woman; I am your match.” - -Madame Defarge was not likely to follow these idiomatic remarks in -detail; but, she so far understood them as to perceive that she was set -at naught. - -“Woman imbecile and pig-like!” said Madame Defarge, frowning. “I take no -answer from you. I demand to see her. Either tell her that I demand -to see her, or stand out of the way of the door and let me go to her!” - This, with an angry explanatory wave of her right arm. - -“I little thought,” said Miss Pross, “that I should ever want to -understand your nonsensical language; but I would give all I have, -except the clothes I wear, to know whether you suspect the truth, or any -part of it.” - -Neither of them for a single moment released the other's eyes. Madame -Defarge had not moved from the spot where she stood when Miss Pross -first became aware of her; but, she now advanced one step. - -“I am a Briton,” said Miss Pross, “I am desperate. I don't care an -English Twopence for myself. I know that the longer I keep you here, the -greater hope there is for my Ladybird. I'll not leave a handful of that -dark hair upon your head, if you lay a finger on me!” - -Thus Miss Pross, with a shake of her head and a flash of her eyes -between every rapid sentence, and every rapid sentence a whole breath. -Thus Miss Pross, who had never struck a blow in her life. - -But, her courage was of that emotional nature that it brought the -irrepressible tears into her eyes. This was a courage that Madame -Defarge so little comprehended as to mistake for weakness. “Ha, ha!” she -laughed, “you poor wretch! What are you worth! I address myself to that -Doctor.” Then she raised her voice and called out, “Citizen Doctor! Wife -of Evremonde! Child of Evremonde! Any person but this miserable fool, -answer the Citizeness Defarge!” - -Perhaps the following silence, perhaps some latent disclosure in the -expression of Miss Pross's face, perhaps a sudden misgiving apart from -either suggestion, whispered to Madame Defarge that they were gone. -Three of the doors she opened swiftly, and looked in. - -“Those rooms are all in disorder, there has been hurried packing, there -are odds and ends upon the ground. There is no one in that room behind -you! Let me look.” - -“Never!” said Miss Pross, who understood the request as perfectly as -Madame Defarge understood the answer. - -“If they are not in that room, they are gone, and can be pursued and -brought back,” said Madame Defarge to herself. - -“As long as you don't know whether they are in that room or not, you are -uncertain what to do,” said Miss Pross to herself; “and you shall not -know that, if I can prevent your knowing it; and know that, or not know -that, you shall not leave here while I can hold you.” - -“I have been in the streets from the first, nothing has stopped me, -I will tear you to pieces, but I will have you from that door,” said -Madame Defarge. - -“We are alone at the top of a high house in a solitary courtyard, we are -not likely to be heard, and I pray for bodily strength to keep you here, -while every minute you are here is worth a hundred thousand guineas to -my darling,” said Miss Pross. - -Madame Defarge made at the door. Miss Pross, on the instinct of the -moment, seized her round the waist in both her arms, and held her tight. -It was in vain for Madame Defarge to struggle and to strike; Miss Pross, -with the vigorous tenacity of love, always so much stronger than hate, -clasped her tight, and even lifted her from the floor in the struggle -that they had. The two hands of Madame Defarge buffeted and tore her -face; but, Miss Pross, with her head down, held her round the waist, and -clung to her with more than the hold of a drowning woman. - -Soon, Madame Defarge's hands ceased to strike, and felt at her encircled -waist. “It is under my arm,” said Miss Pross, in smothered tones, “you -shall not draw it. I am stronger than you, I bless Heaven for it. I hold -you till one or other of us faints or dies!” - -Madame Defarge's hands were at her bosom. Miss Pross looked up, saw -what it was, struck at it, struck out a flash and a crash, and stood -alone--blinded with smoke. - -All this was in a second. As the smoke cleared, leaving an awful -stillness, it passed out on the air, like the soul of the furious woman -whose body lay lifeless on the ground. - -In the first fright and horror of her situation, Miss Pross passed the -body as far from it as she could, and ran down the stairs to call for -fruitless help. Happily, she bethought herself of the consequences of -what she did, in time to check herself and go back. It was dreadful to -go in at the door again; but, she did go in, and even went near it, to -get the bonnet and other things that she must wear. These she put on, -out on the staircase, first shutting and locking the door and taking -away the key. She then sat down on the stairs a few moments to breathe -and to cry, and then got up and hurried away. - -By good fortune she had a veil on her bonnet, or she could hardly have -gone along the streets without being stopped. By good fortune, too, she -was naturally so peculiar in appearance as not to show disfigurement -like any other woman. She needed both advantages, for the marks of -gripping fingers were deep in her face, and her hair was torn, and her -dress (hastily composed with unsteady hands) was clutched and dragged a -hundred ways. - -In crossing the bridge, she dropped the door key in the river. Arriving -at the cathedral some few minutes before her escort, and waiting there, -she thought, what if the key were already taken in a net, what if -it were identified, what if the door were opened and the remains -discovered, what if she were stopped at the gate, sent to prison, and -charged with murder! In the midst of these fluttering thoughts, the -escort appeared, took her in, and took her away. - -“Is there any noise in the streets?” she asked him. - -“The usual noises,” Mr. Cruncher replied; and looked surprised by the -question and by her aspect. - -“I don't hear you,” said Miss Pross. “What do you say?” - -It was in vain for Mr. Cruncher to repeat what he said; Miss Pross could -not hear him. “So I'll nod my head,” thought Mr. Cruncher, amazed, “at -all events she'll see that.” And she did. - -“Is there any noise in the streets now?” asked Miss Pross again, -presently. - -Again Mr. Cruncher nodded his head. - -“I don't hear it.” - -“Gone deaf in an hour?” said Mr. Cruncher, ruminating, with his mind -much disturbed; “wot's come to her?” - -“I feel,” said Miss Pross, “as if there had been a flash and a crash, -and that crash was the last thing I should ever hear in this life.” - -“Blest if she ain't in a queer condition!” said Mr. Cruncher, more and -more disturbed. “Wot can she have been a takin', to keep her courage up? -Hark! There's the roll of them dreadful carts! You can hear that, miss?” - -“I can hear,” said Miss Pross, seeing that he spoke to her, “nothing. O, -my good man, there was first a great crash, and then a great stillness, -and that stillness seems to be fixed and unchangeable, never to be -broken any more as long as my life lasts.” - -“If she don't hear the roll of those dreadful carts, now very nigh their -journey's end,” said Mr. Cruncher, glancing over his shoulder, “it's my -opinion that indeed she never will hear anything else in this world.” - -And indeed she never did. - - - - -XV. The Footsteps Die Out For Ever - - -Along the Paris streets, the death-carts rumble, hollow and harsh. Six -tumbrils carry the day's wine to La Guillotine. All the devouring and -insatiate Monsters imagined since imagination could record itself, -are fused in the one realisation, Guillotine. And yet there is not in -France, with its rich variety of soil and climate, a blade, a leaf, -a root, a sprig, a peppercorn, which will grow to maturity under -conditions more certain than those that have produced this horror. Crush -humanity out of shape once more, under similar hammers, and it will -twist itself into the same tortured forms. Sow the same seed of -rapacious license and oppression over again, and it will surely yield -the same fruit according to its kind. - -Six tumbrils roll along the streets. Change these back again to what -they were, thou powerful enchanter, Time, and they shall be seen to be -the carriages of absolute monarchs, the equipages of feudal nobles, the -toilettes of flaring Jezebels, the churches that are not my father's -house but dens of thieves, the huts of millions of starving peasants! -No; the great magician who majestically works out the appointed order -of the Creator, never reverses his transformations. “If thou be changed -into this shape by the will of God,” say the seers to the enchanted, in -the wise Arabian stories, “then remain so! But, if thou wear this -form through mere passing conjuration, then resume thy former aspect!” - Changeless and hopeless, the tumbrils roll along. - -As the sombre wheels of the six carts go round, they seem to plough up -a long crooked furrow among the populace in the streets. Ridges of faces -are thrown to this side and to that, and the ploughs go steadily onward. -So used are the regular inhabitants of the houses to the spectacle, that -in many windows there are no people, and in some the occupation of the -hands is not so much as suspended, while the eyes survey the faces in -the tumbrils. Here and there, the inmate has visitors to see the sight; -then he points his finger, with something of the complacency of a -curator or authorised exponent, to this cart and to this, and seems to -tell who sat here yesterday, and who there the day before. - -Of the riders in the tumbrils, some observe these things, and all -things on their last roadside, with an impassive stare; others, with -a lingering interest in the ways of life and men. Some, seated with -drooping heads, are sunk in silent despair; again, there are some so -heedful of their looks that they cast upon the multitude such glances as -they have seen in theatres, and in pictures. Several close their eyes, -and think, or try to get their straying thoughts together. Only one, and -he a miserable creature, of a crazed aspect, is so shattered and made -drunk by horror, that he sings, and tries to dance. Not one of the whole -number appeals by look or gesture, to the pity of the people. - -There is a guard of sundry horsemen riding abreast of the tumbrils, -and faces are often turned up to some of them, and they are asked some -question. It would seem to be always the same question, for, it is -always followed by a press of people towards the third cart. The -horsemen abreast of that cart, frequently point out one man in it with -their swords. The leading curiosity is, to know which is he; he stands -at the back of the tumbril with his head bent down, to converse with a -mere girl who sits on the side of the cart, and holds his hand. He has -no curiosity or care for the scene about him, and always speaks to the -girl. Here and there in the long street of St. Honore, cries are raised -against him. If they move him at all, it is only to a quiet smile, as he -shakes his hair a little more loosely about his face. He cannot easily -touch his face, his arms being bound. - -On the steps of a church, awaiting the coming-up of the tumbrils, stands -the Spy and prison-sheep. He looks into the first of them: not there. -He looks into the second: not there. He already asks himself, “Has he -sacrificed me?” when his face clears, as he looks into the third. - -“Which is Evremonde?” says a man behind him. - -“That. At the back there.” - -“With his hand in the girl's?” - -“Yes.” - -The man cries, “Down, Evremonde! To the Guillotine all aristocrats! -Down, Evremonde!” - -“Hush, hush!” the Spy entreats him, timidly. - -“And why not, citizen?” - -“He is going to pay the forfeit: it will be paid in five minutes more. -Let him be at peace.” - -But the man continuing to exclaim, “Down, Evremonde!” the face of -Evremonde is for a moment turned towards him. Evremonde then sees the -Spy, and looks attentively at him, and goes his way. - -The clocks are on the stroke of three, and the furrow ploughed among the -populace is turning round, to come on into the place of execution, and -end. The ridges thrown to this side and to that, now crumble in and -close behind the last plough as it passes on, for all are following -to the Guillotine. In front of it, seated in chairs, as in a garden of -public diversion, are a number of women, busily knitting. On one of the -fore-most chairs, stands The Vengeance, looking about for her friend. - -“Therese!” she cries, in her shrill tones. “Who has seen her? Therese -Defarge!” - -“She never missed before,” says a knitting-woman of the sisterhood. - -“No; nor will she miss now,” cries The Vengeance, petulantly. “Therese.” - -“Louder,” the woman recommends. - -Ay! Louder, Vengeance, much louder, and still she will scarcely hear -thee. Louder yet, Vengeance, with a little oath or so added, and yet -it will hardly bring her. Send other women up and down to seek her, -lingering somewhere; and yet, although the messengers have done dread -deeds, it is questionable whether of their own wills they will go far -enough to find her! - -“Bad Fortune!” cries The Vengeance, stamping her foot in the chair, “and -here are the tumbrils! And Evremonde will be despatched in a wink, and -she not here! See her knitting in my hand, and her empty chair ready for -her. I cry with vexation and disappointment!” - -As The Vengeance descends from her elevation to do it, the tumbrils -begin to discharge their loads. The ministers of Sainte Guillotine are -robed and ready. Crash!--A head is held up, and the knitting-women who -scarcely lifted their eyes to look at it a moment ago when it could -think and speak, count One. - -The second tumbril empties and moves on; the third comes up. Crash!--And -the knitting-women, never faltering or pausing in their Work, count Two. - -The supposed Evremonde descends, and the seamstress is lifted out next -after him. He has not relinquished her patient hand in getting out, but -still holds it as he promised. He gently places her with her back to the -crashing engine that constantly whirrs up and falls, and she looks into -his face and thanks him. - -“But for you, dear stranger, I should not be so composed, for I am -naturally a poor little thing, faint of heart; nor should I have been -able to raise my thoughts to Him who was put to death, that we might -have hope and comfort here to-day. I think you were sent to me by -Heaven.” - -“Or you to me,” says Sydney Carton. “Keep your eyes upon me, dear child, -and mind no other object.” - -“I mind nothing while I hold your hand. I shall mind nothing when I let -it go, if they are rapid.” - -“They will be rapid. Fear not!” - -The two stand in the fast-thinning throng of victims, but they speak as -if they were alone. Eye to eye, voice to voice, hand to hand, heart to -heart, these two children of the Universal Mother, else so wide apart -and differing, have come together on the dark highway, to repair home -together, and to rest in her bosom. - -“Brave and generous friend, will you let me ask you one last question? I -am very ignorant, and it troubles me--just a little.” - -“Tell me what it is.” - -“I have a cousin, an only relative and an orphan, like myself, whom I -love very dearly. She is five years younger than I, and she lives in a -farmer's house in the south country. Poverty parted us, and she knows -nothing of my fate--for I cannot write--and if I could, how should I -tell her! It is better as it is.” - -“Yes, yes: better as it is.” - -“What I have been thinking as we came along, and what I am still -thinking now, as I look into your kind strong face which gives me so -much support, is this:--If the Republic really does good to the poor, -and they come to be less hungry, and in all ways to suffer less, she may -live a long time: she may even live to be old.” - -“What then, my gentle sister?” - -“Do you think:” the uncomplaining eyes in which there is so much -endurance, fill with tears, and the lips part a little more and tremble: -“that it will seem long to me, while I wait for her in the better land -where I trust both you and I will be mercifully sheltered?” - -“It cannot be, my child; there is no Time there, and no trouble there.” - -“You comfort me so much! I am so ignorant. Am I to kiss you now? Is the -moment come?” - -“Yes.” - -She kisses his lips; he kisses hers; they solemnly bless each other. -The spare hand does not tremble as he releases it; nothing worse than -a sweet, bright constancy is in the patient face. She goes next before -him--is gone; the knitting-women count Twenty-Two. - -“I am the Resurrection and the Life, saith the Lord: he that believeth -in me, though he were dead, yet shall he live: and whosoever liveth and -believeth in me shall never die.” - -The murmuring of many voices, the upturning of many faces, the pressing -on of many footsteps in the outskirts of the crowd, so that it swells -forward in a mass, like one great heave of water, all flashes away. -Twenty-Three. - - ***** - -They said of him, about the city that night, that it was the -peacefullest man's face ever beheld there. Many added that he looked -sublime and prophetic. - -One of the most remarkable sufferers by the same axe--a woman--had asked -at the foot of the same scaffold, not long before, to be allowed to -write down the thoughts that were inspiring her. If he had given any -utterance to his, and they were prophetic, they would have been these: - -“I see Barsad, and Cly, Defarge, The Vengeance, the Juryman, the Judge, -long ranks of the new oppressors who have risen on the destruction of -the old, perishing by this retributive instrument, before it shall cease -out of its present use. I see a beautiful city and a brilliant people -rising from this abyss, and, in their struggles to be truly free, in -their triumphs and defeats, through long years to come, I see the evil -of this time and of the previous time of which this is the natural -birth, gradually making expiation for itself and wearing out. - -“I see the lives for which I lay down my life, peaceful, useful, -prosperous and happy, in that England which I shall see no more. I see -Her with a child upon her bosom, who bears my name. I see her father, -aged and bent, but otherwise restored, and faithful to all men in his -healing office, and at peace. I see the good old man, so long their -friend, in ten years' time enriching them with all he has, and passing -tranquilly to his reward. - -“I see that I hold a sanctuary in their hearts, and in the hearts of -their descendants, generations hence. I see her, an old woman, weeping -for me on the anniversary of this day. I see her and her husband, their -course done, lying side by side in their last earthly bed, and I know -that each was not more honoured and held sacred in the other's soul, -than I was in the souls of both. - -“I see that child who lay upon her bosom and who bore my name, a man -winning his way up in that path of life which once was mine. I see him -winning it so well, that my name is made illustrious there by the -light of his. I see the blots I threw upon it, faded away. I see him, -fore-most of just judges and honoured men, bringing a boy of my name, -with a forehead that I know and golden hair, to this place--then fair to -look upon, with not a trace of this day's disfigurement--and I hear him -tell the child my story, with a tender and a faltering voice. - -“It is a far, far better thing that I do, than I have ever done; it is a -far, far better rest that I go to than I have ever known.” - - - - - - - - - - - -End of the Project Gutenberg EBook of A Tale of Two Cities, by Charles Dickens - -*** END OF THIS PROJECT GUTENBERG EBOOK A TALE OF TWO CITIES *** - -***** This file should be named 98-0.txt or 98-0.zip ***** -This and all associated files of various formats will be found in: - http://www.gutenberg.org/9/98/ - -Produced by Judith Boss - -Updated editions will replace the previous one--the old editions -will be renamed. - -Creating the works from public domain print editions means that no -one owns a United States copyright in these works, so the Foundation -(and you!) can copy and distribute it in the United States without -permission and without paying copyright royalties. Special rules, -set forth in the General Terms of Use part of this license, apply to -copying and distributing Project Gutenberg-tm electronic works to -protect the PROJECT GUTENBERG-tm concept and trademark. Project -Gutenberg is a registered trademark, and may not be used if you -charge for the eBooks, unless you receive specific permission. If you -do not charge anything for copies of this eBook, complying with the -rules is very easy. You may use this eBook for nearly any purpose -such as creation of derivative works, reports, performances and -research. They may be modified and printed and given away--you may do -practically ANYTHING with public domain eBooks. Redistribution is -subject to the trademark license, especially commercial -redistribution. - - - -*** START: FULL LICENSE *** - -THE FULL PROJECT GUTENBERG LICENSE -PLEASE READ THIS BEFORE YOU DISTRIBUTE OR USE THIS WORK - -To protect the Project Gutenberg-tm mission of promoting the free -distribution of electronic works, by using or distributing this work -(or any other work associated in any way with the phrase “Project -Gutenberg”), you agree to comply with all the terms of the Full Project -Gutenberg-tm License (available with this file or online at -http://gutenberg.org/license). - - -Section 1. General Terms of Use and Redistributing Project Gutenberg-tm -electronic works - -1.A. By reading or using any part of this Project Gutenberg-tm -electronic work, you indicate that you have read, understand, agree to -and accept all the terms of this license and intellectual property -(trademark/copyright) agreement. If you do not agree to abide by all -the terms of this agreement, you must cease using and return or destroy -all copies of Project Gutenberg-tm electronic works in your possession. -If you paid a fee for obtaining a copy of or access to a Project -Gutenberg-tm electronic work and you do not agree to be bound by the -terms of this agreement, you may obtain a refund from the person or -entity to whom you paid the fee as set forth in paragraph 1.E.8. - -1.B. “Project Gutenberg” is a registered trademark. It may only be -used on or associated in any way with an electronic work by people who -agree to be bound by the terms of this agreement. There are a few -things that you can do with most Project Gutenberg-tm electronic works -even without complying with the full terms of this agreement. See -paragraph 1.C below. There are a lot of things you can do with Project -Gutenberg-tm electronic works if you follow the terms of this agreement -and help preserve free future access to Project Gutenberg-tm electronic -works. See paragraph 1.E below. - -1.C. The Project Gutenberg Literary Archive Foundation (“the Foundation” - or PGLAF), owns a compilation copyright in the collection of Project -Gutenberg-tm electronic works. Nearly all the individual works in the -collection are in the public domain in the United States. If an -individual work is in the public domain in the United States and you are -located in the United States, we do not claim a right to prevent you from -copying, distributing, performing, displaying or creating derivative -works based on the work as long as all references to Project Gutenberg -are removed. Of course, we hope that you will support the Project -Gutenberg-tm mission of promoting free access to electronic works by -freely sharing Project Gutenberg-tm works in compliance with the terms of -this agreement for keeping the Project Gutenberg-tm name associated with -the work. You can easily comply with the terms of this agreement by -keeping this work in the same format with its attached full Project -Gutenberg-tm License when you share it without charge with others. - -1.D. The copyright laws of the place where you are located also govern -what you can do with this work. Copyright laws in most countries are in -a constant state of change. If you are outside the United States, check -the laws of your country in addition to the terms of this agreement -before downloading, copying, displaying, performing, distributing or -creating derivative works based on this work or any other Project -Gutenberg-tm work. The Foundation makes no representations concerning -the copyright status of any work in any country outside the United -States. - -1.E. Unless you have removed all references to Project Gutenberg: - -1.E.1. The following sentence, with active links to, or other immediate -access to, the full Project Gutenberg-tm License must appear prominently -whenever any copy of a Project Gutenberg-tm work (any work on which the -phrase “Project Gutenberg” appears, or with which the phrase “Project -Gutenberg” is associated) is accessed, displayed, performed, viewed, -copied or distributed: - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - -1.E.2. If an individual Project Gutenberg-tm electronic work is derived -from the public domain (does not contain a notice indicating that it is -posted with permission of the copyright holder), the work can be copied -and distributed to anyone in the United States without paying any fees -or charges. If you are redistributing or providing access to a work -with the phrase “Project Gutenberg” associated with or appearing on the -work, you must comply either with the requirements of paragraphs 1.E.1 -through 1.E.7 or obtain permission for the use of the work and the -Project Gutenberg-tm trademark as set forth in paragraphs 1.E.8 or -1.E.9. - -1.E.3. If an individual Project Gutenberg-tm electronic work is posted -with the permission of the copyright holder, your use and distribution -must comply with both paragraphs 1.E.1 through 1.E.7 and any additional -terms imposed by the copyright holder. Additional terms will be linked -to the Project Gutenberg-tm License for all works posted with the -permission of the copyright holder found at the beginning of this work. - -1.E.4. Do not unlink or detach or remove the full Project Gutenberg-tm -License terms from this work, or any files containing a part of this -work or any other work associated with Project Gutenberg-tm. - -1.E.5. Do not copy, display, perform, distribute or redistribute this -electronic work, or any part of this electronic work, without -prominently displaying the sentence set forth in paragraph 1.E.1 with -active links or immediate access to the full terms of the Project -Gutenberg-tm License. - -1.E.6. You may convert to and distribute this work in any binary, -compressed, marked up, nonproprietary or proprietary form, including any -word processing or hypertext form. However, if you provide access to or -distribute copies of a Project Gutenberg-tm work in a format other than -“Plain Vanilla ASCII” or other format used in the official version -posted on the official Project Gutenberg-tm web site (www.gutenberg.org), -you must, at no additional cost, fee or expense to the user, provide a -copy, a means of exporting a copy, or a means of obtaining a copy upon -request, of the work in its original “Plain Vanilla ASCII” or other -form. Any alternate format must include the full Project Gutenberg-tm -License as specified in paragraph 1.E.1. - -1.E.7. Do not charge a fee for access to, viewing, displaying, -performing, copying or distributing any Project Gutenberg-tm works -unless you comply with paragraph 1.E.8 or 1.E.9. - -1.E.8. You may charge a reasonable fee for copies of or providing -access to or distributing Project Gutenberg-tm electronic works provided -that - -- You pay a royalty fee of 20% of the gross profits you derive from - the use of Project Gutenberg-tm works calculated using the method - you already use to calculate your applicable taxes. The fee is - owed to the owner of the Project Gutenberg-tm trademark, but he - has agreed to donate royalties under this paragraph to the - Project Gutenberg Literary Archive Foundation. Royalty payments - must be paid within 60 days following each date on which you - prepare (or are legally required to prepare) your periodic tax - returns. Royalty payments should be clearly marked as such and - sent to the Project Gutenberg Literary Archive Foundation at the - address specified in Section 4, “Information about donations to - the Project Gutenberg Literary Archive Foundation.” - -- You provide a full refund of any money paid by a user who notifies - you in writing (or by e-mail) within 30 days of receipt that s/he - does not agree to the terms of the full Project Gutenberg-tm - License. You must require such a user to return or - destroy all copies of the works possessed in a physical medium - and discontinue all use of and all access to other copies of - Project Gutenberg-tm works. - -- You provide, in accordance with paragraph 1.F.3, a full refund of any - money paid for a work or a replacement copy, if a defect in the - electronic work is discovered and reported to you within 90 days - of receipt of the work. - -- You comply with all other terms of this agreement for free - distribution of Project Gutenberg-tm works. - -1.E.9. If you wish to charge a fee or distribute a Project Gutenberg-tm -electronic work or group of works on different terms than are set -forth in this agreement, you must obtain permission in writing from -both the Project Gutenberg Literary Archive Foundation and Michael -Hart, the owner of the Project Gutenberg-tm trademark. Contact the -Foundation as set forth in Section 3 below. - -1.F. - -1.F.1. Project Gutenberg volunteers and employees expend considerable -effort to identify, do copyright research on, transcribe and proofread -public domain works in creating the Project Gutenberg-tm -collection. Despite these efforts, Project Gutenberg-tm electronic -works, and the medium on which they may be stored, may contain -“Defects,” such as, but not limited to, incomplete, inaccurate or -corrupt data, transcription errors, a copyright or other intellectual -property infringement, a defective or damaged disk or other medium, a -computer virus, or computer codes that damage or cannot be read by -your equipment. - -1.F.2. LIMITED WARRANTY, DISCLAIMER OF DAMAGES - Except for the “Right -of Replacement or Refund” described in paragraph 1.F.3, the Project -Gutenberg Literary Archive Foundation, the owner of the Project -Gutenberg-tm trademark, and any other party distributing a Project -Gutenberg-tm electronic work under this agreement, disclaim all -liability to you for damages, costs and expenses, including legal -fees. YOU AGREE THAT YOU HAVE NO REMEDIES FOR NEGLIGENCE, STRICT -LIABILITY, BREACH OF WARRANTY OR BREACH OF CONTRACT EXCEPT THOSE -PROVIDED IN PARAGRAPH F3. YOU AGREE THAT THE FOUNDATION, THE -TRADEMARK OWNER, AND ANY DISTRIBUTOR UNDER THIS AGREEMENT WILL NOT BE -LIABLE TO YOU FOR ACTUAL, DIRECT, INDIRECT, CONSEQUENTIAL, PUNITIVE OR -INCIDENTAL DAMAGES EVEN IF YOU GIVE NOTICE OF THE POSSIBILITY OF SUCH -DAMAGE. - -1.F.3. LIMITED RIGHT OF REPLACEMENT OR REFUND - If you discover a -defect in this electronic work within 90 days of receiving it, you can -receive a refund of the money (if any) you paid for it by sending a -written explanation to the person you received the work from. If you -received the work on a physical medium, you must return the medium with -your written explanation. The person or entity that provided you with -the defective work may elect to provide a replacement copy in lieu of a -refund. If you received the work electronically, the person or entity -providing it to you may choose to give you a second opportunity to -receive the work electronically in lieu of a refund. If the second copy -is also defective, you may demand a refund in writing without further -opportunities to fix the problem. - -1.F.4. Except for the limited right of replacement or refund set forth -in paragraph 1.F.3, this work is provided to you 'AS-IS' WITH NO OTHER -WARRANTIES OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO -WARRANTIES OF MERCHANTIBILITY OR FITNESS FOR ANY PURPOSE. - -1.F.5. Some states do not allow disclaimers of certain implied -warranties or the exclusion or limitation of certain types of damages. -If any disclaimer or limitation set forth in this agreement violates the -law of the state applicable to this agreement, the agreement shall be -interpreted to make the maximum disclaimer or limitation permitted by -the applicable state law. The invalidity or unenforceability of any -provision of this agreement shall not void the remaining provisions. - -1.F.6. INDEMNITY - You agree to indemnify and hold the Foundation, the -trademark owner, any agent or employee of the Foundation, anyone -providing copies of Project Gutenberg-tm electronic works in accordance -with this agreement, and any volunteers associated with the production, -promotion and distribution of Project Gutenberg-tm electronic works, -harmless from all liability, costs and expenses, including legal fees, -that arise directly or indirectly from any of the following which you do -or cause to occur: (a) distribution of this or any Project Gutenberg-tm -work, (b) alteration, modification, or additions or deletions to any -Project Gutenberg-tm work, and (c) any Defect you cause. - - -Section 2. Information about the Mission of Project Gutenberg-tm - -Project Gutenberg-tm is synonymous with the free distribution of -electronic works in formats readable by the widest variety of computers -including obsolete, old, middle-aged and new computers. It exists -because of the efforts of hundreds of volunteers and donations from -people in all walks of life. - -Volunteers and financial support to provide volunteers with the -assistance they need, are critical to reaching Project Gutenberg-tm's -goals and ensuring that the Project Gutenberg-tm collection will -remain freely available for generations to come. In 2001, the Project -Gutenberg Literary Archive Foundation was created to provide a secure -and permanent future for Project Gutenberg-tm and future generations. -To learn more about the Project Gutenberg Literary Archive Foundation -and how your efforts and donations can help, see Sections 3 and 4 -and the Foundation web page at http://www.pglaf.org. - - -Section 3. Information about the Project Gutenberg Literary Archive -Foundation - -The Project Gutenberg Literary Archive Foundation is a non profit -501(c)(3) educational corporation organized under the laws of the -state of Mississippi and granted tax exempt status by the Internal -Revenue Service. The Foundation's EIN or federal tax identification -number is 64-6221541. Its 501(c)(3) letter is posted at -http://pglaf.org/fundraising. Contributions to the Project Gutenberg -Literary Archive Foundation are tax deductible to the full extent -permitted by U.S. federal laws and your state's laws. - -The Foundation's principal office is located at 4557 Melan Dr. S. -Fairbanks, AK, 99712., but its volunteers and employees are scattered -throughout numerous locations. Its business office is located at -809 North 1500 West, Salt Lake City, UT 84116, (801) 596-1887, email -business@pglaf.org. Email contact links and up to date contact -information can be found at the Foundation's web site and official -page at http://pglaf.org - -For additional contact information: - Dr. Gregory B. Newby - Chief Executive and Director - gbnewby@pglaf.org - - -Section 4. Information about Donations to the Project Gutenberg -Literary Archive Foundation - -Project Gutenberg-tm depends upon and cannot survive without wide -spread public support and donations to carry out its mission of -increasing the number of public domain and licensed works that can be -freely distributed in machine readable form accessible by the widest -array of equipment including outdated equipment. Many small donations -($1 to $5,000) are particularly important to maintaining tax exempt -status with the IRS. - -The Foundation is committed to complying with the laws regulating -charities and charitable donations in all 50 states of the United -States. Compliance requirements are not uniform and it takes a -considerable effort, much paperwork and many fees to meet and keep up -with these requirements. We do not solicit donations in locations -where we have not received written confirmation of compliance. To -SEND DONATIONS or determine the status of compliance for any -particular state visit http://pglaf.org - -While we cannot and do not solicit contributions from states where we -have not met the solicitation requirements, we know of no prohibition -against accepting unsolicited donations from donors in such states who -approach us with offers to donate. - -International donations are gratefully accepted, but we cannot make -any statements concerning tax treatment of donations received from -outside the United States. U.S. laws alone swamp our small staff. - -Please check the Project Gutenberg Web pages for current donation -methods and addresses. Donations are accepted in a number of other -ways including checks, online payments and credit card donations. -To donate, please visit: http://pglaf.org/donate - - -Section 5. General Information About Project Gutenberg-tm electronic -works. - -Professor Michael S. Hart is the originator of the Project Gutenberg-tm -concept of a library of electronic works that could be freely shared -with anyone. For thirty years, he produced and distributed Project -Gutenberg-tm eBooks with only a loose network of volunteer support. - - -Project Gutenberg-tm eBooks are often created from several printed -editions, all of which are confirmed as Public Domain in the U.S. -unless a copyright notice is included. Thus, we do not necessarily -keep eBooks in compliance with any particular paper edition. - - -Most people start at our Web site which has the main PG search facility: - - http://www.gutenberg.org - -This Web site includes information about Project Gutenberg-tm, -including how to make donations to the Project Gutenberg Literary -Archive Foundation, how to help produce our new eBooks, and how to -subscribe to our email newsletter to hear about new eBooks. - -The Project Gutenberg EBook of A Tale of Two Cities, by Charles Dickens - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - - -Title: A Tale of Two Cities - A Story of the French Revolution - -Author: Charles Dickens - -Release Date: January, 1994 [EBook #98] -Posting Date: November 28, 2009 -Last Updated: March 4, 2018 - -Language: English - -Character set encoding: UTF-8 - -*** START OF THIS PROJECT GUTENBERG EBOOK A TALE OF TWO CITIES *** - - - - -Produced by Judith Boss - - - - - - - - -A TALE OF TWO CITIES - -A STORY OF THE FRENCH REVOLUTION - -By Charles Dickens - - -CONTENTS - - - Book the First--Recalled to Life - - Chapter I The Period - Chapter II The Mail - Chapter III The Night Shadows - Chapter IV The Preparation - Chapter V The Wine-shop - Chapter VI The Shoemaker - - - Book the Second--the Golden Thread - - Chapter I Five Years Later - Chapter II A Sight - Chapter III A Disappointment - Chapter IV Congratulatory - Chapter V The Jackal - Chapter VI Hundreds of People - Chapter VII Monseigneur in Town - Chapter VIII Monseigneur in the Country - Chapter IX The Gorgon's Head - Chapter X Two Promises - Chapter XI A Companion Picture - Chapter XII The Fellow of Delicacy - Chapter XIII The Fellow of no Delicacy - Chapter XIV The Honest Tradesman - Chapter XV Knitting - Chapter XVI Still Knitting - Chapter XVII One Night - Chapter XVIII Nine Days - Chapter XIX An Opinion - Chapter XX A Plea - Chapter XXI Echoing Footsteps - Chapter XXII The Sea Still Rises - Chapter XXIII Fire Rises - Chapter XXIV Drawn to the Loadstone Rock - - - Book the Third--the Track of a Storm - - Chapter I In Secret - Chapter II The Grindstone - Chapter III The Shadow - Chapter IV Calm in Storm - Chapter V The Wood-sawyer - Chapter VI Triumph - Chapter VII A Knock at the Door - Chapter VIII A Hand at Cards - Chapter IX The Game Made - Chapter X The Substance of the Shadow - Chapter XI Dusk - Chapter XII Darkness - Chapter XIII Fifty-two - Chapter XIV The Knitting Done - Chapter XV The Footsteps Die Out For Ever - - - - - -Book the First--Recalled to Life - - - - -I. The Period - - -It was the best of times, -it was the worst of times, -it was the age of wisdom, -it was the age of foolishness, -it was the epoch of belief, -it was the epoch of incredulity, -it was the season of Light, -it was the season of Darkness, -it was the spring of hope, -it was the winter of despair, -we had everything before us, -we had nothing before us, -we were all going direct to Heaven, -we were all going direct the other way-- -in short, the period was so far like the present period, that some of -its noisiest authorities insisted on its being received, for good or for -evil, in the superlative degree of comparison only. - -There were a king with a large jaw and a queen with a plain face, on the -throne of England; there were a king with a large jaw and a queen with -a fair face, on the throne of France. In both countries it was clearer -than crystal to the lords of the State preserves of loaves and fishes, -that things in general were settled for ever. - -It was the year of Our Lord one thousand seven hundred and seventy-five. -Spiritual revelations were conceded to England at that favoured period, -as at this. Mrs. Southcott had recently attained her five-and-twentieth -blessed birthday, of whom a prophetic private in the Life Guards had -heralded the sublime appearance by announcing that arrangements were -made for the swallowing up of London and Westminster. Even the Cock-lane -ghost had been laid only a round dozen of years, after rapping out its -messages, as the spirits of this very year last past (supernaturally -deficient in originality) rapped out theirs. Mere messages in the -earthly order of events had lately come to the English Crown and People, -from a congress of British subjects in America: which, strange -to relate, have proved more important to the human race than any -communications yet received through any of the chickens of the Cock-lane -brood. - -France, less favoured on the whole as to matters spiritual than her -sister of the shield and trident, rolled with exceeding smoothness down -hill, making paper money and spending it. Under the guidance of her -Christian pastors, she entertained herself, besides, with such humane -achievements as sentencing a youth to have his hands cut off, his tongue -torn out with pincers, and his body burned alive, because he had not -kneeled down in the rain to do honour to a dirty procession of monks -which passed within his view, at a distance of some fifty or sixty -yards. It is likely enough that, rooted in the woods of France and -Norway, there were growing trees, when that sufferer was put to death, -already marked by the Woodman, Fate, to come down and be sawn into -boards, to make a certain movable framework with a sack and a knife in -it, terrible in history. It is likely enough that in the rough outhouses -of some tillers of the heavy lands adjacent to Paris, there were -sheltered from the weather that very day, rude carts, bespattered with -rustic mire, snuffed about by pigs, and roosted in by poultry, which -the Farmer, Death, had already set apart to be his tumbrils of -the Revolution. But that Woodman and that Farmer, though they work -unceasingly, work silently, and no one heard them as they went about -with muffled tread: the rather, forasmuch as to entertain any suspicion -that they were awake, was to be atheistical and traitorous. - -In England, there was scarcely an amount of order and protection to -justify much national boasting. Daring burglaries by armed men, and -highway robberies, took place in the capital itself every night; -families were publicly cautioned not to go out of town without removing -their furniture to upholsterers' warehouses for security; the highwayman -in the dark was a City tradesman in the light, and, being recognised and -challenged by his fellow-tradesman whom he stopped in his character of -“the Captain,” gallantly shot him through the head and rode away; the -mail was waylaid by seven robbers, and the guard shot three dead, and -then got shot dead himself by the other four, “in consequence of the -failure of his ammunition:” after which the mail was robbed in peace; -that magnificent potentate, the Lord Mayor of London, was made to stand -and deliver on Turnham Green, by one highwayman, who despoiled the -illustrious creature in sight of all his retinue; prisoners in London -gaols fought battles with their turnkeys, and the majesty of the law -fired blunderbusses in among them, loaded with rounds of shot and ball; -thieves snipped off diamond crosses from the necks of noble lords at -Court drawing-rooms; musketeers went into St. Giles's, to search -for contraband goods, and the mob fired on the musketeers, and the -musketeers fired on the mob, and nobody thought any of these occurrences -much out of the common way. In the midst of them, the hangman, ever busy -and ever worse than useless, was in constant requisition; now, stringing -up long rows of miscellaneous criminals; now, hanging a housebreaker on -Saturday who had been taken on Tuesday; now, burning people in the -hand at Newgate by the dozen, and now burning pamphlets at the door of -Westminster Hall; to-day, taking the life of an atrocious murderer, -and to-morrow of a wretched pilferer who had robbed a farmer's boy of -sixpence. - -All these things, and a thousand like them, came to pass in and close -upon the dear old year one thousand seven hundred and seventy-five. -Environed by them, while the Woodman and the Farmer worked unheeded, -those two of the large jaws, and those other two of the plain and the -fair faces, trod with stir enough, and carried their divine rights -with a high hand. Thus did the year one thousand seven hundred -and seventy-five conduct their Greatnesses, and myriads of small -creatures--the creatures of this chronicle among the rest--along the -roads that lay before them. - - - - -II. The Mail - - -It was the Dover road that lay, on a Friday night late in November, -before the first of the persons with whom this history has business. -The Dover road lay, as to him, beyond the Dover mail, as it lumbered up -Shooter's Hill. He walked up hill in the mire by the side of the mail, -as the rest of the passengers did; not because they had the least relish -for walking exercise, under the circumstances, but because the hill, -and the harness, and the mud, and the mail, were all so heavy, that the -horses had three times already come to a stop, besides once drawing the -coach across the road, with the mutinous intent of taking it back -to Blackheath. Reins and whip and coachman and guard, however, in -combination, had read that article of war which forbade a purpose -otherwise strongly in favour of the argument, that some brute animals -are endued with Reason; and the team had capitulated and returned to -their duty. - -With drooping heads and tremulous tails, they mashed their way through -the thick mud, floundering and stumbling between whiles, as if they were -falling to pieces at the larger joints. As often as the driver rested -them and brought them to a stand, with a wary “Wo-ho! so-ho-then!” the -near leader violently shook his head and everything upon it--like an -unusually emphatic horse, denying that the coach could be got up the -hill. Whenever the leader made this rattle, the passenger started, as a -nervous passenger might, and was disturbed in mind. - -There was a steaming mist in all the hollows, and it had roamed in its -forlornness up the hill, like an evil spirit, seeking rest and finding -none. A clammy and intensely cold mist, it made its slow way through the -air in ripples that visibly followed and overspread one another, as the -waves of an unwholesome sea might do. It was dense enough to shut out -everything from the light of the coach-lamps but these its own workings, -and a few yards of road; and the reek of the labouring horses steamed -into it, as if they had made it all. - -Two other passengers, besides the one, were plodding up the hill by the -side of the mail. All three were wrapped to the cheekbones and over the -ears, and wore jack-boots. Not one of the three could have said, from -anything he saw, what either of the other two was like; and each was -hidden under almost as many wrappers from the eyes of the mind, as from -the eyes of the body, of his two companions. In those days, travellers -were very shy of being confidential on a short notice, for anybody on -the road might be a robber or in league with robbers. As to the latter, -when every posting-house and ale-house could produce somebody in -“the Captain's” pay, ranging from the landlord to the lowest stable -non-descript, it was the likeliest thing upon the cards. So the guard -of the Dover mail thought to himself, that Friday night in November, one -thousand seven hundred and seventy-five, lumbering up Shooter's Hill, as -he stood on his own particular perch behind the mail, beating his feet, -and keeping an eye and a hand on the arm-chest before him, where a -loaded blunderbuss lay at the top of six or eight loaded horse-pistols, -deposited on a substratum of cutlass. - -The Dover mail was in its usual genial position that the guard suspected -the passengers, the passengers suspected one another and the guard, they -all suspected everybody else, and the coachman was sure of nothing but -the horses; as to which cattle he could with a clear conscience have -taken his oath on the two Testaments that they were not fit for the -journey. - -“Wo-ho!” said the coachman. “So, then! One more pull and you're at the -top and be damned to you, for I have had trouble enough to get you to -it!--Joe!” - -“Halloa!” the guard replied. - -“What o'clock do you make it, Joe?” - -“Ten minutes, good, past eleven.” - -“My blood!” ejaculated the vexed coachman, “and not atop of Shooter's -yet! Tst! Yah! Get on with you!” - -The emphatic horse, cut short by the whip in a most decided negative, -made a decided scramble for it, and the three other horses followed -suit. Once more, the Dover mail struggled on, with the jack-boots of its -passengers squashing along by its side. They had stopped when the coach -stopped, and they kept close company with it. If any one of the three -had had the hardihood to propose to another to walk on a little ahead -into the mist and darkness, he would have put himself in a fair way of -getting shot instantly as a highwayman. - -The last burst carried the mail to the summit of the hill. The horses -stopped to breathe again, and the guard got down to skid the wheel for -the descent, and open the coach-door to let the passengers in. - -“Tst! Joe!” cried the coachman in a warning voice, looking down from his -box. - -“What do you say, Tom?” - -They both listened. - -“I say a horse at a canter coming up, Joe.” - -“_I_ say a horse at a gallop, Tom,” returned the guard, leaving his hold -of the door, and mounting nimbly to his place. “Gentlemen! In the king's -name, all of you!” - -With this hurried adjuration, he cocked his blunderbuss, and stood on -the offensive. - -The passenger booked by this history, was on the coach-step, getting in; -the two other passengers were close behind him, and about to follow. He -remained on the step, half in the coach and half out of; they remained -in the road below him. They all looked from the coachman to the guard, -and from the guard to the coachman, and listened. The coachman looked -back and the guard looked back, and even the emphatic leader pricked up -his ears and looked back, without contradicting. - -The stillness consequent on the cessation of the rumbling and labouring -of the coach, added to the stillness of the night, made it very quiet -indeed. The panting of the horses communicated a tremulous motion to -the coach, as if it were in a state of agitation. The hearts of the -passengers beat loud enough perhaps to be heard; but at any rate, the -quiet pause was audibly expressive of people out of breath, and holding -the breath, and having the pulses quickened by expectation. - -The sound of a horse at a gallop came fast and furiously up the hill. - -“So-ho!” the guard sang out, as loud as he could roar. “Yo there! Stand! -I shall fire!” - -The pace was suddenly checked, and, with much splashing and floundering, -a man's voice called from the mist, “Is that the Dover mail?” - -“Never you mind what it is!” the guard retorted. “What are you?” - -“_Is_ that the Dover mail?” - -“Why do you want to know?” - -“I want a passenger, if it is.” - -“What passenger?” - -“Mr. Jarvis Lorry.” - -Our booked passenger showed in a moment that it was his name. The guard, -the coachman, and the two other passengers eyed him distrustfully. - -“Keep where you are,” the guard called to the voice in the mist, -“because, if I should make a mistake, it could never be set right in -your lifetime. Gentleman of the name of Lorry answer straight.” - -“What is the matter?” asked the passenger, then, with mildly quavering -speech. “Who wants me? Is it Jerry?” - -(“I don't like Jerry's voice, if it is Jerry,” growled the guard to -himself. “He's hoarser than suits me, is Jerry.”) - -“Yes, Mr. Lorry.” - -“What is the matter?” - -“A despatch sent after you from over yonder. T. and Co.” - -“I know this messenger, guard,” said Mr. Lorry, getting down into the -road--assisted from behind more swiftly than politely by the other two -passengers, who immediately scrambled into the coach, shut the door, and -pulled up the window. “He may come close; there's nothing wrong.” - -“I hope there ain't, but I can't make so 'Nation sure of that,” said the -guard, in gruff soliloquy. “Hallo you!” - -“Well! And hallo you!” said Jerry, more hoarsely than before. - -“Come on at a footpace! d'ye mind me? And if you've got holsters to that -saddle o' yourn, don't let me see your hand go nigh 'em. For I'm a devil -at a quick mistake, and when I make one it takes the form of Lead. So -now let's look at you.” - -The figures of a horse and rider came slowly through the eddying mist, -and came to the side of the mail, where the passenger stood. The rider -stooped, and, casting up his eyes at the guard, handed the passenger -a small folded paper. The rider's horse was blown, and both horse and -rider were covered with mud, from the hoofs of the horse to the hat of -the man. - -“Guard!” said the passenger, in a tone of quiet business confidence. - -The watchful guard, with his right hand at the stock of his raised -blunderbuss, his left at the barrel, and his eye on the horseman, -answered curtly, “Sir.” - -“There is nothing to apprehend. I belong to Tellson's Bank. You must -know Tellson's Bank in London. I am going to Paris on business. A crown -to drink. I may read this?” - -“If so be as you're quick, sir.” - -He opened it in the light of the coach-lamp on that side, and -read--first to himself and then aloud: “'Wait at Dover for Mam'selle.' -It's not long, you see, guard. Jerry, say that my answer was, RECALLED -TO LIFE.” - -Jerry started in his saddle. “That's a Blazing strange answer, too,” - said he, at his hoarsest. - -“Take that message back, and they will know that I received this, as -well as if I wrote. Make the best of your way. Good night.” - -With those words the passenger opened the coach-door and got in; not at -all assisted by his fellow-passengers, who had expeditiously secreted -their watches and purses in their boots, and were now making a general -pretence of being asleep. With no more definite purpose than to escape -the hazard of originating any other kind of action. - -The coach lumbered on again, with heavier wreaths of mist closing round -it as it began the descent. The guard soon replaced his blunderbuss -in his arm-chest, and, having looked to the rest of its contents, and -having looked to the supplementary pistols that he wore in his belt, -looked to a smaller chest beneath his seat, in which there were a -few smith's tools, a couple of torches, and a tinder-box. For he was -furnished with that completeness that if the coach-lamps had been blown -and stormed out, which did occasionally happen, he had only to shut -himself up inside, keep the flint and steel sparks well off the straw, -and get a light with tolerable safety and ease (if he were lucky) in -five minutes. - -“Tom!” softly over the coach roof. - -“Hallo, Joe.” - -“Did you hear the message?” - -“I did, Joe.” - -“What did you make of it, Tom?” - -“Nothing at all, Joe.” - -“That's a coincidence, too,” the guard mused, “for I made the same of it -myself.” - -Jerry, left alone in the mist and darkness, dismounted meanwhile, not -only to ease his spent horse, but to wipe the mud from his face, and -shake the wet out of his hat-brim, which might be capable of -holding about half a gallon. After standing with the bridle over his -heavily-splashed arm, until the wheels of the mail were no longer within -hearing and the night was quite still again, he turned to walk down the -hill. - -“After that there gallop from Temple Bar, old lady, I won't trust your -fore-legs till I get you on the level,” said this hoarse messenger, -glancing at his mare. “'Recalled to life.' That's a Blazing strange -message. Much of that wouldn't do for you, Jerry! I say, Jerry! You'd -be in a Blazing bad way, if recalling to life was to come into fashion, -Jerry!” - - - - -III. The Night Shadows - - -A wonderful fact to reflect upon, that every human creature is -constituted to be that profound secret and mystery to every other. A -solemn consideration, when I enter a great city by night, that every -one of those darkly clustered houses encloses its own secret; that every -room in every one of them encloses its own secret; that every beating -heart in the hundreds of thousands of breasts there, is, in some of -its imaginings, a secret to the heart nearest it! Something of the -awfulness, even of Death itself, is referable to this. No more can I -turn the leaves of this dear book that I loved, and vainly hope in time -to read it all. No more can I look into the depths of this unfathomable -water, wherein, as momentary lights glanced into it, I have had glimpses -of buried treasure and other things submerged. It was appointed that the -book should shut with a spring, for ever and for ever, when I had read -but a page. It was appointed that the water should be locked in an -eternal frost, when the light was playing on its surface, and I stood -in ignorance on the shore. My friend is dead, my neighbour is dead, -my love, the darling of my soul, is dead; it is the inexorable -consolidation and perpetuation of the secret that was always in that -individuality, and which I shall carry in mine to my life's end. In -any of the burial-places of this city through which I pass, is there -a sleeper more inscrutable than its busy inhabitants are, in their -innermost personality, to me, or than I am to them? - -As to this, his natural and not to be alienated inheritance, the -messenger on horseback had exactly the same possessions as the King, the -first Minister of State, or the richest merchant in London. So with the -three passengers shut up in the narrow compass of one lumbering old mail -coach; they were mysteries to one another, as complete as if each had -been in his own coach and six, or his own coach and sixty, with the -breadth of a county between him and the next. - -The messenger rode back at an easy trot, stopping pretty often at -ale-houses by the way to drink, but evincing a tendency to keep his -own counsel, and to keep his hat cocked over his eyes. He had eyes that -assorted very well with that decoration, being of a surface black, with -no depth in the colour or form, and much too near together--as if they -were afraid of being found out in something, singly, if they kept too -far apart. They had a sinister expression, under an old cocked-hat like -a three-cornered spittoon, and over a great muffler for the chin and -throat, which descended nearly to the wearer's knees. When he stopped -for drink, he moved this muffler with his left hand, only while he -poured his liquor in with his right; as soon as that was done, he -muffled again. - -“No, Jerry, no!” said the messenger, harping on one theme as he rode. -“It wouldn't do for you, Jerry. Jerry, you honest tradesman, it wouldn't -suit _your_ line of business! Recalled--! Bust me if I don't think he'd -been a drinking!” - -His message perplexed his mind to that degree that he was fain, several -times, to take off his hat to scratch his head. Except on the crown, -which was raggedly bald, he had stiff, black hair, standing jaggedly all -over it, and growing down hill almost to his broad, blunt nose. It was -so like Smith's work, so much more like the top of a strongly spiked -wall than a head of hair, that the best of players at leap-frog might -have declined him, as the most dangerous man in the world to go over. - -While he trotted back with the message he was to deliver to the night -watchman in his box at the door of Tellson's Bank, by Temple Bar, who -was to deliver it to greater authorities within, the shadows of the -night took such shapes to him as arose out of the message, and took such -shapes to the mare as arose out of _her_ private topics of uneasiness. -They seemed to be numerous, for she shied at every shadow on the road. - -What time, the mail-coach lumbered, jolted, rattled, and bumped upon -its tedious way, with its three fellow-inscrutables inside. To whom, -likewise, the shadows of the night revealed themselves, in the forms -their dozing eyes and wandering thoughts suggested. - -Tellson's Bank had a run upon it in the mail. As the bank -passenger--with an arm drawn through the leathern strap, which did what -lay in it to keep him from pounding against the next passenger, -and driving him into his corner, whenever the coach got a special -jolt--nodded in his place, with half-shut eyes, the little -coach-windows, and the coach-lamp dimly gleaming through them, and the -bulky bundle of opposite passenger, became the bank, and did a great -stroke of business. The rattle of the harness was the chink of money, -and more drafts were honoured in five minutes than even Tellson's, with -all its foreign and home connection, ever paid in thrice the time. Then -the strong-rooms underground, at Tellson's, with such of their valuable -stores and secrets as were known to the passenger (and it was not a -little that he knew about them), opened before him, and he went in among -them with the great keys and the feebly-burning candle, and found them -safe, and strong, and sound, and still, just as he had last seen them. - -But, though the bank was almost always with him, and though the coach -(in a confused way, like the presence of pain under an opiate) was -always with him, there was another current of impression that never -ceased to run, all through the night. He was on his way to dig some one -out of a grave. - -Now, which of the multitude of faces that showed themselves before him -was the true face of the buried person, the shadows of the night did -not indicate; but they were all the faces of a man of five-and-forty by -years, and they differed principally in the passions they expressed, -and in the ghastliness of their worn and wasted state. Pride, contempt, -defiance, stubbornness, submission, lamentation, succeeded one another; -so did varieties of sunken cheek, cadaverous colour, emaciated hands -and figures. But the face was in the main one face, and every head was -prematurely white. A hundred times the dozing passenger inquired of this -spectre: - -“Buried how long?” - -The answer was always the same: “Almost eighteen years.” - -“You had abandoned all hope of being dug out?” - -“Long ago.” - -“You know that you are recalled to life?” - -“They tell me so.” - -“I hope you care to live?” - -“I can't say.” - -“Shall I show her to you? Will you come and see her?” - -The answers to this question were various and contradictory. Sometimes -the broken reply was, “Wait! It would kill me if I saw her too soon.” - Sometimes, it was given in a tender rain of tears, and then it was, -“Take me to her.” Sometimes it was staring and bewildered, and then it -was, “I don't know her. I don't understand.” - -After such imaginary discourse, the passenger in his fancy would dig, -and dig, dig--now with a spade, now with a great key, now with his -hands--to dig this wretched creature out. Got out at last, with earth -hanging about his face and hair, he would suddenly fan away to dust. The -passenger would then start to himself, and lower the window, to get the -reality of mist and rain on his cheek. - -Yet even when his eyes were opened on the mist and rain, on the moving -patch of light from the lamps, and the hedge at the roadside retreating -by jerks, the night shadows outside the coach would fall into the train -of the night shadows within. The real Banking-house by Temple Bar, the -real business of the past day, the real strong rooms, the real express -sent after him, and the real message returned, would all be there. Out -of the midst of them, the ghostly face would rise, and he would accost -it again. - -“Buried how long?” - -“Almost eighteen years.” - -“I hope you care to live?” - -“I can't say.” - -Dig--dig--dig--until an impatient movement from one of the two -passengers would admonish him to pull up the window, draw his arm -securely through the leathern strap, and speculate upon the two -slumbering forms, until his mind lost its hold of them, and they again -slid away into the bank and the grave. - -“Buried how long?” - -“Almost eighteen years.” - -“You had abandoned all hope of being dug out?” - -“Long ago.” - -The words were still in his hearing as just spoken--distinctly in -his hearing as ever spoken words had been in his life--when the weary -passenger started to the consciousness of daylight, and found that the -shadows of the night were gone. - -He lowered the window, and looked out at the rising sun. There was a -ridge of ploughed land, with a plough upon it where it had been left -last night when the horses were unyoked; beyond, a quiet coppice-wood, -in which many leaves of burning red and golden yellow still remained -upon the trees. Though the earth was cold and wet, the sky was clear, -and the sun rose bright, placid, and beautiful. - -“Eighteen years!” said the passenger, looking at the sun. “Gracious -Creator of day! To be buried alive for eighteen years!” - - - - -IV. The Preparation - - -When the mail got successfully to Dover, in the course of the forenoon, -the head drawer at the Royal George Hotel opened the coach-door as his -custom was. He did it with some flourish of ceremony, for a mail journey -from London in winter was an achievement to congratulate an adventurous -traveller upon. - -By that time, there was only one adventurous traveller left be -congratulated: for the two others had been set down at their respective -roadside destinations. The mildewy inside of the coach, with its damp -and dirty straw, its disagreeable smell, and its obscurity, was rather -like a larger dog-kennel. Mr. Lorry, the passenger, shaking himself out -of it in chains of straw, a tangle of shaggy wrapper, flapping hat, and -muddy legs, was rather like a larger sort of dog. - -“There will be a packet to Calais, tomorrow, drawer?” - -“Yes, sir, if the weather holds and the wind sets tolerable fair. The -tide will serve pretty nicely at about two in the afternoon, sir. Bed, -sir?” - -“I shall not go to bed till night; but I want a bedroom, and a barber.” - -“And then breakfast, sir? Yes, sir. That way, sir, if you please. -Show Concord! Gentleman's valise and hot water to Concord. Pull off -gentleman's boots in Concord. (You will find a fine sea-coal fire, sir.) -Fetch barber to Concord. Stir about there, now, for Concord!” - -The Concord bed-chamber being always assigned to a passenger by the -mail, and passengers by the mail being always heavily wrapped up from -head to foot, the room had the odd interest for the establishment of the -Royal George, that although but one kind of man was seen to go into it, -all kinds and varieties of men came out of it. Consequently, another -drawer, and two porters, and several maids and the landlady, were all -loitering by accident at various points of the road between the Concord -and the coffee-room, when a gentleman of sixty, formally dressed in a -brown suit of clothes, pretty well worn, but very well kept, with large -square cuffs and large flaps to the pockets, passed along on his way to -his breakfast. - -The coffee-room had no other occupant, that forenoon, than the gentleman -in brown. His breakfast-table was drawn before the fire, and as he sat, -with its light shining on him, waiting for the meal, he sat so still, -that he might have been sitting for his portrait. - -Very orderly and methodical he looked, with a hand on each knee, and a -loud watch ticking a sonorous sermon under his flapped waist-coat, -as though it pitted its gravity and longevity against the levity and -evanescence of the brisk fire. He had a good leg, and was a little vain -of it, for his brown stockings fitted sleek and close, and were of a -fine texture; his shoes and buckles, too, though plain, were trim. He -wore an odd little sleek crisp flaxen wig, setting very close to his -head: which wig, it is to be presumed, was made of hair, but which -looked far more as though it were spun from filaments of silk or glass. -His linen, though not of a fineness in accordance with his stockings, -was as white as the tops of the waves that broke upon the neighbouring -beach, or the specks of sail that glinted in the sunlight far at sea. A -face habitually suppressed and quieted, was still lighted up under the -quaint wig by a pair of moist bright eyes that it must have cost -their owner, in years gone by, some pains to drill to the composed and -reserved expression of Tellson's Bank. He had a healthy colour in his -cheeks, and his face, though lined, bore few traces of anxiety. -But, perhaps the confidential bachelor clerks in Tellson's Bank were -principally occupied with the cares of other people; and perhaps -second-hand cares, like second-hand clothes, come easily off and on. - -Completing his resemblance to a man who was sitting for his portrait, -Mr. Lorry dropped off to sleep. The arrival of his breakfast roused him, -and he said to the drawer, as he moved his chair to it: - -“I wish accommodation prepared for a young lady who may come here at any -time to-day. She may ask for Mr. Jarvis Lorry, or she may only ask for a -gentleman from Tellson's Bank. Please to let me know.” - -“Yes, sir. Tellson's Bank in London, sir?” - -“Yes.” - -“Yes, sir. We have oftentimes the honour to entertain your gentlemen in -their travelling backwards and forwards betwixt London and Paris, sir. A -vast deal of travelling, sir, in Tellson and Company's House.” - -“Yes. We are quite a French House, as well as an English one.” - -“Yes, sir. Not much in the habit of such travelling yourself, I think, -sir?” - -“Not of late years. It is fifteen years since we--since I--came last -from France.” - -“Indeed, sir? That was before my time here, sir. Before our people's -time here, sir. The George was in other hands at that time, sir.” - -“I believe so.” - -“But I would hold a pretty wager, sir, that a House like Tellson and -Company was flourishing, a matter of fifty, not to speak of fifteen -years ago?” - -“You might treble that, and say a hundred and fifty, yet not be far from -the truth.” - -“Indeed, sir!” - -Rounding his mouth and both his eyes, as he stepped backward from the -table, the waiter shifted his napkin from his right arm to his left, -dropped into a comfortable attitude, and stood surveying the guest while -he ate and drank, as from an observatory or watchtower. According to the -immemorial usage of waiters in all ages. - -When Mr. Lorry had finished his breakfast, he went out for a stroll on -the beach. The little narrow, crooked town of Dover hid itself away -from the beach, and ran its head into the chalk cliffs, like a marine -ostrich. The beach was a desert of heaps of sea and stones tumbling -wildly about, and the sea did what it liked, and what it liked was -destruction. It thundered at the town, and thundered at the cliffs, and -brought the coast down, madly. The air among the houses was of so strong -a piscatory flavour that one might have supposed sick fish went up to be -dipped in it, as sick people went down to be dipped in the sea. A little -fishing was done in the port, and a quantity of strolling about by -night, and looking seaward: particularly at those times when the tide -made, and was near flood. Small tradesmen, who did no business whatever, -sometimes unaccountably realised large fortunes, and it was remarkable -that nobody in the neighbourhood could endure a lamplighter. - -As the day declined into the afternoon, and the air, which had been -at intervals clear enough to allow the French coast to be seen, became -again charged with mist and vapour, Mr. Lorry's thoughts seemed to cloud -too. When it was dark, and he sat before the coffee-room fire, awaiting -his dinner as he had awaited his breakfast, his mind was busily digging, -digging, digging, in the live red coals. - -A bottle of good claret after dinner does a digger in the red coals no -harm, otherwise than as it has a tendency to throw him out of work. -Mr. Lorry had been idle a long time, and had just poured out his last -glassful of wine with as complete an appearance of satisfaction as is -ever to be found in an elderly gentleman of a fresh complexion who has -got to the end of a bottle, when a rattling of wheels came up the narrow -street, and rumbled into the inn-yard. - -He set down his glass untouched. “This is Mam'selle!” said he. - -In a very few minutes the waiter came in to announce that Miss Manette -had arrived from London, and would be happy to see the gentleman from -Tellson's. - -“So soon?” - -Miss Manette had taken some refreshment on the road, and required none -then, and was extremely anxious to see the gentleman from Tellson's -immediately, if it suited his pleasure and convenience. - -The gentleman from Tellson's had nothing left for it but to empty his -glass with an air of stolid desperation, settle his odd little flaxen -wig at the ears, and follow the waiter to Miss Manette's apartment. -It was a large, dark room, furnished in a funereal manner with black -horsehair, and loaded with heavy dark tables. These had been oiled and -oiled, until the two tall candles on the table in the middle of the room -were gloomily reflected on every leaf; as if _they_ were buried, in deep -graves of black mahogany, and no light to speak of could be expected -from them until they were dug out. - -The obscurity was so difficult to penetrate that Mr. Lorry, picking his -way over the well-worn Turkey carpet, supposed Miss Manette to be, for -the moment, in some adjacent room, until, having got past the two tall -candles, he saw standing to receive him by the table between them and -the fire, a young lady of not more than seventeen, in a riding-cloak, -and still holding her straw travelling-hat by its ribbon in her hand. As -his eyes rested on a short, slight, pretty figure, a quantity of golden -hair, a pair of blue eyes that met his own with an inquiring look, and -a forehead with a singular capacity (remembering how young and smooth -it was), of rifting and knitting itself into an expression that was -not quite one of perplexity, or wonder, or alarm, or merely of a bright -fixed attention, though it included all the four expressions--as his -eyes rested on these things, a sudden vivid likeness passed before him, -of a child whom he had held in his arms on the passage across that very -Channel, one cold time, when the hail drifted heavily and the sea ran -high. The likeness passed away, like a breath along the surface of -the gaunt pier-glass behind her, on the frame of which, a hospital -procession of negro cupids, several headless and all cripples, were -offering black baskets of Dead Sea fruit to black divinities of the -feminine gender--and he made his formal bow to Miss Manette. - -“Pray take a seat, sir.” In a very clear and pleasant young voice; a -little foreign in its accent, but a very little indeed. - -“I kiss your hand, miss,” said Mr. Lorry, with the manners of an earlier -date, as he made his formal bow again, and took his seat. - -“I received a letter from the Bank, sir, yesterday, informing me that -some intelligence--or discovery--” - -“The word is not material, miss; either word will do.” - -“--respecting the small property of my poor father, whom I never saw--so -long dead--” - -Mr. Lorry moved in his chair, and cast a troubled look towards the -hospital procession of negro cupids. As if _they_ had any help for -anybody in their absurd baskets! - -“--rendered it necessary that I should go to Paris, there to communicate -with a gentleman of the Bank, so good as to be despatched to Paris for -the purpose.” - -“Myself.” - -“As I was prepared to hear, sir.” - -She curtseyed to him (young ladies made curtseys in those days), with a -pretty desire to convey to him that she felt how much older and wiser he -was than she. He made her another bow. - -“I replied to the Bank, sir, that as it was considered necessary, by -those who know, and who are so kind as to advise me, that I should go to -France, and that as I am an orphan and have no friend who could go with -me, I should esteem it highly if I might be permitted to place myself, -during the journey, under that worthy gentleman's protection. The -gentleman had left London, but I think a messenger was sent after him to -beg the favour of his waiting for me here.” - -“I was happy,” said Mr. Lorry, “to be entrusted with the charge. I shall -be more happy to execute it.” - -“Sir, I thank you indeed. I thank you very gratefully. It was told me -by the Bank that the gentleman would explain to me the details of the -business, and that I must prepare myself to find them of a surprising -nature. I have done my best to prepare myself, and I naturally have a -strong and eager interest to know what they are.” - -“Naturally,” said Mr. Lorry. “Yes--I--” - -After a pause, he added, again settling the crisp flaxen wig at the -ears, “It is very difficult to begin.” - -He did not begin, but, in his indecision, met her glance. The young -forehead lifted itself into that singular expression--but it was pretty -and characteristic, besides being singular--and she raised her hand, -as if with an involuntary action she caught at, or stayed some passing -shadow. - -“Are you quite a stranger to me, sir?” - -“Am I not?” Mr. Lorry opened his hands, and extended them outwards with -an argumentative smile. - -Between the eyebrows and just over the little feminine nose, the line of -which was as delicate and fine as it was possible to be, the expression -deepened itself as she took her seat thoughtfully in the chair by which -she had hitherto remained standing. He watched her as she mused, and the -moment she raised her eyes again, went on: - -“In your adopted country, I presume, I cannot do better than address you -as a young English lady, Miss Manette?” - -“If you please, sir.” - -“Miss Manette, I am a man of business. I have a business charge to -acquit myself of. In your reception of it, don't heed me any more than -if I was a speaking machine--truly, I am not much else. I will, with -your leave, relate to you, miss, the story of one of our customers.” - -“Story!” - -He seemed wilfully to mistake the word she had repeated, when he added, -in a hurry, “Yes, customers; in the banking business we usually call -our connection our customers. He was a French gentleman; a scientific -gentleman; a man of great acquirements--a Doctor.” - -“Not of Beauvais?” - -“Why, yes, of Beauvais. Like Monsieur Manette, your father, the -gentleman was of Beauvais. Like Monsieur Manette, your father, the -gentleman was of repute in Paris. I had the honour of knowing him there. -Our relations were business relations, but confidential. I was at that -time in our French House, and had been--oh! twenty years.” - -“At that time--I may ask, at what time, sir?” - -“I speak, miss, of twenty years ago. He married--an English lady--and -I was one of the trustees. His affairs, like the affairs of many other -French gentlemen and French families, were entirely in Tellson's hands. -In a similar way I am, or I have been, trustee of one kind or other for -scores of our customers. These are mere business relations, miss; -there is no friendship in them, no particular interest, nothing like -sentiment. I have passed from one to another, in the course of my -business life, just as I pass from one of our customers to another in -the course of my business day; in short, I have no feelings; I am a mere -machine. To go on--” - -“But this is my father's story, sir; and I begin to think”--the -curiously roughened forehead was very intent upon him--“that when I was -left an orphan through my mother's surviving my father only two years, -it was you who brought me to England. I am almost sure it was you.” - -Mr. Lorry took the hesitating little hand that confidingly advanced -to take his, and he put it with some ceremony to his lips. He then -conducted the young lady straightway to her chair again, and, holding -the chair-back with his left hand, and using his right by turns to rub -his chin, pull his wig at the ears, or point what he said, stood looking -down into her face while she sat looking up into his. - -“Miss Manette, it _was_ I. And you will see how truly I spoke of myself -just now, in saying I had no feelings, and that all the relations I hold -with my fellow-creatures are mere business relations, when you reflect -that I have never seen you since. No; you have been the ward of -Tellson's House since, and I have been busy with the other business of -Tellson's House since. Feelings! I have no time for them, no chance -of them. I pass my whole life, miss, in turning an immense pecuniary -Mangle.” - -After this odd description of his daily routine of employment, Mr. Lorry -flattened his flaxen wig upon his head with both hands (which was most -unnecessary, for nothing could be flatter than its shining surface was -before), and resumed his former attitude. - -“So far, miss (as you have remarked), this is the story of your -regretted father. Now comes the difference. If your father had not died -when he did--Don't be frightened! How you start!” - -She did, indeed, start. And she caught his wrist with both her hands. - -“Pray,” said Mr. Lorry, in a soothing tone, bringing his left hand from -the back of the chair to lay it on the supplicatory fingers that clasped -him in so violent a tremble: “pray control your agitation--a matter of -business. As I was saying--” - -Her look so discomposed him that he stopped, wandered, and began anew: - -“As I was saying; if Monsieur Manette had not died; if he had suddenly -and silently disappeared; if he had been spirited away; if it had not -been difficult to guess to what dreadful place, though no art could -trace him; if he had an enemy in some compatriot who could exercise a -privilege that I in my own time have known the boldest people afraid -to speak of in a whisper, across the water there; for instance, the -privilege of filling up blank forms for the consignment of any one -to the oblivion of a prison for any length of time; if his wife had -implored the king, the queen, the court, the clergy, for any tidings of -him, and all quite in vain;--then the history of your father would have -been the history of this unfortunate gentleman, the Doctor of Beauvais.” - -“I entreat you to tell me more, sir.” - -“I will. I am going to. You can bear it?” - -“I can bear anything but the uncertainty you leave me in at this -moment.” - -“You speak collectedly, and you--_are_ collected. That's good!” (Though -his manner was less satisfied than his words.) “A matter of business. -Regard it as a matter of business--business that must be done. Now -if this doctor's wife, though a lady of great courage and spirit, -had suffered so intensely from this cause before her little child was -born--” - -“The little child was a daughter, sir.” - -“A daughter. A-a-matter of business--don't be distressed. Miss, if the -poor lady had suffered so intensely before her little child was born, -that she came to the determination of sparing the poor child the -inheritance of any part of the agony she had known the pains of, by -rearing her in the belief that her father was dead--No, don't kneel! In -Heaven's name why should you kneel to me!” - -“For the truth. O dear, good, compassionate sir, for the truth!” - -“A--a matter of business. You confuse me, and how can I transact -business if I am confused? Let us be clear-headed. If you could kindly -mention now, for instance, what nine times ninepence are, or how many -shillings in twenty guineas, it would be so encouraging. I should be so -much more at my ease about your state of mind.” - -Without directly answering to this appeal, she sat so still when he had -very gently raised her, and the hands that had not ceased to clasp -his wrists were so much more steady than they had been, that she -communicated some reassurance to Mr. Jarvis Lorry. - -“That's right, that's right. Courage! Business! You have business before -you; useful business. Miss Manette, your mother took this course with -you. And when she died--I believe broken-hearted--having never slackened -her unavailing search for your father, she left you, at two years old, -to grow to be blooming, beautiful, and happy, without the dark cloud -upon you of living in uncertainty whether your father soon wore his -heart out in prison, or wasted there through many lingering years.” - -As he said the words he looked down, with an admiring pity, on the -flowing golden hair; as if he pictured to himself that it might have -been already tinged with grey. - -“You know that your parents had no great possession, and that what -they had was secured to your mother and to you. There has been no new -discovery, of money, or of any other property; but--” - -He felt his wrist held closer, and he stopped. The expression in the -forehead, which had so particularly attracted his notice, and which was -now immovable, had deepened into one of pain and horror. - -“But he has been--been found. He is alive. Greatly changed, it is too -probable; almost a wreck, it is possible; though we will hope the best. -Still, alive. Your father has been taken to the house of an old servant -in Paris, and we are going there: I, to identify him if I can: you, to -restore him to life, love, duty, rest, comfort.” - -A shiver ran through her frame, and from it through his. She said, in a -low, distinct, awe-stricken voice, as if she were saying it in a dream, - -“I am going to see his Ghost! It will be his Ghost--not him!” - -Mr. Lorry quietly chafed the hands that held his arm. “There, there, -there! See now, see now! The best and the worst are known to you, now. -You are well on your way to the poor wronged gentleman, and, with a fair -sea voyage, and a fair land journey, you will be soon at his dear side.” - -She repeated in the same tone, sunk to a whisper, “I have been free, I -have been happy, yet his Ghost has never haunted me!” - -“Only one thing more,” said Mr. Lorry, laying stress upon it as a -wholesome means of enforcing her attention: “he has been found under -another name; his own, long forgotten or long concealed. It would be -worse than useless now to inquire which; worse than useless to seek to -know whether he has been for years overlooked, or always designedly -held prisoner. It would be worse than useless now to make any inquiries, -because it would be dangerous. Better not to mention the subject, -anywhere or in any way, and to remove him--for a while at all -events--out of France. Even I, safe as an Englishman, and even -Tellson's, important as they are to French credit, avoid all naming of -the matter. I carry about me, not a scrap of writing openly referring -to it. This is a secret service altogether. My credentials, entries, -and memoranda, are all comprehended in the one line, 'Recalled to Life;' -which may mean anything. But what is the matter! She doesn't notice a -word! Miss Manette!” - -Perfectly still and silent, and not even fallen back in her chair, she -sat under his hand, utterly insensible; with her eyes open and fixed -upon him, and with that last expression looking as if it were carved or -branded into her forehead. So close was her hold upon his arm, that he -feared to detach himself lest he should hurt her; therefore he called -out loudly for assistance without moving. - -A wild-looking woman, whom even in his agitation, Mr. Lorry observed to -be all of a red colour, and to have red hair, and to be dressed in some -extraordinary tight-fitting fashion, and to have on her head a most -wonderful bonnet like a Grenadier wooden measure, and good measure too, -or a great Stilton cheese, came running into the room in advance of the -inn servants, and soon settled the question of his detachment from the -poor young lady, by laying a brawny hand upon his chest, and sending him -flying back against the nearest wall. - -(“I really think this must be a man!” was Mr. Lorry's breathless -reflection, simultaneously with his coming against the wall.) - -“Why, look at you all!” bawled this figure, addressing the inn servants. -“Why don't you go and fetch things, instead of standing there staring -at me? I am not so much to look at, am I? Why don't you go and fetch -things? I'll let you know, if you don't bring smelling-salts, cold -water, and vinegar, quick, I will.” - -There was an immediate dispersal for these restoratives, and she -softly laid the patient on a sofa, and tended her with great skill and -gentleness: calling her “my precious!” and “my bird!” and spreading her -golden hair aside over her shoulders with great pride and care. - -“And you in brown!” she said, indignantly turning to Mr. Lorry; -“couldn't you tell her what you had to tell her, without frightening her -to death? Look at her, with her pretty pale face and her cold hands. Do -you call _that_ being a Banker?” - -Mr. Lorry was so exceedingly disconcerted by a question so hard to -answer, that he could only look on, at a distance, with much feebler -sympathy and humility, while the strong woman, having banished the inn -servants under the mysterious penalty of “letting them know” something -not mentioned if they stayed there, staring, recovered her charge by a -regular series of gradations, and coaxed her to lay her drooping head -upon her shoulder. - -“I hope she will do well now,” said Mr. Lorry. - -“No thanks to you in brown, if she does. My darling pretty!” - -“I hope,” said Mr. Lorry, after another pause of feeble sympathy and -humility, “that you accompany Miss Manette to France?” - -“A likely thing, too!” replied the strong woman. “If it was ever -intended that I should go across salt water, do you suppose Providence -would have cast my lot in an island?” - -This being another question hard to answer, Mr. Jarvis Lorry withdrew to -consider it. - - - - -V. The Wine-shop - - -A large cask of wine had been dropped and broken, in the street. The -accident had happened in getting it out of a cart; the cask had tumbled -out with a run, the hoops had burst, and it lay on the stones just -outside the door of the wine-shop, shattered like a walnut-shell. - -All the people within reach had suspended their business, or their -idleness, to run to the spot and drink the wine. The rough, irregular -stones of the street, pointing every way, and designed, one might have -thought, expressly to lame all living creatures that approached them, -had dammed it into little pools; these were surrounded, each by its own -jostling group or crowd, according to its size. Some men kneeled down, -made scoops of their two hands joined, and sipped, or tried to help -women, who bent over their shoulders, to sip, before the wine had all -run out between their fingers. Others, men and women, dipped in -the puddles with little mugs of mutilated earthenware, or even with -handkerchiefs from women's heads, which were squeezed dry into infants' -mouths; others made small mud-embankments, to stem the wine as it ran; -others, directed by lookers-on up at high windows, darted here and -there, to cut off little streams of wine that started away in new -directions; others devoted themselves to the sodden and lee-dyed -pieces of the cask, licking, and even champing the moister wine-rotted -fragments with eager relish. There was no drainage to carry off the -wine, and not only did it all get taken up, but so much mud got taken up -along with it, that there might have been a scavenger in the street, -if anybody acquainted with it could have believed in such a miraculous -presence. - -A shrill sound of laughter and of amused voices--voices of men, women, -and children--resounded in the street while this wine game lasted. There -was little roughness in the sport, and much playfulness. There was a -special companionship in it, an observable inclination on the part -of every one to join some other one, which led, especially among the -luckier or lighter-hearted, to frolicsome embraces, drinking of healths, -shaking of hands, and even joining of hands and dancing, a dozen -together. When the wine was gone, and the places where it had been -most abundant were raked into a gridiron-pattern by fingers, these -demonstrations ceased, as suddenly as they had broken out. The man who -had left his saw sticking in the firewood he was cutting, set it in -motion again; the women who had left on a door-step the little pot of -hot ashes, at which she had been trying to soften the pain in her own -starved fingers and toes, or in those of her child, returned to it; men -with bare arms, matted locks, and cadaverous faces, who had emerged into -the winter light from cellars, moved away, to descend again; and a gloom -gathered on the scene that appeared more natural to it than sunshine. - -The wine was red wine, and had stained the ground of the narrow street -in the suburb of Saint Antoine, in Paris, where it was spilled. It had -stained many hands, too, and many faces, and many naked feet, and many -wooden shoes. The hands of the man who sawed the wood, left red marks -on the billets; and the forehead of the woman who nursed her baby, was -stained with the stain of the old rag she wound about her head again. -Those who had been greedy with the staves of the cask, had acquired a -tigerish smear about the mouth; and one tall joker so besmirched, his -head more out of a long squalid bag of a nightcap than in it, scrawled -upon a wall with his finger dipped in muddy wine-lees--BLOOD. - -The time was to come, when that wine too would be spilled on the -street-stones, and when the stain of it would be red upon many there. - -And now that the cloud settled on Saint Antoine, which a momentary -gleam had driven from his sacred countenance, the darkness of it was -heavy--cold, dirt, sickness, ignorance, and want, were the lords in -waiting on the saintly presence--nobles of great power all of them; -but, most especially the last. Samples of a people that had undergone a -terrible grinding and regrinding in the mill, and certainly not in the -fabulous mill which ground old people young, shivered at every corner, -passed in and out at every doorway, looked from every window, fluttered -in every vestige of a garment that the wind shook. The mill which -had worked them down, was the mill that grinds young people old; the -children had ancient faces and grave voices; and upon them, and upon the -grown faces, and ploughed into every furrow of age and coming up afresh, -was the sigh, Hunger. It was prevalent everywhere. Hunger was pushed out -of the tall houses, in the wretched clothing that hung upon poles and -lines; Hunger was patched into them with straw and rag and wood and -paper; Hunger was repeated in every fragment of the small modicum of -firewood that the man sawed off; Hunger stared down from the smokeless -chimneys, and started up from the filthy street that had no offal, -among its refuse, of anything to eat. Hunger was the inscription on the -baker's shelves, written in every small loaf of his scanty stock of -bad bread; at the sausage-shop, in every dead-dog preparation that -was offered for sale. Hunger rattled its dry bones among the roasting -chestnuts in the turned cylinder; Hunger was shred into atomics in every -farthing porringer of husky chips of potato, fried with some reluctant -drops of oil. - -Its abiding place was in all things fitted to it. A narrow winding -street, full of offence and stench, with other narrow winding streets -diverging, all peopled by rags and nightcaps, and all smelling of rags -and nightcaps, and all visible things with a brooding look upon them -that looked ill. In the hunted air of the people there was yet some -wild-beast thought of the possibility of turning at bay. Depressed and -slinking though they were, eyes of fire were not wanting among them; nor -compressed lips, white with what they suppressed; nor foreheads knitted -into the likeness of the gallows-rope they mused about enduring, or -inflicting. The trade signs (and they were almost as many as the shops) -were, all, grim illustrations of Want. The butcher and the porkman -painted up, only the leanest scrags of meat; the baker, the coarsest of -meagre loaves. The people rudely pictured as drinking in the wine-shops, -croaked over their scanty measures of thin wine and beer, and were -gloweringly confidential together. Nothing was represented in a -flourishing condition, save tools and weapons; but, the cutler's knives -and axes were sharp and bright, the smith's hammers were heavy, and the -gunmaker's stock was murderous. The crippling stones of the pavement, -with their many little reservoirs of mud and water, had no footways, but -broke off abruptly at the doors. The kennel, to make amends, ran down -the middle of the street--when it ran at all: which was only after heavy -rains, and then it ran, by many eccentric fits, into the houses. Across -the streets, at wide intervals, one clumsy lamp was slung by a rope and -pulley; at night, when the lamplighter had let these down, and lighted, -and hoisted them again, a feeble grove of dim wicks swung in a sickly -manner overhead, as if they were at sea. Indeed they were at sea, and -the ship and crew were in peril of tempest. - -For, the time was to come, when the gaunt scarecrows of that region -should have watched the lamplighter, in their idleness and hunger, so -long, as to conceive the idea of improving on his method, and hauling -up men by those ropes and pulleys, to flare upon the darkness of their -condition. But, the time was not come yet; and every wind that blew over -France shook the rags of the scarecrows in vain, for the birds, fine of -song and feather, took no warning. - -The wine-shop was a corner shop, better than most others in its -appearance and degree, and the master of the wine-shop had stood outside -it, in a yellow waistcoat and green breeches, looking on at the struggle -for the lost wine. “It's not my affair,” said he, with a final shrug -of the shoulders. “The people from the market did it. Let them bring -another.” - -There, his eyes happening to catch the tall joker writing up his joke, -he called to him across the way: - -“Say, then, my Gaspard, what do you do there?” - -The fellow pointed to his joke with immense significance, as is often -the way with his tribe. It missed its mark, and completely failed, as is -often the way with his tribe too. - -“What now? Are you a subject for the mad hospital?” said the wine-shop -keeper, crossing the road, and obliterating the jest with a handful of -mud, picked up for the purpose, and smeared over it. “Why do you write -in the public streets? Is there--tell me thou--is there no other place -to write such words in?” - -In his expostulation he dropped his cleaner hand (perhaps accidentally, -perhaps not) upon the joker's heart. The joker rapped it with his -own, took a nimble spring upward, and came down in a fantastic dancing -attitude, with one of his stained shoes jerked off his foot into his -hand, and held out. A joker of an extremely, not to say wolfishly -practical character, he looked, under those circumstances. - -“Put it on, put it on,” said the other. “Call wine, wine; and finish -there.” With that advice, he wiped his soiled hand upon the joker's -dress, such as it was--quite deliberately, as having dirtied the hand on -his account; and then recrossed the road and entered the wine-shop. - -This wine-shop keeper was a bull-necked, martial-looking man of thirty, -and he should have been of a hot temperament, for, although it was a -bitter day, he wore no coat, but carried one slung over his shoulder. -His shirt-sleeves were rolled up, too, and his brown arms were bare to -the elbows. Neither did he wear anything more on his head than his own -crisply-curling short dark hair. He was a dark man altogether, with good -eyes and a good bold breadth between them. Good-humoured looking on -the whole, but implacable-looking, too; evidently a man of a strong -resolution and a set purpose; a man not desirable to be met, rushing -down a narrow pass with a gulf on either side, for nothing would turn -the man. - -Madame Defarge, his wife, sat in the shop behind the counter as he -came in. Madame Defarge was a stout woman of about his own age, with -a watchful eye that seldom seemed to look at anything, a large hand -heavily ringed, a steady face, strong features, and great composure of -manner. There was a character about Madame Defarge, from which one might -have predicated that she did not often make mistakes against herself -in any of the reckonings over which she presided. Madame Defarge being -sensitive to cold, was wrapped in fur, and had a quantity of bright -shawl twined about her head, though not to the concealment of her large -earrings. Her knitting was before her, but she had laid it down to pick -her teeth with a toothpick. Thus engaged, with her right elbow supported -by her left hand, Madame Defarge said nothing when her lord came in, but -coughed just one grain of cough. This, in combination with the lifting -of her darkly defined eyebrows over her toothpick by the breadth of a -line, suggested to her husband that he would do well to look round the -shop among the customers, for any new customer who had dropped in while -he stepped over the way. - -The wine-shop keeper accordingly rolled his eyes about, until they -rested upon an elderly gentleman and a young lady, who were seated in -a corner. Other company were there: two playing cards, two playing -dominoes, three standing by the counter lengthening out a short supply -of wine. As he passed behind the counter, he took notice that the -elderly gentleman said in a look to the young lady, “This is our man.” - -“What the devil do _you_ do in that galley there?” said Monsieur Defarge -to himself; “I don't know you.” - -But, he feigned not to notice the two strangers, and fell into discourse -with the triumvirate of customers who were drinking at the counter. - -“How goes it, Jacques?” said one of these three to Monsieur Defarge. “Is -all the spilt wine swallowed?” - -“Every drop, Jacques,” answered Monsieur Defarge. - -When this interchange of Christian name was effected, Madame Defarge, -picking her teeth with her toothpick, coughed another grain of cough, -and raised her eyebrows by the breadth of another line. - -“It is not often,” said the second of the three, addressing Monsieur -Defarge, “that many of these miserable beasts know the taste of wine, or -of anything but black bread and death. Is it not so, Jacques?” - -“It is so, Jacques,” Monsieur Defarge returned. - -At this second interchange of the Christian name, Madame Defarge, still -using her toothpick with profound composure, coughed another grain of -cough, and raised her eyebrows by the breadth of another line. - -The last of the three now said his say, as he put down his empty -drinking vessel and smacked his lips. - -“Ah! So much the worse! A bitter taste it is that such poor cattle -always have in their mouths, and hard lives they live, Jacques. Am I -right, Jacques?” - -“You are right, Jacques,” was the response of Monsieur Defarge. - -This third interchange of the Christian name was completed at the moment -when Madame Defarge put her toothpick by, kept her eyebrows up, and -slightly rustled in her seat. - -“Hold then! True!” muttered her husband. “Gentlemen--my wife!” - -The three customers pulled off their hats to Madame Defarge, with three -flourishes. She acknowledged their homage by bending her head, and -giving them a quick look. Then she glanced in a casual manner round the -wine-shop, took up her knitting with great apparent calmness and repose -of spirit, and became absorbed in it. - -“Gentlemen,” said her husband, who had kept his bright eye observantly -upon her, “good day. The chamber, furnished bachelor-fashion, that you -wished to see, and were inquiring for when I stepped out, is on the -fifth floor. The doorway of the staircase gives on the little courtyard -close to the left here,” pointing with his hand, “near to the window of -my establishment. But, now that I remember, one of you has already been -there, and can show the way. Gentlemen, adieu!” - -They paid for their wine, and left the place. The eyes of Monsieur -Defarge were studying his wife at her knitting when the elderly -gentleman advanced from his corner, and begged the favour of a word. - -“Willingly, sir,” said Monsieur Defarge, and quietly stepped with him to -the door. - -Their conference was very short, but very decided. Almost at the first -word, Monsieur Defarge started and became deeply attentive. It had -not lasted a minute, when he nodded and went out. The gentleman then -beckoned to the young lady, and they, too, went out. Madame Defarge -knitted with nimble fingers and steady eyebrows, and saw nothing. - -Mr. Jarvis Lorry and Miss Manette, emerging from the wine-shop thus, -joined Monsieur Defarge in the doorway to which he had directed his own -company just before. It opened from a stinking little black courtyard, -and was the general public entrance to a great pile of houses, inhabited -by a great number of people. In the gloomy tile-paved entry to the -gloomy tile-paved staircase, Monsieur Defarge bent down on one knee -to the child of his old master, and put her hand to his lips. It was -a gentle action, but not at all gently done; a very remarkable -transformation had come over him in a few seconds. He had no good-humour -in his face, nor any openness of aspect left, but had become a secret, -angry, dangerous man. - -“It is very high; it is a little difficult. Better to begin slowly.” - Thus, Monsieur Defarge, in a stern voice, to Mr. Lorry, as they began -ascending the stairs. - -“Is he alone?” the latter whispered. - -“Alone! God help him, who should be with him!” said the other, in the -same low voice. - -“Is he always alone, then?” - -“Yes.” - -“Of his own desire?” - -“Of his own necessity. As he was, when I first saw him after they -found me and demanded to know if I would take him, and, at my peril be -discreet--as he was then, so he is now.” - -“He is greatly changed?” - -“Changed!” - -The keeper of the wine-shop stopped to strike the wall with his hand, -and mutter a tremendous curse. No direct answer could have been half so -forcible. Mr. Lorry's spirits grew heavier and heavier, as he and his -two companions ascended higher and higher. - -Such a staircase, with its accessories, in the older and more crowded -parts of Paris, would be bad enough now; but, at that time, it was vile -indeed to unaccustomed and unhardened senses. Every little habitation -within the great foul nest of one high building--that is to say, -the room or rooms within every door that opened on the general -staircase--left its own heap of refuse on its own landing, besides -flinging other refuse from its own windows. The uncontrollable and -hopeless mass of decomposition so engendered, would have polluted -the air, even if poverty and deprivation had not loaded it with their -intangible impurities; the two bad sources combined made it almost -insupportable. Through such an atmosphere, by a steep dark shaft of dirt -and poison, the way lay. Yielding to his own disturbance of mind, and to -his young companion's agitation, which became greater every instant, Mr. -Jarvis Lorry twice stopped to rest. Each of these stoppages was made -at a doleful grating, by which any languishing good airs that were left -uncorrupted, seemed to escape, and all spoilt and sickly vapours seemed -to crawl in. Through the rusted bars, tastes, rather than glimpses, were -caught of the jumbled neighbourhood; and nothing within range, nearer -or lower than the summits of the two great towers of Notre-Dame, had any -promise on it of healthy life or wholesome aspirations. - -At last, the top of the staircase was gained, and they stopped for the -third time. There was yet an upper staircase, of a steeper inclination -and of contracted dimensions, to be ascended, before the garret story -was reached. The keeper of the wine-shop, always going a little in -advance, and always going on the side which Mr. Lorry took, as though he -dreaded to be asked any question by the young lady, turned himself about -here, and, carefully feeling in the pockets of the coat he carried over -his shoulder, took out a key. - -“The door is locked then, my friend?” said Mr. Lorry, surprised. - -“Ay. Yes,” was the grim reply of Monsieur Defarge. - -“You think it necessary to keep the unfortunate gentleman so retired?” - -“I think it necessary to turn the key.” Monsieur Defarge whispered it -closer in his ear, and frowned heavily. - -“Why?” - -“Why! Because he has lived so long, locked up, that he would be -frightened--rave--tear himself to pieces--die--come to I know not what -harm--if his door was left open.” - -“Is it possible!” exclaimed Mr. Lorry. - -“Is it possible!” repeated Defarge, bitterly. “Yes. And a beautiful -world we live in, when it _is_ possible, and when many other such things -are possible, and not only possible, but done--done, see you!--under -that sky there, every day. Long live the Devil. Let us go on.” - -This dialogue had been held in so very low a whisper, that not a word -of it had reached the young lady's ears. But, by this time she trembled -under such strong emotion, and her face expressed such deep anxiety, -and, above all, such dread and terror, that Mr. Lorry felt it incumbent -on him to speak a word or two of reassurance. - -“Courage, dear miss! Courage! Business! The worst will be over in a -moment; it is but passing the room-door, and the worst is over. Then, -all the good you bring to him, all the relief, all the happiness you -bring to him, begin. Let our good friend here, assist you on that side. -That's well, friend Defarge. Come, now. Business, business!” - -They went up slowly and softly. The staircase was short, and they were -soon at the top. There, as it had an abrupt turn in it, they came all at -once in sight of three men, whose heads were bent down close together at -the side of a door, and who were intently looking into the room to which -the door belonged, through some chinks or holes in the wall. On hearing -footsteps close at hand, these three turned, and rose, and showed -themselves to be the three of one name who had been drinking in the -wine-shop. - -“I forgot them in the surprise of your visit,” explained Monsieur -Defarge. “Leave us, good boys; we have business here.” - -The three glided by, and went silently down. - -There appearing to be no other door on that floor, and the keeper of -the wine-shop going straight to this one when they were left alone, Mr. -Lorry asked him in a whisper, with a little anger: - -“Do you make a show of Monsieur Manette?” - -“I show him, in the way you have seen, to a chosen few.” - -“Is that well?” - -“_I_ think it is well.” - -“Who are the few? How do you choose them?” - -“I choose them as real men, of my name--Jacques is my name--to whom the -sight is likely to do good. Enough; you are English; that is another -thing. Stay there, if you please, a little moment.” - -With an admonitory gesture to keep them back, he stooped, and looked in -through the crevice in the wall. Soon raising his head again, he struck -twice or thrice upon the door--evidently with no other object than to -make a noise there. With the same intention, he drew the key across it, -three or four times, before he put it clumsily into the lock, and turned -it as heavily as he could. - -The door slowly opened inward under his hand, and he looked into the -room and said something. A faint voice answered something. Little more -than a single syllable could have been spoken on either side. - -He looked back over his shoulder, and beckoned them to enter. Mr. Lorry -got his arm securely round the daughter's waist, and held her; for he -felt that she was sinking. - -“A-a-a-business, business!” he urged, with a moisture that was not of -business shining on his cheek. “Come in, come in!” - -“I am afraid of it,” she answered, shuddering. - -“Of it? What?” - -“I mean of him. Of my father.” - -Rendered in a manner desperate, by her state and by the beckoning of -their conductor, he drew over his neck the arm that shook upon his -shoulder, lifted her a little, and hurried her into the room. He sat her -down just within the door, and held her, clinging to him. - -Defarge drew out the key, closed the door, locked it on the inside, -took out the key again, and held it in his hand. All this he did, -methodically, and with as loud and harsh an accompaniment of noise as he -could make. Finally, he walked across the room with a measured tread to -where the window was. He stopped there, and faced round. - -The garret, built to be a depository for firewood and the like, was dim -and dark: for, the window of dormer shape, was in truth a door in the -roof, with a little crane over it for the hoisting up of stores from -the street: unglazed, and closing up the middle in two pieces, like any -other door of French construction. To exclude the cold, one half of this -door was fast closed, and the other was opened but a very little way. -Such a scanty portion of light was admitted through these means, that it -was difficult, on first coming in, to see anything; and long habit -alone could have slowly formed in any one, the ability to do any work -requiring nicety in such obscurity. Yet, work of that kind was being -done in the garret; for, with his back towards the door, and his face -towards the window where the keeper of the wine-shop stood looking at -him, a white-haired man sat on a low bench, stooping forward and very -busy, making shoes. - - - - -VI. The Shoemaker - - -“Good day!” said Monsieur Defarge, looking down at the white head that -bent low over the shoemaking. - -It was raised for a moment, and a very faint voice responded to the -salutation, as if it were at a distance: - -“Good day!” - -“You are still hard at work, I see?” - -After a long silence, the head was lifted for another moment, and the -voice replied, “Yes--I am working.” This time, a pair of haggard eyes -had looked at the questioner, before the face had dropped again. - -The faintness of the voice was pitiable and dreadful. It was not the -faintness of physical weakness, though confinement and hard fare no -doubt had their part in it. Its deplorable peculiarity was, that it was -the faintness of solitude and disuse. It was like the last feeble echo -of a sound made long and long ago. So entirely had it lost the life and -resonance of the human voice, that it affected the senses like a once -beautiful colour faded away into a poor weak stain. So sunken and -suppressed it was, that it was like a voice underground. So expressive -it was, of a hopeless and lost creature, that a famished traveller, -wearied out by lonely wandering in a wilderness, would have remembered -home and friends in such a tone before lying down to die. - -Some minutes of silent work had passed: and the haggard eyes had looked -up again: not with any interest or curiosity, but with a dull mechanical -perception, beforehand, that the spot where the only visitor they were -aware of had stood, was not yet empty. - -“I want,” said Defarge, who had not removed his gaze from the shoemaker, -“to let in a little more light here. You can bear a little more?” - -The shoemaker stopped his work; looked with a vacant air of listening, -at the floor on one side of him; then similarly, at the floor on the -other side of him; then, upward at the speaker. - -“What did you say?” - -“You can bear a little more light?” - -“I must bear it, if you let it in.” (Laying the palest shadow of a -stress upon the second word.) - -The opened half-door was opened a little further, and secured at that -angle for the time. A broad ray of light fell into the garret, and -showed the workman with an unfinished shoe upon his lap, pausing in his -labour. His few common tools and various scraps of leather were at his -feet and on his bench. He had a white beard, raggedly cut, but not very -long, a hollow face, and exceedingly bright eyes. The hollowness and -thinness of his face would have caused them to look large, under his yet -dark eyebrows and his confused white hair, though they had been really -otherwise; but, they were naturally large, and looked unnaturally so. -His yellow rags of shirt lay open at the throat, and showed his body -to be withered and worn. He, and his old canvas frock, and his loose -stockings, and all his poor tatters of clothes, had, in a long seclusion -from direct light and air, faded down to such a dull uniformity of -parchment-yellow, that it would have been hard to say which was which. - -He had put up a hand between his eyes and the light, and the very bones -of it seemed transparent. So he sat, with a steadfastly vacant gaze, -pausing in his work. He never looked at the figure before him, without -first looking down on this side of himself, then on that, as if he had -lost the habit of associating place with sound; he never spoke, without -first wandering in this manner, and forgetting to speak. - -“Are you going to finish that pair of shoes to-day?” asked Defarge, -motioning to Mr. Lorry to come forward. - -“What did you say?” - -“Do you mean to finish that pair of shoes to-day?” - -“I can't say that I mean to. I suppose so. I don't know.” - -But, the question reminded him of his work, and he bent over it again. - -Mr. Lorry came silently forward, leaving the daughter by the door. When -he had stood, for a minute or two, by the side of Defarge, the shoemaker -looked up. He showed no surprise at seeing another figure, but the -unsteady fingers of one of his hands strayed to his lips as he looked at -it (his lips and his nails were of the same pale lead-colour), and then -the hand dropped to his work, and he once more bent over the shoe. The -look and the action had occupied but an instant. - -“You have a visitor, you see,” said Monsieur Defarge. - -“What did you say?” - -“Here is a visitor.” - -The shoemaker looked up as before, but without removing a hand from his -work. - -“Come!” said Defarge. “Here is monsieur, who knows a well-made shoe when -he sees one. Show him that shoe you are working at. Take it, monsieur.” - -Mr. Lorry took it in his hand. - -“Tell monsieur what kind of shoe it is, and the maker's name.” - -There was a longer pause than usual, before the shoemaker replied: - -“I forget what it was you asked me. What did you say?” - -“I said, couldn't you describe the kind of shoe, for monsieur's -information?” - -“It is a lady's shoe. It is a young lady's walking-shoe. It is in the -present mode. I never saw the mode. I have had a pattern in my hand.” He -glanced at the shoe with some little passing touch of pride. - -“And the maker's name?” said Defarge. - -Now that he had no work to hold, he laid the knuckles of the right hand -in the hollow of the left, and then the knuckles of the left hand in the -hollow of the right, and then passed a hand across his bearded chin, and -so on in regular changes, without a moment's intermission. The task of -recalling him from the vagrancy into which he always sank when he -had spoken, was like recalling some very weak person from a swoon, or -endeavouring, in the hope of some disclosure, to stay the spirit of a -fast-dying man. - -“Did you ask me for my name?” - -“Assuredly I did.” - -“One Hundred and Five, North Tower.” - -“Is that all?” - -“One Hundred and Five, North Tower.” - -With a weary sound that was not a sigh, nor a groan, he bent to work -again, until the silence was again broken. - -“You are not a shoemaker by trade?” said Mr. Lorry, looking steadfastly -at him. - -His haggard eyes turned to Defarge as if he would have transferred the -question to him: but as no help came from that quarter, they turned back -on the questioner when they had sought the ground. - -“I am not a shoemaker by trade? No, I was not a shoemaker by trade. I-I -learnt it here. I taught myself. I asked leave to--” - -He lapsed away, even for minutes, ringing those measured changes on his -hands the whole time. His eyes came slowly back, at last, to the face -from which they had wandered; when they rested on it, he started, and -resumed, in the manner of a sleeper that moment awake, reverting to a -subject of last night. - -“I asked leave to teach myself, and I got it with much difficulty after -a long while, and I have made shoes ever since.” - -As he held out his hand for the shoe that had been taken from him, Mr. -Lorry said, still looking steadfastly in his face: - -“Monsieur Manette, do you remember nothing of me?” - -The shoe dropped to the ground, and he sat looking fixedly at the -questioner. - -“Monsieur Manette”; Mr. Lorry laid his hand upon Defarge's arm; “do you -remember nothing of this man? Look at him. Look at me. Is there no old -banker, no old business, no old servant, no old time, rising in your -mind, Monsieur Manette?” - -As the captive of many years sat looking fixedly, by turns, at Mr. -Lorry and at Defarge, some long obliterated marks of an actively intent -intelligence in the middle of the forehead, gradually forced themselves -through the black mist that had fallen on him. They were overclouded -again, they were fainter, they were gone; but they had been there. And -so exactly was the expression repeated on the fair young face of her who -had crept along the wall to a point where she could see him, and where -she now stood looking at him, with hands which at first had been only -raised in frightened compassion, if not even to keep him off and -shut out the sight of him, but which were now extending towards him, -trembling with eagerness to lay the spectral face upon her warm young -breast, and love it back to life and hope--so exactly was the expression -repeated (though in stronger characters) on her fair young face, that it -looked as though it had passed like a moving light, from him to her. - -Darkness had fallen on him in its place. He looked at the two, less and -less attentively, and his eyes in gloomy abstraction sought the ground -and looked about him in the old way. Finally, with a deep long sigh, he -took the shoe up, and resumed his work. - -“Have you recognised him, monsieur?” asked Defarge in a whisper. - -“Yes; for a moment. At first I thought it quite hopeless, but I have -unquestionably seen, for a single moment, the face that I once knew so -well. Hush! Let us draw further back. Hush!” - -She had moved from the wall of the garret, very near to the bench on -which he sat. There was something awful in his unconsciousness of the -figure that could have put out its hand and touched him as he stooped -over his labour. - -Not a word was spoken, not a sound was made. She stood, like a spirit, -beside him, and he bent over his work. - -It happened, at length, that he had occasion to change the instrument -in his hand, for his shoemaker's knife. It lay on that side of him -which was not the side on which she stood. He had taken it up, and was -stooping to work again, when his eyes caught the skirt of her dress. He -raised them, and saw her face. The two spectators started forward, -but she stayed them with a motion of her hand. She had no fear of his -striking at her with the knife, though they had. - -He stared at her with a fearful look, and after a while his lips began -to form some words, though no sound proceeded from them. By degrees, in -the pauses of his quick and laboured breathing, he was heard to say: - -“What is this?” - -With the tears streaming down her face, she put her two hands to her -lips, and kissed them to him; then clasped them on her breast, as if she -laid his ruined head there. - -“You are not the gaoler's daughter?” - -She sighed “No.” - -“Who are you?” - -Not yet trusting the tones of her voice, she sat down on the bench -beside him. He recoiled, but she laid her hand upon his arm. A strange -thrill struck him when she did so, and visibly passed over his frame; he -laid the knife down softly, as he sat staring at her. - -Her golden hair, which she wore in long curls, had been hurriedly pushed -aside, and fell down over her neck. Advancing his hand by little and -little, he took it up and looked at it. In the midst of the action -he went astray, and, with another deep sigh, fell to work at his -shoemaking. - -But not for long. Releasing his arm, she laid her hand upon his -shoulder. After looking doubtfully at it, two or three times, as if to -be sure that it was really there, he laid down his work, put his hand -to his neck, and took off a blackened string with a scrap of folded rag -attached to it. He opened this, carefully, on his knee, and it contained -a very little quantity of hair: not more than one or two long golden -hairs, which he had, in some old day, wound off upon his finger. - -He took her hair into his hand again, and looked closely at it. “It is -the same. How can it be! When was it! How was it!” - -As the concentrated expression returned to his forehead, he seemed to -become conscious that it was in hers too. He turned her full to the -light, and looked at her. - -“She had laid her head upon my shoulder, that night when I was summoned -out--she had a fear of my going, though I had none--and when I was -brought to the North Tower they found these upon my sleeve. 'You will -leave me them? They can never help me to escape in the body, though they -may in the spirit.' Those were the words I said. I remember them very -well.” - -He formed this speech with his lips many times before he could utter it. -But when he did find spoken words for it, they came to him coherently, -though slowly. - -“How was this?--_Was it you_?” - -Once more, the two spectators started, as he turned upon her with a -frightful suddenness. But she sat perfectly still in his grasp, and only -said, in a low voice, “I entreat you, good gentlemen, do not come near -us, do not speak, do not move!” - -“Hark!” he exclaimed. “Whose voice was that?” - -His hands released her as he uttered this cry, and went up to his white -hair, which they tore in a frenzy. It died out, as everything but his -shoemaking did die out of him, and he refolded his little packet and -tried to secure it in his breast; but he still looked at her, and -gloomily shook his head. - -“No, no, no; you are too young, too blooming. It can't be. See what the -prisoner is. These are not the hands she knew, this is not the face -she knew, this is not a voice she ever heard. No, no. She was--and He -was--before the slow years of the North Tower--ages ago. What is your -name, my gentle angel?” - -Hailing his softened tone and manner, his daughter fell upon her knees -before him, with her appealing hands upon his breast. - -“O, sir, at another time you shall know my name, and who my mother was, -and who my father, and how I never knew their hard, hard history. But I -cannot tell you at this time, and I cannot tell you here. All that I may -tell you, here and now, is, that I pray to you to touch me and to bless -me. Kiss me, kiss me! O my dear, my dear!” - -His cold white head mingled with her radiant hair, which warmed and -lighted it as though it were the light of Freedom shining on him. - -“If you hear in my voice--I don't know that it is so, but I hope it -is--if you hear in my voice any resemblance to a voice that once was -sweet music in your ears, weep for it, weep for it! If you touch, in -touching my hair, anything that recalls a beloved head that lay on your -breast when you were young and free, weep for it, weep for it! If, when -I hint to you of a Home that is before us, where I will be true to you -with all my duty and with all my faithful service, I bring back the -remembrance of a Home long desolate, while your poor heart pined away, -weep for it, weep for it!” - -She held him closer round the neck, and rocked him on her breast like a -child. - -“If, when I tell you, dearest dear, that your agony is over, and that I -have come here to take you from it, and that we go to England to be at -peace and at rest, I cause you to think of your useful life laid waste, -and of our native France so wicked to you, weep for it, weep for it! And -if, when I shall tell you of my name, and of my father who is living, -and of my mother who is dead, you learn that I have to kneel to my -honoured father, and implore his pardon for having never for his sake -striven all day and lain awake and wept all night, because the love of -my poor mother hid his torture from me, weep for it, weep for it! Weep -for her, then, and for me! Good gentlemen, thank God! I feel his sacred -tears upon my face, and his sobs strike against my heart. O, see! Thank -God for us, thank God!” - -He had sunk in her arms, and his face dropped on her breast: a sight so -touching, yet so terrible in the tremendous wrong and suffering which -had gone before it, that the two beholders covered their faces. - -When the quiet of the garret had been long undisturbed, and his heaving -breast and shaken form had long yielded to the calm that must follow all -storms--emblem to humanity, of the rest and silence into which the storm -called Life must hush at last--they came forward to raise the father and -daughter from the ground. He had gradually dropped to the floor, and lay -there in a lethargy, worn out. She had nestled down with him, that his -head might lie upon her arm; and her hair drooping over him curtained -him from the light. - -“If, without disturbing him,” she said, raising her hand to Mr. Lorry as -he stooped over them, after repeated blowings of his nose, “all could be -arranged for our leaving Paris at once, so that, from the very door, he -could be taken away--” - -“But, consider. Is he fit for the journey?” asked Mr. Lorry. - -“More fit for that, I think, than to remain in this city, so dreadful to -him.” - -“It is true,” said Defarge, who was kneeling to look on and hear. “More -than that; Monsieur Manette is, for all reasons, best out of France. -Say, shall I hire a carriage and post-horses?” - -“That's business,” said Mr. Lorry, resuming on the shortest notice his -methodical manners; “and if business is to be done, I had better do it.” - -“Then be so kind,” urged Miss Manette, “as to leave us here. You see how -composed he has become, and you cannot be afraid to leave him with me -now. Why should you be? If you will lock the door to secure us from -interruption, I do not doubt that you will find him, when you come back, -as quiet as you leave him. In any case, I will take care of him until -you return, and then we will remove him straight.” - -Both Mr. Lorry and Defarge were rather disinclined to this course, and -in favour of one of them remaining. But, as there were not only carriage -and horses to be seen to, but travelling papers; and as time pressed, -for the day was drawing to an end, it came at last to their hastily -dividing the business that was necessary to be done, and hurrying away -to do it. - -Then, as the darkness closed in, the daughter laid her head down on the -hard ground close at the father's side, and watched him. The darkness -deepened and deepened, and they both lay quiet, until a light gleamed -through the chinks in the wall. - -Mr. Lorry and Monsieur Defarge had made all ready for the journey, and -had brought with them, besides travelling cloaks and wrappers, bread and -meat, wine, and hot coffee. Monsieur Defarge put this provender, and the -lamp he carried, on the shoemaker's bench (there was nothing else in the -garret but a pallet bed), and he and Mr. Lorry roused the captive, and -assisted him to his feet. - -No human intelligence could have read the mysteries of his mind, in -the scared blank wonder of his face. Whether he knew what had happened, -whether he recollected what they had said to him, whether he knew that -he was free, were questions which no sagacity could have solved. They -tried speaking to him; but, he was so confused, and so very slow to -answer, that they took fright at his bewilderment, and agreed for -the time to tamper with him no more. He had a wild, lost manner of -occasionally clasping his head in his hands, that had not been seen -in him before; yet, he had some pleasure in the mere sound of his -daughter's voice, and invariably turned to it when she spoke. - -In the submissive way of one long accustomed to obey under coercion, he -ate and drank what they gave him to eat and drink, and put on the cloak -and other wrappings, that they gave him to wear. He readily responded to -his daughter's drawing her arm through his, and took--and kept--her hand -in both his own. - -They began to descend; Monsieur Defarge going first with the lamp, Mr. -Lorry closing the little procession. They had not traversed many steps -of the long main staircase when he stopped, and stared at the roof and -round at the walls. - -“You remember the place, my father? You remember coming up here?” - -“What did you say?” - -But, before she could repeat the question, he murmured an answer as if -she had repeated it. - -“Remember? No, I don't remember. It was so very long ago.” - -That he had no recollection whatever of his having been brought from his -prison to that house, was apparent to them. They heard him mutter, -“One Hundred and Five, North Tower;” and when he looked about him, it -evidently was for the strong fortress-walls which had long encompassed -him. On their reaching the courtyard he instinctively altered his -tread, as being in expectation of a drawbridge; and when there was -no drawbridge, and he saw the carriage waiting in the open street, he -dropped his daughter's hand and clasped his head again. - -No crowd was about the door; no people were discernible at any of the -many windows; not even a chance passerby was in the street. An unnatural -silence and desertion reigned there. Only one soul was to be seen, and -that was Madame Defarge--who leaned against the door-post, knitting, and -saw nothing. - -The prisoner had got into a coach, and his daughter had followed -him, when Mr. Lorry's feet were arrested on the step by his asking, -miserably, for his shoemaking tools and the unfinished shoes. Madame -Defarge immediately called to her husband that she would get them, and -went, knitting, out of the lamplight, through the courtyard. She quickly -brought them down and handed them in;--and immediately afterwards leaned -against the door-post, knitting, and saw nothing. - -Defarge got upon the box, and gave the word “To the Barrier!” The -postilion cracked his whip, and they clattered away under the feeble -over-swinging lamps. - -Under the over-swinging lamps--swinging ever brighter in the better -streets, and ever dimmer in the worse--and by lighted shops, gay crowds, -illuminated coffee-houses, and theatre-doors, to one of the city -gates. Soldiers with lanterns, at the guard-house there. “Your papers, -travellers!” “See here then, Monsieur the Officer,” said Defarge, -getting down, and taking him gravely apart, “these are the papers of -monsieur inside, with the white head. They were consigned to me, with -him, at the--” He dropped his voice, there was a flutter among the -military lanterns, and one of them being handed into the coach by an arm -in uniform, the eyes connected with the arm looked, not an every day -or an every night look, at monsieur with the white head. “It is well. -Forward!” from the uniform. “Adieu!” from Defarge. And so, under a short -grove of feebler and feebler over-swinging lamps, out under the great -grove of stars. - -Beneath that arch of unmoved and eternal lights; some, so remote from -this little earth that the learned tell us it is doubtful whether their -rays have even yet discovered it, as a point in space where anything -is suffered or done: the shadows of the night were broad and black. -All through the cold and restless interval, until dawn, they once more -whispered in the ears of Mr. Jarvis Lorry--sitting opposite the buried -man who had been dug out, and wondering what subtle powers were for ever -lost to him, and what were capable of restoration--the old inquiry: - -“I hope you care to be recalled to life?” - -And the old answer: - -“I can't say.” - - -The end of the first book. - - - - - -Book the Second--the Golden Thread - - - - -I. Five Years Later - - -Tellson's Bank by Temple Bar was an old-fashioned place, even in the -year one thousand seven hundred and eighty. It was very small, very -dark, very ugly, very incommodious. It was an old-fashioned place, -moreover, in the moral attribute that the partners in the House were -proud of its smallness, proud of its darkness, proud of its ugliness, -proud of its incommodiousness. They were even boastful of its eminence -in those particulars, and were fired by an express conviction that, if -it were less objectionable, it would be less respectable. This was -no passive belief, but an active weapon which they flashed at more -convenient places of business. Tellson's (they said) wanted -no elbow-room, Tellson's wanted no light, Tellson's wanted no -embellishment. Noakes and Co.'s might, or Snooks Brothers' might; but -Tellson's, thank Heaven--! - -Any one of these partners would have disinherited his son on the -question of rebuilding Tellson's. In this respect the House was much -on a par with the Country; which did very often disinherit its sons for -suggesting improvements in laws and customs that had long been highly -objectionable, but were only the more respectable. - -Thus it had come to pass, that Tellson's was the triumphant perfection -of inconvenience. After bursting open a door of idiotic obstinacy with -a weak rattle in its throat, you fell into Tellson's down two steps, -and came to your senses in a miserable little shop, with two little -counters, where the oldest of men made your cheque shake as if the -wind rustled it, while they examined the signature by the dingiest of -windows, which were always under a shower-bath of mud from Fleet-street, -and which were made the dingier by their own iron bars proper, and the -heavy shadow of Temple Bar. If your business necessitated your seeing -“the House,” you were put into a species of Condemned Hold at the back, -where you meditated on a misspent life, until the House came with its -hands in its pockets, and you could hardly blink at it in the dismal -twilight. Your money came out of, or went into, wormy old wooden -drawers, particles of which flew up your nose and down your throat when -they were opened and shut. Your bank-notes had a musty odour, as if they -were fast decomposing into rags again. Your plate was stowed away among -the neighbouring cesspools, and evil communications corrupted its good -polish in a day or two. Your deeds got into extemporised strong-rooms -made of kitchens and sculleries, and fretted all the fat out of their -parchments into the banking-house air. Your lighter boxes of family -papers went up-stairs into a Barmecide room, that always had a great -dining-table in it and never had a dinner, and where, even in the year -one thousand seven hundred and eighty, the first letters written to you -by your old love, or by your little children, were but newly released -from the horror of being ogled through the windows, by the heads -exposed on Temple Bar with an insensate brutality and ferocity worthy of -Abyssinia or Ashantee. - -But indeed, at that time, putting to death was a recipe much in vogue -with all trades and professions, and not least of all with Tellson's. -Death is Nature's remedy for all things, and why not Legislation's? -Accordingly, the forger was put to Death; the utterer of a bad note -was put to Death; the unlawful opener of a letter was put to Death; the -purloiner of forty shillings and sixpence was put to Death; the holder -of a horse at Tellson's door, who made off with it, was put to -Death; the coiner of a bad shilling was put to Death; the sounders of -three-fourths of the notes in the whole gamut of Crime, were put to -Death. Not that it did the least good in the way of prevention--it -might almost have been worth remarking that the fact was exactly the -reverse--but, it cleared off (as to this world) the trouble of each -particular case, and left nothing else connected with it to be looked -after. Thus, Tellson's, in its day, like greater places of business, -its contemporaries, had taken so many lives, that, if the heads laid -low before it had been ranged on Temple Bar instead of being privately -disposed of, they would probably have excluded what little light the -ground floor had, in a rather significant manner. - -Cramped in all kinds of dim cupboards and hutches at Tellson's, the -oldest of men carried on the business gravely. When they took a young -man into Tellson's London house, they hid him somewhere till he was -old. They kept him in a dark place, like a cheese, until he had the full -Tellson flavour and blue-mould upon him. Then only was he permitted to -be seen, spectacularly poring over large books, and casting his breeches -and gaiters into the general weight of the establishment. - -Outside Tellson's--never by any means in it, unless called in--was an -odd-job-man, an occasional porter and messenger, who served as the live -sign of the house. He was never absent during business hours, unless -upon an errand, and then he was represented by his son: a grisly urchin -of twelve, who was his express image. People understood that Tellson's, -in a stately way, tolerated the odd-job-man. The house had always -tolerated some person in that capacity, and time and tide had drifted -this person to the post. His surname was Cruncher, and on the youthful -occasion of his renouncing by proxy the works of darkness, in the -easterly parish church of Hounsditch, he had received the added -appellation of Jerry. - -The scene was Mr. Cruncher's private lodging in Hanging-sword-alley, -Whitefriars: the time, half-past seven of the clock on a windy March -morning, Anno Domini seventeen hundred and eighty. (Mr. Cruncher himself -always spoke of the year of our Lord as Anna Dominoes: apparently under -the impression that the Christian era dated from the invention of a -popular game, by a lady who had bestowed her name upon it.) - -Mr. Cruncher's apartments were not in a savoury neighbourhood, and were -but two in number, even if a closet with a single pane of glass in it -might be counted as one. But they were very decently kept. Early as -it was, on the windy March morning, the room in which he lay abed was -already scrubbed throughout; and between the cups and saucers arranged -for breakfast, and the lumbering deal table, a very clean white cloth -was spread. - -Mr. Cruncher reposed under a patchwork counterpane, like a Harlequin -at home. At first, he slept heavily, but, by degrees, began to roll -and surge in bed, until he rose above the surface, with his spiky hair -looking as if it must tear the sheets to ribbons. At which juncture, he -exclaimed, in a voice of dire exasperation: - -“Bust me, if she ain't at it agin!” - -A woman of orderly and industrious appearance rose from her knees in a -corner, with sufficient haste and trepidation to show that she was the -person referred to. - -“What!” said Mr. Cruncher, looking out of bed for a boot. “You're at it -agin, are you?” - -After hailing the morn with this second salutation, he threw a boot at -the woman as a third. It was a very muddy boot, and may introduce the -odd circumstance connected with Mr. Cruncher's domestic economy, that, -whereas he often came home after banking hours with clean boots, he -often got up next morning to find the same boots covered with clay. - -“What,” said Mr. Cruncher, varying his apostrophe after missing his -mark--“what are you up to, Aggerawayter?” - -“I was only saying my prayers.” - -“Saying your prayers! You're a nice woman! What do you mean by flopping -yourself down and praying agin me?” - -“I was not praying against you; I was praying for you.” - -“You weren't. And if you were, I won't be took the liberty with. Here! -your mother's a nice woman, young Jerry, going a praying agin your -father's prosperity. You've got a dutiful mother, you have, my son. -You've got a religious mother, you have, my boy: going and flopping -herself down, and praying that the bread-and-butter may be snatched out -of the mouth of her only child.” - -Master Cruncher (who was in his shirt) took this very ill, and, turning -to his mother, strongly deprecated any praying away of his personal -board. - -“And what do you suppose, you conceited female,” said Mr. Cruncher, with -unconscious inconsistency, “that the worth of _your_ prayers may be? -Name the price that you put _your_ prayers at!” - -“They only come from the heart, Jerry. They are worth no more than -that.” - -“Worth no more than that,” repeated Mr. Cruncher. “They ain't worth -much, then. Whether or no, I won't be prayed agin, I tell you. I can't -afford it. I'm not a going to be made unlucky by _your_ sneaking. If -you must go flopping yourself down, flop in favour of your husband and -child, and not in opposition to 'em. If I had had any but a unnat'ral -wife, and this poor boy had had any but a unnat'ral mother, I might -have made some money last week instead of being counter-prayed and -countermined and religiously circumwented into the worst of luck. -B-u-u-ust me!” said Mr. Cruncher, who all this time had been putting -on his clothes, “if I ain't, what with piety and one blowed thing and -another, been choused this last week into as bad luck as ever a poor -devil of a honest tradesman met with! Young Jerry, dress yourself, my -boy, and while I clean my boots keep a eye upon your mother now and -then, and if you see any signs of more flopping, give me a call. For, I -tell you,” here he addressed his wife once more, “I won't be gone agin, -in this manner. I am as rickety as a hackney-coach, I'm as sleepy as -laudanum, my lines is strained to that degree that I shouldn't know, if -it wasn't for the pain in 'em, which was me and which somebody else, yet -I'm none the better for it in pocket; and it's my suspicion that you've -been at it from morning to night to prevent me from being the better for -it in pocket, and I won't put up with it, Aggerawayter, and what do you -say now!” - -Growling, in addition, such phrases as “Ah! yes! You're religious, too. -You wouldn't put yourself in opposition to the interests of your husband -and child, would you? Not you!” and throwing off other sarcastic sparks -from the whirling grindstone of his indignation, Mr. Cruncher betook -himself to his boot-cleaning and his general preparation for business. -In the meantime, his son, whose head was garnished with tenderer spikes, -and whose young eyes stood close by one another, as his father's did, -kept the required watch upon his mother. He greatly disturbed that poor -woman at intervals, by darting out of his sleeping closet, where he made -his toilet, with a suppressed cry of “You are going to flop, mother. ---Halloa, father!” and, after raising this fictitious alarm, darting in -again with an undutiful grin. - -Mr. Cruncher's temper was not at all improved when he came to his -breakfast. He resented Mrs. Cruncher's saying grace with particular -animosity. - -“Now, Aggerawayter! What are you up to? At it again?” - -His wife explained that she had merely “asked a blessing.” - -“Don't do it!” said Mr. Crunches looking about, as if he rather expected -to see the loaf disappear under the efficacy of his wife's petitions. “I -ain't a going to be blest out of house and home. I won't have my wittles -blest off my table. Keep still!” - -Exceedingly red-eyed and grim, as if he had been up all night at a party -which had taken anything but a convivial turn, Jerry Cruncher worried -his breakfast rather than ate it, growling over it like any four-footed -inmate of a menagerie. Towards nine o'clock he smoothed his ruffled -aspect, and, presenting as respectable and business-like an exterior as -he could overlay his natural self with, issued forth to the occupation -of the day. - -It could scarcely be called a trade, in spite of his favourite -description of himself as “a honest tradesman.” His stock consisted of -a wooden stool, made out of a broken-backed chair cut down, which stool, -young Jerry, walking at his father's side, carried every morning to -beneath the banking-house window that was nearest Temple Bar: where, -with the addition of the first handful of straw that could be gleaned -from any passing vehicle to keep the cold and wet from the odd-job-man's -feet, it formed the encampment for the day. On this post of his, Mr. -Cruncher was as well known to Fleet-street and the Temple, as the Bar -itself,--and was almost as in-looking. - -Encamped at a quarter before nine, in good time to touch his -three-cornered hat to the oldest of men as they passed in to Tellson's, -Jerry took up his station on this windy March morning, with young Jerry -standing by him, when not engaged in making forays through the Bar, to -inflict bodily and mental injuries of an acute description on passing -boys who were small enough for his amiable purpose. Father and son, -extremely like each other, looking silently on at the morning traffic -in Fleet-street, with their two heads as near to one another as the two -eyes of each were, bore a considerable resemblance to a pair of monkeys. -The resemblance was not lessened by the accidental circumstance, that -the mature Jerry bit and spat out straw, while the twinkling eyes of the -youthful Jerry were as restlessly watchful of him as of everything else -in Fleet-street. - -The head of one of the regular indoor messengers attached to Tellson's -establishment was put through the door, and the word was given: - -“Porter wanted!” - -“Hooray, father! Here's an early job to begin with!” - -Having thus given his parent God speed, young Jerry seated himself on -the stool, entered on his reversionary interest in the straw his father -had been chewing, and cogitated. - -“Al-ways rusty! His fingers is al-ways rusty!” muttered young Jerry. -“Where does my father get all that iron rust from? He don't get no iron -rust here!” - - - - -II. A Sight - - -“You know the Old Bailey well, no doubt?” said one of the oldest of -clerks to Jerry the messenger. - -“Ye-es, sir,” returned Jerry, in something of a dogged manner. “I _do_ -know the Bailey.” - -“Just so. And you know Mr. Lorry.” - -“I know Mr. Lorry, sir, much better than I know the Bailey. Much -better,” said Jerry, not unlike a reluctant witness at the establishment -in question, “than I, as a honest tradesman, wish to know the Bailey.” - -“Very well. Find the door where the witnesses go in, and show the -door-keeper this note for Mr. Lorry. He will then let you in.” - -“Into the court, sir?” - -“Into the court.” - -Mr. Cruncher's eyes seemed to get a little closer to one another, and to -interchange the inquiry, “What do you think of this?” - -“Am I to wait in the court, sir?” he asked, as the result of that -conference. - -“I am going to tell you. The door-keeper will pass the note to Mr. -Lorry, and do you make any gesture that will attract Mr. Lorry's -attention, and show him where you stand. Then what you have to do, is, -to remain there until he wants you.” - -“Is that all, sir?” - -“That's all. He wishes to have a messenger at hand. This is to tell him -you are there.” - -As the ancient clerk deliberately folded and superscribed the note, -Mr. Cruncher, after surveying him in silence until he came to the -blotting-paper stage, remarked: - -“I suppose they'll be trying Forgeries this morning?” - -“Treason!” - -“That's quartering,” said Jerry. “Barbarous!” - -“It is the law,” remarked the ancient clerk, turning his surprised -spectacles upon him. “It is the law.” - -“It's hard in the law to spile a man, I think. It's hard enough to kill -him, but it's wery hard to spile him, sir.” - -“Not at all,” retained the ancient clerk. “Speak well of the law. Take -care of your chest and voice, my good friend, and leave the law to take -care of itself. I give you that advice.” - -“It's the damp, sir, what settles on my chest and voice,” said Jerry. “I -leave you to judge what a damp way of earning a living mine is.” - -“Well, well,” said the old clerk; “we all have our various ways of -gaining a livelihood. Some of us have damp ways, and some of us have dry -ways. Here is the letter. Go along.” - -Jerry took the letter, and, remarking to himself with less internal -deference than he made an outward show of, “You are a lean old one, -too,” made his bow, informed his son, in passing, of his destination, -and went his way. - -They hanged at Tyburn, in those days, so the street outside Newgate had -not obtained one infamous notoriety that has since attached to it. -But, the gaol was a vile place, in which most kinds of debauchery and -villainy were practised, and where dire diseases were bred, that came -into court with the prisoners, and sometimes rushed straight from the -dock at my Lord Chief Justice himself, and pulled him off the bench. It -had more than once happened, that the Judge in the black cap pronounced -his own doom as certainly as the prisoner's, and even died before him. -For the rest, the Old Bailey was famous as a kind of deadly inn-yard, -from which pale travellers set out continually, in carts and coaches, on -a violent passage into the other world: traversing some two miles and a -half of public street and road, and shaming few good citizens, if any. -So powerful is use, and so desirable to be good use in the beginning. It -was famous, too, for the pillory, a wise old institution, that inflicted -a punishment of which no one could foresee the extent; also, for -the whipping-post, another dear old institution, very humanising and -softening to behold in action; also, for extensive transactions in -blood-money, another fragment of ancestral wisdom, systematically -leading to the most frightful mercenary crimes that could be committed -under Heaven. Altogether, the Old Bailey, at that date, was a choice -illustration of the precept, that “Whatever is is right;” an aphorism -that would be as final as it is lazy, did it not include the troublesome -consequence, that nothing that ever was, was wrong. - -Making his way through the tainted crowd, dispersed up and down this -hideous scene of action, with the skill of a man accustomed to make his -way quietly, the messenger found out the door he sought, and handed in -his letter through a trap in it. For, people then paid to see the play -at the Old Bailey, just as they paid to see the play in Bedlam--only the -former entertainment was much the dearer. Therefore, all the Old Bailey -doors were well guarded--except, indeed, the social doors by which the -criminals got there, and those were always left wide open. - -After some delay and demur, the door grudgingly turned on its hinges a -very little way, and allowed Mr. Jerry Cruncher to squeeze himself into -court. - -“What's on?” he asked, in a whisper, of the man he found himself next -to. - -“Nothing yet.” - -“What's coming on?” - -“The Treason case.” - -“The quartering one, eh?” - -“Ah!” returned the man, with a relish; “he'll be drawn on a hurdle to -be half hanged, and then he'll be taken down and sliced before his own -face, and then his inside will be taken out and burnt while he looks on, -and then his head will be chopped off, and he'll be cut into quarters. -That's the sentence.” - -“If he's found Guilty, you mean to say?” Jerry added, by way of proviso. - -“Oh! they'll find him guilty,” said the other. “Don't you be afraid of -that.” - -Mr. Cruncher's attention was here diverted to the door-keeper, whom he -saw making his way to Mr. Lorry, with the note in his hand. Mr. Lorry -sat at a table, among the gentlemen in wigs: not far from a wigged -gentleman, the prisoner's counsel, who had a great bundle of papers -before him: and nearly opposite another wigged gentleman with his hands -in his pockets, whose whole attention, when Mr. Cruncher looked at him -then or afterwards, seemed to be concentrated on the ceiling of the -court. After some gruff coughing and rubbing of his chin and signing -with his hand, Jerry attracted the notice of Mr. Lorry, who had stood up -to look for him, and who quietly nodded and sat down again. - -“What's _he_ got to do with the case?” asked the man he had spoken with. - -“Blest if I know,” said Jerry. - -“What have _you_ got to do with it, then, if a person may inquire?” - -“Blest if I know that either,” said Jerry. - -The entrance of the Judge, and a consequent great stir and settling -down in the court, stopped the dialogue. Presently, the dock became the -central point of interest. Two gaolers, who had been standing there, -went out, and the prisoner was brought in, and put to the bar. - -Everybody present, except the one wigged gentleman who looked at the -ceiling, stared at him. All the human breath in the place, rolled -at him, like a sea, or a wind, or a fire. Eager faces strained round -pillars and corners, to get a sight of him; spectators in back rows -stood up, not to miss a hair of him; people on the floor of the court, -laid their hands on the shoulders of the people before them, to help -themselves, at anybody's cost, to a view of him--stood a-tiptoe, got -upon ledges, stood upon next to nothing, to see every inch of him. -Conspicuous among these latter, like an animated bit of the spiked wall -of Newgate, Jerry stood: aiming at the prisoner the beery breath of a -whet he had taken as he came along, and discharging it to mingle with -the waves of other beer, and gin, and tea, and coffee, and what not, -that flowed at him, and already broke upon the great windows behind him -in an impure mist and rain. - -The object of all this staring and blaring, was a young man of about -five-and-twenty, well-grown and well-looking, with a sunburnt cheek and -a dark eye. His condition was that of a young gentleman. He was plainly -dressed in black, or very dark grey, and his hair, which was long and -dark, was gathered in a ribbon at the back of his neck; more to be out -of his way than for ornament. As an emotion of the mind will express -itself through any covering of the body, so the paleness which his -situation engendered came through the brown upon his cheek, showing the -soul to be stronger than the sun. He was otherwise quite self-possessed, -bowed to the Judge, and stood quiet. - -The sort of interest with which this man was stared and breathed at, -was not a sort that elevated humanity. Had he stood in peril of a less -horrible sentence--had there been a chance of any one of its savage -details being spared--by just so much would he have lost in his -fascination. The form that was to be doomed to be so shamefully mangled, -was the sight; the immortal creature that was to be so butchered -and torn asunder, yielded the sensation. Whatever gloss the various -spectators put upon the interest, according to their several arts and -powers of self-deceit, the interest was, at the root of it, Ogreish. - -Silence in the court! Charles Darnay had yesterday pleaded Not Guilty to -an indictment denouncing him (with infinite jingle and jangle) for that -he was a false traitor to our serene, illustrious, excellent, and so -forth, prince, our Lord the King, by reason of his having, on divers -occasions, and by divers means and ways, assisted Lewis, the French -King, in his wars against our said serene, illustrious, excellent, and -so forth; that was to say, by coming and going, between the dominions of -our said serene, illustrious, excellent, and so forth, and those of the -said French Lewis, and wickedly, falsely, traitorously, and otherwise -evil-adverbiously, revealing to the said French Lewis what forces our -said serene, illustrious, excellent, and so forth, had in preparation -to send to Canada and North America. This much, Jerry, with his head -becoming more and more spiky as the law terms bristled it, made out with -huge satisfaction, and so arrived circuitously at the understanding that -the aforesaid, and over and over again aforesaid, Charles Darnay, stood -there before him upon his trial; that the jury were swearing in; and -that Mr. Attorney-General was making ready to speak. - -The accused, who was (and who knew he was) being mentally hanged, -beheaded, and quartered, by everybody there, neither flinched from -the situation, nor assumed any theatrical air in it. He was quiet and -attentive; watched the opening proceedings with a grave interest; -and stood with his hands resting on the slab of wood before him, so -composedly, that they had not displaced a leaf of the herbs with which -it was strewn. The court was all bestrewn with herbs and sprinkled with -vinegar, as a precaution against gaol air and gaol fever. - -Over the prisoner's head there was a mirror, to throw the light down -upon him. Crowds of the wicked and the wretched had been reflected in -it, and had passed from its surface and this earth's together. Haunted -in a most ghastly manner that abominable place would have been, if the -glass could ever have rendered back its reflections, as the ocean is one -day to give up its dead. Some passing thought of the infamy and disgrace -for which it had been reserved, may have struck the prisoner's mind. Be -that as it may, a change in his position making him conscious of a bar -of light across his face, he looked up; and when he saw the glass his -face flushed, and his right hand pushed the herbs away. - -It happened, that the action turned his face to that side of the court -which was on his left. About on a level with his eyes, there sat, -in that corner of the Judge's bench, two persons upon whom his look -immediately rested; so immediately, and so much to the changing of his -aspect, that all the eyes that were turned upon him, turned to them. - -The spectators saw in the two figures, a young lady of little more than -twenty, and a gentleman who was evidently her father; a man of a very -remarkable appearance in respect of the absolute whiteness of his hair, -and a certain indescribable intensity of face: not of an active kind, -but pondering and self-communing. When this expression was upon him, he -looked as if he were old; but when it was stirred and broken up--as -it was now, in a moment, on his speaking to his daughter--he became a -handsome man, not past the prime of life. - -His daughter had one of her hands drawn through his arm, as she sat by -him, and the other pressed upon it. She had drawn close to him, in her -dread of the scene, and in her pity for the prisoner. Her forehead had -been strikingly expressive of an engrossing terror and compassion -that saw nothing but the peril of the accused. This had been so very -noticeable, so very powerfully and naturally shown, that starers who -had had no pity for him were touched by her; and the whisper went about, -“Who are they?” - -Jerry, the messenger, who had made his own observations, in his own -manner, and who had been sucking the rust off his fingers in his -absorption, stretched his neck to hear who they were. The crowd about -him had pressed and passed the inquiry on to the nearest attendant, and -from him it had been more slowly pressed and passed back; at last it got -to Jerry: - -“Witnesses.” - -“For which side?” - -“Against.” - -“Against what side?” - -“The prisoner's.” - -The Judge, whose eyes had gone in the general direction, recalled them, -leaned back in his seat, and looked steadily at the man whose life was -in his hand, as Mr. Attorney-General rose to spin the rope, grind the -axe, and hammer the nails into the scaffold. - - - - -III. A Disappointment - - -Mr. Attorney-General had to inform the jury, that the prisoner before -them, though young in years, was old in the treasonable practices which -claimed the forfeit of his life. That this correspondence with the -public enemy was not a correspondence of to-day, or of yesterday, or -even of last year, or of the year before. That, it was certain the -prisoner had, for longer than that, been in the habit of passing and -repassing between France and England, on secret business of which -he could give no honest account. That, if it were in the nature of -traitorous ways to thrive (which happily it never was), the real -wickedness and guilt of his business might have remained undiscovered. -That Providence, however, had put it into the heart of a person who -was beyond fear and beyond reproach, to ferret out the nature of the -prisoner's schemes, and, struck with horror, to disclose them to his -Majesty's Chief Secretary of State and most honourable Privy Council. -That, this patriot would be produced before them. That, his position and -attitude were, on the whole, sublime. That, he had been the prisoner's -friend, but, at once in an auspicious and an evil hour detecting his -infamy, had resolved to immolate the traitor he could no longer cherish -in his bosom, on the sacred altar of his country. That, if statues -were decreed in Britain, as in ancient Greece and Rome, to public -benefactors, this shining citizen would assuredly have had one. That, as -they were not so decreed, he probably would not have one. That, Virtue, -as had been observed by the poets (in many passages which he well -knew the jury would have, word for word, at the tips of their tongues; -whereat the jury's countenances displayed a guilty consciousness that -they knew nothing about the passages), was in a manner contagious; more -especially the bright virtue known as patriotism, or love of country. -That, the lofty example of this immaculate and unimpeachable witness -for the Crown, to refer to whom however unworthily was an honour, had -communicated itself to the prisoner's servant, and had engendered in him -a holy determination to examine his master's table-drawers and pockets, -and secrete his papers. That, he (Mr. Attorney-General) was prepared to -hear some disparagement attempted of this admirable servant; but that, -in a general way, he preferred him to his (Mr. Attorney-General's) -brothers and sisters, and honoured him more than his (Mr. -Attorney-General's) father and mother. That, he called with confidence -on the jury to come and do likewise. That, the evidence of these two -witnesses, coupled with the documents of their discovering that would be -produced, would show the prisoner to have been furnished with lists of -his Majesty's forces, and of their disposition and preparation, both by -sea and land, and would leave no doubt that he had habitually conveyed -such information to a hostile power. That, these lists could not be -proved to be in the prisoner's handwriting; but that it was all the -same; that, indeed, it was rather the better for the prosecution, as -showing the prisoner to be artful in his precautions. That, the proof -would go back five years, and would show the prisoner already engaged -in these pernicious missions, within a few weeks before the date of the -very first action fought between the British troops and the Americans. -That, for these reasons, the jury, being a loyal jury (as he knew they -were), and being a responsible jury (as _they_ knew they were), must -positively find the prisoner Guilty, and make an end of him, whether -they liked it or not. That, they never could lay their heads upon their -pillows; that, they never could tolerate the idea of their wives laying -their heads upon their pillows; that, they never could endure the notion -of their children laying their heads upon their pillows; in short, that -there never more could be, for them or theirs, any laying of heads upon -pillows at all, unless the prisoner's head was taken off. That head -Mr. Attorney-General concluded by demanding of them, in the name of -everything he could think of with a round turn in it, and on the faith -of his solemn asseveration that he already considered the prisoner as -good as dead and gone. - -When the Attorney-General ceased, a buzz arose in the court as if -a cloud of great blue-flies were swarming about the prisoner, in -anticipation of what he was soon to become. When toned down again, the -unimpeachable patriot appeared in the witness-box. - -Mr. Solicitor-General then, following his leader's lead, examined the -patriot: John Barsad, gentleman, by name. The story of his pure soul was -exactly what Mr. Attorney-General had described it to be--perhaps, if -it had a fault, a little too exactly. Having released his noble bosom -of its burden, he would have modestly withdrawn himself, but that the -wigged gentleman with the papers before him, sitting not far from Mr. -Lorry, begged to ask him a few questions. The wigged gentleman sitting -opposite, still looking at the ceiling of the court. - -Had he ever been a spy himself? No, he scorned the base insinuation. -What did he live upon? His property. Where was his property? He didn't -precisely remember where it was. What was it? No business of anybody's. -Had he inherited it? Yes, he had. From whom? Distant relation. Very -distant? Rather. Ever been in prison? Certainly not. Never in a debtors' -prison? Didn't see what that had to do with it. Never in a debtors' -prison?--Come, once again. Never? Yes. How many times? Two or three -times. Not five or six? Perhaps. Of what profession? Gentleman. Ever -been kicked? Might have been. Frequently? No. Ever kicked downstairs? -Decidedly not; once received a kick on the top of a staircase, and fell -downstairs of his own accord. Kicked on that occasion for cheating at -dice? Something to that effect was said by the intoxicated liar who -committed the assault, but it was not true. Swear it was not true? -Positively. Ever live by cheating at play? Never. Ever live by play? Not -more than other gentlemen do. Ever borrow money of the prisoner? Yes. -Ever pay him? No. Was not this intimacy with the prisoner, in reality a -very slight one, forced upon the prisoner in coaches, inns, and packets? -No. Sure he saw the prisoner with these lists? Certain. Knew no more -about the lists? No. Had not procured them himself, for instance? No. -Expect to get anything by this evidence? No. Not in regular government -pay and employment, to lay traps? Oh dear no. Or to do anything? Oh dear -no. Swear that? Over and over again. No motives but motives of sheer -patriotism? None whatever. - -The virtuous servant, Roger Cly, swore his way through the case at a -great rate. He had taken service with the prisoner, in good faith and -simplicity, four years ago. He had asked the prisoner, aboard the Calais -packet, if he wanted a handy fellow, and the prisoner had engaged him. -He had not asked the prisoner to take the handy fellow as an act of -charity--never thought of such a thing. He began to have suspicions of -the prisoner, and to keep an eye upon him, soon afterwards. In arranging -his clothes, while travelling, he had seen similar lists to these in the -prisoner's pockets, over and over again. He had taken these lists from -the drawer of the prisoner's desk. He had not put them there first. He -had seen the prisoner show these identical lists to French gentlemen -at Calais, and similar lists to French gentlemen, both at Calais and -Boulogne. He loved his country, and couldn't bear it, and had given -information. He had never been suspected of stealing a silver tea-pot; -he had been maligned respecting a mustard-pot, but it turned out to be -only a plated one. He had known the last witness seven or eight years; -that was merely a coincidence. He didn't call it a particularly curious -coincidence; most coincidences were curious. Neither did he call it a -curious coincidence that true patriotism was _his_ only motive too. He -was a true Briton, and hoped there were many like him. - -The blue-flies buzzed again, and Mr. Attorney-General called Mr. Jarvis -Lorry. - -“Mr. Jarvis Lorry, are you a clerk in Tellson's bank?” - -“I am.” - -“On a certain Friday night in November one thousand seven hundred and -seventy-five, did business occasion you to travel between London and -Dover by the mail?” - -“It did.” - -“Were there any other passengers in the mail?” - -“Two.” - -“Did they alight on the road in the course of the night?” - -“They did.” - -“Mr. Lorry, look upon the prisoner. Was he one of those two passengers?” - -“I cannot undertake to say that he was.” - -“Does he resemble either of these two passengers?” - -“Both were so wrapped up, and the night was so dark, and we were all so -reserved, that I cannot undertake to say even that.” - -“Mr. Lorry, look again upon the prisoner. Supposing him wrapped up as -those two passengers were, is there anything in his bulk and stature to -render it unlikely that he was one of them?” - -“No.” - -“You will not swear, Mr. Lorry, that he was not one of them?” - -“No.” - -“So at least you say he may have been one of them?” - -“Yes. Except that I remember them both to have been--like -myself--timorous of highwaymen, and the prisoner has not a timorous -air.” - -“Did you ever see a counterfeit of timidity, Mr. Lorry?” - -“I certainly have seen that.” - -“Mr. Lorry, look once more upon the prisoner. Have you seen him, to your -certain knowledge, before?” - -“I have.” - -“When?” - -“I was returning from France a few days afterwards, and, at Calais, the -prisoner came on board the packet-ship in which I returned, and made the -voyage with me.” - -“At what hour did he come on board?” - -“At a little after midnight.” - -“In the dead of the night. Was he the only passenger who came on board -at that untimely hour?” - -“He happened to be the only one.” - -“Never mind about 'happening,' Mr. Lorry. He was the only passenger who -came on board in the dead of the night?” - -“He was.” - -“Were you travelling alone, Mr. Lorry, or with any companion?” - -“With two companions. A gentleman and lady. They are here.” - -“They are here. Had you any conversation with the prisoner?” - -“Hardly any. The weather was stormy, and the passage long and rough, and -I lay on a sofa, almost from shore to shore.” - -“Miss Manette!” - -The young lady, to whom all eyes had been turned before, and were now -turned again, stood up where she had sat. Her father rose with her, and -kept her hand drawn through his arm. - -“Miss Manette, look upon the prisoner.” - -To be confronted with such pity, and such earnest youth and beauty, was -far more trying to the accused than to be confronted with all the crowd. -Standing, as it were, apart with her on the edge of his grave, not all -the staring curiosity that looked on, could, for the moment, nerve him -to remain quite still. His hurried right hand parcelled out the herbs -before him into imaginary beds of flowers in a garden; and his efforts -to control and steady his breathing shook the lips from which the colour -rushed to his heart. The buzz of the great flies was loud again. - -“Miss Manette, have you seen the prisoner before?” - -“Yes, sir.” - -“Where?” - -“On board of the packet-ship just now referred to, sir, and on the same -occasion.” - -“You are the young lady just now referred to?” - -“O! most unhappily, I am!” - -The plaintive tone of her compassion merged into the less musical voice -of the Judge, as he said something fiercely: “Answer the questions put -to you, and make no remark upon them.” - -“Miss Manette, had you any conversation with the prisoner on that -passage across the Channel?” - -“Yes, sir.” - -“Recall it.” - -In the midst of a profound stillness, she faintly began: “When the -gentleman came on board--” - -“Do you mean the prisoner?” inquired the Judge, knitting his brows. - -“Yes, my Lord.” - -“Then say the prisoner.” - -“When the prisoner came on board, he noticed that my father,” turning -her eyes lovingly to him as he stood beside her, “was much fatigued -and in a very weak state of health. My father was so reduced that I was -afraid to take him out of the air, and I had made a bed for him on the -deck near the cabin steps, and I sat on the deck at his side to take -care of him. There were no other passengers that night, but we four. -The prisoner was so good as to beg permission to advise me how I could -shelter my father from the wind and weather, better than I had done. I -had not known how to do it well, not understanding how the wind would -set when we were out of the harbour. He did it for me. He expressed -great gentleness and kindness for my father's state, and I am sure he -felt it. That was the manner of our beginning to speak together.” - -“Let me interrupt you for a moment. Had he come on board alone?” - -“No.” - -“How many were with him?” - -“Two French gentlemen.” - -“Had they conferred together?” - -“They had conferred together until the last moment, when it was -necessary for the French gentlemen to be landed in their boat.” - -“Had any papers been handed about among them, similar to these lists?” - -“Some papers had been handed about among them, but I don't know what -papers.” - -“Like these in shape and size?” - -“Possibly, but indeed I don't know, although they stood whispering very -near to me: because they stood at the top of the cabin steps to have the -light of the lamp that was hanging there; it was a dull lamp, and they -spoke very low, and I did not hear what they said, and saw only that -they looked at papers.” - -“Now, to the prisoner's conversation, Miss Manette.” - -“The prisoner was as open in his confidence with me--which arose out -of my helpless situation--as he was kind, and good, and useful to my -father. I hope,” bursting into tears, “I may not repay him by doing him -harm to-day.” - -Buzzing from the blue-flies. - -“Miss Manette, if the prisoner does not perfectly understand that -you give the evidence which it is your duty to give--which you must -give--and which you cannot escape from giving--with great unwillingness, -he is the only person present in that condition. Please to go on.” - -“He told me that he was travelling on business of a delicate and -difficult nature, which might get people into trouble, and that he was -therefore travelling under an assumed name. He said that this business -had, within a few days, taken him to France, and might, at intervals, -take him backwards and forwards between France and England for a long -time to come.” - -“Did he say anything about America, Miss Manette? Be particular.” - -“He tried to explain to me how that quarrel had arisen, and he said -that, so far as he could judge, it was a wrong and foolish one on -England's part. He added, in a jesting way, that perhaps George -Washington might gain almost as great a name in history as George the -Third. But there was no harm in his way of saying this: it was said -laughingly, and to beguile the time.” - -Any strongly marked expression of face on the part of a chief actor in -a scene of great interest to whom many eyes are directed, will be -unconsciously imitated by the spectators. Her forehead was painfully -anxious and intent as she gave this evidence, and, in the pauses when -she stopped for the Judge to write it down, watched its effect upon -the counsel for and against. Among the lookers-on there was the same -expression in all quarters of the court; insomuch, that a great majority -of the foreheads there, might have been mirrors reflecting the witness, -when the Judge looked up from his notes to glare at that tremendous -heresy about George Washington. - -Mr. Attorney-General now signified to my Lord, that he deemed it -necessary, as a matter of precaution and form, to call the young lady's -father, Doctor Manette. Who was called accordingly. - -“Doctor Manette, look upon the prisoner. Have you ever seen him before?” - -“Once. When he called at my lodgings in London. Some three years, or -three years and a half ago.” - -“Can you identify him as your fellow-passenger on board the packet, or -speak to his conversation with your daughter?” - -“Sir, I can do neither.” - -“Is there any particular and special reason for your being unable to do -either?” - -He answered, in a low voice, “There is.” - -“Has it been your misfortune to undergo a long imprisonment, without -trial, or even accusation, in your native country, Doctor Manette?” - -He answered, in a tone that went to every heart, “A long imprisonment.” - -“Were you newly released on the occasion in question?” - -“They tell me so.” - -“Have you no remembrance of the occasion?” - -“None. My mind is a blank, from some time--I cannot even say what -time--when I employed myself, in my captivity, in making shoes, to the -time when I found myself living in London with my dear daughter -here. She had become familiar to me, when a gracious God restored -my faculties; but, I am quite unable even to say how she had become -familiar. I have no remembrance of the process.” - -Mr. Attorney-General sat down, and the father and daughter sat down -together. - -A singular circumstance then arose in the case. The object in hand being -to show that the prisoner went down, with some fellow-plotter untracked, -in the Dover mail on that Friday night in November five years ago, and -got out of the mail in the night, as a blind, at a place where he did -not remain, but from which he travelled back some dozen miles or more, -to a garrison and dockyard, and there collected information; a witness -was called to identify him as having been at the precise time required, -in the coffee-room of an hotel in that garrison-and-dockyard town, -waiting for another person. The prisoner's counsel was cross-examining -this witness with no result, except that he had never seen the prisoner -on any other occasion, when the wigged gentleman who had all this time -been looking at the ceiling of the court, wrote a word or two on a -little piece of paper, screwed it up, and tossed it to him. Opening -this piece of paper in the next pause, the counsel looked with great -attention and curiosity at the prisoner. - -“You say again you are quite sure that it was the prisoner?” - -The witness was quite sure. - -“Did you ever see anybody very like the prisoner?” - -Not so like (the witness said) as that he could be mistaken. - -“Look well upon that gentleman, my learned friend there,” pointing -to him who had tossed the paper over, “and then look well upon the -prisoner. How say you? Are they very like each other?” - -Allowing for my learned friend's appearance being careless and slovenly -if not debauched, they were sufficiently like each other to surprise, -not only the witness, but everybody present, when they were thus brought -into comparison. My Lord being prayed to bid my learned friend lay aside -his wig, and giving no very gracious consent, the likeness became -much more remarkable. My Lord inquired of Mr. Stryver (the prisoner's -counsel), whether they were next to try Mr. Carton (name of my learned -friend) for treason? But, Mr. Stryver replied to my Lord, no; but he -would ask the witness to tell him whether what happened once, might -happen twice; whether he would have been so confident if he had seen -this illustration of his rashness sooner, whether he would be so -confident, having seen it; and more. The upshot of which, was, to smash -this witness like a crockery vessel, and shiver his part of the case to -useless lumber. - -Mr. Cruncher had by this time taken quite a lunch of rust off his -fingers in his following of the evidence. He had now to attend while Mr. -Stryver fitted the prisoner's case on the jury, like a compact suit -of clothes; showing them how the patriot, Barsad, was a hired spy and -traitor, an unblushing trafficker in blood, and one of the greatest -scoundrels upon earth since accursed Judas--which he certainly did look -rather like. How the virtuous servant, Cly, was his friend and partner, -and was worthy to be; how the watchful eyes of those forgers and false -swearers had rested on the prisoner as a victim, because some family -affairs in France, he being of French extraction, did require his making -those passages across the Channel--though what those affairs were, a -consideration for others who were near and dear to him, forbade him, -even for his life, to disclose. How the evidence that had been warped -and wrested from the young lady, whose anguish in giving it they -had witnessed, came to nothing, involving the mere little innocent -gallantries and politenesses likely to pass between any young gentleman -and young lady so thrown together;--with the exception of that -reference to George Washington, which was altogether too extravagant and -impossible to be regarded in any other light than as a monstrous joke. -How it would be a weakness in the government to break down in this -attempt to practise for popularity on the lowest national antipathies -and fears, and therefore Mr. Attorney-General had made the most of it; -how, nevertheless, it rested upon nothing, save that vile and infamous -character of evidence too often disfiguring such cases, and of which the -State Trials of this country were full. But, there my Lord interposed -(with as grave a face as if it had not been true), saying that he could -not sit upon that Bench and suffer those allusions. - -Mr. Stryver then called his few witnesses, and Mr. Cruncher had next to -attend while Mr. Attorney-General turned the whole suit of clothes Mr. -Stryver had fitted on the jury, inside out; showing how Barsad and -Cly were even a hundred times better than he had thought them, and the -prisoner a hundred times worse. Lastly, came my Lord himself, turning -the suit of clothes, now inside out, now outside in, but on the whole -decidedly trimming and shaping them into grave-clothes for the prisoner. - -And now, the jury turned to consider, and the great flies swarmed again. - -Mr. Carton, who had so long sat looking at the ceiling of the court, -changed neither his place nor his attitude, even in this excitement. -While his learned friend, Mr. Stryver, massing his papers before him, -whispered with those who sat near, and from time to time glanced -anxiously at the jury; while all the spectators moved more or less, and -grouped themselves anew; while even my Lord himself arose from his seat, -and slowly paced up and down his platform, not unattended by a suspicion -in the minds of the audience that his state was feverish; this one man -sat leaning back, with his torn gown half off him, his untidy wig put -on just as it had happened to light on his head after its removal, his -hands in his pockets, and his eyes on the ceiling as they had been all -day. Something especially reckless in his demeanour, not only gave him -a disreputable look, but so diminished the strong resemblance he -undoubtedly bore to the prisoner (which his momentary earnestness, -when they were compared together, had strengthened), that many of the -lookers-on, taking note of him now, said to one another they would -hardly have thought the two were so alike. Mr. Cruncher made the -observation to his next neighbour, and added, “I'd hold half a guinea -that _he_ don't get no law-work to do. Don't look like the sort of one -to get any, do he?” - -Yet, this Mr. Carton took in more of the details of the scene than he -appeared to take in; for now, when Miss Manette's head dropped upon -her father's breast, he was the first to see it, and to say audibly: -“Officer! look to that young lady. Help the gentleman to take her out. -Don't you see she will fall!” - -There was much commiseration for her as she was removed, and much -sympathy with her father. It had evidently been a great distress to -him, to have the days of his imprisonment recalled. He had shown -strong internal agitation when he was questioned, and that pondering or -brooding look which made him old, had been upon him, like a heavy cloud, -ever since. As he passed out, the jury, who had turned back and paused a -moment, spoke, through their foreman. - -They were not agreed, and wished to retire. My Lord (perhaps with George -Washington on his mind) showed some surprise that they were not agreed, -but signified his pleasure that they should retire under watch and ward, -and retired himself. The trial had lasted all day, and the lamps in -the court were now being lighted. It began to be rumoured that the -jury would be out a long while. The spectators dropped off to get -refreshment, and the prisoner withdrew to the back of the dock, and sat -down. - -Mr. Lorry, who had gone out when the young lady and her father went out, -now reappeared, and beckoned to Jerry: who, in the slackened interest, -could easily get near him. - -“Jerry, if you wish to take something to eat, you can. But, keep in the -way. You will be sure to hear when the jury come in. Don't be a moment -behind them, for I want you to take the verdict back to the bank. You -are the quickest messenger I know, and will get to Temple Bar long -before I can.” - -Jerry had just enough forehead to knuckle, and he knuckled it in -acknowledgment of this communication and a shilling. Mr. Carton came up -at the moment, and touched Mr. Lorry on the arm. - -“How is the young lady?” - -“She is greatly distressed; but her father is comforting her, and she -feels the better for being out of court.” - -“I'll tell the prisoner so. It won't do for a respectable bank gentleman -like you, to be seen speaking to him publicly, you know.” - -Mr. Lorry reddened as if he were conscious of having debated the point -in his mind, and Mr. Carton made his way to the outside of the bar. -The way out of court lay in that direction, and Jerry followed him, all -eyes, ears, and spikes. - -“Mr. Darnay!” - -The prisoner came forward directly. - -“You will naturally be anxious to hear of the witness, Miss Manette. She -will do very well. You have seen the worst of her agitation.” - -“I am deeply sorry to have been the cause of it. Could you tell her so -for me, with my fervent acknowledgments?” - -“Yes, I could. I will, if you ask it.” - -Mr. Carton's manner was so careless as to be almost insolent. He stood, -half turned from the prisoner, lounging with his elbow against the bar. - -“I do ask it. Accept my cordial thanks.” - -“What,” said Carton, still only half turned towards him, “do you expect, -Mr. Darnay?” - -“The worst.” - -“It's the wisest thing to expect, and the likeliest. But I think their -withdrawing is in your favour.” - -Loitering on the way out of court not being allowed, Jerry heard no -more: but left them--so like each other in feature, so unlike each other -in manner--standing side by side, both reflected in the glass above -them. - -An hour and a half limped heavily away in the thief-and-rascal crowded -passages below, even though assisted off with mutton pies and ale. -The hoarse messenger, uncomfortably seated on a form after taking that -refection, had dropped into a doze, when a loud murmur and a rapid tide -of people setting up the stairs that led to the court, carried him along -with them. - -“Jerry! Jerry!” Mr. Lorry was already calling at the door when he got -there. - -“Here, sir! It's a fight to get back again. Here I am, sir!” - -Mr. Lorry handed him a paper through the throng. “Quick! Have you got -it?” - -“Yes, sir.” - -Hastily written on the paper was the word “ACQUITTED.” - -“If you had sent the message, 'Recalled to Life,' again,” muttered -Jerry, as he turned, “I should have known what you meant, this time.” - -He had no opportunity of saying, or so much as thinking, anything else, -until he was clear of the Old Bailey; for, the crowd came pouring out -with a vehemence that nearly took him off his legs, and a loud buzz -swept into the street as if the baffled blue-flies were dispersing in -search of other carrion. - - - - -IV. Congratulatory - - -From the dimly-lighted passages of the court, the last sediment of the -human stew that had been boiling there all day, was straining off, when -Doctor Manette, Lucie Manette, his daughter, Mr. Lorry, the solicitor -for the defence, and its counsel, Mr. Stryver, stood gathered round Mr. -Charles Darnay--just released--congratulating him on his escape from -death. - -It would have been difficult by a far brighter light, to recognise -in Doctor Manette, intellectual of face and upright of bearing, the -shoemaker of the garret in Paris. Yet, no one could have looked at him -twice, without looking again: even though the opportunity of observation -had not extended to the mournful cadence of his low grave voice, and -to the abstraction that overclouded him fitfully, without any apparent -reason. While one external cause, and that a reference to his long -lingering agony, would always--as on the trial--evoke this condition -from the depths of his soul, it was also in its nature to arise of -itself, and to draw a gloom over him, as incomprehensible to those -unacquainted with his story as if they had seen the shadow of the actual -Bastille thrown upon him by a summer sun, when the substance was three -hundred miles away. - -Only his daughter had the power of charming this black brooding from -his mind. She was the golden thread that united him to a Past beyond his -misery, and to a Present beyond his misery: and the sound of her voice, -the light of her face, the touch of her hand, had a strong beneficial -influence with him almost always. Not absolutely always, for she could -recall some occasions on which her power had failed; but they were few -and slight, and she believed them over. - -Mr. Darnay had kissed her hand fervently and gratefully, and had turned -to Mr. Stryver, whom he warmly thanked. Mr. Stryver, a man of little -more than thirty, but looking twenty years older than he was, stout, -loud, red, bluff, and free from any drawback of delicacy, had a pushing -way of shouldering himself (morally and physically) into companies and -conversations, that argued well for his shouldering his way up in life. - -He still had his wig and gown on, and he said, squaring himself at his -late client to that degree that he squeezed the innocent Mr. Lorry clean -out of the group: “I am glad to have brought you off with honour, Mr. -Darnay. It was an infamous prosecution, grossly infamous; but not the -less likely to succeed on that account.” - -“You have laid me under an obligation to you for life--in two senses,” - said his late client, taking his hand. - -“I have done my best for you, Mr. Darnay; and my best is as good as -another man's, I believe.” - -It clearly being incumbent on some one to say, “Much better,” Mr. Lorry -said it; perhaps not quite disinterestedly, but with the interested -object of squeezing himself back again. - -“You think so?” said Mr. Stryver. “Well! you have been present all day, -and you ought to know. You are a man of business, too.” - -“And as such,” quoth Mr. Lorry, whom the counsel learned in the law had -now shouldered back into the group, just as he had previously shouldered -him out of it--“as such I will appeal to Doctor Manette, to break up -this conference and order us all to our homes. Miss Lucie looks ill, Mr. -Darnay has had a terrible day, we are worn out.” - -“Speak for yourself, Mr. Lorry,” said Stryver; “I have a night's work to -do yet. Speak for yourself.” - -“I speak for myself,” answered Mr. Lorry, “and for Mr. Darnay, and for -Miss Lucie, and--Miss Lucie, do you not think I may speak for us all?” - He asked her the question pointedly, and with a glance at her father. - -His face had become frozen, as it were, in a very curious look at -Darnay: an intent look, deepening into a frown of dislike and distrust, -not even unmixed with fear. With this strange expression on him his -thoughts had wandered away. - -“My father,” said Lucie, softly laying her hand on his. - -He slowly shook the shadow off, and turned to her. - -“Shall we go home, my father?” - -With a long breath, he answered “Yes.” - -The friends of the acquitted prisoner had dispersed, under the -impression--which he himself had originated--that he would not be -released that night. The lights were nearly all extinguished in the -passages, the iron gates were being closed with a jar and a rattle, -and the dismal place was deserted until to-morrow morning's interest of -gallows, pillory, whipping-post, and branding-iron, should repeople it. -Walking between her father and Mr. Darnay, Lucie Manette passed into -the open air. A hackney-coach was called, and the father and daughter -departed in it. - -Mr. Stryver had left them in the passages, to shoulder his way back -to the robing-room. Another person, who had not joined the group, or -interchanged a word with any one of them, but who had been leaning -against the wall where its shadow was darkest, had silently strolled -out after the rest, and had looked on until the coach drove away. He now -stepped up to where Mr. Lorry and Mr. Darnay stood upon the pavement. - -“So, Mr. Lorry! Men of business may speak to Mr. Darnay now?” - -Nobody had made any acknowledgment of Mr. Carton's part in the day's -proceedings; nobody had known of it. He was unrobed, and was none the -better for it in appearance. - -“If you knew what a conflict goes on in the business mind, when the -business mind is divided between good-natured impulse and business -appearances, you would be amused, Mr. Darnay.” - -Mr. Lorry reddened, and said, warmly, “You have mentioned that before, -sir. We men of business, who serve a House, are not our own masters. We -have to think of the House more than ourselves.” - -“_I_ know, _I_ know,” rejoined Mr. Carton, carelessly. “Don't be -nettled, Mr. Lorry. You are as good as another, I have no doubt: better, -I dare say.” - -“And indeed, sir,” pursued Mr. Lorry, not minding him, “I really don't -know what you have to do with the matter. If you'll excuse me, as very -much your elder, for saying so, I really don't know that it is your -business.” - -“Business! Bless you, _I_ have no business,” said Mr. Carton. - -“It is a pity you have not, sir.” - -“I think so, too.” - -“If you had,” pursued Mr. Lorry, “perhaps you would attend to it.” - -“Lord love you, no!--I shouldn't,” said Mr. Carton. - -“Well, sir!” cried Mr. Lorry, thoroughly heated by his indifference, -“business is a very good thing, and a very respectable thing. And, sir, -if business imposes its restraints and its silences and impediments, Mr. -Darnay as a young gentleman of generosity knows how to make allowance -for that circumstance. Mr. Darnay, good night, God bless you, sir! -I hope you have been this day preserved for a prosperous and happy -life.--Chair there!” - -Perhaps a little angry with himself, as well as with the barrister, Mr. -Lorry bustled into the chair, and was carried off to Tellson's. Carton, -who smelt of port wine, and did not appear to be quite sober, laughed -then, and turned to Darnay: - -“This is a strange chance that throws you and me together. This must -be a strange night to you, standing alone here with your counterpart on -these street stones?” - -“I hardly seem yet,” returned Charles Darnay, “to belong to this world -again.” - -“I don't wonder at it; it's not so long since you were pretty far -advanced on your way to another. You speak faintly.” - -“I begin to think I _am_ faint.” - -“Then why the devil don't you dine? I dined, myself, while those -numskulls were deliberating which world you should belong to--this, or -some other. Let me show you the nearest tavern to dine well at.” - -Drawing his arm through his own, he took him down Ludgate-hill to -Fleet-street, and so, up a covered way, into a tavern. Here, they were -shown into a little room, where Charles Darnay was soon recruiting -his strength with a good plain dinner and good wine: while Carton sat -opposite to him at the same table, with his separate bottle of port -before him, and his fully half-insolent manner upon him. - -“Do you feel, yet, that you belong to this terrestrial scheme again, Mr. -Darnay?” - -“I am frightfully confused regarding time and place; but I am so far -mended as to feel that.” - -“It must be an immense satisfaction!” - -He said it bitterly, and filled up his glass again: which was a large -one. - -“As to me, the greatest desire I have, is to forget that I belong to it. -It has no good in it for me--except wine like this--nor I for it. So we -are not much alike in that particular. Indeed, I begin to think we are -not much alike in any particular, you and I.” - -Confused by the emotion of the day, and feeling his being there with -this Double of coarse deportment, to be like a dream, Charles Darnay was -at a loss how to answer; finally, answered not at all. - -“Now your dinner is done,” Carton presently said, “why don't you call a -health, Mr. Darnay; why don't you give your toast?” - -“What health? What toast?” - -“Why, it's on the tip of your tongue. It ought to be, it must be, I'll -swear it's there.” - -“Miss Manette, then!” - -“Miss Manette, then!” - -Looking his companion full in the face while he drank the toast, Carton -flung his glass over his shoulder against the wall, where it shivered to -pieces; then, rang the bell, and ordered in another. - -“That's a fair young lady to hand to a coach in the dark, Mr. Darnay!” - he said, filling his new goblet. - -A slight frown and a laconic “Yes,” were the answer. - -“That's a fair young lady to be pitied by and wept for by! How does it -feel? Is it worth being tried for one's life, to be the object of such -sympathy and compassion, Mr. Darnay?” - -Again Darnay answered not a word. - -“She was mightily pleased to have your message, when I gave it her. Not -that she showed she was pleased, but I suppose she was.” - -The allusion served as a timely reminder to Darnay that this -disagreeable companion had, of his own free will, assisted him in the -strait of the day. He turned the dialogue to that point, and thanked him -for it. - -“I neither want any thanks, nor merit any,” was the careless rejoinder. -“It was nothing to do, in the first place; and I don't know why I did -it, in the second. Mr. Darnay, let me ask you a question.” - -“Willingly, and a small return for your good offices.” - -“Do you think I particularly like you?” - -“Really, Mr. Carton,” returned the other, oddly disconcerted, “I have -not asked myself the question.” - -“But ask yourself the question now.” - -“You have acted as if you do; but I don't think you do.” - -“_I_ don't think I do,” said Carton. “I begin to have a very good -opinion of your understanding.” - -“Nevertheless,” pursued Darnay, rising to ring the bell, “there is -nothing in that, I hope, to prevent my calling the reckoning, and our -parting without ill-blood on either side.” - -Carton rejoining, “Nothing in life!” Darnay rang. “Do you call the whole -reckoning?” said Carton. On his answering in the affirmative, “Then -bring me another pint of this same wine, drawer, and come and wake me at -ten.” - -The bill being paid, Charles Darnay rose and wished him good night. -Without returning the wish, Carton rose too, with something of a threat -of defiance in his manner, and said, “A last word, Mr. Darnay: you think -I am drunk?” - -“I think you have been drinking, Mr. Carton.” - -“Think? You know I have been drinking.” - -“Since I must say so, I know it.” - -“Then you shall likewise know why. I am a disappointed drudge, sir. I -care for no man on earth, and no man on earth cares for me.” - -“Much to be regretted. You might have used your talents better.” - -“May be so, Mr. Darnay; may be not. Don't let your sober face elate you, -however; you don't know what it may come to. Good night!” - -When he was left alone, this strange being took up a candle, went to a -glass that hung against the wall, and surveyed himself minutely in it. - -“Do you particularly like the man?” he muttered, at his own image; “why -should you particularly like a man who resembles you? There is nothing -in you to like; you know that. Ah, confound you! What a change you have -made in yourself! A good reason for taking to a man, that he shows you -what you have fallen away from, and what you might have been! Change -places with him, and would you have been looked at by those blue eyes as -he was, and commiserated by that agitated face as he was? Come on, and -have it out in plain words! You hate the fellow.” - -He resorted to his pint of wine for consolation, drank it all in a few -minutes, and fell asleep on his arms, with his hair straggling over the -table, and a long winding-sheet in the candle dripping down upon him. - - - - -V. The Jackal - - -Those were drinking days, and most men drank hard. So very great is -the improvement Time has brought about in such habits, that a moderate -statement of the quantity of wine and punch which one man would swallow -in the course of a night, without any detriment to his reputation as a -perfect gentleman, would seem, in these days, a ridiculous exaggeration. -The learned profession of the law was certainly not behind any other -learned profession in its Bacchanalian propensities; neither was Mr. -Stryver, already fast shouldering his way to a large and lucrative -practice, behind his compeers in this particular, any more than in the -drier parts of the legal race. - -A favourite at the Old Bailey, and eke at the Sessions, Mr. Stryver had -begun cautiously to hew away the lower staves of the ladder on which -he mounted. Sessions and Old Bailey had now to summon their favourite, -specially, to their longing arms; and shouldering itself towards the -visage of the Lord Chief Justice in the Court of King's Bench, the -florid countenance of Mr. Stryver might be daily seen, bursting out of -the bed of wigs, like a great sunflower pushing its way at the sun from -among a rank garden-full of flaring companions. - -It had once been noted at the Bar, that while Mr. Stryver was a glib -man, and an unscrupulous, and a ready, and a bold, he had not that -faculty of extracting the essence from a heap of statements, which is -among the most striking and necessary of the advocate's accomplishments. -But, a remarkable improvement came upon him as to this. The more -business he got, the greater his power seemed to grow of getting at its -pith and marrow; and however late at night he sat carousing with Sydney -Carton, he always had his points at his fingers' ends in the morning. - -Sydney Carton, idlest and most unpromising of men, was Stryver's great -ally. What the two drank together, between Hilary Term and Michaelmas, -might have floated a king's ship. Stryver never had a case in hand, -anywhere, but Carton was there, with his hands in his pockets, staring -at the ceiling of the court; they went the same Circuit, and even there -they prolonged their usual orgies late into the night, and Carton was -rumoured to be seen at broad day, going home stealthily and unsteadily -to his lodgings, like a dissipated cat. At last, it began to get about, -among such as were interested in the matter, that although Sydney Carton -would never be a lion, he was an amazingly good jackal, and that he -rendered suit and service to Stryver in that humble capacity. - -“Ten o'clock, sir,” said the man at the tavern, whom he had charged to -wake him--“ten o'clock, sir.” - -“_What's_ the matter?” - -“Ten o'clock, sir.” - -“What do you mean? Ten o'clock at night?” - -“Yes, sir. Your honour told me to call you.” - -“Oh! I remember. Very well, very well.” - -After a few dull efforts to get to sleep again, which the man -dexterously combated by stirring the fire continuously for five minutes, -he got up, tossed his hat on, and walked out. He turned into the Temple, -and, having revived himself by twice pacing the pavements of King's -Bench-walk and Paper-buildings, turned into the Stryver chambers. - -The Stryver clerk, who never assisted at these conferences, had gone -home, and the Stryver principal opened the door. He had his slippers on, -and a loose bed-gown, and his throat was bare for his greater ease. He -had that rather wild, strained, seared marking about the eyes, which -may be observed in all free livers of his class, from the portrait of -Jeffries downward, and which can be traced, under various disguises of -Art, through the portraits of every Drinking Age. - -“You are a little late, Memory,” said Stryver. - -“About the usual time; it may be a quarter of an hour later.” - -They went into a dingy room lined with books and littered with papers, -where there was a blazing fire. A kettle steamed upon the hob, and in -the midst of the wreck of papers a table shone, with plenty of wine upon -it, and brandy, and rum, and sugar, and lemons. - -“You have had your bottle, I perceive, Sydney.” - -“Two to-night, I think. I have been dining with the day's client; or -seeing him dine--it's all one!” - -“That was a rare point, Sydney, that you brought to bear upon the -identification. How did you come by it? When did it strike you?” - -“I thought he was rather a handsome fellow, and I thought I should have -been much the same sort of fellow, if I had had any luck.” - -Mr. Stryver laughed till he shook his precocious paunch. - -“You and your luck, Sydney! Get to work, get to work.” - -Sullenly enough, the jackal loosened his dress, went into an adjoining -room, and came back with a large jug of cold water, a basin, and a towel -or two. Steeping the towels in the water, and partially wringing them -out, he folded them on his head in a manner hideous to behold, sat down -at the table, and said, “Now I am ready!” - -“Not much boiling down to be done to-night, Memory,” said Mr. Stryver, -gaily, as he looked among his papers. - -“How much?” - -“Only two sets of them.” - -“Give me the worst first.” - -“There they are, Sydney. Fire away!” - -The lion then composed himself on his back on a sofa on one side of the -drinking-table, while the jackal sat at his own paper-bestrewn table -proper, on the other side of it, with the bottles and glasses ready to -his hand. Both resorted to the drinking-table without stint, but each in -a different way; the lion for the most part reclining with his hands in -his waistband, looking at the fire, or occasionally flirting with some -lighter document; the jackal, with knitted brows and intent face, -so deep in his task, that his eyes did not even follow the hand he -stretched out for his glass--which often groped about, for a minute or -more, before it found the glass for his lips. Two or three times, the -matter in hand became so knotty, that the jackal found it imperative on -him to get up, and steep his towels anew. From these pilgrimages to the -jug and basin, he returned with such eccentricities of damp headgear as -no words can describe; which were made the more ludicrous by his anxious -gravity. - -At length the jackal had got together a compact repast for the lion, and -proceeded to offer it to him. The lion took it with care and caution, -made his selections from it, and his remarks upon it, and the jackal -assisted both. When the repast was fully discussed, the lion put his -hands in his waistband again, and lay down to meditate. The jackal then -invigorated himself with a bumper for his throttle, and a fresh application -to his head, and applied himself to the collection of a second meal; -this was administered to the lion in the same manner, and was not -disposed of until the clocks struck three in the morning. - -“And now we have done, Sydney, fill a bumper of punch,” said Mr. -Stryver. - -The jackal removed the towels from his head, which had been steaming -again, shook himself, yawned, shivered, and complied. - -“You were very sound, Sydney, in the matter of those crown witnesses -to-day. Every question told.” - -“I always am sound; am I not?” - -“I don't gainsay it. What has roughened your temper? Put some punch to -it and smooth it again.” - -With a deprecatory grunt, the jackal again complied. - -“The old Sydney Carton of old Shrewsbury School,” said Stryver, nodding -his head over him as he reviewed him in the present and the past, “the -old seesaw Sydney. Up one minute and down the next; now in spirits and -now in despondency!” - -“Ah!” returned the other, sighing: “yes! The same Sydney, with the same -luck. Even then, I did exercises for other boys, and seldom did my own.” - -“And why not?” - -“God knows. It was my way, I suppose.” - -He sat, with his hands in his pockets and his legs stretched out before -him, looking at the fire. - -“Carton,” said his friend, squaring himself at him with a bullying air, -as if the fire-grate had been the furnace in which sustained endeavour -was forged, and the one delicate thing to be done for the old Sydney -Carton of old Shrewsbury School was to shoulder him into it, “your way -is, and always was, a lame way. You summon no energy and purpose. Look -at me.” - -“Oh, botheration!” returned Sydney, with a lighter and more -good-humoured laugh, “don't _you_ be moral!” - -“How have I done what I have done?” said Stryver; “how do I do what I -do?” - -“Partly through paying me to help you, I suppose. But it's not worth -your while to apostrophise me, or the air, about it; what you want to -do, you do. You were always in the front rank, and I was always behind.” - -“I had to get into the front rank; I was not born there, was I?” - -“I was not present at the ceremony; but my opinion is you were,” said -Carton. At this, he laughed again, and they both laughed. - -“Before Shrewsbury, and at Shrewsbury, and ever since Shrewsbury,” - pursued Carton, “you have fallen into your rank, and I have fallen into -mine. Even when we were fellow-students in the Student-Quarter of Paris, -picking up French, and French law, and other French crumbs that we -didn't get much good of, you were always somewhere, and I was always -nowhere.” - -“And whose fault was that?” - -“Upon my soul, I am not sure that it was not yours. You were always -driving and riving and shouldering and passing, to that restless degree -that I had no chance for my life but in rust and repose. It's a gloomy -thing, however, to talk about one's own past, with the day breaking. -Turn me in some other direction before I go.” - -“Well then! Pledge me to the pretty witness,” said Stryver, holding up -his glass. “Are you turned in a pleasant direction?” - -Apparently not, for he became gloomy again. - -“Pretty witness,” he muttered, looking down into his glass. “I have had -enough of witnesses to-day and to-night; who's your pretty witness?” - -“The picturesque doctor's daughter, Miss Manette.” - -“_She_ pretty?” - -“Is she not?” - -“No.” - -“Why, man alive, she was the admiration of the whole Court!” - -“Rot the admiration of the whole Court! Who made the Old Bailey a judge -of beauty? She was a golden-haired doll!” - -“Do you know, Sydney,” said Mr. Stryver, looking at him with sharp eyes, -and slowly drawing a hand across his florid face: “do you know, I rather -thought, at the time, that you sympathised with the golden-haired doll, -and were quick to see what happened to the golden-haired doll?” - -“Quick to see what happened! If a girl, doll or no doll, swoons within a -yard or two of a man's nose, he can see it without a perspective-glass. -I pledge you, but I deny the beauty. And now I'll have no more drink; -I'll get to bed.” - -When his host followed him out on the staircase with a candle, to light -him down the stairs, the day was coldly looking in through its grimy -windows. When he got out of the house, the air was cold and sad, the -dull sky overcast, the river dark and dim, the whole scene like a -lifeless desert. And wreaths of dust were spinning round and round -before the morning blast, as if the desert-sand had risen far away, and -the first spray of it in its advance had begun to overwhelm the city. - -Waste forces within him, and a desert all around, this man stood still -on his way across a silent terrace, and saw for a moment, lying in the -wilderness before him, a mirage of honourable ambition, self-denial, and -perseverance. In the fair city of this vision, there were airy galleries -from which the loves and graces looked upon him, gardens in which the -fruits of life hung ripening, waters of Hope that sparkled in his sight. -A moment, and it was gone. Climbing to a high chamber in a well of -houses, he threw himself down in his clothes on a neglected bed, and its -pillow was wet with wasted tears. - -Sadly, sadly, the sun rose; it rose upon no sadder sight than the man of -good abilities and good emotions, incapable of their directed exercise, -incapable of his own help and his own happiness, sensible of the blight -on him, and resigning himself to let it eat him away. - - - - -VI. Hundreds of People - - -The quiet lodgings of Doctor Manette were in a quiet street-corner not -far from Soho-square. On the afternoon of a certain fine Sunday when the -waves of four months had rolled over the trial for treason, and carried -it, as to the public interest and memory, far out to sea, Mr. Jarvis -Lorry walked along the sunny streets from Clerkenwell where he lived, -on his way to dine with the Doctor. After several relapses into -business-absorption, Mr. Lorry had become the Doctor's friend, and the -quiet street-corner was the sunny part of his life. - -On this certain fine Sunday, Mr. Lorry walked towards Soho, early in -the afternoon, for three reasons of habit. Firstly, because, on fine -Sundays, he often walked out, before dinner, with the Doctor and Lucie; -secondly, because, on unfavourable Sundays, he was accustomed to be with -them as the family friend, talking, reading, looking out of window, and -generally getting through the day; thirdly, because he happened to have -his own little shrewd doubts to solve, and knew how the ways of the -Doctor's household pointed to that time as a likely time for solving -them. - -A quainter corner than the corner where the Doctor lived, was not to be -found in London. There was no way through it, and the front windows of -the Doctor's lodgings commanded a pleasant little vista of street that -had a congenial air of retirement on it. There were few buildings then, -north of the Oxford-road, and forest-trees flourished, and wild flowers -grew, and the hawthorn blossomed, in the now vanished fields. As a -consequence, country airs circulated in Soho with vigorous freedom, -instead of languishing into the parish like stray paupers without a -settlement; and there was many a good south wall, not far off, on which -the peaches ripened in their season. - -The summer light struck into the corner brilliantly in the earlier part -of the day; but, when the streets grew hot, the corner was in shadow, -though not in shadow so remote but that you could see beyond it into a -glare of brightness. It was a cool spot, staid but cheerful, a wonderful -place for echoes, and a very harbour from the raging streets. - -There ought to have been a tranquil bark in such an anchorage, and -there was. The Doctor occupied two floors of a large stiff house, where -several callings purported to be pursued by day, but whereof little was -audible any day, and which was shunned by all of them at night. In -a building at the back, attainable by a courtyard where a plane-tree -rustled its green leaves, church-organs claimed to be made, and silver -to be chased, and likewise gold to be beaten by some mysterious giant -who had a golden arm starting out of the wall of the front hall--as if -he had beaten himself precious, and menaced a similar conversion of all -visitors. Very little of these trades, or of a lonely lodger rumoured -to live up-stairs, or of a dim coach-trimming maker asserted to have -a counting-house below, was ever heard or seen. Occasionally, a stray -workman putting his coat on, traversed the hall, or a stranger peered -about there, or a distant clink was heard across the courtyard, or a -thump from the golden giant. These, however, were only the exceptions -required to prove the rule that the sparrows in the plane-tree behind -the house, and the echoes in the corner before it, had their own way -from Sunday morning unto Saturday night. - -Doctor Manette received such patients here as his old reputation, and -its revival in the floating whispers of his story, brought him. -His scientific knowledge, and his vigilance and skill in conducting -ingenious experiments, brought him otherwise into moderate request, and -he earned as much as he wanted. - -These things were within Mr. Jarvis Lorry's knowledge, thoughts, and -notice, when he rang the door-bell of the tranquil house in the corner, -on the fine Sunday afternoon. - -“Doctor Manette at home?” - -Expected home. - -“Miss Lucie at home?” - -Expected home. - -“Miss Pross at home?” - -Possibly at home, but of a certainty impossible for handmaid to -anticipate intentions of Miss Pross, as to admission or denial of the -fact. - -“As I am at home myself,” said Mr. Lorry, “I'll go upstairs.” - -Although the Doctor's daughter had known nothing of the country of her -birth, she appeared to have innately derived from it that ability to -make much of little means, which is one of its most useful and most -agreeable characteristics. Simple as the furniture was, it was set off -by so many little adornments, of no value but for their taste and fancy, -that its effect was delightful. The disposition of everything in the -rooms, from the largest object to the least; the arrangement of colours, -the elegant variety and contrast obtained by thrift in trifles, by -delicate hands, clear eyes, and good sense; were at once so pleasant in -themselves, and so expressive of their originator, that, as Mr. Lorry -stood looking about him, the very chairs and tables seemed to ask him, -with something of that peculiar expression which he knew so well by this -time, whether he approved? - -There were three rooms on a floor, and, the doors by which they -communicated being put open that the air might pass freely through them -all, Mr. Lorry, smilingly observant of that fanciful resemblance which -he detected all around him, walked from one to another. The first was -the best room, and in it were Lucie's birds, and flowers, and books, -and desk, and work-table, and box of water-colours; the second was -the Doctor's consulting-room, used also as the dining-room; the third, -changingly speckled by the rustle of the plane-tree in the yard, was the -Doctor's bedroom, and there, in a corner, stood the disused shoemaker's -bench and tray of tools, much as it had stood on the fifth floor of the -dismal house by the wine-shop, in the suburb of Saint Antoine in Paris. - -“I wonder,” said Mr. Lorry, pausing in his looking about, “that he keeps -that reminder of his sufferings about him!” - -“And why wonder at that?” was the abrupt inquiry that made him start. - -It proceeded from Miss Pross, the wild red woman, strong of hand, whose -acquaintance he had first made at the Royal George Hotel at Dover, and -had since improved. - -“I should have thought--” Mr. Lorry began. - -“Pooh! You'd have thought!” said Miss Pross; and Mr. Lorry left off. - -“How do you do?” inquired that lady then--sharply, and yet as if to -express that she bore him no malice. - -“I am pretty well, I thank you,” answered Mr. Lorry, with meekness; “how -are you?” - -“Nothing to boast of,” said Miss Pross. - -“Indeed?” - -“Ah! indeed!” said Miss Pross. “I am very much put out about my -Ladybird.” - -“Indeed?” - -“For gracious sake say something else besides 'indeed,' or you'll -fidget me to death,” said Miss Pross: whose character (dissociated from -stature) was shortness. - -“Really, then?” said Mr. Lorry, as an amendment. - -“Really, is bad enough,” returned Miss Pross, “but better. Yes, I am -very much put out.” - -“May I ask the cause?” - -“I don't want dozens of people who are not at all worthy of Ladybird, to -come here looking after her,” said Miss Pross. - -“_Do_ dozens come for that purpose?” - -“Hundreds,” said Miss Pross. - -It was characteristic of this lady (as of some other people before her -time and since) that whenever her original proposition was questioned, -she exaggerated it. - -“Dear me!” said Mr. Lorry, as the safest remark he could think of. - -“I have lived with the darling--or the darling has lived with me, and -paid me for it; which she certainly should never have done, you may take -your affidavit, if I could have afforded to keep either myself or her -for nothing--since she was ten years old. And it's really very hard,” - said Miss Pross. - -Not seeing with precision what was very hard, Mr. Lorry shook his head; -using that important part of himself as a sort of fairy cloak that would -fit anything. - -“All sorts of people who are not in the least degree worthy of the pet, -are always turning up,” said Miss Pross. “When you began it--” - -“_I_ began it, Miss Pross?” - -“Didn't you? Who brought her father to life?” - -“Oh! If _that_ was beginning it--” said Mr. Lorry. - -“It wasn't ending it, I suppose? I say, when you began it, it was hard -enough; not that I have any fault to find with Doctor Manette, except -that he is not worthy of such a daughter, which is no imputation on -him, for it was not to be expected that anybody should be, under any -circumstances. But it really is doubly and trebly hard to have crowds -and multitudes of people turning up after him (I could have forgiven -him), to take Ladybird's affections away from me.” - -Mr. Lorry knew Miss Pross to be very jealous, but he also knew her by -this time to be, beneath the service of her eccentricity, one of those -unselfish creatures--found only among women--who will, for pure love and -admiration, bind themselves willing slaves, to youth when they have lost -it, to beauty that they never had, to accomplishments that they were -never fortunate enough to gain, to bright hopes that never shone upon -their own sombre lives. He knew enough of the world to know that there -is nothing in it better than the faithful service of the heart; so -rendered and so free from any mercenary taint, he had such an exalted -respect for it, that in the retributive arrangements made by his own -mind--we all make such arrangements, more or less--he stationed Miss -Pross much nearer to the lower Angels than many ladies immeasurably -better got up both by Nature and Art, who had balances at Tellson's. - -“There never was, nor will be, but one man worthy of Ladybird,” said -Miss Pross; “and that was my brother Solomon, if he hadn't made a -mistake in life.” - -Here again: Mr. Lorry's inquiries into Miss Pross's personal history had -established the fact that her brother Solomon was a heartless scoundrel -who had stripped her of everything she possessed, as a stake to -speculate with, and had abandoned her in her poverty for evermore, with -no touch of compunction. Miss Pross's fidelity of belief in Solomon -(deducting a mere trifle for this slight mistake) was quite a serious -matter with Mr. Lorry, and had its weight in his good opinion of her. - -“As we happen to be alone for the moment, and are both people of -business,” he said, when they had got back to the drawing-room and had -sat down there in friendly relations, “let me ask you--does the Doctor, -in talking with Lucie, never refer to the shoemaking time, yet?” - -“Never.” - -“And yet keeps that bench and those tools beside him?” - -“Ah!” returned Miss Pross, shaking her head. “But I don't say he don't -refer to it within himself.” - -“Do you believe that he thinks of it much?” - -“I do,” said Miss Pross. - -“Do you imagine--” Mr. Lorry had begun, when Miss Pross took him up -short with: - -“Never imagine anything. Have no imagination at all.” - -“I stand corrected; do you suppose--you go so far as to suppose, -sometimes?” - -“Now and then,” said Miss Pross. - -“Do you suppose,” Mr. Lorry went on, with a laughing twinkle in his -bright eye, as it looked kindly at her, “that Doctor Manette has any -theory of his own, preserved through all those years, relative to -the cause of his being so oppressed; perhaps, even to the name of his -oppressor?” - -“I don't suppose anything about it but what Ladybird tells me.” - -“And that is--?” - -“That she thinks he has.” - -“Now don't be angry at my asking all these questions; because I am a -mere dull man of business, and you are a woman of business.” - -“Dull?” Miss Pross inquired, with placidity. - -Rather wishing his modest adjective away, Mr. Lorry replied, “No, no, -no. Surely not. To return to business:--Is it not remarkable that Doctor -Manette, unquestionably innocent of any crime as we are all well assured -he is, should never touch upon that question? I will not say with me, -though he had business relations with me many years ago, and we are now -intimate; I will say with the fair daughter to whom he is so devotedly -attached, and who is so devotedly attached to him? Believe me, Miss -Pross, I don't approach the topic with you, out of curiosity, but out of -zealous interest.” - -“Well! To the best of my understanding, and bad's the best, you'll tell -me,” said Miss Pross, softened by the tone of the apology, “he is afraid -of the whole subject.” - -“Afraid?” - -“It's plain enough, I should think, why he may be. It's a dreadful -remembrance. Besides that, his loss of himself grew out of it. Not -knowing how he lost himself, or how he recovered himself, he may never -feel certain of not losing himself again. That alone wouldn't make the -subject pleasant, I should think.” - -It was a profounder remark than Mr. Lorry had looked for. “True,” said -he, “and fearful to reflect upon. Yet, a doubt lurks in my mind, Miss -Pross, whether it is good for Doctor Manette to have that suppression -always shut up within him. Indeed, it is this doubt and the uneasiness -it sometimes causes me that has led me to our present confidence.” - -“Can't be helped,” said Miss Pross, shaking her head. “Touch that -string, and he instantly changes for the worse. Better leave it alone. -In short, must leave it alone, like or no like. Sometimes, he gets up in -the dead of the night, and will be heard, by us overhead there, walking -up and down, walking up and down, in his room. Ladybird has learnt to -know then that his mind is walking up and down, walking up and down, in -his old prison. She hurries to him, and they go on together, walking up -and down, walking up and down, until he is composed. But he never says -a word of the true reason of his restlessness, to her, and she finds it -best not to hint at it to him. In silence they go walking up and down -together, walking up and down together, till her love and company have -brought him to himself.” - -Notwithstanding Miss Pross's denial of her own imagination, there was a -perception of the pain of being monotonously haunted by one sad idea, -in her repetition of the phrase, walking up and down, which testified to -her possessing such a thing. - -The corner has been mentioned as a wonderful corner for echoes; it -had begun to echo so resoundingly to the tread of coming feet, that it -seemed as though the very mention of that weary pacing to and fro had -set it going. - -“Here they are!” said Miss Pross, rising to break up the conference; -“and now we shall have hundreds of people pretty soon!” - -It was such a curious corner in its acoustical properties, such a -peculiar Ear of a place, that as Mr. Lorry stood at the open window, -looking for the father and daughter whose steps he heard, he fancied -they would never approach. Not only would the echoes die away, as though -the steps had gone; but, echoes of other steps that never came would be -heard in their stead, and would die away for good when they seemed close -at hand. However, father and daughter did at last appear, and Miss Pross -was ready at the street door to receive them. - -Miss Pross was a pleasant sight, albeit wild, and red, and grim, taking -off her darling's bonnet when she came up-stairs, and touching it up -with the ends of her handkerchief, and blowing the dust off it, and -folding her mantle ready for laying by, and smoothing her rich hair with -as much pride as she could possibly have taken in her own hair if she -had been the vainest and handsomest of women. Her darling was a pleasant -sight too, embracing her and thanking her, and protesting against -her taking so much trouble for her--which last she only dared to do -playfully, or Miss Pross, sorely hurt, would have retired to her own -chamber and cried. The Doctor was a pleasant sight too, looking on at -them, and telling Miss Pross how she spoilt Lucie, in accents and with -eyes that had as much spoiling in them as Miss Pross had, and would -have had more if it were possible. Mr. Lorry was a pleasant sight too, -beaming at all this in his little wig, and thanking his bachelor -stars for having lighted him in his declining years to a Home. But, no -Hundreds of people came to see the sights, and Mr. Lorry looked in vain -for the fulfilment of Miss Pross's prediction. - -Dinner-time, and still no Hundreds of people. In the arrangements of -the little household, Miss Pross took charge of the lower regions, and -always acquitted herself marvellously. Her dinners, of a very modest -quality, were so well cooked and so well served, and so neat in their -contrivances, half English and half French, that nothing could be -better. Miss Pross's friendship being of the thoroughly practical -kind, she had ravaged Soho and the adjacent provinces, in search of -impoverished French, who, tempted by shillings and half-crowns, would -impart culinary mysteries to her. From these decayed sons and daughters -of Gaul, she had acquired such wonderful arts, that the woman and girl -who formed the staff of domestics regarded her as quite a Sorceress, -or Cinderella's Godmother: who would send out for a fowl, a rabbit, -a vegetable or two from the garden, and change them into anything she -pleased. - -On Sundays, Miss Pross dined at the Doctor's table, but on other days -persisted in taking her meals at unknown periods, either in the lower -regions, or in her own room on the second floor--a blue chamber, to -which no one but her Ladybird ever gained admittance. On this occasion, -Miss Pross, responding to Ladybird's pleasant face and pleasant efforts -to please her, unbent exceedingly; so the dinner was very pleasant, too. - -It was an oppressive day, and, after dinner, Lucie proposed that the -wine should be carried out under the plane-tree, and they should sit -there in the air. As everything turned upon her, and revolved about her, -they went out under the plane-tree, and she carried the wine down for -the special benefit of Mr. Lorry. She had installed herself, some -time before, as Mr. Lorry's cup-bearer; and while they sat under the -plane-tree, talking, she kept his glass replenished. Mysterious backs -and ends of houses peeped at them as they talked, and the plane-tree -whispered to them in its own way above their heads. - -Still, the Hundreds of people did not present themselves. Mr. Darnay -presented himself while they were sitting under the plane-tree, but he -was only One. - -Doctor Manette received him kindly, and so did Lucie. But, Miss Pross -suddenly became afflicted with a twitching in the head and body, and -retired into the house. She was not unfrequently the victim of this -disorder, and she called it, in familiar conversation, “a fit of the -jerks.” - -The Doctor was in his best condition, and looked specially young. The -resemblance between him and Lucie was very strong at such times, and as -they sat side by side, she leaning on his shoulder, and he resting -his arm on the back of her chair, it was very agreeable to trace the -likeness. - -He had been talking all day, on many subjects, and with unusual -vivacity. “Pray, Doctor Manette,” said Mr. Darnay, as they sat under the -plane-tree--and he said it in the natural pursuit of the topic in hand, -which happened to be the old buildings of London--“have you seen much of -the Tower?” - -“Lucie and I have been there; but only casually. We have seen enough of -it, to know that it teems with interest; little more.” - -“_I_ have been there, as you remember,” said Darnay, with a smile, -though reddening a little angrily, “in another character, and not in a -character that gives facilities for seeing much of it. They told me a -curious thing when I was there.” - -“What was that?” Lucie asked. - -“In making some alterations, the workmen came upon an old dungeon, which -had been, for many years, built up and forgotten. Every stone of -its inner wall was covered by inscriptions which had been carved by -prisoners--dates, names, complaints, and prayers. Upon a corner stone -in an angle of the wall, one prisoner, who seemed to have gone to -execution, had cut as his last work, three letters. They were done with -some very poor instrument, and hurriedly, with an unsteady hand. -At first, they were read as D. I. C.; but, on being more carefully -examined, the last letter was found to be G. There was no record or -legend of any prisoner with those initials, and many fruitless guesses -were made what the name could have been. At length, it was suggested -that the letters were not initials, but the complete word, DIG. The -floor was examined very carefully under the inscription, and, in the -earth beneath a stone, or tile, or some fragment of paving, were found -the ashes of a paper, mingled with the ashes of a small leathern case -or bag. What the unknown prisoner had written will never be read, but he -had written something, and hidden it away to keep it from the gaoler.” - -“My father,” exclaimed Lucie, “you are ill!” - -He had suddenly started up, with his hand to his head. His manner and -his look quite terrified them all. - -“No, my dear, not ill. There are large drops of rain falling, and they -made me start. We had better go in.” - -He recovered himself almost instantly. Rain was really falling in large -drops, and he showed the back of his hand with rain-drops on it. But, he -said not a single word in reference to the discovery that had been told -of, and, as they went into the house, the business eye of Mr. Lorry -either detected, or fancied it detected, on his face, as it turned -towards Charles Darnay, the same singular look that had been upon it -when it turned towards him in the passages of the Court House. - -He recovered himself so quickly, however, that Mr. Lorry had doubts of -his business eye. The arm of the golden giant in the hall was not more -steady than he was, when he stopped under it to remark to them that he -was not yet proof against slight surprises (if he ever would be), and -that the rain had startled him. - -Tea-time, and Miss Pross making tea, with another fit of the jerks upon -her, and yet no Hundreds of people. Mr. Carton had lounged in, but he -made only Two. - -The night was so very sultry, that although they sat with doors and -windows open, they were overpowered by heat. When the tea-table was -done with, they all moved to one of the windows, and looked out into the -heavy twilight. Lucie sat by her father; Darnay sat beside her; Carton -leaned against a window. The curtains were long and white, and some of -the thunder-gusts that whirled into the corner, caught them up to the -ceiling, and waved them like spectral wings. - -“The rain-drops are still falling, large, heavy, and few,” said Doctor -Manette. “It comes slowly.” - -“It comes surely,” said Carton. - -They spoke low, as people watching and waiting mostly do; as people in a -dark room, watching and waiting for Lightning, always do. - -There was a great hurry in the streets of people speeding away to -get shelter before the storm broke; the wonderful corner for echoes -resounded with the echoes of footsteps coming and going, yet not a -footstep was there. - -“A multitude of people, and yet a solitude!” said Darnay, when they had -listened for a while. - -“Is it not impressive, Mr. Darnay?” asked Lucie. “Sometimes, I have -sat here of an evening, until I have fancied--but even the shade of -a foolish fancy makes me shudder to-night, when all is so black and -solemn--” - -“Let us shudder too. We may know what it is.” - -“It will seem nothing to you. Such whims are only impressive as we -originate them, I think; they are not to be communicated. I have -sometimes sat alone here of an evening, listening, until I have made -the echoes out to be the echoes of all the footsteps that are coming -by-and-bye into our lives.” - -“There is a great crowd coming one day into our lives, if that be so,” - Sydney Carton struck in, in his moody way. - -The footsteps were incessant, and the hurry of them became more and more -rapid. The corner echoed and re-echoed with the tread of feet; some, -as it seemed, under the windows; some, as it seemed, in the room; some -coming, some going, some breaking off, some stopping altogether; all in -the distant streets, and not one within sight. - -“Are all these footsteps destined to come to all of us, Miss Manette, or -are we to divide them among us?” - -“I don't know, Mr. Darnay; I told you it was a foolish fancy, but you -asked for it. When I have yielded myself to it, I have been alone, and -then I have imagined them the footsteps of the people who are to come -into my life, and my father's.” - -“I take them into mine!” said Carton. “_I_ ask no questions and make no -stipulations. There is a great crowd bearing down upon us, Miss Manette, -and I see them--by the Lightning.” He added the last words, after there -had been a vivid flash which had shown him lounging in the window. - -“And I hear them!” he added again, after a peal of thunder. “Here they -come, fast, fierce, and furious!” - -It was the rush and roar of rain that he typified, and it stopped him, -for no voice could be heard in it. A memorable storm of thunder and -lightning broke with that sweep of water, and there was not a moment's -interval in crash, and fire, and rain, until after the moon rose at -midnight. - -The great bell of Saint Paul's was striking one in the cleared air, when -Mr. Lorry, escorted by Jerry, high-booted and bearing a lantern, set -forth on his return-passage to Clerkenwell. There were solitary patches -of road on the way between Soho and Clerkenwell, and Mr. Lorry, mindful -of foot-pads, always retained Jerry for this service: though it was -usually performed a good two hours earlier. - -“What a night it has been! Almost a night, Jerry,” said Mr. Lorry, “to -bring the dead out of their graves.” - -“I never see the night myself, master--nor yet I don't expect to--what -would do that,” answered Jerry. - -“Good night, Mr. Carton,” said the man of business. “Good night, Mr. -Darnay. Shall we ever see such a night again, together!” - -Perhaps. Perhaps, see the great crowd of people with its rush and roar, -bearing down upon them, too. - - - - -VII. Monseigneur in Town - - -Monseigneur, one of the great lords in power at the Court, held his -fortnightly reception in his grand hotel in Paris. Monseigneur was in -his inner room, his sanctuary of sanctuaries, the Holiest of Holiests to -the crowd of worshippers in the suite of rooms without. Monseigneur -was about to take his chocolate. Monseigneur could swallow a great many -things with ease, and was by some few sullen minds supposed to be rather -rapidly swallowing France; but, his morning's chocolate could not so -much as get into the throat of Monseigneur, without the aid of four -strong men besides the Cook. - -Yes. It took four men, all four ablaze with gorgeous decoration, and the -Chief of them unable to exist with fewer than two gold watches in his -pocket, emulative of the noble and chaste fashion set by Monseigneur, to -conduct the happy chocolate to Monseigneur's lips. One lacquey carried -the chocolate-pot into the sacred presence; a second, milled and frothed -the chocolate with the little instrument he bore for that function; -a third, presented the favoured napkin; a fourth (he of the two gold -watches), poured the chocolate out. It was impossible for Monseigneur to -dispense with one of these attendants on the chocolate and hold his high -place under the admiring Heavens. Deep would have been the blot upon -his escutcheon if his chocolate had been ignobly waited on by only three -men; he must have died of two. - -Monseigneur had been out at a little supper last night, where the Comedy -and the Grand Opera were charmingly represented. Monseigneur was out at -a little supper most nights, with fascinating company. So polite and so -impressible was Monseigneur, that the Comedy and the Grand Opera had far -more influence with him in the tiresome articles of state affairs and -state secrets, than the needs of all France. A happy circumstance -for France, as the like always is for all countries similarly -favoured!--always was for England (by way of example), in the regretted -days of the merry Stuart who sold it. - -Monseigneur had one truly noble idea of general public business, which -was, to let everything go on in its own way; of particular public -business, Monseigneur had the other truly noble idea that it must all go -his way--tend to his own power and pocket. Of his pleasures, general and -particular, Monseigneur had the other truly noble idea, that the world -was made for them. The text of his order (altered from the original -by only a pronoun, which is not much) ran: “The earth and the fulness -thereof are mine, saith Monseigneur.” - -Yet, Monseigneur had slowly found that vulgar embarrassments crept into -his affairs, both private and public; and he had, as to both classes of -affairs, allied himself perforce with a Farmer-General. As to finances -public, because Monseigneur could not make anything at all of them, and -must consequently let them out to somebody who could; as to finances -private, because Farmer-Generals were rich, and Monseigneur, after -generations of great luxury and expense, was growing poor. Hence -Monseigneur had taken his sister from a convent, while there was yet -time to ward off the impending veil, the cheapest garment she could -wear, and had bestowed her as a prize upon a very rich Farmer-General, -poor in family. Which Farmer-General, carrying an appropriate cane with -a golden apple on the top of it, was now among the company in the outer -rooms, much prostrated before by mankind--always excepting superior -mankind of the blood of Monseigneur, who, his own wife included, looked -down upon him with the loftiest contempt. - -A sumptuous man was the Farmer-General. Thirty horses stood in his -stables, twenty-four male domestics sat in his halls, six body-women -waited on his wife. As one who pretended to do nothing but plunder and -forage where he could, the Farmer-General--howsoever his matrimonial -relations conduced to social morality--was at least the greatest reality -among the personages who attended at the hotel of Monseigneur that day. - -For, the rooms, though a beautiful scene to look at, and adorned with -every device of decoration that the taste and skill of the time could -achieve, were, in truth, not a sound business; considered with any -reference to the scarecrows in the rags and nightcaps elsewhere (and not -so far off, either, but that the watching towers of Notre Dame, almost -equidistant from the two extremes, could see them both), they would -have been an exceedingly uncomfortable business--if that could have -been anybody's business, at the house of Monseigneur. Military officers -destitute of military knowledge; naval officers with no idea of a ship; -civil officers without a notion of affairs; brazen ecclesiastics, of the -worst world worldly, with sensual eyes, loose tongues, and looser lives; -all totally unfit for their several callings, all lying horribly in -pretending to belong to them, but all nearly or remotely of the order of -Monseigneur, and therefore foisted on all public employments from which -anything was to be got; these were to be told off by the score and the -score. People not immediately connected with Monseigneur or the State, -yet equally unconnected with anything that was real, or with lives -passed in travelling by any straight road to any true earthly end, were -no less abundant. Doctors who made great fortunes out of dainty remedies -for imaginary disorders that never existed, smiled upon their courtly -patients in the ante-chambers of Monseigneur. Projectors who had -discovered every kind of remedy for the little evils with which the -State was touched, except the remedy of setting to work in earnest to -root out a single sin, poured their distracting babble into any ears -they could lay hold of, at the reception of Monseigneur. Unbelieving -Philosophers who were remodelling the world with words, and making -card-towers of Babel to scale the skies with, talked with Unbelieving -Chemists who had an eye on the transmutation of metals, at this -wonderful gathering accumulated by Monseigneur. Exquisite gentlemen of -the finest breeding, which was at that remarkable time--and has been -since--to be known by its fruits of indifference to every natural -subject of human interest, were in the most exemplary state of -exhaustion, at the hotel of Monseigneur. Such homes had these various -notabilities left behind them in the fine world of Paris, that the spies -among the assembled devotees of Monseigneur--forming a goodly half -of the polite company--would have found it hard to discover among -the angels of that sphere one solitary wife, who, in her manners and -appearance, owned to being a Mother. Indeed, except for the mere act of -bringing a troublesome creature into this world--which does not go far -towards the realisation of the name of mother--there was no such thing -known to the fashion. Peasant women kept the unfashionable babies close, -and brought them up, and charming grandmammas of sixty dressed and -supped as at twenty. - -The leprosy of unreality disfigured every human creature in attendance -upon Monseigneur. In the outermost room were half a dozen exceptional -people who had had, for a few years, some vague misgiving in them that -things in general were going rather wrong. As a promising way of setting -them right, half of the half-dozen had become members of a fantastic -sect of Convulsionists, and were even then considering within themselves -whether they should foam, rage, roar, and turn cataleptic on the -spot--thereby setting up a highly intelligible finger-post to the -Future, for Monseigneur's guidance. Besides these Dervishes, were other -three who had rushed into another sect, which mended matters with a -jargon about “the Centre of Truth:” holding that Man had got out of the -Centre of Truth--which did not need much demonstration--but had not got -out of the Circumference, and that he was to be kept from flying out of -the Circumference, and was even to be shoved back into the Centre, -by fasting and seeing of spirits. Among these, accordingly, much -discoursing with spirits went on--and it did a world of good which never -became manifest. - -But, the comfort was, that all the company at the grand hotel of -Monseigneur were perfectly dressed. If the Day of Judgment had only been -ascertained to be a dress day, everybody there would have been eternally -correct. Such frizzling and powdering and sticking up of hair, such -delicate complexions artificially preserved and mended, such gallant -swords to look at, and such delicate honour to the sense of smell, would -surely keep anything going, for ever and ever. The exquisite gentlemen -of the finest breeding wore little pendent trinkets that chinked as they -languidly moved; these golden fetters rang like precious little bells; -and what with that ringing, and with the rustle of silk and brocade and -fine linen, there was a flutter in the air that fanned Saint Antoine and -his devouring hunger far away. - -Dress was the one unfailing talisman and charm used for keeping all -things in their places. Everybody was dressed for a Fancy Ball that -was never to leave off. From the Palace of the Tuileries, through -Monseigneur and the whole Court, through the Chambers, the Tribunals -of Justice, and all society (except the scarecrows), the Fancy Ball -descended to the Common Executioner: who, in pursuance of the charm, was -required to officiate “frizzled, powdered, in a gold-laced coat, pumps, -and white silk stockings.” At the gallows and the wheel--the axe was a -rarity--Monsieur Paris, as it was the episcopal mode among his brother -Professors of the provinces, Monsieur Orleans, and the rest, to call -him, presided in this dainty dress. And who among the company at -Monseigneur's reception in that seventeen hundred and eightieth year -of our Lord, could possibly doubt, that a system rooted in a frizzled -hangman, powdered, gold-laced, pumped, and white-silk stockinged, would -see the very stars out! - -Monseigneur having eased his four men of their burdens and taken his -chocolate, caused the doors of the Holiest of Holiests to be thrown -open, and issued forth. Then, what submission, what cringing and -fawning, what servility, what abject humiliation! As to bowing down in -body and spirit, nothing in that way was left for Heaven--which may have -been one among other reasons why the worshippers of Monseigneur never -troubled it. - -Bestowing a word of promise here and a smile there, a whisper on one -happy slave and a wave of the hand on another, Monseigneur affably -passed through his rooms to the remote region of the Circumference of -Truth. There, Monseigneur turned, and came back again, and so in due -course of time got himself shut up in his sanctuary by the chocolate -sprites, and was seen no more. - -The show being over, the flutter in the air became quite a little storm, -and the precious little bells went ringing downstairs. There was soon -but one person left of all the crowd, and he, with his hat under his arm -and his snuff-box in his hand, slowly passed among the mirrors on his -way out. - -“I devote you,” said this person, stopping at the last door on his way, -and turning in the direction of the sanctuary, “to the Devil!” - -With that, he shook the snuff from his fingers as if he had shaken the -dust from his feet, and quietly walked downstairs. - -He was a man of about sixty, handsomely dressed, haughty in manner, and -with a face like a fine mask. A face of a transparent paleness; every -feature in it clearly defined; one set expression on it. The nose, -beautifully formed otherwise, was very slightly pinched at the top -of each nostril. In those two compressions, or dints, the only little -change that the face ever showed, resided. They persisted in changing -colour sometimes, and they would be occasionally dilated and contracted -by something like a faint pulsation; then, they gave a look of -treachery, and cruelty, to the whole countenance. Examined with -attention, its capacity of helping such a look was to be found in the -line of the mouth, and the lines of the orbits of the eyes, being much -too horizontal and thin; still, in the effect of the face made, it was a -handsome face, and a remarkable one. - -Its owner went downstairs into the courtyard, got into his carriage, and -drove away. Not many people had talked with him at the reception; he had -stood in a little space apart, and Monseigneur might have been warmer -in his manner. It appeared, under the circumstances, rather agreeable -to him to see the common people dispersed before his horses, and -often barely escaping from being run down. His man drove as if he were -charging an enemy, and the furious recklessness of the man brought no -check into the face, or to the lips, of the master. The complaint had -sometimes made itself audible, even in that deaf city and dumb age, -that, in the narrow streets without footways, the fierce patrician -custom of hard driving endangered and maimed the mere vulgar in a -barbarous manner. But, few cared enough for that to think of it a second -time, and, in this matter, as in all others, the common wretches were -left to get out of their difficulties as they could. - -With a wild rattle and clatter, and an inhuman abandonment of -consideration not easy to be understood in these days, the carriage -dashed through streets and swept round corners, with women screaming -before it, and men clutching each other and clutching children out of -its way. At last, swooping at a street corner by a fountain, one of its -wheels came to a sickening little jolt, and there was a loud cry from a -number of voices, and the horses reared and plunged. - -But for the latter inconvenience, the carriage probably would not have -stopped; carriages were often known to drive on, and leave their wounded -behind, and why not? But the frightened valet had got down in a hurry, -and there were twenty hands at the horses' bridles. - -“What has gone wrong?” said Monsieur, calmly looking out. - -A tall man in a nightcap had caught up a bundle from among the feet of -the horses, and had laid it on the basement of the fountain, and was -down in the mud and wet, howling over it like a wild animal. - -“Pardon, Monsieur the Marquis!” said a ragged and submissive man, “it is -a child.” - -“Why does he make that abominable noise? Is it his child?” - -“Excuse me, Monsieur the Marquis--it is a pity--yes.” - -The fountain was a little removed; for the street opened, where it was, -into a space some ten or twelve yards square. As the tall man suddenly -got up from the ground, and came running at the carriage, Monsieur the -Marquis clapped his hand for an instant on his sword-hilt. - -“Killed!” shrieked the man, in wild desperation, extending both arms at -their length above his head, and staring at him. “Dead!” - -The people closed round, and looked at Monsieur the Marquis. There was -nothing revealed by the many eyes that looked at him but watchfulness -and eagerness; there was no visible menacing or anger. Neither did the -people say anything; after the first cry, they had been silent, and they -remained so. The voice of the submissive man who had spoken, was flat -and tame in its extreme submission. Monsieur the Marquis ran his eyes -over them all, as if they had been mere rats come out of their holes. - -He took out his purse. - -“It is extraordinary to me,” said he, “that you people cannot take care -of yourselves and your children. One or the other of you is for ever in -the way. How do I know what injury you have done my horses. See! Give -him that.” - -He threw out a gold coin for the valet to pick up, and all the heads -craned forward that all the eyes might look down at it as it fell. The -tall man called out again with a most unearthly cry, “Dead!” - -He was arrested by the quick arrival of another man, for whom the rest -made way. On seeing him, the miserable creature fell upon his shoulder, -sobbing and crying, and pointing to the fountain, where some women were -stooping over the motionless bundle, and moving gently about it. They -were as silent, however, as the men. - -“I know all, I know all,” said the last comer. “Be a brave man, my -Gaspard! It is better for the poor little plaything to die so, than to -live. It has died in a moment without pain. Could it have lived an hour -as happily?” - -“You are a philosopher, you there,” said the Marquis, smiling. “How do -they call you?” - -“They call me Defarge.” - -“Of what trade?” - -“Monsieur the Marquis, vendor of wine.” - -“Pick up that, philosopher and vendor of wine,” said the Marquis, -throwing him another gold coin, “and spend it as you will. The horses -there; are they right?” - -Without deigning to look at the assemblage a second time, Monsieur the -Marquis leaned back in his seat, and was just being driven away with the -air of a gentleman who had accidentally broke some common thing, and had -paid for it, and could afford to pay for it; when his ease was suddenly -disturbed by a coin flying into his carriage, and ringing on its floor. - -“Hold!” said Monsieur the Marquis. “Hold the horses! Who threw that?” - -He looked to the spot where Defarge the vendor of wine had stood, a -moment before; but the wretched father was grovelling on his face on -the pavement in that spot, and the figure that stood beside him was the -figure of a dark stout woman, knitting. - -“You dogs!” said the Marquis, but smoothly, and with an unchanged front, -except as to the spots on his nose: “I would ride over any of you very -willingly, and exterminate you from the earth. If I knew which rascal -threw at the carriage, and if that brigand were sufficiently near it, he -should be crushed under the wheels.” - -So cowed was their condition, and so long and hard their experience of -what such a man could do to them, within the law and beyond it, that not -a voice, or a hand, or even an eye was raised. Among the men, not one. -But the woman who stood knitting looked up steadily, and looked the -Marquis in the face. It was not for his dignity to notice it; his -contemptuous eyes passed over her, and over all the other rats; and he -leaned back in his seat again, and gave the word “Go on!” - -He was driven on, and other carriages came whirling by in quick -succession; the Minister, the State-Projector, the Farmer-General, the -Doctor, the Lawyer, the Ecclesiastic, the Grand Opera, the Comedy, the -whole Fancy Ball in a bright continuous flow, came whirling by. The rats -had crept out of their holes to look on, and they remained looking -on for hours; soldiers and police often passing between them and the -spectacle, and making a barrier behind which they slunk, and through -which they peeped. The father had long ago taken up his bundle and -bidden himself away with it, when the women who had tended the bundle -while it lay on the base of the fountain, sat there watching the running -of the water and the rolling of the Fancy Ball--when the one woman who -had stood conspicuous, knitting, still knitted on with the steadfastness -of Fate. The water of the fountain ran, the swift river ran, the day ran -into evening, so much life in the city ran into death according to rule, -time and tide waited for no man, the rats were sleeping close together -in their dark holes again, the Fancy Ball was lighted up at supper, all -things ran their course. - - - - -VIII. Monseigneur in the Country - - -A beautiful landscape, with the corn bright in it, but not abundant. -Patches of poor rye where corn should have been, patches of poor peas -and beans, patches of most coarse vegetable substitutes for wheat. On -inanimate nature, as on the men and women who cultivated it, a prevalent -tendency towards an appearance of vegetating unwillingly--a dejected -disposition to give up, and wither away. - -Monsieur the Marquis in his travelling carriage (which might have been -lighter), conducted by four post-horses and two postilions, fagged up -a steep hill. A blush on the countenance of Monsieur the Marquis was -no impeachment of his high breeding; it was not from within; it was -occasioned by an external circumstance beyond his control--the setting -sun. - -The sunset struck so brilliantly into the travelling carriage when it -gained the hill-top, that its occupant was steeped in crimson. “It will -die out,” said Monsieur the Marquis, glancing at his hands, “directly.” - -In effect, the sun was so low that it dipped at the moment. When the -heavy drag had been adjusted to the wheel, and the carriage slid down -hill, with a cinderous smell, in a cloud of dust, the red glow departed -quickly; the sun and the Marquis going down together, there was no glow -left when the drag was taken off. - -But, there remained a broken country, bold and open, a little village -at the bottom of the hill, a broad sweep and rise beyond it, a -church-tower, a windmill, a forest for the chase, and a crag with a -fortress on it used as a prison. Round upon all these darkening objects -as the night drew on, the Marquis looked, with the air of one who was -coming near home. - -The village had its one poor street, with its poor brewery, poor -tannery, poor tavern, poor stable-yard for relays of post-horses, poor -fountain, all usual poor appointments. It had its poor people too. All -its people were poor, and many of them were sitting at their doors, -shredding spare onions and the like for supper, while many were at the -fountain, washing leaves, and grasses, and any such small yieldings of -the earth that could be eaten. Expressive signs of what made them poor, -were not wanting; the tax for the state, the tax for the church, the tax -for the lord, tax local and tax general, were to be paid here and to be -paid there, according to solemn inscription in the little village, until -the wonder was, that there was any village left unswallowed. - -Few children were to be seen, and no dogs. As to the men and women, -their choice on earth was stated in the prospect--Life on the lowest -terms that could sustain it, down in the little village under the mill; -or captivity and Death in the dominant prison on the crag. - -Heralded by a courier in advance, and by the cracking of his postilions' -whips, which twined snake-like about their heads in the evening air, as -if he came attended by the Furies, Monsieur the Marquis drew up in -his travelling carriage at the posting-house gate. It was hard by the -fountain, and the peasants suspended their operations to look at him. -He looked at them, and saw in them, without knowing it, the slow -sure filing down of misery-worn face and figure, that was to make the -meagreness of Frenchmen an English superstition which should survive the -truth through the best part of a hundred years. - -Monsieur the Marquis cast his eyes over the submissive faces that -drooped before him, as the like of himself had drooped before -Monseigneur of the Court--only the difference was, that these faces -drooped merely to suffer and not to propitiate--when a grizzled mender -of the roads joined the group. - -“Bring me hither that fellow!” said the Marquis to the courier. - -The fellow was brought, cap in hand, and the other fellows closed round -to look and listen, in the manner of the people at the Paris fountain. - -“I passed you on the road?” - -“Monseigneur, it is true. I had the honour of being passed on the road.” - -“Coming up the hill, and at the top of the hill, both?” - -“Monseigneur, it is true.” - -“What did you look at, so fixedly?” - -“Monseigneur, I looked at the man.” - -He stooped a little, and with his tattered blue cap pointed under the -carriage. All his fellows stooped to look under the carriage. - -“What man, pig? And why look there?” - -“Pardon, Monseigneur; he swung by the chain of the shoe--the drag.” - -“Who?” demanded the traveller. - -“Monseigneur, the man.” - -“May the Devil carry away these idiots! How do you call the man? You -know all the men of this part of the country. Who was he?” - -“Your clemency, Monseigneur! He was not of this part of the country. Of -all the days of my life, I never saw him.” - -“Swinging by the chain? To be suffocated?” - -“With your gracious permission, that was the wonder of it, Monseigneur. -His head hanging over--like this!” - -He turned himself sideways to the carriage, and leaned back, with his -face thrown up to the sky, and his head hanging down; then recovered -himself, fumbled with his cap, and made a bow. - -“What was he like?” - -“Monseigneur, he was whiter than the miller. All covered with dust, -white as a spectre, tall as a spectre!” - -The picture produced an immense sensation in the little crowd; but all -eyes, without comparing notes with other eyes, looked at Monsieur -the Marquis. Perhaps, to observe whether he had any spectre on his -conscience. - -“Truly, you did well,” said the Marquis, felicitously sensible that such -vermin were not to ruffle him, “to see a thief accompanying my carriage, -and not open that great mouth of yours. Bah! Put him aside, Monsieur -Gabelle!” - -Monsieur Gabelle was the Postmaster, and some other taxing functionary -united; he had come out with great obsequiousness to assist at this -examination, and had held the examined by the drapery of his arm in an -official manner. - -“Bah! Go aside!” said Monsieur Gabelle. - -“Lay hands on this stranger if he seeks to lodge in your village -to-night, and be sure that his business is honest, Gabelle.” - -“Monseigneur, I am flattered to devote myself to your orders.” - -“Did he run away, fellow?--where is that Accursed?” - -The accursed was already under the carriage with some half-dozen -particular friends, pointing out the chain with his blue cap. Some -half-dozen other particular friends promptly hauled him out, and -presented him breathless to Monsieur the Marquis. - -“Did the man run away, Dolt, when we stopped for the drag?” - -“Monseigneur, he precipitated himself over the hill-side, head first, as -a person plunges into the river.” - -“See to it, Gabelle. Go on!” - -The half-dozen who were peering at the chain were still among the -wheels, like sheep; the wheels turned so suddenly that they were lucky -to save their skins and bones; they had very little else to save, or -they might not have been so fortunate. - -The burst with which the carriage started out of the village and up the -rise beyond, was soon checked by the steepness of the hill. Gradually, -it subsided to a foot pace, swinging and lumbering upward among the many -sweet scents of a summer night. The postilions, with a thousand gossamer -gnats circling about them in lieu of the Furies, quietly mended the -points to the lashes of their whips; the valet walked by the horses; the -courier was audible, trotting on ahead into the dull distance. - -At the steepest point of the hill there was a little burial-ground, -with a Cross and a new large figure of Our Saviour on it; it was a poor -figure in wood, done by some inexperienced rustic carver, but he had -studied the figure from the life--his own life, maybe--for it was -dreadfully spare and thin. - -To this distressful emblem of a great distress that had long been -growing worse, and was not at its worst, a woman was kneeling. She -turned her head as the carriage came up to her, rose quickly, and -presented herself at the carriage-door. - -“It is you, Monseigneur! Monseigneur, a petition.” - -With an exclamation of impatience, but with his unchangeable face, -Monseigneur looked out. - -“How, then! What is it? Always petitions!” - -“Monseigneur. For the love of the great God! My husband, the forester.” - -“What of your husband, the forester? Always the same with you people. He -cannot pay something?” - -“He has paid all, Monseigneur. He is dead.” - -“Well! He is quiet. Can I restore him to you?” - -“Alas, no, Monseigneur! But he lies yonder, under a little heap of poor -grass.” - -“Well?” - -“Monseigneur, there are so many little heaps of poor grass?” - -“Again, well?” - -She looked an old woman, but was young. Her manner was one of passionate -grief; by turns she clasped her veinous and knotted hands together -with wild energy, and laid one of them on the carriage-door--tenderly, -caressingly, as if it had been a human breast, and could be expected to -feel the appealing touch. - -“Monseigneur, hear me! Monseigneur, hear my petition! My husband died of -want; so many die of want; so many more will die of want.” - -“Again, well? Can I feed them?” - -“Monseigneur, the good God knows; but I don't ask it. My petition is, -that a morsel of stone or wood, with my husband's name, may be placed -over him to show where he lies. Otherwise, the place will be quickly -forgotten, it will never be found when I am dead of the same malady, I -shall be laid under some other heap of poor grass. Monseigneur, they -are so many, they increase so fast, there is so much want. Monseigneur! -Monseigneur!” - -The valet had put her away from the door, the carriage had broken into -a brisk trot, the postilions had quickened the pace, she was left far -behind, and Monseigneur, again escorted by the Furies, was rapidly -diminishing the league or two of distance that remained between him and -his chateau. - -The sweet scents of the summer night rose all around him, and rose, as -the rain falls, impartially, on the dusty, ragged, and toil-worn group -at the fountain not far away; to whom the mender of roads, with the aid -of the blue cap without which he was nothing, still enlarged upon his -man like a spectre, as long as they could bear it. By degrees, as they -could bear no more, they dropped off one by one, and lights twinkled -in little casements; which lights, as the casements darkened, and more -stars came out, seemed to have shot up into the sky instead of having -been extinguished. - -The shadow of a large high-roofed house, and of many over-hanging trees, -was upon Monsieur the Marquis by that time; and the shadow was exchanged -for the light of a flambeau, as his carriage stopped, and the great door -of his chateau was opened to him. - -“Monsieur Charles, whom I expect; is he arrived from England?” - -“Monseigneur, not yet.” - - - - -IX. The Gorgon's Head - - -It was a heavy mass of building, that chateau of Monsieur the Marquis, -with a large stone courtyard before it, and two stone sweeps of -staircase meeting in a stone terrace before the principal door. A stony -business altogether, with heavy stone balustrades, and stone urns, and -stone flowers, and stone faces of men, and stone heads of lions, in -all directions. As if the Gorgon's head had surveyed it, when it was -finished, two centuries ago. - -Up the broad flight of shallow steps, Monsieur the Marquis, flambeau -preceded, went from his carriage, sufficiently disturbing the darkness -to elicit loud remonstrance from an owl in the roof of the great pile -of stable building away among the trees. All else was so quiet, that the -flambeau carried up the steps, and the other flambeau held at the great -door, burnt as if they were in a close room of state, instead of being -in the open night-air. Other sound than the owl's voice there was none, -save the falling of a fountain into its stone basin; for, it was one of -those dark nights that hold their breath by the hour together, and then -heave a long low sigh, and hold their breath again. - -The great door clanged behind him, and Monsieur the Marquis crossed a -hall grim with certain old boar-spears, swords, and knives of the chase; -grimmer with certain heavy riding-rods and riding-whips, of which many a -peasant, gone to his benefactor Death, had felt the weight when his lord -was angry. - -Avoiding the larger rooms, which were dark and made fast for the night, -Monsieur the Marquis, with his flambeau-bearer going on before, went up -the staircase to a door in a corridor. This thrown open, admitted him -to his own private apartment of three rooms: his bed-chamber and two -others. High vaulted rooms with cool uncarpeted floors, great dogs upon -the hearths for the burning of wood in winter time, and all luxuries -befitting the state of a marquis in a luxurious age and country. -The fashion of the last Louis but one, of the line that was never to -break--the fourteenth Louis--was conspicuous in their rich furniture; -but, it was diversified by many objects that were illustrations of old -pages in the history of France. - -A supper-table was laid for two, in the third of the rooms; a round -room, in one of the chateau's four extinguisher-topped towers. A small -lofty room, with its window wide open, and the wooden jalousie-blinds -closed, so that the dark night only showed in slight horizontal lines of -black, alternating with their broad lines of stone colour. - -“My nephew,” said the Marquis, glancing at the supper preparation; “they -said he was not arrived.” - -Nor was he; but, he had been expected with Monseigneur. - -“Ah! It is not probable he will arrive to-night; nevertheless, leave the -table as it is. I shall be ready in a quarter of an hour.” - -In a quarter of an hour Monseigneur was ready, and sat down alone to his -sumptuous and choice supper. His chair was opposite to the window, and -he had taken his soup, and was raising his glass of Bordeaux to his -lips, when he put it down. - -“What is that?” he calmly asked, looking with attention at the -horizontal lines of black and stone colour. - -“Monseigneur? That?” - -“Outside the blinds. Open the blinds.” - -It was done. - -“Well?” - -“Monseigneur, it is nothing. The trees and the night are all that are -here.” - -The servant who spoke, had thrown the blinds wide, had looked out into -the vacant darkness, and stood with that blank behind him, looking round -for instructions. - -“Good,” said the imperturbable master. “Close them again.” - -That was done too, and the Marquis went on with his supper. He was -half way through it, when he again stopped with his glass in his hand, -hearing the sound of wheels. It came on briskly, and came up to the -front of the chateau. - -“Ask who is arrived.” - -It was the nephew of Monseigneur. He had been some few leagues behind -Monseigneur, early in the afternoon. He had diminished the distance -rapidly, but not so rapidly as to come up with Monseigneur on the road. -He had heard of Monseigneur, at the posting-houses, as being before him. - -He was to be told (said Monseigneur) that supper awaited him then and -there, and that he was prayed to come to it. In a little while he came. -He had been known in England as Charles Darnay. - -Monseigneur received him in a courtly manner, but they did not shake -hands. - -“You left Paris yesterday, sir?” he said to Monseigneur, as he took his -seat at table. - -“Yesterday. And you?” - -“I come direct.” - -“From London?” - -“Yes.” - -“You have been a long time coming,” said the Marquis, with a smile. - -“On the contrary; I come direct.” - -“Pardon me! I mean, not a long time on the journey; a long time -intending the journey.” - -“I have been detained by”--the nephew stopped a moment in his -answer--“various business.” - -“Without doubt,” said the polished uncle. - -So long as a servant was present, no other words passed between them. -When coffee had been served and they were alone together, the nephew, -looking at the uncle and meeting the eyes of the face that was like a -fine mask, opened a conversation. - -“I have come back, sir, as you anticipate, pursuing the object that -took me away. It carried me into great and unexpected peril; but it is -a sacred object, and if it had carried me to death I hope it would have -sustained me.” - -“Not to death,” said the uncle; “it is not necessary to say, to death.” - -“I doubt, sir,” returned the nephew, “whether, if it had carried me to -the utmost brink of death, you would have cared to stop me there.” - -The deepened marks in the nose, and the lengthening of the fine straight -lines in the cruel face, looked ominous as to that; the uncle made a -graceful gesture of protest, which was so clearly a slight form of good -breeding that it was not reassuring. - -“Indeed, sir,” pursued the nephew, “for anything I know, you may have -expressly worked to give a more suspicious appearance to the suspicious -circumstances that surrounded me.” - -“No, no, no,” said the uncle, pleasantly. - -“But, however that may be,” resumed the nephew, glancing at him with -deep distrust, “I know that your diplomacy would stop me by any means, -and would know no scruple as to means.” - -“My friend, I told you so,” said the uncle, with a fine pulsation in the -two marks. “Do me the favour to recall that I told you so, long ago.” - -“I recall it.” - -“Thank you,” said the Marquis--very sweetly indeed. - -His tone lingered in the air, almost like the tone of a musical -instrument. - -“In effect, sir,” pursued the nephew, “I believe it to be at once your -bad fortune, and my good fortune, that has kept me out of a prison in -France here.” - -“I do not quite understand,” returned the uncle, sipping his coffee. -“Dare I ask you to explain?” - -“I believe that if you were not in disgrace with the Court, and had not -been overshadowed by that cloud for years past, a letter de cachet would -have sent me to some fortress indefinitely.” - -“It is possible,” said the uncle, with great calmness. “For the honour -of the family, I could even resolve to incommode you to that extent. -Pray excuse me!” - -“I perceive that, happily for me, the Reception of the day before -yesterday was, as usual, a cold one,” observed the nephew. - -“I would not say happily, my friend,” returned the uncle, with refined -politeness; “I would not be sure of that. A good opportunity for -consideration, surrounded by the advantages of solitude, might influence -your destiny to far greater advantage than you influence it for -yourself. But it is useless to discuss the question. I am, as you say, -at a disadvantage. These little instruments of correction, these gentle -aids to the power and honour of families, these slight favours that -might so incommode you, are only to be obtained now by interest -and importunity. They are sought by so many, and they are granted -(comparatively) to so few! It used not to be so, but France in all such -things is changed for the worse. Our not remote ancestors held the right -of life and death over the surrounding vulgar. From this room, many such -dogs have been taken out to be hanged; in the next room (my bedroom), -one fellow, to our knowledge, was poniarded on the spot for professing -some insolent delicacy respecting his daughter--_his_ daughter? We have -lost many privileges; a new philosophy has become the mode; and the -assertion of our station, in these days, might (I do not go so far as -to say would, but might) cause us real inconvenience. All very bad, very -bad!” - -The Marquis took a gentle little pinch of snuff, and shook his head; -as elegantly despondent as he could becomingly be of a country still -containing himself, that great means of regeneration. - -“We have so asserted our station, both in the old time and in the modern -time also,” said the nephew, gloomily, “that I believe our name to be -more detested than any name in France.” - -“Let us hope so,” said the uncle. “Detestation of the high is the -involuntary homage of the low.” - -“There is not,” pursued the nephew, in his former tone, “a face I can -look at, in all this country round about us, which looks at me with any -deference on it but the dark deference of fear and slavery.” - -“A compliment,” said the Marquis, “to the grandeur of the family, -merited by the manner in which the family has sustained its grandeur. -Hah!” And he took another gentle little pinch of snuff, and lightly -crossed his legs. - -But, when his nephew, leaning an elbow on the table, covered his eyes -thoughtfully and dejectedly with his hand, the fine mask looked at -him sideways with a stronger concentration of keenness, closeness, -and dislike, than was comportable with its wearer's assumption of -indifference. - -“Repression is the only lasting philosophy. The dark deference of fear -and slavery, my friend,” observed the Marquis, “will keep the dogs -obedient to the whip, as long as this roof,” looking up to it, “shuts -out the sky.” - -That might not be so long as the Marquis supposed. If a picture of the -chateau as it was to be a very few years hence, and of fifty like it as -they too were to be a very few years hence, could have been shown to -him that night, he might have been at a loss to claim his own from -the ghastly, fire-charred, plunder-wrecked rains. As for the roof -he vaunted, he might have found _that_ shutting out the sky in a new -way--to wit, for ever, from the eyes of the bodies into which its lead -was fired, out of the barrels of a hundred thousand muskets. - -“Meanwhile,” said the Marquis, “I will preserve the honour and repose -of the family, if you will not. But you must be fatigued. Shall we -terminate our conference for the night?” - -“A moment more.” - -“An hour, if you please.” - -“Sir,” said the nephew, “we have done wrong, and are reaping the fruits -of wrong.” - -“_We_ have done wrong?” repeated the Marquis, with an inquiring smile, -and delicately pointing, first to his nephew, then to himself. - -“Our family; our honourable family, whose honour is of so much account -to both of us, in such different ways. Even in my father's time, we did -a world of wrong, injuring every human creature who came between us and -our pleasure, whatever it was. Why need I speak of my father's time, -when it is equally yours? Can I separate my father's twin-brother, joint -inheritor, and next successor, from himself?” - -“Death has done that!” said the Marquis. - -“And has left me,” answered the nephew, “bound to a system that is -frightful to me, responsible for it, but powerless in it; seeking to -execute the last request of my dear mother's lips, and obey the last -look of my dear mother's eyes, which implored me to have mercy and to -redress; and tortured by seeking assistance and power in vain.” - -“Seeking them from me, my nephew,” said the Marquis, touching him on the -breast with his forefinger--they were now standing by the hearth--“you -will for ever seek them in vain, be assured.” - -Every fine straight line in the clear whiteness of his face, was -cruelly, craftily, and closely compressed, while he stood looking -quietly at his nephew, with his snuff-box in his hand. Once again he -touched him on the breast, as though his finger were the fine point of -a small sword, with which, in delicate finesse, he ran him through the -body, and said, - -“My friend, I will die, perpetuating the system under which I have -lived.” - -When he had said it, he took a culminating pinch of snuff, and put his -box in his pocket. - -“Better to be a rational creature,” he added then, after ringing a small -bell on the table, “and accept your natural destiny. But you are lost, -Monsieur Charles, I see.” - -“This property and France are lost to me,” said the nephew, sadly; “I -renounce them.” - -“Are they both yours to renounce? France may be, but is the property? It -is scarcely worth mentioning; but, is it yet?” - -“I had no intention, in the words I used, to claim it yet. If it passed -to me from you, to-morrow--” - -“Which I have the vanity to hope is not probable.” - -“--or twenty years hence--” - -“You do me too much honour,” said the Marquis; “still, I prefer that -supposition.” - -“--I would abandon it, and live otherwise and elsewhere. It is little to -relinquish. What is it but a wilderness of misery and ruin!” - -“Hah!” said the Marquis, glancing round the luxurious room. - -“To the eye it is fair enough, here; but seen in its integrity, -under the sky, and by the daylight, it is a crumbling tower of waste, -mismanagement, extortion, debt, mortgage, oppression, hunger, nakedness, -and suffering.” - -“Hah!” said the Marquis again, in a well-satisfied manner. - -“If it ever becomes mine, it shall be put into some hands better -qualified to free it slowly (if such a thing is possible) from the -weight that drags it down, so that the miserable people who cannot leave -it and who have been long wrung to the last point of endurance, may, in -another generation, suffer less; but it is not for me. There is a curse -on it, and on all this land.” - -“And you?” said the uncle. “Forgive my curiosity; do you, under your new -philosophy, graciously intend to live?” - -“I must do, to live, what others of my countrymen, even with nobility at -their backs, may have to do some day--work.” - -“In England, for example?” - -“Yes. The family honour, sir, is safe from me in this country. The -family name can suffer from me in no other, for I bear it in no other.” - -The ringing of the bell had caused the adjoining bed-chamber to be -lighted. It now shone brightly, through the door of communication. The -Marquis looked that way, and listened for the retreating step of his -valet. - -“England is very attractive to you, seeing how indifferently you have -prospered there,” he observed then, turning his calm face to his nephew -with a smile. - -“I have already said, that for my prospering there, I am sensible I may -be indebted to you, sir. For the rest, it is my Refuge.” - -“They say, those boastful English, that it is the Refuge of many. You -know a compatriot who has found a Refuge there? A Doctor?” - -“Yes.” - -“With a daughter?” - -“Yes.” - -“Yes,” said the Marquis. “You are fatigued. Good night!” - -As he bent his head in his most courtly manner, there was a secrecy -in his smiling face, and he conveyed an air of mystery to those words, -which struck the eyes and ears of his nephew forcibly. At the same -time, the thin straight lines of the setting of the eyes, and the thin -straight lips, and the markings in the nose, curved with a sarcasm that -looked handsomely diabolic. - -“Yes,” repeated the Marquis. “A Doctor with a daughter. Yes. So -commences the new philosophy! You are fatigued. Good night!” - -It would have been of as much avail to interrogate any stone face -outside the chateau as to interrogate that face of his. The nephew -looked at him, in vain, in passing on to the door. - -“Good night!” said the uncle. “I look to the pleasure of seeing you -again in the morning. Good repose! Light Monsieur my nephew to his -chamber there!--And burn Monsieur my nephew in his bed, if you will,” he -added to himself, before he rang his little bell again, and summoned his -valet to his own bedroom. - -The valet come and gone, Monsieur the Marquis walked to and fro in his -loose chamber-robe, to prepare himself gently for sleep, that hot still -night. Rustling about the room, his softly-slippered feet making no -noise on the floor, he moved like a refined tiger:--looked like some -enchanted marquis of the impenitently wicked sort, in story, whose -periodical change into tiger form was either just going off, or just -coming on. - -He moved from end to end of his voluptuous bedroom, looking again at the -scraps of the day's journey that came unbidden into his mind; the slow -toil up the hill at sunset, the setting sun, the descent, the mill, the -prison on the crag, the little village in the hollow, the peasants at -the fountain, and the mender of roads with his blue cap pointing out the -chain under the carriage. That fountain suggested the Paris fountain, -the little bundle lying on the step, the women bending over it, and the -tall man with his arms up, crying, “Dead!” - -“I am cool now,” said Monsieur the Marquis, “and may go to bed.” - -So, leaving only one light burning on the large hearth, he let his thin -gauze curtains fall around him, and heard the night break its silence -with a long sigh as he composed himself to sleep. - -The stone faces on the outer walls stared blindly at the black night -for three heavy hours; for three heavy hours, the horses in the stables -rattled at their racks, the dogs barked, and the owl made a noise with -very little resemblance in it to the noise conventionally assigned to -the owl by men-poets. But it is the obstinate custom of such creatures -hardly ever to say what is set down for them. - -For three heavy hours, the stone faces of the chateau, lion and human, -stared blindly at the night. Dead darkness lay on all the landscape, -dead darkness added its own hush to the hushing dust on all the roads. -The burial-place had got to the pass that its little heaps of poor grass -were undistinguishable from one another; the figure on the Cross might -have come down, for anything that could be seen of it. In the village, -taxers and taxed were fast asleep. Dreaming, perhaps, of banquets, as -the starved usually do, and of ease and rest, as the driven slave and -the yoked ox may, its lean inhabitants slept soundly, and were fed and -freed. - -The fountain in the village flowed unseen and unheard, and the fountain -at the chateau dropped unseen and unheard--both melting away, like the -minutes that were falling from the spring of Time--through three dark -hours. Then, the grey water of both began to be ghostly in the light, -and the eyes of the stone faces of the chateau were opened. - -Lighter and lighter, until at last the sun touched the tops of the still -trees, and poured its radiance over the hill. In the glow, the water -of the chateau fountain seemed to turn to blood, and the stone faces -crimsoned. The carol of the birds was loud and high, and, on the -weather-beaten sill of the great window of the bed-chamber of Monsieur -the Marquis, one little bird sang its sweetest song with all its might. -At this, the nearest stone face seemed to stare amazed, and, with open -mouth and dropped under-jaw, looked awe-stricken. - -Now, the sun was full up, and movement began in the village. Casement -windows opened, crazy doors were unbarred, and people came forth -shivering--chilled, as yet, by the new sweet air. Then began the rarely -lightened toil of the day among the village population. Some, to the -fountain; some, to the fields; men and women here, to dig and delve; men -and women there, to see to the poor live stock, and lead the bony cows -out, to such pasture as could be found by the roadside. In the church -and at the Cross, a kneeling figure or two; attendant on the latter -prayers, the led cow, trying for a breakfast among the weeds at its -foot. - -The chateau awoke later, as became its quality, but awoke gradually and -surely. First, the lonely boar-spears and knives of the chase had been -reddened as of old; then, had gleamed trenchant in the morning sunshine; -now, doors and windows were thrown open, horses in their stables looked -round over their shoulders at the light and freshness pouring in at -doorways, leaves sparkled and rustled at iron-grated windows, dogs -pulled hard at their chains, and reared impatient to be loosed. - -All these trivial incidents belonged to the routine of life, and the -return of morning. Surely, not so the ringing of the great bell of the -chateau, nor the running up and down the stairs; nor the hurried -figures on the terrace; nor the booting and tramping here and there and -everywhere, nor the quick saddling of horses and riding away? - -What winds conveyed this hurry to the grizzled mender of roads, already -at work on the hill-top beyond the village, with his day's dinner (not -much to carry) lying in a bundle that it was worth no crow's while to -peck at, on a heap of stones? Had the birds, carrying some grains of it -to a distance, dropped one over him as they sow chance seeds? Whether or -no, the mender of roads ran, on the sultry morning, as if for his life, -down the hill, knee-high in dust, and never stopped till he got to the -fountain. - -All the people of the village were at the fountain, standing about -in their depressed manner, and whispering low, but showing no other -emotions than grim curiosity and surprise. The led cows, hastily brought -in and tethered to anything that would hold them, were looking stupidly -on, or lying down chewing the cud of nothing particularly repaying their -trouble, which they had picked up in their interrupted saunter. Some of -the people of the chateau, and some of those of the posting-house, and -all the taxing authorities, were armed more or less, and were crowded -on the other side of the little street in a purposeless way, that was -highly fraught with nothing. Already, the mender of roads had penetrated -into the midst of a group of fifty particular friends, and was smiting -himself in the breast with his blue cap. What did all this portend, -and what portended the swift hoisting-up of Monsieur Gabelle behind -a servant on horseback, and the conveying away of the said Gabelle -(double-laden though the horse was), at a gallop, like a new version of -the German ballad of Leonora? - -It portended that there was one stone face too many, up at the chateau. - -The Gorgon had surveyed the building again in the night, and had added -the one stone face wanting; the stone face for which it had waited -through about two hundred years. - -It lay back on the pillow of Monsieur the Marquis. It was like a fine -mask, suddenly startled, made angry, and petrified. Driven home into the -heart of the stone figure attached to it, was a knife. Round its hilt -was a frill of paper, on which was scrawled: - -“Drive him fast to his tomb. This, from Jacques.” - - - - -X. Two Promises - - -More months, to the number of twelve, had come and gone, and Mr. Charles -Darnay was established in England as a higher teacher of the French -language who was conversant with French literature. In this age, he -would have been a Professor; in that age, he was a Tutor. He read with -young men who could find any leisure and interest for the study of a -living tongue spoken all over the world, and he cultivated a taste for -its stores of knowledge and fancy. He could write of them, besides, in -sound English, and render them into sound English. Such masters were not -at that time easily found; Princes that had been, and Kings that were -to be, were not yet of the Teacher class, and no ruined nobility had -dropped out of Tellson's ledgers, to turn cooks and carpenters. As a -tutor, whose attainments made the student's way unusually pleasant and -profitable, and as an elegant translator who brought something to his -work besides mere dictionary knowledge, young Mr. Darnay soon became -known and encouraged. He was well acquainted, more-over, with the -circumstances of his country, and those were of ever-growing interest. -So, with great perseverance and untiring industry, he prospered. - -In London, he had expected neither to walk on pavements of gold, nor -to lie on beds of roses; if he had had any such exalted expectation, he -would not have prospered. He had expected labour, and he found it, and -did it and made the best of it. In this, his prosperity consisted. - -A certain portion of his time was passed at Cambridge, where he -read with undergraduates as a sort of tolerated smuggler who drove a -contraband trade in European languages, instead of conveying Greek -and Latin through the Custom-house. The rest of his time he passed in -London. - -Now, from the days when it was always summer in Eden, to these days -when it is mostly winter in fallen latitudes, the world of a man has -invariably gone one way--Charles Darnay's way--the way of the love of a -woman. - -He had loved Lucie Manette from the hour of his danger. He had never -heard a sound so sweet and dear as the sound of her compassionate voice; -he had never seen a face so tenderly beautiful, as hers when it was -confronted with his own on the edge of the grave that had been dug for -him. But, he had not yet spoken to her on the subject; the assassination -at the deserted chateau far away beyond the heaving water and the long, -long, dusty roads--the solid stone chateau which had itself become the -mere mist of a dream--had been done a year, and he had never yet, by so -much as a single spoken word, disclosed to her the state of his heart. - -That he had his reasons for this, he knew full well. It was again a -summer day when, lately arrived in London from his college occupation, -he turned into the quiet corner in Soho, bent on seeking an opportunity -of opening his mind to Doctor Manette. It was the close of the summer -day, and he knew Lucie to be out with Miss Pross. - -He found the Doctor reading in his arm-chair at a window. The energy -which had at once supported him under his old sufferings and aggravated -their sharpness, had been gradually restored to him. He was now a -very energetic man indeed, with great firmness of purpose, strength -of resolution, and vigour of action. In his recovered energy he was -sometimes a little fitful and sudden, as he had at first been in the -exercise of his other recovered faculties; but, this had never been -frequently observable, and had grown more and more rare. - -He studied much, slept little, sustained a great deal of fatigue with -ease, and was equably cheerful. To him, now entered Charles Darnay, at -sight of whom he laid aside his book and held out his hand. - -“Charles Darnay! I rejoice to see you. We have been counting on your -return these three or four days past. Mr. Stryver and Sydney Carton were -both here yesterday, and both made you out to be more than due.” - -“I am obliged to them for their interest in the matter,” he answered, -a little coldly as to them, though very warmly as to the Doctor. “Miss -Manette--” - -“Is well,” said the Doctor, as he stopped short, “and your return will -delight us all. She has gone out on some household matters, but will -soon be home.” - -“Doctor Manette, I knew she was from home. I took the opportunity of her -being from home, to beg to speak to you.” - -There was a blank silence. - -“Yes?” said the Doctor, with evident constraint. “Bring your chair here, -and speak on.” - -He complied as to the chair, but appeared to find the speaking on less -easy. - -“I have had the happiness, Doctor Manette, of being so intimate here,” - so he at length began, “for some year and a half, that I hope the topic -on which I am about to touch may not--” - -He was stayed by the Doctor's putting out his hand to stop him. When he -had kept it so a little while, he said, drawing it back: - -“Is Lucie the topic?” - -“She is.” - -“It is hard for me to speak of her at any time. It is very hard for me -to hear her spoken of in that tone of yours, Charles Darnay.” - -“It is a tone of fervent admiration, true homage, and deep love, Doctor -Manette!” he said deferentially. - -There was another blank silence before her father rejoined: - -“I believe it. I do you justice; I believe it.” - -His constraint was so manifest, and it was so manifest, too, that it -originated in an unwillingness to approach the subject, that Charles -Darnay hesitated. - -“Shall I go on, sir?” - -Another blank. - -“Yes, go on.” - -“You anticipate what I would say, though you cannot know how earnestly -I say it, how earnestly I feel it, without knowing my secret heart, and -the hopes and fears and anxieties with which it has long been -laden. Dear Doctor Manette, I love your daughter fondly, dearly, -disinterestedly, devotedly. If ever there were love in the world, I love -her. You have loved yourself; let your old love speak for me!” - -The Doctor sat with his face turned away, and his eyes bent on the -ground. At the last words, he stretched out his hand again, hurriedly, -and cried: - -“Not that, sir! Let that be! I adjure you, do not recall that!” - -His cry was so like a cry of actual pain, that it rang in Charles -Darnay's ears long after he had ceased. He motioned with the hand he had -extended, and it seemed to be an appeal to Darnay to pause. The latter -so received it, and remained silent. - -“I ask your pardon,” said the Doctor, in a subdued tone, after some -moments. “I do not doubt your loving Lucie; you may be satisfied of it.” - -He turned towards him in his chair, but did not look at him, or -raise his eyes. His chin dropped upon his hand, and his white hair -overshadowed his face: - -“Have you spoken to Lucie?” - -“No.” - -“Nor written?” - -“Never.” - -“It would be ungenerous to affect not to know that your self-denial is -to be referred to your consideration for her father. Her father thanks -you.” - -He offered his hand; but his eyes did not go with it. - -“I know,” said Darnay, respectfully, “how can I fail to know, Doctor -Manette, I who have seen you together from day to day, that between -you and Miss Manette there is an affection so unusual, so touching, so -belonging to the circumstances in which it has been nurtured, that it -can have few parallels, even in the tenderness between a father and -child. I know, Doctor Manette--how can I fail to know--that, mingled -with the affection and duty of a daughter who has become a woman, there -is, in her heart, towards you, all the love and reliance of infancy -itself. I know that, as in her childhood she had no parent, so she is -now devoted to you with all the constancy and fervour of her present -years and character, united to the trustfulness and attachment of the -early days in which you were lost to her. I know perfectly well that if -you had been restored to her from the world beyond this life, you could -hardly be invested, in her sight, with a more sacred character than that -in which you are always with her. I know that when she is clinging to -you, the hands of baby, girl, and woman, all in one, are round your -neck. I know that in loving you she sees and loves her mother at her -own age, sees and loves you at my age, loves her mother broken-hearted, -loves you through your dreadful trial and in your blessed restoration. I -have known this, night and day, since I have known you in your home.” - -Her father sat silent, with his face bent down. His breathing was a -little quickened; but he repressed all other signs of agitation. - -“Dear Doctor Manette, always knowing this, always seeing her and you -with this hallowed light about you, I have forborne, and forborne, as -long as it was in the nature of man to do it. I have felt, and do even -now feel, that to bring my love--even mine--between you, is to touch -your history with something not quite so good as itself. But I love her. -Heaven is my witness that I love her!” - -“I believe it,” answered her father, mournfully. “I have thought so -before now. I believe it.” - -“But, do not believe,” said Darnay, upon whose ear the mournful voice -struck with a reproachful sound, “that if my fortune were so cast as -that, being one day so happy as to make her my wife, I must at any time -put any separation between her and you, I could or would breathe a -word of what I now say. Besides that I should know it to be hopeless, I -should know it to be a baseness. If I had any such possibility, even at -a remote distance of years, harboured in my thoughts, and hidden in my -heart--if it ever had been there--if it ever could be there--I could not -now touch this honoured hand.” - -He laid his own upon it as he spoke. - -“No, dear Doctor Manette. Like you, a voluntary exile from France; like -you, driven from it by its distractions, oppressions, and miseries; like -you, striving to live away from it by my own exertions, and trusting -in a happier future; I look only to sharing your fortunes, sharing your -life and home, and being faithful to you to the death. Not to divide -with Lucie her privilege as your child, companion, and friend; but to -come in aid of it, and bind her closer to you, if such a thing can be.” - -His touch still lingered on her father's hand. Answering the touch for a -moment, but not coldly, her father rested his hands upon the arms of -his chair, and looked up for the first time since the beginning of the -conference. A struggle was evidently in his face; a struggle with that -occasional look which had a tendency in it to dark doubt and dread. - -“You speak so feelingly and so manfully, Charles Darnay, that I thank -you with all my heart, and will open all my heart--or nearly so. Have -you any reason to believe that Lucie loves you?” - -“None. As yet, none.” - -“Is it the immediate object of this confidence, that you may at once -ascertain that, with my knowledge?” - -“Not even so. I might not have the hopefulness to do it for weeks; I -might (mistaken or not mistaken) have that hopefulness to-morrow.” - -“Do you seek any guidance from me?” - -“I ask none, sir. But I have thought it possible that you might have it -in your power, if you should deem it right, to give me some.” - -“Do you seek any promise from me?” - -“I do seek that.” - -“What is it?” - -“I well understand that, without you, I could have no hope. I well -understand that, even if Miss Manette held me at this moment in her -innocent heart--do not think I have the presumption to assume so much--I -could retain no place in it against her love for her father.” - -“If that be so, do you see what, on the other hand, is involved in it?” - -“I understand equally well, that a word from her father in any suitor's -favour, would outweigh herself and all the world. For which reason, -Doctor Manette,” said Darnay, modestly but firmly, “I would not ask that -word, to save my life.” - -“I am sure of it. Charles Darnay, mysteries arise out of close love, as -well as out of wide division; in the former case, they are subtle and -delicate, and difficult to penetrate. My daughter Lucie is, in this one -respect, such a mystery to me; I can make no guess at the state of her -heart.” - -“May I ask, sir, if you think she is--” As he hesitated, her father -supplied the rest. - -“Is sought by any other suitor?” - -“It is what I meant to say.” - -Her father considered a little before he answered: - -“You have seen Mr. Carton here, yourself. Mr. Stryver is here too, -occasionally. If it be at all, it can only be by one of these.” - -“Or both,” said Darnay. - -“I had not thought of both; I should not think either, likely. You want -a promise from me. Tell me what it is.” - -“It is, that if Miss Manette should bring to you at any time, on her own -part, such a confidence as I have ventured to lay before you, you will -bear testimony to what I have said, and to your belief in it. I hope you -may be able to think so well of me, as to urge no influence against -me. I say nothing more of my stake in this; this is what I ask. The -condition on which I ask it, and which you have an undoubted right to -require, I will observe immediately.” - -“I give the promise,” said the Doctor, “without any condition. I believe -your object to be, purely and truthfully, as you have stated it. I -believe your intention is to perpetuate, and not to weaken, the ties -between me and my other and far dearer self. If she should ever tell me -that you are essential to her perfect happiness, I will give her to you. -If there were--Charles Darnay, if there were--” - -The young man had taken his hand gratefully; their hands were joined as -the Doctor spoke: - -“--any fancies, any reasons, any apprehensions, anything whatsoever, -new or old, against the man she really loved--the direct responsibility -thereof not lying on his head--they should all be obliterated for her -sake. She is everything to me; more to me than suffering, more to me -than wrong, more to me--Well! This is idle talk.” - -So strange was the way in which he faded into silence, and so strange -his fixed look when he had ceased to speak, that Darnay felt his own -hand turn cold in the hand that slowly released and dropped it. - -“You said something to me,” said Doctor Manette, breaking into a smile. -“What was it you said to me?” - -He was at a loss how to answer, until he remembered having spoken of a -condition. Relieved as his mind reverted to that, he answered: - -“Your confidence in me ought to be returned with full confidence on my -part. My present name, though but slightly changed from my mother's, is -not, as you will remember, my own. I wish to tell you what that is, and -why I am in England.” - -“Stop!” said the Doctor of Beauvais. - -“I wish it, that I may the better deserve your confidence, and have no -secret from you.” - -“Stop!” - -For an instant, the Doctor even had his two hands at his ears; for -another instant, even had his two hands laid on Darnay's lips. - -“Tell me when I ask you, not now. If your suit should prosper, if Lucie -should love you, you shall tell me on your marriage morning. Do you -promise?” - -“Willingly. - -“Give me your hand. She will be home directly, and it is better she -should not see us together to-night. Go! God bless you!” - -It was dark when Charles Darnay left him, and it was an hour later and -darker when Lucie came home; she hurried into the room alone--for -Miss Pross had gone straight up-stairs--and was surprised to find his -reading-chair empty. - -“My father!” she called to him. “Father dear!” - -Nothing was said in answer, but she heard a low hammering sound in his -bedroom. Passing lightly across the intermediate room, she looked in at -his door and came running back frightened, crying to herself, with her -blood all chilled, “What shall I do! What shall I do!” - -Her uncertainty lasted but a moment; she hurried back, and tapped at -his door, and softly called to him. The noise ceased at the sound of -her voice, and he presently came out to her, and they walked up and down -together for a long time. - -She came down from her bed, to look at him in his sleep that night. He -slept heavily, and his tray of shoemaking tools, and his old unfinished -work, were all as usual. - - - - -XI. A Companion Picture - - -“Sydney,” said Mr. Stryver, on that self-same night, or morning, to his -jackal; “mix another bowl of punch; I have something to say to you.” - -Sydney had been working double tides that night, and the night before, -and the night before that, and a good many nights in succession, making -a grand clearance among Mr. Stryver's papers before the setting in -of the long vacation. The clearance was effected at last; the Stryver -arrears were handsomely fetched up; everything was got rid of until -November should come with its fogs atmospheric, and fogs legal, and -bring grist to the mill again. - -Sydney was none the livelier and none the soberer for so much -application. It had taken a deal of extra wet-towelling to pull him -through the night; a correspondingly extra quantity of wine had preceded -the towelling; and he was in a very damaged condition, as he now pulled -his turban off and threw it into the basin in which he had steeped it at -intervals for the last six hours. - -“Are you mixing that other bowl of punch?” said Stryver the portly, with -his hands in his waistband, glancing round from the sofa where he lay on -his back. - -“I am.” - -“Now, look here! I am going to tell you something that will rather -surprise you, and that perhaps will make you think me not quite as -shrewd as you usually do think me. I intend to marry.” - -“_Do_ you?” - -“Yes. And not for money. What do you say now?” - -“I don't feel disposed to say much. Who is she?” - -“Guess.” - -“Do I know her?” - -“Guess.” - -“I am not going to guess, at five o'clock in the morning, with my brains -frying and sputtering in my head. If you want me to guess, you must ask -me to dinner.” - -“Well then, I'll tell you,” said Stryver, coming slowly into a sitting -posture. “Sydney, I rather despair of making myself intelligible to you, -because you are such an insensible dog.” - -“And you,” returned Sydney, busy concocting the punch, “are such a -sensitive and poetical spirit--” - -“Come!” rejoined Stryver, laughing boastfully, “though I don't prefer -any claim to being the soul of Romance (for I hope I know better), still -I am a tenderer sort of fellow than _you_.” - -“You are a luckier, if you mean that.” - -“I don't mean that. I mean I am a man of more--more--” - -“Say gallantry, while you are about it,” suggested Carton. - -“Well! I'll say gallantry. My meaning is that I am a man,” said Stryver, -inflating himself at his friend as he made the punch, “who cares more to -be agreeable, who takes more pains to be agreeable, who knows better how -to be agreeable, in a woman's society, than you do.” - -“Go on,” said Sydney Carton. - -“No; but before I go on,” said Stryver, shaking his head in his bullying -way, “I'll have this out with you. You've been at Doctor Manette's house -as much as I have, or more than I have. Why, I have been ashamed of your -moroseness there! Your manners have been of that silent and sullen and -hangdog kind, that, upon my life and soul, I have been ashamed of you, -Sydney!” - -“It should be very beneficial to a man in your practice at the bar, to -be ashamed of anything,” returned Sydney; “you ought to be much obliged -to me.” - -“You shall not get off in that way,” rejoined Stryver, shouldering the -rejoinder at him; “no, Sydney, it's my duty to tell you--and I tell you -to your face to do you good--that you are a devilish ill-conditioned -fellow in that sort of society. You are a disagreeable fellow.” - -Sydney drank a bumper of the punch he had made, and laughed. - -“Look at me!” said Stryver, squaring himself; “I have less need to make -myself agreeable than you have, being more independent in circumstances. -Why do I do it?” - -“I never saw you do it yet,” muttered Carton. - -“I do it because it's politic; I do it on principle. And look at me! I -get on.” - -“You don't get on with your account of your matrimonial intentions,” - answered Carton, with a careless air; “I wish you would keep to that. As -to me--will you never understand that I am incorrigible?” - -He asked the question with some appearance of scorn. - -“You have no business to be incorrigible,” was his friend's answer, -delivered in no very soothing tone. - -“I have no business to be, at all, that I know of,” said Sydney Carton. -“Who is the lady?” - -“Now, don't let my announcement of the name make you uncomfortable, -Sydney,” said Mr. Stryver, preparing him with ostentatious friendliness -for the disclosure he was about to make, “because I know you don't mean -half you say; and if you meant it all, it would be of no importance. I -make this little preface, because you once mentioned the young lady to -me in slighting terms.” - -“I did?” - -“Certainly; and in these chambers.” - -Sydney Carton looked at his punch and looked at his complacent friend; -drank his punch and looked at his complacent friend. - -“You made mention of the young lady as a golden-haired doll. The young -lady is Miss Manette. If you had been a fellow of any sensitiveness or -delicacy of feeling in that kind of way, Sydney, I might have been a -little resentful of your employing such a designation; but you are not. -You want that sense altogether; therefore I am no more annoyed when I -think of the expression, than I should be annoyed by a man's opinion of -a picture of mine, who had no eye for pictures: or of a piece of music -of mine, who had no ear for music.” - -Sydney Carton drank the punch at a great rate; drank it by bumpers, -looking at his friend. - -“Now you know all about it, Syd,” said Mr. Stryver. “I don't care about -fortune: she is a charming creature, and I have made up my mind to -please myself: on the whole, I think I can afford to please myself. She -will have in me a man already pretty well off, and a rapidly rising man, -and a man of some distinction: it is a piece of good fortune for her, -but she is worthy of good fortune. Are you astonished?” - -Carton, still drinking the punch, rejoined, “Why should I be -astonished?” - -“You approve?” - -Carton, still drinking the punch, rejoined, “Why should I not approve?” - -“Well!” said his friend Stryver, “you take it more easily than I fancied -you would, and are less mercenary on my behalf than I thought you would -be; though, to be sure, you know well enough by this time that your -ancient chum is a man of a pretty strong will. Yes, Sydney, I have had -enough of this style of life, with no other as a change from it; I -feel that it is a pleasant thing for a man to have a home when he feels -inclined to go to it (when he doesn't, he can stay away), and I feel -that Miss Manette will tell well in any station, and will always do me -credit. So I have made up my mind. And now, Sydney, old boy, I want to -say a word to _you_ about _your_ prospects. You are in a bad way, you -know; you really are in a bad way. You don't know the value of money, -you live hard, you'll knock up one of these days, and be ill and poor; -you really ought to think about a nurse.” - -The prosperous patronage with which he said it, made him look twice as -big as he was, and four times as offensive. - -“Now, let me recommend you,” pursued Stryver, “to look it in the face. -I have looked it in the face, in my different way; look it in the face, -you, in your different way. Marry. Provide somebody to take care of -you. Never mind your having no enjoyment of women's society, nor -understanding of it, nor tact for it. Find out somebody. Find out some -respectable woman with a little property--somebody in the landlady way, -or lodging-letting way--and marry her, against a rainy day. That's the -kind of thing for _you_. Now think of it, Sydney.” - -“I'll think of it,” said Sydney. - - - - -XII. The Fellow of Delicacy - - -Mr. Stryver having made up his mind to that magnanimous bestowal of good -fortune on the Doctor's daughter, resolved to make her happiness known -to her before he left town for the Long Vacation. After some mental -debating of the point, he came to the conclusion that it would be as -well to get all the preliminaries done with, and they could then arrange -at their leisure whether he should give her his hand a week or two -before Michaelmas Term, or in the little Christmas vacation between it -and Hilary. - -As to the strength of his case, he had not a doubt about it, but clearly -saw his way to the verdict. Argued with the jury on substantial worldly -grounds--the only grounds ever worth taking into account--it was a -plain case, and had not a weak spot in it. He called himself for the -plaintiff, there was no getting over his evidence, the counsel for -the defendant threw up his brief, and the jury did not even turn to -consider. After trying it, Stryver, C. J., was satisfied that no plainer -case could be. - -Accordingly, Mr. Stryver inaugurated the Long Vacation with a formal -proposal to take Miss Manette to Vauxhall Gardens; that failing, to -Ranelagh; that unaccountably failing too, it behoved him to present -himself in Soho, and there declare his noble mind. - -Towards Soho, therefore, Mr. Stryver shouldered his way from the Temple, -while the bloom of the Long Vacation's infancy was still upon it. -Anybody who had seen him projecting himself into Soho while he was yet -on Saint Dunstan's side of Temple Bar, bursting in his full-blown way -along the pavement, to the jostlement of all weaker people, might have -seen how safe and strong he was. - -His way taking him past Tellson's, and he both banking at Tellson's and -knowing Mr. Lorry as the intimate friend of the Manettes, it entered Mr. -Stryver's mind to enter the bank, and reveal to Mr. Lorry the brightness -of the Soho horizon. So, he pushed open the door with the weak rattle -in its throat, stumbled down the two steps, got past the two ancient -cashiers, and shouldered himself into the musty back closet where Mr. -Lorry sat at great books ruled for figures, with perpendicular iron -bars to his window as if that were ruled for figures too, and everything -under the clouds were a sum. - -“Halloa!” said Mr. Stryver. “How do you do? I hope you are well!” - -It was Stryver's grand peculiarity that he always seemed too big for any -place, or space. He was so much too big for Tellson's, that old clerks -in distant corners looked up with looks of remonstrance, as though he -squeezed them against the wall. The House itself, magnificently reading -the paper quite in the far-off perspective, lowered displeased, as if -the Stryver head had been butted into its responsible waistcoat. - -The discreet Mr. Lorry said, in a sample tone of the voice he would -recommend under the circumstances, “How do you do, Mr. Stryver? How do -you do, sir?” and shook hands. There was a peculiarity in his manner -of shaking hands, always to be seen in any clerk at Tellson's who shook -hands with a customer when the House pervaded the air. He shook in a -self-abnegating way, as one who shook for Tellson and Co. - -“Can I do anything for you, Mr. Stryver?” asked Mr. Lorry, in his -business character. - -“Why, no, thank you; this is a private visit to yourself, Mr. Lorry; I -have come for a private word.” - -“Oh indeed!” said Mr. Lorry, bending down his ear, while his eye strayed -to the House afar off. - -“I am going,” said Mr. Stryver, leaning his arms confidentially on the -desk: whereupon, although it was a large double one, there appeared to -be not half desk enough for him: “I am going to make an offer of myself -in marriage to your agreeable little friend, Miss Manette, Mr. Lorry.” - -“Oh dear me!” cried Mr. Lorry, rubbing his chin, and looking at his -visitor dubiously. - -“Oh dear me, sir?” repeated Stryver, drawing back. “Oh dear you, sir? -What may your meaning be, Mr. Lorry?” - -“My meaning,” answered the man of business, “is, of course, friendly and -appreciative, and that it does you the greatest credit, and--in short, -my meaning is everything you could desire. But--really, you know, Mr. -Stryver--” Mr. Lorry paused, and shook his head at him in the oddest -manner, as if he were compelled against his will to add, internally, -“you know there really is so much too much of you!” - -“Well!” said Stryver, slapping the desk with his contentious hand, -opening his eyes wider, and taking a long breath, “if I understand you, -Mr. Lorry, I'll be hanged!” - -Mr. Lorry adjusted his little wig at both ears as a means towards that -end, and bit the feather of a pen. - -“D--n it all, sir!” said Stryver, staring at him, “am I not eligible?” - -“Oh dear yes! Yes. Oh yes, you're eligible!” said Mr. Lorry. “If you say -eligible, you are eligible.” - -“Am I not prosperous?” asked Stryver. - -“Oh! if you come to prosperous, you are prosperous,” said Mr. Lorry. - -“And advancing?” - -“If you come to advancing you know,” said Mr. Lorry, delighted to be -able to make another admission, “nobody can doubt that.” - -“Then what on earth is your meaning, Mr. Lorry?” demanded Stryver, -perceptibly crestfallen. - -“Well! I--Were you going there now?” asked Mr. Lorry. - -“Straight!” said Stryver, with a plump of his fist on the desk. - -“Then I think I wouldn't, if I was you.” - -“Why?” said Stryver. “Now, I'll put you in a corner,” forensically -shaking a forefinger at him. “You are a man of business and bound to -have a reason. State your reason. Why wouldn't you go?” - -“Because,” said Mr. Lorry, “I wouldn't go on such an object without -having some cause to believe that I should succeed.” - -“D--n _me_!” cried Stryver, “but this beats everything.” - -Mr. Lorry glanced at the distant House, and glanced at the angry -Stryver. - -“Here's a man of business--a man of years--a man of experience--_in_ -a Bank,” said Stryver; “and having summed up three leading reasons for -complete success, he says there's no reason at all! Says it with his -head on!” Mr. Stryver remarked upon the peculiarity as if it would have -been infinitely less remarkable if he had said it with his head off. - -“When I speak of success, I speak of success with the young lady; and -when I speak of causes and reasons to make success probable, I speak of -causes and reasons that will tell as such with the young lady. The young -lady, my good sir,” said Mr. Lorry, mildly tapping the Stryver arm, “the -young lady. The young lady goes before all.” - -“Then you mean to tell me, Mr. Lorry,” said Stryver, squaring his -elbows, “that it is your deliberate opinion that the young lady at -present in question is a mincing Fool?” - -“Not exactly so. I mean to tell you, Mr. Stryver,” said Mr. Lorry, -reddening, “that I will hear no disrespectful word of that young lady -from any lips; and that if I knew any man--which I hope I do not--whose -taste was so coarse, and whose temper was so overbearing, that he could -not restrain himself from speaking disrespectfully of that young lady at -this desk, not even Tellson's should prevent my giving him a piece of my -mind.” - -The necessity of being angry in a suppressed tone had put Mr. Stryver's -blood-vessels into a dangerous state when it was his turn to be angry; -Mr. Lorry's veins, methodical as their courses could usually be, were in -no better state now it was his turn. - -“That is what I mean to tell you, sir,” said Mr. Lorry. “Pray let there -be no mistake about it.” - -Mr. Stryver sucked the end of a ruler for a little while, and then stood -hitting a tune out of his teeth with it, which probably gave him the -toothache. He broke the awkward silence by saying: - -“This is something new to me, Mr. Lorry. You deliberately advise me not -to go up to Soho and offer myself--_my_self, Stryver of the King's Bench -bar?” - -“Do you ask me for my advice, Mr. Stryver?” - -“Yes, I do.” - -“Very good. Then I give it, and you have repeated it correctly.” - -“And all I can say of it is,” laughed Stryver with a vexed laugh, “that -this--ha, ha!--beats everything past, present, and to come.” - -“Now understand me,” pursued Mr. Lorry. “As a man of business, I am -not justified in saying anything about this matter, for, as a man of -business, I know nothing of it. But, as an old fellow, who has carried -Miss Manette in his arms, who is the trusted friend of Miss Manette and -of her father too, and who has a great affection for them both, I have -spoken. The confidence is not of my seeking, recollect. Now, you think I -may not be right?” - -“Not I!” said Stryver, whistling. “I can't undertake to find third -parties in common sense; I can only find it for myself. I suppose sense -in certain quarters; you suppose mincing bread-and-butter nonsense. It's -new to me, but you are right, I dare say.” - -“What I suppose, Mr. Stryver, I claim to characterise for myself--And -understand me, sir,” said Mr. Lorry, quickly flushing again, “I -will not--not even at Tellson's--have it characterised for me by any -gentleman breathing.” - -“There! I beg your pardon!” said Stryver. - -“Granted. Thank you. Well, Mr. Stryver, I was about to say:--it might be -painful to you to find yourself mistaken, it might be painful to Doctor -Manette to have the task of being explicit with you, it might be very -painful to Miss Manette to have the task of being explicit with you. You -know the terms upon which I have the honour and happiness to stand with -the family. If you please, committing you in no way, representing you -in no way, I will undertake to correct my advice by the exercise of a -little new observation and judgment expressly brought to bear upon -it. If you should then be dissatisfied with it, you can but test its -soundness for yourself; if, on the other hand, you should be satisfied -with it, and it should be what it now is, it may spare all sides what is -best spared. What do you say?” - -“How long would you keep me in town?” - -“Oh! It is only a question of a few hours. I could go to Soho in the -evening, and come to your chambers afterwards.” - -“Then I say yes,” said Stryver: “I won't go up there now, I am not so -hot upon it as that comes to; I say yes, and I shall expect you to look -in to-night. Good morning.” - -Then Mr. Stryver turned and burst out of the Bank, causing such a -concussion of air on his passage through, that to stand up against it -bowing behind the two counters, required the utmost remaining strength -of the two ancient clerks. Those venerable and feeble persons were -always seen by the public in the act of bowing, and were popularly -believed, when they had bowed a customer out, still to keep on bowing in -the empty office until they bowed another customer in. - -The barrister was keen enough to divine that the banker would not have -gone so far in his expression of opinion on any less solid ground than -moral certainty. Unprepared as he was for the large pill he had to -swallow, he got it down. “And now,” said Mr. Stryver, shaking his -forensic forefinger at the Temple in general, when it was down, “my way -out of this, is, to put you all in the wrong.” - -It was a bit of the art of an Old Bailey tactician, in which he found -great relief. “You shall not put me in the wrong, young lady,” said Mr. -Stryver; “I'll do that for you.” - -Accordingly, when Mr. Lorry called that night as late as ten o'clock, -Mr. Stryver, among a quantity of books and papers littered out for the -purpose, seemed to have nothing less on his mind than the subject of -the morning. He even showed surprise when he saw Mr. Lorry, and was -altogether in an absent and preoccupied state. - -“Well!” said that good-natured emissary, after a full half-hour of -bootless attempts to bring him round to the question. “I have been to -Soho.” - -“To Soho?” repeated Mr. Stryver, coldly. “Oh, to be sure! What am I -thinking of!” - -“And I have no doubt,” said Mr. Lorry, “that I was right in the -conversation we had. My opinion is confirmed, and I reiterate my -advice.” - -“I assure you,” returned Mr. Stryver, in the friendliest way, “that I -am sorry for it on your account, and sorry for it on the poor father's -account. I know this must always be a sore subject with the family; let -us say no more about it.” - -“I don't understand you,” said Mr. Lorry. - -“I dare say not,” rejoined Stryver, nodding his head in a smoothing and -final way; “no matter, no matter.” - -“But it does matter,” Mr. Lorry urged. - -“No it doesn't; I assure you it doesn't. Having supposed that there was -sense where there is no sense, and a laudable ambition where there is -not a laudable ambition, I am well out of my mistake, and no harm is -done. Young women have committed similar follies often before, and have -repented them in poverty and obscurity often before. In an unselfish -aspect, I am sorry that the thing is dropped, because it would have been -a bad thing for me in a worldly point of view; in a selfish aspect, I am -glad that the thing has dropped, because it would have been a bad thing -for me in a worldly point of view--it is hardly necessary to say I could -have gained nothing by it. There is no harm at all done. I have not -proposed to the young lady, and, between ourselves, I am by no means -certain, on reflection, that I ever should have committed myself to -that extent. Mr. Lorry, you cannot control the mincing vanities and -giddinesses of empty-headed girls; you must not expect to do it, or you -will always be disappointed. Now, pray say no more about it. I tell you, -I regret it on account of others, but I am satisfied on my own account. -And I am really very much obliged to you for allowing me to sound you, -and for giving me your advice; you know the young lady better than I do; -you were right, it never would have done.” - -Mr. Lorry was so taken aback, that he looked quite stupidly at Mr. -Stryver shouldering him towards the door, with an appearance of -showering generosity, forbearance, and goodwill, on his erring head. -“Make the best of it, my dear sir,” said Stryver; “say no more about it; -thank you again for allowing me to sound you; good night!” - -Mr. Lorry was out in the night, before he knew where he was. Mr. Stryver -was lying back on his sofa, winking at his ceiling. - - - - -XIII. The Fellow of No Delicacy - - -If Sydney Carton ever shone anywhere, he certainly never shone in the -house of Doctor Manette. He had been there often, during a whole year, -and had always been the same moody and morose lounger there. When he -cared to talk, he talked well; but, the cloud of caring for nothing, -which overshadowed him with such a fatal darkness, was very rarely -pierced by the light within him. - -And yet he did care something for the streets that environed that house, -and for the senseless stones that made their pavements. Many a night -he vaguely and unhappily wandered there, when wine had brought no -transitory gladness to him; many a dreary daybreak revealed his solitary -figure lingering there, and still lingering there when the first beams -of the sun brought into strong relief, removed beauties of architecture -in spires of churches and lofty buildings, as perhaps the quiet time -brought some sense of better things, else forgotten and unattainable, -into his mind. Of late, the neglected bed in the Temple Court had known -him more scantily than ever; and often when he had thrown himself upon -it no longer than a few minutes, he had got up again, and haunted that -neighbourhood. - -On a day in August, when Mr. Stryver (after notifying to his jackal -that “he had thought better of that marrying matter”) had carried his -delicacy into Devonshire, and when the sight and scent of flowers in the -City streets had some waifs of goodness in them for the worst, of health -for the sickliest, and of youth for the oldest, Sydney's feet still trod -those stones. From being irresolute and purposeless, his feet became -animated by an intention, and, in the working out of that intention, -they took him to the Doctor's door. - -He was shown up-stairs, and found Lucie at her work, alone. She had -never been quite at her ease with him, and received him with some little -embarrassment as he seated himself near her table. But, looking up at -his face in the interchange of the first few common-places, she observed -a change in it. - -“I fear you are not well, Mr. Carton!” - -“No. But the life I lead, Miss Manette, is not conducive to health. What -is to be expected of, or by, such profligates?” - -“Is it not--forgive me; I have begun the question on my lips--a pity to -live no better life?” - -“God knows it is a shame!” - -“Then why not change it?” - -Looking gently at him again, she was surprised and saddened to see that -there were tears in his eyes. There were tears in his voice too, as he -answered: - -“It is too late for that. I shall never be better than I am. I shall -sink lower, and be worse.” - -He leaned an elbow on her table, and covered his eyes with his hand. The -table trembled in the silence that followed. - -She had never seen him softened, and was much distressed. He knew her to -be so, without looking at her, and said: - -“Pray forgive me, Miss Manette. I break down before the knowledge of -what I want to say to you. Will you hear me?” - -“If it will do you any good, Mr. Carton, if it would make you happier, -it would make me very glad!” - -“God bless you for your sweet compassion!” - -He unshaded his face after a little while, and spoke steadily. - -“Don't be afraid to hear me. Don't shrink from anything I say. I am like -one who died young. All my life might have been.” - -“No, Mr. Carton. I am sure that the best part of it might still be; I am -sure that you might be much, much worthier of yourself.” - -“Say of you, Miss Manette, and although I know better--although in the -mystery of my own wretched heart I know better--I shall never forget -it!” - -She was pale and trembling. He came to her relief with a fixed despair -of himself which made the interview unlike any other that could have -been holden. - -“If it had been possible, Miss Manette, that you could have returned the -love of the man you see before yourself--flung away, wasted, drunken, -poor creature of misuse as you know him to be--he would have been -conscious this day and hour, in spite of his happiness, that he would -bring you to misery, bring you to sorrow and repentance, blight you, -disgrace you, pull you down with him. I know very well that you can have -no tenderness for me; I ask for none; I am even thankful that it cannot -be.” - -“Without it, can I not save you, Mr. Carton? Can I not recall -you--forgive me again!--to a better course? Can I in no way repay your -confidence? I know this is a confidence,” she modestly said, after a -little hesitation, and in earnest tears, “I know you would say this to -no one else. Can I turn it to no good account for yourself, Mr. Carton?” - -He shook his head. - -“To none. No, Miss Manette, to none. If you will hear me through a very -little more, all you can ever do for me is done. I wish you to know that -you have been the last dream of my soul. In my degradation I have not -been so degraded but that the sight of you with your father, and of this -home made such a home by you, has stirred old shadows that I thought had -died out of me. Since I knew you, I have been troubled by a remorse that -I thought would never reproach me again, and have heard whispers from -old voices impelling me upward, that I thought were silent for ever. I -have had unformed ideas of striving afresh, beginning anew, shaking off -sloth and sensuality, and fighting out the abandoned fight. A dream, all -a dream, that ends in nothing, and leaves the sleeper where he lay down, -but I wish you to know that you inspired it.” - -“Will nothing of it remain? O Mr. Carton, think again! Try again!” - -“No, Miss Manette; all through it, I have known myself to be quite -undeserving. And yet I have had the weakness, and have still the -weakness, to wish you to know with what a sudden mastery you kindled me, -heap of ashes that I am, into fire--a fire, however, inseparable in -its nature from myself, quickening nothing, lighting nothing, doing no -service, idly burning away.” - -“Since it is my misfortune, Mr. Carton, to have made you more unhappy -than you were before you knew me--” - -“Don't say that, Miss Manette, for you would have reclaimed me, if -anything could. You will not be the cause of my becoming worse.” - -“Since the state of your mind that you describe, is, at all events, -attributable to some influence of mine--this is what I mean, if I can -make it plain--can I use no influence to serve you? Have I no power for -good, with you, at all?” - -“The utmost good that I am capable of now, Miss Manette, I have come -here to realise. Let me carry through the rest of my misdirected life, -the remembrance that I opened my heart to you, last of all the world; -and that there was something left in me at this time which you could -deplore and pity.” - -“Which I entreated you to believe, again and again, most fervently, with -all my heart, was capable of better things, Mr. Carton!” - -“Entreat me to believe it no more, Miss Manette. I have proved myself, -and I know better. I distress you; I draw fast to an end. Will you let -me believe, when I recall this day, that the last confidence of my life -was reposed in your pure and innocent breast, and that it lies there -alone, and will be shared by no one?” - -“If that will be a consolation to you, yes.” - -“Not even by the dearest one ever to be known to you?” - -“Mr. Carton,” she answered, after an agitated pause, “the secret is -yours, not mine; and I promise to respect it.” - -“Thank you. And again, God bless you.” - -He put her hand to his lips, and moved towards the door. - -“Be under no apprehension, Miss Manette, of my ever resuming this -conversation by so much as a passing word. I will never refer to it -again. If I were dead, that could not be surer than it is henceforth. In -the hour of my death, I shall hold sacred the one good remembrance--and -shall thank and bless you for it--that my last avowal of myself was made -to you, and that my name, and faults, and miseries were gently carried -in your heart. May it otherwise be light and happy!” - -He was so unlike what he had ever shown himself to be, and it was so -sad to think how much he had thrown away, and how much he every day kept -down and perverted, that Lucie Manette wept mournfully for him as he -stood looking back at her. - -“Be comforted!” he said, “I am not worth such feeling, Miss Manette. An -hour or two hence, and the low companions and low habits that I scorn -but yield to, will render me less worth such tears as those, than any -wretch who creeps along the streets. Be comforted! But, within myself, I -shall always be, towards you, what I am now, though outwardly I shall be -what you have heretofore seen me. The last supplication but one I make -to you, is, that you will believe this of me.” - -“I will, Mr. Carton.” - -“My last supplication of all, is this; and with it, I will relieve -you of a visitor with whom I well know you have nothing in unison, and -between whom and you there is an impassable space. It is useless to say -it, I know, but it rises out of my soul. For you, and for any dear to -you, I would do anything. If my career were of that better kind that -there was any opportunity or capacity of sacrifice in it, I would -embrace any sacrifice for you and for those dear to you. Try to hold -me in your mind, at some quiet times, as ardent and sincere in this one -thing. The time will come, the time will not be long in coming, when new -ties will be formed about you--ties that will bind you yet more tenderly -and strongly to the home you so adorn--the dearest ties that will ever -grace and gladden you. O Miss Manette, when the little picture of a -happy father's face looks up in yours, when you see your own bright -beauty springing up anew at your feet, think now and then that there is -a man who would give his life, to keep a life you love beside you!” - -He said, “Farewell!” said a last “God bless you!” and left her. - - - - -XIV. The Honest Tradesman - - -To the eyes of Mr. Jeremiah Cruncher, sitting on his stool in -Fleet-street with his grisly urchin beside him, a vast number and -variety of objects in movement were every day presented. Who could sit -upon anything in Fleet-street during the busy hours of the day, and -not be dazed and deafened by two immense processions, one ever tending -westward with the sun, the other ever tending eastward from the sun, -both ever tending to the plains beyond the range of red and purple where -the sun goes down! - -With his straw in his mouth, Mr. Cruncher sat watching the two streams, -like the heathen rustic who has for several centuries been on duty -watching one stream--saving that Jerry had no expectation of their ever -running dry. Nor would it have been an expectation of a hopeful kind, -since a small part of his income was derived from the pilotage of timid -women (mostly of a full habit and past the middle term of life) from -Tellson's side of the tides to the opposite shore. Brief as such -companionship was in every separate instance, Mr. Cruncher never failed -to become so interested in the lady as to express a strong desire to -have the honour of drinking her very good health. And it was from -the gifts bestowed upon him towards the execution of this benevolent -purpose, that he recruited his finances, as just now observed. - -Time was, when a poet sat upon a stool in a public place, and mused in -the sight of men. Mr. Cruncher, sitting on a stool in a public place, -but not being a poet, mused as little as possible, and looked about him. - -It fell out that he was thus engaged in a season when crowds were -few, and belated women few, and when his affairs in general were so -unprosperous as to awaken a strong suspicion in his breast that Mrs. -Cruncher must have been “flopping” in some pointed manner, when an -unusual concourse pouring down Fleet-street westward, attracted his -attention. Looking that way, Mr. Cruncher made out that some kind of -funeral was coming along, and that there was popular objection to this -funeral, which engendered uproar. - -“Young Jerry,” said Mr. Cruncher, turning to his offspring, “it's a -buryin'.” - -“Hooroar, father!” cried Young Jerry. - -The young gentleman uttered this exultant sound with mysterious -significance. The elder gentleman took the cry so ill, that he watched -his opportunity, and smote the young gentleman on the ear. - -“What d'ye mean? What are you hooroaring at? What do you want to conwey -to your own father, you young Rip? This boy is a getting too many for -_me_!” said Mr. Cruncher, surveying him. “Him and his hooroars! Don't -let me hear no more of you, or you shall feel some more of me. D'ye -hear?” - -“I warn't doing no harm,” Young Jerry protested, rubbing his cheek. - -“Drop it then,” said Mr. Cruncher; “I won't have none of _your_ no -harms. Get a top of that there seat, and look at the crowd.” - -His son obeyed, and the crowd approached; they were bawling and hissing -round a dingy hearse and dingy mourning coach, in which mourning coach -there was only one mourner, dressed in the dingy trappings that were -considered essential to the dignity of the position. The position -appeared by no means to please him, however, with an increasing rabble -surrounding the coach, deriding him, making grimaces at him, and -incessantly groaning and calling out: “Yah! Spies! Tst! Yaha! Spies!” - with many compliments too numerous and forcible to repeat. - -Funerals had at all times a remarkable attraction for Mr. Cruncher; he -always pricked up his senses, and became excited, when a funeral passed -Tellson's. Naturally, therefore, a funeral with this uncommon attendance -excited him greatly, and he asked of the first man who ran against him: - -“What is it, brother? What's it about?” - -“_I_ don't know,” said the man. “Spies! Yaha! Tst! Spies!” - -He asked another man. “Who is it?” - -“_I_ don't know,” returned the man, clapping his hands to his mouth -nevertheless, and vociferating in a surprising heat and with the -greatest ardour, “Spies! Yaha! Tst, tst! Spi--ies!” - -At length, a person better informed on the merits of the case, tumbled -against him, and from this person he learned that the funeral was the -funeral of one Roger Cly. - -“Was he a spy?” asked Mr. Cruncher. - -“Old Bailey spy,” returned his informant. “Yaha! Tst! Yah! Old Bailey -Spi--i--ies!” - -“Why, to be sure!” exclaimed Jerry, recalling the Trial at which he had -assisted. “I've seen him. Dead, is he?” - -“Dead as mutton,” returned the other, “and can't be too dead. Have 'em -out, there! Spies! Pull 'em out, there! Spies!” - -The idea was so acceptable in the prevalent absence of any idea, -that the crowd caught it up with eagerness, and loudly repeating the -suggestion to have 'em out, and to pull 'em out, mobbed the two vehicles -so closely that they came to a stop. On the crowd's opening the coach -doors, the one mourner scuffled out by himself and was in their hands -for a moment; but he was so alert, and made such good use of his time, -that in another moment he was scouring away up a bye-street, after -shedding his cloak, hat, long hatband, white pocket-handkerchief, and -other symbolical tears. - -These, the people tore to pieces and scattered far and wide with great -enjoyment, while the tradesmen hurriedly shut up their shops; for a -crowd in those times stopped at nothing, and was a monster much dreaded. -They had already got the length of opening the hearse to take the coffin -out, when some brighter genius proposed instead, its being escorted to -its destination amidst general rejoicing. Practical suggestions being -much needed, this suggestion, too, was received with acclamation, and -the coach was immediately filled with eight inside and a dozen out, -while as many people got on the roof of the hearse as could by any -exercise of ingenuity stick upon it. Among the first of these volunteers -was Jerry Cruncher himself, who modestly concealed his spiky head from -the observation of Tellson's, in the further corner of the mourning -coach. - -The officiating undertakers made some protest against these changes in -the ceremonies; but, the river being alarmingly near, and several voices -remarking on the efficacy of cold immersion in bringing refractory -members of the profession to reason, the protest was faint and brief. -The remodelled procession started, with a chimney-sweep driving the -hearse--advised by the regular driver, who was perched beside him, under -close inspection, for the purpose--and with a pieman, also attended -by his cabinet minister, driving the mourning coach. A bear-leader, a -popular street character of the time, was impressed as an additional -ornament, before the cavalcade had gone far down the Strand; and his -bear, who was black and very mangy, gave quite an Undertaking air to -that part of the procession in which he walked. - -Thus, with beer-drinking, pipe-smoking, song-roaring, and infinite -caricaturing of woe, the disorderly procession went its way, recruiting -at every step, and all the shops shutting up before it. Its destination -was the old church of Saint Pancras, far off in the fields. It got there -in course of time; insisted on pouring into the burial-ground; finally, -accomplished the interment of the deceased Roger Cly in its own way, and -highly to its own satisfaction. - -The dead man disposed of, and the crowd being under the necessity of -providing some other entertainment for itself, another brighter -genius (or perhaps the same) conceived the humour of impeaching casual -passers-by, as Old Bailey spies, and wreaking vengeance on them. Chase -was given to some scores of inoffensive persons who had never been near -the Old Bailey in their lives, in the realisation of this fancy, and -they were roughly hustled and maltreated. The transition to the sport of -window-breaking, and thence to the plundering of public-houses, was easy -and natural. At last, after several hours, when sundry summer-houses had -been pulled down, and some area-railings had been torn up, to arm -the more belligerent spirits, a rumour got about that the Guards were -coming. Before this rumour, the crowd gradually melted away, and perhaps -the Guards came, and perhaps they never came, and this was the usual -progress of a mob. - -Mr. Cruncher did not assist at the closing sports, but had remained -behind in the churchyard, to confer and condole with the undertakers. -The place had a soothing influence on him. He procured a pipe from a -neighbouring public-house, and smoked it, looking in at the railings and -maturely considering the spot. - -“Jerry,” said Mr. Cruncher, apostrophising himself in his usual way, -“you see that there Cly that day, and you see with your own eyes that he -was a young 'un and a straight made 'un.” - -Having smoked his pipe out, and ruminated a little longer, he turned -himself about, that he might appear, before the hour of closing, on his -station at Tellson's. Whether his meditations on mortality had touched -his liver, or whether his general health had been previously at all -amiss, or whether he desired to show a little attention to an eminent -man, is not so much to the purpose, as that he made a short call upon -his medical adviser--a distinguished surgeon--on his way back. - -Young Jerry relieved his father with dutiful interest, and reported No -job in his absence. The bank closed, the ancient clerks came out, the -usual watch was set, and Mr. Cruncher and his son went home to tea. - -“Now, I tell you where it is!” said Mr. Cruncher to his wife, on -entering. “If, as a honest tradesman, my wenturs goes wrong to-night, I -shall make sure that you've been praying again me, and I shall work you -for it just the same as if I seen you do it.” - -The dejected Mrs. Cruncher shook her head. - -“Why, you're at it afore my face!” said Mr. Cruncher, with signs of -angry apprehension. - -“I am saying nothing.” - -“Well, then; don't meditate nothing. You might as well flop as meditate. -You may as well go again me one way as another. Drop it altogether.” - -“Yes, Jerry.” - -“Yes, Jerry,” repeated Mr. Cruncher sitting down to tea. “Ah! It _is_ -yes, Jerry. That's about it. You may say yes, Jerry.” - -Mr. Cruncher had no particular meaning in these sulky corroborations, -but made use of them, as people not unfrequently do, to express general -ironical dissatisfaction. - -“You and your yes, Jerry,” said Mr. Cruncher, taking a bite out of his -bread-and-butter, and seeming to help it down with a large invisible -oyster out of his saucer. “Ah! I think so. I believe you.” - -“You are going out to-night?” asked his decent wife, when he took -another bite. - -“Yes, I am.” - -“May I go with you, father?” asked his son, briskly. - -“No, you mayn't. I'm a going--as your mother knows--a fishing. That's -where I'm going to. Going a fishing.” - -“Your fishing-rod gets rayther rusty; don't it, father?” - -“Never you mind.” - -“Shall you bring any fish home, father?” - -“If I don't, you'll have short commons, to-morrow,” returned that -gentleman, shaking his head; “that's questions enough for you; I ain't a -going out, till you've been long abed.” - -He devoted himself during the remainder of the evening to keeping a -most vigilant watch on Mrs. Cruncher, and sullenly holding her in -conversation that she might be prevented from meditating any petitions -to his disadvantage. With this view, he urged his son to hold her in -conversation also, and led the unfortunate woman a hard life by dwelling -on any causes of complaint he could bring against her, rather than -he would leave her for a moment to her own reflections. The devoutest -person could have rendered no greater homage to the efficacy of an -honest prayer than he did in this distrust of his wife. It was as if a -professed unbeliever in ghosts should be frightened by a ghost story. - -“And mind you!” said Mr. Cruncher. “No games to-morrow! If I, as a -honest tradesman, succeed in providing a jinte of meat or two, none -of your not touching of it, and sticking to bread. If I, as a honest -tradesman, am able to provide a little beer, none of your declaring -on water. When you go to Rome, do as Rome does. Rome will be a ugly -customer to you, if you don't. _I_'m your Rome, you know.” - -Then he began grumbling again: - -“With your flying into the face of your own wittles and drink! I don't -know how scarce you mayn't make the wittles and drink here, by your -flopping tricks and your unfeeling conduct. Look at your boy: he _is_ -your'n, ain't he? He's as thin as a lath. Do you call yourself a mother, -and not know that a mother's first duty is to blow her boy out?” - -This touched Young Jerry on a tender place; who adjured his mother to -perform her first duty, and, whatever else she did or neglected, above -all things to lay especial stress on the discharge of that maternal -function so affectingly and delicately indicated by his other parent. - -Thus the evening wore away with the Cruncher family, until Young Jerry -was ordered to bed, and his mother, laid under similar injunctions, -obeyed them. Mr. Cruncher beguiled the earlier watches of the night with -solitary pipes, and did not start upon his excursion until nearly one -o'clock. Towards that small and ghostly hour, he rose up from his chair, -took a key out of his pocket, opened a locked cupboard, and brought -forth a sack, a crowbar of convenient size, a rope and chain, and other -fishing tackle of that nature. Disposing these articles about him -in skilful manner, he bestowed a parting defiance on Mrs. Cruncher, -extinguished the light, and went out. - -Young Jerry, who had only made a feint of undressing when he went to -bed, was not long after his father. Under cover of the darkness he -followed out of the room, followed down the stairs, followed down the -court, followed out into the streets. He was in no uneasiness concerning -his getting into the house again, for it was full of lodgers, and the -door stood ajar all night. - -Impelled by a laudable ambition to study the art and mystery of his -father's honest calling, Young Jerry, keeping as close to house fronts, -walls, and doorways, as his eyes were close to one another, held his -honoured parent in view. The honoured parent steering Northward, had not -gone far, when he was joined by another disciple of Izaak Walton, and -the two trudged on together. - -Within half an hour from the first starting, they were beyond the -winking lamps, and the more than winking watchmen, and were out upon a -lonely road. Another fisherman was picked up here--and that so silently, -that if Young Jerry had been superstitious, he might have supposed the -second follower of the gentle craft to have, all of a sudden, split -himself into two. - -The three went on, and Young Jerry went on, until the three stopped -under a bank overhanging the road. Upon the top of the bank was a low -brick wall, surmounted by an iron railing. In the shadow of bank and -wall the three turned out of the road, and up a blind lane, of which -the wall--there, risen to some eight or ten feet high--formed one side. -Crouching down in a corner, peeping up the lane, the next object that -Young Jerry saw, was the form of his honoured parent, pretty well -defined against a watery and clouded moon, nimbly scaling an iron gate. -He was soon over, and then the second fisherman got over, and then the -third. They all dropped softly on the ground within the gate, and lay -there a little--listening perhaps. Then, they moved away on their hands -and knees. - -It was now Young Jerry's turn to approach the gate: which he did, -holding his breath. Crouching down again in a corner there, and looking -in, he made out the three fishermen creeping through some rank grass! -and all the gravestones in the churchyard--it was a large churchyard -that they were in--looking on like ghosts in white, while the church -tower itself looked on like the ghost of a monstrous giant. They did not -creep far, before they stopped and stood upright. And then they began to -fish. - -They fished with a spade, at first. Presently the honoured parent -appeared to be adjusting some instrument like a great corkscrew. -Whatever tools they worked with, they worked hard, until the awful -striking of the church clock so terrified Young Jerry, that he made off, -with his hair as stiff as his father's. - -But, his long-cherished desire to know more about these matters, not -only stopped him in his running away, but lured him back again. They -were still fishing perseveringly, when he peeped in at the gate for -the second time; but, now they seemed to have got a bite. There was a -screwing and complaining sound down below, and their bent figures were -strained, as if by a weight. By slow degrees the weight broke away the -earth upon it, and came to the surface. Young Jerry very well knew what -it would be; but, when he saw it, and saw his honoured parent about to -wrench it open, he was so frightened, being new to the sight, that he -made off again, and never stopped until he had run a mile or more. - -He would not have stopped then, for anything less necessary than breath, -it being a spectral sort of race that he ran, and one highly desirable -to get to the end of. He had a strong idea that the coffin he had seen -was running after him; and, pictured as hopping on behind him, bolt -upright, upon its narrow end, always on the point of overtaking him -and hopping on at his side--perhaps taking his arm--it was a pursuer to -shun. It was an inconsistent and ubiquitous fiend too, for, while it -was making the whole night behind him dreadful, he darted out into the -roadway to avoid dark alleys, fearful of its coming hopping out of them -like a dropsical boy's kite without tail and wings. It hid in doorways -too, rubbing its horrible shoulders against doors, and drawing them up -to its ears, as if it were laughing. It got into shadows on the road, -and lay cunningly on its back to trip him up. All this time it was -incessantly hopping on behind and gaining on him, so that when the boy -got to his own door he had reason for being half dead. And even then -it would not leave him, but followed him upstairs with a bump on every -stair, scrambled into bed with him, and bumped down, dead and heavy, on -his breast when he fell asleep. - -From his oppressed slumber, Young Jerry in his closet was awakened after -daybreak and before sunrise, by the presence of his father in the -family room. Something had gone wrong with him; at least, so Young Jerry -inferred, from the circumstance of his holding Mrs. Cruncher by the -ears, and knocking the back of her head against the head-board of the -bed. - -“I told you I would,” said Mr. Cruncher, “and I did.” - -“Jerry, Jerry, Jerry!” his wife implored. - -“You oppose yourself to the profit of the business,” said Jerry, “and me -and my partners suffer. You was to honour and obey; why the devil don't -you?” - -“I try to be a good wife, Jerry,” the poor woman protested, with tears. - -“Is it being a good wife to oppose your husband's business? Is it -honouring your husband to dishonour his business? Is it obeying your -husband to disobey him on the wital subject of his business?” - -“You hadn't taken to the dreadful business then, Jerry.” - -“It's enough for you,” retorted Mr. Cruncher, “to be the wife of a -honest tradesman, and not to occupy your female mind with calculations -when he took to his trade or when he didn't. A honouring and obeying -wife would let his trade alone altogether. Call yourself a religious -woman? If you're a religious woman, give me a irreligious one! You have -no more nat'ral sense of duty than the bed of this here Thames river has -of a pile, and similarly it must be knocked into you.” - -The altercation was conducted in a low tone of voice, and terminated in -the honest tradesman's kicking off his clay-soiled boots, and lying down -at his length on the floor. After taking a timid peep at him lying on -his back, with his rusty hands under his head for a pillow, his son lay -down too, and fell asleep again. - -There was no fish for breakfast, and not much of anything else. Mr. -Cruncher was out of spirits, and out of temper, and kept an iron pot-lid -by him as a projectile for the correction of Mrs. Cruncher, in case -he should observe any symptoms of her saying Grace. He was brushed -and washed at the usual hour, and set off with his son to pursue his -ostensible calling. - -Young Jerry, walking with the stool under his arm at his father's side -along sunny and crowded Fleet-street, was a very different Young Jerry -from him of the previous night, running home through darkness and -solitude from his grim pursuer. His cunning was fresh with the day, -and his qualms were gone with the night--in which particulars it is not -improbable that he had compeers in Fleet-street and the City of London, -that fine morning. - -“Father,” said Young Jerry, as they walked along: taking care to keep -at arm's length and to have the stool well between them: “what's a -Resurrection-Man?” - -Mr. Cruncher came to a stop on the pavement before he answered, “How -should I know?” - -“I thought you knowed everything, father,” said the artless boy. - -“Hem! Well,” returned Mr. Cruncher, going on again, and lifting off his -hat to give his spikes free play, “he's a tradesman.” - -“What's his goods, father?” asked the brisk Young Jerry. - -“His goods,” said Mr. Cruncher, after turning it over in his mind, “is a -branch of Scientific goods.” - -“Persons' bodies, ain't it, father?” asked the lively boy. - -“I believe it is something of that sort,” said Mr. Cruncher. - -“Oh, father, I should so like to be a Resurrection-Man when I'm quite -growed up!” - -Mr. Cruncher was soothed, but shook his head in a dubious and moral way. -“It depends upon how you dewelop your talents. Be careful to dewelop -your talents, and never to say no more than you can help to nobody, and -there's no telling at the present time what you may not come to be fit -for.” As Young Jerry, thus encouraged, went on a few yards in advance, -to plant the stool in the shadow of the Bar, Mr. Cruncher added to -himself: “Jerry, you honest tradesman, there's hopes wot that boy will -yet be a blessing to you, and a recompense to you for his mother!” - - - - -XV. Knitting - - -There had been earlier drinking than usual in the wine-shop of Monsieur -Defarge. As early as six o'clock in the morning, sallow faces peeping -through its barred windows had descried other faces within, bending over -measures of wine. Monsieur Defarge sold a very thin wine at the best -of times, but it would seem to have been an unusually thin wine that -he sold at this time. A sour wine, moreover, or a souring, for its -influence on the mood of those who drank it was to make them gloomy. No -vivacious Bacchanalian flame leaped out of the pressed grape of Monsieur -Defarge: but, a smouldering fire that burnt in the dark, lay hidden in -the dregs of it. - -This had been the third morning in succession, on which there had been -early drinking at the wine-shop of Monsieur Defarge. It had begun -on Monday, and here was Wednesday come. There had been more of early -brooding than drinking; for, many men had listened and whispered and -slunk about there from the time of the opening of the door, who could -not have laid a piece of money on the counter to save their souls. These -were to the full as interested in the place, however, as if they could -have commanded whole barrels of wine; and they glided from seat to seat, -and from corner to corner, swallowing talk in lieu of drink, with greedy -looks. - -Notwithstanding an unusual flow of company, the master of the wine-shop -was not visible. He was not missed; for, nobody who crossed the -threshold looked for him, nobody asked for him, nobody wondered to see -only Madame Defarge in her seat, presiding over the distribution of -wine, with a bowl of battered small coins before her, as much defaced -and beaten out of their original impress as the small coinage of -humanity from whose ragged pockets they had come. - -A suspended interest and a prevalent absence of mind, were perhaps -observed by the spies who looked in at the wine-shop, as they looked in -at every place, high and low, from the king's palace to the criminal's -gaol. Games at cards languished, players at dominoes musingly built -towers with them, drinkers drew figures on the tables with spilt drops -of wine, Madame Defarge herself picked out the pattern on her sleeve -with her toothpick, and saw and heard something inaudible and invisible -a long way off. - -Thus, Saint Antoine in this vinous feature of his, until midday. It was -high noontide, when two dusty men passed through his streets and under -his swinging lamps: of whom, one was Monsieur Defarge: the other a -mender of roads in a blue cap. All adust and athirst, the two entered -the wine-shop. Their arrival had lighted a kind of fire in the breast -of Saint Antoine, fast spreading as they came along, which stirred and -flickered in flames of faces at most doors and windows. Yet, no one had -followed them, and no man spoke when they entered the wine-shop, though -the eyes of every man there were turned upon them. - -“Good day, gentlemen!” said Monsieur Defarge. - -It may have been a signal for loosening the general tongue. It elicited -an answering chorus of “Good day!” - -“It is bad weather, gentlemen,” said Defarge, shaking his head. - -Upon which, every man looked at his neighbour, and then all cast down -their eyes and sat silent. Except one man, who got up and went out. - -“My wife,” said Defarge aloud, addressing Madame Defarge: “I have -travelled certain leagues with this good mender of roads, called -Jacques. I met him--by accident--a day and half's journey out of Paris. -He is a good child, this mender of roads, called Jacques. Give him to -drink, my wife!” - -A second man got up and went out. Madame Defarge set wine before the -mender of roads called Jacques, who doffed his blue cap to the company, -and drank. In the breast of his blouse he carried some coarse dark -bread; he ate of this between whiles, and sat munching and drinking near -Madame Defarge's counter. A third man got up and went out. - -Defarge refreshed himself with a draught of wine--but, he took less -than was given to the stranger, as being himself a man to whom it was no -rarity--and stood waiting until the countryman had made his breakfast. -He looked at no one present, and no one now looked at him; not even -Madame Defarge, who had taken up her knitting, and was at work. - -“Have you finished your repast, friend?” he asked, in due season. - -“Yes, thank you.” - -“Come, then! You shall see the apartment that I told you you could -occupy. It will suit you to a marvel.” - -Out of the wine-shop into the street, out of the street into a -courtyard, out of the courtyard up a steep staircase, out of the -staircase into a garret--formerly the garret where a white-haired man -sat on a low bench, stooping forward and very busy, making shoes. - -No white-haired man was there now; but, the three men were there who had -gone out of the wine-shop singly. And between them and the white-haired -man afar off, was the one small link, that they had once looked in at -him through the chinks in the wall. - -Defarge closed the door carefully, and spoke in a subdued voice: - -“Jacques One, Jacques Two, Jacques Three! This is the witness -encountered by appointment, by me, Jacques Four. He will tell you all. -Speak, Jacques Five!” - -The mender of roads, blue cap in hand, wiped his swarthy forehead with -it, and said, “Where shall I commence, monsieur?” - -“Commence,” was Monsieur Defarge's not unreasonable reply, “at the -commencement.” - -“I saw him then, messieurs,” began the mender of roads, “a year ago this -running summer, underneath the carriage of the Marquis, hanging by the -chain. Behold the manner of it. I leaving my work on the road, the sun -going to bed, the carriage of the Marquis slowly ascending the hill, he -hanging by the chain--like this.” - -Again the mender of roads went through the whole performance; in which -he ought to have been perfect by that time, seeing that it had been -the infallible resource and indispensable entertainment of his village -during a whole year. - -Jacques One struck in, and asked if he had ever seen the man before? - -“Never,” answered the mender of roads, recovering his perpendicular. - -Jacques Three demanded how he afterwards recognised him then? - -“By his tall figure,” said the mender of roads, softly, and with his -finger at his nose. “When Monsieur the Marquis demands that evening, -'Say, what is he like?' I make response, 'Tall as a spectre.'” - -“You should have said, short as a dwarf,” returned Jacques Two. - -“But what did I know? The deed was not then accomplished, neither did he -confide in me. Observe! Under those circumstances even, I do not -offer my testimony. Monsieur the Marquis indicates me with his finger, -standing near our little fountain, and says, 'To me! Bring that rascal!' -My faith, messieurs, I offer nothing.” - -“He is right there, Jacques,” murmured Defarge, to him who had -interrupted. “Go on!” - -“Good!” said the mender of roads, with an air of mystery. “The tall man -is lost, and he is sought--how many months? Nine, ten, eleven?” - -“No matter, the number,” said Defarge. “He is well hidden, but at last -he is unluckily found. Go on!” - -“I am again at work upon the hill-side, and the sun is again about to -go to bed. I am collecting my tools to descend to my cottage down in the -village below, where it is already dark, when I raise my eyes, and see -coming over the hill six soldiers. In the midst of them is a tall man -with his arms bound--tied to his sides--like this!” - -With the aid of his indispensable cap, he represented a man with his -elbows bound fast at his hips, with cords that were knotted behind him. - -“I stand aside, messieurs, by my heap of stones, to see the soldiers -and their prisoner pass (for it is a solitary road, that, where any -spectacle is well worth looking at), and at first, as they approach, I -see no more than that they are six soldiers with a tall man bound, and -that they are almost black to my sight--except on the side of the sun -going to bed, where they have a red edge, messieurs. Also, I see that -their long shadows are on the hollow ridge on the opposite side of the -road, and are on the hill above it, and are like the shadows of giants. -Also, I see that they are covered with dust, and that the dust moves -with them as they come, tramp, tramp! But when they advance quite near -to me, I recognise the tall man, and he recognises me. Ah, but he would -be well content to precipitate himself over the hill-side once again, as -on the evening when he and I first encountered, close to the same spot!” - -He described it as if he were there, and it was evident that he saw it -vividly; perhaps he had not seen much in his life. - -“I do not show the soldiers that I recognise the tall man; he does not -show the soldiers that he recognises me; we do it, and we know it, with -our eyes. 'Come on!' says the chief of that company, pointing to the -village, 'bring him fast to his tomb!' and they bring him faster. I -follow. His arms are swelled because of being bound so tight, his wooden -shoes are large and clumsy, and he is lame. Because he is lame, and -consequently slow, they drive him with their guns--like this!” - -He imitated the action of a man's being impelled forward by the -butt-ends of muskets. - -“As they descend the hill like madmen running a race, he falls. They -laugh and pick him up again. His face is bleeding and covered with dust, -but he cannot touch it; thereupon they laugh again. They bring him into -the village; all the village runs to look; they take him past the mill, -and up to the prison; all the village sees the prison gate open in the -darkness of the night, and swallow him--like this!” - -He opened his mouth as wide as he could, and shut it with a sounding -snap of his teeth. Observant of his unwillingness to mar the effect by -opening it again, Defarge said, “Go on, Jacques.” - -“All the village,” pursued the mender of roads, on tiptoe and in a low -voice, “withdraws; all the village whispers by the fountain; all the -village sleeps; all the village dreams of that unhappy one, within the -locks and bars of the prison on the crag, and never to come out of it, -except to perish. In the morning, with my tools upon my shoulder, eating -my morsel of black bread as I go, I make a circuit by the prison, on -my way to my work. There I see him, high up, behind the bars of a lofty -iron cage, bloody and dusty as last night, looking through. He has no -hand free, to wave to me; I dare not call to him; he regards me like a -dead man.” - -Defarge and the three glanced darkly at one another. The looks of all -of them were dark, repressed, and revengeful, as they listened to the -countryman's story; the manner of all of them, while it was secret, was -authoritative too. They had the air of a rough tribunal; Jacques One -and Two sitting on the old pallet-bed, each with his chin resting on -his hand, and his eyes intent on the road-mender; Jacques Three, equally -intent, on one knee behind them, with his agitated hand always gliding -over the network of fine nerves about his mouth and nose; Defarge -standing between them and the narrator, whom he had stationed in the -light of the window, by turns looking from him to them, and from them to -him. - -“Go on, Jacques,” said Defarge. - -“He remains up there in his iron cage some days. The village looks -at him by stealth, for it is afraid. But it always looks up, from a -distance, at the prison on the crag; and in the evening, when the work -of the day is achieved and it assembles to gossip at the fountain, all -faces are turned towards the prison. Formerly, they were turned towards -the posting-house; now, they are turned towards the prison. They -whisper at the fountain, that although condemned to death he will not be -executed; they say that petitions have been presented in Paris, showing -that he was enraged and made mad by the death of his child; they say -that a petition has been presented to the King himself. What do I know? -It is possible. Perhaps yes, perhaps no.” - -“Listen then, Jacques,” Number One of that name sternly interposed. -“Know that a petition was presented to the King and Queen. All here, -yourself excepted, saw the King take it, in his carriage in the street, -sitting beside the Queen. It is Defarge whom you see here, who, at the -hazard of his life, darted out before the horses, with the petition in -his hand.” - -“And once again listen, Jacques!” said the kneeling Number Three: -his fingers ever wandering over and over those fine nerves, with a -strikingly greedy air, as if he hungered for something--that was neither -food nor drink; “the guard, horse and foot, surrounded the petitioner, -and struck him blows. You hear?” - -“I hear, messieurs.” - -“Go on then,” said Defarge. - -“Again; on the other hand, they whisper at the fountain,” resumed the -countryman, “that he is brought down into our country to be executed on -the spot, and that he will very certainly be executed. They even whisper -that because he has slain Monseigneur, and because Monseigneur was the -father of his tenants--serfs--what you will--he will be executed as a -parricide. One old man says at the fountain, that his right hand, armed -with the knife, will be burnt off before his face; that, into wounds -which will be made in his arms, his breast, and his legs, there will be -poured boiling oil, melted lead, hot resin, wax, and sulphur; finally, -that he will be torn limb from limb by four strong horses. That old man -says, all this was actually done to a prisoner who made an attempt on -the life of the late King, Louis Fifteen. But how do I know if he lies? -I am not a scholar.” - -“Listen once again then, Jacques!” said the man with the restless hand -and the craving air. “The name of that prisoner was Damiens, and it was -all done in open day, in the open streets of this city of Paris; and -nothing was more noticed in the vast concourse that saw it done, than -the crowd of ladies of quality and fashion, who were full of eager -attention to the last--to the last, Jacques, prolonged until nightfall, -when he had lost two legs and an arm, and still breathed! And it was -done--why, how old are you?” - -“Thirty-five,” said the mender of roads, who looked sixty. - -“It was done when you were more than ten years old; you might have seen -it.” - -“Enough!” said Defarge, with grim impatience. “Long live the Devil! Go -on.” - -“Well! Some whisper this, some whisper that; they speak of nothing else; -even the fountain appears to fall to that tune. At length, on Sunday -night when all the village is asleep, come soldiers, winding down from -the prison, and their guns ring on the stones of the little street. -Workmen dig, workmen hammer, soldiers laugh and sing; in the morning, by -the fountain, there is raised a gallows forty feet high, poisoning the -water.” - -The mender of roads looked _through_ rather than _at_ the low ceiling, -and pointed as if he saw the gallows somewhere in the sky. - -“All work is stopped, all assemble there, nobody leads the cows out, -the cows are there with the rest. At midday, the roll of drums. Soldiers -have marched into the prison in the night, and he is in the midst -of many soldiers. He is bound as before, and in his mouth there is -a gag--tied so, with a tight string, making him look almost as if he -laughed.” He suggested it, by creasing his face with his two thumbs, -from the corners of his mouth to his ears. “On the top of the gallows is -fixed the knife, blade upwards, with its point in the air. He is hanged -there forty feet high--and is left hanging, poisoning the water.” - -They looked at one another, as he used his blue cap to wipe his face, -on which the perspiration had started afresh while he recalled the -spectacle. - -“It is frightful, messieurs. How can the women and the children draw -water! Who can gossip of an evening, under that shadow! Under it, have -I said? When I left the village, Monday evening as the sun was going to -bed, and looked back from the hill, the shadow struck across the church, -across the mill, across the prison--seemed to strike across the earth, -messieurs, to where the sky rests upon it!” - -The hungry man gnawed one of his fingers as he looked at the other -three, and his finger quivered with the craving that was on him. - -“That's all, messieurs. I left at sunset (as I had been warned to do), -and I walked on, that night and half next day, until I met (as I was -warned I should) this comrade. With him, I came on, now riding and now -walking, through the rest of yesterday and through last night. And here -you see me!” - -After a gloomy silence, the first Jacques said, “Good! You have acted -and recounted faithfully. Will you wait for us a little, outside the -door?” - -“Very willingly,” said the mender of roads. Whom Defarge escorted to the -top of the stairs, and, leaving seated there, returned. - -The three had risen, and their heads were together when he came back to -the garret. - -“How say you, Jacques?” demanded Number One. “To be registered?” - -“To be registered, as doomed to destruction,” returned Defarge. - -“Magnificent!” croaked the man with the craving. - -“The chateau, and all the race?” inquired the first. - -“The chateau and all the race,” returned Defarge. “Extermination.” - -The hungry man repeated, in a rapturous croak, “Magnificent!” and began -gnawing another finger. - -“Are you sure,” asked Jacques Two, of Defarge, “that no embarrassment -can arise from our manner of keeping the register? Without doubt it is -safe, for no one beyond ourselves can decipher it; but shall we always -be able to decipher it--or, I ought to say, will she?” - -“Jacques,” returned Defarge, drawing himself up, “if madame my wife -undertook to keep the register in her memory alone, she would not lose -a word of it--not a syllable of it. Knitted, in her own stitches and her -own symbols, it will always be as plain to her as the sun. Confide in -Madame Defarge. It would be easier for the weakest poltroon that lives, -to erase himself from existence, than to erase one letter of his name or -crimes from the knitted register of Madame Defarge.” - -There was a murmur of confidence and approval, and then the man who -hungered, asked: “Is this rustic to be sent back soon? I hope so. He is -very simple; is he not a little dangerous?” - -“He knows nothing,” said Defarge; “at least nothing more than would -easily elevate himself to a gallows of the same height. I charge myself -with him; let him remain with me; I will take care of him, and set him -on his road. He wishes to see the fine world--the King, the Queen, and -Court; let him see them on Sunday.” - -“What?” exclaimed the hungry man, staring. “Is it a good sign, that he -wishes to see Royalty and Nobility?” - -“Jacques,” said Defarge; “judiciously show a cat milk, if you wish her -to thirst for it. Judiciously show a dog his natural prey, if you wish -him to bring it down one day.” - -Nothing more was said, and the mender of roads, being found already -dozing on the topmost stair, was advised to lay himself down on the -pallet-bed and take some rest. He needed no persuasion, and was soon -asleep. - -Worse quarters than Defarge's wine-shop, could easily have been found -in Paris for a provincial slave of that degree. Saving for a mysterious -dread of madame by which he was constantly haunted, his life was very -new and agreeable. But, madame sat all day at her counter, so expressly -unconscious of him, and so particularly determined not to perceive that -his being there had any connection with anything below the surface, that -he shook in his wooden shoes whenever his eye lighted on her. For, he -contended with himself that it was impossible to foresee what that lady -might pretend next; and he felt assured that if she should take it -into her brightly ornamented head to pretend that she had seen him do a -murder and afterwards flay the victim, she would infallibly go through -with it until the play was played out. - -Therefore, when Sunday came, the mender of roads was not enchanted -(though he said he was) to find that madame was to accompany monsieur -and himself to Versailles. It was additionally disconcerting to have -madame knitting all the way there, in a public conveyance; it was -additionally disconcerting yet, to have madame in the crowd in the -afternoon, still with her knitting in her hands as the crowd waited to -see the carriage of the King and Queen. - -“You work hard, madame,” said a man near her. - -“Yes,” answered Madame Defarge; “I have a good deal to do.” - -“What do you make, madame?” - -“Many things.” - -“For instance--” - -“For instance,” returned Madame Defarge, composedly, “shrouds.” - -The man moved a little further away, as soon as he could, and the mender -of roads fanned himself with his blue cap: feeling it mightily close -and oppressive. If he needed a King and Queen to restore him, he was -fortunate in having his remedy at hand; for, soon the large-faced King -and the fair-faced Queen came in their golden coach, attended by the -shining Bull's Eye of their Court, a glittering multitude of laughing -ladies and fine lords; and in jewels and silks and powder and splendour -and elegantly spurning figures and handsomely disdainful faces of both -sexes, the mender of roads bathed himself, so much to his temporary -intoxication, that he cried Long live the King, Long live the Queen, -Long live everybody and everything! as if he had never heard of -ubiquitous Jacques in his time. Then, there were gardens, courtyards, -terraces, fountains, green banks, more King and Queen, more Bull's Eye, -more lords and ladies, more Long live they all! until he absolutely wept -with sentiment. During the whole of this scene, which lasted some three -hours, he had plenty of shouting and weeping and sentimental company, -and throughout Defarge held him by the collar, as if to restrain him -from flying at the objects of his brief devotion and tearing them to -pieces. - -“Bravo!” said Defarge, clapping him on the back when it was over, like a -patron; “you are a good boy!” - -The mender of roads was now coming to himself, and was mistrustful of -having made a mistake in his late demonstrations; but no. - -“You are the fellow we want,” said Defarge, in his ear; “you make -these fools believe that it will last for ever. Then, they are the more -insolent, and it is the nearer ended.” - -“Hey!” cried the mender of roads, reflectively; “that's true.” - -“These fools know nothing. While they despise your breath, and would -stop it for ever and ever, in you or in a hundred like you rather than -in one of their own horses or dogs, they only know what your breath -tells them. Let it deceive them, then, a little longer; it cannot -deceive them too much.” - -Madame Defarge looked superciliously at the client, and nodded in -confirmation. - -“As to you,” said she, “you would shout and shed tears for anything, if -it made a show and a noise. Say! Would you not?” - -“Truly, madame, I think so. For the moment.” - -“If you were shown a great heap of dolls, and were set upon them to -pluck them to pieces and despoil them for your own advantage, you would -pick out the richest and gayest. Say! Would you not?” - -“Truly yes, madame.” - -“Yes. And if you were shown a flock of birds, unable to fly, and were -set upon them to strip them of their feathers for your own advantage, -you would set upon the birds of the finest feathers; would you not?” - -“It is true, madame.” - -“You have seen both dolls and birds to-day,” said Madame Defarge, with -a wave of her hand towards the place where they had last been apparent; -“now, go home!” - - - - -XVI. Still Knitting - - -Madame Defarge and monsieur her husband returned amicably to the -bosom of Saint Antoine, while a speck in a blue cap toiled through the -darkness, and through the dust, and down the weary miles of avenue by -the wayside, slowly tending towards that point of the compass where -the chateau of Monsieur the Marquis, now in his grave, listened to -the whispering trees. Such ample leisure had the stone faces, now, -for listening to the trees and to the fountain, that the few village -scarecrows who, in their quest for herbs to eat and fragments of dead -stick to burn, strayed within sight of the great stone courtyard and -terrace staircase, had it borne in upon their starved fancy that -the expression of the faces was altered. A rumour just lived in the -village--had a faint and bare existence there, as its people had--that -when the knife struck home, the faces changed, from faces of pride to -faces of anger and pain; also, that when that dangling figure was hauled -up forty feet above the fountain, they changed again, and bore a cruel -look of being avenged, which they would henceforth bear for ever. In the -stone face over the great window of the bed-chamber where the murder -was done, two fine dints were pointed out in the sculptured nose, which -everybody recognised, and which nobody had seen of old; and on the -scarce occasions when two or three ragged peasants emerged from the -crowd to take a hurried peep at Monsieur the Marquis petrified, a -skinny finger would not have pointed to it for a minute, before they all -started away among the moss and leaves, like the more fortunate hares -who could find a living there. - -Chateau and hut, stone face and dangling figure, the red stain on the -stone floor, and the pure water in the village well--thousands of acres -of land--a whole province of France--all France itself--lay under the -night sky, concentrated into a faint hair-breadth line. So does a whole -world, with all its greatnesses and littlenesses, lie in a twinkling -star. And as mere human knowledge can split a ray of light and analyse -the manner of its composition, so, sublimer intelligences may read in -the feeble shining of this earth of ours, every thought and act, every -vice and virtue, of every responsible creature on it. - -The Defarges, husband and wife, came lumbering under the starlight, -in their public vehicle, to that gate of Paris whereunto their -journey naturally tended. There was the usual stoppage at the barrier -guardhouse, and the usual lanterns came glancing forth for the usual -examination and inquiry. Monsieur Defarge alighted; knowing one or two -of the soldiery there, and one of the police. The latter he was intimate -with, and affectionately embraced. - -When Saint Antoine had again enfolded the Defarges in his dusky wings, -and they, having finally alighted near the Saint's boundaries, were -picking their way on foot through the black mud and offal of his -streets, Madame Defarge spoke to her husband: - -“Say then, my friend; what did Jacques of the police tell thee?” - -“Very little to-night, but all he knows. There is another spy -commissioned for our quarter. There may be many more, for all that he -can say, but he knows of one.” - -“Eh well!” said Madame Defarge, raising her eyebrows with a cool -business air. “It is necessary to register him. How do they call that -man?” - -“He is English.” - -“So much the better. His name?” - -“Barsad,” said Defarge, making it French by pronunciation. But, he had -been so careful to get it accurately, that he then spelt it with perfect -correctness. - -“Barsad,” repeated madame. “Good. Christian name?” - -“John.” - -“John Barsad,” repeated madame, after murmuring it once to herself. -“Good. His appearance; is it known?” - -“Age, about forty years; height, about five feet nine; black hair; -complexion dark; generally, rather handsome visage; eyes dark, face -thin, long, and sallow; nose aquiline, but not straight, having a -peculiar inclination towards the left cheek; expression, therefore, -sinister.” - -“Eh my faith. It is a portrait!” said madame, laughing. “He shall be -registered to-morrow.” - -They turned into the wine-shop, which was closed (for it was midnight), -and where Madame Defarge immediately took her post at her desk, counted -the small moneys that had been taken during her absence, examined the -stock, went through the entries in the book, made other entries of -her own, checked the serving man in every possible way, and finally -dismissed him to bed. Then she turned out the contents of the bowl -of money for the second time, and began knotting them up in her -handkerchief, in a chain of separate knots, for safe keeping through the -night. All this while, Defarge, with his pipe in his mouth, walked -up and down, complacently admiring, but never interfering; in which -condition, indeed, as to the business and his domestic affairs, he -walked up and down through life. - -The night was hot, and the shop, close shut and surrounded by so foul a -neighbourhood, was ill-smelling. Monsieur Defarge's olfactory sense was -by no means delicate, but the stock of wine smelt much stronger than -it ever tasted, and so did the stock of rum and brandy and aniseed. He -whiffed the compound of scents away, as he put down his smoked-out pipe. - -“You are fatigued,” said madame, raising her glance as she knotted the -money. “There are only the usual odours.” - -“I am a little tired,” her husband acknowledged. - -“You are a little depressed, too,” said madame, whose quick eyes had -never been so intent on the accounts, but they had had a ray or two for -him. “Oh, the men, the men!” - -“But my dear!” began Defarge. - -“But my dear!” repeated madame, nodding firmly; “but my dear! You are -faint of heart to-night, my dear!” - -“Well, then,” said Defarge, as if a thought were wrung out of his -breast, “it _is_ a long time.” - -“It is a long time,” repeated his wife; “and when is it not a long time? -Vengeance and retribution require a long time; it is the rule.” - -“It does not take a long time to strike a man with Lightning,” said -Defarge. - -“How long,” demanded madame, composedly, “does it take to make and store -the lightning? Tell me.” - -Defarge raised his head thoughtfully, as if there were something in that -too. - -“It does not take a long time,” said madame, “for an earthquake to -swallow a town. Eh well! Tell me how long it takes to prepare the -earthquake?” - -“A long time, I suppose,” said Defarge. - -“But when it is ready, it takes place, and grinds to pieces everything -before it. In the meantime, it is always preparing, though it is not -seen or heard. That is your consolation. Keep it.” - -She tied a knot with flashing eyes, as if it throttled a foe. - -“I tell thee,” said madame, extending her right hand, for emphasis, -“that although it is a long time on the road, it is on the road and -coming. I tell thee it never retreats, and never stops. I tell thee it -is always advancing. Look around and consider the lives of all the world -that we know, consider the faces of all the world that we know, consider -the rage and discontent to which the Jacquerie addresses itself with -more and more of certainty every hour. Can such things last? Bah! I mock -you.” - -“My brave wife,” returned Defarge, standing before her with his head -a little bent, and his hands clasped at his back, like a docile and -attentive pupil before his catechist, “I do not question all this. But -it has lasted a long time, and it is possible--you know well, my wife, -it is possible--that it may not come, during our lives.” - -“Eh well! How then?” demanded madame, tying another knot, as if there -were another enemy strangled. - -“Well!” said Defarge, with a half complaining and half apologetic shrug. -“We shall not see the triumph.” - -“We shall have helped it,” returned madame, with her extended hand in -strong action. “Nothing that we do, is done in vain. I believe, with all -my soul, that we shall see the triumph. But even if not, even if I knew -certainly not, show me the neck of an aristocrat and tyrant, and still I -would--” - -Then madame, with her teeth set, tied a very terrible knot indeed. - -“Hold!” cried Defarge, reddening a little as if he felt charged with -cowardice; “I too, my dear, will stop at nothing.” - -“Yes! But it is your weakness that you sometimes need to see your victim -and your opportunity, to sustain you. Sustain yourself without that. -When the time comes, let loose a tiger and a devil; but wait for the -time with the tiger and the devil chained--not shown--yet always ready.” - -Madame enforced the conclusion of this piece of advice by striking her -little counter with her chain of money as if she knocked its brains -out, and then gathering the heavy handkerchief under her arm in a serene -manner, and observing that it was time to go to bed. - -Next noontide saw the admirable woman in her usual place in the -wine-shop, knitting away assiduously. A rose lay beside her, and if she -now and then glanced at the flower, it was with no infraction of her -usual preoccupied air. There were a few customers, drinking or not -drinking, standing or seated, sprinkled about. The day was very hot, -and heaps of flies, who were extending their inquisitive and adventurous -perquisitions into all the glutinous little glasses near madame, fell -dead at the bottom. Their decease made no impression on the other flies -out promenading, who looked at them in the coolest manner (as if they -themselves were elephants, or something as far removed), until they met -the same fate. Curious to consider how heedless flies are!--perhaps they -thought as much at Court that sunny summer day. - -A figure entering at the door threw a shadow on Madame Defarge which she -felt to be a new one. She laid down her knitting, and began to pin her -rose in her head-dress, before she looked at the figure. - -It was curious. The moment Madame Defarge took up the rose, the -customers ceased talking, and began gradually to drop out of the -wine-shop. - -“Good day, madame,” said the new-comer. - -“Good day, monsieur.” - -She said it aloud, but added to herself, as she resumed her knitting: -“Hah! Good day, age about forty, height about five feet nine, black -hair, generally rather handsome visage, complexion dark, eyes dark, -thin, long and sallow face, aquiline nose but not straight, having a -peculiar inclination towards the left cheek which imparts a sinister -expression! Good day, one and all!” - -“Have the goodness to give me a little glass of old cognac, and a -mouthful of cool fresh water, madame.” - -Madame complied with a polite air. - -“Marvellous cognac this, madame!” - -It was the first time it had ever been so complimented, and Madame -Defarge knew enough of its antecedents to know better. She said, -however, that the cognac was flattered, and took up her knitting. The -visitor watched her fingers for a few moments, and took the opportunity -of observing the place in general. - -“You knit with great skill, madame.” - -“I am accustomed to it.” - -“A pretty pattern too!” - -“_You_ think so?” said madame, looking at him with a smile. - -“Decidedly. May one ask what it is for?” - -“Pastime,” said madame, still looking at him with a smile while her -fingers moved nimbly. - -“Not for use?” - -“That depends. I may find a use for it one day. If I do--Well,” said -madame, drawing a breath and nodding her head with a stern kind of -coquetry, “I'll use it!” - -It was remarkable; but, the taste of Saint Antoine seemed to be -decidedly opposed to a rose on the head-dress of Madame Defarge. Two -men had entered separately, and had been about to order drink, when, -catching sight of that novelty, they faltered, made a pretence of -looking about as if for some friend who was not there, and went away. -Nor, of those who had been there when this visitor entered, was there -one left. They had all dropped off. The spy had kept his eyes open, -but had been able to detect no sign. They had lounged away in a -poverty-stricken, purposeless, accidental manner, quite natural and -unimpeachable. - -“_John_,” thought madame, checking off her work as her fingers knitted, -and her eyes looked at the stranger. “Stay long enough, and I shall knit -'BARSAD' before you go.” - -“You have a husband, madame?” - -“I have.” - -“Children?” - -“No children.” - -“Business seems bad?” - -“Business is very bad; the people are so poor.” - -“Ah, the unfortunate, miserable people! So oppressed, too--as you say.” - -“As _you_ say,” madame retorted, correcting him, and deftly knitting an -extra something into his name that boded him no good. - -“Pardon me; certainly it was I who said so, but you naturally think so. -Of course.” - -“_I_ think?” returned madame, in a high voice. “I and my husband have -enough to do to keep this wine-shop open, without thinking. All we -think, here, is how to live. That is the subject _we_ think of, and -it gives us, from morning to night, enough to think about, without -embarrassing our heads concerning others. _I_ think for others? No, no.” - -The spy, who was there to pick up any crumbs he could find or make, did -not allow his baffled state to express itself in his sinister face; but, -stood with an air of gossiping gallantry, leaning his elbow on Madame -Defarge's little counter, and occasionally sipping his cognac. - -“A bad business this, madame, of Gaspard's execution. Ah! the poor -Gaspard!” With a sigh of great compassion. - -“My faith!” returned madame, coolly and lightly, “if people use knives -for such purposes, they have to pay for it. He knew beforehand what the -price of his luxury was; he has paid the price.” - -“I believe,” said the spy, dropping his soft voice to a tone -that invited confidence, and expressing an injured revolutionary -susceptibility in every muscle of his wicked face: “I believe there -is much compassion and anger in this neighbourhood, touching the poor -fellow? Between ourselves.” - -“Is there?” asked madame, vacantly. - -“Is there not?” - -“--Here is my husband!” said Madame Defarge. - -As the keeper of the wine-shop entered at the door, the spy saluted -him by touching his hat, and saying, with an engaging smile, “Good day, -Jacques!” Defarge stopped short, and stared at him. - -“Good day, Jacques!” the spy repeated; with not quite so much -confidence, or quite so easy a smile under the stare. - -“You deceive yourself, monsieur,” returned the keeper of the wine-shop. -“You mistake me for another. That is not my name. I am Ernest Defarge.” - -“It is all the same,” said the spy, airily, but discomfited too: “good -day!” - -“Good day!” answered Defarge, drily. - -“I was saying to madame, with whom I had the pleasure of chatting when -you entered, that they tell me there is--and no wonder!--much sympathy -and anger in Saint Antoine, touching the unhappy fate of poor Gaspard.” - -“No one has told me so,” said Defarge, shaking his head. “I know nothing -of it.” - -Having said it, he passed behind the little counter, and stood with his -hand on the back of his wife's chair, looking over that barrier at the -person to whom they were both opposed, and whom either of them would -have shot with the greatest satisfaction. - -The spy, well used to his business, did not change his unconscious -attitude, but drained his little glass of cognac, took a sip of fresh -water, and asked for another glass of cognac. Madame Defarge poured it -out for him, took to her knitting again, and hummed a little song over -it. - -“You seem to know this quarter well; that is to say, better than I do?” - observed Defarge. - -“Not at all, but I hope to know it better. I am so profoundly interested -in its miserable inhabitants.” - -“Hah!” muttered Defarge. - -“The pleasure of conversing with you, Monsieur Defarge, recalls to me,” - pursued the spy, “that I have the honour of cherishing some interesting -associations with your name.” - -“Indeed!” said Defarge, with much indifference. - -“Yes, indeed. When Doctor Manette was released, you, his old domestic, -had the charge of him, I know. He was delivered to you. You see I am -informed of the circumstances?” - -“Such is the fact, certainly,” said Defarge. He had had it conveyed -to him, in an accidental touch of his wife's elbow as she knitted and -warbled, that he would do best to answer, but always with brevity. - -“It was to you,” said the spy, “that his daughter came; and it was -from your care that his daughter took him, accompanied by a neat brown -monsieur; how is he called?--in a little wig--Lorry--of the bank of -Tellson and Company--over to England.” - -“Such is the fact,” repeated Defarge. - -“Very interesting remembrances!” said the spy. “I have known Doctor -Manette and his daughter, in England.” - -“Yes?” said Defarge. - -“You don't hear much about them now?” said the spy. - -“No,” said Defarge. - -“In effect,” madame struck in, looking up from her work and her little -song, “we never hear about them. We received the news of their safe -arrival, and perhaps another letter, or perhaps two; but, since then, -they have gradually taken their road in life--we, ours--and we have held -no correspondence.” - -“Perfectly so, madame,” replied the spy. “She is going to be married.” - -“Going?” echoed madame. “She was pretty enough to have been married long -ago. You English are cold, it seems to me.” - -“Oh! You know I am English.” - -“I perceive your tongue is,” returned madame; “and what the tongue is, I -suppose the man is.” - -He did not take the identification as a compliment; but he made the best -of it, and turned it off with a laugh. After sipping his cognac to the -end, he added: - -“Yes, Miss Manette is going to be married. But not to an Englishman; to -one who, like herself, is French by birth. And speaking of Gaspard (ah, -poor Gaspard! It was cruel, cruel!), it is a curious thing that she is -going to marry the nephew of Monsieur the Marquis, for whom Gaspard -was exalted to that height of so many feet; in other words, the present -Marquis. But he lives unknown in England, he is no Marquis there; he is -Mr. Charles Darnay. D'Aulnais is the name of his mother's family.” - -Madame Defarge knitted steadily, but the intelligence had a palpable -effect upon her husband. Do what he would, behind the little counter, -as to the striking of a light and the lighting of his pipe, he was -troubled, and his hand was not trustworthy. The spy would have been no -spy if he had failed to see it, or to record it in his mind. - -Having made, at least, this one hit, whatever it might prove to be -worth, and no customers coming in to help him to any other, Mr. Barsad -paid for what he had drunk, and took his leave: taking occasion to say, -in a genteel manner, before he departed, that he looked forward to the -pleasure of seeing Monsieur and Madame Defarge again. For some minutes -after he had emerged into the outer presence of Saint Antoine, the -husband and wife remained exactly as he had left them, lest he should -come back. - -“Can it be true,” said Defarge, in a low voice, looking down at his wife -as he stood smoking with his hand on the back of her chair: “what he has -said of Ma'amselle Manette?” - -“As he has said it,” returned madame, lifting her eyebrows a little, “it -is probably false. But it may be true.” - -“If it is--” Defarge began, and stopped. - -“If it is?” repeated his wife. - -“--And if it does come, while we live to see it triumph--I hope, for her -sake, Destiny will keep her husband out of France.” - -“Her husband's destiny,” said Madame Defarge, with her usual composure, -“will take him where he is to go, and will lead him to the end that is -to end him. That is all I know.” - -“But it is very strange--now, at least, is it not very strange”--said -Defarge, rather pleading with his wife to induce her to admit it, -“that, after all our sympathy for Monsieur her father, and herself, her -husband's name should be proscribed under your hand at this moment, by -the side of that infernal dog's who has just left us?” - -“Stranger things than that will happen when it does come,” answered -madame. “I have them both here, of a certainty; and they are both here -for their merits; that is enough.” - -She rolled up her knitting when she had said those words, and presently -took the rose out of the handkerchief that was wound about her head. -Either Saint Antoine had an instinctive sense that the objectionable -decoration was gone, or Saint Antoine was on the watch for its -disappearance; howbeit, the Saint took courage to lounge in, very -shortly afterwards, and the wine-shop recovered its habitual aspect. - -In the evening, at which season of all others Saint Antoine turned -himself inside out, and sat on door-steps and window-ledges, and came -to the corners of vile streets and courts, for a breath of air, Madame -Defarge with her work in her hand was accustomed to pass from place -to place and from group to group: a Missionary--there were many like -her--such as the world will do well never to breed again. All the women -knitted. They knitted worthless things; but, the mechanical work was a -mechanical substitute for eating and drinking; the hands moved for the -jaws and the digestive apparatus: if the bony fingers had been still, -the stomachs would have been more famine-pinched. - -But, as the fingers went, the eyes went, and the thoughts. And as Madame -Defarge moved on from group to group, all three went quicker and fiercer -among every little knot of women that she had spoken with, and left -behind. - -Her husband smoked at his door, looking after her with admiration. “A -great woman,” said he, “a strong woman, a grand woman, a frightfully -grand woman!” - -Darkness closed around, and then came the ringing of church bells and -the distant beating of the military drums in the Palace Courtyard, as -the women sat knitting, knitting. Darkness encompassed them. Another -darkness was closing in as surely, when the church bells, then ringing -pleasantly in many an airy steeple over France, should be melted into -thundering cannon; when the military drums should be beating to drown a -wretched voice, that night all potent as the voice of Power and Plenty, -Freedom and Life. So much was closing in about the women who sat -knitting, knitting, that they their very selves were closing in around -a structure yet unbuilt, where they were to sit knitting, knitting, -counting dropping heads. - - - - -XVII. One Night - - -Never did the sun go down with a brighter glory on the quiet corner in -Soho, than one memorable evening when the Doctor and his daughter sat -under the plane-tree together. Never did the moon rise with a milder -radiance over great London, than on that night when it found them still -seated under the tree, and shone upon their faces through its leaves. - -Lucie was to be married to-morrow. She had reserved this last evening -for her father, and they sat alone under the plane-tree. - -“You are happy, my dear father?” - -“Quite, my child.” - -They had said little, though they had been there a long time. When it -was yet light enough to work and read, she had neither engaged herself -in her usual work, nor had she read to him. She had employed herself in -both ways, at his side under the tree, many and many a time; but, this -time was not quite like any other, and nothing could make it so. - -“And I am very happy to-night, dear father. I am deeply happy in the -love that Heaven has so blessed--my love for Charles, and Charles's love -for me. But, if my life were not to be still consecrated to you, or -if my marriage were so arranged as that it would part us, even by -the length of a few of these streets, I should be more unhappy and -self-reproachful now than I can tell you. Even as it is--” - -Even as it was, she could not command her voice. - -In the sad moonlight, she clasped him by the neck, and laid her face -upon his breast. In the moonlight which is always sad, as the light of -the sun itself is--as the light called human life is--at its coming and -its going. - -“Dearest dear! Can you tell me, this last time, that you feel quite, -quite sure, no new affections of mine, and no new duties of mine, will -ever interpose between us? _I_ know it well, but do you know it? In your -own heart, do you feel quite certain?” - -Her father answered, with a cheerful firmness of conviction he could -scarcely have assumed, “Quite sure, my darling! More than that,” he -added, as he tenderly kissed her: “my future is far brighter, Lucie, -seen through your marriage, than it could have been--nay, than it ever -was--without it.” - -“If I could hope _that_, my father!--” - -“Believe it, love! Indeed it is so. Consider how natural and how plain -it is, my dear, that it should be so. You, devoted and young, cannot -fully appreciate the anxiety I have felt that your life should not be -wasted--” - -She moved her hand towards his lips, but he took it in his, and repeated -the word. - -“--wasted, my child--should not be wasted, struck aside from the -natural order of things--for my sake. Your unselfishness cannot entirely -comprehend how much my mind has gone on this; but, only ask yourself, -how could my happiness be perfect, while yours was incomplete?” - -“If I had never seen Charles, my father, I should have been quite happy -with you.” - -He smiled at her unconscious admission that she would have been unhappy -without Charles, having seen him; and replied: - -“My child, you did see him, and it is Charles. If it had not been -Charles, it would have been another. Or, if it had been no other, I -should have been the cause, and then the dark part of my life would have -cast its shadow beyond myself, and would have fallen on you.” - -It was the first time, except at the trial, of her ever hearing him -refer to the period of his suffering. It gave her a strange and new -sensation while his words were in her ears; and she remembered it long -afterwards. - -“See!” said the Doctor of Beauvais, raising his hand towards the moon. -“I have looked at her from my prison-window, when I could not bear her -light. I have looked at her when it has been such torture to me to think -of her shining upon what I had lost, that I have beaten my head against -my prison-walls. I have looked at her, in a state so dull and lethargic, -that I have thought of nothing but the number of horizontal lines I -could draw across her at the full, and the number of perpendicular lines -with which I could intersect them.” He added in his inward and pondering -manner, as he looked at the moon, “It was twenty either way, I remember, -and the twentieth was difficult to squeeze in.” - -The strange thrill with which she heard him go back to that time, -deepened as he dwelt upon it; but, there was nothing to shock her in -the manner of his reference. He only seemed to contrast his present -cheerfulness and felicity with the dire endurance that was over. - -“I have looked at her, speculating thousands of times upon the unborn -child from whom I had been rent. Whether it was alive. Whether it had -been born alive, or the poor mother's shock had killed it. Whether it -was a son who would some day avenge his father. (There was a time in my -imprisonment, when my desire for vengeance was unbearable.) Whether it -was a son who would never know his father's story; who might even live -to weigh the possibility of his father's having disappeared of his own -will and act. Whether it was a daughter who would grow to be a woman.” - -She drew closer to him, and kissed his cheek and his hand. - -“I have pictured my daughter, to myself, as perfectly forgetful of -me--rather, altogether ignorant of me, and unconscious of me. I have -cast up the years of her age, year after year. I have seen her married -to a man who knew nothing of my fate. I have altogether perished from -the remembrance of the living, and in the next generation my place was a -blank.” - -“My father! Even to hear that you had such thoughts of a daughter who -never existed, strikes to my heart as if I had been that child.” - -“You, Lucie? It is out of the Consolation and restoration you have -brought to me, that these remembrances arise, and pass between us and -the moon on this last night.--What did I say just now?” - -“She knew nothing of you. She cared nothing for you.” - -“So! But on other moonlight nights, when the sadness and the silence -have touched me in a different way--have affected me with something as -like a sorrowful sense of peace, as any emotion that had pain for its -foundations could--I have imagined her as coming to me in my cell, and -leading me out into the freedom beyond the fortress. I have seen her -image in the moonlight often, as I now see you; except that I never held -her in my arms; it stood between the little grated window and the door. -But, you understand that that was not the child I am speaking of?” - -“The figure was not; the--the--image; the fancy?” - -“No. That was another thing. It stood before my disturbed sense of -sight, but it never moved. The phantom that my mind pursued, was another -and more real child. Of her outward appearance I know no more than -that she was like her mother. The other had that likeness too--as you -have--but was not the same. Can you follow me, Lucie? Hardly, I think? -I doubt you must have been a solitary prisoner to understand these -perplexed distinctions.” - -His collected and calm manner could not prevent her blood from running -cold, as he thus tried to anatomise his old condition. - -“In that more peaceful state, I have imagined her, in the moonlight, -coming to me and taking me out to show me that the home of her married -life was full of her loving remembrance of her lost father. My picture -was in her room, and I was in her prayers. Her life was active, -cheerful, useful; but my poor history pervaded it all.” - -“I was that child, my father, I was not half so good, but in my love -that was I.” - -“And she showed me her children,” said the Doctor of Beauvais, “and -they had heard of me, and had been taught to pity me. When they passed -a prison of the State, they kept far from its frowning walls, and looked -up at its bars, and spoke in whispers. She could never deliver me; I -imagined that she always brought me back after showing me such things. -But then, blessed with the relief of tears, I fell upon my knees, and -blessed her.” - -“I am that child, I hope, my father. O my dear, my dear, will you bless -me as fervently to-morrow?” - -“Lucie, I recall these old troubles in the reason that I have to-night -for loving you better than words can tell, and thanking God for my great -happiness. My thoughts, when they were wildest, never rose near the -happiness that I have known with you, and that we have before us.” - -He embraced her, solemnly commended her to Heaven, and humbly thanked -Heaven for having bestowed her on him. By-and-bye, they went into the -house. - -There was no one bidden to the marriage but Mr. Lorry; there was even to -be no bridesmaid but the gaunt Miss Pross. The marriage was to make no -change in their place of residence; they had been able to extend it, -by taking to themselves the upper rooms formerly belonging to the -apocryphal invisible lodger, and they desired nothing more. - -Doctor Manette was very cheerful at the little supper. They were only -three at table, and Miss Pross made the third. He regretted that Charles -was not there; was more than half disposed to object to the loving -little plot that kept him away; and drank to him affectionately. - -So, the time came for him to bid Lucie good night, and they separated. -But, in the stillness of the third hour of the morning, Lucie came -downstairs again, and stole into his room; not free from unshaped fears, -beforehand. - -All things, however, were in their places; all was quiet; and he lay -asleep, his white hair picturesque on the untroubled pillow, and his -hands lying quiet on the coverlet. She put her needless candle in the -shadow at a distance, crept up to his bed, and put her lips to his; -then, leaned over him, and looked at him. - -Into his handsome face, the bitter waters of captivity had worn; but, he -covered up their tracks with a determination so strong, that he held the -mastery of them even in his sleep. A more remarkable face in its quiet, -resolute, and guarded struggle with an unseen assailant, was not to be -beheld in all the wide dominions of sleep, that night. - -She timidly laid her hand on his dear breast, and put up a prayer that -she might ever be as true to him as her love aspired to be, and as his -sorrows deserved. Then, she withdrew her hand, and kissed his lips once -more, and went away. So, the sunrise came, and the shadows of the leaves -of the plane-tree moved upon his face, as softly as her lips had moved -in praying for him. - - - - -XVIII. Nine Days - - -The marriage-day was shining brightly, and they were ready outside the -closed door of the Doctor's room, where he was speaking with Charles -Darnay. They were ready to go to church; the beautiful bride, Mr. -Lorry, and Miss Pross--to whom the event, through a gradual process of -reconcilement to the inevitable, would have been one of absolute bliss, -but for the yet lingering consideration that her brother Solomon should -have been the bridegroom. - -“And so,” said Mr. Lorry, who could not sufficiently admire the bride, -and who had been moving round her to take in every point of her quiet, -pretty dress; “and so it was for this, my sweet Lucie, that I brought -you across the Channel, such a baby! Lord bless me! How little I thought -what I was doing! How lightly I valued the obligation I was conferring -on my friend Mr. Charles!” - -“You didn't mean it,” remarked the matter-of-fact Miss Pross, “and -therefore how could you know it? Nonsense!” - -“Really? Well; but don't cry,” said the gentle Mr. Lorry. - -“I am not crying,” said Miss Pross; “_you_ are.” - -“I, my Pross?” (By this time, Mr. Lorry dared to be pleasant with her, -on occasion.) - -“You were, just now; I saw you do it, and I don't wonder at it. Such -a present of plate as you have made 'em, is enough to bring tears into -anybody's eyes. There's not a fork or a spoon in the collection,” said -Miss Pross, “that I didn't cry over, last night after the box came, till -I couldn't see it.” - -“I am highly gratified,” said Mr. Lorry, “though, upon my honour, I -had no intention of rendering those trifling articles of remembrance -invisible to any one. Dear me! This is an occasion that makes a man -speculate on all he has lost. Dear, dear, dear! To think that there -might have been a Mrs. Lorry, any time these fifty years almost!” - -“Not at all!” From Miss Pross. - -“You think there never might have been a Mrs. Lorry?” asked the -gentleman of that name. - -“Pooh!” rejoined Miss Pross; “you were a bachelor in your cradle.” - -“Well!” observed Mr. Lorry, beamingly adjusting his little wig, “that -seems probable, too.” - -“And you were cut out for a bachelor,” pursued Miss Pross, “before you -were put in your cradle.” - -“Then, I think,” said Mr. Lorry, “that I was very unhandsomely dealt -with, and that I ought to have had a voice in the selection of my -pattern. Enough! Now, my dear Lucie,” drawing his arm soothingly round -her waist, “I hear them moving in the next room, and Miss Pross and -I, as two formal folks of business, are anxious not to lose the final -opportunity of saying something to you that you wish to hear. You leave -your good father, my dear, in hands as earnest and as loving as your -own; he shall be taken every conceivable care of; during the next -fortnight, while you are in Warwickshire and thereabouts, even Tellson's -shall go to the wall (comparatively speaking) before him. And when, at -the fortnight's end, he comes to join you and your beloved husband, on -your other fortnight's trip in Wales, you shall say that we have sent -him to you in the best health and in the happiest frame. Now, I hear -Somebody's step coming to the door. Let me kiss my dear girl with an -old-fashioned bachelor blessing, before Somebody comes to claim his -own.” - -For a moment, he held the fair face from him to look at the -well-remembered expression on the forehead, and then laid the bright -golden hair against his little brown wig, with a genuine tenderness and -delicacy which, if such things be old-fashioned, were as old as Adam. - -The door of the Doctor's room opened, and he came out with Charles -Darnay. He was so deadly pale--which had not been the case when they -went in together--that no vestige of colour was to be seen in his face. -But, in the composure of his manner he was unaltered, except that to the -shrewd glance of Mr. Lorry it disclosed some shadowy indication that the -old air of avoidance and dread had lately passed over him, like a cold -wind. - -He gave his arm to his daughter, and took her down-stairs to the chariot -which Mr. Lorry had hired in honour of the day. The rest followed in -another carriage, and soon, in a neighbouring church, where no strange -eyes looked on, Charles Darnay and Lucie Manette were happily married. - -Besides the glancing tears that shone among the smiles of the little -group when it was done, some diamonds, very bright and sparkling, -glanced on the bride's hand, which were newly released from the -dark obscurity of one of Mr. Lorry's pockets. They returned home to -breakfast, and all went well, and in due course the golden hair that had -mingled with the poor shoemaker's white locks in the Paris garret, were -mingled with them again in the morning sunlight, on the threshold of the -door at parting. - -It was a hard parting, though it was not for long. But her father -cheered her, and said at last, gently disengaging himself from her -enfolding arms, “Take her, Charles! She is yours!” - -And her agitated hand waved to them from a chaise window, and she was -gone. - -The corner being out of the way of the idle and curious, and the -preparations having been very simple and few, the Doctor, Mr. Lorry, -and Miss Pross, were left quite alone. It was when they turned into -the welcome shade of the cool old hall, that Mr. Lorry observed a great -change to have come over the Doctor; as if the golden arm uplifted -there, had struck him a poisoned blow. - -He had naturally repressed much, and some revulsion might have been -expected in him when the occasion for repression was gone. But, it was -the old scared lost look that troubled Mr. Lorry; and through his absent -manner of clasping his head and drearily wandering away into his own -room when they got up-stairs, Mr. Lorry was reminded of Defarge the -wine-shop keeper, and the starlight ride. - -“I think,” he whispered to Miss Pross, after anxious consideration, “I -think we had best not speak to him just now, or at all disturb him. -I must look in at Tellson's; so I will go there at once and come back -presently. Then, we will take him a ride into the country, and dine -there, and all will be well.” - -It was easier for Mr. Lorry to look in at Tellson's, than to look out of -Tellson's. He was detained two hours. When he came back, he ascended the -old staircase alone, having asked no question of the servant; going thus -into the Doctor's rooms, he was stopped by a low sound of knocking. - -“Good God!” he said, with a start. “What's that?” - -Miss Pross, with a terrified face, was at his ear. “O me, O me! All is -lost!” cried she, wringing her hands. “What is to be told to Ladybird? -He doesn't know me, and is making shoes!” - -Mr. Lorry said what he could to calm her, and went himself into the -Doctor's room. The bench was turned towards the light, as it had been -when he had seen the shoemaker at his work before, and his head was bent -down, and he was very busy. - -“Doctor Manette. My dear friend, Doctor Manette!” - -The Doctor looked at him for a moment--half inquiringly, half as if he -were angry at being spoken to--and bent over his work again. - -He had laid aside his coat and waistcoat; his shirt was open at the -throat, as it used to be when he did that work; and even the old -haggard, faded surface of face had come back to him. He worked -hard--impatiently--as if in some sense of having been interrupted. - -Mr. Lorry glanced at the work in his hand, and observed that it was a -shoe of the old size and shape. He took up another that was lying by -him, and asked what it was. - -“A young lady's walking shoe,” he muttered, without looking up. “It -ought to have been finished long ago. Let it be.” - -“But, Doctor Manette. Look at me!” - -He obeyed, in the old mechanically submissive manner, without pausing in -his work. - -“You know me, my dear friend? Think again. This is not your proper -occupation. Think, dear friend!” - -Nothing would induce him to speak more. He looked up, for an instant at -a time, when he was requested to do so; but, no persuasion would extract -a word from him. He worked, and worked, and worked, in silence, and -words fell on him as they would have fallen on an echoless wall, or on -the air. The only ray of hope that Mr. Lorry could discover, was, that -he sometimes furtively looked up without being asked. In that, there -seemed a faint expression of curiosity or perplexity--as though he were -trying to reconcile some doubts in his mind. - -Two things at once impressed themselves on Mr. Lorry, as important above -all others; the first, that this must be kept secret from Lucie; -the second, that it must be kept secret from all who knew him. In -conjunction with Miss Pross, he took immediate steps towards the latter -precaution, by giving out that the Doctor was not well, and required a -few days of complete rest. In aid of the kind deception to be practised -on his daughter, Miss Pross was to write, describing his having been -called away professionally, and referring to an imaginary letter of -two or three hurried lines in his own hand, represented to have been -addressed to her by the same post. - -These measures, advisable to be taken in any case, Mr. Lorry took in -the hope of his coming to himself. If that should happen soon, he kept -another course in reserve; which was, to have a certain opinion that he -thought the best, on the Doctor's case. - -In the hope of his recovery, and of resort to this third course -being thereby rendered practicable, Mr. Lorry resolved to watch him -attentively, with as little appearance as possible of doing so. He -therefore made arrangements to absent himself from Tellson's for the -first time in his life, and took his post by the window in the same -room. - -He was not long in discovering that it was worse than useless to speak -to him, since, on being pressed, he became worried. He abandoned that -attempt on the first day, and resolved merely to keep himself always -before him, as a silent protest against the delusion into which he had -fallen, or was falling. He remained, therefore, in his seat near the -window, reading and writing, and expressing in as many pleasant and -natural ways as he could think of, that it was a free place. - -Doctor Manette took what was given him to eat and drink, and worked on, -that first day, until it was too dark to see--worked on, half an hour -after Mr. Lorry could not have seen, for his life, to read or write. -When he put his tools aside as useless, until morning, Mr. Lorry rose -and said to him: - -“Will you go out?” - -He looked down at the floor on either side of him in the old manner, -looked up in the old manner, and repeated in the old low voice: - -“Out?” - -“Yes; for a walk with me. Why not?” - -He made no effort to say why not, and said not a word more. But, Mr. -Lorry thought he saw, as he leaned forward on his bench in the dusk, -with his elbows on his knees and his head in his hands, that he was in -some misty way asking himself, “Why not?” The sagacity of the man of -business perceived an advantage here, and determined to hold it. - -Miss Pross and he divided the night into two watches, and observed him -at intervals from the adjoining room. He paced up and down for a long -time before he lay down; but, when he did finally lay himself down, he -fell asleep. In the morning, he was up betimes, and went straight to his -bench and to work. - -On this second day, Mr. Lorry saluted him cheerfully by his name, -and spoke to him on topics that had been of late familiar to them. He -returned no reply, but it was evident that he heard what was said, and -that he thought about it, however confusedly. This encouraged Mr. Lorry -to have Miss Pross in with her work, several times during the day; -at those times, they quietly spoke of Lucie, and of her father then -present, precisely in the usual manner, and as if there were nothing -amiss. This was done without any demonstrative accompaniment, not long -enough, or often enough to harass him; and it lightened Mr. Lorry's -friendly heart to believe that he looked up oftener, and that he -appeared to be stirred by some perception of inconsistencies surrounding -him. - -When it fell dark again, Mr. Lorry asked him as before: - -“Dear Doctor, will you go out?” - -As before, he repeated, “Out?” - -“Yes; for a walk with me. Why not?” - -This time, Mr. Lorry feigned to go out when he could extract no answer -from him, and, after remaining absent for an hour, returned. In the -meanwhile, the Doctor had removed to the seat in the window, and had -sat there looking down at the plane-tree; but, on Mr. Lorry's return, he -slipped away to his bench. - -The time went very slowly on, and Mr. Lorry's hope darkened, and his -heart grew heavier again, and grew yet heavier and heavier every day. -The third day came and went, the fourth, the fifth. Five days, six days, -seven days, eight days, nine days. - -With a hope ever darkening, and with a heart always growing heavier and -heavier, Mr. Lorry passed through this anxious time. The secret was -well kept, and Lucie was unconscious and happy; but he could not fail to -observe that the shoemaker, whose hand had been a little out at first, -was growing dreadfully skilful, and that he had never been so intent on -his work, and that his hands had never been so nimble and expert, as in -the dusk of the ninth evening. - - - - -XIX. An Opinion - - -Worn out by anxious watching, Mr. Lorry fell asleep at his post. On the -tenth morning of his suspense, he was startled by the shining of the sun -into the room where a heavy slumber had overtaken him when it was dark -night. - -He rubbed his eyes and roused himself; but he doubted, when he had -done so, whether he was not still asleep. For, going to the door of the -Doctor's room and looking in, he perceived that the shoemaker's bench -and tools were put aside again, and that the Doctor himself sat reading -at the window. He was in his usual morning dress, and his face (which -Mr. Lorry could distinctly see), though still very pale, was calmly -studious and attentive. - -Even when he had satisfied himself that he was awake, Mr. Lorry felt -giddily uncertain for some few moments whether the late shoemaking might -not be a disturbed dream of his own; for, did not his eyes show him his -friend before him in his accustomed clothing and aspect, and employed -as usual; and was there any sign within their range, that the change of -which he had so strong an impression had actually happened? - -It was but the inquiry of his first confusion and astonishment, the -answer being obvious. If the impression were not produced by a real -corresponding and sufficient cause, how came he, Jarvis Lorry, there? -How came he to have fallen asleep, in his clothes, on the sofa in Doctor -Manette's consulting-room, and to be debating these points outside the -Doctor's bedroom door in the early morning? - -Within a few minutes, Miss Pross stood whispering at his side. If he -had had any particle of doubt left, her talk would of necessity have -resolved it; but he was by that time clear-headed, and had none. -He advised that they should let the time go by until the regular -breakfast-hour, and should then meet the Doctor as if nothing unusual -had occurred. If he appeared to be in his customary state of mind, Mr. -Lorry would then cautiously proceed to seek direction and guidance from -the opinion he had been, in his anxiety, so anxious to obtain. - -Miss Pross, submitting herself to his judgment, the scheme was worked -out with care. Having abundance of time for his usual methodical -toilette, Mr. Lorry presented himself at the breakfast-hour in his usual -white linen, and with his usual neat leg. The Doctor was summoned in the -usual way, and came to breakfast. - -So far as it was possible to comprehend him without overstepping those -delicate and gradual approaches which Mr. Lorry felt to be the only safe -advance, he at first supposed that his daughter's marriage had taken -place yesterday. An incidental allusion, purposely thrown out, to -the day of the week, and the day of the month, set him thinking and -counting, and evidently made him uneasy. In all other respects, however, -he was so composedly himself, that Mr. Lorry determined to have the aid -he sought. And that aid was his own. - -Therefore, when the breakfast was done and cleared away, and he and the -Doctor were left together, Mr. Lorry said, feelingly: - -“My dear Manette, I am anxious to have your opinion, in confidence, on a -very curious case in which I am deeply interested; that is to say, it is -very curious to me; perhaps, to your better information it may be less -so.” - -Glancing at his hands, which were discoloured by his late work, the -Doctor looked troubled, and listened attentively. He had already glanced -at his hands more than once. - -“Doctor Manette,” said Mr. Lorry, touching him affectionately on the -arm, “the case is the case of a particularly dear friend of mine. Pray -give your mind to it, and advise me well for his sake--and above all, -for his daughter's--his daughter's, my dear Manette.” - -“If I understand,” said the Doctor, in a subdued tone, “some mental -shock--?” - -“Yes!” - -“Be explicit,” said the Doctor. “Spare no detail.” - -Mr. Lorry saw that they understood one another, and proceeded. - -“My dear Manette, it is the case of an old and a prolonged shock, -of great acuteness and severity to the affections, the feelings, -the--the--as you express it--the mind. The mind. It is the case of a -shock under which the sufferer was borne down, one cannot say for how -long, because I believe he cannot calculate the time himself, and there -are no other means of getting at it. It is the case of a shock from -which the sufferer recovered, by a process that he cannot trace -himself--as I once heard him publicly relate in a striking manner. It is -the case of a shock from which he has recovered, so completely, as to -be a highly intelligent man, capable of close application of mind, and -great exertion of body, and of constantly making fresh additions to his -stock of knowledge, which was already very large. But, unfortunately, -there has been,” he paused and took a deep breath--“a slight relapse.” - -The Doctor, in a low voice, asked, “Of how long duration?” - -“Nine days and nights.” - -“How did it show itself? I infer,” glancing at his hands again, “in the -resumption of some old pursuit connected with the shock?” - -“That is the fact.” - -“Now, did you ever see him,” asked the Doctor, distinctly and -collectedly, though in the same low voice, “engaged in that pursuit -originally?” - -“Once.” - -“And when the relapse fell on him, was he in most respects--or in all -respects--as he was then?” - -“I think in all respects.” - -“You spoke of his daughter. Does his daughter know of the relapse?” - -“No. It has been kept from her, and I hope will always be kept from her. -It is known only to myself, and to one other who may be trusted.” - -The Doctor grasped his hand, and murmured, “That was very kind. That was -very thoughtful!” Mr. Lorry grasped his hand in return, and neither of -the two spoke for a little while. - -“Now, my dear Manette,” said Mr. Lorry, at length, in his most -considerate and most affectionate way, “I am a mere man of business, -and unfit to cope with such intricate and difficult matters. I do not -possess the kind of information necessary; I do not possess the kind of -intelligence; I want guiding. There is no man in this world on whom -I could so rely for right guidance, as on you. Tell me, how does this -relapse come about? Is there danger of another? Could a repetition of it -be prevented? How should a repetition of it be treated? How does it come -about at all? What can I do for my friend? No man ever can have been -more desirous in his heart to serve a friend, than I am to serve mine, -if I knew how. - -“But I don't know how to originate, in such a case. If your sagacity, -knowledge, and experience, could put me on the right track, I might be -able to do so much; unenlightened and undirected, I can do so little. -Pray discuss it with me; pray enable me to see it a little more clearly, -and teach me how to be a little more useful.” - -Doctor Manette sat meditating after these earnest words were spoken, and -Mr. Lorry did not press him. - -“I think it probable,” said the Doctor, breaking silence with an effort, -“that the relapse you have described, my dear friend, was not quite -unforeseen by its subject.” - -“Was it dreaded by him?” Mr. Lorry ventured to ask. - -“Very much.” He said it with an involuntary shudder. - -“You have no idea how such an apprehension weighs on the sufferer's -mind, and how difficult--how almost impossible--it is, for him to force -himself to utter a word upon the topic that oppresses him.” - -“Would he,” asked Mr. Lorry, “be sensibly relieved if he could prevail -upon himself to impart that secret brooding to any one, when it is on -him?” - -“I think so. But it is, as I have told you, next to impossible. I even -believe it--in some cases--to be quite impossible.” - -“Now,” said Mr. Lorry, gently laying his hand on the Doctor's arm again, -after a short silence on both sides, “to what would you refer this -attack?” - -“I believe,” returned Doctor Manette, “that there had been a strong and -extraordinary revival of the train of thought and remembrance that -was the first cause of the malady. Some intense associations of a most -distressing nature were vividly recalled, I think. It is probable that -there had long been a dread lurking in his mind, that those associations -would be recalled--say, under certain circumstances--say, on a -particular occasion. He tried to prepare himself in vain; perhaps the -effort to prepare himself made him less able to bear it.” - -“Would he remember what took place in the relapse?” asked Mr. Lorry, -with natural hesitation. - -The Doctor looked desolately round the room, shook his head, and -answered, in a low voice, “Not at all.” - -“Now, as to the future,” hinted Mr. Lorry. - -“As to the future,” said the Doctor, recovering firmness, “I should have -great hope. As it pleased Heaven in its mercy to restore him so soon, I -should have great hope. He, yielding under the pressure of a complicated -something, long dreaded and long vaguely foreseen and contended against, -and recovering after the cloud had burst and passed, I should hope that -the worst was over.” - -“Well, well! That's good comfort. I am thankful!” said Mr. Lorry. - -“I am thankful!” repeated the Doctor, bending his head with reverence. - -“There are two other points,” said Mr. Lorry, “on which I am anxious to -be instructed. I may go on?” - -“You cannot do your friend a better service.” The Doctor gave him his -hand. - -“To the first, then. He is of a studious habit, and unusually energetic; -he applies himself with great ardour to the acquisition of professional -knowledge, to the conducting of experiments, to many things. Now, does -he do too much?” - -“I think not. It may be the character of his mind, to be always in -singular need of occupation. That may be, in part, natural to it; in -part, the result of affliction. The less it was occupied with healthy -things, the more it would be in danger of turning in the unhealthy -direction. He may have observed himself, and made the discovery.” - -“You are sure that he is not under too great a strain?” - -“I think I am quite sure of it.” - -“My dear Manette, if he were overworked now--” - -“My dear Lorry, I doubt if that could easily be. There has been a -violent stress in one direction, and it needs a counterweight.” - -“Excuse me, as a persistent man of business. Assuming for a moment, -that he _was_ overworked; it would show itself in some renewal of this -disorder?” - -“I do not think so. I do not think,” said Doctor Manette with the -firmness of self-conviction, “that anything but the one train of -association would renew it. I think that, henceforth, nothing but some -extraordinary jarring of that chord could renew it. After what has -happened, and after his recovery, I find it difficult to imagine any -such violent sounding of that string again. I trust, and I almost -believe, that the circumstances likely to renew it are exhausted.” - -He spoke with the diffidence of a man who knew how slight a thing -would overset the delicate organisation of the mind, and yet with the -confidence of a man who had slowly won his assurance out of personal -endurance and distress. It was not for his friend to abate that -confidence. He professed himself more relieved and encouraged than he -really was, and approached his second and last point. He felt it to -be the most difficult of all; but, remembering his old Sunday morning -conversation with Miss Pross, and remembering what he had seen in the -last nine days, he knew that he must face it. - -“The occupation resumed under the influence of this passing affliction -so happily recovered from,” said Mr. Lorry, clearing his throat, “we -will call--Blacksmith's work, Blacksmith's work. We will say, to put a -case and for the sake of illustration, that he had been used, in his bad -time, to work at a little forge. We will say that he was unexpectedly -found at his forge again. Is it not a pity that he should keep it by -him?” - -The Doctor shaded his forehead with his hand, and beat his foot -nervously on the ground. - -“He has always kept it by him,” said Mr. Lorry, with an anxious look at -his friend. “Now, would it not be better that he should let it go?” - -Still, the Doctor, with shaded forehead, beat his foot nervously on the -ground. - -“You do not find it easy to advise me?” said Mr. Lorry. “I quite -understand it to be a nice question. And yet I think--” And there he -shook his head, and stopped. - -“You see,” said Doctor Manette, turning to him after an uneasy pause, -“it is very hard to explain, consistently, the innermost workings -of this poor man's mind. He once yearned so frightfully for that -occupation, and it was so welcome when it came; no doubt it relieved -his pain so much, by substituting the perplexity of the fingers for -the perplexity of the brain, and by substituting, as he became more -practised, the ingenuity of the hands, for the ingenuity of the mental -torture; that he has never been able to bear the thought of putting it -quite out of his reach. Even now, when I believe he is more hopeful of -himself than he has ever been, and even speaks of himself with a kind -of confidence, the idea that he might need that old employment, and not -find it, gives him a sudden sense of terror, like that which one may -fancy strikes to the heart of a lost child.” - -He looked like his illustration, as he raised his eyes to Mr. Lorry's -face. - -“But may not--mind! I ask for information, as a plodding man of business -who only deals with such material objects as guineas, shillings, and -bank-notes--may not the retention of the thing involve the retention of -the idea? If the thing were gone, my dear Manette, might not the fear go -with it? In short, is it not a concession to the misgiving, to keep the -forge?” - -There was another silence. - -“You see, too,” said the Doctor, tremulously, “it is such an old -companion.” - -“I would not keep it,” said Mr. Lorry, shaking his head; for he gained -in firmness as he saw the Doctor disquieted. “I would recommend him to -sacrifice it. I only want your authority. I am sure it does no good. -Come! Give me your authority, like a dear good man. For his daughter's -sake, my dear Manette!” - -Very strange to see what a struggle there was within him! - -“In her name, then, let it be done; I sanction it. But, I would not take -it away while he was present. Let it be removed when he is not there; -let him miss his old companion after an absence.” - -Mr. Lorry readily engaged for that, and the conference was ended. They -passed the day in the country, and the Doctor was quite restored. On the -three following days he remained perfectly well, and on the fourteenth -day he went away to join Lucie and her husband. The precaution that -had been taken to account for his silence, Mr. Lorry had previously -explained to him, and he had written to Lucie in accordance with it, and -she had no suspicions. - -On the night of the day on which he left the house, Mr. Lorry went into -his room with a chopper, saw, chisel, and hammer, attended by Miss Pross -carrying a light. There, with closed doors, and in a mysterious and -guilty manner, Mr. Lorry hacked the shoemaker's bench to pieces, while -Miss Pross held the candle as if she were assisting at a murder--for -which, indeed, in her grimness, she was no unsuitable figure. The -burning of the body (previously reduced to pieces convenient for the -purpose) was commenced without delay in the kitchen fire; and the tools, -shoes, and leather, were buried in the garden. So wicked do destruction -and secrecy appear to honest minds, that Mr. Lorry and Miss Pross, -while engaged in the commission of their deed and in the removal of its -traces, almost felt, and almost looked, like accomplices in a horrible -crime. - - - - -XX. A Plea - - -When the newly-married pair came home, the first person who appeared, to -offer his congratulations, was Sydney Carton. They had not been at home -many hours, when he presented himself. He was not improved in habits, or -in looks, or in manner; but there was a certain rugged air of fidelity -about him, which was new to the observation of Charles Darnay. - -He watched his opportunity of taking Darnay aside into a window, and of -speaking to him when no one overheard. - -“Mr. Darnay,” said Carton, “I wish we might be friends.” - -“We are already friends, I hope.” - -“You are good enough to say so, as a fashion of speech; but, I don't -mean any fashion of speech. Indeed, when I say I wish we might be -friends, I scarcely mean quite that, either.” - -Charles Darnay--as was natural--asked him, in all good-humour and -good-fellowship, what he did mean? - -“Upon my life,” said Carton, smiling, “I find that easier to comprehend -in my own mind, than to convey to yours. However, let me try. You -remember a certain famous occasion when I was more drunk than--than -usual?” - -“I remember a certain famous occasion when you forced me to confess that -you had been drinking.” - -“I remember it too. The curse of those occasions is heavy upon me, for I -always remember them. I hope it may be taken into account one day, -when all days are at an end for me! Don't be alarmed; I am not going to -preach.” - -“I am not at all alarmed. Earnestness in you, is anything but alarming -to me.” - -“Ah!” said Carton, with a careless wave of his hand, as if he waved that -away. “On the drunken occasion in question (one of a large number, as -you know), I was insufferable about liking you, and not liking you. I -wish you would forget it.” - -“I forgot it long ago.” - -“Fashion of speech again! But, Mr. Darnay, oblivion is not so easy to -me, as you represent it to be to you. I have by no means forgotten it, -and a light answer does not help me to forget it.” - -“If it was a light answer,” returned Darnay, “I beg your forgiveness -for it. I had no other object than to turn a slight thing, which, to my -surprise, seems to trouble you too much, aside. I declare to you, on the -faith of a gentleman, that I have long dismissed it from my mind. Good -Heaven, what was there to dismiss! Have I had nothing more important to -remember, in the great service you rendered me that day?” - -“As to the great service,” said Carton, “I am bound to avow to you, when -you speak of it in that way, that it was mere professional claptrap, I -don't know that I cared what became of you, when I rendered it.--Mind! I -say when I rendered it; I am speaking of the past.” - -“You make light of the obligation,” returned Darnay, “but I will not -quarrel with _your_ light answer.” - -“Genuine truth, Mr. Darnay, trust me! I have gone aside from my purpose; -I was speaking about our being friends. Now, you know me; you know I am -incapable of all the higher and better flights of men. If you doubt it, -ask Stryver, and he'll tell you so.” - -“I prefer to form my own opinion, without the aid of his.” - -“Well! At any rate you know me as a dissolute dog, who has never done -any good, and never will.” - -“I don't know that you 'never will.'” - -“But I do, and you must take my word for it. Well! If you could endure -to have such a worthless fellow, and a fellow of such indifferent -reputation, coming and going at odd times, I should ask that I might be -permitted to come and go as a privileged person here; that I might -be regarded as an useless (and I would add, if it were not for the -resemblance I detected between you and me, an unornamental) piece of -furniture, tolerated for its old service, and taken no notice of. I -doubt if I should abuse the permission. It is a hundred to one if I -should avail myself of it four times in a year. It would satisfy me, I -dare say, to know that I had it.” - -“Will you try?” - -“That is another way of saying that I am placed on the footing I have -indicated. I thank you, Darnay. I may use that freedom with your name?” - -“I think so, Carton, by this time.” - -They shook hands upon it, and Sydney turned away. Within a minute -afterwards, he was, to all outward appearance, as unsubstantial as ever. - -When he was gone, and in the course of an evening passed with Miss -Pross, the Doctor, and Mr. Lorry, Charles Darnay made some mention of -this conversation in general terms, and spoke of Sydney Carton as a -problem of carelessness and recklessness. He spoke of him, in short, not -bitterly or meaning to bear hard upon him, but as anybody might who saw -him as he showed himself. - -He had no idea that this could dwell in the thoughts of his fair young -wife; but, when he afterwards joined her in their own rooms, he found -her waiting for him with the old pretty lifting of the forehead strongly -marked. - -“We are thoughtful to-night!” said Darnay, drawing his arm about her. - -“Yes, dearest Charles,” with her hands on his breast, and the inquiring -and attentive expression fixed upon him; “we are rather thoughtful -to-night, for we have something on our mind to-night.” - -“What is it, my Lucie?” - -“Will you promise not to press one question on me, if I beg you not to -ask it?” - -“Will I promise? What will I not promise to my Love?” - -What, indeed, with his hand putting aside the golden hair from the -cheek, and his other hand against the heart that beat for him! - -“I think, Charles, poor Mr. Carton deserves more consideration and -respect than you expressed for him to-night.” - -“Indeed, my own? Why so?” - -“That is what you are not to ask me. But I think--I know--he does.” - -“If you know it, it is enough. What would you have me do, my Life?” - -“I would ask you, dearest, to be very generous with him always, and very -lenient on his faults when he is not by. I would ask you to believe that -he has a heart he very, very seldom reveals, and that there are deep -wounds in it. My dear, I have seen it bleeding.” - -“It is a painful reflection to me,” said Charles Darnay, quite -astounded, “that I should have done him any wrong. I never thought this -of him.” - -“My husband, it is so. I fear he is not to be reclaimed; there is -scarcely a hope that anything in his character or fortunes is reparable -now. But, I am sure that he is capable of good things, gentle things, -even magnanimous things.” - -She looked so beautiful in the purity of her faith in this lost man, -that her husband could have looked at her as she was for hours. - -“And, O my dearest Love!” she urged, clinging nearer to him, laying her -head upon his breast, and raising her eyes to his, “remember how strong -we are in our happiness, and how weak he is in his misery!” - -The supplication touched him home. “I will always remember it, dear -Heart! I will remember it as long as I live.” - -He bent over the golden head, and put the rosy lips to his, and folded -her in his arms. If one forlorn wanderer then pacing the dark streets, -could have heard her innocent disclosure, and could have seen the drops -of pity kissed away by her husband from the soft blue eyes so loving of -that husband, he might have cried to the night--and the words would not -have parted from his lips for the first time-- - -“God bless her for her sweet compassion!” - - - - -XXI. Echoing Footsteps - - -A wonderful corner for echoes, it has been remarked, that corner where -the Doctor lived. Ever busily winding the golden thread which bound -her husband, and her father, and herself, and her old directress and -companion, in a life of quiet bliss, Lucie sat in the still house in -the tranquilly resounding corner, listening to the echoing footsteps of -years. - -At first, there were times, though she was a perfectly happy young wife, -when her work would slowly fall from her hands, and her eyes would be -dimmed. For, there was something coming in the echoes, something light, -afar off, and scarcely audible yet, that stirred her heart too much. -Fluttering hopes and doubts--hopes, of a love as yet unknown to her: -doubts, of her remaining upon earth, to enjoy that new delight--divided -her breast. Among the echoes then, there would arise the sound of -footsteps at her own early grave; and thoughts of the husband who would -be left so desolate, and who would mourn for her so much, swelled to her -eyes, and broke like waves. - -That time passed, and her little Lucie lay on her bosom. Then, among the -advancing echoes, there was the tread of her tiny feet and the sound of -her prattling words. Let greater echoes resound as they would, the young -mother at the cradle side could always hear those coming. They came, and -the shady house was sunny with a child's laugh, and the Divine friend of -children, to whom in her trouble she had confided hers, seemed to take -her child in his arms, as He took the child of old, and made it a sacred -joy to her. - -Ever busily winding the golden thread that bound them all together, -weaving the service of her happy influence through the tissue of all -their lives, and making it predominate nowhere, Lucie heard in the -echoes of years none but friendly and soothing sounds. Her husband's -step was strong and prosperous among them; her father's firm and equal. -Lo, Miss Pross, in harness of string, awakening the echoes, as an -unruly charger, whip-corrected, snorting and pawing the earth under the -plane-tree in the garden! - -Even when there were sounds of sorrow among the rest, they were not -harsh nor cruel. Even when golden hair, like her own, lay in a halo on a -pillow round the worn face of a little boy, and he said, with a radiant -smile, “Dear papa and mamma, I am very sorry to leave you both, and to -leave my pretty sister; but I am called, and I must go!” those were not -tears all of agony that wetted his young mother's cheek, as the spirit -departed from her embrace that had been entrusted to it. Suffer them and -forbid them not. They see my Father's face. O Father, blessed words! - -Thus, the rustling of an Angel's wings got blended with the other -echoes, and they were not wholly of earth, but had in them that breath -of Heaven. Sighs of the winds that blew over a little garden-tomb were -mingled with them also, and both were audible to Lucie, in a hushed -murmur--like the breathing of a summer sea asleep upon a sandy shore--as -the little Lucie, comically studious at the task of the morning, or -dressing a doll at her mother's footstool, chattered in the tongues of -the Two Cities that were blended in her life. - -The Echoes rarely answered to the actual tread of Sydney Carton. Some -half-dozen times a year, at most, he claimed his privilege of coming in -uninvited, and would sit among them through the evening, as he had once -done often. He never came there heated with wine. And one other thing -regarding him was whispered in the echoes, which has been whispered by -all true echoes for ages and ages. - -No man ever really loved a woman, lost her, and knew her with a -blameless though an unchanged mind, when she was a wife and a mother, -but her children had a strange sympathy with him--an instinctive -delicacy of pity for him. What fine hidden sensibilities are touched in -such a case, no echoes tell; but it is so, and it was so here. Carton -was the first stranger to whom little Lucie held out her chubby arms, -and he kept his place with her as she grew. The little boy had spoken of -him, almost at the last. “Poor Carton! Kiss him for me!” - -Mr. Stryver shouldered his way through the law, like some great engine -forcing itself through turbid water, and dragged his useful friend in -his wake, like a boat towed astern. As the boat so favoured is usually -in a rough plight, and mostly under water, so, Sydney had a swamped -life of it. But, easy and strong custom, unhappily so much easier and -stronger in him than any stimulating sense of desert or disgrace, made -it the life he was to lead; and he no more thought of emerging from his -state of lion's jackal, than any real jackal may be supposed to think of -rising to be a lion. Stryver was rich; had married a florid widow with -property and three boys, who had nothing particularly shining about them -but the straight hair of their dumpling heads. - -These three young gentlemen, Mr. Stryver, exuding patronage of the most -offensive quality from every pore, had walked before him like three -sheep to the quiet corner in Soho, and had offered as pupils to -Lucie's husband: delicately saying “Halloa! here are three lumps of -bread-and-cheese towards your matrimonial picnic, Darnay!” The polite -rejection of the three lumps of bread-and-cheese had quite bloated Mr. -Stryver with indignation, which he afterwards turned to account in the -training of the young gentlemen, by directing them to beware of the -pride of Beggars, like that tutor-fellow. He was also in the habit of -declaiming to Mrs. Stryver, over his full-bodied wine, on the arts -Mrs. Darnay had once put in practice to “catch” him, and on the -diamond-cut-diamond arts in himself, madam, which had rendered him “not -to be caught.” Some of his King's Bench familiars, who were occasionally -parties to the full-bodied wine and the lie, excused him for the -latter by saying that he had told it so often, that he believed -it himself--which is surely such an incorrigible aggravation of an -originally bad offence, as to justify any such offender's being carried -off to some suitably retired spot, and there hanged out of the way. - -These were among the echoes to which Lucie, sometimes pensive, sometimes -amused and laughing, listened in the echoing corner, until her little -daughter was six years old. How near to her heart the echoes of her -child's tread came, and those of her own dear father's, always active -and self-possessed, and those of her dear husband's, need not be told. -Nor, how the lightest echo of their united home, directed by herself -with such a wise and elegant thrift that it was more abundant than any -waste, was music to her. Nor, how there were echoes all about her, sweet -in her ears, of the many times her father had told her that he found her -more devoted to him married (if that could be) than single, and of the -many times her husband had said to her that no cares and duties seemed -to divide her love for him or her help to him, and asked her “What is -the magic secret, my darling, of your being everything to all of us, -as if there were only one of us, yet never seeming to be hurried, or to -have too much to do?” - -But, there were other echoes, from a distance, that rumbled menacingly -in the corner all through this space of time. And it was now, about -little Lucie's sixth birthday, that they began to have an awful sound, -as of a great storm in France with a dreadful sea rising. - -On a night in mid-July, one thousand seven hundred and eighty-nine, Mr. -Lorry came in late, from Tellson's, and sat himself down by Lucie and -her husband in the dark window. It was a hot, wild night, and they were -all three reminded of the old Sunday night when they had looked at the -lightning from the same place. - -“I began to think,” said Mr. Lorry, pushing his brown wig back, “that -I should have to pass the night at Tellson's. We have been so full of -business all day, that we have not known what to do first, or which way -to turn. There is such an uneasiness in Paris, that we have actually a -run of confidence upon us! Our customers over there, seem not to be able -to confide their property to us fast enough. There is positively a mania -among some of them for sending it to England.” - -“That has a bad look,” said Darnay-- - -“A bad look, you say, my dear Darnay? Yes, but we don't know what reason -there is in it. People are so unreasonable! Some of us at Tellson's are -getting old, and we really can't be troubled out of the ordinary course -without due occasion.” - -“Still,” said Darnay, “you know how gloomy and threatening the sky is.” - -“I know that, to be sure,” assented Mr. Lorry, trying to persuade -himself that his sweet temper was soured, and that he grumbled, “but I -am determined to be peevish after my long day's botheration. Where is -Manette?” - -“Here he is,” said the Doctor, entering the dark room at the moment. - -“I am quite glad you are at home; for these hurries and forebodings by -which I have been surrounded all day long, have made me nervous without -reason. You are not going out, I hope?” - -“No; I am going to play backgammon with you, if you like,” said the -Doctor. - -“I don't think I do like, if I may speak my mind. I am not fit to be -pitted against you to-night. Is the teaboard still there, Lucie? I can't -see.” - -“Of course, it has been kept for you.” - -“Thank ye, my dear. The precious child is safe in bed?” - -“And sleeping soundly.” - -“That's right; all safe and well! I don't know why anything should be -otherwise than safe and well here, thank God; but I have been so put out -all day, and I am not as young as I was! My tea, my dear! Thank ye. Now, -come and take your place in the circle, and let us sit quiet, and hear -the echoes about which you have your theory.” - -“Not a theory; it was a fancy.” - -“A fancy, then, my wise pet,” said Mr. Lorry, patting her hand. “They -are very numerous and very loud, though, are they not? Only hear them!” - -Headlong, mad, and dangerous footsteps to force their way into anybody's -life, footsteps not easily made clean again if once stained red, the -footsteps raging in Saint Antoine afar off, as the little circle sat in -the dark London window. - -Saint Antoine had been, that morning, a vast dusky mass of scarecrows -heaving to and fro, with frequent gleams of light above the billowy -heads, where steel blades and bayonets shone in the sun. A tremendous -roar arose from the throat of Saint Antoine, and a forest of naked arms -struggled in the air like shrivelled branches of trees in a winter wind: -all the fingers convulsively clutching at every weapon or semblance of a -weapon that was thrown up from the depths below, no matter how far off. - -Who gave them out, whence they last came, where they began, through what -agency they crookedly quivered and jerked, scores at a time, over the -heads of the crowd, like a kind of lightning, no eye in the throng could -have told; but, muskets were being distributed--so were cartridges, -powder, and ball, bars of iron and wood, knives, axes, pikes, every -weapon that distracted ingenuity could discover or devise. People who -could lay hold of nothing else, set themselves with bleeding hands to -force stones and bricks out of their places in walls. Every pulse and -heart in Saint Antoine was on high-fever strain and at high-fever heat. -Every living creature there held life as of no account, and was demented -with a passionate readiness to sacrifice it. - -As a whirlpool of boiling waters has a centre point, so, all this raging -circled round Defarge's wine-shop, and every human drop in the caldron -had a tendency to be sucked towards the vortex where Defarge himself, -already begrimed with gunpowder and sweat, issued orders, issued arms, -thrust this man back, dragged this man forward, disarmed one to arm -another, laboured and strove in the thickest of the uproar. - -“Keep near to me, Jacques Three,” cried Defarge; “and do you, Jacques -One and Two, separate and put yourselves at the head of as many of these -patriots as you can. Where is my wife?” - -“Eh, well! Here you see me!” said madame, composed as ever, but not -knitting to-day. Madame's resolute right hand was occupied with an axe, -in place of the usual softer implements, and in her girdle were a pistol -and a cruel knife. - -“Where do you go, my wife?” - -“I go,” said madame, “with you at present. You shall see me at the head -of women, by-and-bye.” - -“Come, then!” cried Defarge, in a resounding voice. “Patriots and -friends, we are ready! The Bastille!” - -With a roar that sounded as if all the breath in France had been shaped -into the detested word, the living sea rose, wave on wave, depth on -depth, and overflowed the city to that point. Alarm-bells ringing, drums -beating, the sea raging and thundering on its new beach, the attack -began. - -Deep ditches, double drawbridge, massive stone walls, eight great -towers, cannon, muskets, fire and smoke. Through the fire and through -the smoke--in the fire and in the smoke, for the sea cast him up against -a cannon, and on the instant he became a cannonier--Defarge of the -wine-shop worked like a manful soldier, Two fierce hours. - -Deep ditch, single drawbridge, massive stone walls, eight great towers, -cannon, muskets, fire and smoke. One drawbridge down! “Work, comrades -all, work! Work, Jacques One, Jacques Two, Jacques One Thousand, Jacques -Two Thousand, Jacques Five-and-Twenty Thousand; in the name of all -the Angels or the Devils--which you prefer--work!” Thus Defarge of the -wine-shop, still at his gun, which had long grown hot. - -“To me, women!” cried madame his wife. “What! We can kill as well as -the men when the place is taken!” And to her, with a shrill thirsty -cry, trooping women variously armed, but all armed alike in hunger and -revenge. - -Cannon, muskets, fire and smoke; but, still the deep ditch, the single -drawbridge, the massive stone walls, and the eight great towers. Slight -displacements of the raging sea, made by the falling wounded. Flashing -weapons, blazing torches, smoking waggonloads of wet straw, hard work -at neighbouring barricades in all directions, shrieks, volleys, -execrations, bravery without stint, boom smash and rattle, and the -furious sounding of the living sea; but, still the deep ditch, and the -single drawbridge, and the massive stone walls, and the eight great -towers, and still Defarge of the wine-shop at his gun, grown doubly hot -by the service of Four fierce hours. - -A white flag from within the fortress, and a parley--this dimly -perceptible through the raging storm, nothing audible in it--suddenly -the sea rose immeasurably wider and higher, and swept Defarge of the -wine-shop over the lowered drawbridge, past the massive stone outer -walls, in among the eight great towers surrendered! - -So resistless was the force of the ocean bearing him on, that even to -draw his breath or turn his head was as impracticable as if he had been -struggling in the surf at the South Sea, until he was landed in the -outer courtyard of the Bastille. There, against an angle of a wall, he -made a struggle to look about him. Jacques Three was nearly at his side; -Madame Defarge, still heading some of her women, was visible in the -inner distance, and her knife was in her hand. Everywhere was tumult, -exultation, deafening and maniacal bewilderment, astounding noise, yet -furious dumb-show. - -“The Prisoners!” - -“The Records!” - -“The secret cells!” - -“The instruments of torture!” - -“The Prisoners!” - -Of all these cries, and ten thousand incoherences, “The Prisoners!” was -the cry most taken up by the sea that rushed in, as if there were an -eternity of people, as well as of time and space. When the foremost -billows rolled past, bearing the prison officers with them, and -threatening them all with instant death if any secret nook remained -undisclosed, Defarge laid his strong hand on the breast of one of -these men--a man with a grey head, who had a lighted torch in his -hand--separated him from the rest, and got him between himself and the -wall. - -“Show me the North Tower!” said Defarge. “Quick!” - -“I will faithfully,” replied the man, “if you will come with me. But -there is no one there.” - -“What is the meaning of One Hundred and Five, North Tower?” asked -Defarge. “Quick!” - -“The meaning, monsieur?” - -“Does it mean a captive, or a place of captivity? Or do you mean that I -shall strike you dead?” - -“Kill him!” croaked Jacques Three, who had come close up. - -“Monsieur, it is a cell.” - -“Show it me!” - -“Pass this way, then.” - -Jacques Three, with his usual craving on him, and evidently disappointed -by the dialogue taking a turn that did not seem to promise bloodshed, -held by Defarge's arm as he held by the turnkey's. Their three heads had -been close together during this brief discourse, and it had been as much -as they could do to hear one another, even then: so tremendous was the -noise of the living ocean, in its irruption into the Fortress, and -its inundation of the courts and passages and staircases. All around -outside, too, it beat the walls with a deep, hoarse roar, from which, -occasionally, some partial shouts of tumult broke and leaped into the -air like spray. - -Through gloomy vaults where the light of day had never shone, past -hideous doors of dark dens and cages, down cavernous flights of steps, -and again up steep rugged ascents of stone and brick, more like dry -waterfalls than staircases, Defarge, the turnkey, and Jacques Three, -linked hand and arm, went with all the speed they could make. Here and -there, especially at first, the inundation started on them and swept by; -but when they had done descending, and were winding and climbing up a -tower, they were alone. Hemmed in here by the massive thickness of walls -and arches, the storm within the fortress and without was only audible -to them in a dull, subdued way, as if the noise out of which they had -come had almost destroyed their sense of hearing. - -The turnkey stopped at a low door, put a key in a clashing lock, swung -the door slowly open, and said, as they all bent their heads and passed -in: - -“One hundred and five, North Tower!” - -There was a small, heavily-grated, unglazed window high in the wall, -with a stone screen before it, so that the sky could be only seen by -stooping low and looking up. There was a small chimney, heavily barred -across, a few feet within. There was a heap of old feathery wood-ashes -on the hearth. There was a stool, and table, and a straw bed. There were -the four blackened walls, and a rusted iron ring in one of them. - -“Pass that torch slowly along these walls, that I may see them,” said -Defarge to the turnkey. - -The man obeyed, and Defarge followed the light closely with his eyes. - -“Stop!--Look here, Jacques!” - -“A. M.!” croaked Jacques Three, as he read greedily. - -“Alexandre Manette,” said Defarge in his ear, following the letters -with his swart forefinger, deeply engrained with gunpowder. “And here he -wrote 'a poor physician.' And it was he, without doubt, who scratched -a calendar on this stone. What is that in your hand? A crowbar? Give it -me!” - -He had still the linstock of his gun in his own hand. He made a sudden -exchange of the two instruments, and turning on the worm-eaten stool and -table, beat them to pieces in a few blows. - -“Hold the light higher!” he said, wrathfully, to the turnkey. “Look -among those fragments with care, Jacques. And see! Here is my knife,” - throwing it to him; “rip open that bed, and search the straw. Hold the -light higher, you!” - -With a menacing look at the turnkey he crawled upon the hearth, and, -peering up the chimney, struck and prised at its sides with the crowbar, -and worked at the iron grating across it. In a few minutes, some mortar -and dust came dropping down, which he averted his face to avoid; and -in it, and in the old wood-ashes, and in a crevice in the chimney -into which his weapon had slipped or wrought itself, he groped with a -cautious touch. - -“Nothing in the wood, and nothing in the straw, Jacques?” - -“Nothing.” - -“Let us collect them together, in the middle of the cell. So! Light -them, you!” - -The turnkey fired the little pile, which blazed high and hot. Stooping -again to come out at the low-arched door, they left it burning, and -retraced their way to the courtyard; seeming to recover their sense -of hearing as they came down, until they were in the raging flood once -more. - -They found it surging and tossing, in quest of Defarge himself. Saint -Antoine was clamorous to have its wine-shop keeper foremost in the guard -upon the governor who had defended the Bastille and shot the people. -Otherwise, the governor would not be marched to the Hotel de Ville for -judgment. Otherwise, the governor would escape, and the people's -blood (suddenly of some value, after many years of worthlessness) be -unavenged. - -In the howling universe of passion and contention that seemed to -encompass this grim old officer conspicuous in his grey coat and red -decoration, there was but one quite steady figure, and that was a -woman's. “See, there is my husband!” she cried, pointing him out. -“See Defarge!” She stood immovable close to the grim old officer, and -remained immovable close to him; remained immovable close to him through -the streets, as Defarge and the rest bore him along; remained immovable -close to him when he was got near his destination, and began to -be struck at from behind; remained immovable close to him when the -long-gathering rain of stabs and blows fell heavy; was so close to him -when he dropped dead under it, that, suddenly animated, she put her foot -upon his neck, and with her cruel knife--long ready--hewed off his head. - -The hour was come, when Saint Antoine was to execute his horrible idea -of hoisting up men for lamps to show what he could be and do. Saint -Antoine's blood was up, and the blood of tyranny and domination by the -iron hand was down--down on the steps of the Hotel de Ville where the -governor's body lay--down on the sole of the shoe of Madame Defarge -where she had trodden on the body to steady it for mutilation. “Lower -the lamp yonder!” cried Saint Antoine, after glaring round for a new -means of death; “here is one of his soldiers to be left on guard!” The -swinging sentinel was posted, and the sea rushed on. - -The sea of black and threatening waters, and of destructive upheaving -of wave against wave, whose depths were yet unfathomed and whose forces -were yet unknown. The remorseless sea of turbulently swaying shapes, -voices of vengeance, and faces hardened in the furnaces of suffering -until the touch of pity could make no mark on them. - -But, in the ocean of faces where every fierce and furious expression was -in vivid life, there were two groups of faces--each seven in number--so -fixedly contrasting with the rest, that never did sea roll which bore -more memorable wrecks with it. Seven faces of prisoners, suddenly -released by the storm that had burst their tomb, were carried high -overhead: all scared, all lost, all wondering and amazed, as if the Last -Day were come, and those who rejoiced around them were lost spirits. -Other seven faces there were, carried higher, seven dead faces, whose -drooping eyelids and half-seen eyes awaited the Last Day. Impassive -faces, yet with a suspended--not an abolished--expression on them; -faces, rather, in a fearful pause, as having yet to raise the dropped -lids of the eyes, and bear witness with the bloodless lips, “THOU DIDST -IT!” - -Seven prisoners released, seven gory heads on pikes, the keys of the -accursed fortress of the eight strong towers, some discovered letters -and other memorials of prisoners of old time, long dead of broken -hearts,--such, and such--like, the loudly echoing footsteps of Saint -Antoine escort through the Paris streets in mid-July, one thousand seven -hundred and eighty-nine. Now, Heaven defeat the fancy of Lucie Darnay, -and keep these feet far out of her life! For, they are headlong, mad, -and dangerous; and in the years so long after the breaking of the cask -at Defarge's wine-shop door, they are not easily purified when once -stained red. - - - - -XXII. The Sea Still Rises - - -Haggard Saint Antoine had had only one exultant week, in which to soften -his modicum of hard and bitter bread to such extent as he could, with -the relish of fraternal embraces and congratulations, when Madame -Defarge sat at her counter, as usual, presiding over the customers. -Madame Defarge wore no rose in her head, for the great brotherhood of -Spies had become, even in one short week, extremely chary of trusting -themselves to the saint's mercies. The lamps across his streets had a -portentously elastic swing with them. - -Madame Defarge, with her arms folded, sat in the morning light and heat, -contemplating the wine-shop and the street. In both, there were several -knots of loungers, squalid and miserable, but now with a manifest sense -of power enthroned on their distress. The raggedest nightcap, awry on -the wretchedest head, had this crooked significance in it: “I know how -hard it has grown for me, the wearer of this, to support life in myself; -but do you know how easy it has grown for me, the wearer of this, to -destroy life in you?” Every lean bare arm, that had been without work -before, had this work always ready for it now, that it could strike. -The fingers of the knitting women were vicious, with the experience that -they could tear. There was a change in the appearance of Saint Antoine; -the image had been hammering into this for hundreds of years, and the -last finishing blows had told mightily on the expression. - -Madame Defarge sat observing it, with such suppressed approval as was -to be desired in the leader of the Saint Antoine women. One of her -sisterhood knitted beside her. The short, rather plump wife of a starved -grocer, and the mother of two children withal, this lieutenant had -already earned the complimentary name of The Vengeance. - -“Hark!” said The Vengeance. “Listen, then! Who comes?” - -As if a train of powder laid from the outermost bound of Saint Antoine -Quarter to the wine-shop door, had been suddenly fired, a fast-spreading -murmur came rushing along. - -“It is Defarge,” said madame. “Silence, patriots!” - -Defarge came in breathless, pulled off a red cap he wore, and looked -around him! “Listen, everywhere!” said madame again. “Listen to him!” - Defarge stood, panting, against a background of eager eyes and open -mouths, formed outside the door; all those within the wine-shop had -sprung to their feet. - -“Say then, my husband. What is it?” - -“News from the other world!” - -“How, then?” cried madame, contemptuously. “The other world?” - -“Does everybody here recall old Foulon, who told the famished people -that they might eat grass, and who died, and went to Hell?” - -“Everybody!” from all throats. - -“The news is of him. He is among us!” - -“Among us!” from the universal throat again. “And dead?” - -“Not dead! He feared us so much--and with reason--that he caused himself -to be represented as dead, and had a grand mock-funeral. But they have -found him alive, hiding in the country, and have brought him in. I have -seen him but now, on his way to the Hotel de Ville, a prisoner. I have -said that he had reason to fear us. Say all! _Had_ he reason?” - -Wretched old sinner of more than threescore years and ten, if he had -never known it yet, he would have known it in his heart of hearts if he -could have heard the answering cry. - -A moment of profound silence followed. Defarge and his wife looked -steadfastly at one another. The Vengeance stooped, and the jar of a drum -was heard as she moved it at her feet behind the counter. - -“Patriots!” said Defarge, in a determined voice, “are we ready?” - -Instantly Madame Defarge's knife was in her girdle; the drum was beating -in the streets, as if it and a drummer had flown together by magic; and -The Vengeance, uttering terrific shrieks, and flinging her arms about -her head like all the forty Furies at once, was tearing from house to -house, rousing the women. - -The men were terrible, in the bloody-minded anger with which they looked -from windows, caught up what arms they had, and came pouring down into -the streets; but, the women were a sight to chill the boldest. From -such household occupations as their bare poverty yielded, from their -children, from their aged and their sick crouching on the bare ground -famished and naked, they ran out with streaming hair, urging one -another, and themselves, to madness with the wildest cries and actions. -Villain Foulon taken, my sister! Old Foulon taken, my mother! Miscreant -Foulon taken, my daughter! Then, a score of others ran into the midst of -these, beating their breasts, tearing their hair, and screaming, Foulon -alive! Foulon who told the starving people they might eat grass! Foulon -who told my old father that he might eat grass, when I had no bread -to give him! Foulon who told my baby it might suck grass, when these -breasts were dry with want! O mother of God, this Foulon! O Heaven our -suffering! Hear me, my dead baby and my withered father: I swear on my -knees, on these stones, to avenge you on Foulon! Husbands, and brothers, -and young men, Give us the blood of Foulon, Give us the head of Foulon, -Give us the heart of Foulon, Give us the body and soul of Foulon, Rend -Foulon to pieces, and dig him into the ground, that grass may grow from -him! With these cries, numbers of the women, lashed into blind frenzy, -whirled about, striking and tearing at their own friends until they -dropped into a passionate swoon, and were only saved by the men -belonging to them from being trampled under foot. - -Nevertheless, not a moment was lost; not a moment! This Foulon was at -the Hotel de Ville, and might be loosed. Never, if Saint Antoine knew -his own sufferings, insults, and wrongs! Armed men and women flocked out -of the Quarter so fast, and drew even these last dregs after them with -such a force of suction, that within a quarter of an hour there was not -a human creature in Saint Antoine's bosom but a few old crones and the -wailing children. - -No. They were all by that time choking the Hall of Examination where -this old man, ugly and wicked, was, and overflowing into the adjacent -open space and streets. The Defarges, husband and wife, The Vengeance, -and Jacques Three, were in the first press, and at no great distance -from him in the Hall. - -“See!” cried madame, pointing with her knife. “See the old villain bound -with ropes. That was well done to tie a bunch of grass upon his back. -Ha, ha! That was well done. Let him eat it now!” Madame put her knife -under her arm, and clapped her hands as at a play. - -The people immediately behind Madame Defarge, explaining the cause of -her satisfaction to those behind them, and those again explaining to -others, and those to others, the neighbouring streets resounded with the -clapping of hands. Similarly, during two or three hours of drawl, -and the winnowing of many bushels of words, Madame Defarge's frequent -expressions of impatience were taken up, with marvellous quickness, at -a distance: the more readily, because certain men who had by some -wonderful exercise of agility climbed up the external architecture -to look in from the windows, knew Madame Defarge well, and acted as a -telegraph between her and the crowd outside the building. - -At length the sun rose so high that it struck a kindly ray as of hope or -protection, directly down upon the old prisoner's head. The favour was -too much to bear; in an instant the barrier of dust and chaff that had -stood surprisingly long, went to the winds, and Saint Antoine had got -him! - -It was known directly, to the furthest confines of the crowd. Defarge -had but sprung over a railing and a table, and folded the miserable -wretch in a deadly embrace--Madame Defarge had but followed and turned -her hand in one of the ropes with which he was tied--The Vengeance and -Jacques Three were not yet up with them, and the men at the windows -had not yet swooped into the Hall, like birds of prey from their high -perches--when the cry seemed to go up, all over the city, “Bring him -out! Bring him to the lamp!” - -Down, and up, and head foremost on the steps of the building; now, on -his knees; now, on his feet; now, on his back; dragged, and struck at, -and stifled by the bunches of grass and straw that were thrust into his -face by hundreds of hands; torn, bruised, panting, bleeding, yet always -entreating and beseeching for mercy; now full of vehement agony of -action, with a small clear space about him as the people drew one -another back that they might see; now, a log of dead wood drawn through -a forest of legs; he was hauled to the nearest street corner where one -of the fatal lamps swung, and there Madame Defarge let him go--as a cat -might have done to a mouse--and silently and composedly looked at him -while they made ready, and while he besought her: the women passionately -screeching at him all the time, and the men sternly calling out to have -him killed with grass in his mouth. Once, he went aloft, and the rope -broke, and they caught him shrieking; twice, he went aloft, and the rope -broke, and they caught him shrieking; then, the rope was merciful, and -held him, and his head was soon upon a pike, with grass enough in the -mouth for all Saint Antoine to dance at the sight of. - -Nor was this the end of the day's bad work, for Saint Antoine so shouted -and danced his angry blood up, that it boiled again, on hearing when -the day closed in that the son-in-law of the despatched, another of the -people's enemies and insulters, was coming into Paris under a guard -five hundred strong, in cavalry alone. Saint Antoine wrote his crimes -on flaring sheets of paper, seized him--would have torn him out of the -breast of an army to bear Foulon company--set his head and heart on -pikes, and carried the three spoils of the day, in Wolf-procession -through the streets. - -Not before dark night did the men and women come back to the children, -wailing and breadless. Then, the miserable bakers' shops were beset by -long files of them, patiently waiting to buy bad bread; and while -they waited with stomachs faint and empty, they beguiled the time by -embracing one another on the triumphs of the day, and achieving them -again in gossip. Gradually, these strings of ragged people shortened and -frayed away; and then poor lights began to shine in high windows, and -slender fires were made in the streets, at which neighbours cooked in -common, afterwards supping at their doors. - -Scanty and insufficient suppers those, and innocent of meat, as of -most other sauce to wretched bread. Yet, human fellowship infused -some nourishment into the flinty viands, and struck some sparks of -cheerfulness out of them. Fathers and mothers who had had their full -share in the worst of the day, played gently with their meagre children; -and lovers, with such a world around them and before them, loved and -hoped. - -It was almost morning, when Defarge's wine-shop parted with its last -knot of customers, and Monsieur Defarge said to madame his wife, in -husky tones, while fastening the door: - -“At last it is come, my dear!” - -“Eh well!” returned madame. “Almost.” - -Saint Antoine slept, the Defarges slept: even The Vengeance slept with -her starved grocer, and the drum was at rest. The drum's was the -only voice in Saint Antoine that blood and hurry had not changed. The -Vengeance, as custodian of the drum, could have wakened him up and had -the same speech out of him as before the Bastille fell, or old Foulon -was seized; not so with the hoarse tones of the men and women in Saint -Antoine's bosom. - - - - -XXIII. Fire Rises - - -There was a change on the village where the fountain fell, and where -the mender of roads went forth daily to hammer out of the stones on the -highway such morsels of bread as might serve for patches to hold his -poor ignorant soul and his poor reduced body together. The prison on the -crag was not so dominant as of yore; there were soldiers to guard it, -but not many; there were officers to guard the soldiers, but not one of -them knew what his men would do--beyond this: that it would probably not -be what he was ordered. - -Far and wide lay a ruined country, yielding nothing but desolation. -Every green leaf, every blade of grass and blade of grain, was as -shrivelled and poor as the miserable people. Everything was bowed down, -dejected, oppressed, and broken. Habitations, fences, domesticated -animals, men, women, children, and the soil that bore them--all worn -out. - -Monseigneur (often a most worthy individual gentleman) was a national -blessing, gave a chivalrous tone to things, was a polite example of -luxurious and shining life, and a great deal more to equal purpose; -nevertheless, Monseigneur as a class had, somehow or other, brought -things to this. Strange that Creation, designed expressly for -Monseigneur, should be so soon wrung dry and squeezed out! There must -be something short-sighted in the eternal arrangements, surely! Thus it -was, however; and the last drop of blood having been extracted from the -flints, and the last screw of the rack having been turned so often that -its purchase crumbled, and it now turned and turned with nothing -to bite, Monseigneur began to run away from a phenomenon so low and -unaccountable. - -But, this was not the change on the village, and on many a village like -it. For scores of years gone by, Monseigneur had squeezed it and wrung -it, and had seldom graced it with his presence except for the pleasures -of the chase--now, found in hunting the people; now, found in hunting -the beasts, for whose preservation Monseigneur made edifying spaces -of barbarous and barren wilderness. No. The change consisted in -the appearance of strange faces of low caste, rather than in the -disappearance of the high caste, chiselled, and otherwise beautified and -beautifying features of Monseigneur. - -For, in these times, as the mender of roads worked, solitary, in the -dust, not often troubling himself to reflect that dust he was and -to dust he must return, being for the most part too much occupied in -thinking how little he had for supper and how much more he would eat if -he had it--in these times, as he raised his eyes from his lonely labour, -and viewed the prospect, he would see some rough figure approaching on -foot, the like of which was once a rarity in those parts, but was now -a frequent presence. As it advanced, the mender of roads would discern -without surprise, that it was a shaggy-haired man, of almost barbarian -aspect, tall, in wooden shoes that were clumsy even to the eyes of a -mender of roads, grim, rough, swart, steeped in the mud and dust of many -highways, dank with the marshy moisture of many low grounds, sprinkled -with the thorns and leaves and moss of many byways through woods. - -Such a man came upon him, like a ghost, at noon in the July weather, -as he sat on his heap of stones under a bank, taking such shelter as he -could get from a shower of hail. - -The man looked at him, looked at the village in the hollow, at the mill, -and at the prison on the crag. When he had identified these objects -in what benighted mind he had, he said, in a dialect that was just -intelligible: - -“How goes it, Jacques?” - -“All well, Jacques.” - -“Touch then!” - -They joined hands, and the man sat down on the heap of stones. - -“No dinner?” - -“Nothing but supper now,” said the mender of roads, with a hungry face. - -“It is the fashion,” growled the man. “I meet no dinner anywhere.” - -He took out a blackened pipe, filled it, lighted it with flint and -steel, pulled at it until it was in a bright glow: then, suddenly held -it from him and dropped something into it from between his finger and -thumb, that blazed and went out in a puff of smoke. - -“Touch then.” It was the turn of the mender of roads to say it this -time, after observing these operations. They again joined hands. - -“To-night?” said the mender of roads. - -“To-night,” said the man, putting the pipe in his mouth. - -“Where?” - -“Here.” - -He and the mender of roads sat on the heap of stones looking silently at -one another, with the hail driving in between them like a pigmy charge -of bayonets, until the sky began to clear over the village. - -“Show me!” said the traveller then, moving to the brow of the hill. - -“See!” returned the mender of roads, with extended finger. “You go down -here, and straight through the street, and past the fountain--” - -“To the Devil with all that!” interrupted the other, rolling his eye -over the landscape. “_I_ go through no streets and past no fountains. -Well?” - -“Well! About two leagues beyond the summit of that hill above the -village.” - -“Good. When do you cease to work?” - -“At sunset.” - -“Will you wake me, before departing? I have walked two nights without -resting. Let me finish my pipe, and I shall sleep like a child. Will you -wake me?” - -“Surely.” - -The wayfarer smoked his pipe out, put it in his breast, slipped off his -great wooden shoes, and lay down on his back on the heap of stones. He -was fast asleep directly. - -As the road-mender plied his dusty labour, and the hail-clouds, rolling -away, revealed bright bars and streaks of sky which were responded to -by silver gleams upon the landscape, the little man (who wore a red cap -now, in place of his blue one) seemed fascinated by the figure on the -heap of stones. His eyes were so often turned towards it, that he used -his tools mechanically, and, one would have said, to very poor account. -The bronze face, the shaggy black hair and beard, the coarse woollen -red cap, the rough medley dress of home-spun stuff and hairy skins of -beasts, the powerful frame attenuated by spare living, and the sullen -and desperate compression of the lips in sleep, inspired the mender -of roads with awe. The traveller had travelled far, and his feet were -footsore, and his ankles chafed and bleeding; his great shoes, stuffed -with leaves and grass, had been heavy to drag over the many long -leagues, and his clothes were chafed into holes, as he himself was into -sores. Stooping down beside him, the road-mender tried to get a peep at -secret weapons in his breast or where not; but, in vain, for he slept -with his arms crossed upon him, and set as resolutely as his lips. -Fortified towns with their stockades, guard-houses, gates, trenches, and -drawbridges, seemed to the mender of roads, to be so much air as against -this figure. And when he lifted his eyes from it to the horizon and -looked around, he saw in his small fancy similar figures, stopped by no -obstacle, tending to centres all over France. - -The man slept on, indifferent to showers of hail and intervals of -brightness, to sunshine on his face and shadow, to the paltering lumps -of dull ice on his body and the diamonds into which the sun changed -them, until the sun was low in the west, and the sky was glowing. Then, -the mender of roads having got his tools together and all things ready -to go down into the village, roused him. - -“Good!” said the sleeper, rising on his elbow. “Two leagues beyond the -summit of the hill?” - -“About.” - -“About. Good!” - -The mender of roads went home, with the dust going on before him -according to the set of the wind, and was soon at the fountain, -squeezing himself in among the lean kine brought there to drink, and -appearing even to whisper to them in his whispering to all the village. -When the village had taken its poor supper, it did not creep to bed, -as it usually did, but came out of doors again, and remained there. A -curious contagion of whispering was upon it, and also, when it gathered -together at the fountain in the dark, another curious contagion of -looking expectantly at the sky in one direction only. Monsieur Gabelle, -chief functionary of the place, became uneasy; went out on his house-top -alone, and looked in that direction too; glanced down from behind his -chimneys at the darkening faces by the fountain below, and sent word to -the sacristan who kept the keys of the church, that there might be need -to ring the tocsin by-and-bye. - -The night deepened. The trees environing the old chateau, keeping its -solitary state apart, moved in a rising wind, as though they threatened -the pile of building massive and dark in the gloom. Up the two terrace -flights of steps the rain ran wildly, and beat at the great door, like a -swift messenger rousing those within; uneasy rushes of wind went through -the hall, among the old spears and knives, and passed lamenting up the -stairs, and shook the curtains of the bed where the last Marquis -had slept. East, West, North, and South, through the woods, four -heavy-treading, unkempt figures crushed the high grass and cracked the -branches, striding on cautiously to come together in the courtyard. Four -lights broke out there, and moved away in different directions, and all -was black again. - -But, not for long. Presently, the chateau began to make itself strangely -visible by some light of its own, as though it were growing luminous. -Then, a flickering streak played behind the architecture of the front, -picking out transparent places, and showing where balustrades, arches, -and windows were. Then it soared higher, and grew broader and brighter. -Soon, from a score of the great windows, flames burst forth, and the -stone faces awakened, stared out of fire. - -A faint murmur arose about the house from the few people who were left -there, and there was a saddling of a horse and riding away. There was -spurring and splashing through the darkness, and bridle was drawn in the -space by the village fountain, and the horse in a foam stood at Monsieur -Gabelle's door. “Help, Gabelle! Help, every one!” The tocsin rang -impatiently, but other help (if that were any) there was none. The -mender of roads, and two hundred and fifty particular friends, stood -with folded arms at the fountain, looking at the pillar of fire in the -sky. “It must be forty feet high,” said they, grimly; and never moved. - -The rider from the chateau, and the horse in a foam, clattered away -through the village, and galloped up the stony steep, to the prison on -the crag. At the gate, a group of officers were looking at the fire; -removed from them, a group of soldiers. “Help, gentlemen--officers! The -chateau is on fire; valuable objects may be saved from the flames by -timely aid! Help, help!” The officers looked towards the soldiers who -looked at the fire; gave no orders; and answered, with shrugs and biting -of lips, “It must burn.” - -As the rider rattled down the hill again and through the street, the -village was illuminating. The mender of roads, and the two hundred and -fifty particular friends, inspired as one man and woman by the idea of -lighting up, had darted into their houses, and were putting candles in -every dull little pane of glass. The general scarcity of everything, -occasioned candles to be borrowed in a rather peremptory manner of -Monsieur Gabelle; and in a moment of reluctance and hesitation on -that functionary's part, the mender of roads, once so submissive to -authority, had remarked that carriages were good to make bonfires with, -and that post-horses would roast. - -The chateau was left to itself to flame and burn. In the roaring and -raging of the conflagration, a red-hot wind, driving straight from the -infernal regions, seemed to be blowing the edifice away. With the rising -and falling of the blaze, the stone faces showed as if they were in -torment. When great masses of stone and timber fell, the face with the -two dints in the nose became obscured: anon struggled out of the smoke -again, as if it were the face of the cruel Marquis, burning at the stake -and contending with the fire. - -The chateau burned; the nearest trees, laid hold of by the fire, -scorched and shrivelled; trees at a distance, fired by the four fierce -figures, begirt the blazing edifice with a new forest of smoke. Molten -lead and iron boiled in the marble basin of the fountain; the water ran -dry; the extinguisher tops of the towers vanished like ice before the -heat, and trickled down into four rugged wells of flame. Great rents and -splits branched out in the solid walls, like crystallisation; stupefied -birds wheeled about and dropped into the furnace; four fierce figures -trudged away, East, West, North, and South, along the night-enshrouded -roads, guided by the beacon they had lighted, towards their next -destination. The illuminated village had seized hold of the tocsin, and, -abolishing the lawful ringer, rang for joy. - -Not only that; but the village, light-headed with famine, fire, and -bell-ringing, and bethinking itself that Monsieur Gabelle had to do with -the collection of rent and taxes--though it was but a small instalment -of taxes, and no rent at all, that Gabelle had got in those latter -days--became impatient for an interview with him, and, surrounding his -house, summoned him to come forth for personal conference. Whereupon, -Monsieur Gabelle did heavily bar his door, and retire to hold counsel -with himself. The result of that conference was, that Gabelle again -withdrew himself to his housetop behind his stack of chimneys; this time -resolved, if his door were broken in (he was a small Southern man -of retaliative temperament), to pitch himself head foremost over the -parapet, and crush a man or two below. - -Probably, Monsieur Gabelle passed a long night up there, with the -distant chateau for fire and candle, and the beating at his door, -combined with the joy-ringing, for music; not to mention his having an -ill-omened lamp slung across the road before his posting-house gate, -which the village showed a lively inclination to displace in his favour. -A trying suspense, to be passing a whole summer night on the brink of -the black ocean, ready to take that plunge into it upon which Monsieur -Gabelle had resolved! But, the friendly dawn appearing at last, and the -rush-candles of the village guttering out, the people happily dispersed, -and Monsieur Gabelle came down bringing his life with him for that -while. - -Within a hundred miles, and in the light of other fires, there were -other functionaries less fortunate, that night and other nights, whom -the rising sun found hanging across once-peaceful streets, where they -had been born and bred; also, there were other villagers and townspeople -less fortunate than the mender of roads and his fellows, upon whom the -functionaries and soldiery turned with success, and whom they strung up -in their turn. But, the fierce figures were steadily wending East, West, -North, and South, be that as it would; and whosoever hung, fire burned. -The altitude of the gallows that would turn to water and quench it, -no functionary, by any stretch of mathematics, was able to calculate -successfully. - - - - -XXIV. Drawn to the Loadstone Rock - - -In such risings of fire and risings of sea--the firm earth shaken by -the rushes of an angry ocean which had now no ebb, but was always on the -flow, higher and higher, to the terror and wonder of the beholders on -the shore--three years of tempest were consumed. Three more birthdays -of little Lucie had been woven by the golden thread into the peaceful -tissue of the life of her home. - -Many a night and many a day had its inmates listened to the echoes in -the corner, with hearts that failed them when they heard the thronging -feet. For, the footsteps had become to their minds as the footsteps of -a people, tumultuous under a red flag and with their country declared in -danger, changed into wild beasts, by terrible enchantment long persisted -in. - -Monseigneur, as a class, had dissociated himself from the phenomenon of -his not being appreciated: of his being so little wanted in France, as -to incur considerable danger of receiving his dismissal from it, and -this life together. Like the fabled rustic who raised the Devil with -infinite pains, and was so terrified at the sight of him that he could -ask the Enemy no question, but immediately fled; so, Monseigneur, after -boldly reading the Lord's Prayer backwards for a great number of years, -and performing many other potent spells for compelling the Evil One, no -sooner beheld him in his terrors than he took to his noble heels. - -The shining Bull's Eye of the Court was gone, or it would have been the -mark for a hurricane of national bullets. It had never been a good -eye to see with--had long had the mote in it of Lucifer's pride, -Sardanapalus's luxury, and a mole's blindness--but it had dropped -out and was gone. The Court, from that exclusive inner circle to its -outermost rotten ring of intrigue, corruption, and dissimulation, was -all gone together. Royalty was gone; had been besieged in its Palace and -“suspended,” when the last tidings came over. - -The August of the year one thousand seven hundred and ninety-two was -come, and Monseigneur was by this time scattered far and wide. - -As was natural, the head-quarters and great gathering-place of -Monseigneur, in London, was Tellson's Bank. Spirits are supposed to -haunt the places where their bodies most resorted, and Monseigneur -without a guinea haunted the spot where his guineas used to be. -Moreover, it was the spot to which such French intelligence as was most -to be relied upon, came quickest. Again: Tellson's was a munificent -house, and extended great liberality to old customers who had fallen -from their high estate. Again: those nobles who had seen the coming -storm in time, and anticipating plunder or confiscation, had made -provident remittances to Tellson's, were always to be heard of there -by their needy brethren. To which it must be added that every new-comer -from France reported himself and his tidings at Tellson's, almost as -a matter of course. For such variety of reasons, Tellson's was at that -time, as to French intelligence, a kind of High Exchange; and this -was so well known to the public, and the inquiries made there were in -consequence so numerous, that Tellson's sometimes wrote the latest news -out in a line or so and posted it in the Bank windows, for all who ran -through Temple Bar to read. - -On a steaming, misty afternoon, Mr. Lorry sat at his desk, and Charles -Darnay stood leaning on it, talking with him in a low voice. The -penitential den once set apart for interviews with the House, was now -the news-Exchange, and was filled to overflowing. It was within half an -hour or so of the time of closing. - -“But, although you are the youngest man that ever lived,” said Charles -Darnay, rather hesitating, “I must still suggest to you--” - -“I understand. That I am too old?” said Mr. Lorry. - -“Unsettled weather, a long journey, uncertain means of travelling, a -disorganised country, a city that may not be even safe for you.” - -“My dear Charles,” said Mr. Lorry, with cheerful confidence, “you touch -some of the reasons for my going: not for my staying away. It is safe -enough for me; nobody will care to interfere with an old fellow of hard -upon fourscore when there are so many people there much better worth -interfering with. As to its being a disorganised city, if it were not a -disorganised city there would be no occasion to send somebody from our -House here to our House there, who knows the city and the business, of -old, and is in Tellson's confidence. As to the uncertain travelling, the -long journey, and the winter weather, if I were not prepared to submit -myself to a few inconveniences for the sake of Tellson's, after all -these years, who ought to be?” - -“I wish I were going myself,” said Charles Darnay, somewhat restlessly, -and like one thinking aloud. - -“Indeed! You are a pretty fellow to object and advise!” exclaimed Mr. -Lorry. “You wish you were going yourself? And you a Frenchman born? You -are a wise counsellor.” - -“My dear Mr. Lorry, it is because I am a Frenchman born, that the -thought (which I did not mean to utter here, however) has passed through -my mind often. One cannot help thinking, having had some sympathy for -the miserable people, and having abandoned something to them,” he spoke -here in his former thoughtful manner, “that one might be listened to, -and might have the power to persuade to some restraint. Only last night, -after you had left us, when I was talking to Lucie--” - -“When you were talking to Lucie,” Mr. Lorry repeated. “Yes. I wonder you -are not ashamed to mention the name of Lucie! Wishing you were going to -France at this time of day!” - -“However, I am not going,” said Charles Darnay, with a smile. “It is -more to the purpose that you say you are.” - -“And I am, in plain reality. The truth is, my dear Charles,” Mr. Lorry -glanced at the distant House, and lowered his voice, “you can have no -conception of the difficulty with which our business is transacted, and -of the peril in which our books and papers over yonder are involved. The -Lord above knows what the compromising consequences would be to numbers -of people, if some of our documents were seized or destroyed; and they -might be, at any time, you know, for who can say that Paris is not set -afire to-day, or sacked to-morrow! Now, a judicious selection from these -with the least possible delay, and the burying of them, or otherwise -getting of them out of harm's way, is within the power (without loss of -precious time) of scarcely any one but myself, if any one. And shall -I hang back, when Tellson's knows this and says this--Tellson's, whose -bread I have eaten these sixty years--because I am a little stiff about -the joints? Why, I am a boy, sir, to half a dozen old codgers here!” - -“How I admire the gallantry of your youthful spirit, Mr. Lorry.” - -“Tut! Nonsense, sir!--And, my dear Charles,” said Mr. Lorry, glancing at -the House again, “you are to remember, that getting things out of -Paris at this present time, no matter what things, is next to an -impossibility. Papers and precious matters were this very day brought -to us here (I speak in strict confidence; it is not business-like to -whisper it, even to you), by the strangest bearers you can imagine, -every one of whom had his head hanging on by a single hair as he passed -the Barriers. At another time, our parcels would come and go, as easily -as in business-like Old England; but now, everything is stopped.” - -“And do you really go to-night?” - -“I really go to-night, for the case has become too pressing to admit of -delay.” - -“And do you take no one with you?” - -“All sorts of people have been proposed to me, but I will have nothing -to say to any of them. I intend to take Jerry. Jerry has been my -bodyguard on Sunday nights for a long time past and I am used to him. -Nobody will suspect Jerry of being anything but an English bull-dog, or -of having any design in his head but to fly at anybody who touches his -master.” - -“I must say again that I heartily admire your gallantry and -youthfulness.” - -“I must say again, nonsense, nonsense! When I have executed this little -commission, I shall, perhaps, accept Tellson's proposal to retire and -live at my ease. Time enough, then, to think about growing old.” - -This dialogue had taken place at Mr. Lorry's usual desk, with -Monseigneur swarming within a yard or two of it, boastful of what he -would do to avenge himself on the rascal-people before long. It was too -much the way of Monseigneur under his reverses as a refugee, and it -was much too much the way of native British orthodoxy, to talk of this -terrible Revolution as if it were the only harvest ever known under -the skies that had not been sown--as if nothing had ever been done, or -omitted to be done, that had led to it--as if observers of the wretched -millions in France, and of the misused and perverted resources that -should have made them prosperous, had not seen it inevitably coming, -years before, and had not in plain words recorded what they saw. Such -vapouring, combined with the extravagant plots of Monseigneur for the -restoration of a state of things that had utterly exhausted itself, -and worn out Heaven and earth as well as itself, was hard to be endured -without some remonstrance by any sane man who knew the truth. And it was -such vapouring all about his ears, like a troublesome confusion of blood -in his own head, added to a latent uneasiness in his mind, which had -already made Charles Darnay restless, and which still kept him so. - -Among the talkers, was Stryver, of the King's Bench Bar, far on his -way to state promotion, and, therefore, loud on the theme: broaching -to Monseigneur, his devices for blowing the people up and exterminating -them from the face of the earth, and doing without them: and for -accomplishing many similar objects akin in their nature to the abolition -of eagles by sprinkling salt on the tails of the race. Him, Darnay heard -with a particular feeling of objection; and Darnay stood divided between -going away that he might hear no more, and remaining to interpose his -word, when the thing that was to be, went on to shape itself out. - -The House approached Mr. Lorry, and laying a soiled and unopened letter -before him, asked if he had yet discovered any traces of the person to -whom it was addressed? The House laid the letter down so close to Darnay -that he saw the direction--the more quickly because it was his own right -name. The address, turned into English, ran: - -“Very pressing. To Monsieur heretofore the Marquis St. Evremonde, of -France. Confided to the cares of Messrs. Tellson and Co., Bankers, -London, England.” - -On the marriage morning, Doctor Manette had made it his one urgent and -express request to Charles Darnay, that the secret of this name should -be--unless he, the Doctor, dissolved the obligation--kept inviolate -between them. Nobody else knew it to be his name; his own wife had no -suspicion of the fact; Mr. Lorry could have none. - -“No,” said Mr. Lorry, in reply to the House; “I have referred it, -I think, to everybody now here, and no one can tell me where this -gentleman is to be found.” - -The hands of the clock verging upon the hour of closing the Bank, there -was a general set of the current of talkers past Mr. Lorry's desk. He -held the letter out inquiringly; and Monseigneur looked at it, in the -person of this plotting and indignant refugee; and Monseigneur looked at -it in the person of that plotting and indignant refugee; and This, That, -and The Other, all had something disparaging to say, in French or in -English, concerning the Marquis who was not to be found. - -“Nephew, I believe--but in any case degenerate successor--of the -polished Marquis who was murdered,” said one. “Happy to say, I never -knew him.” - -“A craven who abandoned his post,” said another--this Monseigneur had -been got out of Paris, legs uppermost and half suffocated, in a load of -hay--“some years ago.” - -“Infected with the new doctrines,” said a third, eyeing the direction -through his glass in passing; “set himself in opposition to the last -Marquis, abandoned the estates when he inherited them, and left them to -the ruffian herd. They will recompense him now, I hope, as he deserves.” - -“Hey?” cried the blatant Stryver. “Did he though? Is that the sort of -fellow? Let us look at his infamous name. D--n the fellow!” - -Darnay, unable to restrain himself any longer, touched Mr. Stryver on -the shoulder, and said: - -“I know the fellow.” - -“Do you, by Jupiter?” said Stryver. “I am sorry for it.” - -“Why?” - -“Why, Mr. Darnay? D'ye hear what he did? Don't ask, why, in these -times.” - -“But I do ask why?” - -“Then I tell you again, Mr. Darnay, I am sorry for it. I am sorry to -hear you putting any such extraordinary questions. Here is a fellow, -who, infected by the most pestilent and blasphemous code of devilry that -ever was known, abandoned his property to the vilest scum of the earth -that ever did murder by wholesale, and you ask me why I am sorry that a -man who instructs youth knows him? Well, but I'll answer you. I am sorry -because I believe there is contamination in such a scoundrel. That's -why.” - -Mindful of the secret, Darnay with great difficulty checked himself, and -said: “You may not understand the gentleman.” - -“I understand how to put _you_ in a corner, Mr. Darnay,” said Bully -Stryver, “and I'll do it. If this fellow is a gentleman, I _don't_ -understand him. You may tell him so, with my compliments. You may also -tell him, from me, that after abandoning his worldly goods and position -to this butcherly mob, I wonder he is not at the head of them. But, no, -gentlemen,” said Stryver, looking all round, and snapping his fingers, -“I know something of human nature, and I tell you that you'll never -find a fellow like this fellow, trusting himself to the mercies of such -precious _protégés_. No, gentlemen; he'll always show 'em a clean pair -of heels very early in the scuffle, and sneak away.” - -With those words, and a final snap of his fingers, Mr. Stryver -shouldered himself into Fleet-street, amidst the general approbation of -his hearers. Mr. Lorry and Charles Darnay were left alone at the desk, -in the general departure from the Bank. - -“Will you take charge of the letter?” said Mr. Lorry. “You know where to -deliver it?” - -“I do.” - -“Will you undertake to explain, that we suppose it to have been -addressed here, on the chance of our knowing where to forward it, and -that it has been here some time?” - -“I will do so. Do you start for Paris from here?” - -“From here, at eight.” - -“I will come back, to see you off.” - -Very ill at ease with himself, and with Stryver and most other men, -Darnay made the best of his way into the quiet of the Temple, opened the -letter, and read it. These were its contents: - - -“Prison of the Abbaye, Paris. - -“June 21, 1792. “MONSIEUR HERETOFORE THE MARQUIS. - -“After having long been in danger of my life at the hands of the -village, I have been seized, with great violence and indignity, and -brought a long journey on foot to Paris. On the road I have suffered a -great deal. Nor is that all; my house has been destroyed--razed to the -ground. - -“The crime for which I am imprisoned, Monsieur heretofore the Marquis, -and for which I shall be summoned before the tribunal, and shall lose my -life (without your so generous help), is, they tell me, treason against -the majesty of the people, in that I have acted against them for an -emigrant. It is in vain I represent that I have acted for them, and not -against, according to your commands. It is in vain I represent that, -before the sequestration of emigrant property, I had remitted the -imposts they had ceased to pay; that I had collected no rent; that I had -had recourse to no process. The only response is, that I have acted for -an emigrant, and where is that emigrant? - -“Ah! most gracious Monsieur heretofore the Marquis, where is that -emigrant? I cry in my sleep where is he? I demand of Heaven, will he -not come to deliver me? No answer. Ah Monsieur heretofore the Marquis, -I send my desolate cry across the sea, hoping it may perhaps reach your -ears through the great bank of Tilson known at Paris! - -“For the love of Heaven, of justice, of generosity, of the honour of -your noble name, I supplicate you, Monsieur heretofore the Marquis, to -succour and release me. My fault is, that I have been true to you. Oh -Monsieur heretofore the Marquis, I pray you be you true to me! - -“From this prison here of horror, whence I every hour tend nearer and -nearer to destruction, I send you, Monsieur heretofore the Marquis, the -assurance of my dolorous and unhappy service. - -“Your afflicted, - -“Gabelle.” - - -The latent uneasiness in Darnay's mind was roused to vigourous life -by this letter. The peril of an old servant and a good one, whose -only crime was fidelity to himself and his family, stared him so -reproachfully in the face, that, as he walked to and fro in the Temple -considering what to do, he almost hid his face from the passersby. - -He knew very well, that in his horror of the deed which had culminated -the bad deeds and bad reputation of the old family house, in his -resentful suspicions of his uncle, and in the aversion with which his -conscience regarded the crumbling fabric that he was supposed to uphold, -he had acted imperfectly. He knew very well, that in his love for Lucie, -his renunciation of his social place, though by no means new to his own -mind, had been hurried and incomplete. He knew that he ought to have -systematically worked it out and supervised it, and that he had meant to -do it, and that it had never been done. - -The happiness of his own chosen English home, the necessity of being -always actively employed, the swift changes and troubles of the time -which had followed on one another so fast, that the events of this week -annihilated the immature plans of last week, and the events of the week -following made all new again; he knew very well, that to the force of -these circumstances he had yielded:--not without disquiet, but still -without continuous and accumulating resistance. That he had watched -the times for a time of action, and that they had shifted and struggled -until the time had gone by, and the nobility were trooping from -France by every highway and byway, and their property was in course of -confiscation and destruction, and their very names were blotting out, -was as well known to himself as it could be to any new authority in -France that might impeach him for it. - -But, he had oppressed no man, he had imprisoned no man; he was so -far from having harshly exacted payment of his dues, that he had -relinquished them of his own will, thrown himself on a world with no -favour in it, won his own private place there, and earned his own -bread. Monsieur Gabelle had held the impoverished and involved estate -on written instructions, to spare the people, to give them what little -there was to give--such fuel as the heavy creditors would let them have -in the winter, and such produce as could be saved from the same grip in -the summer--and no doubt he had put the fact in plea and proof, for his -own safety, so that it could not but appear now. - -This favoured the desperate resolution Charles Darnay had begun to make, -that he would go to Paris. - -Yes. Like the mariner in the old story, the winds and streams had driven -him within the influence of the Loadstone Rock, and it was drawing him -to itself, and he must go. Everything that arose before his mind drifted -him on, faster and faster, more and more steadily, to the terrible -attraction. His latent uneasiness had been, that bad aims were being -worked out in his own unhappy land by bad instruments, and that he who -could not fail to know that he was better than they, was not there, -trying to do something to stay bloodshed, and assert the claims of mercy -and humanity. With this uneasiness half stifled, and half reproaching -him, he had been brought to the pointed comparison of himself with the -brave old gentleman in whom duty was so strong; upon that comparison -(injurious to himself) had instantly followed the sneers of Monseigneur, -which had stung him bitterly, and those of Stryver, which above all were -coarse and galling, for old reasons. Upon those, had followed Gabelle's -letter: the appeal of an innocent prisoner, in danger of death, to his -justice, honour, and good name. - -His resolution was made. He must go to Paris. - -Yes. The Loadstone Rock was drawing him, and he must sail on, until he -struck. He knew of no rock; he saw hardly any danger. The intention -with which he had done what he had done, even although he had left -it incomplete, presented it before him in an aspect that would be -gratefully acknowledged in France on his presenting himself to assert -it. Then, that glorious vision of doing good, which is so often the -sanguine mirage of so many good minds, arose before him, and he even -saw himself in the illusion with some influence to guide this raging -Revolution that was running so fearfully wild. - -As he walked to and fro with his resolution made, he considered that -neither Lucie nor her father must know of it until he was gone. -Lucie should be spared the pain of separation; and her father, always -reluctant to turn his thoughts towards the dangerous ground of old, -should come to the knowledge of the step, as a step taken, and not in -the balance of suspense and doubt. How much of the incompleteness of his -situation was referable to her father, through the painful anxiety -to avoid reviving old associations of France in his mind, he did not -discuss with himself. But, that circumstance too, had had its influence -in his course. - -He walked to and fro, with thoughts very busy, until it was time to -return to Tellson's and take leave of Mr. Lorry. As soon as he arrived -in Paris he would present himself to this old friend, but he must say -nothing of his intention now. - -A carriage with post-horses was ready at the Bank door, and Jerry was -booted and equipped. - -“I have delivered that letter,” said Charles Darnay to Mr. Lorry. “I -would not consent to your being charged with any written answer, but -perhaps you will take a verbal one?” - -“That I will, and readily,” said Mr. Lorry, “if it is not dangerous.” - -“Not at all. Though it is to a prisoner in the Abbaye.” - -“What is his name?” said Mr. Lorry, with his open pocket-book in his -hand. - -“Gabelle.” - -“Gabelle. And what is the message to the unfortunate Gabelle in prison?” - -“Simply, 'that he has received the letter, and will come.'” - -“Any time mentioned?” - -“He will start upon his journey to-morrow night.” - -“Any person mentioned?” - -“No.” - -He helped Mr. Lorry to wrap himself in a number of coats and cloaks, -and went out with him from the warm atmosphere of the old Bank, into the -misty air of Fleet-street. “My love to Lucie, and to little Lucie,” said -Mr. Lorry at parting, “and take precious care of them till I come back.” - Charles Darnay shook his head and doubtfully smiled, as the carriage -rolled away. - -That night--it was the fourteenth of August--he sat up late, and wrote -two fervent letters; one was to Lucie, explaining the strong obligation -he was under to go to Paris, and showing her, at length, the reasons -that he had, for feeling confident that he could become involved in no -personal danger there; the other was to the Doctor, confiding Lucie and -their dear child to his care, and dwelling on the same topics with the -strongest assurances. To both, he wrote that he would despatch letters -in proof of his safety, immediately after his arrival. - -It was a hard day, that day of being among them, with the first -reservation of their joint lives on his mind. It was a hard matter to -preserve the innocent deceit of which they were profoundly unsuspicious. -But, an affectionate glance at his wife, so happy and busy, made him -resolute not to tell her what impended (he had been half moved to do it, -so strange it was to him to act in anything without her quiet aid), and -the day passed quickly. Early in the evening he embraced her, and her -scarcely less dear namesake, pretending that he would return by-and-bye -(an imaginary engagement took him out, and he had secreted a valise -of clothes ready), and so he emerged into the heavy mist of the heavy -streets, with a heavier heart. - -The unseen force was drawing him fast to itself, now, and all the tides -and winds were setting straight and strong towards it. He left his -two letters with a trusty porter, to be delivered half an hour before -midnight, and no sooner; took horse for Dover; and began his journey. -“For the love of Heaven, of justice, of generosity, of the honour of -your noble name!” was the poor prisoner's cry with which he strengthened -his sinking heart, as he left all that was dear on earth behind him, and -floated away for the Loadstone Rock. - - -The end of the second book. - - - - - -Book the Third--the Track of a Storm - - - - -I. In Secret - - -The traveller fared slowly on his way, who fared towards Paris from -England in the autumn of the year one thousand seven hundred and -ninety-two. More than enough of bad roads, bad equipages, and bad -horses, he would have encountered to delay him, though the fallen and -unfortunate King of France had been upon his throne in all his glory; -but, the changed times were fraught with other obstacles than -these. Every town-gate and village taxing-house had its band of -citizen-patriots, with their national muskets in a most explosive state -of readiness, who stopped all comers and goers, cross-questioned them, -inspected their papers, looked for their names in lists of their own, -turned them back, or sent them on, or stopped them and laid them in -hold, as their capricious judgment or fancy deemed best for the dawning -Republic One and Indivisible, of Liberty, Equality, Fraternity, or -Death. - -A very few French leagues of his journey were accomplished, when Charles -Darnay began to perceive that for him along these country roads there -was no hope of return until he should have been declared a good citizen -at Paris. Whatever might befall now, he must on to his journey's end. -Not a mean village closed upon him, not a common barrier dropped across -the road behind him, but he knew it to be another iron door in -the series that was barred between him and England. The universal -watchfulness so encompassed him, that if he had been taken in a net, -or were being forwarded to his destination in a cage, he could not have -felt his freedom more completely gone. - -This universal watchfulness not only stopped him on the highway twenty -times in a stage, but retarded his progress twenty times in a day, by -riding after him and taking him back, riding before him and stopping him -by anticipation, riding with him and keeping him in charge. He had been -days upon his journey in France alone, when he went to bed tired out, in -a little town on the high road, still a long way from Paris. - -Nothing but the production of the afflicted Gabelle's letter from his -prison of the Abbaye would have got him on so far. His difficulty at the -guard-house in this small place had been such, that he felt his journey -to have come to a crisis. And he was, therefore, as little surprised as -a man could be, to find himself awakened at the small inn to which he -had been remitted until morning, in the middle of the night. - -Awakened by a timid local functionary and three armed patriots in rough -red caps and with pipes in their mouths, who sat down on the bed. - -“Emigrant,” said the functionary, “I am going to send you on to Paris, -under an escort.” - -“Citizen, I desire nothing more than to get to Paris, though I could -dispense with the escort.” - -“Silence!” growled a red-cap, striking at the coverlet with the butt-end -of his musket. “Peace, aristocrat!” - -“It is as the good patriot says,” observed the timid functionary. “You -are an aristocrat, and must have an escort--and must pay for it.” - -“I have no choice,” said Charles Darnay. - -“Choice! Listen to him!” cried the same scowling red-cap. “As if it was -not a favour to be protected from the lamp-iron!” - -“It is always as the good patriot says,” observed the functionary. “Rise -and dress yourself, emigrant.” - -Darnay complied, and was taken back to the guard-house, where other -patriots in rough red caps were smoking, drinking, and sleeping, by -a watch-fire. Here he paid a heavy price for his escort, and hence he -started with it on the wet, wet roads at three o'clock in the morning. - -The escort were two mounted patriots in red caps and tri-coloured -cockades, armed with national muskets and sabres, who rode one on either -side of him. - -The escorted governed his own horse, but a loose line was attached to -his bridle, the end of which one of the patriots kept girded round his -wrist. In this state they set forth with the sharp rain driving in their -faces: clattering at a heavy dragoon trot over the uneven town pavement, -and out upon the mire-deep roads. In this state they traversed without -change, except of horses and pace, all the mire-deep leagues that lay -between them and the capital. - -They travelled in the night, halting an hour or two after daybreak, and -lying by until the twilight fell. The escort were so wretchedly clothed, -that they twisted straw round their bare legs, and thatched their ragged -shoulders to keep the wet off. Apart from the personal discomfort of -being so attended, and apart from such considerations of present danger -as arose from one of the patriots being chronically drunk, and carrying -his musket very recklessly, Charles Darnay did not allow the restraint -that was laid upon him to awaken any serious fears in his breast; for, -he reasoned with himself that it could have no reference to the merits -of an individual case that was not yet stated, and of representations, -confirmable by the prisoner in the Abbaye, that were not yet made. - -But when they came to the town of Beauvais--which they did at eventide, -when the streets were filled with people--he could not conceal from -himself that the aspect of affairs was very alarming. An ominous crowd -gathered to see him dismount of the posting-yard, and many voices called -out loudly, “Down with the emigrant!” - -He stopped in the act of swinging himself out of his saddle, and, -resuming it as his safest place, said: - -“Emigrant, my friends! Do you not see me here, in France, of my own -will?” - -“You are a cursed emigrant,” cried a farrier, making at him in a -furious manner through the press, hammer in hand; “and you are a cursed -aristocrat!” - -The postmaster interposed himself between this man and the rider's -bridle (at which he was evidently making), and soothingly said, “Let him -be; let him be! He will be judged at Paris.” - -“Judged!” repeated the farrier, swinging his hammer. “Ay! and condemned -as a traitor.” At this the crowd roared approval. - -Checking the postmaster, who was for turning his horse's head to the -yard (the drunken patriot sat composedly in his saddle looking on, with -the line round his wrist), Darnay said, as soon as he could make his -voice heard: - -“Friends, you deceive yourselves, or you are deceived. I am not a -traitor.” - -“He lies!” cried the smith. “He is a traitor since the decree. His life -is forfeit to the people. His cursed life is not his own!” - -At the instant when Darnay saw a rush in the eyes of the crowd, which -another instant would have brought upon him, the postmaster turned his -horse into the yard, the escort rode in close upon his horse's flanks, -and the postmaster shut and barred the crazy double gates. The farrier -struck a blow upon them with his hammer, and the crowd groaned; but, no -more was done. - -“What is this decree that the smith spoke of?” Darnay asked the -postmaster, when he had thanked him, and stood beside him in the yard. - -“Truly, a decree for selling the property of emigrants.” - -“When passed?” - -“On the fourteenth.” - -“The day I left England!” - -“Everybody says it is but one of several, and that there will be -others--if there are not already--banishing all emigrants, and -condemning all to death who return. That is what he meant when he said -your life was not your own.” - -“But there are no such decrees yet?” - -“What do I know!” said the postmaster, shrugging his shoulders; “there -may be, or there will be. It is all the same. What would you have?” - -They rested on some straw in a loft until the middle of the night, and -then rode forward again when all the town was asleep. Among the many -wild changes observable on familiar things which made this wild ride -unreal, not the least was the seeming rarity of sleep. After long and -lonely spurring over dreary roads, they would come to a cluster of poor -cottages, not steeped in darkness, but all glittering with lights, and -would find the people, in a ghostly manner in the dead of the night, -circling hand in hand round a shrivelled tree of Liberty, or all drawn -up together singing a Liberty song. Happily, however, there was sleep in -Beauvais that night to help them out of it and they passed on once more -into solitude and loneliness: jingling through the untimely cold and -wet, among impoverished fields that had yielded no fruits of the earth -that year, diversified by the blackened remains of burnt houses, and by -the sudden emergence from ambuscade, and sharp reining up across their -way, of patriot patrols on the watch on all the roads. - -Daylight at last found them before the wall of Paris. The barrier was -closed and strongly guarded when they rode up to it. - -“Where are the papers of this prisoner?” demanded a resolute-looking man -in authority, who was summoned out by the guard. - -Naturally struck by the disagreeable word, Charles Darnay requested the -speaker to take notice that he was a free traveller and French citizen, -in charge of an escort which the disturbed state of the country had -imposed upon him, and which he had paid for. - -“Where,” repeated the same personage, without taking any heed of him -whatever, “are the papers of this prisoner?” - -The drunken patriot had them in his cap, and produced them. Casting his -eyes over Gabelle's letter, the same personage in authority showed some -disorder and surprise, and looked at Darnay with a close attention. - -He left escort and escorted without saying a word, however, and went -into the guard-room; meanwhile, they sat upon their horses outside the -gate. Looking about him while in this state of suspense, Charles -Darnay observed that the gate was held by a mixed guard of soldiers and -patriots, the latter far outnumbering the former; and that while ingress -into the city for peasants' carts bringing in supplies, and for similar -traffic and traffickers, was easy enough, egress, even for the homeliest -people, was very difficult. A numerous medley of men and women, not -to mention beasts and vehicles of various sorts, was waiting to issue -forth; but, the previous identification was so strict, that they -filtered through the barrier very slowly. Some of these people knew -their turn for examination to be so far off, that they lay down on the -ground to sleep or smoke, while others talked together, or loitered -about. The red cap and tri-colour cockade were universal, both among men -and women. - -When he had sat in his saddle some half-hour, taking note of these -things, Darnay found himself confronted by the same man in authority, -who directed the guard to open the barrier. Then he delivered to the -escort, drunk and sober, a receipt for the escorted, and requested him -to dismount. He did so, and the two patriots, leading his tired horse, -turned and rode away without entering the city. - -He accompanied his conductor into a guard-room, smelling of common wine -and tobacco, where certain soldiers and patriots, asleep and awake, -drunk and sober, and in various neutral states between sleeping and -waking, drunkenness and sobriety, were standing and lying about. The -light in the guard-house, half derived from the waning oil-lamps of -the night, and half from the overcast day, was in a correspondingly -uncertain condition. Some registers were lying open on a desk, and an -officer of a coarse, dark aspect, presided over these. - -“Citizen Defarge,” said he to Darnay's conductor, as he took a slip of -paper to write on. “Is this the emigrant Evremonde?” - -“This is the man.” - -“Your age, Evremonde?” - -“Thirty-seven.” - -“Married, Evremonde?” - -“Yes.” - -“Where married?” - -“In England.” - -“Without doubt. Where is your wife, Evremonde?” - -“In England.” - -“Without doubt. You are consigned, Evremonde, to the prison of La -Force.” - -“Just Heaven!” exclaimed Darnay. “Under what law, and for what offence?” - -The officer looked up from his slip of paper for a moment. - -“We have new laws, Evremonde, and new offences, since you were here.” He -said it with a hard smile, and went on writing. - -“I entreat you to observe that I have come here voluntarily, in response -to that written appeal of a fellow-countryman which lies before you. I -demand no more than the opportunity to do so without delay. Is not that -my right?” - -“Emigrants have no rights, Evremonde,” was the stolid reply. The officer -wrote until he had finished, read over to himself what he had written, -sanded it, and handed it to Defarge, with the words “In secret.” - -Defarge motioned with the paper to the prisoner that he must accompany -him. The prisoner obeyed, and a guard of two armed patriots attended -them. - -“Is it you,” said Defarge, in a low voice, as they went down the -guardhouse steps and turned into Paris, “who married the daughter of -Doctor Manette, once a prisoner in the Bastille that is no more?” - -“Yes,” replied Darnay, looking at him with surprise. - -“My name is Defarge, and I keep a wine-shop in the Quarter Saint -Antoine. Possibly you have heard of me.” - -“My wife came to your house to reclaim her father? Yes!” - -The word “wife” seemed to serve as a gloomy reminder to Defarge, to say -with sudden impatience, “In the name of that sharp female newly-born, -and called La Guillotine, why did you come to France?” - -“You heard me say why, a minute ago. Do you not believe it is the -truth?” - -“A bad truth for you,” said Defarge, speaking with knitted brows, and -looking straight before him. - -“Indeed I am lost here. All here is so unprecedented, so changed, so -sudden and unfair, that I am absolutely lost. Will you render me a -little help?” - -“None.” Defarge spoke, always looking straight before him. - -“Will you answer me a single question?” - -“Perhaps. According to its nature. You can say what it is.” - -“In this prison that I am going to so unjustly, shall I have some free -communication with the world outside?” - -“You will see.” - -“I am not to be buried there, prejudged, and without any means of -presenting my case?” - -“You will see. But, what then? Other people have been similarly buried -in worse prisons, before now.” - -“But never by me, Citizen Defarge.” - -Defarge glanced darkly at him for answer, and walked on in a steady -and set silence. The deeper he sank into this silence, the fainter hope -there was--or so Darnay thought--of his softening in any slight degree. -He, therefore, made haste to say: - -“It is of the utmost importance to me (you know, Citizen, even better -than I, of how much importance), that I should be able to communicate to -Mr. Lorry of Tellson's Bank, an English gentleman who is now in Paris, -the simple fact, without comment, that I have been thrown into the -prison of La Force. Will you cause that to be done for me?” - -“I will do,” Defarge doggedly rejoined, “nothing for you. My duty is to -my country and the People. I am the sworn servant of both, against you. -I will do nothing for you.” - -Charles Darnay felt it hopeless to entreat him further, and his pride -was touched besides. As they walked on in silence, he could not but see -how used the people were to the spectacle of prisoners passing along the -streets. The very children scarcely noticed him. A few passers turned -their heads, and a few shook their fingers at him as an aristocrat; -otherwise, that a man in good clothes should be going to prison, was no -more remarkable than that a labourer in working clothes should be -going to work. In one narrow, dark, and dirty street through which they -passed, an excited orator, mounted on a stool, was addressing an excited -audience on the crimes against the people, of the king and the royal -family. The few words that he caught from this man's lips, first made -it known to Charles Darnay that the king was in prison, and that the -foreign ambassadors had one and all left Paris. On the road (except at -Beauvais) he had heard absolutely nothing. The escort and the universal -watchfulness had completely isolated him. - -That he had fallen among far greater dangers than those which had -developed themselves when he left England, he of course knew now. That -perils had thickened about him fast, and might thicken faster and faster -yet, he of course knew now. He could not but admit to himself that he -might not have made this journey, if he could have foreseen the events -of a few days. And yet his misgivings were not so dark as, imagined by -the light of this later time, they would appear. Troubled as the future -was, it was the unknown future, and in its obscurity there was ignorant -hope. The horrible massacre, days and nights long, which, within a few -rounds of the clock, was to set a great mark of blood upon the blessed -garnering time of harvest, was as far out of his knowledge as if it had -been a hundred thousand years away. The “sharp female newly-born, and -called La Guillotine,” was hardly known to him, or to the generality -of people, by name. The frightful deeds that were to be soon done, were -probably unimagined at that time in the brains of the doers. How could -they have a place in the shadowy conceptions of a gentle mind? - -Of unjust treatment in detention and hardship, and in cruel separation -from his wife and child, he foreshadowed the likelihood, or the -certainty; but, beyond this, he dreaded nothing distinctly. With this on -his mind, which was enough to carry into a dreary prison courtyard, he -arrived at the prison of La Force. - -A man with a bloated face opened the strong wicket, to whom Defarge -presented “The Emigrant Evremonde.” - -“What the Devil! How many more of them!” exclaimed the man with the -bloated face. - -Defarge took his receipt without noticing the exclamation, and withdrew, -with his two fellow-patriots. - -“What the Devil, I say again!” exclaimed the gaoler, left with his wife. -“How many more!” - -The gaoler's wife, being provided with no answer to the question, merely -replied, “One must have patience, my dear!” Three turnkeys who entered -responsive to a bell she rang, echoed the sentiment, and one added, “For -the love of Liberty;” which sounded in that place like an inappropriate -conclusion. - -The prison of La Force was a gloomy prison, dark and filthy, and with a -horrible smell of foul sleep in it. Extraordinary how soon the noisome -flavour of imprisoned sleep, becomes manifest in all such places that -are ill cared for! - -“In secret, too,” grumbled the gaoler, looking at the written paper. “As -if I was not already full to bursting!” - -He stuck the paper on a file, in an ill-humour, and Charles Darnay -awaited his further pleasure for half an hour: sometimes, pacing to and -fro in the strong arched room: sometimes, resting on a stone seat: in -either case detained to be imprinted on the memory of the chief and his -subordinates. - -“Come!” said the chief, at length taking up his keys, “come with me, -emigrant.” - -Through the dismal prison twilight, his new charge accompanied him by -corridor and staircase, many doors clanging and locking behind them, -until they came into a large, low, vaulted chamber, crowded with -prisoners of both sexes. The women were seated at a long table, reading -and writing, knitting, sewing, and embroidering; the men were for the -most part standing behind their chairs, or lingering up and down the -room. - -In the instinctive association of prisoners with shameful crime and -disgrace, the new-comer recoiled from this company. But the crowning -unreality of his long unreal ride, was, their all at once rising to -receive him, with every refinement of manner known to the time, and with -all the engaging graces and courtesies of life. - -So strangely clouded were these refinements by the prison manners and -gloom, so spectral did they become in the inappropriate squalor and -misery through which they were seen, that Charles Darnay seemed to stand -in a company of the dead. Ghosts all! The ghost of beauty, the ghost -of stateliness, the ghost of elegance, the ghost of pride, the ghost of -frivolity, the ghost of wit, the ghost of youth, the ghost of age, all -waiting their dismissal from the desolate shore, all turning on him eyes -that were changed by the death they had died in coming there. - -It struck him motionless. The gaoler standing at his side, and the other -gaolers moving about, who would have been well enough as to appearance -in the ordinary exercise of their functions, looked so extravagantly -coarse contrasted with sorrowing mothers and blooming daughters who were -there--with the apparitions of the coquette, the young beauty, and the -mature woman delicately bred--that the inversion of all experience and -likelihood which the scene of shadows presented, was heightened to its -utmost. Surely, ghosts all. Surely, the long unreal ride some progress -of disease that had brought him to these gloomy shades! - -“In the name of the assembled companions in misfortune,” said a -gentleman of courtly appearance and address, coming forward, “I have the -honour of giving you welcome to La Force, and of condoling with you -on the calamity that has brought you among us. May it soon terminate -happily! It would be an impertinence elsewhere, but it is not so here, -to ask your name and condition?” - -Charles Darnay roused himself, and gave the required information, in -words as suitable as he could find. - -“But I hope,” said the gentleman, following the chief gaoler with his -eyes, who moved across the room, “that you are not in secret?” - -“I do not understand the meaning of the term, but I have heard them say -so.” - -“Ah, what a pity! We so much regret it! But take courage; several -members of our society have been in secret, at first, and it has lasted -but a short time.” Then he added, raising his voice, “I grieve to inform -the society--in secret.” - -There was a murmur of commiseration as Charles Darnay crossed the room -to a grated door where the gaoler awaited him, and many voices--among -which, the soft and compassionate voices of women were conspicuous--gave -him good wishes and encouragement. He turned at the grated door, to -render the thanks of his heart; it closed under the gaoler's hand; and -the apparitions vanished from his sight forever. - -The wicket opened on a stone staircase, leading upward. When they had -ascended forty steps (the prisoner of half an hour already counted -them), the gaoler opened a low black door, and they passed into a -solitary cell. It struck cold and damp, but was not dark. - -“Yours,” said the gaoler. - -“Why am I confined alone?” - -“How do I know!” - -“I can buy pen, ink, and paper?” - -“Such are not my orders. You will be visited, and can ask then. At -present, you may buy your food, and nothing more.” - -There were in the cell, a chair, a table, and a straw mattress. As -the gaoler made a general inspection of these objects, and of the four -walls, before going out, a wandering fancy wandered through the mind of -the prisoner leaning against the wall opposite to him, that this gaoler -was so unwholesomely bloated, both in face and person, as to look like -a man who had been drowned and filled with water. When the gaoler was -gone, he thought in the same wandering way, “Now am I left, as if I were -dead.” Stopping then, to look down at the mattress, he turned from it -with a sick feeling, and thought, “And here in these crawling creatures -is the first condition of the body after death.” - -“Five paces by four and a half, five paces by four and a half, five -paces by four and a half.” The prisoner walked to and fro in his cell, -counting its measurement, and the roar of the city arose like muffled -drums with a wild swell of voices added to them. “He made shoes, he made -shoes, he made shoes.” The prisoner counted the measurement again, and -paced faster, to draw his mind with him from that latter repetition. -“The ghosts that vanished when the wicket closed. There was one among -them, the appearance of a lady dressed in black, who was leaning in the -embrasure of a window, and she had a light shining upon her golden -hair, and she looked like * * * * Let us ride on again, for God's sake, -through the illuminated villages with the people all awake! * * * * He -made shoes, he made shoes, he made shoes. * * * * Five paces by four and -a half.” With such scraps tossing and rolling upward from the depths of -his mind, the prisoner walked faster and faster, obstinately counting -and counting; and the roar of the city changed to this extent--that it -still rolled in like muffled drums, but with the wail of voices that he -knew, in the swell that rose above them. - - - - -II. The Grindstone - - -Tellson's Bank, established in the Saint Germain Quarter of Paris, was -in a wing of a large house, approached by a courtyard and shut off from -the street by a high wall and a strong gate. The house belonged to -a great nobleman who had lived in it until he made a flight from the -troubles, in his own cook's dress, and got across the borders. A -mere beast of the chase flying from hunters, he was still in his -metempsychosis no other than the same Monseigneur, the preparation -of whose chocolate for whose lips had once occupied three strong men -besides the cook in question. - -Monseigneur gone, and the three strong men absolving themselves from the -sin of having drawn his high wages, by being more than ready and -willing to cut his throat on the altar of the dawning Republic one and -indivisible of Liberty, Equality, Fraternity, or Death, Monseigneur's -house had been first sequestrated, and then confiscated. For, all -things moved so fast, and decree followed decree with that fierce -precipitation, that now upon the third night of the autumn month -of September, patriot emissaries of the law were in possession of -Monseigneur's house, and had marked it with the tri-colour, and were -drinking brandy in its state apartments. - -A place of business in London like Tellson's place of business in Paris, -would soon have driven the House out of its mind and into the Gazette. -For, what would staid British responsibility and respectability have -said to orange-trees in boxes in a Bank courtyard, and even to a Cupid -over the counter? Yet such things were. Tellson's had whitewashed the -Cupid, but he was still to be seen on the ceiling, in the coolest -linen, aiming (as he very often does) at money from morning to -night. Bankruptcy must inevitably have come of this young Pagan, in -Lombard-street, London, and also of a curtained alcove in the rear of -the immortal boy, and also of a looking-glass let into the wall, and -also of clerks not at all old, who danced in public on the slightest -provocation. Yet, a French Tellson's could get on with these things -exceedingly well, and, as long as the times held together, no man had -taken fright at them, and drawn out his money. - -What money would be drawn out of Tellson's henceforth, and what would -lie there, lost and forgotten; what plate and jewels would tarnish in -Tellson's hiding-places, while the depositors rusted in prisons, -and when they should have violently perished; how many accounts with -Tellson's never to be balanced in this world, must be carried over into -the next; no man could have said, that night, any more than Mr. Jarvis -Lorry could, though he thought heavily of these questions. He sat by -a newly-lighted wood fire (the blighted and unfruitful year was -prematurely cold), and on his honest and courageous face there was a -deeper shade than the pendent lamp could throw, or any object in the -room distortedly reflect--a shade of horror. - -He occupied rooms in the Bank, in his fidelity to the House of which -he had grown to be a part, like strong root-ivy. It chanced that they -derived a kind of security from the patriotic occupation of the main -building, but the true-hearted old gentleman never calculated about -that. All such circumstances were indifferent to him, so that he did -his duty. On the opposite side of the courtyard, under a colonnade, -was extensive standing--for carriages--where, indeed, some carriages -of Monseigneur yet stood. Against two of the pillars were fastened two -great flaring flambeaux, and in the light of these, standing out in the -open air, was a large grindstone: a roughly mounted thing which appeared -to have hurriedly been brought there from some neighbouring smithy, -or other workshop. Rising and looking out of window at these harmless -objects, Mr. Lorry shivered, and retired to his seat by the fire. He had -opened, not only the glass window, but the lattice blind outside it, and -he had closed both again, and he shivered through his frame. - -From the streets beyond the high wall and the strong gate, there came -the usual night hum of the city, with now and then an indescribable ring -in it, weird and unearthly, as if some unwonted sounds of a terrible -nature were going up to Heaven. - -“Thank God,” said Mr. Lorry, clasping his hands, “that no one near and -dear to me is in this dreadful town to-night. May He have mercy on all -who are in danger!” - -Soon afterwards, the bell at the great gate sounded, and he thought, -“They have come back!” and sat listening. But, there was no loud -irruption into the courtyard, as he had expected, and he heard the gate -clash again, and all was quiet. - -The nervousness and dread that were upon him inspired that vague -uneasiness respecting the Bank, which a great change would naturally -awaken, with such feelings roused. It was well guarded, and he got up to -go among the trusty people who were watching it, when his door suddenly -opened, and two figures rushed in, at sight of which he fell back in -amazement. - -Lucie and her father! Lucie with her arms stretched out to him, and with -that old look of earnestness so concentrated and intensified, that it -seemed as though it had been stamped upon her face expressly to give -force and power to it in this one passage of her life. - -“What is this?” cried Mr. Lorry, breathless and confused. “What is the -matter? Lucie! Manette! What has happened? What has brought you here? -What is it?” - -With the look fixed upon him, in her paleness and wildness, she panted -out in his arms, imploringly, “O my dear friend! My husband!” - -“Your husband, Lucie?” - -“Charles.” - -“What of Charles?” - -“Here. - -“Here, in Paris?” - -“Has been here some days--three or four--I don't know how many--I can't -collect my thoughts. An errand of generosity brought him here unknown to -us; he was stopped at the barrier, and sent to prison.” - -The old man uttered an irrepressible cry. Almost at the same moment, the -bell of the great gate rang again, and a loud noise of feet and voices -came pouring into the courtyard. - -“What is that noise?” said the Doctor, turning towards the window. - -“Don't look!” cried Mr. Lorry. “Don't look out! Manette, for your life, -don't touch the blind!” - -The Doctor turned, with his hand upon the fastening of the window, and -said, with a cool, bold smile: - -“My dear friend, I have a charmed life in this city. I have been -a Bastille prisoner. There is no patriot in Paris--in Paris? In -France--who, knowing me to have been a prisoner in the Bastille, would -touch me, except to overwhelm me with embraces, or carry me in triumph. -My old pain has given me a power that has brought us through the -barrier, and gained us news of Charles there, and brought us here. I -knew it would be so; I knew I could help Charles out of all danger; I -told Lucie so.--What is that noise?” His hand was again upon the window. - -“Don't look!” cried Mr. Lorry, absolutely desperate. “No, Lucie, my -dear, nor you!” He got his arm round her, and held her. “Don't be so -terrified, my love. I solemnly swear to you that I know of no harm -having happened to Charles; that I had no suspicion even of his being in -this fatal place. What prison is he in?” - -“La Force!” - -“La Force! Lucie, my child, if ever you were brave and serviceable in -your life--and you were always both--you will compose yourself now, to -do exactly as I bid you; for more depends upon it than you can think, or -I can say. There is no help for you in any action on your part to-night; -you cannot possibly stir out. I say this, because what I must bid you -to do for Charles's sake, is the hardest thing to do of all. You must -instantly be obedient, still, and quiet. You must let me put you in a -room at the back here. You must leave your father and me alone for -two minutes, and as there are Life and Death in the world you must not -delay.” - -“I will be submissive to you. I see in your face that you know I can do -nothing else than this. I know you are true.” - -The old man kissed her, and hurried her into his room, and turned the -key; then, came hurrying back to the Doctor, and opened the window and -partly opened the blind, and put his hand upon the Doctor's arm, and -looked out with him into the courtyard. - -Looked out upon a throng of men and women: not enough in number, or near -enough, to fill the courtyard: not more than forty or fifty in all. The -people in possession of the house had let them in at the gate, and they -had rushed in to work at the grindstone; it had evidently been set up -there for their purpose, as in a convenient and retired spot. - -But, such awful workers, and such awful work! - -The grindstone had a double handle, and, turning at it madly were two -men, whose faces, as their long hair flapped back when the whirlings of -the grindstone brought their faces up, were more horrible and cruel than -the visages of the wildest savages in their most barbarous disguise. -False eyebrows and false moustaches were stuck upon them, and their -hideous countenances were all bloody and sweaty, and all awry with -howling, and all staring and glaring with beastly excitement and want of -sleep. As these ruffians turned and turned, their matted locks now flung -forward over their eyes, now flung backward over their necks, some women -held wine to their mouths that they might drink; and what with dropping -blood, and what with dropping wine, and what with the stream of sparks -struck out of the stone, all their wicked atmosphere seemed gore and -fire. The eye could not detect one creature in the group free from -the smear of blood. Shouldering one another to get next at the -sharpening-stone, were men stripped to the waist, with the stain all -over their limbs and bodies; men in all sorts of rags, with the stain -upon those rags; men devilishly set off with spoils of women's lace -and silk and ribbon, with the stain dyeing those trifles through -and through. Hatchets, knives, bayonets, swords, all brought to be -sharpened, were all red with it. Some of the hacked swords were tied to -the wrists of those who carried them, with strips of linen and fragments -of dress: ligatures various in kind, but all deep of the one colour. And -as the frantic wielders of these weapons snatched them from the stream -of sparks and tore away into the streets, the same red hue was red in -their frenzied eyes;--eyes which any unbrutalised beholder would have -given twenty years of life, to petrify with a well-directed gun. - -All this was seen in a moment, as the vision of a drowning man, or of -any human creature at any very great pass, could see a world if it -were there. They drew back from the window, and the Doctor looked for -explanation in his friend's ashy face. - -“They are,” Mr. Lorry whispered the words, glancing fearfully round at -the locked room, “murdering the prisoners. If you are sure of what you -say; if you really have the power you think you have--as I believe you -have--make yourself known to these devils, and get taken to La Force. It -may be too late, I don't know, but let it not be a minute later!” - -Doctor Manette pressed his hand, hastened bareheaded out of the room, -and was in the courtyard when Mr. Lorry regained the blind. - -His streaming white hair, his remarkable face, and the impetuous -confidence of his manner, as he put the weapons aside like water, -carried him in an instant to the heart of the concourse at the stone. -For a few moments there was a pause, and a hurry, and a murmur, and -the unintelligible sound of his voice; and then Mr. Lorry saw him, -surrounded by all, and in the midst of a line of twenty men long, all -linked shoulder to shoulder, and hand to shoulder, hurried out with -cries of--“Live the Bastille prisoner! Help for the Bastille prisoner's -kindred in La Force! Room for the Bastille prisoner in front there! Save -the prisoner Evremonde at La Force!” and a thousand answering shouts. - -He closed the lattice again with a fluttering heart, closed the window -and the curtain, hastened to Lucie, and told her that her father was -assisted by the people, and gone in search of her husband. He found -her child and Miss Pross with her; but, it never occurred to him to be -surprised by their appearance until a long time afterwards, when he sat -watching them in such quiet as the night knew. - -Lucie had, by that time, fallen into a stupor on the floor at his feet, -clinging to his hand. Miss Pross had laid the child down on his own -bed, and her head had gradually fallen on the pillow beside her pretty -charge. O the long, long night, with the moans of the poor wife! And O -the long, long night, with no return of her father and no tidings! - -Twice more in the darkness the bell at the great gate sounded, and the -irruption was repeated, and the grindstone whirled and spluttered. -“What is it?” cried Lucie, affrighted. “Hush! The soldiers' swords are -sharpened there,” said Mr. Lorry. “The place is national property now, -and used as a kind of armoury, my love.” - -Twice more in all; but, the last spell of work was feeble and fitful. -Soon afterwards the day began to dawn, and he softly detached himself -from the clasping hand, and cautiously looked out again. A man, so -besmeared that he might have been a sorely wounded soldier creeping back -to consciousness on a field of slain, was rising from the pavement by -the side of the grindstone, and looking about him with a vacant air. -Shortly, this worn-out murderer descried in the imperfect light one of -the carriages of Monseigneur, and, staggering to that gorgeous vehicle, -climbed in at the door, and shut himself up to take his rest on its -dainty cushions. - -The great grindstone, Earth, had turned when Mr. Lorry looked out again, -and the sun was red on the courtyard. But, the lesser grindstone stood -alone there in the calm morning air, with a red upon it that the sun had -never given, and would never take away. - - - - -III. The Shadow - - -One of the first considerations which arose in the business mind of Mr. -Lorry when business hours came round, was this:--that he had no right to -imperil Tellson's by sheltering the wife of an emigrant prisoner under -the Bank roof. His own possessions, safety, life, he would have hazarded -for Lucie and her child, without a moment's demur; but the great trust -he held was not his own, and as to that business charge he was a strict -man of business. - -At first, his mind reverted to Defarge, and he thought of finding out -the wine-shop again and taking counsel with its master in reference to -the safest dwelling-place in the distracted state of the city. But, the -same consideration that suggested him, repudiated him; he lived in the -most violent Quarter, and doubtless was influential there, and deep in -its dangerous workings. - -Noon coming, and the Doctor not returning, and every minute's delay -tending to compromise Tellson's, Mr. Lorry advised with Lucie. She said -that her father had spoken of hiring a lodging for a short term, in that -Quarter, near the Banking-house. As there was no business objection to -this, and as he foresaw that even if it were all well with Charles, and -he were to be released, he could not hope to leave the city, Mr. Lorry -went out in quest of such a lodging, and found a suitable one, high up -in a removed by-street where the closed blinds in all the other windows -of a high melancholy square of buildings marked deserted homes. - -To this lodging he at once removed Lucie and her child, and Miss Pross: -giving them what comfort he could, and much more than he had himself. -He left Jerry with them, as a figure to fill a doorway that would bear -considerable knocking on the head, and returned to his own occupations. -A disturbed and doleful mind he brought to bear upon them, and slowly -and heavily the day lagged on with him. - -It wore itself out, and wore him out with it, until the Bank closed. He -was again alone in his room of the previous night, considering what to -do next, when he heard a foot upon the stair. In a few moments, a -man stood in his presence, who, with a keenly observant look at him, -addressed him by his name. - -“Your servant,” said Mr. Lorry. “Do you know me?” - -He was a strongly made man with dark curling hair, from forty-five -to fifty years of age. For answer he repeated, without any change of -emphasis, the words: - -“Do you know me?” - -“I have seen you somewhere.” - -“Perhaps at my wine-shop?” - -Much interested and agitated, Mr. Lorry said: “You come from Doctor -Manette?” - -“Yes. I come from Doctor Manette.” - -“And what says he? What does he send me?” - -Defarge gave into his anxious hand, an open scrap of paper. It bore the -words in the Doctor's writing: - - “Charles is safe, but I cannot safely leave this place yet. - I have obtained the favour that the bearer has a short note - from Charles to his wife. Let the bearer see his wife.” - -It was dated from La Force, within an hour. - -“Will you accompany me,” said Mr. Lorry, joyfully relieved after reading -this note aloud, “to where his wife resides?” - -“Yes,” returned Defarge. - -Scarcely noticing as yet, in what a curiously reserved and mechanical -way Defarge spoke, Mr. Lorry put on his hat and they went down into the -courtyard. There, they found two women; one, knitting. - -“Madame Defarge, surely!” said Mr. Lorry, who had left her in exactly -the same attitude some seventeen years ago. - -“It is she,” observed her husband. - -“Does Madame go with us?” inquired Mr. Lorry, seeing that she moved as -they moved. - -“Yes. That she may be able to recognise the faces and know the persons. -It is for their safety.” - -Beginning to be struck by Defarge's manner, Mr. Lorry looked dubiously -at him, and led the way. Both the women followed; the second woman being -The Vengeance. - -They passed through the intervening streets as quickly as they might, -ascended the staircase of the new domicile, were admitted by Jerry, -and found Lucie weeping, alone. She was thrown into a transport by the -tidings Mr. Lorry gave her of her husband, and clasped the hand that -delivered his note--little thinking what it had been doing near him in -the night, and might, but for a chance, have done to him. - - “DEAREST,--Take courage. I am well, and your father has - influence around me. You cannot answer this. - Kiss our child for me.” - -That was all the writing. It was so much, however, to her who received -it, that she turned from Defarge to his wife, and kissed one of the -hands that knitted. It was a passionate, loving, thankful, womanly -action, but the hand made no response--dropped cold and heavy, and took -to its knitting again. - -There was something in its touch that gave Lucie a check. She stopped in -the act of putting the note in her bosom, and, with her hands yet at her -neck, looked terrified at Madame Defarge. Madame Defarge met the lifted -eyebrows and forehead with a cold, impassive stare. - -“My dear,” said Mr. Lorry, striking in to explain; “there are frequent -risings in the streets; and, although it is not likely they will ever -trouble you, Madame Defarge wishes to see those whom she has the power -to protect at such times, to the end that she may know them--that she -may identify them. I believe,” said Mr. Lorry, rather halting in his -reassuring words, as the stony manner of all the three impressed itself -upon him more and more, “I state the case, Citizen Defarge?” - -Defarge looked gloomily at his wife, and gave no other answer than a -gruff sound of acquiescence. - -“You had better, Lucie,” said Mr. Lorry, doing all he could to -propitiate, by tone and manner, “have the dear child here, and our -good Pross. Our good Pross, Defarge, is an English lady, and knows no -French.” - -The lady in question, whose rooted conviction that she was more than a -match for any foreigner, was not to be shaken by distress and, danger, -appeared with folded arms, and observed in English to The Vengeance, -whom her eyes first encountered, “Well, I am sure, Boldface! I hope -_you_ are pretty well!” She also bestowed a British cough on Madame -Defarge; but, neither of the two took much heed of her. - -“Is that his child?” said Madame Defarge, stopping in her work for the -first time, and pointing her knitting-needle at little Lucie as if it -were the finger of Fate. - -“Yes, madame,” answered Mr. Lorry; “this is our poor prisoner's darling -daughter, and only child.” - -The shadow attendant on Madame Defarge and her party seemed to fall so -threatening and dark on the child, that her mother instinctively -kneeled on the ground beside her, and held her to her breast. The -shadow attendant on Madame Defarge and her party seemed then to fall, -threatening and dark, on both the mother and the child. - -“It is enough, my husband,” said Madame Defarge. “I have seen them. We -may go.” - -But, the suppressed manner had enough of menace in it--not visible and -presented, but indistinct and withheld--to alarm Lucie into saying, as -she laid her appealing hand on Madame Defarge's dress: - -“You will be good to my poor husband. You will do him no harm. You will -help me to see him if you can?” - -“Your husband is not my business here,” returned Madame Defarge, looking -down at her with perfect composure. “It is the daughter of your father -who is my business here.” - -“For my sake, then, be merciful to my husband. For my child's sake! She -will put her hands together and pray you to be merciful. We are more -afraid of you than of these others.” - -Madame Defarge received it as a compliment, and looked at her husband. -Defarge, who had been uneasily biting his thumb-nail and looking at her, -collected his face into a sterner expression. - -“What is it that your husband says in that little letter?” asked Madame -Defarge, with a lowering smile. “Influence; he says something touching -influence?” - -“That my father,” said Lucie, hurriedly taking the paper from her -breast, but with her alarmed eyes on her questioner and not on it, “has -much influence around him.” - -“Surely it will release him!” said Madame Defarge. “Let it do so.” - -“As a wife and mother,” cried Lucie, most earnestly, “I implore you to -have pity on me and not to exercise any power that you possess, against -my innocent husband, but to use it in his behalf. O sister-woman, think -of me. As a wife and mother!” - -Madame Defarge looked, coldly as ever, at the suppliant, and said, -turning to her friend The Vengeance: - -“The wives and mothers we have been used to see, since we were as little -as this child, and much less, have not been greatly considered? We have -known _their_ husbands and fathers laid in prison and kept from them, -often enough? All our lives, we have seen our sister-women suffer, in -themselves and in their children, poverty, nakedness, hunger, thirst, -sickness, misery, oppression and neglect of all kinds?” - -“We have seen nothing else,” returned The Vengeance. - -“We have borne this a long time,” said Madame Defarge, turning her eyes -again upon Lucie. “Judge you! Is it likely that the trouble of one wife -and mother would be much to us now?” - -She resumed her knitting and went out. The Vengeance followed. Defarge -went last, and closed the door. - -“Courage, my dear Lucie,” said Mr. Lorry, as he raised her. “Courage, -courage! So far all goes well with us--much, much better than it has of -late gone with many poor souls. Cheer up, and have a thankful heart.” - -“I am not thankless, I hope, but that dreadful woman seems to throw a -shadow on me and on all my hopes.” - -“Tut, tut!” said Mr. Lorry; “what is this despondency in the brave -little breast? A shadow indeed! No substance in it, Lucie.” - -But the shadow of the manner of these Defarges was dark upon himself, -for all that, and in his secret mind it troubled him greatly. - - - - -IV. Calm in Storm - - -Doctor Manette did not return until the morning of the fourth day of his -absence. So much of what had happened in that dreadful time as could be -kept from the knowledge of Lucie was so well concealed from her, that -not until long afterwards, when France and she were far apart, did she -know that eleven hundred defenceless prisoners of both sexes and all -ages had been killed by the populace; that four days and nights had been -darkened by this deed of horror; and that the air around her had been -tainted by the slain. She only knew that there had been an attack upon -the prisons, that all political prisoners had been in danger, and that -some had been dragged out by the crowd and murdered. - -To Mr. Lorry, the Doctor communicated under an injunction of secrecy on -which he had no need to dwell, that the crowd had taken him through a -scene of carnage to the prison of La Force. That, in the prison he had -found a self-appointed Tribunal sitting, before which the prisoners were -brought singly, and by which they were rapidly ordered to be put forth -to be massacred, or to be released, or (in a few cases) to be sent back -to their cells. That, presented by his conductors to this Tribunal, he -had announced himself by name and profession as having been for eighteen -years a secret and unaccused prisoner in the Bastille; that, one of the -body so sitting in judgment had risen and identified him, and that this -man was Defarge. - -That, hereupon he had ascertained, through the registers on the table, -that his son-in-law was among the living prisoners, and had pleaded hard -to the Tribunal--of whom some members were asleep and some awake, some -dirty with murder and some clean, some sober and some not--for his life -and liberty. That, in the first frantic greetings lavished on himself as -a notable sufferer under the overthrown system, it had been accorded -to him to have Charles Darnay brought before the lawless Court, and -examined. That, he seemed on the point of being at once released, when -the tide in his favour met with some unexplained check (not intelligible -to the Doctor), which led to a few words of secret conference. That, -the man sitting as President had then informed Doctor Manette that -the prisoner must remain in custody, but should, for his sake, be held -inviolate in safe custody. That, immediately, on a signal, the prisoner -was removed to the interior of the prison again; but, that he, the -Doctor, had then so strongly pleaded for permission to remain and -assure himself that his son-in-law was, through no malice or mischance, -delivered to the concourse whose murderous yells outside the gate had -often drowned the proceedings, that he had obtained the permission, and -had remained in that Hall of Blood until the danger was over. - -The sights he had seen there, with brief snatches of food and sleep by -intervals, shall remain untold. The mad joy over the prisoners who were -saved, had astounded him scarcely less than the mad ferocity against -those who were cut to pieces. One prisoner there was, he said, who had -been discharged into the street free, but at whom a mistaken savage had -thrust a pike as he passed out. Being besought to go to him and dress -the wound, the Doctor had passed out at the same gate, and had found him -in the arms of a company of Samaritans, who were seated on the bodies -of their victims. With an inconsistency as monstrous as anything in this -awful nightmare, they had helped the healer, and tended the wounded man -with the gentlest solicitude--had made a litter for him and escorted him -carefully from the spot--had then caught up their weapons and plunged -anew into a butchery so dreadful, that the Doctor had covered his eyes -with his hands, and swooned away in the midst of it. - -As Mr. Lorry received these confidences, and as he watched the face of -his friend now sixty-two years of age, a misgiving arose within him that -such dread experiences would revive the old danger. - -But, he had never seen his friend in his present aspect: he had never -at all known him in his present character. For the first time the Doctor -felt, now, that his suffering was strength and power. For the first time -he felt that in that sharp fire, he had slowly forged the iron which -could break the prison door of his daughter's husband, and deliver him. -“It all tended to a good end, my friend; it was not mere waste and ruin. -As my beloved child was helpful in restoring me to myself, I will be -helpful now in restoring the dearest part of herself to her; by the aid -of Heaven I will do it!” Thus, Doctor Manette. And when Jarvis Lorry saw -the kindled eyes, the resolute face, the calm strong look and bearing -of the man whose life always seemed to him to have been stopped, like a -clock, for so many years, and then set going again with an energy which -had lain dormant during the cessation of its usefulness, he believed. - -Greater things than the Doctor had at that time to contend with, would -have yielded before his persevering purpose. While he kept himself -in his place, as a physician, whose business was with all degrees -of mankind, bond and free, rich and poor, bad and good, he used his -personal influence so wisely, that he was soon the inspecting physician -of three prisons, and among them of La Force. He could now assure Lucie -that her husband was no longer confined alone, but was mixed with the -general body of prisoners; he saw her husband weekly, and brought sweet -messages to her, straight from his lips; sometimes her husband himself -sent a letter to her (though never by the Doctor's hand), but she was -not permitted to write to him: for, among the many wild suspicions of -plots in the prisons, the wildest of all pointed at emigrants who were -known to have made friends or permanent connections abroad. - -This new life of the Doctor's was an anxious life, no doubt; still, the -sagacious Mr. Lorry saw that there was a new sustaining pride in it. -Nothing unbecoming tinged the pride; it was a natural and worthy one; -but he observed it as a curiosity. The Doctor knew, that up to that -time, his imprisonment had been associated in the minds of his daughter -and his friend, with his personal affliction, deprivation, and weakness. -Now that this was changed, and he knew himself to be invested through -that old trial with forces to which they both looked for Charles's -ultimate safety and deliverance, he became so far exalted by the change, -that he took the lead and direction, and required them as the weak, to -trust to him as the strong. The preceding relative positions of himself -and Lucie were reversed, yet only as the liveliest gratitude and -affection could reverse them, for he could have had no pride but in -rendering some service to her who had rendered so much to him. “All -curious to see,” thought Mr. Lorry, in his amiably shrewd way, “but all -natural and right; so, take the lead, my dear friend, and keep it; it -couldn't be in better hands.” - -But, though the Doctor tried hard, and never ceased trying, to get -Charles Darnay set at liberty, or at least to get him brought to trial, -the public current of the time set too strong and fast for him. The new -era began; the king was tried, doomed, and beheaded; the Republic of -Liberty, Equality, Fraternity, or Death, declared for victory or death -against the world in arms; the black flag waved night and day from the -great towers of Notre Dame; three hundred thousand men, summoned to rise -against the tyrants of the earth, rose from all the varying soils -of France, as if the dragon's teeth had been sown broadcast, and -had yielded fruit equally on hill and plain, on rock, in gravel, and -alluvial mud, under the bright sky of the South and under the clouds of -the North, in fell and forest, in the vineyards and the olive-grounds -and among the cropped grass and the stubble of the corn, along the -fruitful banks of the broad rivers, and in the sand of the sea-shore. -What private solicitude could rear itself against the deluge of the Year -One of Liberty--the deluge rising from below, not falling from above, -and with the windows of Heaven shut, not opened! - -There was no pause, no pity, no peace, no interval of relenting rest, no -measurement of time. Though days and nights circled as regularly as when -time was young, and the evening and morning were the first day, other -count of time there was none. Hold of it was lost in the raging fever -of a nation, as it is in the fever of one patient. Now, breaking the -unnatural silence of a whole city, the executioner showed the people the -head of the king--and now, it seemed almost in the same breath, the -head of his fair wife which had had eight weary months of imprisoned -widowhood and misery, to turn it grey. - -And yet, observing the strange law of contradiction which obtains in -all such cases, the time was long, while it flamed by so fast. A -revolutionary tribunal in the capital, and forty or fifty thousand -revolutionary committees all over the land; a law of the Suspected, -which struck away all security for liberty or life, and delivered over -any good and innocent person to any bad and guilty one; prisons gorged -with people who had committed no offence, and could obtain no hearing; -these things became the established order and nature of appointed -things, and seemed to be ancient usage before they were many weeks old. -Above all, one hideous figure grew as familiar as if it had been before -the general gaze from the foundations of the world--the figure of the -sharp female called La Guillotine. - -It was the popular theme for jests; it was the best cure for headache, -it infallibly prevented the hair from turning grey, it imparted a -peculiar delicacy to the complexion, it was the National Razor which -shaved close: who kissed La Guillotine, looked through the little window -and sneezed into the sack. It was the sign of the regeneration of the -human race. It superseded the Cross. Models of it were worn on breasts -from which the Cross was discarded, and it was bowed down to and -believed in where the Cross was denied. - -It sheared off heads so many, that it, and the ground it most polluted, -were a rotten red. It was taken to pieces, like a toy-puzzle for a young -Devil, and was put together again when the occasion wanted it. It hushed -the eloquent, struck down the powerful, abolished the beautiful and -good. Twenty-two friends of high public mark, twenty-one living and one -dead, it had lopped the heads off, in one morning, in as many minutes. -The name of the strong man of Old Scripture had descended to the chief -functionary who worked it; but, so armed, he was stronger than his -namesake, and blinder, and tore away the gates of God's own Temple every -day. - -Among these terrors, and the brood belonging to them, the Doctor walked -with a steady head: confident in his power, cautiously persistent in his -end, never doubting that he would save Lucie's husband at last. Yet the -current of the time swept by, so strong and deep, and carried the time -away so fiercely, that Charles had lain in prison one year and three -months when the Doctor was thus steady and confident. So much more -wicked and distracted had the Revolution grown in that December month, -that the rivers of the South were encumbered with the bodies of the -violently drowned by night, and prisoners were shot in lines and squares -under the southern wintry sun. Still, the Doctor walked among the -terrors with a steady head. No man better known than he, in Paris at -that day; no man in a stranger situation. Silent, humane, indispensable -in hospital and prison, using his art equally among assassins and -victims, he was a man apart. In the exercise of his skill, the -appearance and the story of the Bastille Captive removed him from all -other men. He was not suspected or brought in question, any more than if -he had indeed been recalled to life some eighteen years before, or were -a Spirit moving among mortals. - - - - -V. The Wood-Sawyer - - -One year and three months. During all that time Lucie was never -sure, from hour to hour, but that the Guillotine would strike off her -husband's head next day. Every day, through the stony streets, the -tumbrils now jolted heavily, filled with Condemned. Lovely girls; bright -women, brown-haired, black-haired, and grey; youths; stalwart men and -old; gentle born and peasant born; all red wine for La Guillotine, all -daily brought into light from the dark cellars of the loathsome prisons, -and carried to her through the streets to slake her devouring thirst. -Liberty, equality, fraternity, or death;--the last, much the easiest to -bestow, O Guillotine! - -If the suddenness of her calamity, and the whirling wheels of the time, -had stunned the Doctor's daughter into awaiting the result in idle -despair, it would but have been with her as it was with many. But, from -the hour when she had taken the white head to her fresh young bosom in -the garret of Saint Antoine, she had been true to her duties. She was -truest to them in the season of trial, as all the quietly loyal and good -will always be. - -As soon as they were established in their new residence, and her father -had entered on the routine of his avocations, she arranged the little -household as exactly as if her husband had been there. Everything had -its appointed place and its appointed time. Little Lucie she taught, -as regularly, as if they had all been united in their English home. The -slight devices with which she cheated herself into the show of a belief -that they would soon be reunited--the little preparations for his speedy -return, the setting aside of his chair and his books--these, and the -solemn prayer at night for one dear prisoner especially, among the many -unhappy souls in prison and the shadow of death--were almost the only -outspoken reliefs of her heavy mind. - -She did not greatly alter in appearance. The plain dark dresses, akin to -mourning dresses, which she and her child wore, were as neat and as well -attended to as the brighter clothes of happy days. She lost her colour, -and the old and intent expression was a constant, not an occasional, -thing; otherwise, she remained very pretty and comely. Sometimes, at -night on kissing her father, she would burst into the grief she had -repressed all day, and would say that her sole reliance, under Heaven, -was on him. He always resolutely answered: “Nothing can happen to him -without my knowledge, and I know that I can save him, Lucie.” - -They had not made the round of their changed life many weeks, when her -father said to her, on coming home one evening: - -“My dear, there is an upper window in the prison, to which Charles can -sometimes gain access at three in the afternoon. When he can get to -it--which depends on many uncertainties and incidents--he might see you -in the street, he thinks, if you stood in a certain place that I can -show you. But you will not be able to see him, my poor child, and even -if you could, it would be unsafe for you to make a sign of recognition.” - -“O show me the place, my father, and I will go there every day.” - -From that time, in all weathers, she waited there two hours. As the -clock struck two, she was there, and at four she turned resignedly away. -When it was not too wet or inclement for her child to be with her, they -went together; at other times she was alone; but, she never missed a -single day. - -It was the dark and dirty corner of a small winding street. The hovel -of a cutter of wood into lengths for burning, was the only house at that -end; all else was wall. On the third day of her being there, he noticed -her. - -“Good day, citizeness.” - -“Good day, citizen.” - -This mode of address was now prescribed by decree. It had been -established voluntarily some time ago, among the more thorough patriots; -but, was now law for everybody. - -“Walking here again, citizeness?” - -“You see me, citizen!” - -The wood-sawyer, who was a little man with a redundancy of gesture (he -had once been a mender of roads), cast a glance at the prison, pointed -at the prison, and putting his ten fingers before his face to represent -bars, peeped through them jocosely. - -“But it's not my business,” said he. And went on sawing his wood. - -Next day he was looking out for her, and accosted her the moment she -appeared. - -“What? Walking here again, citizeness?” - -“Yes, citizen.” - -“Ah! A child too! Your mother, is it not, my little citizeness?” - -“Do I say yes, mamma?” whispered little Lucie, drawing close to her. - -“Yes, dearest.” - -“Yes, citizen.” - -“Ah! But it's not my business. My work is my business. See my saw! I -call it my Little Guillotine. La, la, la; La, la, la! And off his head -comes!” - -The billet fell as he spoke, and he threw it into a basket. - -“I call myself the Samson of the firewood guillotine. See here again! -Loo, loo, loo; Loo, loo, loo! And off _her_ head comes! Now, a child. -Tickle, tickle; Pickle, pickle! And off _its_ head comes. All the -family!” - -Lucie shuddered as he threw two more billets into his basket, but it was -impossible to be there while the wood-sawyer was at work, and not be in -his sight. Thenceforth, to secure his good will, she always spoke to him -first, and often gave him drink-money, which he readily received. - -He was an inquisitive fellow, and sometimes when she had quite forgotten -him in gazing at the prison roof and grates, and in lifting her heart -up to her husband, she would come to herself to find him looking at her, -with his knee on his bench and his saw stopped in its work. “But it's -not my business!” he would generally say at those times, and would -briskly fall to his sawing again. - -In all weathers, in the snow and frost of winter, in the bitter winds of -spring, in the hot sunshine of summer, in the rains of autumn, and again -in the snow and frost of winter, Lucie passed two hours of every day at -this place; and every day on leaving it, she kissed the prison wall. -Her husband saw her (so she learned from her father) it might be once in -five or six times: it might be twice or thrice running: it might be, not -for a week or a fortnight together. It was enough that he could and did -see her when the chances served, and on that possibility she would have -waited out the day, seven days a week. - -These occupations brought her round to the December month, wherein her -father walked among the terrors with a steady head. On a lightly-snowing -afternoon she arrived at the usual corner. It was a day of some wild -rejoicing, and a festival. She had seen the houses, as she came along, -decorated with little pikes, and with little red caps stuck upon them; -also, with tricoloured ribbons; also, with the standard inscription -(tricoloured letters were the favourite), Republic One and Indivisible. -Liberty, Equality, Fraternity, or Death! - -The miserable shop of the wood-sawyer was so small, that its whole -surface furnished very indifferent space for this legend. He had got -somebody to scrawl it up for him, however, who had squeezed Death in -with most inappropriate difficulty. On his house-top, he displayed pike -and cap, as a good citizen must, and in a window he had stationed his -saw inscribed as his “Little Sainte Guillotine”--for the great sharp -female was by that time popularly canonised. His shop was shut and he -was not there, which was a relief to Lucie, and left her quite alone. - -But, he was not far off, for presently she heard a troubled movement -and a shouting coming along, which filled her with fear. A moment -afterwards, and a throng of people came pouring round the corner by the -prison wall, in the midst of whom was the wood-sawyer hand in hand with -The Vengeance. There could not be fewer than five hundred people, and -they were dancing like five thousand demons. There was no other music -than their own singing. They danced to the popular Revolution song, -keeping a ferocious time that was like a gnashing of teeth in unison. -Men and women danced together, women danced together, men danced -together, as hazard had brought them together. At first, they were a -mere storm of coarse red caps and coarse woollen rags; but, as they -filled the place, and stopped to dance about Lucie, some ghastly -apparition of a dance-figure gone raving mad arose among them. They -advanced, retreated, struck at one another's hands, clutched at one -another's heads, spun round alone, caught one another and spun round -in pairs, until many of them dropped. While those were down, the rest -linked hand in hand, and all spun round together: then the ring broke, -and in separate rings of two and four they turned and turned until they -all stopped at once, began again, struck, clutched, and tore, and then -reversed the spin, and all spun round another way. Suddenly they stopped -again, paused, struck out the time afresh, formed into lines the width -of the public way, and, with their heads low down and their hands high -up, swooped screaming off. No fight could have been half so terrible -as this dance. It was so emphatically a fallen sport--a something, once -innocent, delivered over to all devilry--a healthy pastime changed into -a means of angering the blood, bewildering the senses, and steeling the -heart. Such grace as was visible in it, made it the uglier, showing how -warped and perverted all things good by nature were become. The maidenly -bosom bared to this, the pretty almost-child's head thus distracted, the -delicate foot mincing in this slough of blood and dirt, were types of -the disjointed time. - -This was the Carmagnole. As it passed, leaving Lucie frightened and -bewildered in the doorway of the wood-sawyer's house, the feathery snow -fell as quietly and lay as white and soft, as if it had never been. - -“O my father!” for he stood before her when she lifted up the eyes she -had momentarily darkened with her hand; “such a cruel, bad sight.” - -“I know, my dear, I know. I have seen it many times. Don't be -frightened! Not one of them would harm you.” - -“I am not frightened for myself, my father. But when I think of my -husband, and the mercies of these people--” - -“We will set him above their mercies very soon. I left him climbing to -the window, and I came to tell you. There is no one here to see. You may -kiss your hand towards that highest shelving roof.” - -“I do so, father, and I send him my Soul with it!” - -“You cannot see him, my poor dear?” - -“No, father,” said Lucie, yearning and weeping as she kissed her hand, -“no.” - -A footstep in the snow. Madame Defarge. “I salute you, citizeness,” - from the Doctor. “I salute you, citizen.” This in passing. Nothing more. -Madame Defarge gone, like a shadow over the white road. - -“Give me your arm, my love. Pass from here with an air of cheerfulness -and courage, for his sake. That was well done;” they had left the spot; -“it shall not be in vain. Charles is summoned for to-morrow.” - -“For to-morrow!” - -“There is no time to lose. I am well prepared, but there are precautions -to be taken, that could not be taken until he was actually summoned -before the Tribunal. He has not received the notice yet, but I know -that he will presently be summoned for to-morrow, and removed to the -Conciergerie; I have timely information. You are not afraid?” - -She could scarcely answer, “I trust in you.” - -“Do so, implicitly. Your suspense is nearly ended, my darling; he shall -be restored to you within a few hours; I have encompassed him with every -protection. I must see Lorry.” - -He stopped. There was a heavy lumbering of wheels within hearing. They -both knew too well what it meant. One. Two. Three. Three tumbrils faring -away with their dread loads over the hushing snow. - -“I must see Lorry,” the Doctor repeated, turning her another way. - -The staunch old gentleman was still in his trust; had never left it. He -and his books were in frequent requisition as to property confiscated -and made national. What he could save for the owners, he saved. No -better man living to hold fast by what Tellson's had in keeping, and to -hold his peace. - -A murky red and yellow sky, and a rising mist from the Seine, denoted -the approach of darkness. It was almost dark when they arrived at the -Bank. The stately residence of Monseigneur was altogether blighted and -deserted. Above a heap of dust and ashes in the court, ran the letters: -National Property. Republic One and Indivisible. Liberty, Equality, -Fraternity, or Death! - -Who could that be with Mr. Lorry--the owner of the riding-coat upon the -chair--who must not be seen? From whom newly arrived, did he come out, -agitated and surprised, to take his favourite in his arms? To whom did -he appear to repeat her faltering words, when, raising his voice and -turning his head towards the door of the room from which he had issued, -he said: “Removed to the Conciergerie, and summoned for to-morrow?” - - - - -VI. Triumph - - -The dread tribunal of five Judges, Public Prosecutor, and determined -Jury, sat every day. Their lists went forth every evening, and were -read out by the gaolers of the various prisons to their prisoners. The -standard gaoler-joke was, “Come out and listen to the Evening Paper, you -inside there!” - -“Charles Evremonde, called Darnay!” - -So at last began the Evening Paper at La Force. - -When a name was called, its owner stepped apart into a spot reserved -for those who were announced as being thus fatally recorded. Charles -Evremonde, called Darnay, had reason to know the usage; he had seen -hundreds pass away so. - -His bloated gaoler, who wore spectacles to read with, glanced over them -to assure himself that he had taken his place, and went through the -list, making a similar short pause at each name. There were twenty-three -names, but only twenty were responded to; for one of the prisoners so -summoned had died in gaol and been forgotten, and two had already been -guillotined and forgotten. The list was read, in the vaulted chamber -where Darnay had seen the associated prisoners on the night of his -arrival. Every one of those had perished in the massacre; every human -creature he had since cared for and parted with, had died on the -scaffold. - -There were hurried words of farewell and kindness, but the parting was -soon over. It was the incident of every day, and the society of La Force -were engaged in the preparation of some games of forfeits and a little -concert, for that evening. They crowded to the grates and shed tears -there; but, twenty places in the projected entertainments had to be -refilled, and the time was, at best, short to the lock-up hour, when the -common rooms and corridors would be delivered over to the great dogs -who kept watch there through the night. The prisoners were far from -insensible or unfeeling; their ways arose out of the condition of the -time. Similarly, though with a subtle difference, a species of fervour -or intoxication, known, without doubt, to have led some persons to -brave the guillotine unnecessarily, and to die by it, was not mere -boastfulness, but a wild infection of the wildly shaken public mind. In -seasons of pestilence, some of us will have a secret attraction to the -disease--a terrible passing inclination to die of it. And all of us have -like wonders hidden in our breasts, only needing circumstances to evoke -them. - -The passage to the Conciergerie was short and dark; the night in its -vermin-haunted cells was long and cold. Next day, fifteen prisoners were -put to the bar before Charles Darnay's name was called. All the fifteen -were condemned, and the trials of the whole occupied an hour and a half. - -“Charles Evremonde, called Darnay,” was at length arraigned. - -His judges sat upon the Bench in feathered hats; but the rough red cap -and tricoloured cockade was the head-dress otherwise prevailing. Looking -at the Jury and the turbulent audience, he might have thought that the -usual order of things was reversed, and that the felons were trying the -honest men. The lowest, cruelest, and worst populace of a city, never -without its quantity of low, cruel, and bad, were the directing -spirits of the scene: noisily commenting, applauding, disapproving, -anticipating, and precipitating the result, without a check. Of the men, -the greater part were armed in various ways; of the women, some wore -knives, some daggers, some ate and drank as they looked on, many -knitted. Among these last, was one, with a spare piece of knitting under -her arm as she worked. She was in a front row, by the side of a man whom -he had never seen since his arrival at the Barrier, but whom he directly -remembered as Defarge. He noticed that she once or twice whispered in -his ear, and that she seemed to be his wife; but, what he most noticed -in the two figures was, that although they were posted as close to -himself as they could be, they never looked towards him. They seemed to -be waiting for something with a dogged determination, and they looked at -the Jury, but at nothing else. Under the President sat Doctor Manette, -in his usual quiet dress. As well as the prisoner could see, he and Mr. -Lorry were the only men there, unconnected with the Tribunal, who -wore their usual clothes, and had not assumed the coarse garb of the -Carmagnole. - -Charles Evremonde, called Darnay, was accused by the public prosecutor -as an emigrant, whose life was forfeit to the Republic, under the decree -which banished all emigrants on pain of Death. It was nothing that the -decree bore date since his return to France. There he was, and there was -the decree; he had been taken in France, and his head was demanded. - -“Take off his head!” cried the audience. “An enemy to the Republic!” - -The President rang his bell to silence those cries, and asked the -prisoner whether it was not true that he had lived many years in -England? - -Undoubtedly it was. - -Was he not an emigrant then? What did he call himself? - -Not an emigrant, he hoped, within the sense and spirit of the law. - -Why not? the President desired to know. - -Because he had voluntarily relinquished a title that was distasteful -to him, and a station that was distasteful to him, and had left -his country--he submitted before the word emigrant in the present -acceptation by the Tribunal was in use--to live by his own industry in -England, rather than on the industry of the overladen people of France. - -What proof had he of this? - -He handed in the names of two witnesses; Theophile Gabelle, and -Alexandre Manette. - -But he had married in England? the President reminded him. - -True, but not an English woman. - -A citizeness of France? - -Yes. By birth. - -Her name and family? - -“Lucie Manette, only daughter of Doctor Manette, the good physician who -sits there.” - -This answer had a happy effect upon the audience. Cries in exaltation -of the well-known good physician rent the hall. So capriciously were -the people moved, that tears immediately rolled down several ferocious -countenances which had been glaring at the prisoner a moment before, as -if with impatience to pluck him out into the streets and kill him. - -On these few steps of his dangerous way, Charles Darnay had set his foot -according to Doctor Manette's reiterated instructions. The same cautious -counsel directed every step that lay before him, and had prepared every -inch of his road. - -The President asked, why had he returned to France when he did, and not -sooner? - -He had not returned sooner, he replied, simply because he had no means -of living in France, save those he had resigned; whereas, in England, -he lived by giving instruction in the French language and literature. -He had returned when he did, on the pressing and written entreaty of -a French citizen, who represented that his life was endangered by his -absence. He had come back, to save a citizen's life, and to bear his -testimony, at whatever personal hazard, to the truth. Was that criminal -in the eyes of the Republic? - -The populace cried enthusiastically, “No!” and the President rang his -bell to quiet them. Which it did not, for they continued to cry “No!” - until they left off, of their own will. - -The President required the name of that citizen. The accused explained -that the citizen was his first witness. He also referred with confidence -to the citizen's letter, which had been taken from him at the Barrier, -but which he did not doubt would be found among the papers then before -the President. - -The Doctor had taken care that it should be there--had assured him that -it would be there--and at this stage of the proceedings it was produced -and read. Citizen Gabelle was called to confirm it, and did so. Citizen -Gabelle hinted, with infinite delicacy and politeness, that in the -pressure of business imposed on the Tribunal by the multitude of -enemies of the Republic with which it had to deal, he had been slightly -overlooked in his prison of the Abbaye--in fact, had rather passed out -of the Tribunal's patriotic remembrance--until three days ago; when he -had been summoned before it, and had been set at liberty on the Jury's -declaring themselves satisfied that the accusation against him was -answered, as to himself, by the surrender of the citizen Evremonde, -called Darnay. - -Doctor Manette was next questioned. His high personal popularity, -and the clearness of his answers, made a great impression; but, as he -proceeded, as he showed that the Accused was his first friend on his -release from his long imprisonment; that, the accused had remained in -England, always faithful and devoted to his daughter and himself in -their exile; that, so far from being in favour with the Aristocrat -government there, he had actually been tried for his life by it, as -the foe of England and friend of the United States--as he brought these -circumstances into view, with the greatest discretion and with the -straightforward force of truth and earnestness, the Jury and the -populace became one. At last, when he appealed by name to Monsieur -Lorry, an English gentleman then and there present, who, like himself, -had been a witness on that English trial and could corroborate his -account of it, the Jury declared that they had heard enough, and that -they were ready with their votes if the President were content to -receive them. - -At every vote (the Jurymen voted aloud and individually), the populace -set up a shout of applause. All the voices were in the prisoner's -favour, and the President declared him free. - -Then, began one of those extraordinary scenes with which the populace -sometimes gratified their fickleness, or their better impulses towards -generosity and mercy, or which they regarded as some set-off against -their swollen account of cruel rage. No man can decide now to which of -these motives such extraordinary scenes were referable; it is probable, -to a blending of all the three, with the second predominating. No sooner -was the acquittal pronounced, than tears were shed as freely as blood -at another time, and such fraternal embraces were bestowed upon the -prisoner by as many of both sexes as could rush at him, that after -his long and unwholesome confinement he was in danger of fainting from -exhaustion; none the less because he knew very well, that the very same -people, carried by another current, would have rushed at him with -the very same intensity, to rend him to pieces and strew him over the -streets. - -His removal, to make way for other accused persons who were to be tried, -rescued him from these caresses for the moment. Five were to be tried -together, next, as enemies of the Republic, forasmuch as they had not -assisted it by word or deed. So quick was the Tribunal to compensate -itself and the nation for a chance lost, that these five came down to -him before he left the place, condemned to die within twenty-four -hours. The first of them told him so, with the customary prison sign -of Death--a raised finger--and they all added in words, “Long live the -Republic!” - -The five had had, it is true, no audience to lengthen their proceedings, -for when he and Doctor Manette emerged from the gate, there was a great -crowd about it, in which there seemed to be every face he had seen in -Court--except two, for which he looked in vain. On his coming out, the -concourse made at him anew, weeping, embracing, and shouting, all by -turns and all together, until the very tide of the river on the bank of -which the mad scene was acted, seemed to run mad, like the people on the -shore. - -They put him into a great chair they had among them, and which they had -taken either out of the Court itself, or one of its rooms or passages. -Over the chair they had thrown a red flag, and to the back of it they -had bound a pike with a red cap on its top. In this car of triumph, not -even the Doctor's entreaties could prevent his being carried to his home -on men's shoulders, with a confused sea of red caps heaving about him, -and casting up to sight from the stormy deep such wrecks of faces, that -he more than once misdoubted his mind being in confusion, and that he -was in the tumbril on his way to the Guillotine. - -In wild dreamlike procession, embracing whom they met and pointing -him out, they carried him on. Reddening the snowy streets with the -prevailing Republican colour, in winding and tramping through them, as -they had reddened them below the snow with a deeper dye, they carried -him thus into the courtyard of the building where he lived. Her father -had gone on before, to prepare her, and when her husband stood upon his -feet, she dropped insensible in his arms. - -As he held her to his heart and turned her beautiful head between his -face and the brawling crowd, so that his tears and her lips might come -together unseen, a few of the people fell to dancing. Instantly, all the -rest fell to dancing, and the courtyard overflowed with the Carmagnole. -Then, they elevated into the vacant chair a young woman from the -crowd to be carried as the Goddess of Liberty, and then swelling and -overflowing out into the adjacent streets, and along the river's bank, -and over the bridge, the Carmagnole absorbed them every one and whirled -them away. - -After grasping the Doctor's hand, as he stood victorious and proud -before him; after grasping the hand of Mr. Lorry, who came panting in -breathless from his struggle against the waterspout of the Carmagnole; -after kissing little Lucie, who was lifted up to clasp her arms round -his neck; and after embracing the ever zealous and faithful Pross who -lifted her; he took his wife in his arms, and carried her up to their -rooms. - -“Lucie! My own! I am safe.” - -“O dearest Charles, let me thank God for this on my knees as I have -prayed to Him.” - -They all reverently bowed their heads and hearts. When she was again in -his arms, he said to her: - -“And now speak to your father, dearest. No other man in all this France -could have done what he has done for me.” - -She laid her head upon her father's breast, as she had laid his poor -head on her own breast, long, long ago. He was happy in the return he -had made her, he was recompensed for his suffering, he was proud of his -strength. “You must not be weak, my darling,” he remonstrated; “don't -tremble so. I have saved him.” - - - - -VII. A Knock at the Door - - -“I have saved him.” It was not another of the dreams in which he had -often come back; he was really here. And yet his wife trembled, and a -vague but heavy fear was upon her. - -All the air round was so thick and dark, the people were so passionately -revengeful and fitful, the innocent were so constantly put to death on -vague suspicion and black malice, it was so impossible to forget that -many as blameless as her husband and as dear to others as he was to -her, every day shared the fate from which he had been clutched, that her -heart could not be as lightened of its load as she felt it ought to be. -The shadows of the wintry afternoon were beginning to fall, and even now -the dreadful carts were rolling through the streets. Her mind pursued -them, looking for him among the Condemned; and then she clung closer to -his real presence and trembled more. - -Her father, cheering her, showed a compassionate superiority to this -woman's weakness, which was wonderful to see. No garret, no shoemaking, -no One Hundred and Five, North Tower, now! He had accomplished the task -he had set himself, his promise was redeemed, he had saved Charles. Let -them all lean upon him. - -Their housekeeping was of a very frugal kind: not only because that was -the safest way of life, involving the least offence to the people, but -because they were not rich, and Charles, throughout his imprisonment, -had had to pay heavily for his bad food, and for his guard, and towards -the living of the poorer prisoners. Partly on this account, and -partly to avoid a domestic spy, they kept no servant; the citizen and -citizeness who acted as porters at the courtyard gate, rendered them -occasional service; and Jerry (almost wholly transferred to them by -Mr. Lorry) had become their daily retainer, and had his bed there every -night. - -It was an ordinance of the Republic One and Indivisible of Liberty, -Equality, Fraternity, or Death, that on the door or doorpost of every -house, the name of every inmate must be legibly inscribed in letters -of a certain size, at a certain convenient height from the ground. Mr. -Jerry Cruncher's name, therefore, duly embellished the doorpost down -below; and, as the afternoon shadows deepened, the owner of that name -himself appeared, from overlooking a painter whom Doctor Manette had -employed to add to the list the name of Charles Evremonde, called -Darnay. - -In the universal fear and distrust that darkened the time, all the usual -harmless ways of life were changed. In the Doctor's little household, as -in very many others, the articles of daily consumption that were wanted -were purchased every evening, in small quantities and at various small -shops. To avoid attracting notice, and to give as little occasion as -possible for talk and envy, was the general desire. - -For some months past, Miss Pross and Mr. Cruncher had discharged the -office of purveyors; the former carrying the money; the latter, the -basket. Every afternoon at about the time when the public lamps were -lighted, they fared forth on this duty, and made and brought home -such purchases as were needful. Although Miss Pross, through her long -association with a French family, might have known as much of their -language as of her own, if she had had a mind, she had no mind in that -direction; consequently she knew no more of that “nonsense” (as she was -pleased to call it) than Mr. Cruncher did. So her manner of marketing -was to plump a noun-substantive at the head of a shopkeeper without any -introduction in the nature of an article, and, if it happened not to be -the name of the thing she wanted, to look round for that thing, lay hold -of it, and hold on by it until the bargain was concluded. She always -made a bargain for it, by holding up, as a statement of its just price, -one finger less than the merchant held up, whatever his number might be. - -“Now, Mr. Cruncher,” said Miss Pross, whose eyes were red with felicity; -“if you are ready, I am.” - -Jerry hoarsely professed himself at Miss Pross's service. He had worn -all his rust off long ago, but nothing would file his spiky head down. - -“There's all manner of things wanted,” said Miss Pross, “and we shall -have a precious time of it. We want wine, among the rest. Nice toasts -these Redheads will be drinking, wherever we buy it.” - -“It will be much the same to your knowledge, miss, I should think,” - retorted Jerry, “whether they drink your health or the Old Un's.” - -“Who's he?” said Miss Pross. - -Mr. Cruncher, with some diffidence, explained himself as meaning “Old -Nick's.” - -“Ha!” said Miss Pross, “it doesn't need an interpreter to explain the -meaning of these creatures. They have but one, and it's Midnight Murder, -and Mischief.” - -“Hush, dear! Pray, pray, be cautious!” cried Lucie. - -“Yes, yes, yes, I'll be cautious,” said Miss Pross; “but I may say -among ourselves, that I do hope there will be no oniony and tobaccoey -smotherings in the form of embracings all round, going on in the -streets. Now, Ladybird, never you stir from that fire till I come back! -Take care of the dear husband you have recovered, and don't move your -pretty head from his shoulder as you have it now, till you see me again! -May I ask a question, Doctor Manette, before I go?” - -“I think you may take that liberty,” the Doctor answered, smiling. - -“For gracious sake, don't talk about Liberty; we have quite enough of -that,” said Miss Pross. - -“Hush, dear! Again?” Lucie remonstrated. - -“Well, my sweet,” said Miss Pross, nodding her head emphatically, “the -short and the long of it is, that I am a subject of His Most Gracious -Majesty King George the Third;” Miss Pross curtseyed at the name; “and -as such, my maxim is, Confound their politics, Frustrate their knavish -tricks, On him our hopes we fix, God save the King!” - -Mr. Cruncher, in an access of loyalty, growlingly repeated the words -after Miss Pross, like somebody at church. - -“I am glad you have so much of the Englishman in you, though I wish you -had never taken that cold in your voice,” said Miss Pross, approvingly. -“But the question, Doctor Manette. Is there”--it was the good creature's -way to affect to make light of anything that was a great anxiety -with them all, and to come at it in this chance manner--“is there any -prospect yet, of our getting out of this place?” - -“I fear not yet. It would be dangerous for Charles yet.” - -“Heigh-ho-hum!” said Miss Pross, cheerfully repressing a sigh as she -glanced at her darling's golden hair in the light of the fire, “then we -must have patience and wait: that's all. We must hold up our heads and -fight low, as my brother Solomon used to say. Now, Mr. Cruncher!--Don't -you move, Ladybird!” - -They went out, leaving Lucie, and her husband, her father, and the -child, by a bright fire. Mr. Lorry was expected back presently from the -Banking House. Miss Pross had lighted the lamp, but had put it aside in -a corner, that they might enjoy the fire-light undisturbed. Little Lucie -sat by her grandfather with her hands clasped through his arm: and he, -in a tone not rising much above a whisper, began to tell her a story of -a great and powerful Fairy who had opened a prison-wall and let out -a captive who had once done the Fairy a service. All was subdued and -quiet, and Lucie was more at ease than she had been. - -“What is that?” she cried, all at once. - -“My dear!” said her father, stopping in his story, and laying his hand -on hers, “command yourself. What a disordered state you are in! The -least thing--nothing--startles you! _You_, your father's daughter!” - -“I thought, my father,” said Lucie, excusing herself, with a pale face -and in a faltering voice, “that I heard strange feet upon the stairs.” - -“My love, the staircase is as still as Death.” - -As he said the word, a blow was struck upon the door. - -“Oh father, father. What can this be! Hide Charles. Save him!” - -“My child,” said the Doctor, rising, and laying his hand upon her -shoulder, “I _have_ saved him. What weakness is this, my dear! Let me go -to the door.” - -He took the lamp in his hand, crossed the two intervening outer rooms, -and opened it. A rude clattering of feet over the floor, and four rough -men in red caps, armed with sabres and pistols, entered the room. - -“The Citizen Evremonde, called Darnay,” said the first. - -“Who seeks him?” answered Darnay. - -“I seek him. We seek him. I know you, Evremonde; I saw you before the -Tribunal to-day. You are again the prisoner of the Republic.” - -The four surrounded him, where he stood with his wife and child clinging -to him. - -“Tell me how and why am I again a prisoner?” - -“It is enough that you return straight to the Conciergerie, and will -know to-morrow. You are summoned for to-morrow.” - -Doctor Manette, whom this visitation had so turned into stone, that he -stood with the lamp in his hand, as if he were a statue made to hold it, -moved after these words were spoken, put the lamp down, and confronting -the speaker, and taking him, not ungently, by the loose front of his red -woollen shirt, said: - -“You know him, you have said. Do you know me?” - -“Yes, I know you, Citizen Doctor.” - -“We all know you, Citizen Doctor,” said the other three. - -He looked abstractedly from one to another, and said, in a lower voice, -after a pause: - -“Will you answer his question to me then? How does this happen?” - -“Citizen Doctor,” said the first, reluctantly, “he has been denounced to -the Section of Saint Antoine. This citizen,” pointing out the second who -had entered, “is from Saint Antoine.” - -The citizen here indicated nodded his head, and added: - -“He is accused by Saint Antoine.” - -“Of what?” asked the Doctor. - -“Citizen Doctor,” said the first, with his former reluctance, “ask no -more. If the Republic demands sacrifices from you, without doubt you as -a good patriot will be happy to make them. The Republic goes before all. -The People is supreme. Evremonde, we are pressed.” - -“One word,” the Doctor entreated. “Will you tell me who denounced him?” - -“It is against rule,” answered the first; “but you can ask Him of Saint -Antoine here.” - -The Doctor turned his eyes upon that man. Who moved uneasily on his -feet, rubbed his beard a little, and at length said: - -“Well! Truly it is against rule. But he is denounced--and gravely--by -the Citizen and Citizeness Defarge. And by one other.” - -“What other?” - -“Do _you_ ask, Citizen Doctor?” - -“Yes.” - -“Then,” said he of Saint Antoine, with a strange look, “you will be -answered to-morrow. Now, I am dumb!” - - - - -VIII. A Hand at Cards - - -Happily unconscious of the new calamity at home, Miss Pross threaded her -way along the narrow streets and crossed the river by the bridge of the -Pont-Neuf, reckoning in her mind the number of indispensable purchases -she had to make. Mr. Cruncher, with the basket, walked at her side. They -both looked to the right and to the left into most of the shops they -passed, had a wary eye for all gregarious assemblages of people, and -turned out of their road to avoid any very excited group of talkers. It -was a raw evening, and the misty river, blurred to the eye with blazing -lights and to the ear with harsh noises, showed where the barges were -stationed in which the smiths worked, making guns for the Army of the -Republic. Woe to the man who played tricks with _that_ Army, or got -undeserved promotion in it! Better for him that his beard had never -grown, for the National Razor shaved him close. - -Having purchased a few small articles of grocery, and a measure of oil -for the lamp, Miss Pross bethought herself of the wine they wanted. -After peeping into several wine-shops, she stopped at the sign of the -Good Republican Brutus of Antiquity, not far from the National Palace, -once (and twice) the Tuileries, where the aspect of things rather -took her fancy. It had a quieter look than any other place of the same -description they had passed, and, though red with patriotic caps, was -not so red as the rest. Sounding Mr. Cruncher, and finding him of her -opinion, Miss Pross resorted to the Good Republican Brutus of Antiquity, -attended by her cavalier. - -Slightly observant of the smoky lights; of the people, pipe in mouth, -playing with limp cards and yellow dominoes; of the one bare-breasted, -bare-armed, soot-begrimed workman reading a journal aloud, and of -the others listening to him; of the weapons worn, or laid aside to be -resumed; of the two or three customers fallen forward asleep, who in the -popular high-shouldered shaggy black spencer looked, in that attitude, -like slumbering bears or dogs; the two outlandish customers approached -the counter, and showed what they wanted. - -As their wine was measuring out, a man parted from another man in a -corner, and rose to depart. In going, he had to face Miss Pross. No -sooner did he face her, than Miss Pross uttered a scream, and clapped -her hands. - -In a moment, the whole company were on their feet. That somebody was -assassinated by somebody vindicating a difference of opinion was the -likeliest occurrence. Everybody looked to see somebody fall, but only -saw a man and a woman standing staring at each other; the man with all -the outward aspect of a Frenchman and a thorough Republican; the woman, -evidently English. - -What was said in this disappointing anti-climax, by the disciples of the -Good Republican Brutus of Antiquity, except that it was something very -voluble and loud, would have been as so much Hebrew or Chaldean to Miss -Pross and her protector, though they had been all ears. But, they had no -ears for anything in their surprise. For, it must be recorded, that -not only was Miss Pross lost in amazement and agitation, but, -Mr. Cruncher--though it seemed on his own separate and individual -account--was in a state of the greatest wonder. - -“What is the matter?” said the man who had caused Miss Pross to scream; -speaking in a vexed, abrupt voice (though in a low tone), and in -English. - -“Oh, Solomon, dear Solomon!” cried Miss Pross, clapping her hands again. -“After not setting eyes upon you or hearing of you for so long a time, -do I find you here!” - -“Don't call me Solomon. Do you want to be the death of me?” asked the -man, in a furtive, frightened way. - -“Brother, brother!” cried Miss Pross, bursting into tears. “Have I ever -been so hard with you that you ask me such a cruel question?” - -“Then hold your meddlesome tongue,” said Solomon, “and come out, if you -want to speak to me. Pay for your wine, and come out. Who's this man?” - -Miss Pross, shaking her loving and dejected head at her by no means -affectionate brother, said through her tears, “Mr. Cruncher.” - -“Let him come out too,” said Solomon. “Does he think me a ghost?” - -Apparently, Mr. Cruncher did, to judge from his looks. He said not a -word, however, and Miss Pross, exploring the depths of her reticule -through her tears with great difficulty paid for her wine. As she did -so, Solomon turned to the followers of the Good Republican Brutus -of Antiquity, and offered a few words of explanation in the French -language, which caused them all to relapse into their former places and -pursuits. - -“Now,” said Solomon, stopping at the dark street corner, “what do you -want?” - -“How dreadfully unkind in a brother nothing has ever turned my love away -from!” cried Miss Pross, “to give me such a greeting, and show me no -affection.” - -“There. Confound it! There,” said Solomon, making a dab at Miss Pross's -lips with his own. “Now are you content?” - -Miss Pross only shook her head and wept in silence. - -“If you expect me to be surprised,” said her brother Solomon, “I am not -surprised; I knew you were here; I know of most people who are here. If -you really don't want to endanger my existence--which I half believe you -do--go your ways as soon as possible, and let me go mine. I am busy. I -am an official.” - -“My English brother Solomon,” mourned Miss Pross, casting up her -tear-fraught eyes, “that had the makings in him of one of the best and -greatest of men in his native country, an official among foreigners, and -such foreigners! I would almost sooner have seen the dear boy lying in -his--” - -“I said so!” cried her brother, interrupting. “I knew it. You want to be -the death of me. I shall be rendered Suspected, by my own sister. Just -as I am getting on!” - -“The gracious and merciful Heavens forbid!” cried Miss Pross. “Far -rather would I never see you again, dear Solomon, though I have ever -loved you truly, and ever shall. Say but one affectionate word to me, -and tell me there is nothing angry or estranged between us, and I will -detain you no longer.” - -Good Miss Pross! As if the estrangement between them had come of any -culpability of hers. As if Mr. Lorry had not known it for a fact, years -ago, in the quiet corner in Soho, that this precious brother had spent -her money and left her! - -He was saying the affectionate word, however, with a far more grudging -condescension and patronage than he could have shown if their relative -merits and positions had been reversed (which is invariably the case, -all the world over), when Mr. Cruncher, touching him on the shoulder, -hoarsely and unexpectedly interposed with the following singular -question: - -“I say! Might I ask the favour? As to whether your name is John Solomon, -or Solomon John?” - -The official turned towards him with sudden distrust. He had not -previously uttered a word. - -“Come!” said Mr. Cruncher. “Speak out, you know.” (Which, by the way, -was more than he could do himself.) “John Solomon, or Solomon John? She -calls you Solomon, and she must know, being your sister. And _I_ know -you're John, you know. Which of the two goes first? And regarding that -name of Pross, likewise. That warn't your name over the water.” - -“What do you mean?” - -“Well, I don't know all I mean, for I can't call to mind what your name -was, over the water.” - -“No?” - -“No. But I'll swear it was a name of two syllables.” - -“Indeed?” - -“Yes. T'other one's was one syllable. I know you. You was a spy--witness -at the Bailey. What, in the name of the Father of Lies, own father to -yourself, was you called at that time?” - -“Barsad,” said another voice, striking in. - -“That's the name for a thousand pound!” cried Jerry. - -The speaker who struck in, was Sydney Carton. He had his hands behind -him under the skirts of his riding-coat, and he stood at Mr. Cruncher's -elbow as negligently as he might have stood at the Old Bailey itself. - -“Don't be alarmed, my dear Miss Pross. I arrived at Mr. Lorry's, to his -surprise, yesterday evening; we agreed that I would not present myself -elsewhere until all was well, or unless I could be useful; I present -myself here, to beg a little talk with your brother. I wish you had a -better employed brother than Mr. Barsad. I wish for your sake Mr. Barsad -was not a Sheep of the Prisons.” - -Sheep was a cant word of the time for a spy, under the gaolers. The spy, -who was pale, turned paler, and asked him how he dared-- - -“I'll tell you,” said Sydney. “I lighted on you, Mr. Barsad, coming out -of the prison of the Conciergerie while I was contemplating the walls, -an hour or more ago. You have a face to be remembered, and I remember -faces well. Made curious by seeing you in that connection, and having -a reason, to which you are no stranger, for associating you with -the misfortunes of a friend now very unfortunate, I walked in your -direction. I walked into the wine-shop here, close after you, and -sat near you. I had no difficulty in deducing from your unreserved -conversation, and the rumour openly going about among your admirers, the -nature of your calling. And gradually, what I had done at random, seemed -to shape itself into a purpose, Mr. Barsad.” - -“What purpose?” the spy asked. - -“It would be troublesome, and might be dangerous, to explain in the -street. Could you favour me, in confidence, with some minutes of your -company--at the office of Tellson's Bank, for instance?” - -“Under a threat?” - -“Oh! Did I say that?” - -“Then, why should I go there?” - -“Really, Mr. Barsad, I can't say, if you can't.” - -“Do you mean that you won't say, sir?” the spy irresolutely asked. - -“You apprehend me very clearly, Mr. Barsad. I won't.” - -Carton's negligent recklessness of manner came powerfully in aid of his -quickness and skill, in such a business as he had in his secret mind, -and with such a man as he had to do with. His practised eye saw it, and -made the most of it. - -“Now, I told you so,” said the spy, casting a reproachful look at his -sister; “if any trouble comes of this, it's your doing.” - -“Come, come, Mr. Barsad!” exclaimed Sydney. “Don't be ungrateful. -But for my great respect for your sister, I might not have led up so -pleasantly to a little proposal that I wish to make for our mutual -satisfaction. Do you go with me to the Bank?” - -“I'll hear what you have got to say. Yes, I'll go with you.” - -“I propose that we first conduct your sister safely to the corner of her -own street. Let me take your arm, Miss Pross. This is not a good city, -at this time, for you to be out in, unprotected; and as your escort -knows Mr. Barsad, I will invite him to Mr. Lorry's with us. Are we -ready? Come then!” - -Miss Pross recalled soon afterwards, and to the end of her life -remembered, that as she pressed her hands on Sydney's arm and looked up -in his face, imploring him to do no hurt to Solomon, there was a braced -purpose in the arm and a kind of inspiration in the eyes, which not only -contradicted his light manner, but changed and raised the man. She was -too much occupied then with fears for the brother who so little deserved -her affection, and with Sydney's friendly reassurances, adequately to -heed what she observed. - -They left her at the corner of the street, and Carton led the way to Mr. -Lorry's, which was within a few minutes' walk. John Barsad, or Solomon -Pross, walked at his side. - -Mr. Lorry had just finished his dinner, and was sitting before a cheery -little log or two of fire--perhaps looking into their blaze for the -picture of that younger elderly gentleman from Tellson's, who had looked -into the red coals at the Royal George at Dover, now a good many years -ago. He turned his head as they entered, and showed the surprise with -which he saw a stranger. - -“Miss Pross's brother, sir,” said Sydney. “Mr. Barsad.” - -“Barsad?” repeated the old gentleman, “Barsad? I have an association -with the name--and with the face.” - -“I told you you had a remarkable face, Mr. Barsad,” observed Carton, -coolly. “Pray sit down.” - -As he took a chair himself, he supplied the link that Mr. Lorry wanted, -by saying to him with a frown, “Witness at that trial.” Mr. Lorry -immediately remembered, and regarded his new visitor with an undisguised -look of abhorrence. - -“Mr. Barsad has been recognised by Miss Pross as the affectionate -brother you have heard of,” said Sydney, “and has acknowledged the -relationship. I pass to worse news. Darnay has been arrested again.” - -Struck with consternation, the old gentleman exclaimed, “What do you -tell me! I left him safe and free within these two hours, and am about -to return to him!” - -“Arrested for all that. When was it done, Mr. Barsad?” - -“Just now, if at all.” - -“Mr. Barsad is the best authority possible, sir,” said Sydney, “and I -have it from Mr. Barsad's communication to a friend and brother Sheep -over a bottle of wine, that the arrest has taken place. He left the -messengers at the gate, and saw them admitted by the porter. There is no -earthly doubt that he is retaken.” - -Mr. Lorry's business eye read in the speaker's face that it was loss -of time to dwell upon the point. Confused, but sensible that something -might depend on his presence of mind, he commanded himself, and was -silently attentive. - -“Now, I trust,” said Sydney to him, “that the name and influence of -Doctor Manette may stand him in as good stead to-morrow--you said he -would be before the Tribunal again to-morrow, Mr. Barsad?--” - -“Yes; I believe so.” - -“--In as good stead to-morrow as to-day. But it may not be so. I own -to you, I am shaken, Mr. Lorry, by Doctor Manette's not having had the -power to prevent this arrest.” - -“He may not have known of it beforehand,” said Mr. Lorry. - -“But that very circumstance would be alarming, when we remember how -identified he is with his son-in-law.” - -“That's true,” Mr. Lorry acknowledged, with his troubled hand at his -chin, and his troubled eyes on Carton. - -“In short,” said Sydney, “this is a desperate time, when desperate games -are played for desperate stakes. Let the Doctor play the winning game; I -will play the losing one. No man's life here is worth purchase. Any one -carried home by the people to-day, may be condemned tomorrow. Now, the -stake I have resolved to play for, in case of the worst, is a friend -in the Conciergerie. And the friend I purpose to myself to win, is Mr. -Barsad.” - -“You need have good cards, sir,” said the spy. - -“I'll run them over. I'll see what I hold,--Mr. Lorry, you know what a -brute I am; I wish you'd give me a little brandy.” - -It was put before him, and he drank off a glassful--drank off another -glassful--pushed the bottle thoughtfully away. - -“Mr. Barsad,” he went on, in the tone of one who really was looking -over a hand at cards: “Sheep of the prisons, emissary of Republican -committees, now turnkey, now prisoner, always spy and secret informer, -so much the more valuable here for being English that an Englishman -is less open to suspicion of subornation in those characters than a -Frenchman, represents himself to his employers under a false name. -That's a very good card. Mr. Barsad, now in the employ of the republican -French government, was formerly in the employ of the aristocratic -English government, the enemy of France and freedom. That's an excellent -card. Inference clear as day in this region of suspicion, that Mr. -Barsad, still in the pay of the aristocratic English government, is the -spy of Pitt, the treacherous foe of the Republic crouching in its bosom, -the English traitor and agent of all mischief so much spoken of and so -difficult to find. That's a card not to be beaten. Have you followed my -hand, Mr. Barsad?” - -“Not to understand your play,” returned the spy, somewhat uneasily. - -“I play my Ace, Denunciation of Mr. Barsad to the nearest Section -Committee. Look over your hand, Mr. Barsad, and see what you have. Don't -hurry.” - -He drew the bottle near, poured out another glassful of brandy, and -drank it off. He saw that the spy was fearful of his drinking himself -into a fit state for the immediate denunciation of him. Seeing it, he -poured out and drank another glassful. - -“Look over your hand carefully, Mr. Barsad. Take time.” - -It was a poorer hand than he suspected. Mr. Barsad saw losing cards -in it that Sydney Carton knew nothing of. Thrown out of his honourable -employment in England, through too much unsuccessful hard swearing -there--not because he was not wanted there; our English reasons for -vaunting our superiority to secrecy and spies are of very modern -date--he knew that he had crossed the Channel, and accepted service in -France: first, as a tempter and an eavesdropper among his own countrymen -there: gradually, as a tempter and an eavesdropper among the natives. He -knew that under the overthrown government he had been a spy upon Saint -Antoine and Defarge's wine-shop; had received from the watchful police -such heads of information concerning Doctor Manette's imprisonment, -release, and history, as should serve him for an introduction to -familiar conversation with the Defarges; and tried them on Madame -Defarge, and had broken down with them signally. He always remembered -with fear and trembling, that that terrible woman had knitted when he -talked with her, and had looked ominously at him as her fingers moved. -He had since seen her, in the Section of Saint Antoine, over and over -again produce her knitted registers, and denounce people whose lives the -guillotine then surely swallowed up. He knew, as every one employed as -he was did, that he was never safe; that flight was impossible; that -he was tied fast under the shadow of the axe; and that in spite of -his utmost tergiversation and treachery in furtherance of the reigning -terror, a word might bring it down upon him. Once denounced, and on such -grave grounds as had just now been suggested to his mind, he foresaw -that the dreadful woman of whose unrelenting character he had seen many -proofs, would produce against him that fatal register, and would quash -his last chance of life. Besides that all secret men are men soon -terrified, here were surely cards enough of one black suit, to justify -the holder in growing rather livid as he turned them over. - -“You scarcely seem to like your hand,” said Sydney, with the greatest -composure. “Do you play?” - -“I think, sir,” said the spy, in the meanest manner, as he turned to Mr. -Lorry, “I may appeal to a gentleman of your years and benevolence, to -put it to this other gentleman, so much your junior, whether he can -under any circumstances reconcile it to his station to play that Ace -of which he has spoken. I admit that _I_ am a spy, and that it is -considered a discreditable station--though it must be filled by -somebody; but this gentleman is no spy, and why should he so demean -himself as to make himself one?” - -“I play my Ace, Mr. Barsad,” said Carton, taking the answer on himself, -and looking at his watch, “without any scruple, in a very few minutes.” - -“I should have hoped, gentlemen both,” said the spy, always striving to -hook Mr. Lorry into the discussion, “that your respect for my sister--” - -“I could not better testify my respect for your sister than by finally -relieving her of her brother,” said Sydney Carton. - -“You think not, sir?” - -“I have thoroughly made up my mind about it.” - -The smooth manner of the spy, curiously in dissonance with his -ostentatiously rough dress, and probably with his usual demeanour, -received such a check from the inscrutability of Carton,--who was a -mystery to wiser and honester men than he,--that it faltered here and -failed him. While he was at a loss, Carton said, resuming his former air -of contemplating cards: - -“And indeed, now I think again, I have a strong impression that I -have another good card here, not yet enumerated. That friend and -fellow-Sheep, who spoke of himself as pasturing in the country prisons; -who was he?” - -“French. You don't know him,” said the spy, quickly. - -“French, eh?” repeated Carton, musing, and not appearing to notice him -at all, though he echoed his word. “Well; he may be.” - -“Is, I assure you,” said the spy; “though it's not important.” - -“Though it's not important,” repeated Carton, in the same mechanical -way--“though it's not important--No, it's not important. No. Yet I know -the face.” - -“I think not. I am sure not. It can't be,” said the spy. - -“It-can't-be,” muttered Sydney Carton, retrospectively, and idling his -glass (which fortunately was a small one) again. “Can't-be. Spoke good -French. Yet like a foreigner, I thought?” - -“Provincial,” said the spy. - -“No. Foreign!” cried Carton, striking his open hand on the table, as a -light broke clearly on his mind. “Cly! Disguised, but the same man. We -had that man before us at the Old Bailey.” - -“Now, there you are hasty, sir,” said Barsad, with a smile that gave his -aquiline nose an extra inclination to one side; “there you really give -me an advantage over you. Cly (who I will unreservedly admit, at this -distance of time, was a partner of mine) has been dead several years. I -attended him in his last illness. He was buried in London, at the church -of Saint Pancras-in-the-Fields. His unpopularity with the blackguard -multitude at the moment prevented my following his remains, but I helped -to lay him in his coffin.” - -Here, Mr. Lorry became aware, from where he sat, of a most remarkable -goblin shadow on the wall. Tracing it to its source, he discovered it -to be caused by a sudden extraordinary rising and stiffening of all the -risen and stiff hair on Mr. Cruncher's head. - -“Let us be reasonable,” said the spy, “and let us be fair. To show you -how mistaken you are, and what an unfounded assumption yours is, I will -lay before you a certificate of Cly's burial, which I happened to have -carried in my pocket-book,” with a hurried hand he produced and opened -it, “ever since. There it is. Oh, look at it, look at it! You may take -it in your hand; it's no forgery.” - -Here, Mr. Lorry perceived the reflection on the wall to elongate, and -Mr. Cruncher rose and stepped forward. His hair could not have been more -violently on end, if it had been that moment dressed by the Cow with the -crumpled horn in the house that Jack built. - -Unseen by the spy, Mr. Cruncher stood at his side, and touched him on -the shoulder like a ghostly bailiff. - -“That there Roger Cly, master,” said Mr. Cruncher, with a taciturn and -iron-bound visage. “So _you_ put him in his coffin?” - -“I did.” - -“Who took him out of it?” - -Barsad leaned back in his chair, and stammered, “What do you mean?” - -“I mean,” said Mr. Cruncher, “that he warn't never in it. No! Not he! -I'll have my head took off, if he was ever in it.” - -The spy looked round at the two gentlemen; they both looked in -unspeakable astonishment at Jerry. - -“I tell you,” said Jerry, “that you buried paving-stones and earth in -that there coffin. Don't go and tell me that you buried Cly. It was a -take in. Me and two more knows it.” - -“How do you know it?” - -“What's that to you? Ecod!” growled Mr. Cruncher, “it's you I have got a -old grudge again, is it, with your shameful impositions upon tradesmen! -I'd catch hold of your throat and choke you for half a guinea.” - -Sydney Carton, who, with Mr. Lorry, had been lost in amazement at -this turn of the business, here requested Mr. Cruncher to moderate and -explain himself. - -“At another time, sir,” he returned, evasively, “the present time is -ill-conwenient for explainin'. What I stand to, is, that he knows well -wot that there Cly was never in that there coffin. Let him say he was, -in so much as a word of one syllable, and I'll either catch hold of his -throat and choke him for half a guinea;” Mr. Cruncher dwelt upon this as -quite a liberal offer; “or I'll out and announce him.” - -“Humph! I see one thing,” said Carton. “I hold another card, Mr. Barsad. -Impossible, here in raging Paris, with Suspicion filling the air, for -you to outlive denunciation, when you are in communication with another -aristocratic spy of the same antecedents as yourself, who, moreover, has -the mystery about him of having feigned death and come to life again! -A plot in the prisons, of the foreigner against the Republic. A strong -card--a certain Guillotine card! Do you play?” - -“No!” returned the spy. “I throw up. I confess that we were so unpopular -with the outrageous mob, that I only got away from England at the risk -of being ducked to death, and that Cly was so ferreted up and down, that -he never would have got away at all but for that sham. Though how this -man knows it was a sham, is a wonder of wonders to me.” - -“Never you trouble your head about this man,” retorted the contentious -Mr. Cruncher; “you'll have trouble enough with giving your attention to -that gentleman. And look here! Once more!”--Mr. Cruncher could not -be restrained from making rather an ostentatious parade of his -liberality--“I'd catch hold of your throat and choke you for half a -guinea.” - -The Sheep of the prisons turned from him to Sydney Carton, and said, -with more decision, “It has come to a point. I go on duty soon, and -can't overstay my time. You told me you had a proposal; what is it? -Now, it is of no use asking too much of me. Ask me to do anything in my -office, putting my head in great extra danger, and I had better trust my -life to the chances of a refusal than the chances of consent. In short, -I should make that choice. You talk of desperation. We are all desperate -here. Remember! I may denounce you if I think proper, and I can swear my -way through stone walls, and so can others. Now, what do you want with -me?” - -“Not very much. You are a turnkey at the Conciergerie?” - -“I tell you once for all, there is no such thing as an escape possible,” - said the spy, firmly. - -“Why need you tell me what I have not asked? You are a turnkey at the -Conciergerie?” - -“I am sometimes.” - -“You can be when you choose?” - -“I can pass in and out when I choose.” - -Sydney Carton filled another glass with brandy, poured it slowly out -upon the hearth, and watched it as it dropped. It being all spent, he -said, rising: - -“So far, we have spoken before these two, because it was as well that -the merits of the cards should not rest solely between you and me. Come -into the dark room here, and let us have one final word alone.” - - - - -IX. The Game Made - - -While Sydney Carton and the Sheep of the prisons were in the adjoining -dark room, speaking so low that not a sound was heard, Mr. Lorry looked -at Jerry in considerable doubt and mistrust. That honest tradesman's -manner of receiving the look, did not inspire confidence; he changed the -leg on which he rested, as often as if he had fifty of those limbs, -and were trying them all; he examined his finger-nails with a very -questionable closeness of attention; and whenever Mr. Lorry's eye caught -his, he was taken with that peculiar kind of short cough requiring the -hollow of a hand before it, which is seldom, if ever, known to be an -infirmity attendant on perfect openness of character. - -“Jerry,” said Mr. Lorry. “Come here.” - -Mr. Cruncher came forward sideways, with one of his shoulders in advance -of him. - -“What have you been, besides a messenger?” - -After some cogitation, accompanied with an intent look at his patron, -Mr. Cruncher conceived the luminous idea of replying, “Agicultooral -character.” - -“My mind misgives me much,” said Mr. Lorry, angrily shaking a forefinger -at him, “that you have used the respectable and great house of Tellson's -as a blind, and that you have had an unlawful occupation of an infamous -description. If you have, don't expect me to befriend you when you -get back to England. If you have, don't expect me to keep your secret. -Tellson's shall not be imposed upon.” - -“I hope, sir,” pleaded the abashed Mr. Cruncher, “that a gentleman like -yourself wot I've had the honour of odd jobbing till I'm grey at it, -would think twice about harming of me, even if it wos so--I don't say it -is, but even if it wos. And which it is to be took into account that if -it wos, it wouldn't, even then, be all o' one side. There'd be two sides -to it. There might be medical doctors at the present hour, a picking -up their guineas where a honest tradesman don't pick up his -fardens--fardens! no, nor yet his half fardens--half fardens! no, nor -yet his quarter--a banking away like smoke at Tellson's, and a cocking -their medical eyes at that tradesman on the sly, a going in and going -out to their own carriages--ah! equally like smoke, if not more so. -Well, that 'ud be imposing, too, on Tellson's. For you cannot sarse the -goose and not the gander. And here's Mrs. Cruncher, or leastways wos -in the Old England times, and would be to-morrow, if cause given, -a floppin' again the business to that degree as is ruinating--stark -ruinating! Whereas them medical doctors' wives don't flop--catch 'em at -it! Or, if they flop, their floppings goes in favour of more patients, -and how can you rightly have one without t'other? Then, wot with -undertakers, and wot with parish clerks, and wot with sextons, and wot -with private watchmen (all awaricious and all in it), a man wouldn't get -much by it, even if it wos so. And wot little a man did get, would never -prosper with him, Mr. Lorry. He'd never have no good of it; he'd want -all along to be out of the line, if he, could see his way out, being -once in--even if it wos so.” - -“Ugh!” cried Mr. Lorry, rather relenting, nevertheless, “I am shocked at -the sight of you.” - -“Now, what I would humbly offer to you, sir,” pursued Mr. Cruncher, -“even if it wos so, which I don't say it is--” - -“Don't prevaricate,” said Mr. Lorry. - -“No, I will _not_, sir,” returned Mr. Crunches as if nothing were -further from his thoughts or practice--“which I don't say it is--wot I -would humbly offer to you, sir, would be this. Upon that there stool, at -that there Bar, sets that there boy of mine, brought up and growed up to -be a man, wot will errand you, message you, general-light-job you, till -your heels is where your head is, if such should be your wishes. If it -wos so, which I still don't say it is (for I will not prewaricate to -you, sir), let that there boy keep his father's place, and take care of -his mother; don't blow upon that boy's father--do not do it, sir--and -let that father go into the line of the reg'lar diggin', and make amends -for what he would have undug--if it wos so--by diggin' of 'em in with -a will, and with conwictions respectin' the futur' keepin' of 'em safe. -That, Mr. Lorry,” said Mr. Cruncher, wiping his forehead with his -arm, as an announcement that he had arrived at the peroration of his -discourse, “is wot I would respectfully offer to you, sir. A man don't -see all this here a goin' on dreadful round him, in the way of Subjects -without heads, dear me, plentiful enough fur to bring the price down -to porterage and hardly that, without havin' his serious thoughts of -things. And these here would be mine, if it wos so, entreatin' of you -fur to bear in mind that wot I said just now, I up and said in the good -cause when I might have kep' it back.” - -“That at least is true,” said Mr. Lorry. “Say no more now. It may be -that I shall yet stand your friend, if you deserve it, and repent in -action--not in words. I want no more words.” - -Mr. Cruncher knuckled his forehead, as Sydney Carton and the spy -returned from the dark room. “Adieu, Mr. Barsad,” said the former; “our -arrangement thus made, you have nothing to fear from me.” - -He sat down in a chair on the hearth, over against Mr. Lorry. When they -were alone, Mr. Lorry asked him what he had done? - -“Not much. If it should go ill with the prisoner, I have ensured access -to him, once.” - -Mr. Lorry's countenance fell. - -“It is all I could do,” said Carton. “To propose too much, would be -to put this man's head under the axe, and, as he himself said, nothing -worse could happen to him if he were denounced. It was obviously the -weakness of the position. There is no help for it.” - -“But access to him,” said Mr. Lorry, “if it should go ill before the -Tribunal, will not save him.” - -“I never said it would.” - -Mr. Lorry's eyes gradually sought the fire; his sympathy with his -darling, and the heavy disappointment of his second arrest, gradually -weakened them; he was an old man now, overborne with anxiety of late, -and his tears fell. - -“You are a good man and a true friend,” said Carton, in an altered -voice. “Forgive me if I notice that you are affected. I could not see my -father weep, and sit by, careless. And I could not respect your -sorrow more, if you were my father. You are free from that misfortune, -however.” - -Though he said the last words, with a slip into his usual manner, there -was a true feeling and respect both in his tone and in his touch, -that Mr. Lorry, who had never seen the better side of him, was wholly -unprepared for. He gave him his hand, and Carton gently pressed it. - -“To return to poor Darnay,” said Carton. “Don't tell Her of this -interview, or this arrangement. It would not enable Her to go to see -him. She might think it was contrived, in case of the worse, to convey -to him the means of anticipating the sentence.” - -Mr. Lorry had not thought of that, and he looked quickly at Carton to -see if it were in his mind. It seemed to be; he returned the look, and -evidently understood it. - -“She might think a thousand things,” Carton said, “and any of them would -only add to her trouble. Don't speak of me to her. As I said to you when -I first came, I had better not see her. I can put my hand out, to do any -little helpful work for her that my hand can find to do, without that. -You are going to her, I hope? She must be very desolate to-night.” - -“I am going now, directly.” - -“I am glad of that. She has such a strong attachment to you and reliance -on you. How does she look?” - -“Anxious and unhappy, but very beautiful.” - -“Ah!” - -It was a long, grieving sound, like a sigh--almost like a sob. It -attracted Mr. Lorry's eyes to Carton's face, which was turned to the -fire. A light, or a shade (the old gentleman could not have said which), -passed from it as swiftly as a change will sweep over a hill-side on a -wild bright day, and he lifted his foot to put back one of the little -flaming logs, which was tumbling forward. He wore the white riding-coat -and top-boots, then in vogue, and the light of the fire touching their -light surfaces made him look very pale, with his long brown hair, -all untrimmed, hanging loose about him. His indifference to fire was -sufficiently remarkable to elicit a word of remonstrance from Mr. Lorry; -his boot was still upon the hot embers of the flaming log, when it had -broken under the weight of his foot. - -“I forgot it,” he said. - -Mr. Lorry's eyes were again attracted to his face. Taking note of the -wasted air which clouded the naturally handsome features, and having -the expression of prisoners' faces fresh in his mind, he was strongly -reminded of that expression. - -“And your duties here have drawn to an end, sir?” said Carton, turning -to him. - -“Yes. As I was telling you last night when Lucie came in so -unexpectedly, I have at length done all that I can do here. I hoped to -have left them in perfect safety, and then to have quitted Paris. I have -my Leave to Pass. I was ready to go.” - -They were both silent. - -“Yours is a long life to look back upon, sir?” said Carton, wistfully. - -“I am in my seventy-eighth year.” - -“You have been useful all your life; steadily and constantly occupied; -trusted, respected, and looked up to?” - -“I have been a man of business, ever since I have been a man. Indeed, I -may say that I was a man of business when a boy.” - -“See what a place you fill at seventy-eight. How many people will miss -you when you leave it empty!” - -“A solitary old bachelor,” answered Mr. Lorry, shaking his head. “There -is nobody to weep for me.” - -“How can you say that? Wouldn't She weep for you? Wouldn't her child?” - -“Yes, yes, thank God. I didn't quite mean what I said.” - -“It _is_ a thing to thank God for; is it not?” - -“Surely, surely.” - -“If you could say, with truth, to your own solitary heart, to-night, -'I have secured to myself the love and attachment, the gratitude or -respect, of no human creature; I have won myself a tender place in no -regard; I have done nothing good or serviceable to be remembered by!' -your seventy-eight years would be seventy-eight heavy curses; would they -not?” - -“You say truly, Mr. Carton; I think they would be.” - -Sydney turned his eyes again upon the fire, and, after a silence of a -few moments, said: - -“I should like to ask you:--Does your childhood seem far off? Do the -days when you sat at your mother's knee, seem days of very long ago?” - -Responding to his softened manner, Mr. Lorry answered: - -“Twenty years back, yes; at this time of my life, no. For, as I draw -closer and closer to the end, I travel in the circle, nearer and -nearer to the beginning. It seems to be one of the kind smoothings and -preparings of the way. My heart is touched now, by many remembrances -that had long fallen asleep, of my pretty young mother (and I so old!), -and by many associations of the days when what we call the World was not -so real with me, and my faults were not confirmed in me.” - -“I understand the feeling!” exclaimed Carton, with a bright flush. “And -you are the better for it?” - -“I hope so.” - -Carton terminated the conversation here, by rising to help him on with -his outer coat; “But you,” said Mr. Lorry, reverting to the theme, “you -are young.” - -“Yes,” said Carton. “I am not old, but my young way was never the way to -age. Enough of me.” - -“And of me, I am sure,” said Mr. Lorry. “Are you going out?” - -“I'll walk with you to her gate. You know my vagabond and restless -habits. If I should prowl about the streets a long time, don't be -uneasy; I shall reappear in the morning. You go to the Court to-morrow?” - -“Yes, unhappily.” - -“I shall be there, but only as one of the crowd. My Spy will find a -place for me. Take my arm, sir.” - -Mr. Lorry did so, and they went down-stairs and out in the streets. A -few minutes brought them to Mr. Lorry's destination. Carton left him -there; but lingered at a little distance, and turned back to the gate -again when it was shut, and touched it. He had heard of her going to -the prison every day. “She came out here,” he said, looking about him, -“turned this way, must have trod on these stones often. Let me follow in -her steps.” - -It was ten o'clock at night when he stood before the prison of La Force, -where she had stood hundreds of times. A little wood-sawyer, having -closed his shop, was smoking his pipe at his shop-door. - -“Good night, citizen,” said Sydney Carton, pausing in going by; for, the -man eyed him inquisitively. - -“Good night, citizen.” - -“How goes the Republic?” - -“You mean the Guillotine. Not ill. Sixty-three to-day. We shall mount -to a hundred soon. Samson and his men complain sometimes, of being -exhausted. Ha, ha, ha! He is so droll, that Samson. Such a Barber!” - -“Do you often go to see him--” - -“Shave? Always. Every day. What a barber! You have seen him at work?” - -“Never.” - -“Go and see him when he has a good batch. Figure this to yourself, -citizen; he shaved the sixty-three to-day, in less than two pipes! Less -than two pipes. Word of honour!” - -As the grinning little man held out the pipe he was smoking, to explain -how he timed the executioner, Carton was so sensible of a rising desire -to strike the life out of him, that he turned away. - -“But you are not English,” said the wood-sawyer, “though you wear -English dress?” - -“Yes,” said Carton, pausing again, and answering over his shoulder. - -“You speak like a Frenchman.” - -“I am an old student here.” - -“Aha, a perfect Frenchman! Good night, Englishman.” - -“Good night, citizen.” - -“But go and see that droll dog,” the little man persisted, calling after -him. “And take a pipe with you!” - -Sydney had not gone far out of sight, when he stopped in the middle of -the street under a glimmering lamp, and wrote with his pencil on a scrap -of paper. Then, traversing with the decided step of one who remembered -the way well, several dark and dirty streets--much dirtier than usual, -for the best public thoroughfares remained uncleansed in those times of -terror--he stopped at a chemist's shop, which the owner was closing with -his own hands. A small, dim, crooked shop, kept in a tortuous, up-hill -thoroughfare, by a small, dim, crooked man. - -Giving this citizen, too, good night, as he confronted him at his -counter, he laid the scrap of paper before him. “Whew!” the chemist -whistled softly, as he read it. “Hi! hi! hi!” - -Sydney Carton took no heed, and the chemist said: - -“For you, citizen?” - -“For me.” - -“You will be careful to keep them separate, citizen? You know the -consequences of mixing them?” - -“Perfectly.” - -Certain small packets were made and given to him. He put them, one by -one, in the breast of his inner coat, counted out the money for them, -and deliberately left the shop. “There is nothing more to do,” said he, -glancing upward at the moon, “until to-morrow. I can't sleep.” - -It was not a reckless manner, the manner in which he said these words -aloud under the fast-sailing clouds, nor was it more expressive of -negligence than defiance. It was the settled manner of a tired man, who -had wandered and struggled and got lost, but who at length struck into -his road and saw its end. - -Long ago, when he had been famous among his earliest competitors as a -youth of great promise, he had followed his father to the grave. His -mother had died, years before. These solemn words, which had been -read at his father's grave, arose in his mind as he went down the dark -streets, among the heavy shadows, with the moon and the clouds sailing -on high above him. “I am the resurrection and the life, saith the Lord: -he that believeth in me, though he were dead, yet shall he live: and -whosoever liveth and believeth in me, shall never die.” - -In a city dominated by the axe, alone at night, with natural sorrow -rising in him for the sixty-three who had been that day put to death, -and for to-morrow's victims then awaiting their doom in the prisons, -and still of to-morrow's and to-morrow's, the chain of association that -brought the words home, like a rusty old ship's anchor from the deep, -might have been easily found. He did not seek it, but repeated them and -went on. - -With a solemn interest in the lighted windows where the people were -going to rest, forgetful through a few calm hours of the horrors -surrounding them; in the towers of the churches, where no prayers -were said, for the popular revulsion had even travelled that length -of self-destruction from years of priestly impostors, plunderers, and -profligates; in the distant burial-places, reserved, as they wrote upon -the gates, for Eternal Sleep; in the abounding gaols; and in the streets -along which the sixties rolled to a death which had become so common and -material, that no sorrowful story of a haunting Spirit ever arose among -the people out of all the working of the Guillotine; with a solemn -interest in the whole life and death of the city settling down to its -short nightly pause in fury; Sydney Carton crossed the Seine again for -the lighter streets. - -Few coaches were abroad, for riders in coaches were liable to be -suspected, and gentility hid its head in red nightcaps, and put on heavy -shoes, and trudged. But, the theatres were all well filled, and the -people poured cheerfully out as he passed, and went chatting home. At -one of the theatre doors, there was a little girl with a mother, looking -for a way across the street through the mud. He carried the child over, -and before the timid arm was loosed from his neck asked her for a kiss. - -“I am the resurrection and the life, saith the Lord: he that believeth -in me, though he were dead, yet shall he live: and whosoever liveth and -believeth in me, shall never die.” - -Now, that the streets were quiet, and the night wore on, the words -were in the echoes of his feet, and were in the air. Perfectly calm -and steady, he sometimes repeated them to himself as he walked; but, he -heard them always. - -The night wore out, and, as he stood upon the bridge listening to the -water as it splashed the river-walls of the Island of Paris, where the -picturesque confusion of houses and cathedral shone bright in the light -of the moon, the day came coldly, looking like a dead face out of the -sky. Then, the night, with the moon and the stars, turned pale and died, -and for a little while it seemed as if Creation were delivered over to -Death's dominion. - -But, the glorious sun, rising, seemed to strike those words, that burden -of the night, straight and warm to his heart in its long bright rays. -And looking along them, with reverently shaded eyes, a bridge of light -appeared to span the air between him and the sun, while the river -sparkled under it. - -The strong tide, so swift, so deep, and certain, was like a congenial -friend, in the morning stillness. He walked by the stream, far from the -houses, and in the light and warmth of the sun fell asleep on the -bank. When he awoke and was afoot again, he lingered there yet a little -longer, watching an eddy that turned and turned purposeless, until the -stream absorbed it, and carried it on to the sea.--“Like me.” - -A trading-boat, with a sail of the softened colour of a dead leaf, then -glided into his view, floated by him, and died away. As its silent track -in the water disappeared, the prayer that had broken up out of his heart -for a merciful consideration of all his poor blindnesses and errors, -ended in the words, “I am the resurrection and the life.” - -Mr. Lorry was already out when he got back, and it was easy to surmise -where the good old man was gone. Sydney Carton drank nothing but a -little coffee, ate some bread, and, having washed and changed to refresh -himself, went out to the place of trial. - -The court was all astir and a-buzz, when the black sheep--whom many fell -away from in dread--pressed him into an obscure corner among the crowd. -Mr. Lorry was there, and Doctor Manette was there. She was there, -sitting beside her father. - -When her husband was brought in, she turned a look upon him, so -sustaining, so encouraging, so full of admiring love and pitying -tenderness, yet so courageous for his sake, that it called the healthy -blood into his face, brightened his glance, and animated his heart. If -there had been any eyes to notice the influence of her look, on Sydney -Carton, it would have been seen to be the same influence exactly. - -Before that unjust Tribunal, there was little or no order of procedure, -ensuring to any accused person any reasonable hearing. There could have -been no such Revolution, if all laws, forms, and ceremonies, had not -first been so monstrously abused, that the suicidal vengeance of the -Revolution was to scatter them all to the winds. - -Every eye was turned to the jury. The same determined patriots and good -republicans as yesterday and the day before, and to-morrow and the day -after. Eager and prominent among them, one man with a craving face, and -his fingers perpetually hovering about his lips, whose appearance -gave great satisfaction to the spectators. A life-thirsting, -cannibal-looking, bloody-minded juryman, the Jacques Three of St. -Antoine. The whole jury, as a jury of dogs empannelled to try the deer. - -Every eye then turned to the five judges and the public prosecutor. -No favourable leaning in that quarter to-day. A fell, uncompromising, -murderous business-meaning there. Every eye then sought some other eye -in the crowd, and gleamed at it approvingly; and heads nodded at one -another, before bending forward with a strained attention. - -Charles Evremonde, called Darnay. Released yesterday. Reaccused and -retaken yesterday. Indictment delivered to him last night. Suspected and -Denounced enemy of the Republic, Aristocrat, one of a family of tyrants, -one of a race proscribed, for that they had used their abolished -privileges to the infamous oppression of the people. Charles Evremonde, -called Darnay, in right of such proscription, absolutely Dead in Law. - -To this effect, in as few or fewer words, the Public Prosecutor. - -The President asked, was the Accused openly denounced or secretly? - -“Openly, President.” - -“By whom?” - -“Three voices. Ernest Defarge, wine-vendor of St. Antoine.” - -“Good.” - -“Therese Defarge, his wife.” - -“Good.” - -“Alexandre Manette, physician.” - -A great uproar took place in the court, and in the midst of it, Doctor -Manette was seen, pale and trembling, standing where he had been seated. - -“President, I indignantly protest to you that this is a forgery and -a fraud. You know the accused to be the husband of my daughter. My -daughter, and those dear to her, are far dearer to me than my life. Who -and where is the false conspirator who says that I denounce the husband -of my child!” - -“Citizen Manette, be tranquil. To fail in submission to the authority of -the Tribunal would be to put yourself out of Law. As to what is dearer -to you than life, nothing can be so dear to a good citizen as the -Republic.” - -Loud acclamations hailed this rebuke. The President rang his bell, and -with warmth resumed. - -“If the Republic should demand of you the sacrifice of your child -herself, you would have no duty but to sacrifice her. Listen to what is -to follow. In the meanwhile, be silent!” - -Frantic acclamations were again raised. Doctor Manette sat down, with -his eyes looking around, and his lips trembling; his daughter drew -closer to him. The craving man on the jury rubbed his hands together, -and restored the usual hand to his mouth. - -Defarge was produced, when the court was quiet enough to admit of his -being heard, and rapidly expounded the story of the imprisonment, and of -his having been a mere boy in the Doctor's service, and of the release, -and of the state of the prisoner when released and delivered to him. -This short examination followed, for the court was quick with its work. - -“You did good service at the taking of the Bastille, citizen?” - -“I believe so.” - -Here, an excited woman screeched from the crowd: “You were one of the -best patriots there. Why not say so? You were a cannonier that day -there, and you were among the first to enter the accursed fortress when -it fell. Patriots, I speak the truth!” - -It was The Vengeance who, amidst the warm commendations of the audience, -thus assisted the proceedings. The President rang his bell; but, The -Vengeance, warming with encouragement, shrieked, “I defy that bell!” - wherein she was likewise much commended. - -“Inform the Tribunal of what you did that day within the Bastille, -citizen.” - -“I knew,” said Defarge, looking down at his wife, who stood at the -bottom of the steps on which he was raised, looking steadily up at him; -“I knew that this prisoner, of whom I speak, had been confined in a cell -known as One Hundred and Five, North Tower. I knew it from himself. He -knew himself by no other name than One Hundred and Five, North Tower, -when he made shoes under my care. As I serve my gun that day, I resolve, -when the place shall fall, to examine that cell. It falls. I mount to -the cell, with a fellow-citizen who is one of the Jury, directed by a -gaoler. I examine it, very closely. In a hole in the chimney, where a -stone has been worked out and replaced, I find a written paper. This is -that written paper. I have made it my business to examine some specimens -of the writing of Doctor Manette. This is the writing of Doctor Manette. -I confide this paper, in the writing of Doctor Manette, to the hands of -the President.” - -“Let it be read.” - -In a dead silence and stillness--the prisoner under trial looking -lovingly at his wife, his wife only looking from him to look with -solicitude at her father, Doctor Manette keeping his eyes fixed on the -reader, Madame Defarge never taking hers from the prisoner, Defarge -never taking his from his feasting wife, and all the other eyes there -intent upon the Doctor, who saw none of them--the paper was read, as -follows. - - - - -X. The Substance of the Shadow - - -“I, Alexandre Manette, unfortunate physician, native of Beauvais, and -afterwards resident in Paris, write this melancholy paper in my doleful -cell in the Bastille, during the last month of the year, 1767. I write -it at stolen intervals, under every difficulty. I design to secrete it -in the wall of the chimney, where I have slowly and laboriously made a -place of concealment for it. Some pitying hand may find it there, when I -and my sorrows are dust. - -“These words are formed by the rusty iron point with which I write with -difficulty in scrapings of soot and charcoal from the chimney, mixed -with blood, in the last month of the tenth year of my captivity. Hope -has quite departed from my breast. I know from terrible warnings I have -noted in myself that my reason will not long remain unimpaired, but I -solemnly declare that I am at this time in the possession of my right -mind--that my memory is exact and circumstantial--and that I write the -truth as I shall answer for these my last recorded words, whether they -be ever read by men or not, at the Eternal Judgment-seat. - -“One cloudy moonlight night, in the third week of December (I think the -twenty-second of the month) in the year 1757, I was walking on a retired -part of the quay by the Seine for the refreshment of the frosty air, -at an hour's distance from my place of residence in the Street of the -School of Medicine, when a carriage came along behind me, driven very -fast. As I stood aside to let that carriage pass, apprehensive that it -might otherwise run me down, a head was put out at the window, and a -voice called to the driver to stop. - -“The carriage stopped as soon as the driver could rein in his horses, -and the same voice called to me by my name. I answered. The carriage -was then so far in advance of me that two gentlemen had time to open the -door and alight before I came up with it. - -“I observed that they were both wrapped in cloaks, and appeared to -conceal themselves. As they stood side by side near the carriage door, -I also observed that they both looked of about my own age, or rather -younger, and that they were greatly alike, in stature, manner, voice, -and (as far as I could see) face too. - -“'You are Doctor Manette?' said one. - -“I am.” - -“'Doctor Manette, formerly of Beauvais,' said the other; 'the young -physician, originally an expert surgeon, who within the last year or two -has made a rising reputation in Paris?' - -“'Gentlemen,' I returned, 'I am that Doctor Manette of whom you speak so -graciously.' - -“'We have been to your residence,' said the first, 'and not being -so fortunate as to find you there, and being informed that you were -probably walking in this direction, we followed, in the hope of -overtaking you. Will you please to enter the carriage?' - -“The manner of both was imperious, and they both moved, as these words -were spoken, so as to place me between themselves and the carriage door. -They were armed. I was not. - -“'Gentlemen,' said I, 'pardon me; but I usually inquire who does me -the honour to seek my assistance, and what is the nature of the case to -which I am summoned.' - -“The reply to this was made by him who had spoken second. 'Doctor, -your clients are people of condition. As to the nature of the case, -our confidence in your skill assures us that you will ascertain it for -yourself better than we can describe it. Enough. Will you please to -enter the carriage?' - -“I could do nothing but comply, and I entered it in silence. They both -entered after me--the last springing in, after putting up the steps. The -carriage turned about, and drove on at its former speed. - -“I repeat this conversation exactly as it occurred. I have no doubt that -it is, word for word, the same. I describe everything exactly as it took -place, constraining my mind not to wander from the task. Where I make -the broken marks that follow here, I leave off for the time, and put my -paper in its hiding-place. - - ***** - -“The carriage left the streets behind, passed the North Barrier, and -emerged upon the country road. At two-thirds of a league from the -Barrier--I did not estimate the distance at that time, but afterwards -when I traversed it--it struck out of the main avenue, and presently -stopped at a solitary house, We all three alighted, and walked, by -a damp soft footpath in a garden where a neglected fountain had -overflowed, to the door of the house. It was not opened immediately, in -answer to the ringing of the bell, and one of my two conductors struck -the man who opened it, with his heavy riding glove, across the face. - -“There was nothing in this action to attract my particular attention, -for I had seen common people struck more commonly than dogs. But, the -other of the two, being angry likewise, struck the man in like manner -with his arm; the look and bearing of the brothers were then so exactly -alike, that I then first perceived them to be twin brothers. - -“From the time of our alighting at the outer gate (which we found -locked, and which one of the brothers had opened to admit us, and had -relocked), I had heard cries proceeding from an upper chamber. I was -conducted to this chamber straight, the cries growing louder as we -ascended the stairs, and I found a patient in a high fever of the brain, -lying on a bed. - -“The patient was a woman of great beauty, and young; assuredly not much -past twenty. Her hair was torn and ragged, and her arms were bound to -her sides with sashes and handkerchiefs. I noticed that these bonds were -all portions of a gentleman's dress. On one of them, which was a fringed -scarf for a dress of ceremony, I saw the armorial bearings of a Noble, -and the letter E. - -“I saw this, within the first minute of my contemplation of the patient; -for, in her restless strivings she had turned over on her face on the -edge of the bed, had drawn the end of the scarf into her mouth, and was -in danger of suffocation. My first act was to put out my hand to relieve -her breathing; and in moving the scarf aside, the embroidery in the -corner caught my sight. - -“I turned her gently over, placed my hands upon her breast to calm her -and keep her down, and looked into her face. Her eyes were dilated and -wild, and she constantly uttered piercing shrieks, and repeated the -words, 'My husband, my father, and my brother!' and then counted up to -twelve, and said, 'Hush!' For an instant, and no more, she would pause -to listen, and then the piercing shrieks would begin again, and she -would repeat the cry, 'My husband, my father, and my brother!' and -would count up to twelve, and say, 'Hush!' There was no variation in the -order, or the manner. There was no cessation, but the regular moment's -pause, in the utterance of these sounds. - -“'How long,' I asked, 'has this lasted?' - -“To distinguish the brothers, I will call them the elder and the -younger; by the elder, I mean him who exercised the most authority. It -was the elder who replied, 'Since about this hour last night.' - -“'She has a husband, a father, and a brother?' - -“'A brother.' - -“'I do not address her brother?' - -“He answered with great contempt, 'No.' - -“'She has some recent association with the number twelve?' - -“The younger brother impatiently rejoined, 'With twelve o'clock?' - -“'See, gentlemen,' said I, still keeping my hands upon her breast, 'how -useless I am, as you have brought me! If I had known what I was coming -to see, I could have come provided. As it is, time must be lost. There -are no medicines to be obtained in this lonely place.' - -“The elder brother looked to the younger, who said haughtily, 'There is -a case of medicines here;' and brought it from a closet, and put it on -the table. - - ***** - -“I opened some of the bottles, smelt them, and put the stoppers to my -lips. If I had wanted to use anything save narcotic medicines that were -poisons in themselves, I would not have administered any of those. - -“'Do you doubt them?' asked the younger brother. - -“'You see, monsieur, I am going to use them,' I replied, and said no -more. - -“I made the patient swallow, with great difficulty, and after many -efforts, the dose that I desired to give. As I intended to repeat it -after a while, and as it was necessary to watch its influence, I then -sat down by the side of the bed. There was a timid and suppressed woman -in attendance (wife of the man down-stairs), who had retreated into -a corner. The house was damp and decayed, indifferently -furnished--evidently, recently occupied and temporarily used. Some thick -old hangings had been nailed up before the windows, to deaden the -sound of the shrieks. They continued to be uttered in their regular -succession, with the cry, 'My husband, my father, and my brother!' the -counting up to twelve, and 'Hush!' The frenzy was so violent, that I had -not unfastened the bandages restraining the arms; but, I had looked to -them, to see that they were not painful. The only spark of encouragement -in the case, was, that my hand upon the sufferer's breast had this much -soothing influence, that for minutes at a time it tranquillised the -figure. It had no effect upon the cries; no pendulum could be more -regular. - -“For the reason that my hand had this effect (I assume), I had sat by -the side of the bed for half an hour, with the two brothers looking on, -before the elder said: - -“'There is another patient.' - -“I was startled, and asked, 'Is it a pressing case?' - -“'You had better see,' he carelessly answered; and took up a light. - - ***** - -“The other patient lay in a back room across a second staircase, which -was a species of loft over a stable. There was a low plastered ceiling -to a part of it; the rest was open, to the ridge of the tiled roof, and -there were beams across. Hay and straw were stored in that portion of -the place, fagots for firing, and a heap of apples in sand. I had to -pass through that part, to get at the other. My memory is circumstantial -and unshaken. I try it with these details, and I see them all, in -this my cell in the Bastille, near the close of the tenth year of my -captivity, as I saw them all that night. - -“On some hay on the ground, with a cushion thrown under his head, lay a -handsome peasant boy--a boy of not more than seventeen at the most. -He lay on his back, with his teeth set, his right hand clenched on his -breast, and his glaring eyes looking straight upward. I could not see -where his wound was, as I kneeled on one knee over him; but, I could see -that he was dying of a wound from a sharp point. - -“'I am a doctor, my poor fellow,' said I. 'Let me examine it.' - -“'I do not want it examined,' he answered; 'let it be.' - -“It was under his hand, and I soothed him to let me move his hand away. -The wound was a sword-thrust, received from twenty to twenty-four hours -before, but no skill could have saved him if it had been looked to -without delay. He was then dying fast. As I turned my eyes to the elder -brother, I saw him looking down at this handsome boy whose life was -ebbing out, as if he were a wounded bird, or hare, or rabbit; not at all -as if he were a fellow-creature. - -“'How has this been done, monsieur?' said I. - -“'A crazed young common dog! A serf! Forced my brother to draw upon him, -and has fallen by my brother's sword--like a gentleman.' - -“There was no touch of pity, sorrow, or kindred humanity, in this -answer. The speaker seemed to acknowledge that it was inconvenient to -have that different order of creature dying there, and that it would -have been better if he had died in the usual obscure routine of his -vermin kind. He was quite incapable of any compassionate feeling about -the boy, or about his fate. - -“The boy's eyes had slowly moved to him as he had spoken, and they now -slowly moved to me. - -“'Doctor, they are very proud, these Nobles; but we common dogs are -proud too, sometimes. They plunder us, outrage us, beat us, kill us; but -we have a little pride left, sometimes. She--have you seen her, Doctor?' - -“The shrieks and the cries were audible there, though subdued by the -distance. He referred to them, as if she were lying in our presence. - -“I said, 'I have seen her.' - -“'She is my sister, Doctor. They have had their shameful rights, these -Nobles, in the modesty and virtue of our sisters, many years, but we -have had good girls among us. I know it, and have heard my father say -so. She was a good girl. She was betrothed to a good young man, too: a -tenant of his. We were all tenants of his--that man's who stands there. -The other is his brother, the worst of a bad race.' - -“It was with the greatest difficulty that the boy gathered bodily force -to speak; but, his spirit spoke with a dreadful emphasis. - -“'We were so robbed by that man who stands there, as all we common dogs -are by those superior Beings--taxed by him without mercy, obliged to -work for him without pay, obliged to grind our corn at his mill, obliged -to feed scores of his tame birds on our wretched crops, and forbidden -for our lives to keep a single tame bird of our own, pillaged and -plundered to that degree that when we chanced to have a bit of meat, we -ate it in fear, with the door barred and the shutters closed, that his -people should not see it and take it from us--I say, we were so robbed, -and hunted, and were made so poor, that our father told us it was a -dreadful thing to bring a child into the world, and that what we should -most pray for, was, that our women might be barren and our miserable -race die out!' - -“I had never before seen the sense of being oppressed, bursting forth -like a fire. I had supposed that it must be latent in the people -somewhere; but, I had never seen it break out, until I saw it in the -dying boy. - -“'Nevertheless, Doctor, my sister married. He was ailing at that time, -poor fellow, and she married her lover, that she might tend and comfort -him in our cottage--our dog-hut, as that man would call it. She had not -been married many weeks, when that man's brother saw her and admired -her, and asked that man to lend her to him--for what are husbands among -us! He was willing enough, but my sister was good and virtuous, and -hated his brother with a hatred as strong as mine. What did the two -then, to persuade her husband to use his influence with her, to make her -willing?' - -“The boy's eyes, which had been fixed on mine, slowly turned to the -looker-on, and I saw in the two faces that all he said was true. The two -opposing kinds of pride confronting one another, I can see, even in this -Bastille; the gentleman's, all negligent indifference; the peasant's, all -trodden-down sentiment, and passionate revenge. - -“'You know, Doctor, that it is among the Rights of these Nobles to -harness us common dogs to carts, and drive us. They so harnessed him and -drove him. You know that it is among their Rights to keep us in their -grounds all night, quieting the frogs, in order that their noble sleep -may not be disturbed. They kept him out in the unwholesome mists at -night, and ordered him back into his harness in the day. But he was -not persuaded. No! Taken out of harness one day at noon, to feed--if he -could find food--he sobbed twelve times, once for every stroke of the -bell, and died on her bosom.' - -“Nothing human could have held life in the boy but his determination to -tell all his wrong. He forced back the gathering shadows of death, as -he forced his clenched right hand to remain clenched, and to cover his -wound. - -“'Then, with that man's permission and even with his aid, his -brother took her away; in spite of what I know she must have told his -brother--and what that is, will not be long unknown to you, Doctor, if -it is now--his brother took her away--for his pleasure and diversion, -for a little while. I saw her pass me on the road. When I took the -tidings home, our father's heart burst; he never spoke one of the words -that filled it. I took my young sister (for I have another) to a place -beyond the reach of this man, and where, at least, she will never be -_his_ vassal. Then, I tracked the brother here, and last night climbed -in--a common dog, but sword in hand.--Where is the loft window? It was -somewhere here?' - -“The room was darkening to his sight; the world was narrowing around -him. I glanced about me, and saw that the hay and straw were trampled -over the floor, as if there had been a struggle. - -“'She heard me, and ran in. I told her not to come near us till he was -dead. He came in and first tossed me some pieces of money; then struck -at me with a whip. But I, though a common dog, so struck at him as to -make him draw. Let him break into as many pieces as he will, the sword -that he stained with my common blood; he drew to defend himself--thrust -at me with all his skill for his life.' - -“My glance had fallen, but a few moments before, on the fragments of -a broken sword, lying among the hay. That weapon was a gentleman's. In -another place, lay an old sword that seemed to have been a soldier's. - -“'Now, lift me up, Doctor; lift me up. Where is he?' - -“'He is not here,' I said, supporting the boy, and thinking that he -referred to the brother. - -“'He! Proud as these nobles are, he is afraid to see me. Where is the -man who was here? Turn my face to him.' - -“I did so, raising the boy's head against my knee. But, invested for the -moment with extraordinary power, he raised himself completely: obliging -me to rise too, or I could not have still supported him. - -“'Marquis,' said the boy, turned to him with his eyes opened wide, and -his right hand raised, 'in the days when all these things are to be -answered for, I summon you and yours, to the last of your bad race, to -answer for them. I mark this cross of blood upon you, as a sign that -I do it. In the days when all these things are to be answered for, -I summon your brother, the worst of the bad race, to answer for them -separately. I mark this cross of blood upon him, as a sign that I do -it.' - -“Twice, he put his hand to the wound in his breast, and with his -forefinger drew a cross in the air. He stood for an instant with the -finger yet raised, and as it dropped, he dropped with it, and I laid him -down dead. - - ***** - -“When I returned to the bedside of the young woman, I found her raving -in precisely the same order of continuity. I knew that this might last -for many hours, and that it would probably end in the silence of the -grave. - -“I repeated the medicines I had given her, and I sat at the side of -the bed until the night was far advanced. She never abated the piercing -quality of her shrieks, never stumbled in the distinctness or the order -of her words. They were always 'My husband, my father, and my brother! -One, two, three, four, five, six, seven, eight, nine, ten, eleven, -twelve. Hush!' - -“This lasted twenty-six hours from the time when I first saw her. I had -come and gone twice, and was again sitting by her, when she began to -falter. I did what little could be done to assist that opportunity, and -by-and-bye she sank into a lethargy, and lay like the dead. - -“It was as if the wind and rain had lulled at last, after a long and -fearful storm. I released her arms, and called the woman to assist me to -compose her figure and the dress she had torn. It was then that I knew -her condition to be that of one in whom the first expectations of being -a mother have arisen; and it was then that I lost the little hope I had -had of her. - -“'Is she dead?' asked the Marquis, whom I will still describe as the -elder brother, coming booted into the room from his horse. - -“'Not dead,' said I; 'but like to die.' - -“'What strength there is in these common bodies!' he said, looking down -at her with some curiosity. - -“'There is prodigious strength,' I answered him, 'in sorrow and -despair.' - -“He first laughed at my words, and then frowned at them. He moved a -chair with his foot near to mine, ordered the woman away, and said in a -subdued voice, - -“'Doctor, finding my brother in this difficulty with these hinds, I -recommended that your aid should be invited. Your reputation is high, -and, as a young man with your fortune to make, you are probably mindful -of your interest. The things that you see here, are things to be seen, -and not spoken of.' - -“I listened to the patient's breathing, and avoided answering. - -“'Do you honour me with your attention, Doctor?' - -“'Monsieur,' said I, 'in my profession, the communications of patients -are always received in confidence.' I was guarded in my answer, for I -was troubled in my mind with what I had heard and seen. - -“Her breathing was so difficult to trace, that I carefully tried the -pulse and the heart. There was life, and no more. Looking round as I -resumed my seat, I found both the brothers intent upon me. - - ***** - -“I write with so much difficulty, the cold is so severe, I am so -fearful of being detected and consigned to an underground cell and total -darkness, that I must abridge this narrative. There is no confusion or -failure in my memory; it can recall, and could detail, every word that -was ever spoken between me and those brothers. - -“She lingered for a week. Towards the last, I could understand some few -syllables that she said to me, by placing my ear close to her lips. She -asked me where she was, and I told her; who I was, and I told her. It -was in vain that I asked her for her family name. She faintly shook her -head upon the pillow, and kept her secret, as the boy had done. - -“I had no opportunity of asking her any question, until I had told the -brothers she was sinking fast, and could not live another day. Until -then, though no one was ever presented to her consciousness save the -woman and myself, one or other of them had always jealously sat behind -the curtain at the head of the bed when I was there. But when it came to -that, they seemed careless what communication I might hold with her; as -if--the thought passed through my mind--I were dying too. - -“I always observed that their pride bitterly resented the younger -brother's (as I call him) having crossed swords with a peasant, and that -peasant a boy. The only consideration that appeared to affect the mind -of either of them was the consideration that this was highly degrading -to the family, and was ridiculous. As often as I caught the younger -brother's eyes, their expression reminded me that he disliked me deeply, -for knowing what I knew from the boy. He was smoother and more polite to -me than the elder; but I saw this. I also saw that I was an incumbrance -in the mind of the elder, too. - -“My patient died, two hours before midnight--at a time, by my watch, -answering almost to the minute when I had first seen her. I was alone -with her, when her forlorn young head drooped gently on one side, and -all her earthly wrongs and sorrows ended. - -“The brothers were waiting in a room down-stairs, impatient to ride -away. I had heard them, alone at the bedside, striking their boots with -their riding-whips, and loitering up and down. - -“'At last she is dead?' said the elder, when I went in. - -“'She is dead,' said I. - -“'I congratulate you, my brother,' were his words as he turned round. - -“He had before offered me money, which I had postponed taking. He now -gave me a rouleau of gold. I took it from his hand, but laid it on -the table. I had considered the question, and had resolved to accept -nothing. - -“'Pray excuse me,' said I. 'Under the circumstances, no.' - -“They exchanged looks, but bent their heads to me as I bent mine to -them, and we parted without another word on either side. - - ***** - -“I am weary, weary, weary--worn down by misery. I cannot read what I -have written with this gaunt hand. - -“Early in the morning, the rouleau of gold was left at my door in a -little box, with my name on the outside. From the first, I had anxiously -considered what I ought to do. I decided, that day, to write privately -to the Minister, stating the nature of the two cases to which I had been -summoned, and the place to which I had gone: in effect, stating all the -circumstances. I knew what Court influence was, and what the immunities -of the Nobles were, and I expected that the matter would never be -heard of; but, I wished to relieve my own mind. I had kept the matter a -profound secret, even from my wife; and this, too, I resolved to state -in my letter. I had no apprehension whatever of my real danger; but -I was conscious that there might be danger for others, if others were -compromised by possessing the knowledge that I possessed. - -“I was much engaged that day, and could not complete my letter that -night. I rose long before my usual time next morning to finish it. -It was the last day of the year. The letter was lying before me just -completed, when I was told that a lady waited, who wished to see me. - - ***** - -“I am growing more and more unequal to the task I have set myself. It is -so cold, so dark, my senses are so benumbed, and the gloom upon me is so -dreadful. - -“The lady was young, engaging, and handsome, but not marked for long -life. She was in great agitation. She presented herself to me as the -wife of the Marquis St. Evremonde. I connected the title by which the -boy had addressed the elder brother, with the initial letter embroidered -on the scarf, and had no difficulty in arriving at the conclusion that I -had seen that nobleman very lately. - -“My memory is still accurate, but I cannot write the words of our -conversation. I suspect that I am watched more closely than I was, and I -know not at what times I may be watched. She had in part suspected, and -in part discovered, the main facts of the cruel story, of her husband's -share in it, and my being resorted to. She did not know that the girl -was dead. Her hope had been, she said in great distress, to show her, -in secret, a woman's sympathy. Her hope had been to avert the wrath of -Heaven from a House that had long been hateful to the suffering many. - -“She had reasons for believing that there was a young sister living, and -her greatest desire was, to help that sister. I could tell her nothing -but that there was such a sister; beyond that, I knew nothing. Her -inducement to come to me, relying on my confidence, had been the hope -that I could tell her the name and place of abode. Whereas, to this -wretched hour I am ignorant of both. - - ***** - -“These scraps of paper fail me. One was taken from me, with a warning, -yesterday. I must finish my record to-day. - -“She was a good, compassionate lady, and not happy in her marriage. How -could she be! The brother distrusted and disliked her, and his influence -was all opposed to her; she stood in dread of him, and in dread of her -husband too. When I handed her down to the door, there was a child, a -pretty boy from two to three years old, in her carriage. - -“'For his sake, Doctor,' she said, pointing to him in tears, 'I would do -all I can to make what poor amends I can. He will never prosper in his -inheritance otherwise. I have a presentiment that if no other innocent -atonement is made for this, it will one day be required of him. What -I have left to call my own--it is little beyond the worth of a few -jewels--I will make it the first charge of his life to bestow, with the -compassion and lamenting of his dead mother, on this injured family, if -the sister can be discovered.' - -“She kissed the boy, and said, caressing him, 'It is for thine own dear -sake. Thou wilt be faithful, little Charles?' The child answered her -bravely, 'Yes!' I kissed her hand, and she took him in her arms, and -went away caressing him. I never saw her more. - -“As she had mentioned her husband's name in the faith that I knew it, -I added no mention of it to my letter. I sealed my letter, and, not -trusting it out of my own hands, delivered it myself that day. - -“That night, the last night of the year, towards nine o'clock, a man in -a black dress rang at my gate, demanded to see me, and softly followed -my servant, Ernest Defarge, a youth, up-stairs. When my servant came -into the room where I sat with my wife--O my wife, beloved of my heart! -My fair young English wife!--we saw the man, who was supposed to be at -the gate, standing silent behind him. - -“An urgent case in the Rue St. Honore, he said. It would not detain me, -he had a coach in waiting. - -“It brought me here, it brought me to my grave. When I was clear of the -house, a black muffler was drawn tightly over my mouth from behind, and -my arms were pinioned. The two brothers crossed the road from a dark -corner, and identified me with a single gesture. The Marquis took from -his pocket the letter I had written, showed it me, burnt it in the light -of a lantern that was held, and extinguished the ashes with his foot. -Not a word was spoken. I was brought here, I was brought to my living -grave. - -“If it had pleased _God_ to put it in the hard heart of either of the -brothers, in all these frightful years, to grant me any tidings of -my dearest wife--so much as to let me know by a word whether alive or -dead--I might have thought that He had not quite abandoned them. But, -now I believe that the mark of the red cross is fatal to them, and that -they have no part in His mercies. And them and their descendants, to the -last of their race, I, Alexandre Manette, unhappy prisoner, do this last -night of the year 1767, in my unbearable agony, denounce to the times -when all these things shall be answered for. I denounce them to Heaven -and to earth.” - -A terrible sound arose when the reading of this document was done. A -sound of craving and eagerness that had nothing articulate in it but -blood. The narrative called up the most revengeful passions of the time, -and there was not a head in the nation but must have dropped before it. - -Little need, in presence of that tribunal and that auditory, to show -how the Defarges had not made the paper public, with the other captured -Bastille memorials borne in procession, and had kept it, biding their -time. Little need to show that this detested family name had long been -anathematised by Saint Antoine, and was wrought into the fatal register. -The man never trod ground whose virtues and services would have -sustained him in that place that day, against such denunciation. - -And all the worse for the doomed man, that the denouncer was a -well-known citizen, his own attached friend, the father of his wife. One -of the frenzied aspirations of the populace was, for imitations of -the questionable public virtues of antiquity, and for sacrifices and -self-immolations on the people's altar. Therefore when the President -said (else had his own head quivered on his shoulders), that the good -physician of the Republic would deserve better still of the Republic by -rooting out an obnoxious family of Aristocrats, and would doubtless feel -a sacred glow and joy in making his daughter a widow and her child an -orphan, there was wild excitement, patriotic fervour, not a touch of -human sympathy. - -“Much influence around him, has that Doctor?” murmured Madame Defarge, -smiling to The Vengeance. “Save him now, my Doctor, save him!” - -At every juryman's vote, there was a roar. Another and another. Roar and -roar. - -Unanimously voted. At heart and by descent an Aristocrat, an enemy -of the Republic, a notorious oppressor of the People. Back to the -Conciergerie, and Death within four-and-twenty hours! - - - - -XI. Dusk - - -The wretched wife of the innocent man thus doomed to die, fell under -the sentence, as if she had been mortally stricken. But, she uttered no -sound; and so strong was the voice within her, representing that it was -she of all the world who must uphold him in his misery and not augment -it, that it quickly raised her, even from that shock. - -The Judges having to take part in a public demonstration out of doors, -the Tribunal adjourned. The quick noise and movement of the court's -emptying itself by many passages had not ceased, when Lucie stood -stretching out her arms towards her husband, with nothing in her face -but love and consolation. - -“If I might touch him! If I might embrace him once! O, good citizens, if -you would have so much compassion for us!” - -There was but a gaoler left, along with two of the four men who had -taken him last night, and Barsad. The people had all poured out to the -show in the streets. Barsad proposed to the rest, “Let her embrace -him then; it is but a moment.” It was silently acquiesced in, and they -passed her over the seats in the hall to a raised place, where he, by -leaning over the dock, could fold her in his arms. - -“Farewell, dear darling of my soul. My parting blessing on my love. We -shall meet again, where the weary are at rest!” - -They were her husband's words, as he held her to his bosom. - -“I can bear it, dear Charles. I am supported from above: don't suffer -for me. A parting blessing for our child.” - -“I send it to her by you. I kiss her by you. I say farewell to her by -you.” - -“My husband. No! A moment!” He was tearing himself apart from her. -“We shall not be separated long. I feel that this will break my heart -by-and-bye; but I will do my duty while I can, and when I leave her, God -will raise up friends for her, as He did for me.” - -Her father had followed her, and would have fallen on his knees to both -of them, but that Darnay put out a hand and seized him, crying: - -“No, no! What have you done, what have you done, that you should kneel -to us! We know now, what a struggle you made of old. We know, now what -you underwent when you suspected my descent, and when you knew it. We -know now, the natural antipathy you strove against, and conquered, for -her dear sake. We thank you with all our hearts, and all our love and -duty. Heaven be with you!” - -Her father's only answer was to draw his hands through his white hair, -and wring them with a shriek of anguish. - -“It could not be otherwise,” said the prisoner. “All things have worked -together as they have fallen out. It was the always-vain endeavour to -discharge my poor mother's trust that first brought my fatal presence -near you. Good could never come of such evil, a happier end was not in -nature to so unhappy a beginning. Be comforted, and forgive me. Heaven -bless you!” - -As he was drawn away, his wife released him, and stood looking after him -with her hands touching one another in the attitude of prayer, and -with a radiant look upon her face, in which there was even a comforting -smile. As he went out at the prisoners' door, she turned, laid her head -lovingly on her father's breast, tried to speak to him, and fell at his -feet. - -Then, issuing from the obscure corner from which he had never moved, -Sydney Carton came and took her up. Only her father and Mr. Lorry were -with her. His arm trembled as it raised her, and supported her head. -Yet, there was an air about him that was not all of pity--that had a -flush of pride in it. - -“Shall I take her to a coach? I shall never feel her weight.” - -He carried her lightly to the door, and laid her tenderly down in a -coach. Her father and their old friend got into it, and he took his seat -beside the driver. - -When they arrived at the gateway where he had paused in the dark not -many hours before, to picture to himself on which of the rough stones of -the street her feet had trodden, he lifted her again, and carried her up -the staircase to their rooms. There, he laid her down on a couch, where -her child and Miss Pross wept over her. - -“Don't recall her to herself,” he said, softly, to the latter, “she is -better so. Don't revive her to consciousness, while she only faints.” - -“Oh, Carton, Carton, dear Carton!” cried little Lucie, springing up and -throwing her arms passionately round him, in a burst of grief. “Now that -you have come, I think you will do something to help mamma, something to -save papa! O, look at her, dear Carton! Can you, of all the people who -love her, bear to see her so?” - -He bent over the child, and laid her blooming cheek against his face. He -put her gently from him, and looked at her unconscious mother. - -“Before I go,” he said, and paused--“I may kiss her?” - -It was remembered afterwards that when he bent down and touched her face -with his lips, he murmured some words. The child, who was nearest to -him, told them afterwards, and told her grandchildren when she was a -handsome old lady, that she heard him say, “A life you love.” - -When he had gone out into the next room, he turned suddenly on Mr. Lorry -and her father, who were following, and said to the latter: - -“You had great influence but yesterday, Doctor Manette; let it at least -be tried. These judges, and all the men in power, are very friendly to -you, and very recognisant of your services; are they not?” - -“Nothing connected with Charles was concealed from me. I had the -strongest assurances that I should save him; and I did.” He returned the -answer in great trouble, and very slowly. - -“Try them again. The hours between this and to-morrow afternoon are few -and short, but try.” - -“I intend to try. I will not rest a moment.” - -“That's well. I have known such energy as yours do great things before -now--though never,” he added, with a smile and a sigh together, “such -great things as this. But try! Of little worth as life is when we misuse -it, it is worth that effort. It would cost nothing to lay down if it -were not.” - -“I will go,” said Doctor Manette, “to the Prosecutor and the President -straight, and I will go to others whom it is better not to name. I will -write too, and--But stay! There is a Celebration in the streets, and no -one will be accessible until dark.” - -“That's true. Well! It is a forlorn hope at the best, and not much the -forlorner for being delayed till dark. I should like to know how you -speed; though, mind! I expect nothing! When are you likely to have seen -these dread powers, Doctor Manette?” - -“Immediately after dark, I should hope. Within an hour or two from -this.” - -“It will be dark soon after four. Let us stretch the hour or two. If I -go to Mr. Lorry's at nine, shall I hear what you have done, either from -our friend or from yourself?” - -“Yes.” - -“May you prosper!” - -Mr. Lorry followed Sydney to the outer door, and, touching him on the -shoulder as he was going away, caused him to turn. - -“I have no hope,” said Mr. Lorry, in a low and sorrowful whisper. - -“Nor have I.” - -“If any one of these men, or all of these men, were disposed to spare -him--which is a large supposition; for what is his life, or any man's -to them!--I doubt if they durst spare him after the demonstration in the -court.” - -“And so do I. I heard the fall of the axe in that sound.” - -Mr. Lorry leaned his arm upon the door-post, and bowed his face upon it. - -“Don't despond,” said Carton, very gently; “don't grieve. I encouraged -Doctor Manette in this idea, because I felt that it might one day be -consolatory to her. Otherwise, she might think 'his life was wantonly -thrown away or wasted,' and that might trouble her.” - -“Yes, yes, yes,” returned Mr. Lorry, drying his eyes, “you are right. -But he will perish; there is no real hope.” - -“Yes. He will perish: there is no real hope,” echoed Carton. - -And walked with a settled step, down-stairs. - - - - -XII. Darkness - - -Sydney Carton paused in the street, not quite decided where to go. “At -Tellson's banking-house at nine,” he said, with a musing face. “Shall I -do well, in the mean time, to show myself? I think so. It is best that -these people should know there is such a man as I here; it is a sound -precaution, and may be a necessary preparation. But care, care, care! -Let me think it out!” - -Checking his steps which had begun to tend towards an object, he took a -turn or two in the already darkening street, and traced the thought -in his mind to its possible consequences. His first impression was -confirmed. “It is best,” he said, finally resolved, “that these people -should know there is such a man as I here.” And he turned his face -towards Saint Antoine. - -Defarge had described himself, that day, as the keeper of a wine-shop in -the Saint Antoine suburb. It was not difficult for one who knew the city -well, to find his house without asking any question. Having ascertained -its situation, Carton came out of those closer streets again, and dined -at a place of refreshment and fell sound asleep after dinner. For the -first time in many years, he had no strong drink. Since last night he -had taken nothing but a little light thin wine, and last night he had -dropped the brandy slowly down on Mr. Lorry's hearth like a man who had -done with it. - -It was as late as seven o'clock when he awoke refreshed, and went out -into the streets again. As he passed along towards Saint Antoine, he -stopped at a shop-window where there was a mirror, and slightly altered -the disordered arrangement of his loose cravat, and his coat-collar, and -his wild hair. This done, he went on direct to Defarge's, and went in. - -There happened to be no customer in the shop but Jacques Three, of the -restless fingers and the croaking voice. This man, whom he had seen upon -the Jury, stood drinking at the little counter, in conversation with the -Defarges, man and wife. The Vengeance assisted in the conversation, like -a regular member of the establishment. - -As Carton walked in, took his seat and asked (in very indifferent -French) for a small measure of wine, Madame Defarge cast a careless -glance at him, and then a keener, and then a keener, and then advanced -to him herself, and asked him what it was he had ordered. - -He repeated what he had already said. - -“English?” asked Madame Defarge, inquisitively raising her dark -eyebrows. - -After looking at her, as if the sound of even a single French word were -slow to express itself to him, he answered, in his former strong foreign -accent. “Yes, madame, yes. I am English!” - -Madame Defarge returned to her counter to get the wine, and, as he -took up a Jacobin journal and feigned to pore over it puzzling out its -meaning, he heard her say, “I swear to you, like Evremonde!” - -Defarge brought him the wine, and gave him Good Evening. - -“How?” - -“Good evening.” - -“Oh! Good evening, citizen,” filling his glass. “Ah! and good wine. I -drink to the Republic.” - -Defarge went back to the counter, and said, “Certainly, a little like.” - Madame sternly retorted, “I tell you a good deal like.” Jacques Three -pacifically remarked, “He is so much in your mind, see you, madame.” - The amiable Vengeance added, with a laugh, “Yes, my faith! And you -are looking forward with so much pleasure to seeing him once more -to-morrow!” - -Carton followed the lines and words of his paper, with a slow -forefinger, and with a studious and absorbed face. They were all leaning -their arms on the counter close together, speaking low. After a silence -of a few moments, during which they all looked towards him without -disturbing his outward attention from the Jacobin editor, they resumed -their conversation. - -“It is true what madame says,” observed Jacques Three. “Why stop? There -is great force in that. Why stop?” - -“Well, well,” reasoned Defarge, “but one must stop somewhere. After all, -the question is still where?” - -“At extermination,” said madame. - -“Magnificent!” croaked Jacques Three. The Vengeance, also, highly -approved. - -“Extermination is good doctrine, my wife,” said Defarge, rather -troubled; “in general, I say nothing against it. But this Doctor has -suffered much; you have seen him to-day; you have observed his face when -the paper was read.” - -“I have observed his face!” repeated madame, contemptuously and angrily. -“Yes. I have observed his face. I have observed his face to be not the -face of a true friend of the Republic. Let him take care of his face!” - -“And you have observed, my wife,” said Defarge, in a deprecatory manner, -“the anguish of his daughter, which must be a dreadful anguish to him!” - -“I have observed his daughter,” repeated madame; “yes, I have observed -his daughter, more times than one. I have observed her to-day, and I -have observed her other days. I have observed her in the court, and -I have observed her in the street by the prison. Let me but lift my -finger--!” She seemed to raise it (the listener's eyes were always on -his paper), and to let it fall with a rattle on the ledge before her, as -if the axe had dropped. - -“The citizeness is superb!” croaked the Juryman. - -“She is an Angel!” said The Vengeance, and embraced her. - -“As to thee,” pursued madame, implacably, addressing her husband, “if it -depended on thee--which, happily, it does not--thou wouldst rescue this -man even now.” - -“No!” protested Defarge. “Not if to lift this glass would do it! But I -would leave the matter there. I say, stop there.” - -“See you then, Jacques,” said Madame Defarge, wrathfully; “and see you, -too, my little Vengeance; see you both! Listen! For other crimes as -tyrants and oppressors, I have this race a long time on my register, -doomed to destruction and extermination. Ask my husband, is that so.” - -“It is so,” assented Defarge, without being asked. - -“In the beginning of the great days, when the Bastille falls, he finds -this paper of to-day, and he brings it home, and in the middle of the -night when this place is clear and shut, we read it, here on this spot, -by the light of this lamp. Ask him, is that so.” - -“It is so,” assented Defarge. - -“That night, I tell him, when the paper is read through, and the lamp is -burnt out, and the day is gleaming in above those shutters and between -those iron bars, that I have now a secret to communicate. Ask him, is -that so.” - -“It is so,” assented Defarge again. - -“I communicate to him that secret. I smite this bosom with these two -hands as I smite it now, and I tell him, 'Defarge, I was brought up -among the fishermen of the sea-shore, and that peasant family so injured -by the two Evremonde brothers, as that Bastille paper describes, is my -family. Defarge, that sister of the mortally wounded boy upon the ground -was my sister, that husband was my sister's husband, that unborn child -was their child, that brother was my brother, that father was my father, -those dead are my dead, and that summons to answer for those things -descends to me!' Ask him, is that so.” - -“It is so,” assented Defarge once more. - -“Then tell Wind and Fire where to stop,” returned madame; “but don't -tell me.” - -Both her hearers derived a horrible enjoyment from the deadly nature -of her wrath--the listener could feel how white she was, without seeing -her--and both highly commended it. Defarge, a weak minority, interposed -a few words for the memory of the compassionate wife of the Marquis; but -only elicited from his own wife a repetition of her last reply. “Tell -the Wind and the Fire where to stop; not me!” - -Customers entered, and the group was broken up. The English customer -paid for what he had had, perplexedly counted his change, and asked, as -a stranger, to be directed towards the National Palace. Madame Defarge -took him to the door, and put her arm on his, in pointing out the road. -The English customer was not without his reflections then, that it might -be a good deed to seize that arm, lift it, and strike under it sharp and -deep. - -But, he went his way, and was soon swallowed up in the shadow of the -prison wall. At the appointed hour, he emerged from it to present -himself in Mr. Lorry's room again, where he found the old gentleman -walking to and fro in restless anxiety. He said he had been with Lucie -until just now, and had only left her for a few minutes, to come and -keep his appointment. Her father had not been seen, since he quitted the -banking-house towards four o'clock. She had some faint hopes that his -mediation might save Charles, but they were very slight. He had been -more than five hours gone: where could he be? - -Mr. Lorry waited until ten; but, Doctor Manette not returning, and -he being unwilling to leave Lucie any longer, it was arranged that he -should go back to her, and come to the banking-house again at midnight. -In the meanwhile, Carton would wait alone by the fire for the Doctor. - -He waited and waited, and the clock struck twelve; but Doctor Manette -did not come back. Mr. Lorry returned, and found no tidings of him, and -brought none. Where could he be? - -They were discussing this question, and were almost building up some -weak structure of hope on his prolonged absence, when they heard him on -the stairs. The instant he entered the room, it was plain that all was -lost. - -Whether he had really been to any one, or whether he had been all that -time traversing the streets, was never known. As he stood staring at -them, they asked him no question, for his face told them everything. - -“I cannot find it,” said he, “and I must have it. Where is it?” - -His head and throat were bare, and, as he spoke with a helpless look -straying all around, he took his coat off, and let it drop on the floor. - -“Where is my bench? I have been looking everywhere for my bench, and I -can't find it. What have they done with my work? Time presses: I must -finish those shoes.” - -They looked at one another, and their hearts died within them. - -“Come, come!” said he, in a whimpering miserable way; “let me get to -work. Give me my work.” - -Receiving no answer, he tore his hair, and beat his feet upon the -ground, like a distracted child. - -“Don't torture a poor forlorn wretch,” he implored them, with a dreadful -cry; “but give me my work! What is to become of us, if those shoes are -not done to-night?” - -Lost, utterly lost! - -It was so clearly beyond hope to reason with him, or try to restore him, -that--as if by agreement--they each put a hand upon his shoulder, and -soothed him to sit down before the fire, with a promise that he should -have his work presently. He sank into the chair, and brooded over the -embers, and shed tears. As if all that had happened since the garret -time were a momentary fancy, or a dream, Mr. Lorry saw him shrink into -the exact figure that Defarge had had in keeping. - -Affected, and impressed with terror as they both were, by this spectacle -of ruin, it was not a time to yield to such emotions. His lonely -daughter, bereft of her final hope and reliance, appealed to them both -too strongly. Again, as if by agreement, they looked at one another with -one meaning in their faces. Carton was the first to speak: - -“The last chance is gone: it was not much. Yes; he had better be taken -to her. But, before you go, will you, for a moment, steadily attend to -me? Don't ask me why I make the stipulations I am going to make, and -exact the promise I am going to exact; I have a reason--a good one.” - -“I do not doubt it,” answered Mr. Lorry. “Say on.” - -The figure in the chair between them, was all the time monotonously -rocking itself to and fro, and moaning. They spoke in such a tone as -they would have used if they had been watching by a sick-bed in the -night. - -Carton stooped to pick up the coat, which lay almost entangling his -feet. As he did so, a small case in which the Doctor was accustomed to -carry the lists of his day's duties, fell lightly on the floor. Carton -took it up, and there was a folded paper in it. “We should look -at this!” he said. Mr. Lorry nodded his consent. He opened it, and -exclaimed, “Thank _God!_” - -“What is it?” asked Mr. Lorry, eagerly. - -“A moment! Let me speak of it in its place. First,” he put his hand in -his coat, and took another paper from it, “that is the certificate which -enables me to pass out of this city. Look at it. You see--Sydney Carton, -an Englishman?” - -Mr. Lorry held it open in his hand, gazing in his earnest face. - -“Keep it for me until to-morrow. I shall see him to-morrow, you -remember, and I had better not take it into the prison.” - -“Why not?” - -“I don't know; I prefer not to do so. Now, take this paper that Doctor -Manette has carried about him. It is a similar certificate, enabling him -and his daughter and her child, at any time, to pass the barrier and the -frontier! You see?” - -“Yes!” - -“Perhaps he obtained it as his last and utmost precaution against evil, -yesterday. When is it dated? But no matter; don't stay to look; put it -up carefully with mine and your own. Now, observe! I never doubted until -within this hour or two, that he had, or could have such a paper. It is -good, until recalled. But it may be soon recalled, and, I have reason to -think, will be.” - -“They are not in danger?” - -“They are in great danger. They are in danger of denunciation by Madame -Defarge. I know it from her own lips. I have overheard words of that -woman's, to-night, which have presented their danger to me in strong -colours. I have lost no time, and since then, I have seen the spy. He -confirms me. He knows that a wood-sawyer, living by the prison wall, -is under the control of the Defarges, and has been rehearsed by -Madame Defarge as to his having seen Her”--he never mentioned Lucie's -name--“making signs and signals to prisoners. It is easy to foresee that -the pretence will be the common one, a prison plot, and that it will -involve her life--and perhaps her child's--and perhaps her father's--for -both have been seen with her at that place. Don't look so horrified. You -will save them all.” - -“Heaven grant I may, Carton! But how?” - -“I am going to tell you how. It will depend on you, and it could depend -on no better man. This new denunciation will certainly not take place -until after to-morrow; probably not until two or three days afterwards; -more probably a week afterwards. You know it is a capital crime, to -mourn for, or sympathise with, a victim of the Guillotine. She and her -father would unquestionably be guilty of this crime, and this woman (the -inveteracy of whose pursuit cannot be described) would wait to add that -strength to her case, and make herself doubly sure. You follow me?” - -“So attentively, and with so much confidence in what you say, that for -the moment I lose sight,” touching the back of the Doctor's chair, “even -of this distress.” - -“You have money, and can buy the means of travelling to the seacoast -as quickly as the journey can be made. Your preparations have been -completed for some days, to return to England. Early to-morrow have your -horses ready, so that they may be in starting trim at two o'clock in the -afternoon.” - -“It shall be done!” - -His manner was so fervent and inspiring, that Mr. Lorry caught the -flame, and was as quick as youth. - -“You are a noble heart. Did I say we could depend upon no better man? -Tell her, to-night, what you know of her danger as involving her child -and her father. Dwell upon that, for she would lay her own fair head -beside her husband's cheerfully.” He faltered for an instant; then went -on as before. “For the sake of her child and her father, press upon her -the necessity of leaving Paris, with them and you, at that hour. Tell -her that it was her husband's last arrangement. Tell her that more -depends upon it than she dare believe, or hope. You think that her -father, even in this sad state, will submit himself to her; do you not?” - -“I am sure of it.” - -“I thought so. Quietly and steadily have all these arrangements made in -the courtyard here, even to the taking of your own seat in the carriage. -The moment I come to you, take me in, and drive away.” - -“I understand that I wait for you under all circumstances?” - -“You have my certificate in your hand with the rest, you know, and will -reserve my place. Wait for nothing but to have my place occupied, and -then for England!” - -“Why, then,” said Mr. Lorry, grasping his eager but so firm and steady -hand, “it does not all depend on one old man, but I shall have a young -and ardent man at my side.” - -“By the help of Heaven you shall! Promise me solemnly that nothing will -influence you to alter the course on which we now stand pledged to one -another.” - -“Nothing, Carton.” - -“Remember these words to-morrow: change the course, or delay in it--for -any reason--and no life can possibly be saved, and many lives must -inevitably be sacrificed.” - -“I will remember them. I hope to do my part faithfully.” - -“And I hope to do mine. Now, good bye!” - -Though he said it with a grave smile of earnestness, and though he even -put the old man's hand to his lips, he did not part from him then. He -helped him so far to arouse the rocking figure before the dying embers, -as to get a cloak and hat put upon it, and to tempt it forth to find -where the bench and work were hidden that it still moaningly besought -to have. He walked on the other side of it and protected it to the -courtyard of the house where the afflicted heart--so happy in -the memorable time when he had revealed his own desolate heart to -it--outwatched the awful night. He entered the courtyard and remained -there for a few moments alone, looking up at the light in the window of -her room. Before he went away, he breathed a blessing towards it, and a -Farewell. - - - - -XIII. Fifty-two - - -In the black prison of the Conciergerie, the doomed of the day awaited -their fate. They were in number as the weeks of the year. Fifty-two were -to roll that afternoon on the life-tide of the city to the boundless -everlasting sea. Before their cells were quit of them, new occupants -were appointed; before their blood ran into the blood spilled yesterday, -the blood that was to mingle with theirs to-morrow was already set -apart. - -Two score and twelve were told off. From the farmer-general of seventy, -whose riches could not buy his life, to the seamstress of twenty, whose -poverty and obscurity could not save her. Physical diseases, engendered -in the vices and neglects of men, will seize on victims of all degrees; -and the frightful moral disorder, born of unspeakable suffering, -intolerable oppression, and heartless indifference, smote equally -without distinction. - -Charles Darnay, alone in a cell, had sustained himself with no -flattering delusion since he came to it from the Tribunal. In every line -of the narrative he had heard, he had heard his condemnation. He had -fully comprehended that no personal influence could possibly save him, -that he was virtually sentenced by the millions, and that units could -avail him nothing. - -Nevertheless, it was not easy, with the face of his beloved wife fresh -before him, to compose his mind to what it must bear. His hold on life -was strong, and it was very, very hard, to loosen; by gradual efforts -and degrees unclosed a little here, it clenched the tighter there; and -when he brought his strength to bear on that hand and it yielded, -this was closed again. There was a hurry, too, in all his thoughts, -a turbulent and heated working of his heart, that contended against -resignation. If, for a moment, he did feel resigned, then his wife and -child who had to live after him, seemed to protest and to make it a -selfish thing. - -But, all this was at first. Before long, the consideration that there -was no disgrace in the fate he must meet, and that numbers went the same -road wrongfully, and trod it firmly every day, sprang up to stimulate -him. Next followed the thought that much of the future peace of mind -enjoyable by the dear ones, depended on his quiet fortitude. So, -by degrees he calmed into the better state, when he could raise his -thoughts much higher, and draw comfort down. - -Before it had set in dark on the night of his condemnation, he had -travelled thus far on his last way. Being allowed to purchase the means -of writing, and a light, he sat down to write until such time as the -prison lamps should be extinguished. - -He wrote a long letter to Lucie, showing her that he had known nothing -of her father's imprisonment, until he had heard of it from herself, -and that he had been as ignorant as she of his father's and uncle's -responsibility for that misery, until the paper had been read. He had -already explained to her that his concealment from herself of the name -he had relinquished, was the one condition--fully intelligible now--that -her father had attached to their betrothal, and was the one promise he -had still exacted on the morning of their marriage. He entreated her, -for her father's sake, never to seek to know whether her father had -become oblivious of the existence of the paper, or had had it recalled -to him (for the moment, or for good), by the story of the Tower, on -that old Sunday under the dear old plane-tree in the garden. If he had -preserved any definite remembrance of it, there could be no doubt that -he had supposed it destroyed with the Bastille, when he had found no -mention of it among the relics of prisoners which the populace had -discovered there, and which had been described to all the world. He -besought her--though he added that he knew it was needless--to console -her father, by impressing him through every tender means she could think -of, with the truth that he had done nothing for which he could justly -reproach himself, but had uniformly forgotten himself for their joint -sakes. Next to her preservation of his own last grateful love and -blessing, and her overcoming of her sorrow, to devote herself to their -dear child, he adjured her, as they would meet in Heaven, to comfort her -father. - -To her father himself, he wrote in the same strain; but, he told her -father that he expressly confided his wife and child to his care. And -he told him this, very strongly, with the hope of rousing him from any -despondency or dangerous retrospect towards which he foresaw he might be -tending. - -To Mr. Lorry, he commended them all, and explained his worldly affairs. -That done, with many added sentences of grateful friendship and warm -attachment, all was done. He never thought of Carton. His mind was so -full of the others, that he never once thought of him. - -He had time to finish these letters before the lights were put out. When -he lay down on his straw bed, he thought he had done with this world. - -But, it beckoned him back in his sleep, and showed itself in shining -forms. Free and happy, back in the old house in Soho (though it had -nothing in it like the real house), unaccountably released and light of -heart, he was with Lucie again, and she told him it was all a dream, and -he had never gone away. A pause of forgetfulness, and then he had even -suffered, and had come back to her, dead and at peace, and yet there -was no difference in him. Another pause of oblivion, and he awoke in the -sombre morning, unconscious where he was or what had happened, until it -flashed upon his mind, “this is the day of my death!” - -Thus, had he come through the hours, to the day when the fifty-two heads -were to fall. And now, while he was composed, and hoped that he could -meet the end with quiet heroism, a new action began in his waking -thoughts, which was very difficult to master. - -He had never seen the instrument that was to terminate his life. How -high it was from the ground, how many steps it had, where he would be -stood, how he would be touched, whether the touching hands would be dyed -red, which way his face would be turned, whether he would be the first, -or might be the last: these and many similar questions, in nowise -directed by his will, obtruded themselves over and over again, countless -times. Neither were they connected with fear: he was conscious of no -fear. Rather, they originated in a strange besetting desire to know what -to do when the time came; a desire gigantically disproportionate to the -few swift moments to which it referred; a wondering that was more like -the wondering of some other spirit within his, than his own. - -The hours went on as he walked to and fro, and the clocks struck the -numbers he would never hear again. Nine gone for ever, ten gone for -ever, eleven gone for ever, twelve coming on to pass away. After a hard -contest with that eccentric action of thought which had last perplexed -him, he had got the better of it. He walked up and down, softly -repeating their names to himself. The worst of the strife was over. -He could walk up and down, free from distracting fancies, praying for -himself and for them. - -Twelve gone for ever. - -He had been apprised that the final hour was Three, and he knew he would -be summoned some time earlier, inasmuch as the tumbrils jolted heavily -and slowly through the streets. Therefore, he resolved to keep Two -before his mind, as the hour, and so to strengthen himself in the -interval that he might be able, after that time, to strengthen others. - -Walking regularly to and fro with his arms folded on his breast, a very -different man from the prisoner, who had walked to and fro at La Force, -he heard One struck away from him, without surprise. The hour had -measured like most other hours. Devoutly thankful to Heaven for his -recovered self-possession, he thought, “There is but another now,” and -turned to walk again. - -Footsteps in the stone passage outside the door. He stopped. - -The key was put in the lock, and turned. Before the door was opened, or -as it opened, a man said in a low voice, in English: “He has never seen -me here; I have kept out of his way. Go you in alone; I wait near. Lose -no time!” - -The door was quickly opened and closed, and there stood before him -face to face, quiet, intent upon him, with the light of a smile on his -features, and a cautionary finger on his lip, Sydney Carton. - -There was something so bright and remarkable in his look, that, for the -first moment, the prisoner misdoubted him to be an apparition of his own -imagining. But, he spoke, and it was his voice; he took the prisoner's -hand, and it was his real grasp. - -“Of all the people upon earth, you least expected to see me?” he said. - -“I could not believe it to be you. I can scarcely believe it now. You -are not”--the apprehension came suddenly into his mind--“a prisoner?” - -“No. I am accidentally possessed of a power over one of the keepers -here, and in virtue of it I stand before you. I come from her--your -wife, dear Darnay.” - -The prisoner wrung his hand. - -“I bring you a request from her.” - -“What is it?” - -“A most earnest, pressing, and emphatic entreaty, addressed to you -in the most pathetic tones of the voice so dear to you, that you well -remember.” - -The prisoner turned his face partly aside. - -“You have no time to ask me why I bring it, or what it means; I have -no time to tell you. You must comply with it--take off those boots you -wear, and draw on these of mine.” - -There was a chair against the wall of the cell, behind the prisoner. -Carton, pressing forward, had already, with the speed of lightning, got -him down into it, and stood over him, barefoot. - -“Draw on these boots of mine. Put your hands to them; put your will to -them. Quick!” - -“Carton, there is no escaping from this place; it never can be done. You -will only die with me. It is madness.” - -“It would be madness if I asked you to escape; but do I? When I ask you -to pass out at that door, tell me it is madness and remain here. Change -that cravat for this of mine, that coat for this of mine. While you do -it, let me take this ribbon from your hair, and shake out your hair like -this of mine!” - -With wonderful quickness, and with a strength both of will and action, -that appeared quite supernatural, he forced all these changes upon him. -The prisoner was like a young child in his hands. - -“Carton! Dear Carton! It is madness. It cannot be accomplished, it never -can be done, it has been attempted, and has always failed. I implore you -not to add your death to the bitterness of mine.” - -“Do I ask you, my dear Darnay, to pass the door? When I ask that, -refuse. There are pen and ink and paper on this table. Is your hand -steady enough to write?” - -“It was when you came in.” - -“Steady it again, and write what I shall dictate. Quick, friend, quick!” - -Pressing his hand to his bewildered head, Darnay sat down at the table. -Carton, with his right hand in his breast, stood close beside him. - -“Write exactly as I speak.” - -“To whom do I address it?” - -“To no one.” Carton still had his hand in his breast. - -“Do I date it?” - -“No.” - -The prisoner looked up, at each question. Carton, standing over him with -his hand in his breast, looked down. - -“'If you remember,'” said Carton, dictating, “'the words that passed -between us, long ago, you will readily comprehend this when you see it. -You do remember them, I know. It is not in your nature to forget them.'” - -He was drawing his hand from his breast; the prisoner chancing to look -up in his hurried wonder as he wrote, the hand stopped, closing upon -something. - -“Have you written 'forget them'?” Carton asked. - -“I have. Is that a weapon in your hand?” - -“No; I am not armed.” - -“What is it in your hand?” - -“You shall know directly. Write on; there are but a few words more.” He -dictated again. “'I am thankful that the time has come, when I can prove -them. That I do so is no subject for regret or grief.'” As he said these -words with his eyes fixed on the writer, his hand slowly and softly -moved down close to the writer's face. - -The pen dropped from Darnay's fingers on the table, and he looked about -him vacantly. - -“What vapour is that?” he asked. - -“Vapour?” - -“Something that crossed me?” - -“I am conscious of nothing; there can be nothing here. Take up the pen -and finish. Hurry, hurry!” - -As if his memory were impaired, or his faculties disordered, the -prisoner made an effort to rally his attention. As he looked at Carton -with clouded eyes and with an altered manner of breathing, Carton--his -hand again in his breast--looked steadily at him. - -“Hurry, hurry!” - -The prisoner bent over the paper, once more. - -“'If it had been otherwise;'” Carton's hand was again watchfully and -softly stealing down; “'I never should have used the longer opportunity. -If it had been otherwise;'” the hand was at the prisoner's face; “'I -should but have had so much the more to answer for. If it had been -otherwise--'” Carton looked at the pen and saw it was trailing off into -unintelligible signs. - -Carton's hand moved back to his breast no more. The prisoner sprang up -with a reproachful look, but Carton's hand was close and firm at his -nostrils, and Carton's left arm caught him round the waist. For a few -seconds he faintly struggled with the man who had come to lay down his -life for him; but, within a minute or so, he was stretched insensible on -the ground. - -Quickly, but with hands as true to the purpose as his heart was, Carton -dressed himself in the clothes the prisoner had laid aside, combed back -his hair, and tied it with the ribbon the prisoner had worn. Then, he -softly called, “Enter there! Come in!” and the Spy presented himself. - -“You see?” said Carton, looking up, as he kneeled on one knee beside the -insensible figure, putting the paper in the breast: “is your hazard very -great?” - -“Mr. Carton,” the Spy answered, with a timid snap of his fingers, “my -hazard is not _that_, in the thick of business here, if you are true to -the whole of your bargain.” - -“Don't fear me. I will be true to the death.” - -“You must be, Mr. Carton, if the tale of fifty-two is to be right. Being -made right by you in that dress, I shall have no fear.” - -“Have no fear! I shall soon be out of the way of harming you, and the -rest will soon be far from here, please God! Now, get assistance and -take me to the coach.” - -“You?” said the Spy nervously. - -“Him, man, with whom I have exchanged. You go out at the gate by which -you brought me in?” - -“Of course.” - -“I was weak and faint when you brought me in, and I am fainter now you -take me out. The parting interview has overpowered me. Such a thing has -happened here, often, and too often. Your life is in your own hands. -Quick! Call assistance!” - -“You swear not to betray me?” said the trembling Spy, as he paused for a -last moment. - -“Man, man!” returned Carton, stamping his foot; “have I sworn by no -solemn vow already, to go through with this, that you waste the precious -moments now? Take him yourself to the courtyard you know of, place -him yourself in the carriage, show him yourself to Mr. Lorry, tell him -yourself to give him no restorative but air, and to remember my words of -last night, and his promise of last night, and drive away!” - -The Spy withdrew, and Carton seated himself at the table, resting his -forehead on his hands. The Spy returned immediately, with two men. - -“How, then?” said one of them, contemplating the fallen figure. “So -afflicted to find that his friend has drawn a prize in the lottery of -Sainte Guillotine?” - -“A good patriot,” said the other, “could hardly have been more afflicted -if the Aristocrat had drawn a blank.” - -They raised the unconscious figure, placed it on a litter they had -brought to the door, and bent to carry it away. - -“The time is short, Evremonde,” said the Spy, in a warning voice. - -“I know it well,” answered Carton. “Be careful of my friend, I entreat -you, and leave me.” - -“Come, then, my children,” said Barsad. “Lift him, and come away!” - -The door closed, and Carton was left alone. Straining his powers of -listening to the utmost, he listened for any sound that might denote -suspicion or alarm. There was none. Keys turned, doors clashed, -footsteps passed along distant passages: no cry was raised, or hurry -made, that seemed unusual. Breathing more freely in a little while, he -sat down at the table, and listened again until the clock struck Two. - -Sounds that he was not afraid of, for he divined their meaning, then -began to be audible. Several doors were opened in succession, and -finally his own. A gaoler, with a list in his hand, looked in, merely -saying, “Follow me, Evremonde!” and he followed into a large dark room, -at a distance. It was a dark winter day, and what with the shadows -within, and what with the shadows without, he could but dimly discern -the others who were brought there to have their arms bound. Some were -standing; some seated. Some were lamenting, and in restless motion; -but, these were few. The great majority were silent and still, looking -fixedly at the ground. - -As he stood by the wall in a dim corner, while some of the fifty-two -were brought in after him, one man stopped in passing, to embrace him, -as having a knowledge of him. It thrilled him with a great dread of -discovery; but the man went on. A very few moments after that, a young -woman, with a slight girlish form, a sweet spare face in which there was -no vestige of colour, and large widely opened patient eyes, rose from -the seat where he had observed her sitting, and came to speak to him. - -“Citizen Evremonde,” she said, touching him with her cold hand. “I am a -poor little seamstress, who was with you in La Force.” - -He murmured for answer: “True. I forget what you were accused of?” - -“Plots. Though the just Heaven knows that I am innocent of any. Is it -likely? Who would think of plotting with a poor little weak creature -like me?” - -The forlorn smile with which she said it, so touched him, that tears -started from his eyes. - -“I am not afraid to die, Citizen Evremonde, but I have done nothing. I -am not unwilling to die, if the Republic which is to do so much good -to us poor, will profit by my death; but I do not know how that can be, -Citizen Evremonde. Such a poor weak little creature!” - -As the last thing on earth that his heart was to warm and soften to, it -warmed and softened to this pitiable girl. - -“I heard you were released, Citizen Evremonde. I hoped it was true?” - -“It was. But, I was again taken and condemned.” - -“If I may ride with you, Citizen Evremonde, will you let me hold your -hand? I am not afraid, but I am little and weak, and it will give me -more courage.” - -As the patient eyes were lifted to his face, he saw a sudden doubt in -them, and then astonishment. He pressed the work-worn, hunger-worn young -fingers, and touched his lips. - -“Are you dying for him?” she whispered. - -“And his wife and child. Hush! Yes.” - -“O you will let me hold your brave hand, stranger?” - -“Hush! Yes, my poor sister; to the last.” - - ***** - -The same shadows that are falling on the prison, are falling, in that -same hour of the early afternoon, on the Barrier with the crowd about -it, when a coach going out of Paris drives up to be examined. - -“Who goes here? Whom have we within? Papers!” - -The papers are handed out, and read. - -“Alexandre Manette. Physician. French. Which is he?” - -This is he; this helpless, inarticulately murmuring, wandering old man -pointed out. - -“Apparently the Citizen-Doctor is not in his right mind? The -Revolution-fever will have been too much for him?” - -Greatly too much for him. - -“Hah! Many suffer with it. Lucie. His daughter. French. Which is she?” - -This is she. - -“Apparently it must be. Lucie, the wife of Evremonde; is it not?” - -It is. - -“Hah! Evremonde has an assignation elsewhere. Lucie, her child. English. -This is she?” - -She and no other. - -“Kiss me, child of Evremonde. Now, thou hast kissed a good Republican; -something new in thy family; remember it! Sydney Carton. Advocate. -English. Which is he?” - -He lies here, in this corner of the carriage. He, too, is pointed out. - -“Apparently the English advocate is in a swoon?” - -It is hoped he will recover in the fresher air. It is represented that -he is not in strong health, and has separated sadly from a friend who is -under the displeasure of the Republic. - -“Is that all? It is not a great deal, that! Many are under the -displeasure of the Republic, and must look out at the little window. -Jarvis Lorry. Banker. English. Which is he?” - -“I am he. Necessarily, being the last.” - -It is Jarvis Lorry who has replied to all the previous questions. It -is Jarvis Lorry who has alighted and stands with his hand on the coach -door, replying to a group of officials. They leisurely walk round the -carriage and leisurely mount the box, to look at what little luggage it -carries on the roof; the country-people hanging about, press nearer to -the coach doors and greedily stare in; a little child, carried by its -mother, has its short arm held out for it, that it may touch the wife of -an aristocrat who has gone to the Guillotine. - -“Behold your papers, Jarvis Lorry, countersigned.” - -“One can depart, citizen?” - -“One can depart. Forward, my postilions! A good journey!” - -“I salute you, citizens.--And the first danger passed!” - -These are again the words of Jarvis Lorry, as he clasps his hands, and -looks upward. There is terror in the carriage, there is weeping, there -is the heavy breathing of the insensible traveller. - -“Are we not going too slowly? Can they not be induced to go faster?” - asks Lucie, clinging to the old man. - -“It would seem like flight, my darling. I must not urge them too much; -it would rouse suspicion.” - -“Look back, look back, and see if we are pursued!” - -“The road is clear, my dearest. So far, we are not pursued.” - -Houses in twos and threes pass by us, solitary farms, ruinous buildings, -dye-works, tanneries, and the like, open country, avenues of leafless -trees. The hard uneven pavement is under us, the soft deep mud is on -either side. Sometimes, we strike into the skirting mud, to avoid the -stones that clatter us and shake us; sometimes, we stick in ruts and -sloughs there. The agony of our impatience is then so great, that in our -wild alarm and hurry we are for getting out and running--hiding--doing -anything but stopping. - -Out of the open country, in again among ruinous buildings, solitary -farms, dye-works, tanneries, and the like, cottages in twos and threes, -avenues of leafless trees. Have these men deceived us, and taken us back -by another road? Is not this the same place twice over? Thank Heaven, -no. A village. Look back, look back, and see if we are pursued! Hush! -the posting-house. - -Leisurely, our four horses are taken out; leisurely, the coach stands in -the little street, bereft of horses, and with no likelihood upon it -of ever moving again; leisurely, the new horses come into visible -existence, one by one; leisurely, the new postilions follow, sucking and -plaiting the lashes of their whips; leisurely, the old postilions count -their money, make wrong additions, and arrive at dissatisfied results. -All the time, our overfraught hearts are beating at a rate that would -far outstrip the fastest gallop of the fastest horses ever foaled. - -At length the new postilions are in their saddles, and the old are left -behind. We are through the village, up the hill, and down the hill, and -on the low watery grounds. Suddenly, the postilions exchange speech with -animated gesticulation, and the horses are pulled up, almost on their -haunches. We are pursued? - -“Ho! Within the carriage there. Speak then!” - -“What is it?” asks Mr. Lorry, looking out at window. - -“How many did they say?” - -“I do not understand you.” - -“--At the last post. How many to the Guillotine to-day?” - -“Fifty-two.” - -“I said so! A brave number! My fellow-citizen here would have it -forty-two; ten more heads are worth having. The Guillotine goes -handsomely. I love it. Hi forward. Whoop!” - -The night comes on dark. He moves more; he is beginning to revive, and -to speak intelligibly; he thinks they are still together; he asks him, -by his name, what he has in his hand. O pity us, kind Heaven, and help -us! Look out, look out, and see if we are pursued. - -The wind is rushing after us, and the clouds are flying after us, and -the moon is plunging after us, and the whole wild night is in pursuit of -us; but, so far, we are pursued by nothing else. - - - - -XIV. The Knitting Done - - -In that same juncture of time when the Fifty-Two awaited their fate -Madame Defarge held darkly ominous council with The Vengeance and -Jacques Three of the Revolutionary Jury. Not in the wine-shop did Madame -Defarge confer with these ministers, but in the shed of the wood-sawyer, -erst a mender of roads. The sawyer himself did not participate in the -conference, but abided at a little distance, like an outer satellite who -was not to speak until required, or to offer an opinion until invited. - -“But our Defarge,” said Jacques Three, “is undoubtedly a good -Republican? Eh?” - -“There is no better,” the voluble Vengeance protested in her shrill -notes, “in France.” - -“Peace, little Vengeance,” said Madame Defarge, laying her hand with -a slight frown on her lieutenant's lips, “hear me speak. My husband, -fellow-citizen, is a good Republican and a bold man; he has deserved -well of the Republic, and possesses its confidence. But my husband has -his weaknesses, and he is so weak as to relent towards this Doctor.” - -“It is a great pity,” croaked Jacques Three, dubiously shaking his head, -with his cruel fingers at his hungry mouth; “it is not quite like a good -citizen; it is a thing to regret.” - -“See you,” said madame, “I care nothing for this Doctor, I. He may wear -his head or lose it, for any interest I have in him; it is all one to -me. But, the Evremonde people are to be exterminated, and the wife and -child must follow the husband and father.” - -“She has a fine head for it,” croaked Jacques Three. “I have seen blue -eyes and golden hair there, and they looked charming when Samson held -them up.” Ogre that he was, he spoke like an epicure. - -Madame Defarge cast down her eyes, and reflected a little. - -“The child also,” observed Jacques Three, with a meditative enjoyment -of his words, “has golden hair and blue eyes. And we seldom have a child -there. It is a pretty sight!” - -“In a word,” said Madame Defarge, coming out of her short abstraction, -“I cannot trust my husband in this matter. Not only do I feel, since -last night, that I dare not confide to him the details of my projects; -but also I feel that if I delay, there is danger of his giving warning, -and then they might escape.” - -“That must never be,” croaked Jacques Three; “no one must escape. We -have not half enough as it is. We ought to have six score a day.” - -“In a word,” Madame Defarge went on, “my husband has not my reason for -pursuing this family to annihilation, and I have not his reason for -regarding this Doctor with any sensibility. I must act for myself, -therefore. Come hither, little citizen.” - -The wood-sawyer, who held her in the respect, and himself in the -submission, of mortal fear, advanced with his hand to his red cap. - -“Touching those signals, little citizen,” said Madame Defarge, sternly, -“that she made to the prisoners; you are ready to bear witness to them -this very day?” - -“Ay, ay, why not!” cried the sawyer. “Every day, in all weathers, from -two to four, always signalling, sometimes with the little one, sometimes -without. I know what I know. I have seen with my eyes.” - -He made all manner of gestures while he spoke, as if in incidental -imitation of some few of the great diversity of signals that he had -never seen. - -“Clearly plots,” said Jacques Three. “Transparently!” - -“There is no doubt of the Jury?” inquired Madame Defarge, letting her -eyes turn to him with a gloomy smile. - -“Rely upon the patriotic Jury, dear citizeness. I answer for my -fellow-Jurymen.” - -“Now, let me see,” said Madame Defarge, pondering again. “Yet once more! -Can I spare this Doctor to my husband? I have no feeling either way. Can -I spare him?” - -“He would count as one head,” observed Jacques Three, in a low voice. -“We really have not heads enough; it would be a pity, I think.” - -“He was signalling with her when I saw her,” argued Madame Defarge; “I -cannot speak of one without the other; and I must not be silent, and -trust the case wholly to him, this little citizen here. For, I am not a -bad witness.” - -The Vengeance and Jacques Three vied with each other in their fervent -protestations that she was the most admirable and marvellous of -witnesses. The little citizen, not to be outdone, declared her to be a -celestial witness. - -“He must take his chance,” said Madame Defarge. “No, I cannot spare -him! You are engaged at three o'clock; you are going to see the batch of -to-day executed.--You?” - -The question was addressed to the wood-sawyer, who hurriedly replied in -the affirmative: seizing the occasion to add that he was the most ardent -of Republicans, and that he would be in effect the most desolate of -Republicans, if anything prevented him from enjoying the pleasure of -smoking his afternoon pipe in the contemplation of the droll national -barber. He was so very demonstrative herein, that he might have been -suspected (perhaps was, by the dark eyes that looked contemptuously at -him out of Madame Defarge's head) of having his small individual fears -for his own personal safety, every hour in the day. - -“I,” said madame, “am equally engaged at the same place. After it is -over--say at eight to-night--come you to me, in Saint Antoine, and we -will give information against these people at my Section.” - -The wood-sawyer said he would be proud and flattered to attend the -citizeness. The citizeness looking at him, he became embarrassed, evaded -her glance as a small dog would have done, retreated among his wood, and -hid his confusion over the handle of his saw. - -Madame Defarge beckoned the Juryman and The Vengeance a little nearer to -the door, and there expounded her further views to them thus: - -“She will now be at home, awaiting the moment of his death. She will -be mourning and grieving. She will be in a state of mind to impeach the -justice of the Republic. She will be full of sympathy with its enemies. -I will go to her.” - -“What an admirable woman; what an adorable woman!” exclaimed Jacques -Three, rapturously. “Ah, my cherished!” cried The Vengeance; and -embraced her. - -“Take you my knitting,” said Madame Defarge, placing it in her -lieutenant's hands, “and have it ready for me in my usual seat. Keep -me my usual chair. Go you there, straight, for there will probably be a -greater concourse than usual, to-day.” - -“I willingly obey the orders of my Chief,” said The Vengeance with -alacrity, and kissing her cheek. “You will not be late?” - -“I shall be there before the commencement.” - -“And before the tumbrils arrive. Be sure you are there, my soul,” said -The Vengeance, calling after her, for she had already turned into the -street, “before the tumbrils arrive!” - -Madame Defarge slightly waved her hand, to imply that she heard, and -might be relied upon to arrive in good time, and so went through the -mud, and round the corner of the prison wall. The Vengeance and the -Juryman, looking after her as she walked away, were highly appreciative -of her fine figure, and her superb moral endowments. - -There were many women at that time, upon whom the time laid a dreadfully -disfiguring hand; but, there was not one among them more to be dreaded -than this ruthless woman, now taking her way along the streets. Of a -strong and fearless character, of shrewd sense and readiness, of great -determination, of that kind of beauty which not only seems to impart -to its possessor firmness and animosity, but to strike into others an -instinctive recognition of those qualities; the troubled time would have -heaved her up, under any circumstances. But, imbued from her childhood -with a brooding sense of wrong, and an inveterate hatred of a class, -opportunity had developed her into a tigress. She was absolutely without -pity. If she had ever had the virtue in her, it had quite gone out of -her. - -It was nothing to her, that an innocent man was to die for the sins of -his forefathers; she saw, not him, but them. It was nothing to her, that -his wife was to be made a widow and his daughter an orphan; that was -insufficient punishment, because they were her natural enemies and -her prey, and as such had no right to live. To appeal to her, was made -hopeless by her having no sense of pity, even for herself. If she had -been laid low in the streets, in any of the many encounters in which -she had been engaged, she would not have pitied herself; nor, if she had -been ordered to the axe to-morrow, would she have gone to it with any -softer feeling than a fierce desire to change places with the man who -sent her there. - -Such a heart Madame Defarge carried under her rough robe. Carelessly -worn, it was a becoming robe enough, in a certain weird way, and her -dark hair looked rich under her coarse red cap. Lying hidden in her -bosom, was a loaded pistol. Lying hidden at her waist, was a sharpened -dagger. Thus accoutred, and walking with the confident tread of such -a character, and with the supple freedom of a woman who had habitually -walked in her girlhood, bare-foot and bare-legged, on the brown -sea-sand, Madame Defarge took her way along the streets. - -Now, when the journey of the travelling coach, at that very moment -waiting for the completion of its load, had been planned out last night, -the difficulty of taking Miss Pross in it had much engaged Mr. Lorry's -attention. It was not merely desirable to avoid overloading the coach, -but it was of the highest importance that the time occupied in examining -it and its passengers, should be reduced to the utmost; since their -escape might depend on the saving of only a few seconds here and there. -Finally, he had proposed, after anxious consideration, that Miss Pross -and Jerry, who were at liberty to leave the city, should leave it at -three o'clock in the lightest-wheeled conveyance known to that period. -Unencumbered with luggage, they would soon overtake the coach, and, -passing it and preceding it on the road, would order its horses in -advance, and greatly facilitate its progress during the precious hours -of the night, when delay was the most to be dreaded. - -Seeing in this arrangement the hope of rendering real service in that -pressing emergency, Miss Pross hailed it with joy. She and Jerry had -beheld the coach start, had known who it was that Solomon brought, had -passed some ten minutes in tortures of suspense, and were now concluding -their arrangements to follow the coach, even as Madame Defarge, -taking her way through the streets, now drew nearer and nearer to the -else-deserted lodging in which they held their consultation. - -“Now what do you think, Mr. Cruncher,” said Miss Pross, whose agitation -was so great that she could hardly speak, or stand, or move, or live: -“what do you think of our not starting from this courtyard? Another -carriage having already gone from here to-day, it might awaken -suspicion.” - -“My opinion, miss,” returned Mr. Cruncher, “is as you're right. Likewise -wot I'll stand by you, right or wrong.” - -“I am so distracted with fear and hope for our precious creatures,” said -Miss Pross, wildly crying, “that I am incapable of forming any plan. Are -_you_ capable of forming any plan, my dear good Mr. Cruncher?” - -“Respectin' a future spear o' life, miss,” returned Mr. Cruncher, “I -hope so. Respectin' any present use o' this here blessed old head o' -mine, I think not. Would you do me the favour, miss, to take notice o' -two promises and wows wot it is my wishes fur to record in this here -crisis?” - -“Oh, for gracious sake!” cried Miss Pross, still wildly crying, “record -them at once, and get them out of the way, like an excellent man.” - -“First,” said Mr. Cruncher, who was all in a tremble, and who spoke with -an ashy and solemn visage, “them poor things well out o' this, never no -more will I do it, never no more!” - -“I am quite sure, Mr. Cruncher,” returned Miss Pross, “that you -never will do it again, whatever it is, and I beg you not to think it -necessary to mention more particularly what it is.” - -“No, miss,” returned Jerry, “it shall not be named to you. Second: them -poor things well out o' this, and never no more will I interfere with -Mrs. Cruncher's flopping, never no more!” - -“Whatever housekeeping arrangement that may be,” said Miss Pross, -striving to dry her eyes and compose herself, “I have no doubt it -is best that Mrs. Cruncher should have it entirely under her own -superintendence.--O my poor darlings!” - -“I go so far as to say, miss, moreover,” proceeded Mr. Cruncher, with a -most alarming tendency to hold forth as from a pulpit--“and let my words -be took down and took to Mrs. Cruncher through yourself--that wot my -opinions respectin' flopping has undergone a change, and that wot I only -hope with all my heart as Mrs. Cruncher may be a flopping at the present -time.” - -“There, there, there! I hope she is, my dear man,” cried the distracted -Miss Pross, “and I hope she finds it answering her expectations.” - -“Forbid it,” proceeded Mr. Cruncher, with additional solemnity, -additional slowness, and additional tendency to hold forth and hold -out, “as anything wot I have ever said or done should be wisited on my -earnest wishes for them poor creeturs now! Forbid it as we shouldn't all -flop (if it was anyways conwenient) to get 'em out o' this here dismal -risk! Forbid it, miss! Wot I say, for-_bid_ it!” This was Mr. Cruncher's -conclusion after a protracted but vain endeavour to find a better one. - -And still Madame Defarge, pursuing her way along the streets, came -nearer and nearer. - -“If we ever get back to our native land,” said Miss Pross, “you may rely -upon my telling Mrs. Cruncher as much as I may be able to remember and -understand of what you have so impressively said; and at all events -you may be sure that I shall bear witness to your being thoroughly in -earnest at this dreadful time. Now, pray let us think! My esteemed Mr. -Cruncher, let us think!” - -Still, Madame Defarge, pursuing her way along the streets, came nearer -and nearer. - -“If you were to go before,” said Miss Pross, “and stop the vehicle and -horses from coming here, and were to wait somewhere for me; wouldn't -that be best?” - -Mr. Cruncher thought it might be best. - -“Where could you wait for me?” asked Miss Pross. - -Mr. Cruncher was so bewildered that he could think of no locality but -Temple Bar. Alas! Temple Bar was hundreds of miles away, and Madame -Defarge was drawing very near indeed. - -“By the cathedral door,” said Miss Pross. “Would it be much out of -the way, to take me in, near the great cathedral door between the two -towers?” - -“No, miss,” answered Mr. Cruncher. - -“Then, like the best of men,” said Miss Pross, “go to the posting-house -straight, and make that change.” - -“I am doubtful,” said Mr. Cruncher, hesitating and shaking his head, -“about leaving of you, you see. We don't know what may happen.” - -“Heaven knows we don't,” returned Miss Pross, “but have no fear for me. -Take me in at the cathedral, at Three o'Clock, or as near it as you can, -and I am sure it will be better than our going from here. I feel certain -of it. There! Bless you, Mr. Cruncher! Think-not of me, but of the lives -that may depend on both of us!” - -This exordium, and Miss Pross's two hands in quite agonised entreaty -clasping his, decided Mr. Cruncher. With an encouraging nod or two, he -immediately went out to alter the arrangements, and left her by herself -to follow as she had proposed. - -The having originated a precaution which was already in course of -execution, was a great relief to Miss Pross. The necessity of composing -her appearance so that it should attract no special notice in the -streets, was another relief. She looked at her watch, and it was twenty -minutes past two. She had no time to lose, but must get ready at once. - -Afraid, in her extreme perturbation, of the loneliness of the deserted -rooms, and of half-imagined faces peeping from behind every open door -in them, Miss Pross got a basin of cold water and began laving her eyes, -which were swollen and red. Haunted by her feverish apprehensions, she -could not bear to have her sight obscured for a minute at a time by the -dripping water, but constantly paused and looked round to see that there -was no one watching her. In one of those pauses she recoiled and cried -out, for she saw a figure standing in the room. - -The basin fell to the ground broken, and the water flowed to the feet of -Madame Defarge. By strange stern ways, and through much staining blood, -those feet had come to meet that water. - -Madame Defarge looked coldly at her, and said, “The wife of Evremonde; -where is she?” - -It flashed upon Miss Pross's mind that the doors were all standing open, -and would suggest the flight. Her first act was to shut them. There were -four in the room, and she shut them all. She then placed herself before -the door of the chamber which Lucie had occupied. - -Madame Defarge's dark eyes followed her through this rapid movement, -and rested on her when it was finished. Miss Pross had nothing beautiful -about her; years had not tamed the wildness, or softened the grimness, -of her appearance; but, she too was a determined woman in her different -way, and she measured Madame Defarge with her eyes, every inch. - -“You might, from your appearance, be the wife of Lucifer,” said Miss -Pross, in her breathing. “Nevertheless, you shall not get the better of -me. I am an Englishwoman.” - -Madame Defarge looked at her scornfully, but still with something of -Miss Pross's own perception that they two were at bay. She saw a tight, -hard, wiry woman before her, as Mr. Lorry had seen in the same figure a -woman with a strong hand, in the years gone by. She knew full well that -Miss Pross was the family's devoted friend; Miss Pross knew full well -that Madame Defarge was the family's malevolent enemy. - -“On my way yonder,” said Madame Defarge, with a slight movement of -her hand towards the fatal spot, “where they reserve my chair and my -knitting for me, I am come to make my compliments to her in passing. I -wish to see her.” - -“I know that your intentions are evil,” said Miss Pross, “and you may -depend upon it, I'll hold my own against them.” - -Each spoke in her own language; neither understood the other's words; -both were very watchful, and intent to deduce from look and manner, what -the unintelligible words meant. - -“It will do her no good to keep herself concealed from me at this -moment,” said Madame Defarge. “Good patriots will know what that means. -Let me see her. Go tell her that I wish to see her. Do you hear?” - -“If those eyes of yours were bed-winches,” returned Miss Pross, “and I -was an English four-poster, they shouldn't loose a splinter of me. No, -you wicked foreign woman; I am your match.” - -Madame Defarge was not likely to follow these idiomatic remarks in -detail; but, she so far understood them as to perceive that she was set -at naught. - -“Woman imbecile and pig-like!” said Madame Defarge, frowning. “I take no -answer from you. I demand to see her. Either tell her that I demand -to see her, or stand out of the way of the door and let me go to her!” - This, with an angry explanatory wave of her right arm. - -“I little thought,” said Miss Pross, “that I should ever want to -understand your nonsensical language; but I would give all I have, -except the clothes I wear, to know whether you suspect the truth, or any -part of it.” - -Neither of them for a single moment released the other's eyes. Madame -Defarge had not moved from the spot where she stood when Miss Pross -first became aware of her; but, she now advanced one step. - -“I am a Briton,” said Miss Pross, “I am desperate. I don't care an -English Twopence for myself. I know that the longer I keep you here, the -greater hope there is for my Ladybird. I'll not leave a handful of that -dark hair upon your head, if you lay a finger on me!” - -Thus Miss Pross, with a shake of her head and a flash of her eyes -between every rapid sentence, and every rapid sentence a whole breath. -Thus Miss Pross, who had never struck a blow in her life. - -But, her courage was of that emotional nature that it brought the -irrepressible tears into her eyes. This was a courage that Madame -Defarge so little comprehended as to mistake for weakness. “Ha, ha!” she -laughed, “you poor wretch! What are you worth! I address myself to that -Doctor.” Then she raised her voice and called out, “Citizen Doctor! Wife -of Evremonde! Child of Evremonde! Any person but this miserable fool, -answer the Citizeness Defarge!” - -Perhaps the following silence, perhaps some latent disclosure in the -expression of Miss Pross's face, perhaps a sudden misgiving apart from -either suggestion, whispered to Madame Defarge that they were gone. -Three of the doors she opened swiftly, and looked in. - -“Those rooms are all in disorder, there has been hurried packing, there -are odds and ends upon the ground. There is no one in that room behind -you! Let me look.” - -“Never!” said Miss Pross, who understood the request as perfectly as -Madame Defarge understood the answer. - -“If they are not in that room, they are gone, and can be pursued and -brought back,” said Madame Defarge to herself. - -“As long as you don't know whether they are in that room or not, you are -uncertain what to do,” said Miss Pross to herself; “and you shall not -know that, if I can prevent your knowing it; and know that, or not know -that, you shall not leave here while I can hold you.” - -“I have been in the streets from the first, nothing has stopped me, -I will tear you to pieces, but I will have you from that door,” said -Madame Defarge. - -“We are alone at the top of a high house in a solitary courtyard, we are -not likely to be heard, and I pray for bodily strength to keep you here, -while every minute you are here is worth a hundred thousand guineas to -my darling,” said Miss Pross. - -Madame Defarge made at the door. Miss Pross, on the instinct of the -moment, seized her round the waist in both her arms, and held her tight. -It was in vain for Madame Defarge to struggle and to strike; Miss Pross, -with the vigorous tenacity of love, always so much stronger than hate, -clasped her tight, and even lifted her from the floor in the struggle -that they had. The two hands of Madame Defarge buffeted and tore her -face; but, Miss Pross, with her head down, held her round the waist, and -clung to her with more than the hold of a drowning woman. - -Soon, Madame Defarge's hands ceased to strike, and felt at her encircled -waist. “It is under my arm,” said Miss Pross, in smothered tones, “you -shall not draw it. I am stronger than you, I bless Heaven for it. I hold -you till one or other of us faints or dies!” - -Madame Defarge's hands were at her bosom. Miss Pross looked up, saw -what it was, struck at it, struck out a flash and a crash, and stood -alone--blinded with smoke. - -All this was in a second. As the smoke cleared, leaving an awful -stillness, it passed out on the air, like the soul of the furious woman -whose body lay lifeless on the ground. - -In the first fright and horror of her situation, Miss Pross passed the -body as far from it as she could, and ran down the stairs to call for -fruitless help. Happily, she bethought herself of the consequences of -what she did, in time to check herself and go back. It was dreadful to -go in at the door again; but, she did go in, and even went near it, to -get the bonnet and other things that she must wear. These she put on, -out on the staircase, first shutting and locking the door and taking -away the key. She then sat down on the stairs a few moments to breathe -and to cry, and then got up and hurried away. - -By good fortune she had a veil on her bonnet, or she could hardly have -gone along the streets without being stopped. By good fortune, too, she -was naturally so peculiar in appearance as not to show disfigurement -like any other woman. She needed both advantages, for the marks of -gripping fingers were deep in her face, and her hair was torn, and her -dress (hastily composed with unsteady hands) was clutched and dragged a -hundred ways. - -In crossing the bridge, she dropped the door key in the river. Arriving -at the cathedral some few minutes before her escort, and waiting there, -she thought, what if the key were already taken in a net, what if -it were identified, what if the door were opened and the remains -discovered, what if she were stopped at the gate, sent to prison, and -charged with murder! In the midst of these fluttering thoughts, the -escort appeared, took her in, and took her away. - -“Is there any noise in the streets?” she asked him. - -“The usual noises,” Mr. Cruncher replied; and looked surprised by the -question and by her aspect. - -“I don't hear you,” said Miss Pross. “What do you say?” - -It was in vain for Mr. Cruncher to repeat what he said; Miss Pross could -not hear him. “So I'll nod my head,” thought Mr. Cruncher, amazed, “at -all events she'll see that.” And she did. - -“Is there any noise in the streets now?” asked Miss Pross again, -presently. - -Again Mr. Cruncher nodded his head. - -“I don't hear it.” - -“Gone deaf in an hour?” said Mr. Cruncher, ruminating, with his mind -much disturbed; “wot's come to her?” - -“I feel,” said Miss Pross, “as if there had been a flash and a crash, -and that crash was the last thing I should ever hear in this life.” - -“Blest if she ain't in a queer condition!” said Mr. Cruncher, more and -more disturbed. “Wot can she have been a takin', to keep her courage up? -Hark! There's the roll of them dreadful carts! You can hear that, miss?” - -“I can hear,” said Miss Pross, seeing that he spoke to her, “nothing. O, -my good man, there was first a great crash, and then a great stillness, -and that stillness seems to be fixed and unchangeable, never to be -broken any more as long as my life lasts.” - -“If she don't hear the roll of those dreadful carts, now very nigh their -journey's end,” said Mr. Cruncher, glancing over his shoulder, “it's my -opinion that indeed she never will hear anything else in this world.” - -And indeed she never did. - - - - -XV. The Footsteps Die Out For Ever - - -Along the Paris streets, the death-carts rumble, hollow and harsh. Six -tumbrils carry the day's wine to La Guillotine. All the devouring and -insatiate Monsters imagined since imagination could record itself, -are fused in the one realisation, Guillotine. And yet there is not in -France, with its rich variety of soil and climate, a blade, a leaf, -a root, a sprig, a peppercorn, which will grow to maturity under -conditions more certain than those that have produced this horror. Crush -humanity out of shape once more, under similar hammers, and it will -twist itself into the same tortured forms. Sow the same seed of -rapacious license and oppression over again, and it will surely yield -the same fruit according to its kind. - -Six tumbrils roll along the streets. Change these back again to what -they were, thou powerful enchanter, Time, and they shall be seen to be -the carriages of absolute monarchs, the equipages of feudal nobles, the -toilettes of flaring Jezebels, the churches that are not my father's -house but dens of thieves, the huts of millions of starving peasants! -No; the great magician who majestically works out the appointed order -of the Creator, never reverses his transformations. “If thou be changed -into this shape by the will of God,” say the seers to the enchanted, in -the wise Arabian stories, “then remain so! But, if thou wear this -form through mere passing conjuration, then resume thy former aspect!” - Changeless and hopeless, the tumbrils roll along. - -As the sombre wheels of the six carts go round, they seem to plough up -a long crooked furrow among the populace in the streets. Ridges of faces -are thrown to this side and to that, and the ploughs go steadily onward. -So used are the regular inhabitants of the houses to the spectacle, that -in many windows there are no people, and in some the occupation of the -hands is not so much as suspended, while the eyes survey the faces in -the tumbrils. Here and there, the inmate has visitors to see the sight; -then he points his finger, with something of the complacency of a -curator or authorised exponent, to this cart and to this, and seems to -tell who sat here yesterday, and who there the day before. - -Of the riders in the tumbrils, some observe these things, and all -things on their last roadside, with an impassive stare; others, with -a lingering interest in the ways of life and men. Some, seated with -drooping heads, are sunk in silent despair; again, there are some so -heedful of their looks that they cast upon the multitude such glances as -they have seen in theatres, and in pictures. Several close their eyes, -and think, or try to get their straying thoughts together. Only one, and -he a miserable creature, of a crazed aspect, is so shattered and made -drunk by horror, that he sings, and tries to dance. Not one of the whole -number appeals by look or gesture, to the pity of the people. - -There is a guard of sundry horsemen riding abreast of the tumbrils, -and faces are often turned up to some of them, and they are asked some -question. It would seem to be always the same question, for, it is -always followed by a press of people towards the third cart. The -horsemen abreast of that cart, frequently point out one man in it with -their swords. The leading curiosity is, to know which is he; he stands -at the back of the tumbril with his head bent down, to converse with a -mere girl who sits on the side of the cart, and holds his hand. He has -no curiosity or care for the scene about him, and always speaks to the -girl. Here and there in the long street of St. Honore, cries are raised -against him. If they move him at all, it is only to a quiet smile, as he -shakes his hair a little more loosely about his face. He cannot easily -touch his face, his arms being bound. - -On the steps of a church, awaiting the coming-up of the tumbrils, stands -the Spy and prison-sheep. He looks into the first of them: not there. -He looks into the second: not there. He already asks himself, “Has he -sacrificed me?” when his face clears, as he looks into the third. - -“Which is Evremonde?” says a man behind him. - -“That. At the back there.” - -“With his hand in the girl's?” - -“Yes.” - -The man cries, “Down, Evremonde! To the Guillotine all aristocrats! -Down, Evremonde!” - -“Hush, hush!” the Spy entreats him, timidly. - -“And why not, citizen?” - -“He is going to pay the forfeit: it will be paid in five minutes more. -Let him be at peace.” - -But the man continuing to exclaim, “Down, Evremonde!” the face of -Evremonde is for a moment turned towards him. Evremonde then sees the -Spy, and looks attentively at him, and goes his way. - -The clocks are on the stroke of three, and the furrow ploughed among the -populace is turning round, to come on into the place of execution, and -end. The ridges thrown to this side and to that, now crumble in and -close behind the last plough as it passes on, for all are following -to the Guillotine. In front of it, seated in chairs, as in a garden of -public diversion, are a number of women, busily knitting. On one of the -fore-most chairs, stands The Vengeance, looking about for her friend. - -“Therese!” she cries, in her shrill tones. “Who has seen her? Therese -Defarge!” - -“She never missed before,” says a knitting-woman of the sisterhood. - -“No; nor will she miss now,” cries The Vengeance, petulantly. “Therese.” - -“Louder,” the woman recommends. - -Ay! Louder, Vengeance, much louder, and still she will scarcely hear -thee. Louder yet, Vengeance, with a little oath or so added, and yet -it will hardly bring her. Send other women up and down to seek her, -lingering somewhere; and yet, although the messengers have done dread -deeds, it is questionable whether of their own wills they will go far -enough to find her! - -“Bad Fortune!” cries The Vengeance, stamping her foot in the chair, “and -here are the tumbrils! And Evremonde will be despatched in a wink, and -she not here! See her knitting in my hand, and her empty chair ready for -her. I cry with vexation and disappointment!” - -As The Vengeance descends from her elevation to do it, the tumbrils -begin to discharge their loads. The ministers of Sainte Guillotine are -robed and ready. Crash!--A head is held up, and the knitting-women who -scarcely lifted their eyes to look at it a moment ago when it could -think and speak, count One. - -The second tumbril empties and moves on; the third comes up. Crash!--And -the knitting-women, never faltering or pausing in their Work, count Two. - -The supposed Evremonde descends, and the seamstress is lifted out next -after him. He has not relinquished her patient hand in getting out, but -still holds it as he promised. He gently places her with her back to the -crashing engine that constantly whirrs up and falls, and she looks into -his face and thanks him. - -“But for you, dear stranger, I should not be so composed, for I am -naturally a poor little thing, faint of heart; nor should I have been -able to raise my thoughts to Him who was put to death, that we might -have hope and comfort here to-day. I think you were sent to me by -Heaven.” - -“Or you to me,” says Sydney Carton. “Keep your eyes upon me, dear child, -and mind no other object.” - -“I mind nothing while I hold your hand. I shall mind nothing when I let -it go, if they are rapid.” - -“They will be rapid. Fear not!” - -The two stand in the fast-thinning throng of victims, but they speak as -if they were alone. Eye to eye, voice to voice, hand to hand, heart to -heart, these two children of the Universal Mother, else so wide apart -and differing, have come together on the dark highway, to repair home -together, and to rest in her bosom. - -“Brave and generous friend, will you let me ask you one last question? I -am very ignorant, and it troubles me--just a little.” - -“Tell me what it is.” - -“I have a cousin, an only relative and an orphan, like myself, whom I -love very dearly. She is five years younger than I, and she lives in a -farmer's house in the south country. Poverty parted us, and she knows -nothing of my fate--for I cannot write--and if I could, how should I -tell her! It is better as it is.” - -“Yes, yes: better as it is.” - -“What I have been thinking as we came along, and what I am still -thinking now, as I look into your kind strong face which gives me so -much support, is this:--If the Republic really does good to the poor, -and they come to be less hungry, and in all ways to suffer less, she may -live a long time: she may even live to be old.” - -“What then, my gentle sister?” - -“Do you think:” the uncomplaining eyes in which there is so much -endurance, fill with tears, and the lips part a little more and tremble: -“that it will seem long to me, while I wait for her in the better land -where I trust both you and I will be mercifully sheltered?” - -“It cannot be, my child; there is no Time there, and no trouble there.” - -“You comfort me so much! I am so ignorant. Am I to kiss you now? Is the -moment come?” - -“Yes.” - -She kisses his lips; he kisses hers; they solemnly bless each other. -The spare hand does not tremble as he releases it; nothing worse than -a sweet, bright constancy is in the patient face. She goes next before -him--is gone; the knitting-women count Twenty-Two. - -“I am the Resurrection and the Life, saith the Lord: he that believeth -in me, though he were dead, yet shall he live: and whosoever liveth and -believeth in me shall never die.” - -The murmuring of many voices, the upturning of many faces, the pressing -on of many footsteps in the outskirts of the crowd, so that it swells -forward in a mass, like one great heave of water, all flashes away. -Twenty-Three. - - ***** - -They said of him, about the city that night, that it was the -peacefullest man's face ever beheld there. Many added that he looked -sublime and prophetic. - -One of the most remarkable sufferers by the same axe--a woman--had asked -at the foot of the same scaffold, not long before, to be allowed to -write down the thoughts that were inspiring her. If he had given any -utterance to his, and they were prophetic, they would have been these: - -“I see Barsad, and Cly, Defarge, The Vengeance, the Juryman, the Judge, -long ranks of the new oppressors who have risen on the destruction of -the old, perishing by this retributive instrument, before it shall cease -out of its present use. I see a beautiful city and a brilliant people -rising from this abyss, and, in their struggles to be truly free, in -their triumphs and defeats, through long years to come, I see the evil -of this time and of the previous time of which this is the natural -birth, gradually making expiation for itself and wearing out. - -“I see the lives for which I lay down my life, peaceful, useful, -prosperous and happy, in that England which I shall see no more. I see -Her with a child upon her bosom, who bears my name. I see her father, -aged and bent, but otherwise restored, and faithful to all men in his -healing office, and at peace. I see the good old man, so long their -friend, in ten years' time enriching them with all he has, and passing -tranquilly to his reward. - -“I see that I hold a sanctuary in their hearts, and in the hearts of -their descendants, generations hence. I see her, an old woman, weeping -for me on the anniversary of this day. I see her and her husband, their -course done, lying side by side in their last earthly bed, and I know -that each was not more honoured and held sacred in the other's soul, -than I was in the souls of both. - -“I see that child who lay upon her bosom and who bore my name, a man -winning his way up in that path of life which once was mine. I see him -winning it so well, that my name is made illustrious there by the -light of his. I see the blots I threw upon it, faded away. I see him, -fore-most of just judges and honoured men, bringing a boy of my name, -with a forehead that I know and golden hair, to this place--then fair to -look upon, with not a trace of this day's disfigurement--and I hear him -tell the child my story, with a tender and a faltering voice. - -“It is a far, far better thing that I do, than I have ever done; it is a -far, far better rest that I go to than I have ever known.” - - - - - - - - - - - -End of the Project Gutenberg EBook of A Tale of Two Cities, by Charles Dickens - -*** END OF THIS PROJECT GUTENBERG EBOOK A TALE OF TWO CITIES *** - -***** This file should be named 98-0.txt or 98-0.zip ***** -This and all associated files of various formats will be found in: - http://www.gutenberg.org/9/98/ - -Produced by Judith Boss - -Updated editions will replace the previous one--the old editions -will be renamed. - -Creating the works from public domain print editions means that no -one owns a United States copyright in these works, so the Foundation -(and you!) can copy and distribute it in the United States without -permission and without paying copyright royalties. Special rules, -set forth in the General Terms of Use part of this license, apply to -copying and distributing Project Gutenberg-tm electronic works to -protect the PROJECT GUTENBERG-tm concept and trademark. Project -Gutenberg is a registered trademark, and may not be used if you -charge for the eBooks, unless you receive specific permission. If you -do not charge anything for copies of this eBook, complying with the -rules is very easy. You may use this eBook for nearly any purpose -such as creation of derivative works, reports, performances and -research. They may be modified and printed and given away--you may do -practically ANYTHING with public domain eBooks. Redistribution is -subject to the trademark license, especially commercial -redistribution. - - - -*** START: FULL LICENSE *** - -THE FULL PROJECT GUTENBERG LICENSE -PLEASE READ THIS BEFORE YOU DISTRIBUTE OR USE THIS WORK - -To protect the Project Gutenberg-tm mission of promoting the free -distribution of electronic works, by using or distributing this work -(or any other work associated in any way with the phrase “Project -Gutenberg”), you agree to comply with all the terms of the Full Project -Gutenberg-tm License (available with this file or online at -http://gutenberg.org/license). - - -Section 1. General Terms of Use and Redistributing Project Gutenberg-tm -electronic works - -1.A. By reading or using any part of this Project Gutenberg-tm -electronic work, you indicate that you have read, understand, agree to -and accept all the terms of this license and intellectual property -(trademark/copyright) agreement. If you do not agree to abide by all -the terms of this agreement, you must cease using and return or destroy -all copies of Project Gutenberg-tm electronic works in your possession. -If you paid a fee for obtaining a copy of or access to a Project -Gutenberg-tm electronic work and you do not agree to be bound by the -terms of this agreement, you may obtain a refund from the person or -entity to whom you paid the fee as set forth in paragraph 1.E.8. - -1.B. “Project Gutenberg” is a registered trademark. It may only be -used on or associated in any way with an electronic work by people who -agree to be bound by the terms of this agreement. There are a few -things that you can do with most Project Gutenberg-tm electronic works -even without complying with the full terms of this agreement. See -paragraph 1.C below. There are a lot of things you can do with Project -Gutenberg-tm electronic works if you follow the terms of this agreement -and help preserve free future access to Project Gutenberg-tm electronic -works. See paragraph 1.E below. - -1.C. The Project Gutenberg Literary Archive Foundation (“the Foundation” - or PGLAF), owns a compilation copyright in the collection of Project -Gutenberg-tm electronic works. Nearly all the individual works in the -collection are in the public domain in the United States. If an -individual work is in the public domain in the United States and you are -located in the United States, we do not claim a right to prevent you from -copying, distributing, performing, displaying or creating derivative -works based on the work as long as all references to Project Gutenberg -are removed. Of course, we hope that you will support the Project -Gutenberg-tm mission of promoting free access to electronic works by -freely sharing Project Gutenberg-tm works in compliance with the terms of -this agreement for keeping the Project Gutenberg-tm name associated with -the work. You can easily comply with the terms of this agreement by -keeping this work in the same format with its attached full Project -Gutenberg-tm License when you share it without charge with others. - -1.D. The copyright laws of the place where you are located also govern -what you can do with this work. Copyright laws in most countries are in -a constant state of change. If you are outside the United States, check -the laws of your country in addition to the terms of this agreement -before downloading, copying, displaying, performing, distributing or -creating derivative works based on this work or any other Project -Gutenberg-tm work. The Foundation makes no representations concerning -the copyright status of any work in any country outside the United -States. - -1.E. Unless you have removed all references to Project Gutenberg: - -1.E.1. The following sentence, with active links to, or other immediate -access to, the full Project Gutenberg-tm License must appear prominently -whenever any copy of a Project Gutenberg-tm work (any work on which the -phrase “Project Gutenberg” appears, or with which the phrase “Project -Gutenberg” is associated) is accessed, displayed, performed, viewed, -copied or distributed: - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - -1.E.2. If an individual Project Gutenberg-tm electronic work is derived -from the public domain (does not contain a notice indicating that it is -posted with permission of the copyright holder), the work can be copied -and distributed to anyone in the United States without paying any fees -or charges. If you are redistributing or providing access to a work -with the phrase “Project Gutenberg” associated with or appearing on the -work, you must comply either with the requirements of paragraphs 1.E.1 -through 1.E.7 or obtain permission for the use of the work and the -Project Gutenberg-tm trademark as set forth in paragraphs 1.E.8 or -1.E.9. - -1.E.3. If an individual Project Gutenberg-tm electronic work is posted -with the permission of the copyright holder, your use and distribution -must comply with both paragraphs 1.E.1 through 1.E.7 and any additional -terms imposed by the copyright holder. Additional terms will be linked -to the Project Gutenberg-tm License for all works posted with the -permission of the copyright holder found at the beginning of this work. - -1.E.4. Do not unlink or detach or remove the full Project Gutenberg-tm -License terms from this work, or any files containing a part of this -work or any other work associated with Project Gutenberg-tm. - -1.E.5. Do not copy, display, perform, distribute or redistribute this -electronic work, or any part of this electronic work, without -prominently displaying the sentence set forth in paragraph 1.E.1 with -active links or immediate access to the full terms of the Project -Gutenberg-tm License. - -1.E.6. You may convert to and distribute this work in any binary, -compressed, marked up, nonproprietary or proprietary form, including any -word processing or hypertext form. However, if you provide access to or -distribute copies of a Project Gutenberg-tm work in a format other than -“Plain Vanilla ASCII” or other format used in the official version -posted on the official Project Gutenberg-tm web site (www.gutenberg.org), -you must, at no additional cost, fee or expense to the user, provide a -copy, a means of exporting a copy, or a means of obtaining a copy upon -request, of the work in its original “Plain Vanilla ASCII” or other -form. Any alternate format must include the full Project Gutenberg-tm -License as specified in paragraph 1.E.1. - -1.E.7. Do not charge a fee for access to, viewing, displaying, -performing, copying or distributing any Project Gutenberg-tm works -unless you comply with paragraph 1.E.8 or 1.E.9. - -1.E.8. You may charge a reasonable fee for copies of or providing -access to or distributing Project Gutenberg-tm electronic works provided -that - -- You pay a royalty fee of 20% of the gross profits you derive from - the use of Project Gutenberg-tm works calculated using the method - you already use to calculate your applicable taxes. The fee is - owed to the owner of the Project Gutenberg-tm trademark, but he - has agreed to donate royalties under this paragraph to the - Project Gutenberg Literary Archive Foundation. Royalty payments - must be paid within 60 days following each date on which you - prepare (or are legally required to prepare) your periodic tax - returns. Royalty payments should be clearly marked as such and - sent to the Project Gutenberg Literary Archive Foundation at the - address specified in Section 4, “Information about donations to - the Project Gutenberg Literary Archive Foundation.” - -- You provide a full refund of any money paid by a user who notifies - you in writing (or by e-mail) within 30 days of receipt that s/he - does not agree to the terms of the full Project Gutenberg-tm - License. You must require such a user to return or - destroy all copies of the works possessed in a physical medium - and discontinue all use of and all access to other copies of - Project Gutenberg-tm works. - -- You provide, in accordance with paragraph 1.F.3, a full refund of any - money paid for a work or a replacement copy, if a defect in the - electronic work is discovered and reported to you within 90 days - of receipt of the work. - -- You comply with all other terms of this agreement for free - distribution of Project Gutenberg-tm works. - -1.E.9. If you wish to charge a fee or distribute a Project Gutenberg-tm -electronic work or group of works on different terms than are set -forth in this agreement, you must obtain permission in writing from -both the Project Gutenberg Literary Archive Foundation and Michael -Hart, the owner of the Project Gutenberg-tm trademark. Contact the -Foundation as set forth in Section 3 below. - -1.F. - -1.F.1. Project Gutenberg volunteers and employees expend considerable -effort to identify, do copyright research on, transcribe and proofread -public domain works in creating the Project Gutenberg-tm -collection. Despite these efforts, Project Gutenberg-tm electronic -works, and the medium on which they may be stored, may contain -“Defects,” such as, but not limited to, incomplete, inaccurate or -corrupt data, transcription errors, a copyright or other intellectual -property infringement, a defective or damaged disk or other medium, a -computer virus, or computer codes that damage or cannot be read by -your equipment. - -1.F.2. LIMITED WARRANTY, DISCLAIMER OF DAMAGES - Except for the “Right -of Replacement or Refund” described in paragraph 1.F.3, the Project -Gutenberg Literary Archive Foundation, the owner of the Project -Gutenberg-tm trademark, and any other party distributing a Project -Gutenberg-tm electronic work under this agreement, disclaim all -liability to you for damages, costs and expenses, including legal -fees. YOU AGREE THAT YOU HAVE NO REMEDIES FOR NEGLIGENCE, STRICT -LIABILITY, BREACH OF WARRANTY OR BREACH OF CONTRACT EXCEPT THOSE -PROVIDED IN PARAGRAPH F3. YOU AGREE THAT THE FOUNDATION, THE -TRADEMARK OWNER, AND ANY DISTRIBUTOR UNDER THIS AGREEMENT WILL NOT BE -LIABLE TO YOU FOR ACTUAL, DIRECT, INDIRECT, CONSEQUENTIAL, PUNITIVE OR -INCIDENTAL DAMAGES EVEN IF YOU GIVE NOTICE OF THE POSSIBILITY OF SUCH -DAMAGE. - -1.F.3. LIMITED RIGHT OF REPLACEMENT OR REFUND - If you discover a -defect in this electronic work within 90 days of receiving it, you can -receive a refund of the money (if any) you paid for it by sending a -written explanation to the person you received the work from. If you -received the work on a physical medium, you must return the medium with -your written explanation. The person or entity that provided you with -the defective work may elect to provide a replacement copy in lieu of a -refund. If you received the work electronically, the person or entity -providing it to you may choose to give you a second opportunity to -receive the work electronically in lieu of a refund. If the second copy -is also defective, you may demand a refund in writing without further -opportunities to fix the problem. - -1.F.4. Except for the limited right of replacement or refund set forth -in paragraph 1.F.3, this work is provided to you 'AS-IS' WITH NO OTHER -WARRANTIES OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO -WARRANTIES OF MERCHANTIBILITY OR FITNESS FOR ANY PURPOSE. - -1.F.5. Some states do not allow disclaimers of certain implied -warranties or the exclusion or limitation of certain types of damages. -If any disclaimer or limitation set forth in this agreement violates the -law of the state applicable to this agreement, the agreement shall be -interpreted to make the maximum disclaimer or limitation permitted by -the applicable state law. The invalidity or unenforceability of any -provision of this agreement shall not void the remaining provisions. - -1.F.6. INDEMNITY - You agree to indemnify and hold the Foundation, the -trademark owner, any agent or employee of the Foundation, anyone -providing copies of Project Gutenberg-tm electronic works in accordance -with this agreement, and any volunteers associated with the production, -promotion and distribution of Project Gutenberg-tm electronic works, -harmless from all liability, costs and expenses, including legal fees, -that arise directly or indirectly from any of the following which you do -or cause to occur: (a) distribution of this or any Project Gutenberg-tm -work, (b) alteration, modification, or additions or deletions to any -Project Gutenberg-tm work, and (c) any Defect you cause. - - -Section 2. Information about the Mission of Project Gutenberg-tm - -Project Gutenberg-tm is synonymous with the free distribution of -electronic works in formats readable by the widest variety of computers -including obsolete, old, middle-aged and new computers. It exists -because of the efforts of hundreds of volunteers and donations from -people in all walks of life. - -Volunteers and financial support to provide volunteers with the -assistance they need, are critical to reaching Project Gutenberg-tm's -goals and ensuring that the Project Gutenberg-tm collection will -remain freely available for generations to come. In 2001, the Project -Gutenberg Literary Archive Foundation was created to provide a secure -and permanent future for Project Gutenberg-tm and future generations. -To learn more about the Project Gutenberg Literary Archive Foundation -and how your efforts and donations can help, see Sections 3 and 4 -and the Foundation web page at http://www.pglaf.org. - - -Section 3. Information about the Project Gutenberg Literary Archive -Foundation - -The Project Gutenberg Literary Archive Foundation is a non profit -501(c)(3) educational corporation organized under the laws of the -state of Mississippi and granted tax exempt status by the Internal -Revenue Service. The Foundation's EIN or federal tax identification -number is 64-6221541. Its 501(c)(3) letter is posted at -http://pglaf.org/fundraising. Contributions to the Project Gutenberg -Literary Archive Foundation are tax deductible to the full extent -permitted by U.S. federal laws and your state's laws. - -The Foundation's principal office is located at 4557 Melan Dr. S. -Fairbanks, AK, 99712., but its volunteers and employees are scattered -throughout numerous locations. Its business office is located at -809 North 1500 West, Salt Lake City, UT 84116, (801) 596-1887, email -business@pglaf.org. Email contact links and up to date contact -information can be found at the Foundation's web site and official -page at http://pglaf.org - -For additional contact information: - Dr. Gregory B. Newby - Chief Executive and Director - gbnewby@pglaf.org - - -Section 4. Information about Donations to the Project Gutenberg -Literary Archive Foundation - -Project Gutenberg-tm depends upon and cannot survive without wide -spread public support and donations to carry out its mission of -increasing the number of public domain and licensed works that can be -freely distributed in machine readable form accessible by the widest -array of equipment including outdated equipment. Many small donations -($1 to $5,000) are particularly important to maintaining tax exempt -status with the IRS. - -The Foundation is committed to complying with the laws regulating -charities and charitable donations in all 50 states of the United -States. Compliance requirements are not uniform and it takes a -considerable effort, much paperwork and many fees to meet and keep up -with these requirements. We do not solicit donations in locations -where we have not received written confirmation of compliance. To -SEND DONATIONS or determine the status of compliance for any -particular state visit http://pglaf.org - -While we cannot and do not solicit contributions from states where we -have not met the solicitation requirements, we know of no prohibition -against accepting unsolicited donations from donors in such states who -approach us with offers to donate. - -International donations are gratefully accepted, but we cannot make -any statements concerning tax treatment of donations received from -outside the United States. U.S. laws alone swamp our small staff. - -Please check the Project Gutenberg Web pages for current donation -methods and addresses. Donations are accepted in a number of other -ways including checks, online payments and credit card donations. -To donate, please visit: http://pglaf.org/donate - - -Section 5. General Information About Project Gutenberg-tm electronic -works. - -Professor Michael S. Hart is the originator of the Project Gutenberg-tm -concept of a library of electronic works that could be freely shared -with anyone. For thirty years, he produced and distributed Project -Gutenberg-tm eBooks with only a loose network of volunteer support. - - -Project Gutenberg-tm eBooks are often created from several printed -editions, all of which are confirmed as Public Domain in the U.S. -unless a copyright notice is included. Thus, we do not necessarily -keep eBooks in compliance with any particular paper edition. - - -Most people start at our Web site which has the main PG search facility: - - http://www.gutenberg.org - -This Web site includes information about Project Gutenberg-tm, -including how to make donations to the Project Gutenberg Literary -Archive Foundation, how to help produce our new eBooks, and how to -subscribe to our email newsletter to hear about new eBooks. -The Project Gutenberg EBook of A Tale of Two Cities, by Charles Dickens - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - - -Title: A Tale of Two Cities - A Story of the French Revolution - -Author: Charles Dickens - -Release Date: January, 1994 [EBook #98] -Posting Date: November 28, 2009 -Last Updated: March 4, 2018 - -Language: English - -Character set encoding: UTF-8 - -*** START OF THIS PROJECT GUTENBERG EBOOK A TALE OF TWO CITIES *** - - - - -Produced by Judith Boss - - - - - - - - -A TALE OF TWO CITIES - -A STORY OF THE FRENCH REVOLUTION - -By Charles Dickens - - -CONTENTS - - - Book the First--Recalled to Life - - Chapter I The Period - Chapter II The Mail - Chapter III The Night Shadows - Chapter IV The Preparation - Chapter V The Wine-shop - Chapter VI The Shoemaker - - - Book the Second--the Golden Thread - - Chapter I Five Years Later - Chapter II A Sight - Chapter III A Disappointment - Chapter IV Congratulatory - Chapter V The Jackal - Chapter VI Hundreds of People - Chapter VII Monseigneur in Town - Chapter VIII Monseigneur in the Country - Chapter IX The Gorgon's Head - Chapter X Two Promises - Chapter XI A Companion Picture - Chapter XII The Fellow of Delicacy - Chapter XIII The Fellow of no Delicacy - Chapter XIV The Honest Tradesman - Chapter XV Knitting - Chapter XVI Still Knitting - Chapter XVII One Night - Chapter XVIII Nine Days - Chapter XIX An Opinion - Chapter XX A Plea - Chapter XXI Echoing Footsteps - Chapter XXII The Sea Still Rises - Chapter XXIII Fire Rises - Chapter XXIV Drawn to the Loadstone Rock - - - Book the Third--the Track of a Storm - - Chapter I In Secret - Chapter II The Grindstone - Chapter III The Shadow - Chapter IV Calm in Storm - Chapter V The Wood-sawyer - Chapter VI Triumph - Chapter VII A Knock at the Door - Chapter VIII A Hand at Cards - Chapter IX The Game Made - Chapter X The Substance of the Shadow - Chapter XI Dusk - Chapter XII Darkness - Chapter XIII Fifty-two - Chapter XIV The Knitting Done - Chapter XV The Footsteps Die Out For Ever - - - - - -Book the First--Recalled to Life - - - - -I. The Period - - -It was the best of times, -it was the worst of times, -it was the age of wisdom, -it was the age of foolishness, -it was the epoch of belief, -it was the epoch of incredulity, -it was the season of Light, -it was the season of Darkness, -it was the spring of hope, -it was the winter of despair, -we had everything before us, -we had nothing before us, -we were all going direct to Heaven, -we were all going direct the other way-- -in short, the period was so far like the present period, that some of -its noisiest authorities insisted on its being received, for good or for -evil, in the superlative degree of comparison only. - -There were a king with a large jaw and a queen with a plain face, on the -throne of England; there were a king with a large jaw and a queen with -a fair face, on the throne of France. In both countries it was clearer -than crystal to the lords of the State preserves of loaves and fishes, -that things in general were settled for ever. - -It was the year of Our Lord one thousand seven hundred and seventy-five. -Spiritual revelations were conceded to England at that favoured period, -as at this. Mrs. Southcott had recently attained her five-and-twentieth -blessed birthday, of whom a prophetic private in the Life Guards had -heralded the sublime appearance by announcing that arrangements were -made for the swallowing up of London and Westminster. Even the Cock-lane -ghost had been laid only a round dozen of years, after rapping out its -messages, as the spirits of this very year last past (supernaturally -deficient in originality) rapped out theirs. Mere messages in the -earthly order of events had lately come to the English Crown and People, -from a congress of British subjects in America: which, strange -to relate, have proved more important to the human race than any -communications yet received through any of the chickens of the Cock-lane -brood. - -France, less favoured on the whole as to matters spiritual than her -sister of the shield and trident, rolled with exceeding smoothness down -hill, making paper money and spending it. Under the guidance of her -Christian pastors, she entertained herself, besides, with such humane -achievements as sentencing a youth to have his hands cut off, his tongue -torn out with pincers, and his body burned alive, because he had not -kneeled down in the rain to do honour to a dirty procession of monks -which passed within his view, at a distance of some fifty or sixty -yards. It is likely enough that, rooted in the woods of France and -Norway, there were growing trees, when that sufferer was put to death, -already marked by the Woodman, Fate, to come down and be sawn into -boards, to make a certain movable framework with a sack and a knife in -it, terrible in history. It is likely enough that in the rough outhouses -of some tillers of the heavy lands adjacent to Paris, there were -sheltered from the weather that very day, rude carts, bespattered with -rustic mire, snuffed about by pigs, and roosted in by poultry, which -the Farmer, Death, had already set apart to be his tumbrils of -the Revolution. But that Woodman and that Farmer, though they work -unceasingly, work silently, and no one heard them as they went about -with muffled tread: the rather, forasmuch as to entertain any suspicion -that they were awake, was to be atheistical and traitorous. - -In England, there was scarcely an amount of order and protection to -justify much national boasting. Daring burglaries by armed men, and -highway robberies, took place in the capital itself every night; -families were publicly cautioned not to go out of town without removing -their furniture to upholsterers' warehouses for security; the highwayman -in the dark was a City tradesman in the light, and, being recognised and -challenged by his fellow-tradesman whom he stopped in his character of -“the Captain,” gallantly shot him through the head and rode away; the -mail was waylaid by seven robbers, and the guard shot three dead, and -then got shot dead himself by the other four, “in consequence of the -failure of his ammunition:” after which the mail was robbed in peace; -that magnificent potentate, the Lord Mayor of London, was made to stand -and deliver on Turnham Green, by one highwayman, who despoiled the -illustrious creature in sight of all his retinue; prisoners in London -gaols fought battles with their turnkeys, and the majesty of the law -fired blunderbusses in among them, loaded with rounds of shot and ball; -thieves snipped off diamond crosses from the necks of noble lords at -Court drawing-rooms; musketeers went into St. Giles's, to search -for contraband goods, and the mob fired on the musketeers, and the -musketeers fired on the mob, and nobody thought any of these occurrences -much out of the common way. In the midst of them, the hangman, ever busy -and ever worse than useless, was in constant requisition; now, stringing -up long rows of miscellaneous criminals; now, hanging a housebreaker on -Saturday who had been taken on Tuesday; now, burning people in the -hand at Newgate by the dozen, and now burning pamphlets at the door of -Westminster Hall; to-day, taking the life of an atrocious murderer, -and to-morrow of a wretched pilferer who had robbed a farmer's boy of -sixpence. - -All these things, and a thousand like them, came to pass in and close -upon the dear old year one thousand seven hundred and seventy-five. -Environed by them, while the Woodman and the Farmer worked unheeded, -those two of the large jaws, and those other two of the plain and the -fair faces, trod with stir enough, and carried their divine rights -with a high hand. Thus did the year one thousand seven hundred -and seventy-five conduct their Greatnesses, and myriads of small -creatures--the creatures of this chronicle among the rest--along the -roads that lay before them. - - - - -II. The Mail - - -It was the Dover road that lay, on a Friday night late in November, -before the first of the persons with whom this history has business. -The Dover road lay, as to him, beyond the Dover mail, as it lumbered up -Shooter's Hill. He walked up hill in the mire by the side of the mail, -as the rest of the passengers did; not because they had the least relish -for walking exercise, under the circumstances, but because the hill, -and the harness, and the mud, and the mail, were all so heavy, that the -horses had three times already come to a stop, besides once drawing the -coach across the road, with the mutinous intent of taking it back -to Blackheath. Reins and whip and coachman and guard, however, in -combination, had read that article of war which forbade a purpose -otherwise strongly in favour of the argument, that some brute animals -are endued with Reason; and the team had capitulated and returned to -their duty. - -With drooping heads and tremulous tails, they mashed their way through -the thick mud, floundering and stumbling between whiles, as if they were -falling to pieces at the larger joints. As often as the driver rested -them and brought them to a stand, with a wary “Wo-ho! so-ho-then!” the -near leader violently shook his head and everything upon it--like an -unusually emphatic horse, denying that the coach could be got up the -hill. Whenever the leader made this rattle, the passenger started, as a -nervous passenger might, and was disturbed in mind. - -There was a steaming mist in all the hollows, and it had roamed in its -forlornness up the hill, like an evil spirit, seeking rest and finding -none. A clammy and intensely cold mist, it made its slow way through the -air in ripples that visibly followed and overspread one another, as the -waves of an unwholesome sea might do. It was dense enough to shut out -everything from the light of the coach-lamps but these its own workings, -and a few yards of road; and the reek of the labouring horses steamed -into it, as if they had made it all. - -Two other passengers, besides the one, were plodding up the hill by the -side of the mail. All three were wrapped to the cheekbones and over the -ears, and wore jack-boots. Not one of the three could have said, from -anything he saw, what either of the other two was like; and each was -hidden under almost as many wrappers from the eyes of the mind, as from -the eyes of the body, of his two companions. In those days, travellers -were very shy of being confidential on a short notice, for anybody on -the road might be a robber or in league with robbers. As to the latter, -when every posting-house and ale-house could produce somebody in -“the Captain's” pay, ranging from the landlord to the lowest stable -non-descript, it was the likeliest thing upon the cards. So the guard -of the Dover mail thought to himself, that Friday night in November, one -thousand seven hundred and seventy-five, lumbering up Shooter's Hill, as -he stood on his own particular perch behind the mail, beating his feet, -and keeping an eye and a hand on the arm-chest before him, where a -loaded blunderbuss lay at the top of six or eight loaded horse-pistols, -deposited on a substratum of cutlass. - -The Dover mail was in its usual genial position that the guard suspected -the passengers, the passengers suspected one another and the guard, they -all suspected everybody else, and the coachman was sure of nothing but -the horses; as to which cattle he could with a clear conscience have -taken his oath on the two Testaments that they were not fit for the -journey. - -“Wo-ho!” said the coachman. “So, then! One more pull and you're at the -top and be damned to you, for I have had trouble enough to get you to -it!--Joe!” - -“Halloa!” the guard replied. - -“What o'clock do you make it, Joe?” - -“Ten minutes, good, past eleven.” - -“My blood!” ejaculated the vexed coachman, “and not atop of Shooter's -yet! Tst! Yah! Get on with you!” - -The emphatic horse, cut short by the whip in a most decided negative, -made a decided scramble for it, and the three other horses followed -suit. Once more, the Dover mail struggled on, with the jack-boots of its -passengers squashing along by its side. They had stopped when the coach -stopped, and they kept close company with it. If any one of the three -had had the hardihood to propose to another to walk on a little ahead -into the mist and darkness, he would have put himself in a fair way of -getting shot instantly as a highwayman. - -The last burst carried the mail to the summit of the hill. The horses -stopped to breathe again, and the guard got down to skid the wheel for -the descent, and open the coach-door to let the passengers in. - -“Tst! Joe!” cried the coachman in a warning voice, looking down from his -box. - -“What do you say, Tom?” - -They both listened. - -“I say a horse at a canter coming up, Joe.” - -“_I_ say a horse at a gallop, Tom,” returned the guard, leaving his hold -of the door, and mounting nimbly to his place. “Gentlemen! In the king's -name, all of you!” - -With this hurried adjuration, he cocked his blunderbuss, and stood on -the offensive. - -The passenger booked by this history, was on the coach-step, getting in; -the two other passengers were close behind him, and about to follow. He -remained on the step, half in the coach and half out of; they remained -in the road below him. They all looked from the coachman to the guard, -and from the guard to the coachman, and listened. The coachman looked -back and the guard looked back, and even the emphatic leader pricked up -his ears and looked back, without contradicting. - -The stillness consequent on the cessation of the rumbling and labouring -of the coach, added to the stillness of the night, made it very quiet -indeed. The panting of the horses communicated a tremulous motion to -the coach, as if it were in a state of agitation. The hearts of the -passengers beat loud enough perhaps to be heard; but at any rate, the -quiet pause was audibly expressive of people out of breath, and holding -the breath, and having the pulses quickened by expectation. - -The sound of a horse at a gallop came fast and furiously up the hill. - -“So-ho!” the guard sang out, as loud as he could roar. “Yo there! Stand! -I shall fire!” - -The pace was suddenly checked, and, with much splashing and floundering, -a man's voice called from the mist, “Is that the Dover mail?” - -“Never you mind what it is!” the guard retorted. “What are you?” - -“_Is_ that the Dover mail?” - -“Why do you want to know?” - -“I want a passenger, if it is.” - -“What passenger?” - -“Mr. Jarvis Lorry.” - -Our booked passenger showed in a moment that it was his name. The guard, -the coachman, and the two other passengers eyed him distrustfully. - -“Keep where you are,” the guard called to the voice in the mist, -“because, if I should make a mistake, it could never be set right in -your lifetime. Gentleman of the name of Lorry answer straight.” - -“What is the matter?” asked the passenger, then, with mildly quavering -speech. “Who wants me? Is it Jerry?” - -(“I don't like Jerry's voice, if it is Jerry,” growled the guard to -himself. “He's hoarser than suits me, is Jerry.”) - -“Yes, Mr. Lorry.” - -“What is the matter?” - -“A despatch sent after you from over yonder. T. and Co.” - -“I know this messenger, guard,” said Mr. Lorry, getting down into the -road--assisted from behind more swiftly than politely by the other two -passengers, who immediately scrambled into the coach, shut the door, and -pulled up the window. “He may come close; there's nothing wrong.” - -“I hope there ain't, but I can't make so 'Nation sure of that,” said the -guard, in gruff soliloquy. “Hallo you!” - -“Well! And hallo you!” said Jerry, more hoarsely than before. - -“Come on at a footpace! d'ye mind me? And if you've got holsters to that -saddle o' yourn, don't let me see your hand go nigh 'em. For I'm a devil -at a quick mistake, and when I make one it takes the form of Lead. So -now let's look at you.” - -The figures of a horse and rider came slowly through the eddying mist, -and came to the side of the mail, where the passenger stood. The rider -stooped, and, casting up his eyes at the guard, handed the passenger -a small folded paper. The rider's horse was blown, and both horse and -rider were covered with mud, from the hoofs of the horse to the hat of -the man. - -“Guard!” said the passenger, in a tone of quiet business confidence. - -The watchful guard, with his right hand at the stock of his raised -blunderbuss, his left at the barrel, and his eye on the horseman, -answered curtly, “Sir.” - -“There is nothing to apprehend. I belong to Tellson's Bank. You must -know Tellson's Bank in London. I am going to Paris on business. A crown -to drink. I may read this?” - -“If so be as you're quick, sir.” - -He opened it in the light of the coach-lamp on that side, and -read--first to himself and then aloud: “'Wait at Dover for Mam'selle.' -It's not long, you see, guard. Jerry, say that my answer was, RECALLED -TO LIFE.” - -Jerry started in his saddle. “That's a Blazing strange answer, too,” - said he, at his hoarsest. - -“Take that message back, and they will know that I received this, as -well as if I wrote. Make the best of your way. Good night.” - -With those words the passenger opened the coach-door and got in; not at -all assisted by his fellow-passengers, who had expeditiously secreted -their watches and purses in their boots, and were now making a general -pretence of being asleep. With no more definite purpose than to escape -the hazard of originating any other kind of action. - -The coach lumbered on again, with heavier wreaths of mist closing round -it as it began the descent. The guard soon replaced his blunderbuss -in his arm-chest, and, having looked to the rest of its contents, and -having looked to the supplementary pistols that he wore in his belt, -looked to a smaller chest beneath his seat, in which there were a -few smith's tools, a couple of torches, and a tinder-box. For he was -furnished with that completeness that if the coach-lamps had been blown -and stormed out, which did occasionally happen, he had only to shut -himself up inside, keep the flint and steel sparks well off the straw, -and get a light with tolerable safety and ease (if he were lucky) in -five minutes. - -“Tom!” softly over the coach roof. - -“Hallo, Joe.” - -“Did you hear the message?” - -“I did, Joe.” - -“What did you make of it, Tom?” - -“Nothing at all, Joe.” - -“That's a coincidence, too,” the guard mused, “for I made the same of it -myself.” - -Jerry, left alone in the mist and darkness, dismounted meanwhile, not -only to ease his spent horse, but to wipe the mud from his face, and -shake the wet out of his hat-brim, which might be capable of -holding about half a gallon. After standing with the bridle over his -heavily-splashed arm, until the wheels of the mail were no longer within -hearing and the night was quite still again, he turned to walk down the -hill. - -“After that there gallop from Temple Bar, old lady, I won't trust your -fore-legs till I get you on the level,” said this hoarse messenger, -glancing at his mare. “'Recalled to life.' That's a Blazing strange -message. Much of that wouldn't do for you, Jerry! I say, Jerry! You'd -be in a Blazing bad way, if recalling to life was to come into fashion, -Jerry!” - - - - -III. The Night Shadows - - -A wonderful fact to reflect upon, that every human creature is -constituted to be that profound secret and mystery to every other. A -solemn consideration, when I enter a great city by night, that every -one of those darkly clustered houses encloses its own secret; that every -room in every one of them encloses its own secret; that every beating -heart in the hundreds of thousands of breasts there, is, in some of -its imaginings, a secret to the heart nearest it! Something of the -awfulness, even of Death itself, is referable to this. No more can I -turn the leaves of this dear book that I loved, and vainly hope in time -to read it all. No more can I look into the depths of this unfathomable -water, wherein, as momentary lights glanced into it, I have had glimpses -of buried treasure and other things submerged. It was appointed that the -book should shut with a spring, for ever and for ever, when I had read -but a page. It was appointed that the water should be locked in an -eternal frost, when the light was playing on its surface, and I stood -in ignorance on the shore. My friend is dead, my neighbour is dead, -my love, the darling of my soul, is dead; it is the inexorable -consolidation and perpetuation of the secret that was always in that -individuality, and which I shall carry in mine to my life's end. In -any of the burial-places of this city through which I pass, is there -a sleeper more inscrutable than its busy inhabitants are, in their -innermost personality, to me, or than I am to them? - -As to this, his natural and not to be alienated inheritance, the -messenger on horseback had exactly the same possessions as the King, the -first Minister of State, or the richest merchant in London. So with the -three passengers shut up in the narrow compass of one lumbering old mail -coach; they were mysteries to one another, as complete as if each had -been in his own coach and six, or his own coach and sixty, with the -breadth of a county between him and the next. - -The messenger rode back at an easy trot, stopping pretty often at -ale-houses by the way to drink, but evincing a tendency to keep his -own counsel, and to keep his hat cocked over his eyes. He had eyes that -assorted very well with that decoration, being of a surface black, with -no depth in the colour or form, and much too near together--as if they -were afraid of being found out in something, singly, if they kept too -far apart. They had a sinister expression, under an old cocked-hat like -a three-cornered spittoon, and over a great muffler for the chin and -throat, which descended nearly to the wearer's knees. When he stopped -for drink, he moved this muffler with his left hand, only while he -poured his liquor in with his right; as soon as that was done, he -muffled again. - -“No, Jerry, no!” said the messenger, harping on one theme as he rode. -“It wouldn't do for you, Jerry. Jerry, you honest tradesman, it wouldn't -suit _your_ line of business! Recalled--! Bust me if I don't think he'd -been a drinking!” - -His message perplexed his mind to that degree that he was fain, several -times, to take off his hat to scratch his head. Except on the crown, -which was raggedly bald, he had stiff, black hair, standing jaggedly all -over it, and growing down hill almost to his broad, blunt nose. It was -so like Smith's work, so much more like the top of a strongly spiked -wall than a head of hair, that the best of players at leap-frog might -have declined him, as the most dangerous man in the world to go over. - -While he trotted back with the message he was to deliver to the night -watchman in his box at the door of Tellson's Bank, by Temple Bar, who -was to deliver it to greater authorities within, the shadows of the -night took such shapes to him as arose out of the message, and took such -shapes to the mare as arose out of _her_ private topics of uneasiness. -They seemed to be numerous, for she shied at every shadow on the road. - -What time, the mail-coach lumbered, jolted, rattled, and bumped upon -its tedious way, with its three fellow-inscrutables inside. To whom, -likewise, the shadows of the night revealed themselves, in the forms -their dozing eyes and wandering thoughts suggested. - -Tellson's Bank had a run upon it in the mail. As the bank -passenger--with an arm drawn through the leathern strap, which did what -lay in it to keep him from pounding against the next passenger, -and driving him into his corner, whenever the coach got a special -jolt--nodded in his place, with half-shut eyes, the little -coach-windows, and the coach-lamp dimly gleaming through them, and the -bulky bundle of opposite passenger, became the bank, and did a great -stroke of business. The rattle of the harness was the chink of money, -and more drafts were honoured in five minutes than even Tellson's, with -all its foreign and home connection, ever paid in thrice the time. Then -the strong-rooms underground, at Tellson's, with such of their valuable -stores and secrets as were known to the passenger (and it was not a -little that he knew about them), opened before him, and he went in among -them with the great keys and the feebly-burning candle, and found them -safe, and strong, and sound, and still, just as he had last seen them. - -But, though the bank was almost always with him, and though the coach -(in a confused way, like the presence of pain under an opiate) was -always with him, there was another current of impression that never -ceased to run, all through the night. He was on his way to dig some one -out of a grave. - -Now, which of the multitude of faces that showed themselves before him -was the true face of the buried person, the shadows of the night did -not indicate; but they were all the faces of a man of five-and-forty by -years, and they differed principally in the passions they expressed, -and in the ghastliness of their worn and wasted state. Pride, contempt, -defiance, stubbornness, submission, lamentation, succeeded one another; -so did varieties of sunken cheek, cadaverous colour, emaciated hands -and figures. But the face was in the main one face, and every head was -prematurely white. A hundred times the dozing passenger inquired of this -spectre: - -“Buried how long?” - -The answer was always the same: “Almost eighteen years.” - -“You had abandoned all hope of being dug out?” - -“Long ago.” - -“You know that you are recalled to life?” - -“They tell me so.” - -“I hope you care to live?” - -“I can't say.” - -“Shall I show her to you? Will you come and see her?” - -The answers to this question were various and contradictory. Sometimes -the broken reply was, “Wait! It would kill me if I saw her too soon.” - Sometimes, it was given in a tender rain of tears, and then it was, -“Take me to her.” Sometimes it was staring and bewildered, and then it -was, “I don't know her. I don't understand.” - -After such imaginary discourse, the passenger in his fancy would dig, -and dig, dig--now with a spade, now with a great key, now with his -hands--to dig this wretched creature out. Got out at last, with earth -hanging about his face and hair, he would suddenly fan away to dust. The -passenger would then start to himself, and lower the window, to get the -reality of mist and rain on his cheek. - -Yet even when his eyes were opened on the mist and rain, on the moving -patch of light from the lamps, and the hedge at the roadside retreating -by jerks, the night shadows outside the coach would fall into the train -of the night shadows within. The real Banking-house by Temple Bar, the -real business of the past day, the real strong rooms, the real express -sent after him, and the real message returned, would all be there. Out -of the midst of them, the ghostly face would rise, and he would accost -it again. - -“Buried how long?” - -“Almost eighteen years.” - -“I hope you care to live?” - -“I can't say.” - -Dig--dig--dig--until an impatient movement from one of the two -passengers would admonish him to pull up the window, draw his arm -securely through the leathern strap, and speculate upon the two -slumbering forms, until his mind lost its hold of them, and they again -slid away into the bank and the grave. - -“Buried how long?” - -“Almost eighteen years.” - -“You had abandoned all hope of being dug out?” - -“Long ago.” - -The words were still in his hearing as just spoken--distinctly in -his hearing as ever spoken words had been in his life--when the weary -passenger started to the consciousness of daylight, and found that the -shadows of the night were gone. - -He lowered the window, and looked out at the rising sun. There was a -ridge of ploughed land, with a plough upon it where it had been left -last night when the horses were unyoked; beyond, a quiet coppice-wood, -in which many leaves of burning red and golden yellow still remained -upon the trees. Though the earth was cold and wet, the sky was clear, -and the sun rose bright, placid, and beautiful. - -“Eighteen years!” said the passenger, looking at the sun. “Gracious -Creator of day! To be buried alive for eighteen years!” - - - - -IV. The Preparation - - -When the mail got successfully to Dover, in the course of the forenoon, -the head drawer at the Royal George Hotel opened the coach-door as his -custom was. He did it with some flourish of ceremony, for a mail journey -from London in winter was an achievement to congratulate an adventurous -traveller upon. - -By that time, there was only one adventurous traveller left be -congratulated: for the two others had been set down at their respective -roadside destinations. The mildewy inside of the coach, with its damp -and dirty straw, its disagreeable smell, and its obscurity, was rather -like a larger dog-kennel. Mr. Lorry, the passenger, shaking himself out -of it in chains of straw, a tangle of shaggy wrapper, flapping hat, and -muddy legs, was rather like a larger sort of dog. - -“There will be a packet to Calais, tomorrow, drawer?” - -“Yes, sir, if the weather holds and the wind sets tolerable fair. The -tide will serve pretty nicely at about two in the afternoon, sir. Bed, -sir?” - -“I shall not go to bed till night; but I want a bedroom, and a barber.” - -“And then breakfast, sir? Yes, sir. That way, sir, if you please. -Show Concord! Gentleman's valise and hot water to Concord. Pull off -gentleman's boots in Concord. (You will find a fine sea-coal fire, sir.) -Fetch barber to Concord. Stir about there, now, for Concord!” - -The Concord bed-chamber being always assigned to a passenger by the -mail, and passengers by the mail being always heavily wrapped up from -head to foot, the room had the odd interest for the establishment of the -Royal George, that although but one kind of man was seen to go into it, -all kinds and varieties of men came out of it. Consequently, another -drawer, and two porters, and several maids and the landlady, were all -loitering by accident at various points of the road between the Concord -and the coffee-room, when a gentleman of sixty, formally dressed in a -brown suit of clothes, pretty well worn, but very well kept, with large -square cuffs and large flaps to the pockets, passed along on his way to -his breakfast. - -The coffee-room had no other occupant, that forenoon, than the gentleman -in brown. His breakfast-table was drawn before the fire, and as he sat, -with its light shining on him, waiting for the meal, he sat so still, -that he might have been sitting for his portrait. - -Very orderly and methodical he looked, with a hand on each knee, and a -loud watch ticking a sonorous sermon under his flapped waist-coat, -as though it pitted its gravity and longevity against the levity and -evanescence of the brisk fire. He had a good leg, and was a little vain -of it, for his brown stockings fitted sleek and close, and were of a -fine texture; his shoes and buckles, too, though plain, were trim. He -wore an odd little sleek crisp flaxen wig, setting very close to his -head: which wig, it is to be presumed, was made of hair, but which -looked far more as though it were spun from filaments of silk or glass. -His linen, though not of a fineness in accordance with his stockings, -was as white as the tops of the waves that broke upon the neighbouring -beach, or the specks of sail that glinted in the sunlight far at sea. A -face habitually suppressed and quieted, was still lighted up under the -quaint wig by a pair of moist bright eyes that it must have cost -their owner, in years gone by, some pains to drill to the composed and -reserved expression of Tellson's Bank. He had a healthy colour in his -cheeks, and his face, though lined, bore few traces of anxiety. -But, perhaps the confidential bachelor clerks in Tellson's Bank were -principally occupied with the cares of other people; and perhaps -second-hand cares, like second-hand clothes, come easily off and on. - -Completing his resemblance to a man who was sitting for his portrait, -Mr. Lorry dropped off to sleep. The arrival of his breakfast roused him, -and he said to the drawer, as he moved his chair to it: - -“I wish accommodation prepared for a young lady who may come here at any -time to-day. She may ask for Mr. Jarvis Lorry, or she may only ask for a -gentleman from Tellson's Bank. Please to let me know.” - -“Yes, sir. Tellson's Bank in London, sir?” - -“Yes.” - -“Yes, sir. We have oftentimes the honour to entertain your gentlemen in -their travelling backwards and forwards betwixt London and Paris, sir. A -vast deal of travelling, sir, in Tellson and Company's House.” - -“Yes. We are quite a French House, as well as an English one.” - -“Yes, sir. Not much in the habit of such travelling yourself, I think, -sir?” - -“Not of late years. It is fifteen years since we--since I--came last -from France.” - -“Indeed, sir? That was before my time here, sir. Before our people's -time here, sir. The George was in other hands at that time, sir.” - -“I believe so.” - -“But I would hold a pretty wager, sir, that a House like Tellson and -Company was flourishing, a matter of fifty, not to speak of fifteen -years ago?” - -“You might treble that, and say a hundred and fifty, yet not be far from -the truth.” - -“Indeed, sir!” - -Rounding his mouth and both his eyes, as he stepped backward from the -table, the waiter shifted his napkin from his right arm to his left, -dropped into a comfortable attitude, and stood surveying the guest while -he ate and drank, as from an observatory or watchtower. According to the -immemorial usage of waiters in all ages. - -When Mr. Lorry had finished his breakfast, he went out for a stroll on -the beach. The little narrow, crooked town of Dover hid itself away -from the beach, and ran its head into the chalk cliffs, like a marine -ostrich. The beach was a desert of heaps of sea and stones tumbling -wildly about, and the sea did what it liked, and what it liked was -destruction. It thundered at the town, and thundered at the cliffs, and -brought the coast down, madly. The air among the houses was of so strong -a piscatory flavour that one might have supposed sick fish went up to be -dipped in it, as sick people went down to be dipped in the sea. A little -fishing was done in the port, and a quantity of strolling about by -night, and looking seaward: particularly at those times when the tide -made, and was near flood. Small tradesmen, who did no business whatever, -sometimes unaccountably realised large fortunes, and it was remarkable -that nobody in the neighbourhood could endure a lamplighter. - -As the day declined into the afternoon, and the air, which had been -at intervals clear enough to allow the French coast to be seen, became -again charged with mist and vapour, Mr. Lorry's thoughts seemed to cloud -too. When it was dark, and he sat before the coffee-room fire, awaiting -his dinner as he had awaited his breakfast, his mind was busily digging, -digging, digging, in the live red coals. - -A bottle of good claret after dinner does a digger in the red coals no -harm, otherwise than as it has a tendency to throw him out of work. -Mr. Lorry had been idle a long time, and had just poured out his last -glassful of wine with as complete an appearance of satisfaction as is -ever to be found in an elderly gentleman of a fresh complexion who has -got to the end of a bottle, when a rattling of wheels came up the narrow -street, and rumbled into the inn-yard. - -He set down his glass untouched. “This is Mam'selle!” said he. - -In a very few minutes the waiter came in to announce that Miss Manette -had arrived from London, and would be happy to see the gentleman from -Tellson's. - -“So soon?” - -Miss Manette had taken some refreshment on the road, and required none -then, and was extremely anxious to see the gentleman from Tellson's -immediately, if it suited his pleasure and convenience. - -The gentleman from Tellson's had nothing left for it but to empty his -glass with an air of stolid desperation, settle his odd little flaxen -wig at the ears, and follow the waiter to Miss Manette's apartment. -It was a large, dark room, furnished in a funereal manner with black -horsehair, and loaded with heavy dark tables. These had been oiled and -oiled, until the two tall candles on the table in the middle of the room -were gloomily reflected on every leaf; as if _they_ were buried, in deep -graves of black mahogany, and no light to speak of could be expected -from them until they were dug out. - -The obscurity was so difficult to penetrate that Mr. Lorry, picking his -way over the well-worn Turkey carpet, supposed Miss Manette to be, for -the moment, in some adjacent room, until, having got past the two tall -candles, he saw standing to receive him by the table between them and -the fire, a young lady of not more than seventeen, in a riding-cloak, -and still holding her straw travelling-hat by its ribbon in her hand. As -his eyes rested on a short, slight, pretty figure, a quantity of golden -hair, a pair of blue eyes that met his own with an inquiring look, and -a forehead with a singular capacity (remembering how young and smooth -it was), of rifting and knitting itself into an expression that was -not quite one of perplexity, or wonder, or alarm, or merely of a bright -fixed attention, though it included all the four expressions--as his -eyes rested on these things, a sudden vivid likeness passed before him, -of a child whom he had held in his arms on the passage across that very -Channel, one cold time, when the hail drifted heavily and the sea ran -high. The likeness passed away, like a breath along the surface of -the gaunt pier-glass behind her, on the frame of which, a hospital -procession of negro cupids, several headless and all cripples, were -offering black baskets of Dead Sea fruit to black divinities of the -feminine gender--and he made his formal bow to Miss Manette. - -“Pray take a seat, sir.” In a very clear and pleasant young voice; a -little foreign in its accent, but a very little indeed. - -“I kiss your hand, miss,” said Mr. Lorry, with the manners of an earlier -date, as he made his formal bow again, and took his seat. - -“I received a letter from the Bank, sir, yesterday, informing me that -some intelligence--or discovery--” - -“The word is not material, miss; either word will do.” - -“--respecting the small property of my poor father, whom I never saw--so -long dead--” - -Mr. Lorry moved in his chair, and cast a troubled look towards the -hospital procession of negro cupids. As if _they_ had any help for -anybody in their absurd baskets! - -“--rendered it necessary that I should go to Paris, there to communicate -with a gentleman of the Bank, so good as to be despatched to Paris for -the purpose.” - -“Myself.” - -“As I was prepared to hear, sir.” - -She curtseyed to him (young ladies made curtseys in those days), with a -pretty desire to convey to him that she felt how much older and wiser he -was than she. He made her another bow. - -“I replied to the Bank, sir, that as it was considered necessary, by -those who know, and who are so kind as to advise me, that I should go to -France, and that as I am an orphan and have no friend who could go with -me, I should esteem it highly if I might be permitted to place myself, -during the journey, under that worthy gentleman's protection. The -gentleman had left London, but I think a messenger was sent after him to -beg the favour of his waiting for me here.” - -“I was happy,” said Mr. Lorry, “to be entrusted with the charge. I shall -be more happy to execute it.” - -“Sir, I thank you indeed. I thank you very gratefully. It was told me -by the Bank that the gentleman would explain to me the details of the -business, and that I must prepare myself to find them of a surprising -nature. I have done my best to prepare myself, and I naturally have a -strong and eager interest to know what they are.” - -“Naturally,” said Mr. Lorry. “Yes--I--” - -After a pause, he added, again settling the crisp flaxen wig at the -ears, “It is very difficult to begin.” - -He did not begin, but, in his indecision, met her glance. The young -forehead lifted itself into that singular expression--but it was pretty -and characteristic, besides being singular--and she raised her hand, -as if with an involuntary action she caught at, or stayed some passing -shadow. - -“Are you quite a stranger to me, sir?” - -“Am I not?” Mr. Lorry opened his hands, and extended them outwards with -an argumentative smile. - -Between the eyebrows and just over the little feminine nose, the line of -which was as delicate and fine as it was possible to be, the expression -deepened itself as she took her seat thoughtfully in the chair by which -she had hitherto remained standing. He watched her as she mused, and the -moment she raised her eyes again, went on: - -“In your adopted country, I presume, I cannot do better than address you -as a young English lady, Miss Manette?” - -“If you please, sir.” - -“Miss Manette, I am a man of business. I have a business charge to -acquit myself of. In your reception of it, don't heed me any more than -if I was a speaking machine--truly, I am not much else. I will, with -your leave, relate to you, miss, the story of one of our customers.” - -“Story!” - -He seemed wilfully to mistake the word she had repeated, when he added, -in a hurry, “Yes, customers; in the banking business we usually call -our connection our customers. He was a French gentleman; a scientific -gentleman; a man of great acquirements--a Doctor.” - -“Not of Beauvais?” - -“Why, yes, of Beauvais. Like Monsieur Manette, your father, the -gentleman was of Beauvais. Like Monsieur Manette, your father, the -gentleman was of repute in Paris. I had the honour of knowing him there. -Our relations were business relations, but confidential. I was at that -time in our French House, and had been--oh! twenty years.” - -“At that time--I may ask, at what time, sir?” - -“I speak, miss, of twenty years ago. He married--an English lady--and -I was one of the trustees. His affairs, like the affairs of many other -French gentlemen and French families, were entirely in Tellson's hands. -In a similar way I am, or I have been, trustee of one kind or other for -scores of our customers. These are mere business relations, miss; -there is no friendship in them, no particular interest, nothing like -sentiment. I have passed from one to another, in the course of my -business life, just as I pass from one of our customers to another in -the course of my business day; in short, I have no feelings; I am a mere -machine. To go on--” - -“But this is my father's story, sir; and I begin to think”--the -curiously roughened forehead was very intent upon him--“that when I was -left an orphan through my mother's surviving my father only two years, -it was you who brought me to England. I am almost sure it was you.” - -Mr. Lorry took the hesitating little hand that confidingly advanced -to take his, and he put it with some ceremony to his lips. He then -conducted the young lady straightway to her chair again, and, holding -the chair-back with his left hand, and using his right by turns to rub -his chin, pull his wig at the ears, or point what he said, stood looking -down into her face while she sat looking up into his. - -“Miss Manette, it _was_ I. And you will see how truly I spoke of myself -just now, in saying I had no feelings, and that all the relations I hold -with my fellow-creatures are mere business relations, when you reflect -that I have never seen you since. No; you have been the ward of -Tellson's House since, and I have been busy with the other business of -Tellson's House since. Feelings! I have no time for them, no chance -of them. I pass my whole life, miss, in turning an immense pecuniary -Mangle.” - -After this odd description of his daily routine of employment, Mr. Lorry -flattened his flaxen wig upon his head with both hands (which was most -unnecessary, for nothing could be flatter than its shining surface was -before), and resumed his former attitude. - -“So far, miss (as you have remarked), this is the story of your -regretted father. Now comes the difference. If your father had not died -when he did--Don't be frightened! How you start!” - -She did, indeed, start. And she caught his wrist with both her hands. - -“Pray,” said Mr. Lorry, in a soothing tone, bringing his left hand from -the back of the chair to lay it on the supplicatory fingers that clasped -him in so violent a tremble: “pray control your agitation--a matter of -business. As I was saying--” - -Her look so discomposed him that he stopped, wandered, and began anew: - -“As I was saying; if Monsieur Manette had not died; if he had suddenly -and silently disappeared; if he had been spirited away; if it had not -been difficult to guess to what dreadful place, though no art could -trace him; if he had an enemy in some compatriot who could exercise a -privilege that I in my own time have known the boldest people afraid -to speak of in a whisper, across the water there; for instance, the -privilege of filling up blank forms for the consignment of any one -to the oblivion of a prison for any length of time; if his wife had -implored the king, the queen, the court, the clergy, for any tidings of -him, and all quite in vain;--then the history of your father would have -been the history of this unfortunate gentleman, the Doctor of Beauvais.” - -“I entreat you to tell me more, sir.” - -“I will. I am going to. You can bear it?” - -“I can bear anything but the uncertainty you leave me in at this -moment.” - -“You speak collectedly, and you--_are_ collected. That's good!” (Though -his manner was less satisfied than his words.) “A matter of business. -Regard it as a matter of business--business that must be done. Now -if this doctor's wife, though a lady of great courage and spirit, -had suffered so intensely from this cause before her little child was -born--” - -“The little child was a daughter, sir.” - -“A daughter. A-a-matter of business--don't be distressed. Miss, if the -poor lady had suffered so intensely before her little child was born, -that she came to the determination of sparing the poor child the -inheritance of any part of the agony she had known the pains of, by -rearing her in the belief that her father was dead--No, don't kneel! In -Heaven's name why should you kneel to me!” - -“For the truth. O dear, good, compassionate sir, for the truth!” - -“A--a matter of business. You confuse me, and how can I transact -business if I am confused? Let us be clear-headed. If you could kindly -mention now, for instance, what nine times ninepence are, or how many -shillings in twenty guineas, it would be so encouraging. I should be so -much more at my ease about your state of mind.” - -Without directly answering to this appeal, she sat so still when he had -very gently raised her, and the hands that had not ceased to clasp -his wrists were so much more steady than they had been, that she -communicated some reassurance to Mr. Jarvis Lorry. - -“That's right, that's right. Courage! Business! You have business before -you; useful business. Miss Manette, your mother took this course with -you. And when she died--I believe broken-hearted--having never slackened -her unavailing search for your father, she left you, at two years old, -to grow to be blooming, beautiful, and happy, without the dark cloud -upon you of living in uncertainty whether your father soon wore his -heart out in prison, or wasted there through many lingering years.” - -As he said the words he looked down, with an admiring pity, on the -flowing golden hair; as if he pictured to himself that it might have -been already tinged with grey. - -“You know that your parents had no great possession, and that what -they had was secured to your mother and to you. There has been no new -discovery, of money, or of any other property; but--” - -He felt his wrist held closer, and he stopped. The expression in the -forehead, which had so particularly attracted his notice, and which was -now immovable, had deepened into one of pain and horror. - -“But he has been--been found. He is alive. Greatly changed, it is too -probable; almost a wreck, it is possible; though we will hope the best. -Still, alive. Your father has been taken to the house of an old servant -in Paris, and we are going there: I, to identify him if I can: you, to -restore him to life, love, duty, rest, comfort.” - -A shiver ran through her frame, and from it through his. She said, in a -low, distinct, awe-stricken voice, as if she were saying it in a dream, - -“I am going to see his Ghost! It will be his Ghost--not him!” - -Mr. Lorry quietly chafed the hands that held his arm. “There, there, -there! See now, see now! The best and the worst are known to you, now. -You are well on your way to the poor wronged gentleman, and, with a fair -sea voyage, and a fair land journey, you will be soon at his dear side.” - -She repeated in the same tone, sunk to a whisper, “I have been free, I -have been happy, yet his Ghost has never haunted me!” - -“Only one thing more,” said Mr. Lorry, laying stress upon it as a -wholesome means of enforcing her attention: “he has been found under -another name; his own, long forgotten or long concealed. It would be -worse than useless now to inquire which; worse than useless to seek to -know whether he has been for years overlooked, or always designedly -held prisoner. It would be worse than useless now to make any inquiries, -because it would be dangerous. Better not to mention the subject, -anywhere or in any way, and to remove him--for a while at all -events--out of France. Even I, safe as an Englishman, and even -Tellson's, important as they are to French credit, avoid all naming of -the matter. I carry about me, not a scrap of writing openly referring -to it. This is a secret service altogether. My credentials, entries, -and memoranda, are all comprehended in the one line, 'Recalled to Life;' -which may mean anything. But what is the matter! She doesn't notice a -word! Miss Manette!” - -Perfectly still and silent, and not even fallen back in her chair, she -sat under his hand, utterly insensible; with her eyes open and fixed -upon him, and with that last expression looking as if it were carved or -branded into her forehead. So close was her hold upon his arm, that he -feared to detach himself lest he should hurt her; therefore he called -out loudly for assistance without moving. - -A wild-looking woman, whom even in his agitation, Mr. Lorry observed to -be all of a red colour, and to have red hair, and to be dressed in some -extraordinary tight-fitting fashion, and to have on her head a most -wonderful bonnet like a Grenadier wooden measure, and good measure too, -or a great Stilton cheese, came running into the room in advance of the -inn servants, and soon settled the question of his detachment from the -poor young lady, by laying a brawny hand upon his chest, and sending him -flying back against the nearest wall. - -(“I really think this must be a man!” was Mr. Lorry's breathless -reflection, simultaneously with his coming against the wall.) - -“Why, look at you all!” bawled this figure, addressing the inn servants. -“Why don't you go and fetch things, instead of standing there staring -at me? I am not so much to look at, am I? Why don't you go and fetch -things? I'll let you know, if you don't bring smelling-salts, cold -water, and vinegar, quick, I will.” - -There was an immediate dispersal for these restoratives, and she -softly laid the patient on a sofa, and tended her with great skill and -gentleness: calling her “my precious!” and “my bird!” and spreading her -golden hair aside over her shoulders with great pride and care. - -“And you in brown!” she said, indignantly turning to Mr. Lorry; -“couldn't you tell her what you had to tell her, without frightening her -to death? Look at her, with her pretty pale face and her cold hands. Do -you call _that_ being a Banker?” - -Mr. Lorry was so exceedingly disconcerted by a question so hard to -answer, that he could only look on, at a distance, with much feebler -sympathy and humility, while the strong woman, having banished the inn -servants under the mysterious penalty of “letting them know” something -not mentioned if they stayed there, staring, recovered her charge by a -regular series of gradations, and coaxed her to lay her drooping head -upon her shoulder. - -“I hope she will do well now,” said Mr. Lorry. - -“No thanks to you in brown, if she does. My darling pretty!” - -“I hope,” said Mr. Lorry, after another pause of feeble sympathy and -humility, “that you accompany Miss Manette to France?” - -“A likely thing, too!” replied the strong woman. “If it was ever -intended that I should go across salt water, do you suppose Providence -would have cast my lot in an island?” - -This being another question hard to answer, Mr. Jarvis Lorry withdrew to -consider it. - - - - -V. The Wine-shop - - -A large cask of wine had been dropped and broken, in the street. The -accident had happened in getting it out of a cart; the cask had tumbled -out with a run, the hoops had burst, and it lay on the stones just -outside the door of the wine-shop, shattered like a walnut-shell. - -All the people within reach had suspended their business, or their -idleness, to run to the spot and drink the wine. The rough, irregular -stones of the street, pointing every way, and designed, one might have -thought, expressly to lame all living creatures that approached them, -had dammed it into little pools; these were surrounded, each by its own -jostling group or crowd, according to its size. Some men kneeled down, -made scoops of their two hands joined, and sipped, or tried to help -women, who bent over their shoulders, to sip, before the wine had all -run out between their fingers. Others, men and women, dipped in -the puddles with little mugs of mutilated earthenware, or even with -handkerchiefs from women's heads, which were squeezed dry into infants' -mouths; others made small mud-embankments, to stem the wine as it ran; -others, directed by lookers-on up at high windows, darted here and -there, to cut off little streams of wine that started away in new -directions; others devoted themselves to the sodden and lee-dyed -pieces of the cask, licking, and even champing the moister wine-rotted -fragments with eager relish. There was no drainage to carry off the -wine, and not only did it all get taken up, but so much mud got taken up -along with it, that there might have been a scavenger in the street, -if anybody acquainted with it could have believed in such a miraculous -presence. - -A shrill sound of laughter and of amused voices--voices of men, women, -and children--resounded in the street while this wine game lasted. There -was little roughness in the sport, and much playfulness. There was a -special companionship in it, an observable inclination on the part -of every one to join some other one, which led, especially among the -luckier or lighter-hearted, to frolicsome embraces, drinking of healths, -shaking of hands, and even joining of hands and dancing, a dozen -together. When the wine was gone, and the places where it had been -most abundant were raked into a gridiron-pattern by fingers, these -demonstrations ceased, as suddenly as they had broken out. The man who -had left his saw sticking in the firewood he was cutting, set it in -motion again; the women who had left on a door-step the little pot of -hot ashes, at which she had been trying to soften the pain in her own -starved fingers and toes, or in those of her child, returned to it; men -with bare arms, matted locks, and cadaverous faces, who had emerged into -the winter light from cellars, moved away, to descend again; and a gloom -gathered on the scene that appeared more natural to it than sunshine. - -The wine was red wine, and had stained the ground of the narrow street -in the suburb of Saint Antoine, in Paris, where it was spilled. It had -stained many hands, too, and many faces, and many naked feet, and many -wooden shoes. The hands of the man who sawed the wood, left red marks -on the billets; and the forehead of the woman who nursed her baby, was -stained with the stain of the old rag she wound about her head again. -Those who had been greedy with the staves of the cask, had acquired a -tigerish smear about the mouth; and one tall joker so besmirched, his -head more out of a long squalid bag of a nightcap than in it, scrawled -upon a wall with his finger dipped in muddy wine-lees--BLOOD. - -The time was to come, when that wine too would be spilled on the -street-stones, and when the stain of it would be red upon many there. - -And now that the cloud settled on Saint Antoine, which a momentary -gleam had driven from his sacred countenance, the darkness of it was -heavy--cold, dirt, sickness, ignorance, and want, were the lords in -waiting on the saintly presence--nobles of great power all of them; -but, most especially the last. Samples of a people that had undergone a -terrible grinding and regrinding in the mill, and certainly not in the -fabulous mill which ground old people young, shivered at every corner, -passed in and out at every doorway, looked from every window, fluttered -in every vestige of a garment that the wind shook. The mill which -had worked them down, was the mill that grinds young people old; the -children had ancient faces and grave voices; and upon them, and upon the -grown faces, and ploughed into every furrow of age and coming up afresh, -was the sigh, Hunger. It was prevalent everywhere. Hunger was pushed out -of the tall houses, in the wretched clothing that hung upon poles and -lines; Hunger was patched into them with straw and rag and wood and -paper; Hunger was repeated in every fragment of the small modicum of -firewood that the man sawed off; Hunger stared down from the smokeless -chimneys, and started up from the filthy street that had no offal, -among its refuse, of anything to eat. Hunger was the inscription on the -baker's shelves, written in every small loaf of his scanty stock of -bad bread; at the sausage-shop, in every dead-dog preparation that -was offered for sale. Hunger rattled its dry bones among the roasting -chestnuts in the turned cylinder; Hunger was shred into atomics in every -farthing porringer of husky chips of potato, fried with some reluctant -drops of oil. - -Its abiding place was in all things fitted to it. A narrow winding -street, full of offence and stench, with other narrow winding streets -diverging, all peopled by rags and nightcaps, and all smelling of rags -and nightcaps, and all visible things with a brooding look upon them -that looked ill. In the hunted air of the people there was yet some -wild-beast thought of the possibility of turning at bay. Depressed and -slinking though they were, eyes of fire were not wanting among them; nor -compressed lips, white with what they suppressed; nor foreheads knitted -into the likeness of the gallows-rope they mused about enduring, or -inflicting. The trade signs (and they were almost as many as the shops) -were, all, grim illustrations of Want. The butcher and the porkman -painted up, only the leanest scrags of meat; the baker, the coarsest of -meagre loaves. The people rudely pictured as drinking in the wine-shops, -croaked over their scanty measures of thin wine and beer, and were -gloweringly confidential together. Nothing was represented in a -flourishing condition, save tools and weapons; but, the cutler's knives -and axes were sharp and bright, the smith's hammers were heavy, and the -gunmaker's stock was murderous. The crippling stones of the pavement, -with their many little reservoirs of mud and water, had no footways, but -broke off abruptly at the doors. The kennel, to make amends, ran down -the middle of the street--when it ran at all: which was only after heavy -rains, and then it ran, by many eccentric fits, into the houses. Across -the streets, at wide intervals, one clumsy lamp was slung by a rope and -pulley; at night, when the lamplighter had let these down, and lighted, -and hoisted them again, a feeble grove of dim wicks swung in a sickly -manner overhead, as if they were at sea. Indeed they were at sea, and -the ship and crew were in peril of tempest. - -For, the time was to come, when the gaunt scarecrows of that region -should have watched the lamplighter, in their idleness and hunger, so -long, as to conceive the idea of improving on his method, and hauling -up men by those ropes and pulleys, to flare upon the darkness of their -condition. But, the time was not come yet; and every wind that blew over -France shook the rags of the scarecrows in vain, for the birds, fine of -song and feather, took no warning. - -The wine-shop was a corner shop, better than most others in its -appearance and degree, and the master of the wine-shop had stood outside -it, in a yellow waistcoat and green breeches, looking on at the struggle -for the lost wine. “It's not my affair,” said he, with a final shrug -of the shoulders. “The people from the market did it. Let them bring -another.” - -There, his eyes happening to catch the tall joker writing up his joke, -he called to him across the way: - -“Say, then, my Gaspard, what do you do there?” - -The fellow pointed to his joke with immense significance, as is often -the way with his tribe. It missed its mark, and completely failed, as is -often the way with his tribe too. - -“What now? Are you a subject for the mad hospital?” said the wine-shop -keeper, crossing the road, and obliterating the jest with a handful of -mud, picked up for the purpose, and smeared over it. “Why do you write -in the public streets? Is there--tell me thou--is there no other place -to write such words in?” - -In his expostulation he dropped his cleaner hand (perhaps accidentally, -perhaps not) upon the joker's heart. The joker rapped it with his -own, took a nimble spring upward, and came down in a fantastic dancing -attitude, with one of his stained shoes jerked off his foot into his -hand, and held out. A joker of an extremely, not to say wolfishly -practical character, he looked, under those circumstances. - -“Put it on, put it on,” said the other. “Call wine, wine; and finish -there.” With that advice, he wiped his soiled hand upon the joker's -dress, such as it was--quite deliberately, as having dirtied the hand on -his account; and then recrossed the road and entered the wine-shop. - -This wine-shop keeper was a bull-necked, martial-looking man of thirty, -and he should have been of a hot temperament, for, although it was a -bitter day, he wore no coat, but carried one slung over his shoulder. -His shirt-sleeves were rolled up, too, and his brown arms were bare to -the elbows. Neither did he wear anything more on his head than his own -crisply-curling short dark hair. He was a dark man altogether, with good -eyes and a good bold breadth between them. Good-humoured looking on -the whole, but implacable-looking, too; evidently a man of a strong -resolution and a set purpose; a man not desirable to be met, rushing -down a narrow pass with a gulf on either side, for nothing would turn -the man. - -Madame Defarge, his wife, sat in the shop behind the counter as he -came in. Madame Defarge was a stout woman of about his own age, with -a watchful eye that seldom seemed to look at anything, a large hand -heavily ringed, a steady face, strong features, and great composure of -manner. There was a character about Madame Defarge, from which one might -have predicated that she did not often make mistakes against herself -in any of the reckonings over which she presided. Madame Defarge being -sensitive to cold, was wrapped in fur, and had a quantity of bright -shawl twined about her head, though not to the concealment of her large -earrings. Her knitting was before her, but she had laid it down to pick -her teeth with a toothpick. Thus engaged, with her right elbow supported -by her left hand, Madame Defarge said nothing when her lord came in, but -coughed just one grain of cough. This, in combination with the lifting -of her darkly defined eyebrows over her toothpick by the breadth of a -line, suggested to her husband that he would do well to look round the -shop among the customers, for any new customer who had dropped in while -he stepped over the way. - -The wine-shop keeper accordingly rolled his eyes about, until they -rested upon an elderly gentleman and a young lady, who were seated in -a corner. Other company were there: two playing cards, two playing -dominoes, three standing by the counter lengthening out a short supply -of wine. As he passed behind the counter, he took notice that the -elderly gentleman said in a look to the young lady, “This is our man.” - -“What the devil do _you_ do in that galley there?” said Monsieur Defarge -to himself; “I don't know you.” - -But, he feigned not to notice the two strangers, and fell into discourse -with the triumvirate of customers who were drinking at the counter. - -“How goes it, Jacques?” said one of these three to Monsieur Defarge. “Is -all the spilt wine swallowed?” - -“Every drop, Jacques,” answered Monsieur Defarge. - -When this interchange of Christian name was effected, Madame Defarge, -picking her teeth with her toothpick, coughed another grain of cough, -and raised her eyebrows by the breadth of another line. - -“It is not often,” said the second of the three, addressing Monsieur -Defarge, “that many of these miserable beasts know the taste of wine, or -of anything but black bread and death. Is it not so, Jacques?” - -“It is so, Jacques,” Monsieur Defarge returned. - -At this second interchange of the Christian name, Madame Defarge, still -using her toothpick with profound composure, coughed another grain of -cough, and raised her eyebrows by the breadth of another line. - -The last of the three now said his say, as he put down his empty -drinking vessel and smacked his lips. - -“Ah! So much the worse! A bitter taste it is that such poor cattle -always have in their mouths, and hard lives they live, Jacques. Am I -right, Jacques?” - -“You are right, Jacques,” was the response of Monsieur Defarge. - -This third interchange of the Christian name was completed at the moment -when Madame Defarge put her toothpick by, kept her eyebrows up, and -slightly rustled in her seat. - -“Hold then! True!” muttered her husband. “Gentlemen--my wife!” - -The three customers pulled off their hats to Madame Defarge, with three -flourishes. She acknowledged their homage by bending her head, and -giving them a quick look. Then she glanced in a casual manner round the -wine-shop, took up her knitting with great apparent calmness and repose -of spirit, and became absorbed in it. - -“Gentlemen,” said her husband, who had kept his bright eye observantly -upon her, “good day. The chamber, furnished bachelor-fashion, that you -wished to see, and were inquiring for when I stepped out, is on the -fifth floor. The doorway of the staircase gives on the little courtyard -close to the left here,” pointing with his hand, “near to the window of -my establishment. But, now that I remember, one of you has already been -there, and can show the way. Gentlemen, adieu!” - -They paid for their wine, and left the place. The eyes of Monsieur -Defarge were studying his wife at her knitting when the elderly -gentleman advanced from his corner, and begged the favour of a word. - -“Willingly, sir,” said Monsieur Defarge, and quietly stepped with him to -the door. - -Their conference was very short, but very decided. Almost at the first -word, Monsieur Defarge started and became deeply attentive. It had -not lasted a minute, when he nodded and went out. The gentleman then -beckoned to the young lady, and they, too, went out. Madame Defarge -knitted with nimble fingers and steady eyebrows, and saw nothing. - -Mr. Jarvis Lorry and Miss Manette, emerging from the wine-shop thus, -joined Monsieur Defarge in the doorway to which he had directed his own -company just before. It opened from a stinking little black courtyard, -and was the general public entrance to a great pile of houses, inhabited -by a great number of people. In the gloomy tile-paved entry to the -gloomy tile-paved staircase, Monsieur Defarge bent down on one knee -to the child of his old master, and put her hand to his lips. It was -a gentle action, but not at all gently done; a very remarkable -transformation had come over him in a few seconds. He had no good-humour -in his face, nor any openness of aspect left, but had become a secret, -angry, dangerous man. - -“It is very high; it is a little difficult. Better to begin slowly.” - Thus, Monsieur Defarge, in a stern voice, to Mr. Lorry, as they began -ascending the stairs. - -“Is he alone?” the latter whispered. - -“Alone! God help him, who should be with him!” said the other, in the -same low voice. - -“Is he always alone, then?” - -“Yes.” - -“Of his own desire?” - -“Of his own necessity. As he was, when I first saw him after they -found me and demanded to know if I would take him, and, at my peril be -discreet--as he was then, so he is now.” - -“He is greatly changed?” - -“Changed!” - -The keeper of the wine-shop stopped to strike the wall with his hand, -and mutter a tremendous curse. No direct answer could have been half so -forcible. Mr. Lorry's spirits grew heavier and heavier, as he and his -two companions ascended higher and higher. - -Such a staircase, with its accessories, in the older and more crowded -parts of Paris, would be bad enough now; but, at that time, it was vile -indeed to unaccustomed and unhardened senses. Every little habitation -within the great foul nest of one high building--that is to say, -the room or rooms within every door that opened on the general -staircase--left its own heap of refuse on its own landing, besides -flinging other refuse from its own windows. The uncontrollable and -hopeless mass of decomposition so engendered, would have polluted -the air, even if poverty and deprivation had not loaded it with their -intangible impurities; the two bad sources combined made it almost -insupportable. Through such an atmosphere, by a steep dark shaft of dirt -and poison, the way lay. Yielding to his own disturbance of mind, and to -his young companion's agitation, which became greater every instant, Mr. -Jarvis Lorry twice stopped to rest. Each of these stoppages was made -at a doleful grating, by which any languishing good airs that were left -uncorrupted, seemed to escape, and all spoilt and sickly vapours seemed -to crawl in. Through the rusted bars, tastes, rather than glimpses, were -caught of the jumbled neighbourhood; and nothing within range, nearer -or lower than the summits of the two great towers of Notre-Dame, had any -promise on it of healthy life or wholesome aspirations. - -At last, the top of the staircase was gained, and they stopped for the -third time. There was yet an upper staircase, of a steeper inclination -and of contracted dimensions, to be ascended, before the garret story -was reached. The keeper of the wine-shop, always going a little in -advance, and always going on the side which Mr. Lorry took, as though he -dreaded to be asked any question by the young lady, turned himself about -here, and, carefully feeling in the pockets of the coat he carried over -his shoulder, took out a key. - -“The door is locked then, my friend?” said Mr. Lorry, surprised. - -“Ay. Yes,” was the grim reply of Monsieur Defarge. - -“You think it necessary to keep the unfortunate gentleman so retired?” - -“I think it necessary to turn the key.” Monsieur Defarge whispered it -closer in his ear, and frowned heavily. - -“Why?” - -“Why! Because he has lived so long, locked up, that he would be -frightened--rave--tear himself to pieces--die--come to I know not what -harm--if his door was left open.” - -“Is it possible!” exclaimed Mr. Lorry. - -“Is it possible!” repeated Defarge, bitterly. “Yes. And a beautiful -world we live in, when it _is_ possible, and when many other such things -are possible, and not only possible, but done--done, see you!--under -that sky there, every day. Long live the Devil. Let us go on.” - -This dialogue had been held in so very low a whisper, that not a word -of it had reached the young lady's ears. But, by this time she trembled -under such strong emotion, and her face expressed such deep anxiety, -and, above all, such dread and terror, that Mr. Lorry felt it incumbent -on him to speak a word or two of reassurance. - -“Courage, dear miss! Courage! Business! The worst will be over in a -moment; it is but passing the room-door, and the worst is over. Then, -all the good you bring to him, all the relief, all the happiness you -bring to him, begin. Let our good friend here, assist you on that side. -That's well, friend Defarge. Come, now. Business, business!” - -They went up slowly and softly. The staircase was short, and they were -soon at the top. There, as it had an abrupt turn in it, they came all at -once in sight of three men, whose heads were bent down close together at -the side of a door, and who were intently looking into the room to which -the door belonged, through some chinks or holes in the wall. On hearing -footsteps close at hand, these three turned, and rose, and showed -themselves to be the three of one name who had been drinking in the -wine-shop. - -“I forgot them in the surprise of your visit,” explained Monsieur -Defarge. “Leave us, good boys; we have business here.” - -The three glided by, and went silently down. - -There appearing to be no other door on that floor, and the keeper of -the wine-shop going straight to this one when they were left alone, Mr. -Lorry asked him in a whisper, with a little anger: - -“Do you make a show of Monsieur Manette?” - -“I show him, in the way you have seen, to a chosen few.” - -“Is that well?” - -“_I_ think it is well.” - -“Who are the few? How do you choose them?” - -“I choose them as real men, of my name--Jacques is my name--to whom the -sight is likely to do good. Enough; you are English; that is another -thing. Stay there, if you please, a little moment.” - -With an admonitory gesture to keep them back, he stooped, and looked in -through the crevice in the wall. Soon raising his head again, he struck -twice or thrice upon the door--evidently with no other object than to -make a noise there. With the same intention, he drew the key across it, -three or four times, before he put it clumsily into the lock, and turned -it as heavily as he could. - -The door slowly opened inward under his hand, and he looked into the -room and said something. A faint voice answered something. Little more -than a single syllable could have been spoken on either side. - -He looked back over his shoulder, and beckoned them to enter. Mr. Lorry -got his arm securely round the daughter's waist, and held her; for he -felt that she was sinking. - -“A-a-a-business, business!” he urged, with a moisture that was not of -business shining on his cheek. “Come in, come in!” - -“I am afraid of it,” she answered, shuddering. - -“Of it? What?” - -“I mean of him. Of my father.” - -Rendered in a manner desperate, by her state and by the beckoning of -their conductor, he drew over his neck the arm that shook upon his -shoulder, lifted her a little, and hurried her into the room. He sat her -down just within the door, and held her, clinging to him. - -Defarge drew out the key, closed the door, locked it on the inside, -took out the key again, and held it in his hand. All this he did, -methodically, and with as loud and harsh an accompaniment of noise as he -could make. Finally, he walked across the room with a measured tread to -where the window was. He stopped there, and faced round. - -The garret, built to be a depository for firewood and the like, was dim -and dark: for, the window of dormer shape, was in truth a door in the -roof, with a little crane over it for the hoisting up of stores from -the street: unglazed, and closing up the middle in two pieces, like any -other door of French construction. To exclude the cold, one half of this -door was fast closed, and the other was opened but a very little way. -Such a scanty portion of light was admitted through these means, that it -was difficult, on first coming in, to see anything; and long habit -alone could have slowly formed in any one, the ability to do any work -requiring nicety in such obscurity. Yet, work of that kind was being -done in the garret; for, with his back towards the door, and his face -towards the window where the keeper of the wine-shop stood looking at -him, a white-haired man sat on a low bench, stooping forward and very -busy, making shoes. - - - - -VI. The Shoemaker - - -“Good day!” said Monsieur Defarge, looking down at the white head that -bent low over the shoemaking. - -It was raised for a moment, and a very faint voice responded to the -salutation, as if it were at a distance: - -“Good day!” - -“You are still hard at work, I see?” - -After a long silence, the head was lifted for another moment, and the -voice replied, “Yes--I am working.” This time, a pair of haggard eyes -had looked at the questioner, before the face had dropped again. - -The faintness of the voice was pitiable and dreadful. It was not the -faintness of physical weakness, though confinement and hard fare no -doubt had their part in it. Its deplorable peculiarity was, that it was -the faintness of solitude and disuse. It was like the last feeble echo -of a sound made long and long ago. So entirely had it lost the life and -resonance of the human voice, that it affected the senses like a once -beautiful colour faded away into a poor weak stain. So sunken and -suppressed it was, that it was like a voice underground. So expressive -it was, of a hopeless and lost creature, that a famished traveller, -wearied out by lonely wandering in a wilderness, would have remembered -home and friends in such a tone before lying down to die. - -Some minutes of silent work had passed: and the haggard eyes had looked -up again: not with any interest or curiosity, but with a dull mechanical -perception, beforehand, that the spot where the only visitor they were -aware of had stood, was not yet empty. - -“I want,” said Defarge, who had not removed his gaze from the shoemaker, -“to let in a little more light here. You can bear a little more?” - -The shoemaker stopped his work; looked with a vacant air of listening, -at the floor on one side of him; then similarly, at the floor on the -other side of him; then, upward at the speaker. - -“What did you say?” - -“You can bear a little more light?” - -“I must bear it, if you let it in.” (Laying the palest shadow of a -stress upon the second word.) - -The opened half-door was opened a little further, and secured at that -angle for the time. A broad ray of light fell into the garret, and -showed the workman with an unfinished shoe upon his lap, pausing in his -labour. His few common tools and various scraps of leather were at his -feet and on his bench. He had a white beard, raggedly cut, but not very -long, a hollow face, and exceedingly bright eyes. The hollowness and -thinness of his face would have caused them to look large, under his yet -dark eyebrows and his confused white hair, though they had been really -otherwise; but, they were naturally large, and looked unnaturally so. -His yellow rags of shirt lay open at the throat, and showed his body -to be withered and worn. He, and his old canvas frock, and his loose -stockings, and all his poor tatters of clothes, had, in a long seclusion -from direct light and air, faded down to such a dull uniformity of -parchment-yellow, that it would have been hard to say which was which. - -He had put up a hand between his eyes and the light, and the very bones -of it seemed transparent. So he sat, with a steadfastly vacant gaze, -pausing in his work. He never looked at the figure before him, without -first looking down on this side of himself, then on that, as if he had -lost the habit of associating place with sound; he never spoke, without -first wandering in this manner, and forgetting to speak. - -“Are you going to finish that pair of shoes to-day?” asked Defarge, -motioning to Mr. Lorry to come forward. - -“What did you say?” - -“Do you mean to finish that pair of shoes to-day?” - -“I can't say that I mean to. I suppose so. I don't know.” - -But, the question reminded him of his work, and he bent over it again. - -Mr. Lorry came silently forward, leaving the daughter by the door. When -he had stood, for a minute or two, by the side of Defarge, the shoemaker -looked up. He showed no surprise at seeing another figure, but the -unsteady fingers of one of his hands strayed to his lips as he looked at -it (his lips and his nails were of the same pale lead-colour), and then -the hand dropped to his work, and he once more bent over the shoe. The -look and the action had occupied but an instant. - -“You have a visitor, you see,” said Monsieur Defarge. - -“What did you say?” - -“Here is a visitor.” - -The shoemaker looked up as before, but without removing a hand from his -work. - -“Come!” said Defarge. “Here is monsieur, who knows a well-made shoe when -he sees one. Show him that shoe you are working at. Take it, monsieur.” - -Mr. Lorry took it in his hand. - -“Tell monsieur what kind of shoe it is, and the maker's name.” - -There was a longer pause than usual, before the shoemaker replied: - -“I forget what it was you asked me. What did you say?” - -“I said, couldn't you describe the kind of shoe, for monsieur's -information?” - -“It is a lady's shoe. It is a young lady's walking-shoe. It is in the -present mode. I never saw the mode. I have had a pattern in my hand.” He -glanced at the shoe with some little passing touch of pride. - -“And the maker's name?” said Defarge. - -Now that he had no work to hold, he laid the knuckles of the right hand -in the hollow of the left, and then the knuckles of the left hand in the -hollow of the right, and then passed a hand across his bearded chin, and -so on in regular changes, without a moment's intermission. The task of -recalling him from the vagrancy into which he always sank when he -had spoken, was like recalling some very weak person from a swoon, or -endeavouring, in the hope of some disclosure, to stay the spirit of a -fast-dying man. - -“Did you ask me for my name?” - -“Assuredly I did.” - -“One Hundred and Five, North Tower.” - -“Is that all?” - -“One Hundred and Five, North Tower.” - -With a weary sound that was not a sigh, nor a groan, he bent to work -again, until the silence was again broken. - -“You are not a shoemaker by trade?” said Mr. Lorry, looking steadfastly -at him. - -His haggard eyes turned to Defarge as if he would have transferred the -question to him: but as no help came from that quarter, they turned back -on the questioner when they had sought the ground. - -“I am not a shoemaker by trade? No, I was not a shoemaker by trade. I-I -learnt it here. I taught myself. I asked leave to--” - -He lapsed away, even for minutes, ringing those measured changes on his -hands the whole time. His eyes came slowly back, at last, to the face -from which they had wandered; when they rested on it, he started, and -resumed, in the manner of a sleeper that moment awake, reverting to a -subject of last night. - -“I asked leave to teach myself, and I got it with much difficulty after -a long while, and I have made shoes ever since.” - -As he held out his hand for the shoe that had been taken from him, Mr. -Lorry said, still looking steadfastly in his face: - -“Monsieur Manette, do you remember nothing of me?” - -The shoe dropped to the ground, and he sat looking fixedly at the -questioner. - -“Monsieur Manette”; Mr. Lorry laid his hand upon Defarge's arm; “do you -remember nothing of this man? Look at him. Look at me. Is there no old -banker, no old business, no old servant, no old time, rising in your -mind, Monsieur Manette?” - -As the captive of many years sat looking fixedly, by turns, at Mr. -Lorry and at Defarge, some long obliterated marks of an actively intent -intelligence in the middle of the forehead, gradually forced themselves -through the black mist that had fallen on him. They were overclouded -again, they were fainter, they were gone; but they had been there. And -so exactly was the expression repeated on the fair young face of her who -had crept along the wall to a point where she could see him, and where -she now stood looking at him, with hands which at first had been only -raised in frightened compassion, if not even to keep him off and -shut out the sight of him, but which were now extending towards him, -trembling with eagerness to lay the spectral face upon her warm young -breast, and love it back to life and hope--so exactly was the expression -repeated (though in stronger characters) on her fair young face, that it -looked as though it had passed like a moving light, from him to her. - -Darkness had fallen on him in its place. He looked at the two, less and -less attentively, and his eyes in gloomy abstraction sought the ground -and looked about him in the old way. Finally, with a deep long sigh, he -took the shoe up, and resumed his work. - -“Have you recognised him, monsieur?” asked Defarge in a whisper. - -“Yes; for a moment. At first I thought it quite hopeless, but I have -unquestionably seen, for a single moment, the face that I once knew so -well. Hush! Let us draw further back. Hush!” - -She had moved from the wall of the garret, very near to the bench on -which he sat. There was something awful in his unconsciousness of the -figure that could have put out its hand and touched him as he stooped -over his labour. - -Not a word was spoken, not a sound was made. She stood, like a spirit, -beside him, and he bent over his work. - -It happened, at length, that he had occasion to change the instrument -in his hand, for his shoemaker's knife. It lay on that side of him -which was not the side on which she stood. He had taken it up, and was -stooping to work again, when his eyes caught the skirt of her dress. He -raised them, and saw her face. The two spectators started forward, -but she stayed them with a motion of her hand. She had no fear of his -striking at her with the knife, though they had. - -He stared at her with a fearful look, and after a while his lips began -to form some words, though no sound proceeded from them. By degrees, in -the pauses of his quick and laboured breathing, he was heard to say: - -“What is this?” - -With the tears streaming down her face, she put her two hands to her -lips, and kissed them to him; then clasped them on her breast, as if she -laid his ruined head there. - -“You are not the gaoler's daughter?” - -She sighed “No.” - -“Who are you?” - -Not yet trusting the tones of her voice, she sat down on the bench -beside him. He recoiled, but she laid her hand upon his arm. A strange -thrill struck him when she did so, and visibly passed over his frame; he -laid the knife down softly, as he sat staring at her. - -Her golden hair, which she wore in long curls, had been hurriedly pushed -aside, and fell down over her neck. Advancing his hand by little and -little, he took it up and looked at it. In the midst of the action -he went astray, and, with another deep sigh, fell to work at his -shoemaking. - -But not for long. Releasing his arm, she laid her hand upon his -shoulder. After looking doubtfully at it, two or three times, as if to -be sure that it was really there, he laid down his work, put his hand -to his neck, and took off a blackened string with a scrap of folded rag -attached to it. He opened this, carefully, on his knee, and it contained -a very little quantity of hair: not more than one or two long golden -hairs, which he had, in some old day, wound off upon his finger. - -He took her hair into his hand again, and looked closely at it. “It is -the same. How can it be! When was it! How was it!” - -As the concentrated expression returned to his forehead, he seemed to -become conscious that it was in hers too. He turned her full to the -light, and looked at her. - -“She had laid her head upon my shoulder, that night when I was summoned -out--she had a fear of my going, though I had none--and when I was -brought to the North Tower they found these upon my sleeve. 'You will -leave me them? They can never help me to escape in the body, though they -may in the spirit.' Those were the words I said. I remember them very -well.” - -He formed this speech with his lips many times before he could utter it. -But when he did find spoken words for it, they came to him coherently, -though slowly. - -“How was this?--_Was it you_?” - -Once more, the two spectators started, as he turned upon her with a -frightful suddenness. But she sat perfectly still in his grasp, and only -said, in a low voice, “I entreat you, good gentlemen, do not come near -us, do not speak, do not move!” - -“Hark!” he exclaimed. “Whose voice was that?” - -His hands released her as he uttered this cry, and went up to his white -hair, which they tore in a frenzy. It died out, as everything but his -shoemaking did die out of him, and he refolded his little packet and -tried to secure it in his breast; but he still looked at her, and -gloomily shook his head. - -“No, no, no; you are too young, too blooming. It can't be. See what the -prisoner is. These are not the hands she knew, this is not the face -she knew, this is not a voice she ever heard. No, no. She was--and He -was--before the slow years of the North Tower--ages ago. What is your -name, my gentle angel?” - -Hailing his softened tone and manner, his daughter fell upon her knees -before him, with her appealing hands upon his breast. - -“O, sir, at another time you shall know my name, and who my mother was, -and who my father, and how I never knew their hard, hard history. But I -cannot tell you at this time, and I cannot tell you here. All that I may -tell you, here and now, is, that I pray to you to touch me and to bless -me. Kiss me, kiss me! O my dear, my dear!” - -His cold white head mingled with her radiant hair, which warmed and -lighted it as though it were the light of Freedom shining on him. - -“If you hear in my voice--I don't know that it is so, but I hope it -is--if you hear in my voice any resemblance to a voice that once was -sweet music in your ears, weep for it, weep for it! If you touch, in -touching my hair, anything that recalls a beloved head that lay on your -breast when you were young and free, weep for it, weep for it! If, when -I hint to you of a Home that is before us, where I will be true to you -with all my duty and with all my faithful service, I bring back the -remembrance of a Home long desolate, while your poor heart pined away, -weep for it, weep for it!” - -She held him closer round the neck, and rocked him on her breast like a -child. - -“If, when I tell you, dearest dear, that your agony is over, and that I -have come here to take you from it, and that we go to England to be at -peace and at rest, I cause you to think of your useful life laid waste, -and of our native France so wicked to you, weep for it, weep for it! And -if, when I shall tell you of my name, and of my father who is living, -and of my mother who is dead, you learn that I have to kneel to my -honoured father, and implore his pardon for having never for his sake -striven all day and lain awake and wept all night, because the love of -my poor mother hid his torture from me, weep for it, weep for it! Weep -for her, then, and for me! Good gentlemen, thank God! I feel his sacred -tears upon my face, and his sobs strike against my heart. O, see! Thank -God for us, thank God!” - -He had sunk in her arms, and his face dropped on her breast: a sight so -touching, yet so terrible in the tremendous wrong and suffering which -had gone before it, that the two beholders covered their faces. - -When the quiet of the garret had been long undisturbed, and his heaving -breast and shaken form had long yielded to the calm that must follow all -storms--emblem to humanity, of the rest and silence into which the storm -called Life must hush at last--they came forward to raise the father and -daughter from the ground. He had gradually dropped to the floor, and lay -there in a lethargy, worn out. She had nestled down with him, that his -head might lie upon her arm; and her hair drooping over him curtained -him from the light. - -“If, without disturbing him,” she said, raising her hand to Mr. Lorry as -he stooped over them, after repeated blowings of his nose, “all could be -arranged for our leaving Paris at once, so that, from the very door, he -could be taken away--” - -“But, consider. Is he fit for the journey?” asked Mr. Lorry. - -“More fit for that, I think, than to remain in this city, so dreadful to -him.” - -“It is true,” said Defarge, who was kneeling to look on and hear. “More -than that; Monsieur Manette is, for all reasons, best out of France. -Say, shall I hire a carriage and post-horses?” - -“That's business,” said Mr. Lorry, resuming on the shortest notice his -methodical manners; “and if business is to be done, I had better do it.” - -“Then be so kind,” urged Miss Manette, “as to leave us here. You see how -composed he has become, and you cannot be afraid to leave him with me -now. Why should you be? If you will lock the door to secure us from -interruption, I do not doubt that you will find him, when you come back, -as quiet as you leave him. In any case, I will take care of him until -you return, and then we will remove him straight.” - -Both Mr. Lorry and Defarge were rather disinclined to this course, and -in favour of one of them remaining. But, as there were not only carriage -and horses to be seen to, but travelling papers; and as time pressed, -for the day was drawing to an end, it came at last to their hastily -dividing the business that was necessary to be done, and hurrying away -to do it. - -Then, as the darkness closed in, the daughter laid her head down on the -hard ground close at the father's side, and watched him. The darkness -deepened and deepened, and they both lay quiet, until a light gleamed -through the chinks in the wall. - -Mr. Lorry and Monsieur Defarge had made all ready for the journey, and -had brought with them, besides travelling cloaks and wrappers, bread and -meat, wine, and hot coffee. Monsieur Defarge put this provender, and the -lamp he carried, on the shoemaker's bench (there was nothing else in the -garret but a pallet bed), and he and Mr. Lorry roused the captive, and -assisted him to his feet. - -No human intelligence could have read the mysteries of his mind, in -the scared blank wonder of his face. Whether he knew what had happened, -whether he recollected what they had said to him, whether he knew that -he was free, were questions which no sagacity could have solved. They -tried speaking to him; but, he was so confused, and so very slow to -answer, that they took fright at his bewilderment, and agreed for -the time to tamper with him no more. He had a wild, lost manner of -occasionally clasping his head in his hands, that had not been seen -in him before; yet, he had some pleasure in the mere sound of his -daughter's voice, and invariably turned to it when she spoke. - -In the submissive way of one long accustomed to obey under coercion, he -ate and drank what they gave him to eat and drink, and put on the cloak -and other wrappings, that they gave him to wear. He readily responded to -his daughter's drawing her arm through his, and took--and kept--her hand -in both his own. - -They began to descend; Monsieur Defarge going first with the lamp, Mr. -Lorry closing the little procession. They had not traversed many steps -of the long main staircase when he stopped, and stared at the roof and -round at the walls. - -“You remember the place, my father? You remember coming up here?” - -“What did you say?” - -But, before she could repeat the question, he murmured an answer as if -she had repeated it. - -“Remember? No, I don't remember. It was so very long ago.” - -That he had no recollection whatever of his having been brought from his -prison to that house, was apparent to them. They heard him mutter, -“One Hundred and Five, North Tower;” and when he looked about him, it -evidently was for the strong fortress-walls which had long encompassed -him. On their reaching the courtyard he instinctively altered his -tread, as being in expectation of a drawbridge; and when there was -no drawbridge, and he saw the carriage waiting in the open street, he -dropped his daughter's hand and clasped his head again. - -No crowd was about the door; no people were discernible at any of the -many windows; not even a chance passerby was in the street. An unnatural -silence and desertion reigned there. Only one soul was to be seen, and -that was Madame Defarge--who leaned against the door-post, knitting, and -saw nothing. - -The prisoner had got into a coach, and his daughter had followed -him, when Mr. Lorry's feet were arrested on the step by his asking, -miserably, for his shoemaking tools and the unfinished shoes. Madame -Defarge immediately called to her husband that she would get them, and -went, knitting, out of the lamplight, through the courtyard. She quickly -brought them down and handed them in;--and immediately afterwards leaned -against the door-post, knitting, and saw nothing. - -Defarge got upon the box, and gave the word “To the Barrier!” The -postilion cracked his whip, and they clattered away under the feeble -over-swinging lamps. - -Under the over-swinging lamps--swinging ever brighter in the better -streets, and ever dimmer in the worse--and by lighted shops, gay crowds, -illuminated coffee-houses, and theatre-doors, to one of the city -gates. Soldiers with lanterns, at the guard-house there. “Your papers, -travellers!” “See here then, Monsieur the Officer,” said Defarge, -getting down, and taking him gravely apart, “these are the papers of -monsieur inside, with the white head. They were consigned to me, with -him, at the--” He dropped his voice, there was a flutter among the -military lanterns, and one of them being handed into the coach by an arm -in uniform, the eyes connected with the arm looked, not an every day -or an every night look, at monsieur with the white head. “It is well. -Forward!” from the uniform. “Adieu!” from Defarge. And so, under a short -grove of feebler and feebler over-swinging lamps, out under the great -grove of stars. - -Beneath that arch of unmoved and eternal lights; some, so remote from -this little earth that the learned tell us it is doubtful whether their -rays have even yet discovered it, as a point in space where anything -is suffered or done: the shadows of the night were broad and black. -All through the cold and restless interval, until dawn, they once more -whispered in the ears of Mr. Jarvis Lorry--sitting opposite the buried -man who had been dug out, and wondering what subtle powers were for ever -lost to him, and what were capable of restoration--the old inquiry: - -“I hope you care to be recalled to life?” - -And the old answer: - -“I can't say.” - - -The end of the first book. - - - - - -Book the Second--the Golden Thread - - - - -I. Five Years Later - - -Tellson's Bank by Temple Bar was an old-fashioned place, even in the -year one thousand seven hundred and eighty. It was very small, very -dark, very ugly, very incommodious. It was an old-fashioned place, -moreover, in the moral attribute that the partners in the House were -proud of its smallness, proud of its darkness, proud of its ugliness, -proud of its incommodiousness. They were even boastful of its eminence -in those particulars, and were fired by an express conviction that, if -it were less objectionable, it would be less respectable. This was -no passive belief, but an active weapon which they flashed at more -convenient places of business. Tellson's (they said) wanted -no elbow-room, Tellson's wanted no light, Tellson's wanted no -embellishment. Noakes and Co.'s might, or Snooks Brothers' might; but -Tellson's, thank Heaven--! - -Any one of these partners would have disinherited his son on the -question of rebuilding Tellson's. In this respect the House was much -on a par with the Country; which did very often disinherit its sons for -suggesting improvements in laws and customs that had long been highly -objectionable, but were only the more respectable. - -Thus it had come to pass, that Tellson's was the triumphant perfection -of inconvenience. After bursting open a door of idiotic obstinacy with -a weak rattle in its throat, you fell into Tellson's down two steps, -and came to your senses in a miserable little shop, with two little -counters, where the oldest of men made your cheque shake as if the -wind rustled it, while they examined the signature by the dingiest of -windows, which were always under a shower-bath of mud from Fleet-street, -and which were made the dingier by their own iron bars proper, and the -heavy shadow of Temple Bar. If your business necessitated your seeing -“the House,” you were put into a species of Condemned Hold at the back, -where you meditated on a misspent life, until the House came with its -hands in its pockets, and you could hardly blink at it in the dismal -twilight. Your money came out of, or went into, wormy old wooden -drawers, particles of which flew up your nose and down your throat when -they were opened and shut. Your bank-notes had a musty odour, as if they -were fast decomposing into rags again. Your plate was stowed away among -the neighbouring cesspools, and evil communications corrupted its good -polish in a day or two. Your deeds got into extemporised strong-rooms -made of kitchens and sculleries, and fretted all the fat out of their -parchments into the banking-house air. Your lighter boxes of family -papers went up-stairs into a Barmecide room, that always had a great -dining-table in it and never had a dinner, and where, even in the year -one thousand seven hundred and eighty, the first letters written to you -by your old love, or by your little children, were but newly released -from the horror of being ogled through the windows, by the heads -exposed on Temple Bar with an insensate brutality and ferocity worthy of -Abyssinia or Ashantee. - -But indeed, at that time, putting to death was a recipe much in vogue -with all trades and professions, and not least of all with Tellson's. -Death is Nature's remedy for all things, and why not Legislation's? -Accordingly, the forger was put to Death; the utterer of a bad note -was put to Death; the unlawful opener of a letter was put to Death; the -purloiner of forty shillings and sixpence was put to Death; the holder -of a horse at Tellson's door, who made off with it, was put to -Death; the coiner of a bad shilling was put to Death; the sounders of -three-fourths of the notes in the whole gamut of Crime, were put to -Death. Not that it did the least good in the way of prevention--it -might almost have been worth remarking that the fact was exactly the -reverse--but, it cleared off (as to this world) the trouble of each -particular case, and left nothing else connected with it to be looked -after. Thus, Tellson's, in its day, like greater places of business, -its contemporaries, had taken so many lives, that, if the heads laid -low before it had been ranged on Temple Bar instead of being privately -disposed of, they would probably have excluded what little light the -ground floor had, in a rather significant manner. - -Cramped in all kinds of dim cupboards and hutches at Tellson's, the -oldest of men carried on the business gravely. When they took a young -man into Tellson's London house, they hid him somewhere till he was -old. They kept him in a dark place, like a cheese, until he had the full -Tellson flavour and blue-mould upon him. Then only was he permitted to -be seen, spectacularly poring over large books, and casting his breeches -and gaiters into the general weight of the establishment. - -Outside Tellson's--never by any means in it, unless called in--was an -odd-job-man, an occasional porter and messenger, who served as the live -sign of the house. He was never absent during business hours, unless -upon an errand, and then he was represented by his son: a grisly urchin -of twelve, who was his express image. People understood that Tellson's, -in a stately way, tolerated the odd-job-man. The house had always -tolerated some person in that capacity, and time and tide had drifted -this person to the post. His surname was Cruncher, and on the youthful -occasion of his renouncing by proxy the works of darkness, in the -easterly parish church of Hounsditch, he had received the added -appellation of Jerry. - -The scene was Mr. Cruncher's private lodging in Hanging-sword-alley, -Whitefriars: the time, half-past seven of the clock on a windy March -morning, Anno Domini seventeen hundred and eighty. (Mr. Cruncher himself -always spoke of the year of our Lord as Anna Dominoes: apparently under -the impression that the Christian era dated from the invention of a -popular game, by a lady who had bestowed her name upon it.) - -Mr. Cruncher's apartments were not in a savoury neighbourhood, and were -but two in number, even if a closet with a single pane of glass in it -might be counted as one. But they were very decently kept. Early as -it was, on the windy March morning, the room in which he lay abed was -already scrubbed throughout; and between the cups and saucers arranged -for breakfast, and the lumbering deal table, a very clean white cloth -was spread. - -Mr. Cruncher reposed under a patchwork counterpane, like a Harlequin -at home. At first, he slept heavily, but, by degrees, began to roll -and surge in bed, until he rose above the surface, with his spiky hair -looking as if it must tear the sheets to ribbons. At which juncture, he -exclaimed, in a voice of dire exasperation: - -“Bust me, if she ain't at it agin!” - -A woman of orderly and industrious appearance rose from her knees in a -corner, with sufficient haste and trepidation to show that she was the -person referred to. - -“What!” said Mr. Cruncher, looking out of bed for a boot. “You're at it -agin, are you?” - -After hailing the morn with this second salutation, he threw a boot at -the woman as a third. It was a very muddy boot, and may introduce the -odd circumstance connected with Mr. Cruncher's domestic economy, that, -whereas he often came home after banking hours with clean boots, he -often got up next morning to find the same boots covered with clay. - -“What,” said Mr. Cruncher, varying his apostrophe after missing his -mark--“what are you up to, Aggerawayter?” - -“I was only saying my prayers.” - -“Saying your prayers! You're a nice woman! What do you mean by flopping -yourself down and praying agin me?” - -“I was not praying against you; I was praying for you.” - -“You weren't. And if you were, I won't be took the liberty with. Here! -your mother's a nice woman, young Jerry, going a praying agin your -father's prosperity. You've got a dutiful mother, you have, my son. -You've got a religious mother, you have, my boy: going and flopping -herself down, and praying that the bread-and-butter may be snatched out -of the mouth of her only child.” - -Master Cruncher (who was in his shirt) took this very ill, and, turning -to his mother, strongly deprecated any praying away of his personal -board. - -“And what do you suppose, you conceited female,” said Mr. Cruncher, with -unconscious inconsistency, “that the worth of _your_ prayers may be? -Name the price that you put _your_ prayers at!” - -“They only come from the heart, Jerry. They are worth no more than -that.” - -“Worth no more than that,” repeated Mr. Cruncher. “They ain't worth -much, then. Whether or no, I won't be prayed agin, I tell you. I can't -afford it. I'm not a going to be made unlucky by _your_ sneaking. If -you must go flopping yourself down, flop in favour of your husband and -child, and not in opposition to 'em. If I had had any but a unnat'ral -wife, and this poor boy had had any but a unnat'ral mother, I might -have made some money last week instead of being counter-prayed and -countermined and religiously circumwented into the worst of luck. -B-u-u-ust me!” said Mr. Cruncher, who all this time had been putting -on his clothes, “if I ain't, what with piety and one blowed thing and -another, been choused this last week into as bad luck as ever a poor -devil of a honest tradesman met with! Young Jerry, dress yourself, my -boy, and while I clean my boots keep a eye upon your mother now and -then, and if you see any signs of more flopping, give me a call. For, I -tell you,” here he addressed his wife once more, “I won't be gone agin, -in this manner. I am as rickety as a hackney-coach, I'm as sleepy as -laudanum, my lines is strained to that degree that I shouldn't know, if -it wasn't for the pain in 'em, which was me and which somebody else, yet -I'm none the better for it in pocket; and it's my suspicion that you've -been at it from morning to night to prevent me from being the better for -it in pocket, and I won't put up with it, Aggerawayter, and what do you -say now!” - -Growling, in addition, such phrases as “Ah! yes! You're religious, too. -You wouldn't put yourself in opposition to the interests of your husband -and child, would you? Not you!” and throwing off other sarcastic sparks -from the whirling grindstone of his indignation, Mr. Cruncher betook -himself to his boot-cleaning and his general preparation for business. -In the meantime, his son, whose head was garnished with tenderer spikes, -and whose young eyes stood close by one another, as his father's did, -kept the required watch upon his mother. He greatly disturbed that poor -woman at intervals, by darting out of his sleeping closet, where he made -his toilet, with a suppressed cry of “You are going to flop, mother. ---Halloa, father!” and, after raising this fictitious alarm, darting in -again with an undutiful grin. - -Mr. Cruncher's temper was not at all improved when he came to his -breakfast. He resented Mrs. Cruncher's saying grace with particular -animosity. - -“Now, Aggerawayter! What are you up to? At it again?” - -His wife explained that she had merely “asked a blessing.” - -“Don't do it!” said Mr. Crunches looking about, as if he rather expected -to see the loaf disappear under the efficacy of his wife's petitions. “I -ain't a going to be blest out of house and home. I won't have my wittles -blest off my table. Keep still!” - -Exceedingly red-eyed and grim, as if he had been up all night at a party -which had taken anything but a convivial turn, Jerry Cruncher worried -his breakfast rather than ate it, growling over it like any four-footed -inmate of a menagerie. Towards nine o'clock he smoothed his ruffled -aspect, and, presenting as respectable and business-like an exterior as -he could overlay his natural self with, issued forth to the occupation -of the day. - -It could scarcely be called a trade, in spite of his favourite -description of himself as “a honest tradesman.” His stock consisted of -a wooden stool, made out of a broken-backed chair cut down, which stool, -young Jerry, walking at his father's side, carried every morning to -beneath the banking-house window that was nearest Temple Bar: where, -with the addition of the first handful of straw that could be gleaned -from any passing vehicle to keep the cold and wet from the odd-job-man's -feet, it formed the encampment for the day. On this post of his, Mr. -Cruncher was as well known to Fleet-street and the Temple, as the Bar -itself,--and was almost as in-looking. - -Encamped at a quarter before nine, in good time to touch his -three-cornered hat to the oldest of men as they passed in to Tellson's, -Jerry took up his station on this windy March morning, with young Jerry -standing by him, when not engaged in making forays through the Bar, to -inflict bodily and mental injuries of an acute description on passing -boys who were small enough for his amiable purpose. Father and son, -extremely like each other, looking silently on at the morning traffic -in Fleet-street, with their two heads as near to one another as the two -eyes of each were, bore a considerable resemblance to a pair of monkeys. -The resemblance was not lessened by the accidental circumstance, that -the mature Jerry bit and spat out straw, while the twinkling eyes of the -youthful Jerry were as restlessly watchful of him as of everything else -in Fleet-street. - -The head of one of the regular indoor messengers attached to Tellson's -establishment was put through the door, and the word was given: - -“Porter wanted!” - -“Hooray, father! Here's an early job to begin with!” - -Having thus given his parent God speed, young Jerry seated himself on -the stool, entered on his reversionary interest in the straw his father -had been chewing, and cogitated. - -“Al-ways rusty! His fingers is al-ways rusty!” muttered young Jerry. -“Where does my father get all that iron rust from? He don't get no iron -rust here!” - - - - -II. A Sight - - -“You know the Old Bailey well, no doubt?” said one of the oldest of -clerks to Jerry the messenger. - -“Ye-es, sir,” returned Jerry, in something of a dogged manner. “I _do_ -know the Bailey.” - -“Just so. And you know Mr. Lorry.” - -“I know Mr. Lorry, sir, much better than I know the Bailey. Much -better,” said Jerry, not unlike a reluctant witness at the establishment -in question, “than I, as a honest tradesman, wish to know the Bailey.” - -“Very well. Find the door where the witnesses go in, and show the -door-keeper this note for Mr. Lorry. He will then let you in.” - -“Into the court, sir?” - -“Into the court.” - -Mr. Cruncher's eyes seemed to get a little closer to one another, and to -interchange the inquiry, “What do you think of this?” - -“Am I to wait in the court, sir?” he asked, as the result of that -conference. - -“I am going to tell you. The door-keeper will pass the note to Mr. -Lorry, and do you make any gesture that will attract Mr. Lorry's -attention, and show him where you stand. Then what you have to do, is, -to remain there until he wants you.” - -“Is that all, sir?” - -“That's all. He wishes to have a messenger at hand. This is to tell him -you are there.” - -As the ancient clerk deliberately folded and superscribed the note, -Mr. Cruncher, after surveying him in silence until he came to the -blotting-paper stage, remarked: - -“I suppose they'll be trying Forgeries this morning?” - -“Treason!” - -“That's quartering,” said Jerry. “Barbarous!” - -“It is the law,” remarked the ancient clerk, turning his surprised -spectacles upon him. “It is the law.” - -“It's hard in the law to spile a man, I think. It's hard enough to kill -him, but it's wery hard to spile him, sir.” - -“Not at all,” retained the ancient clerk. “Speak well of the law. Take -care of your chest and voice, my good friend, and leave the law to take -care of itself. I give you that advice.” - -“It's the damp, sir, what settles on my chest and voice,” said Jerry. “I -leave you to judge what a damp way of earning a living mine is.” - -“Well, well,” said the old clerk; “we all have our various ways of -gaining a livelihood. Some of us have damp ways, and some of us have dry -ways. Here is the letter. Go along.” - -Jerry took the letter, and, remarking to himself with less internal -deference than he made an outward show of, “You are a lean old one, -too,” made his bow, informed his son, in passing, of his destination, -and went his way. - -They hanged at Tyburn, in those days, so the street outside Newgate had -not obtained one infamous notoriety that has since attached to it. -But, the gaol was a vile place, in which most kinds of debauchery and -villainy were practised, and where dire diseases were bred, that came -into court with the prisoners, and sometimes rushed straight from the -dock at my Lord Chief Justice himself, and pulled him off the bench. It -had more than once happened, that the Judge in the black cap pronounced -his own doom as certainly as the prisoner's, and even died before him. -For the rest, the Old Bailey was famous as a kind of deadly inn-yard, -from which pale travellers set out continually, in carts and coaches, on -a violent passage into the other world: traversing some two miles and a -half of public street and road, and shaming few good citizens, if any. -So powerful is use, and so desirable to be good use in the beginning. It -was famous, too, for the pillory, a wise old institution, that inflicted -a punishment of which no one could foresee the extent; also, for -the whipping-post, another dear old institution, very humanising and -softening to behold in action; also, for extensive transactions in -blood-money, another fragment of ancestral wisdom, systematically -leading to the most frightful mercenary crimes that could be committed -under Heaven. Altogether, the Old Bailey, at that date, was a choice -illustration of the precept, that “Whatever is is right;” an aphorism -that would be as final as it is lazy, did it not include the troublesome -consequence, that nothing that ever was, was wrong. - -Making his way through the tainted crowd, dispersed up and down this -hideous scene of action, with the skill of a man accustomed to make his -way quietly, the messenger found out the door he sought, and handed in -his letter through a trap in it. For, people then paid to see the play -at the Old Bailey, just as they paid to see the play in Bedlam--only the -former entertainment was much the dearer. Therefore, all the Old Bailey -doors were well guarded--except, indeed, the social doors by which the -criminals got there, and those were always left wide open. - -After some delay and demur, the door grudgingly turned on its hinges a -very little way, and allowed Mr. Jerry Cruncher to squeeze himself into -court. - -“What's on?” he asked, in a whisper, of the man he found himself next -to. - -“Nothing yet.” - -“What's coming on?” - -“The Treason case.” - -“The quartering one, eh?” - -“Ah!” returned the man, with a relish; “he'll be drawn on a hurdle to -be half hanged, and then he'll be taken down and sliced before his own -face, and then his inside will be taken out and burnt while he looks on, -and then his head will be chopped off, and he'll be cut into quarters. -That's the sentence.” - -“If he's found Guilty, you mean to say?” Jerry added, by way of proviso. - -“Oh! they'll find him guilty,” said the other. “Don't you be afraid of -that.” - -Mr. Cruncher's attention was here diverted to the door-keeper, whom he -saw making his way to Mr. Lorry, with the note in his hand. Mr. Lorry -sat at a table, among the gentlemen in wigs: not far from a wigged -gentleman, the prisoner's counsel, who had a great bundle of papers -before him: and nearly opposite another wigged gentleman with his hands -in his pockets, whose whole attention, when Mr. Cruncher looked at him -then or afterwards, seemed to be concentrated on the ceiling of the -court. After some gruff coughing and rubbing of his chin and signing -with his hand, Jerry attracted the notice of Mr. Lorry, who had stood up -to look for him, and who quietly nodded and sat down again. - -“What's _he_ got to do with the case?” asked the man he had spoken with. - -“Blest if I know,” said Jerry. - -“What have _you_ got to do with it, then, if a person may inquire?” - -“Blest if I know that either,” said Jerry. - -The entrance of the Judge, and a consequent great stir and settling -down in the court, stopped the dialogue. Presently, the dock became the -central point of interest. Two gaolers, who had been standing there, -went out, and the prisoner was brought in, and put to the bar. - -Everybody present, except the one wigged gentleman who looked at the -ceiling, stared at him. All the human breath in the place, rolled -at him, like a sea, or a wind, or a fire. Eager faces strained round -pillars and corners, to get a sight of him; spectators in back rows -stood up, not to miss a hair of him; people on the floor of the court, -laid their hands on the shoulders of the people before them, to help -themselves, at anybody's cost, to a view of him--stood a-tiptoe, got -upon ledges, stood upon next to nothing, to see every inch of him. -Conspicuous among these latter, like an animated bit of the spiked wall -of Newgate, Jerry stood: aiming at the prisoner the beery breath of a -whet he had taken as he came along, and discharging it to mingle with -the waves of other beer, and gin, and tea, and coffee, and what not, -that flowed at him, and already broke upon the great windows behind him -in an impure mist and rain. - -The object of all this staring and blaring, was a young man of about -five-and-twenty, well-grown and well-looking, with a sunburnt cheek and -a dark eye. His condition was that of a young gentleman. He was plainly -dressed in black, or very dark grey, and his hair, which was long and -dark, was gathered in a ribbon at the back of his neck; more to be out -of his way than for ornament. As an emotion of the mind will express -itself through any covering of the body, so the paleness which his -situation engendered came through the brown upon his cheek, showing the -soul to be stronger than the sun. He was otherwise quite self-possessed, -bowed to the Judge, and stood quiet. - -The sort of interest with which this man was stared and breathed at, -was not a sort that elevated humanity. Had he stood in peril of a less -horrible sentence--had there been a chance of any one of its savage -details being spared--by just so much would he have lost in his -fascination. The form that was to be doomed to be so shamefully mangled, -was the sight; the immortal creature that was to be so butchered -and torn asunder, yielded the sensation. Whatever gloss the various -spectators put upon the interest, according to their several arts and -powers of self-deceit, the interest was, at the root of it, Ogreish. - -Silence in the court! Charles Darnay had yesterday pleaded Not Guilty to -an indictment denouncing him (with infinite jingle and jangle) for that -he was a false traitor to our serene, illustrious, excellent, and so -forth, prince, our Lord the King, by reason of his having, on divers -occasions, and by divers means and ways, assisted Lewis, the French -King, in his wars against our said serene, illustrious, excellent, and -so forth; that was to say, by coming and going, between the dominions of -our said serene, illustrious, excellent, and so forth, and those of the -said French Lewis, and wickedly, falsely, traitorously, and otherwise -evil-adverbiously, revealing to the said French Lewis what forces our -said serene, illustrious, excellent, and so forth, had in preparation -to send to Canada and North America. This much, Jerry, with his head -becoming more and more spiky as the law terms bristled it, made out with -huge satisfaction, and so arrived circuitously at the understanding that -the aforesaid, and over and over again aforesaid, Charles Darnay, stood -there before him upon his trial; that the jury were swearing in; and -that Mr. Attorney-General was making ready to speak. - -The accused, who was (and who knew he was) being mentally hanged, -beheaded, and quartered, by everybody there, neither flinched from -the situation, nor assumed any theatrical air in it. He was quiet and -attentive; watched the opening proceedings with a grave interest; -and stood with his hands resting on the slab of wood before him, so -composedly, that they had not displaced a leaf of the herbs with which -it was strewn. The court was all bestrewn with herbs and sprinkled with -vinegar, as a precaution against gaol air and gaol fever. - -Over the prisoner's head there was a mirror, to throw the light down -upon him. Crowds of the wicked and the wretched had been reflected in -it, and had passed from its surface and this earth's together. Haunted -in a most ghastly manner that abominable place would have been, if the -glass could ever have rendered back its reflections, as the ocean is one -day to give up its dead. Some passing thought of the infamy and disgrace -for which it had been reserved, may have struck the prisoner's mind. Be -that as it may, a change in his position making him conscious of a bar -of light across his face, he looked up; and when he saw the glass his -face flushed, and his right hand pushed the herbs away. - -It happened, that the action turned his face to that side of the court -which was on his left. About on a level with his eyes, there sat, -in that corner of the Judge's bench, two persons upon whom his look -immediately rested; so immediately, and so much to the changing of his -aspect, that all the eyes that were turned upon him, turned to them. - -The spectators saw in the two figures, a young lady of little more than -twenty, and a gentleman who was evidently her father; a man of a very -remarkable appearance in respect of the absolute whiteness of his hair, -and a certain indescribable intensity of face: not of an active kind, -but pondering and self-communing. When this expression was upon him, he -looked as if he were old; but when it was stirred and broken up--as -it was now, in a moment, on his speaking to his daughter--he became a -handsome man, not past the prime of life. - -His daughter had one of her hands drawn through his arm, as she sat by -him, and the other pressed upon it. She had drawn close to him, in her -dread of the scene, and in her pity for the prisoner. Her forehead had -been strikingly expressive of an engrossing terror and compassion -that saw nothing but the peril of the accused. This had been so very -noticeable, so very powerfully and naturally shown, that starers who -had had no pity for him were touched by her; and the whisper went about, -“Who are they?” - -Jerry, the messenger, who had made his own observations, in his own -manner, and who had been sucking the rust off his fingers in his -absorption, stretched his neck to hear who they were. The crowd about -him had pressed and passed the inquiry on to the nearest attendant, and -from him it had been more slowly pressed and passed back; at last it got -to Jerry: - -“Witnesses.” - -“For which side?” - -“Against.” - -“Against what side?” - -“The prisoner's.” - -The Judge, whose eyes had gone in the general direction, recalled them, -leaned back in his seat, and looked steadily at the man whose life was -in his hand, as Mr. Attorney-General rose to spin the rope, grind the -axe, and hammer the nails into the scaffold. - - - - -III. A Disappointment - - -Mr. Attorney-General had to inform the jury, that the prisoner before -them, though young in years, was old in the treasonable practices which -claimed the forfeit of his life. That this correspondence with the -public enemy was not a correspondence of to-day, or of yesterday, or -even of last year, or of the year before. That, it was certain the -prisoner had, for longer than that, been in the habit of passing and -repassing between France and England, on secret business of which -he could give no honest account. That, if it were in the nature of -traitorous ways to thrive (which happily it never was), the real -wickedness and guilt of his business might have remained undiscovered. -That Providence, however, had put it into the heart of a person who -was beyond fear and beyond reproach, to ferret out the nature of the -prisoner's schemes, and, struck with horror, to disclose them to his -Majesty's Chief Secretary of State and most honourable Privy Council. -That, this patriot would be produced before them. That, his position and -attitude were, on the whole, sublime. That, he had been the prisoner's -friend, but, at once in an auspicious and an evil hour detecting his -infamy, had resolved to immolate the traitor he could no longer cherish -in his bosom, on the sacred altar of his country. That, if statues -were decreed in Britain, as in ancient Greece and Rome, to public -benefactors, this shining citizen would assuredly have had one. That, as -they were not so decreed, he probably would not have one. That, Virtue, -as had been observed by the poets (in many passages which he well -knew the jury would have, word for word, at the tips of their tongues; -whereat the jury's countenances displayed a guilty consciousness that -they knew nothing about the passages), was in a manner contagious; more -especially the bright virtue known as patriotism, or love of country. -That, the lofty example of this immaculate and unimpeachable witness -for the Crown, to refer to whom however unworthily was an honour, had -communicated itself to the prisoner's servant, and had engendered in him -a holy determination to examine his master's table-drawers and pockets, -and secrete his papers. That, he (Mr. Attorney-General) was prepared to -hear some disparagement attempted of this admirable servant; but that, -in a general way, he preferred him to his (Mr. Attorney-General's) -brothers and sisters, and honoured him more than his (Mr. -Attorney-General's) father and mother. That, he called with confidence -on the jury to come and do likewise. That, the evidence of these two -witnesses, coupled with the documents of their discovering that would be -produced, would show the prisoner to have been furnished with lists of -his Majesty's forces, and of their disposition and preparation, both by -sea and land, and would leave no doubt that he had habitually conveyed -such information to a hostile power. That, these lists could not be -proved to be in the prisoner's handwriting; but that it was all the -same; that, indeed, it was rather the better for the prosecution, as -showing the prisoner to be artful in his precautions. That, the proof -would go back five years, and would show the prisoner already engaged -in these pernicious missions, within a few weeks before the date of the -very first action fought between the British troops and the Americans. -That, for these reasons, the jury, being a loyal jury (as he knew they -were), and being a responsible jury (as _they_ knew they were), must -positively find the prisoner Guilty, and make an end of him, whether -they liked it or not. That, they never could lay their heads upon their -pillows; that, they never could tolerate the idea of their wives laying -their heads upon their pillows; that, they never could endure the notion -of their children laying their heads upon their pillows; in short, that -there never more could be, for them or theirs, any laying of heads upon -pillows at all, unless the prisoner's head was taken off. That head -Mr. Attorney-General concluded by demanding of them, in the name of -everything he could think of with a round turn in it, and on the faith -of his solemn asseveration that he already considered the prisoner as -good as dead and gone. - -When the Attorney-General ceased, a buzz arose in the court as if -a cloud of great blue-flies were swarming about the prisoner, in -anticipation of what he was soon to become. When toned down again, the -unimpeachable patriot appeared in the witness-box. - -Mr. Solicitor-General then, following his leader's lead, examined the -patriot: John Barsad, gentleman, by name. The story of his pure soul was -exactly what Mr. Attorney-General had described it to be--perhaps, if -it had a fault, a little too exactly. Having released his noble bosom -of its burden, he would have modestly withdrawn himself, but that the -wigged gentleman with the papers before him, sitting not far from Mr. -Lorry, begged to ask him a few questions. The wigged gentleman sitting -opposite, still looking at the ceiling of the court. - -Had he ever been a spy himself? No, he scorned the base insinuation. -What did he live upon? His property. Where was his property? He didn't -precisely remember where it was. What was it? No business of anybody's. -Had he inherited it? Yes, he had. From whom? Distant relation. Very -distant? Rather. Ever been in prison? Certainly not. Never in a debtors' -prison? Didn't see what that had to do with it. Never in a debtors' -prison?--Come, once again. Never? Yes. How many times? Two or three -times. Not five or six? Perhaps. Of what profession? Gentleman. Ever -been kicked? Might have been. Frequently? No. Ever kicked downstairs? -Decidedly not; once received a kick on the top of a staircase, and fell -downstairs of his own accord. Kicked on that occasion for cheating at -dice? Something to that effect was said by the intoxicated liar who -committed the assault, but it was not true. Swear it was not true? -Positively. Ever live by cheating at play? Never. Ever live by play? Not -more than other gentlemen do. Ever borrow money of the prisoner? Yes. -Ever pay him? No. Was not this intimacy with the prisoner, in reality a -very slight one, forced upon the prisoner in coaches, inns, and packets? -No. Sure he saw the prisoner with these lists? Certain. Knew no more -about the lists? No. Had not procured them himself, for instance? No. -Expect to get anything by this evidence? No. Not in regular government -pay and employment, to lay traps? Oh dear no. Or to do anything? Oh dear -no. Swear that? Over and over again. No motives but motives of sheer -patriotism? None whatever. - -The virtuous servant, Roger Cly, swore his way through the case at a -great rate. He had taken service with the prisoner, in good faith and -simplicity, four years ago. He had asked the prisoner, aboard the Calais -packet, if he wanted a handy fellow, and the prisoner had engaged him. -He had not asked the prisoner to take the handy fellow as an act of -charity--never thought of such a thing. He began to have suspicions of -the prisoner, and to keep an eye upon him, soon afterwards. In arranging -his clothes, while travelling, he had seen similar lists to these in the -prisoner's pockets, over and over again. He had taken these lists from -the drawer of the prisoner's desk. He had not put them there first. He -had seen the prisoner show these identical lists to French gentlemen -at Calais, and similar lists to French gentlemen, both at Calais and -Boulogne. He loved his country, and couldn't bear it, and had given -information. He had never been suspected of stealing a silver tea-pot; -he had been maligned respecting a mustard-pot, but it turned out to be -only a plated one. He had known the last witness seven or eight years; -that was merely a coincidence. He didn't call it a particularly curious -coincidence; most coincidences were curious. Neither did he call it a -curious coincidence that true patriotism was _his_ only motive too. He -was a true Briton, and hoped there were many like him. - -The blue-flies buzzed again, and Mr. Attorney-General called Mr. Jarvis -Lorry. - -“Mr. Jarvis Lorry, are you a clerk in Tellson's bank?” - -“I am.” - -“On a certain Friday night in November one thousand seven hundred and -seventy-five, did business occasion you to travel between London and -Dover by the mail?” - -“It did.” - -“Were there any other passengers in the mail?” - -“Two.” - -“Did they alight on the road in the course of the night?” - -“They did.” - -“Mr. Lorry, look upon the prisoner. Was he one of those two passengers?” - -“I cannot undertake to say that he was.” - -“Does he resemble either of these two passengers?” - -“Both were so wrapped up, and the night was so dark, and we were all so -reserved, that I cannot undertake to say even that.” - -“Mr. Lorry, look again upon the prisoner. Supposing him wrapped up as -those two passengers were, is there anything in his bulk and stature to -render it unlikely that he was one of them?” - -“No.” - -“You will not swear, Mr. Lorry, that he was not one of them?” - -“No.” - -“So at least you say he may have been one of them?” - -“Yes. Except that I remember them both to have been--like -myself--timorous of highwaymen, and the prisoner has not a timorous -air.” - -“Did you ever see a counterfeit of timidity, Mr. Lorry?” - -“I certainly have seen that.” - -“Mr. Lorry, look once more upon the prisoner. Have you seen him, to your -certain knowledge, before?” - -“I have.” - -“When?” - -“I was returning from France a few days afterwards, and, at Calais, the -prisoner came on board the packet-ship in which I returned, and made the -voyage with me.” - -“At what hour did he come on board?” - -“At a little after midnight.” - -“In the dead of the night. Was he the only passenger who came on board -at that untimely hour?” - -“He happened to be the only one.” - -“Never mind about 'happening,' Mr. Lorry. He was the only passenger who -came on board in the dead of the night?” - -“He was.” - -“Were you travelling alone, Mr. Lorry, or with any companion?” - -“With two companions. A gentleman and lady. They are here.” - -“They are here. Had you any conversation with the prisoner?” - -“Hardly any. The weather was stormy, and the passage long and rough, and -I lay on a sofa, almost from shore to shore.” - -“Miss Manette!” - -The young lady, to whom all eyes had been turned before, and were now -turned again, stood up where she had sat. Her father rose with her, and -kept her hand drawn through his arm. - -“Miss Manette, look upon the prisoner.” - -To be confronted with such pity, and such earnest youth and beauty, was -far more trying to the accused than to be confronted with all the crowd. -Standing, as it were, apart with her on the edge of his grave, not all -the staring curiosity that looked on, could, for the moment, nerve him -to remain quite still. His hurried right hand parcelled out the herbs -before him into imaginary beds of flowers in a garden; and his efforts -to control and steady his breathing shook the lips from which the colour -rushed to his heart. The buzz of the great flies was loud again. - -“Miss Manette, have you seen the prisoner before?” - -“Yes, sir.” - -“Where?” - -“On board of the packet-ship just now referred to, sir, and on the same -occasion.” - -“You are the young lady just now referred to?” - -“O! most unhappily, I am!” - -The plaintive tone of her compassion merged into the less musical voice -of the Judge, as he said something fiercely: “Answer the questions put -to you, and make no remark upon them.” - -“Miss Manette, had you any conversation with the prisoner on that -passage across the Channel?” - -“Yes, sir.” - -“Recall it.” - -In the midst of a profound stillness, she faintly began: “When the -gentleman came on board--” - -“Do you mean the prisoner?” inquired the Judge, knitting his brows. - -“Yes, my Lord.” - -“Then say the prisoner.” - -“When the prisoner came on board, he noticed that my father,” turning -her eyes lovingly to him as he stood beside her, “was much fatigued -and in a very weak state of health. My father was so reduced that I was -afraid to take him out of the air, and I had made a bed for him on the -deck near the cabin steps, and I sat on the deck at his side to take -care of him. There were no other passengers that night, but we four. -The prisoner was so good as to beg permission to advise me how I could -shelter my father from the wind and weather, better than I had done. I -had not known how to do it well, not understanding how the wind would -set when we were out of the harbour. He did it for me. He expressed -great gentleness and kindness for my father's state, and I am sure he -felt it. That was the manner of our beginning to speak together.” - -“Let me interrupt you for a moment. Had he come on board alone?” - -“No.” - -“How many were with him?” - -“Two French gentlemen.” - -“Had they conferred together?” - -“They had conferred together until the last moment, when it was -necessary for the French gentlemen to be landed in their boat.” - -“Had any papers been handed about among them, similar to these lists?” - -“Some papers had been handed about among them, but I don't know what -papers.” - -“Like these in shape and size?” - -“Possibly, but indeed I don't know, although they stood whispering very -near to me: because they stood at the top of the cabin steps to have the -light of the lamp that was hanging there; it was a dull lamp, and they -spoke very low, and I did not hear what they said, and saw only that -they looked at papers.” - -“Now, to the prisoner's conversation, Miss Manette.” - -“The prisoner was as open in his confidence with me--which arose out -of my helpless situation--as he was kind, and good, and useful to my -father. I hope,” bursting into tears, “I may not repay him by doing him -harm to-day.” - -Buzzing from the blue-flies. - -“Miss Manette, if the prisoner does not perfectly understand that -you give the evidence which it is your duty to give--which you must -give--and which you cannot escape from giving--with great unwillingness, -he is the only person present in that condition. Please to go on.” - -“He told me that he was travelling on business of a delicate and -difficult nature, which might get people into trouble, and that he was -therefore travelling under an assumed name. He said that this business -had, within a few days, taken him to France, and might, at intervals, -take him backwards and forwards between France and England for a long -time to come.” - -“Did he say anything about America, Miss Manette? Be particular.” - -“He tried to explain to me how that quarrel had arisen, and he said -that, so far as he could judge, it was a wrong and foolish one on -England's part. He added, in a jesting way, that perhaps George -Washington might gain almost as great a name in history as George the -Third. But there was no harm in his way of saying this: it was said -laughingly, and to beguile the time.” - -Any strongly marked expression of face on the part of a chief actor in -a scene of great interest to whom many eyes are directed, will be -unconsciously imitated by the spectators. Her forehead was painfully -anxious and intent as she gave this evidence, and, in the pauses when -she stopped for the Judge to write it down, watched its effect upon -the counsel for and against. Among the lookers-on there was the same -expression in all quarters of the court; insomuch, that a great majority -of the foreheads there, might have been mirrors reflecting the witness, -when the Judge looked up from his notes to glare at that tremendous -heresy about George Washington. - -Mr. Attorney-General now signified to my Lord, that he deemed it -necessary, as a matter of precaution and form, to call the young lady's -father, Doctor Manette. Who was called accordingly. - -“Doctor Manette, look upon the prisoner. Have you ever seen him before?” - -“Once. When he called at my lodgings in London. Some three years, or -three years and a half ago.” - -“Can you identify him as your fellow-passenger on board the packet, or -speak to his conversation with your daughter?” - -“Sir, I can do neither.” - -“Is there any particular and special reason for your being unable to do -either?” - -He answered, in a low voice, “There is.” - -“Has it been your misfortune to undergo a long imprisonment, without -trial, or even accusation, in your native country, Doctor Manette?” - -He answered, in a tone that went to every heart, “A long imprisonment.” - -“Were you newly released on the occasion in question?” - -“They tell me so.” - -“Have you no remembrance of the occasion?” - -“None. My mind is a blank, from some time--I cannot even say what -time--when I employed myself, in my captivity, in making shoes, to the -time when I found myself living in London with my dear daughter -here. She had become familiar to me, when a gracious God restored -my faculties; but, I am quite unable even to say how she had become -familiar. I have no remembrance of the process.” - -Mr. Attorney-General sat down, and the father and daughter sat down -together. - -A singular circumstance then arose in the case. The object in hand being -to show that the prisoner went down, with some fellow-plotter untracked, -in the Dover mail on that Friday night in November five years ago, and -got out of the mail in the night, as a blind, at a place where he did -not remain, but from which he travelled back some dozen miles or more, -to a garrison and dockyard, and there collected information; a witness -was called to identify him as having been at the precise time required, -in the coffee-room of an hotel in that garrison-and-dockyard town, -waiting for another person. The prisoner's counsel was cross-examining -this witness with no result, except that he had never seen the prisoner -on any other occasion, when the wigged gentleman who had all this time -been looking at the ceiling of the court, wrote a word or two on a -little piece of paper, screwed it up, and tossed it to him. Opening -this piece of paper in the next pause, the counsel looked with great -attention and curiosity at the prisoner. - -“You say again you are quite sure that it was the prisoner?” - -The witness was quite sure. - -“Did you ever see anybody very like the prisoner?” - -Not so like (the witness said) as that he could be mistaken. - -“Look well upon that gentleman, my learned friend there,” pointing -to him who had tossed the paper over, “and then look well upon the -prisoner. How say you? Are they very like each other?” - -Allowing for my learned friend's appearance being careless and slovenly -if not debauched, they were sufficiently like each other to surprise, -not only the witness, but everybody present, when they were thus brought -into comparison. My Lord being prayed to bid my learned friend lay aside -his wig, and giving no very gracious consent, the likeness became -much more remarkable. My Lord inquired of Mr. Stryver (the prisoner's -counsel), whether they were next to try Mr. Carton (name of my learned -friend) for treason? But, Mr. Stryver replied to my Lord, no; but he -would ask the witness to tell him whether what happened once, might -happen twice; whether he would have been so confident if he had seen -this illustration of his rashness sooner, whether he would be so -confident, having seen it; and more. The upshot of which, was, to smash -this witness like a crockery vessel, and shiver his part of the case to -useless lumber. - -Mr. Cruncher had by this time taken quite a lunch of rust off his -fingers in his following of the evidence. He had now to attend while Mr. -Stryver fitted the prisoner's case on the jury, like a compact suit -of clothes; showing them how the patriot, Barsad, was a hired spy and -traitor, an unblushing trafficker in blood, and one of the greatest -scoundrels upon earth since accursed Judas--which he certainly did look -rather like. How the virtuous servant, Cly, was his friend and partner, -and was worthy to be; how the watchful eyes of those forgers and false -swearers had rested on the prisoner as a victim, because some family -affairs in France, he being of French extraction, did require his making -those passages across the Channel--though what those affairs were, a -consideration for others who were near and dear to him, forbade him, -even for his life, to disclose. How the evidence that had been warped -and wrested from the young lady, whose anguish in giving it they -had witnessed, came to nothing, involving the mere little innocent -gallantries and politenesses likely to pass between any young gentleman -and young lady so thrown together;--with the exception of that -reference to George Washington, which was altogether too extravagant and -impossible to be regarded in any other light than as a monstrous joke. -How it would be a weakness in the government to break down in this -attempt to practise for popularity on the lowest national antipathies -and fears, and therefore Mr. Attorney-General had made the most of it; -how, nevertheless, it rested upon nothing, save that vile and infamous -character of evidence too often disfiguring such cases, and of which the -State Trials of this country were full. But, there my Lord interposed -(with as grave a face as if it had not been true), saying that he could -not sit upon that Bench and suffer those allusions. - -Mr. Stryver then called his few witnesses, and Mr. Cruncher had next to -attend while Mr. Attorney-General turned the whole suit of clothes Mr. -Stryver had fitted on the jury, inside out; showing how Barsad and -Cly were even a hundred times better than he had thought them, and the -prisoner a hundred times worse. Lastly, came my Lord himself, turning -the suit of clothes, now inside out, now outside in, but on the whole -decidedly trimming and shaping them into grave-clothes for the prisoner. - -And now, the jury turned to consider, and the great flies swarmed again. - -Mr. Carton, who had so long sat looking at the ceiling of the court, -changed neither his place nor his attitude, even in this excitement. -While his learned friend, Mr. Stryver, massing his papers before him, -whispered with those who sat near, and from time to time glanced -anxiously at the jury; while all the spectators moved more or less, and -grouped themselves anew; while even my Lord himself arose from his seat, -and slowly paced up and down his platform, not unattended by a suspicion -in the minds of the audience that his state was feverish; this one man -sat leaning back, with his torn gown half off him, his untidy wig put -on just as it had happened to light on his head after its removal, his -hands in his pockets, and his eyes on the ceiling as they had been all -day. Something especially reckless in his demeanour, not only gave him -a disreputable look, but so diminished the strong resemblance he -undoubtedly bore to the prisoner (which his momentary earnestness, -when they were compared together, had strengthened), that many of the -lookers-on, taking note of him now, said to one another they would -hardly have thought the two were so alike. Mr. Cruncher made the -observation to his next neighbour, and added, “I'd hold half a guinea -that _he_ don't get no law-work to do. Don't look like the sort of one -to get any, do he?” - -Yet, this Mr. Carton took in more of the details of the scene than he -appeared to take in; for now, when Miss Manette's head dropped upon -her father's breast, he was the first to see it, and to say audibly: -“Officer! look to that young lady. Help the gentleman to take her out. -Don't you see she will fall!” - -There was much commiseration for her as she was removed, and much -sympathy with her father. It had evidently been a great distress to -him, to have the days of his imprisonment recalled. He had shown -strong internal agitation when he was questioned, and that pondering or -brooding look which made him old, had been upon him, like a heavy cloud, -ever since. As he passed out, the jury, who had turned back and paused a -moment, spoke, through their foreman. - -They were not agreed, and wished to retire. My Lord (perhaps with George -Washington on his mind) showed some surprise that they were not agreed, -but signified his pleasure that they should retire under watch and ward, -and retired himself. The trial had lasted all day, and the lamps in -the court were now being lighted. It began to be rumoured that the -jury would be out a long while. The spectators dropped off to get -refreshment, and the prisoner withdrew to the back of the dock, and sat -down. - -Mr. Lorry, who had gone out when the young lady and her father went out, -now reappeared, and beckoned to Jerry: who, in the slackened interest, -could easily get near him. - -“Jerry, if you wish to take something to eat, you can. But, keep in the -way. You will be sure to hear when the jury come in. Don't be a moment -behind them, for I want you to take the verdict back to the bank. You -are the quickest messenger I know, and will get to Temple Bar long -before I can.” - -Jerry had just enough forehead to knuckle, and he knuckled it in -acknowledgment of this communication and a shilling. Mr. Carton came up -at the moment, and touched Mr. Lorry on the arm. - -“How is the young lady?” - -“She is greatly distressed; but her father is comforting her, and she -feels the better for being out of court.” - -“I'll tell the prisoner so. It won't do for a respectable bank gentleman -like you, to be seen speaking to him publicly, you know.” - -Mr. Lorry reddened as if he were conscious of having debated the point -in his mind, and Mr. Carton made his way to the outside of the bar. -The way out of court lay in that direction, and Jerry followed him, all -eyes, ears, and spikes. - -“Mr. Darnay!” - -The prisoner came forward directly. - -“You will naturally be anxious to hear of the witness, Miss Manette. She -will do very well. You have seen the worst of her agitation.” - -“I am deeply sorry to have been the cause of it. Could you tell her so -for me, with my fervent acknowledgments?” - -“Yes, I could. I will, if you ask it.” - -Mr. Carton's manner was so careless as to be almost insolent. He stood, -half turned from the prisoner, lounging with his elbow against the bar. - -“I do ask it. Accept my cordial thanks.” - -“What,” said Carton, still only half turned towards him, “do you expect, -Mr. Darnay?” - -“The worst.” - -“It's the wisest thing to expect, and the likeliest. But I think their -withdrawing is in your favour.” - -Loitering on the way out of court not being allowed, Jerry heard no -more: but left them--so like each other in feature, so unlike each other -in manner--standing side by side, both reflected in the glass above -them. - -An hour and a half limped heavily away in the thief-and-rascal crowded -passages below, even though assisted off with mutton pies and ale. -The hoarse messenger, uncomfortably seated on a form after taking that -refection, had dropped into a doze, when a loud murmur and a rapid tide -of people setting up the stairs that led to the court, carried him along -with them. - -“Jerry! Jerry!” Mr. Lorry was already calling at the door when he got -there. - -“Here, sir! It's a fight to get back again. Here I am, sir!” - -Mr. Lorry handed him a paper through the throng. “Quick! Have you got -it?” - -“Yes, sir.” - -Hastily written on the paper was the word “ACQUITTED.” - -“If you had sent the message, 'Recalled to Life,' again,” muttered -Jerry, as he turned, “I should have known what you meant, this time.” - -He had no opportunity of saying, or so much as thinking, anything else, -until he was clear of the Old Bailey; for, the crowd came pouring out -with a vehemence that nearly took him off his legs, and a loud buzz -swept into the street as if the baffled blue-flies were dispersing in -search of other carrion. - - - - -IV. Congratulatory - - -From the dimly-lighted passages of the court, the last sediment of the -human stew that had been boiling there all day, was straining off, when -Doctor Manette, Lucie Manette, his daughter, Mr. Lorry, the solicitor -for the defence, and its counsel, Mr. Stryver, stood gathered round Mr. -Charles Darnay--just released--congratulating him on his escape from -death. - -It would have been difficult by a far brighter light, to recognise -in Doctor Manette, intellectual of face and upright of bearing, the -shoemaker of the garret in Paris. Yet, no one could have looked at him -twice, without looking again: even though the opportunity of observation -had not extended to the mournful cadence of his low grave voice, and -to the abstraction that overclouded him fitfully, without any apparent -reason. While one external cause, and that a reference to his long -lingering agony, would always--as on the trial--evoke this condition -from the depths of his soul, it was also in its nature to arise of -itself, and to draw a gloom over him, as incomprehensible to those -unacquainted with his story as if they had seen the shadow of the actual -Bastille thrown upon him by a summer sun, when the substance was three -hundred miles away. - -Only his daughter had the power of charming this black brooding from -his mind. She was the golden thread that united him to a Past beyond his -misery, and to a Present beyond his misery: and the sound of her voice, -the light of her face, the touch of her hand, had a strong beneficial -influence with him almost always. Not absolutely always, for she could -recall some occasions on which her power had failed; but they were few -and slight, and she believed them over. - -Mr. Darnay had kissed her hand fervently and gratefully, and had turned -to Mr. Stryver, whom he warmly thanked. Mr. Stryver, a man of little -more than thirty, but looking twenty years older than he was, stout, -loud, red, bluff, and free from any drawback of delicacy, had a pushing -way of shouldering himself (morally and physically) into companies and -conversations, that argued well for his shouldering his way up in life. - -He still had his wig and gown on, and he said, squaring himself at his -late client to that degree that he squeezed the innocent Mr. Lorry clean -out of the group: “I am glad to have brought you off with honour, Mr. -Darnay. It was an infamous prosecution, grossly infamous; but not the -less likely to succeed on that account.” - -“You have laid me under an obligation to you for life--in two senses,” - said his late client, taking his hand. - -“I have done my best for you, Mr. Darnay; and my best is as good as -another man's, I believe.” - -It clearly being incumbent on some one to say, “Much better,” Mr. Lorry -said it; perhaps not quite disinterestedly, but with the interested -object of squeezing himself back again. - -“You think so?” said Mr. Stryver. “Well! you have been present all day, -and you ought to know. You are a man of business, too.” - -“And as such,” quoth Mr. Lorry, whom the counsel learned in the law had -now shouldered back into the group, just as he had previously shouldered -him out of it--“as such I will appeal to Doctor Manette, to break up -this conference and order us all to our homes. Miss Lucie looks ill, Mr. -Darnay has had a terrible day, we are worn out.” - -“Speak for yourself, Mr. Lorry,” said Stryver; “I have a night's work to -do yet. Speak for yourself.” - -“I speak for myself,” answered Mr. Lorry, “and for Mr. Darnay, and for -Miss Lucie, and--Miss Lucie, do you not think I may speak for us all?” - He asked her the question pointedly, and with a glance at her father. - -His face had become frozen, as it were, in a very curious look at -Darnay: an intent look, deepening into a frown of dislike and distrust, -not even unmixed with fear. With this strange expression on him his -thoughts had wandered away. - -“My father,” said Lucie, softly laying her hand on his. - -He slowly shook the shadow off, and turned to her. - -“Shall we go home, my father?” - -With a long breath, he answered “Yes.” - -The friends of the acquitted prisoner had dispersed, under the -impression--which he himself had originated--that he would not be -released that night. The lights were nearly all extinguished in the -passages, the iron gates were being closed with a jar and a rattle, -and the dismal place was deserted until to-morrow morning's interest of -gallows, pillory, whipping-post, and branding-iron, should repeople it. -Walking between her father and Mr. Darnay, Lucie Manette passed into -the open air. A hackney-coach was called, and the father and daughter -departed in it. - -Mr. Stryver had left them in the passages, to shoulder his way back -to the robing-room. Another person, who had not joined the group, or -interchanged a word with any one of them, but who had been leaning -against the wall where its shadow was darkest, had silently strolled -out after the rest, and had looked on until the coach drove away. He now -stepped up to where Mr. Lorry and Mr. Darnay stood upon the pavement. - -“So, Mr. Lorry! Men of business may speak to Mr. Darnay now?” - -Nobody had made any acknowledgment of Mr. Carton's part in the day's -proceedings; nobody had known of it. He was unrobed, and was none the -better for it in appearance. - -“If you knew what a conflict goes on in the business mind, when the -business mind is divided between good-natured impulse and business -appearances, you would be amused, Mr. Darnay.” - -Mr. Lorry reddened, and said, warmly, “You have mentioned that before, -sir. We men of business, who serve a House, are not our own masters. We -have to think of the House more than ourselves.” - -“_I_ know, _I_ know,” rejoined Mr. Carton, carelessly. “Don't be -nettled, Mr. Lorry. You are as good as another, I have no doubt: better, -I dare say.” - -“And indeed, sir,” pursued Mr. Lorry, not minding him, “I really don't -know what you have to do with the matter. If you'll excuse me, as very -much your elder, for saying so, I really don't know that it is your -business.” - -“Business! Bless you, _I_ have no business,” said Mr. Carton. - -“It is a pity you have not, sir.” - -“I think so, too.” - -“If you had,” pursued Mr. Lorry, “perhaps you would attend to it.” - -“Lord love you, no!--I shouldn't,” said Mr. Carton. - -“Well, sir!” cried Mr. Lorry, thoroughly heated by his indifference, -“business is a very good thing, and a very respectable thing. And, sir, -if business imposes its restraints and its silences and impediments, Mr. -Darnay as a young gentleman of generosity knows how to make allowance -for that circumstance. Mr. Darnay, good night, God bless you, sir! -I hope you have been this day preserved for a prosperous and happy -life.--Chair there!” - -Perhaps a little angry with himself, as well as with the barrister, Mr. -Lorry bustled into the chair, and was carried off to Tellson's. Carton, -who smelt of port wine, and did not appear to be quite sober, laughed -then, and turned to Darnay: - -“This is a strange chance that throws you and me together. This must -be a strange night to you, standing alone here with your counterpart on -these street stones?” - -“I hardly seem yet,” returned Charles Darnay, “to belong to this world -again.” - -“I don't wonder at it; it's not so long since you were pretty far -advanced on your way to another. You speak faintly.” - -“I begin to think I _am_ faint.” - -“Then why the devil don't you dine? I dined, myself, while those -numskulls were deliberating which world you should belong to--this, or -some other. Let me show you the nearest tavern to dine well at.” - -Drawing his arm through his own, he took him down Ludgate-hill to -Fleet-street, and so, up a covered way, into a tavern. Here, they were -shown into a little room, where Charles Darnay was soon recruiting -his strength with a good plain dinner and good wine: while Carton sat -opposite to him at the same table, with his separate bottle of port -before him, and his fully half-insolent manner upon him. - -“Do you feel, yet, that you belong to this terrestrial scheme again, Mr. -Darnay?” - -“I am frightfully confused regarding time and place; but I am so far -mended as to feel that.” - -“It must be an immense satisfaction!” - -He said it bitterly, and filled up his glass again: which was a large -one. - -“As to me, the greatest desire I have, is to forget that I belong to it. -It has no good in it for me--except wine like this--nor I for it. So we -are not much alike in that particular. Indeed, I begin to think we are -not much alike in any particular, you and I.” - -Confused by the emotion of the day, and feeling his being there with -this Double of coarse deportment, to be like a dream, Charles Darnay was -at a loss how to answer; finally, answered not at all. - -“Now your dinner is done,” Carton presently said, “why don't you call a -health, Mr. Darnay; why don't you give your toast?” - -“What health? What toast?” - -“Why, it's on the tip of your tongue. It ought to be, it must be, I'll -swear it's there.” - -“Miss Manette, then!” - -“Miss Manette, then!” - -Looking his companion full in the face while he drank the toast, Carton -flung his glass over his shoulder against the wall, where it shivered to -pieces; then, rang the bell, and ordered in another. - -“That's a fair young lady to hand to a coach in the dark, Mr. Darnay!” - he said, filling his new goblet. - -A slight frown and a laconic “Yes,” were the answer. - -“That's a fair young lady to be pitied by and wept for by! How does it -feel? Is it worth being tried for one's life, to be the object of such -sympathy and compassion, Mr. Darnay?” - -Again Darnay answered not a word. - -“She was mightily pleased to have your message, when I gave it her. Not -that she showed she was pleased, but I suppose she was.” - -The allusion served as a timely reminder to Darnay that this -disagreeable companion had, of his own free will, assisted him in the -strait of the day. He turned the dialogue to that point, and thanked him -for it. - -“I neither want any thanks, nor merit any,” was the careless rejoinder. -“It was nothing to do, in the first place; and I don't know why I did -it, in the second. Mr. Darnay, let me ask you a question.” - -“Willingly, and a small return for your good offices.” - -“Do you think I particularly like you?” - -“Really, Mr. Carton,” returned the other, oddly disconcerted, “I have -not asked myself the question.” - -“But ask yourself the question now.” - -“You have acted as if you do; but I don't think you do.” - -“_I_ don't think I do,” said Carton. “I begin to have a very good -opinion of your understanding.” - -“Nevertheless,” pursued Darnay, rising to ring the bell, “there is -nothing in that, I hope, to prevent my calling the reckoning, and our -parting without ill-blood on either side.” - -Carton rejoining, “Nothing in life!” Darnay rang. “Do you call the whole -reckoning?” said Carton. On his answering in the affirmative, “Then -bring me another pint of this same wine, drawer, and come and wake me at -ten.” - -The bill being paid, Charles Darnay rose and wished him good night. -Without returning the wish, Carton rose too, with something of a threat -of defiance in his manner, and said, “A last word, Mr. Darnay: you think -I am drunk?” - -“I think you have been drinking, Mr. Carton.” - -“Think? You know I have been drinking.” - -“Since I must say so, I know it.” - -“Then you shall likewise know why. I am a disappointed drudge, sir. I -care for no man on earth, and no man on earth cares for me.” - -“Much to be regretted. You might have used your talents better.” - -“May be so, Mr. Darnay; may be not. Don't let your sober face elate you, -however; you don't know what it may come to. Good night!” - -When he was left alone, this strange being took up a candle, went to a -glass that hung against the wall, and surveyed himself minutely in it. - -“Do you particularly like the man?” he muttered, at his own image; “why -should you particularly like a man who resembles you? There is nothing -in you to like; you know that. Ah, confound you! What a change you have -made in yourself! A good reason for taking to a man, that he shows you -what you have fallen away from, and what you might have been! Change -places with him, and would you have been looked at by those blue eyes as -he was, and commiserated by that agitated face as he was? Come on, and -have it out in plain words! You hate the fellow.” - -He resorted to his pint of wine for consolation, drank it all in a few -minutes, and fell asleep on his arms, with his hair straggling over the -table, and a long winding-sheet in the candle dripping down upon him. - - - - -V. The Jackal - - -Those were drinking days, and most men drank hard. So very great is -the improvement Time has brought about in such habits, that a moderate -statement of the quantity of wine and punch which one man would swallow -in the course of a night, without any detriment to his reputation as a -perfect gentleman, would seem, in these days, a ridiculous exaggeration. -The learned profession of the law was certainly not behind any other -learned profession in its Bacchanalian propensities; neither was Mr. -Stryver, already fast shouldering his way to a large and lucrative -practice, behind his compeers in this particular, any more than in the -drier parts of the legal race. - -A favourite at the Old Bailey, and eke at the Sessions, Mr. Stryver had -begun cautiously to hew away the lower staves of the ladder on which -he mounted. Sessions and Old Bailey had now to summon their favourite, -specially, to their longing arms; and shouldering itself towards the -visage of the Lord Chief Justice in the Court of King's Bench, the -florid countenance of Mr. Stryver might be daily seen, bursting out of -the bed of wigs, like a great sunflower pushing its way at the sun from -among a rank garden-full of flaring companions. - -It had once been noted at the Bar, that while Mr. Stryver was a glib -man, and an unscrupulous, and a ready, and a bold, he had not that -faculty of extracting the essence from a heap of statements, which is -among the most striking and necessary of the advocate's accomplishments. -But, a remarkable improvement came upon him as to this. The more -business he got, the greater his power seemed to grow of getting at its -pith and marrow; and however late at night he sat carousing with Sydney -Carton, he always had his points at his fingers' ends in the morning. - -Sydney Carton, idlest and most unpromising of men, was Stryver's great -ally. What the two drank together, between Hilary Term and Michaelmas, -might have floated a king's ship. Stryver never had a case in hand, -anywhere, but Carton was there, with his hands in his pockets, staring -at the ceiling of the court; they went the same Circuit, and even there -they prolonged their usual orgies late into the night, and Carton was -rumoured to be seen at broad day, going home stealthily and unsteadily -to his lodgings, like a dissipated cat. At last, it began to get about, -among such as were interested in the matter, that although Sydney Carton -would never be a lion, he was an amazingly good jackal, and that he -rendered suit and service to Stryver in that humble capacity. - -“Ten o'clock, sir,” said the man at the tavern, whom he had charged to -wake him--“ten o'clock, sir.” - -“_What's_ the matter?” - -“Ten o'clock, sir.” - -“What do you mean? Ten o'clock at night?” - -“Yes, sir. Your honour told me to call you.” - -“Oh! I remember. Very well, very well.” - -After a few dull efforts to get to sleep again, which the man -dexterously combated by stirring the fire continuously for five minutes, -he got up, tossed his hat on, and walked out. He turned into the Temple, -and, having revived himself by twice pacing the pavements of King's -Bench-walk and Paper-buildings, turned into the Stryver chambers. - -The Stryver clerk, who never assisted at these conferences, had gone -home, and the Stryver principal opened the door. He had his slippers on, -and a loose bed-gown, and his throat was bare for his greater ease. He -had that rather wild, strained, seared marking about the eyes, which -may be observed in all free livers of his class, from the portrait of -Jeffries downward, and which can be traced, under various disguises of -Art, through the portraits of every Drinking Age. - -“You are a little late, Memory,” said Stryver. - -“About the usual time; it may be a quarter of an hour later.” - -They went into a dingy room lined with books and littered with papers, -where there was a blazing fire. A kettle steamed upon the hob, and in -the midst of the wreck of papers a table shone, with plenty of wine upon -it, and brandy, and rum, and sugar, and lemons. - -“You have had your bottle, I perceive, Sydney.” - -“Two to-night, I think. I have been dining with the day's client; or -seeing him dine--it's all one!” - -“That was a rare point, Sydney, that you brought to bear upon the -identification. How did you come by it? When did it strike you?” - -“I thought he was rather a handsome fellow, and I thought I should have -been much the same sort of fellow, if I had had any luck.” - -Mr. Stryver laughed till he shook his precocious paunch. - -“You and your luck, Sydney! Get to work, get to work.” - -Sullenly enough, the jackal loosened his dress, went into an adjoining -room, and came back with a large jug of cold water, a basin, and a towel -or two. Steeping the towels in the water, and partially wringing them -out, he folded them on his head in a manner hideous to behold, sat down -at the table, and said, “Now I am ready!” - -“Not much boiling down to be done to-night, Memory,” said Mr. Stryver, -gaily, as he looked among his papers. - -“How much?” - -“Only two sets of them.” - -“Give me the worst first.” - -“There they are, Sydney. Fire away!” - -The lion then composed himself on his back on a sofa on one side of the -drinking-table, while the jackal sat at his own paper-bestrewn table -proper, on the other side of it, with the bottles and glasses ready to -his hand. Both resorted to the drinking-table without stint, but each in -a different way; the lion for the most part reclining with his hands in -his waistband, looking at the fire, or occasionally flirting with some -lighter document; the jackal, with knitted brows and intent face, -so deep in his task, that his eyes did not even follow the hand he -stretched out for his glass--which often groped about, for a minute or -more, before it found the glass for his lips. Two or three times, the -matter in hand became so knotty, that the jackal found it imperative on -him to get up, and steep his towels anew. From these pilgrimages to the -jug and basin, he returned with such eccentricities of damp headgear as -no words can describe; which were made the more ludicrous by his anxious -gravity. - -At length the jackal had got together a compact repast for the lion, and -proceeded to offer it to him. The lion took it with care and caution, -made his selections from it, and his remarks upon it, and the jackal -assisted both. When the repast was fully discussed, the lion put his -hands in his waistband again, and lay down to meditate. The jackal then -invigorated himself with a bumper for his throttle, and a fresh application -to his head, and applied himself to the collection of a second meal; -this was administered to the lion in the same manner, and was not -disposed of until the clocks struck three in the morning. - -“And now we have done, Sydney, fill a bumper of punch,” said Mr. -Stryver. - -The jackal removed the towels from his head, which had been steaming -again, shook himself, yawned, shivered, and complied. - -“You were very sound, Sydney, in the matter of those crown witnesses -to-day. Every question told.” - -“I always am sound; am I not?” - -“I don't gainsay it. What has roughened your temper? Put some punch to -it and smooth it again.” - -With a deprecatory grunt, the jackal again complied. - -“The old Sydney Carton of old Shrewsbury School,” said Stryver, nodding -his head over him as he reviewed him in the present and the past, “the -old seesaw Sydney. Up one minute and down the next; now in spirits and -now in despondency!” - -“Ah!” returned the other, sighing: “yes! The same Sydney, with the same -luck. Even then, I did exercises for other boys, and seldom did my own.” - -“And why not?” - -“God knows. It was my way, I suppose.” - -He sat, with his hands in his pockets and his legs stretched out before -him, looking at the fire. - -“Carton,” said his friend, squaring himself at him with a bullying air, -as if the fire-grate had been the furnace in which sustained endeavour -was forged, and the one delicate thing to be done for the old Sydney -Carton of old Shrewsbury School was to shoulder him into it, “your way -is, and always was, a lame way. You summon no energy and purpose. Look -at me.” - -“Oh, botheration!” returned Sydney, with a lighter and more -good-humoured laugh, “don't _you_ be moral!” - -“How have I done what I have done?” said Stryver; “how do I do what I -do?” - -“Partly through paying me to help you, I suppose. But it's not worth -your while to apostrophise me, or the air, about it; what you want to -do, you do. You were always in the front rank, and I was always behind.” - -“I had to get into the front rank; I was not born there, was I?” - -“I was not present at the ceremony; but my opinion is you were,” said -Carton. At this, he laughed again, and they both laughed. - -“Before Shrewsbury, and at Shrewsbury, and ever since Shrewsbury,” - pursued Carton, “you have fallen into your rank, and I have fallen into -mine. Even when we were fellow-students in the Student-Quarter of Paris, -picking up French, and French law, and other French crumbs that we -didn't get much good of, you were always somewhere, and I was always -nowhere.” - -“And whose fault was that?” - -“Upon my soul, I am not sure that it was not yours. You were always -driving and riving and shouldering and passing, to that restless degree -that I had no chance for my life but in rust and repose. It's a gloomy -thing, however, to talk about one's own past, with the day breaking. -Turn me in some other direction before I go.” - -“Well then! Pledge me to the pretty witness,” said Stryver, holding up -his glass. “Are you turned in a pleasant direction?” - -Apparently not, for he became gloomy again. - -“Pretty witness,” he muttered, looking down into his glass. “I have had -enough of witnesses to-day and to-night; who's your pretty witness?” - -“The picturesque doctor's daughter, Miss Manette.” - -“_She_ pretty?” - -“Is she not?” - -“No.” - -“Why, man alive, she was the admiration of the whole Court!” - -“Rot the admiration of the whole Court! Who made the Old Bailey a judge -of beauty? She was a golden-haired doll!” - -“Do you know, Sydney,” said Mr. Stryver, looking at him with sharp eyes, -and slowly drawing a hand across his florid face: “do you know, I rather -thought, at the time, that you sympathised with the golden-haired doll, -and were quick to see what happened to the golden-haired doll?” - -“Quick to see what happened! If a girl, doll or no doll, swoons within a -yard or two of a man's nose, he can see it without a perspective-glass. -I pledge you, but I deny the beauty. And now I'll have no more drink; -I'll get to bed.” - -When his host followed him out on the staircase with a candle, to light -him down the stairs, the day was coldly looking in through its grimy -windows. When he got out of the house, the air was cold and sad, the -dull sky overcast, the river dark and dim, the whole scene like a -lifeless desert. And wreaths of dust were spinning round and round -before the morning blast, as if the desert-sand had risen far away, and -the first spray of it in its advance had begun to overwhelm the city. - -Waste forces within him, and a desert all around, this man stood still -on his way across a silent terrace, and saw for a moment, lying in the -wilderness before him, a mirage of honourable ambition, self-denial, and -perseverance. In the fair city of this vision, there were airy galleries -from which the loves and graces looked upon him, gardens in which the -fruits of life hung ripening, waters of Hope that sparkled in his sight. -A moment, and it was gone. Climbing to a high chamber in a well of -houses, he threw himself down in his clothes on a neglected bed, and its -pillow was wet with wasted tears. - -Sadly, sadly, the sun rose; it rose upon no sadder sight than the man of -good abilities and good emotions, incapable of their directed exercise, -incapable of his own help and his own happiness, sensible of the blight -on him, and resigning himself to let it eat him away. - - - - -VI. Hundreds of People - - -The quiet lodgings of Doctor Manette were in a quiet street-corner not -far from Soho-square. On the afternoon of a certain fine Sunday when the -waves of four months had rolled over the trial for treason, and carried -it, as to the public interest and memory, far out to sea, Mr. Jarvis -Lorry walked along the sunny streets from Clerkenwell where he lived, -on his way to dine with the Doctor. After several relapses into -business-absorption, Mr. Lorry had become the Doctor's friend, and the -quiet street-corner was the sunny part of his life. - -On this certain fine Sunday, Mr. Lorry walked towards Soho, early in -the afternoon, for three reasons of habit. Firstly, because, on fine -Sundays, he often walked out, before dinner, with the Doctor and Lucie; -secondly, because, on unfavourable Sundays, he was accustomed to be with -them as the family friend, talking, reading, looking out of window, and -generally getting through the day; thirdly, because he happened to have -his own little shrewd doubts to solve, and knew how the ways of the -Doctor's household pointed to that time as a likely time for solving -them. - -A quainter corner than the corner where the Doctor lived, was not to be -found in London. There was no way through it, and the front windows of -the Doctor's lodgings commanded a pleasant little vista of street that -had a congenial air of retirement on it. There were few buildings then, -north of the Oxford-road, and forest-trees flourished, and wild flowers -grew, and the hawthorn blossomed, in the now vanished fields. As a -consequence, country airs circulated in Soho with vigorous freedom, -instead of languishing into the parish like stray paupers without a -settlement; and there was many a good south wall, not far off, on which -the peaches ripened in their season. - -The summer light struck into the corner brilliantly in the earlier part -of the day; but, when the streets grew hot, the corner was in shadow, -though not in shadow so remote but that you could see beyond it into a -glare of brightness. It was a cool spot, staid but cheerful, a wonderful -place for echoes, and a very harbour from the raging streets. - -There ought to have been a tranquil bark in such an anchorage, and -there was. The Doctor occupied two floors of a large stiff house, where -several callings purported to be pursued by day, but whereof little was -audible any day, and which was shunned by all of them at night. In -a building at the back, attainable by a courtyard where a plane-tree -rustled its green leaves, church-organs claimed to be made, and silver -to be chased, and likewise gold to be beaten by some mysterious giant -who had a golden arm starting out of the wall of the front hall--as if -he had beaten himself precious, and menaced a similar conversion of all -visitors. Very little of these trades, or of a lonely lodger rumoured -to live up-stairs, or of a dim coach-trimming maker asserted to have -a counting-house below, was ever heard or seen. Occasionally, a stray -workman putting his coat on, traversed the hall, or a stranger peered -about there, or a distant clink was heard across the courtyard, or a -thump from the golden giant. These, however, were only the exceptions -required to prove the rule that the sparrows in the plane-tree behind -the house, and the echoes in the corner before it, had their own way -from Sunday morning unto Saturday night. - -Doctor Manette received such patients here as his old reputation, and -its revival in the floating whispers of his story, brought him. -His scientific knowledge, and his vigilance and skill in conducting -ingenious experiments, brought him otherwise into moderate request, and -he earned as much as he wanted. - -These things were within Mr. Jarvis Lorry's knowledge, thoughts, and -notice, when he rang the door-bell of the tranquil house in the corner, -on the fine Sunday afternoon. - -“Doctor Manette at home?” - -Expected home. - -“Miss Lucie at home?” - -Expected home. - -“Miss Pross at home?” - -Possibly at home, but of a certainty impossible for handmaid to -anticipate intentions of Miss Pross, as to admission or denial of the -fact. - -“As I am at home myself,” said Mr. Lorry, “I'll go upstairs.” - -Although the Doctor's daughter had known nothing of the country of her -birth, she appeared to have innately derived from it that ability to -make much of little means, which is one of its most useful and most -agreeable characteristics. Simple as the furniture was, it was set off -by so many little adornments, of no value but for their taste and fancy, -that its effect was delightful. The disposition of everything in the -rooms, from the largest object to the least; the arrangement of colours, -the elegant variety and contrast obtained by thrift in trifles, by -delicate hands, clear eyes, and good sense; were at once so pleasant in -themselves, and so expressive of their originator, that, as Mr. Lorry -stood looking about him, the very chairs and tables seemed to ask him, -with something of that peculiar expression which he knew so well by this -time, whether he approved? - -There were three rooms on a floor, and, the doors by which they -communicated being put open that the air might pass freely through them -all, Mr. Lorry, smilingly observant of that fanciful resemblance which -he detected all around him, walked from one to another. The first was -the best room, and in it were Lucie's birds, and flowers, and books, -and desk, and work-table, and box of water-colours; the second was -the Doctor's consulting-room, used also as the dining-room; the third, -changingly speckled by the rustle of the plane-tree in the yard, was the -Doctor's bedroom, and there, in a corner, stood the disused shoemaker's -bench and tray of tools, much as it had stood on the fifth floor of the -dismal house by the wine-shop, in the suburb of Saint Antoine in Paris. - -“I wonder,” said Mr. Lorry, pausing in his looking about, “that he keeps -that reminder of his sufferings about him!” - -“And why wonder at that?” was the abrupt inquiry that made him start. - -It proceeded from Miss Pross, the wild red woman, strong of hand, whose -acquaintance he had first made at the Royal George Hotel at Dover, and -had since improved. - -“I should have thought--” Mr. Lorry began. - -“Pooh! You'd have thought!” said Miss Pross; and Mr. Lorry left off. - -“How do you do?” inquired that lady then--sharply, and yet as if to -express that she bore him no malice. - -“I am pretty well, I thank you,” answered Mr. Lorry, with meekness; “how -are you?” - -“Nothing to boast of,” said Miss Pross. - -“Indeed?” - -“Ah! indeed!” said Miss Pross. “I am very much put out about my -Ladybird.” - -“Indeed?” - -“For gracious sake say something else besides 'indeed,' or you'll -fidget me to death,” said Miss Pross: whose character (dissociated from -stature) was shortness. - -“Really, then?” said Mr. Lorry, as an amendment. - -“Really, is bad enough,” returned Miss Pross, “but better. Yes, I am -very much put out.” - -“May I ask the cause?” - -“I don't want dozens of people who are not at all worthy of Ladybird, to -come here looking after her,” said Miss Pross. - -“_Do_ dozens come for that purpose?” - -“Hundreds,” said Miss Pross. - -It was characteristic of this lady (as of some other people before her -time and since) that whenever her original proposition was questioned, -she exaggerated it. - -“Dear me!” said Mr. Lorry, as the safest remark he could think of. - -“I have lived with the darling--or the darling has lived with me, and -paid me for it; which she certainly should never have done, you may take -your affidavit, if I could have afforded to keep either myself or her -for nothing--since she was ten years old. And it's really very hard,” - said Miss Pross. - -Not seeing with precision what was very hard, Mr. Lorry shook his head; -using that important part of himself as a sort of fairy cloak that would -fit anything. - -“All sorts of people who are not in the least degree worthy of the pet, -are always turning up,” said Miss Pross. “When you began it--” - -“_I_ began it, Miss Pross?” - -“Didn't you? Who brought her father to life?” - -“Oh! If _that_ was beginning it--” said Mr. Lorry. - -“It wasn't ending it, I suppose? I say, when you began it, it was hard -enough; not that I have any fault to find with Doctor Manette, except -that he is not worthy of such a daughter, which is no imputation on -him, for it was not to be expected that anybody should be, under any -circumstances. But it really is doubly and trebly hard to have crowds -and multitudes of people turning up after him (I could have forgiven -him), to take Ladybird's affections away from me.” - -Mr. Lorry knew Miss Pross to be very jealous, but he also knew her by -this time to be, beneath the service of her eccentricity, one of those -unselfish creatures--found only among women--who will, for pure love and -admiration, bind themselves willing slaves, to youth when they have lost -it, to beauty that they never had, to accomplishments that they were -never fortunate enough to gain, to bright hopes that never shone upon -their own sombre lives. He knew enough of the world to know that there -is nothing in it better than the faithful service of the heart; so -rendered and so free from any mercenary taint, he had such an exalted -respect for it, that in the retributive arrangements made by his own -mind--we all make such arrangements, more or less--he stationed Miss -Pross much nearer to the lower Angels than many ladies immeasurably -better got up both by Nature and Art, who had balances at Tellson's. - -“There never was, nor will be, but one man worthy of Ladybird,” said -Miss Pross; “and that was my brother Solomon, if he hadn't made a -mistake in life.” - -Here again: Mr. Lorry's inquiries into Miss Pross's personal history had -established the fact that her brother Solomon was a heartless scoundrel -who had stripped her of everything she possessed, as a stake to -speculate with, and had abandoned her in her poverty for evermore, with -no touch of compunction. Miss Pross's fidelity of belief in Solomon -(deducting a mere trifle for this slight mistake) was quite a serious -matter with Mr. Lorry, and had its weight in his good opinion of her. - -“As we happen to be alone for the moment, and are both people of -business,” he said, when they had got back to the drawing-room and had -sat down there in friendly relations, “let me ask you--does the Doctor, -in talking with Lucie, never refer to the shoemaking time, yet?” - -“Never.” - -“And yet keeps that bench and those tools beside him?” - -“Ah!” returned Miss Pross, shaking her head. “But I don't say he don't -refer to it within himself.” - -“Do you believe that he thinks of it much?” - -“I do,” said Miss Pross. - -“Do you imagine--” Mr. Lorry had begun, when Miss Pross took him up -short with: - -“Never imagine anything. Have no imagination at all.” - -“I stand corrected; do you suppose--you go so far as to suppose, -sometimes?” - -“Now and then,” said Miss Pross. - -“Do you suppose,” Mr. Lorry went on, with a laughing twinkle in his -bright eye, as it looked kindly at her, “that Doctor Manette has any -theory of his own, preserved through all those years, relative to -the cause of his being so oppressed; perhaps, even to the name of his -oppressor?” - -“I don't suppose anything about it but what Ladybird tells me.” - -“And that is--?” - -“That she thinks he has.” - -“Now don't be angry at my asking all these questions; because I am a -mere dull man of business, and you are a woman of business.” - -“Dull?” Miss Pross inquired, with placidity. - -Rather wishing his modest adjective away, Mr. Lorry replied, “No, no, -no. Surely not. To return to business:--Is it not remarkable that Doctor -Manette, unquestionably innocent of any crime as we are all well assured -he is, should never touch upon that question? I will not say with me, -though he had business relations with me many years ago, and we are now -intimate; I will say with the fair daughter to whom he is so devotedly -attached, and who is so devotedly attached to him? Believe me, Miss -Pross, I don't approach the topic with you, out of curiosity, but out of -zealous interest.” - -“Well! To the best of my understanding, and bad's the best, you'll tell -me,” said Miss Pross, softened by the tone of the apology, “he is afraid -of the whole subject.” - -“Afraid?” - -“It's plain enough, I should think, why he may be. It's a dreadful -remembrance. Besides that, his loss of himself grew out of it. Not -knowing how he lost himself, or how he recovered himself, he may never -feel certain of not losing himself again. That alone wouldn't make the -subject pleasant, I should think.” - -It was a profounder remark than Mr. Lorry had looked for. “True,” said -he, “and fearful to reflect upon. Yet, a doubt lurks in my mind, Miss -Pross, whether it is good for Doctor Manette to have that suppression -always shut up within him. Indeed, it is this doubt and the uneasiness -it sometimes causes me that has led me to our present confidence.” - -“Can't be helped,” said Miss Pross, shaking her head. “Touch that -string, and he instantly changes for the worse. Better leave it alone. -In short, must leave it alone, like or no like. Sometimes, he gets up in -the dead of the night, and will be heard, by us overhead there, walking -up and down, walking up and down, in his room. Ladybird has learnt to -know then that his mind is walking up and down, walking up and down, in -his old prison. She hurries to him, and they go on together, walking up -and down, walking up and down, until he is composed. But he never says -a word of the true reason of his restlessness, to her, and she finds it -best not to hint at it to him. In silence they go walking up and down -together, walking up and down together, till her love and company have -brought him to himself.” - -Notwithstanding Miss Pross's denial of her own imagination, there was a -perception of the pain of being monotonously haunted by one sad idea, -in her repetition of the phrase, walking up and down, which testified to -her possessing such a thing. - -The corner has been mentioned as a wonderful corner for echoes; it -had begun to echo so resoundingly to the tread of coming feet, that it -seemed as though the very mention of that weary pacing to and fro had -set it going. - -“Here they are!” said Miss Pross, rising to break up the conference; -“and now we shall have hundreds of people pretty soon!” - -It was such a curious corner in its acoustical properties, such a -peculiar Ear of a place, that as Mr. Lorry stood at the open window, -looking for the father and daughter whose steps he heard, he fancied -they would never approach. Not only would the echoes die away, as though -the steps had gone; but, echoes of other steps that never came would be -heard in their stead, and would die away for good when they seemed close -at hand. However, father and daughter did at last appear, and Miss Pross -was ready at the street door to receive them. - -Miss Pross was a pleasant sight, albeit wild, and red, and grim, taking -off her darling's bonnet when she came up-stairs, and touching it up -with the ends of her handkerchief, and blowing the dust off it, and -folding her mantle ready for laying by, and smoothing her rich hair with -as much pride as she could possibly have taken in her own hair if she -had been the vainest and handsomest of women. Her darling was a pleasant -sight too, embracing her and thanking her, and protesting against -her taking so much trouble for her--which last she only dared to do -playfully, or Miss Pross, sorely hurt, would have retired to her own -chamber and cried. The Doctor was a pleasant sight too, looking on at -them, and telling Miss Pross how she spoilt Lucie, in accents and with -eyes that had as much spoiling in them as Miss Pross had, and would -have had more if it were possible. Mr. Lorry was a pleasant sight too, -beaming at all this in his little wig, and thanking his bachelor -stars for having lighted him in his declining years to a Home. But, no -Hundreds of people came to see the sights, and Mr. Lorry looked in vain -for the fulfilment of Miss Pross's prediction. - -Dinner-time, and still no Hundreds of people. In the arrangements of -the little household, Miss Pross took charge of the lower regions, and -always acquitted herself marvellously. Her dinners, of a very modest -quality, were so well cooked and so well served, and so neat in their -contrivances, half English and half French, that nothing could be -better. Miss Pross's friendship being of the thoroughly practical -kind, she had ravaged Soho and the adjacent provinces, in search of -impoverished French, who, tempted by shillings and half-crowns, would -impart culinary mysteries to her. From these decayed sons and daughters -of Gaul, she had acquired such wonderful arts, that the woman and girl -who formed the staff of domestics regarded her as quite a Sorceress, -or Cinderella's Godmother: who would send out for a fowl, a rabbit, -a vegetable or two from the garden, and change them into anything she -pleased. - -On Sundays, Miss Pross dined at the Doctor's table, but on other days -persisted in taking her meals at unknown periods, either in the lower -regions, or in her own room on the second floor--a blue chamber, to -which no one but her Ladybird ever gained admittance. On this occasion, -Miss Pross, responding to Ladybird's pleasant face and pleasant efforts -to please her, unbent exceedingly; so the dinner was very pleasant, too. - -It was an oppressive day, and, after dinner, Lucie proposed that the -wine should be carried out under the plane-tree, and they should sit -there in the air. As everything turned upon her, and revolved about her, -they went out under the plane-tree, and she carried the wine down for -the special benefit of Mr. Lorry. She had installed herself, some -time before, as Mr. Lorry's cup-bearer; and while they sat under the -plane-tree, talking, she kept his glass replenished. Mysterious backs -and ends of houses peeped at them as they talked, and the plane-tree -whispered to them in its own way above their heads. - -Still, the Hundreds of people did not present themselves. Mr. Darnay -presented himself while they were sitting under the plane-tree, but he -was only One. - -Doctor Manette received him kindly, and so did Lucie. But, Miss Pross -suddenly became afflicted with a twitching in the head and body, and -retired into the house. She was not unfrequently the victim of this -disorder, and she called it, in familiar conversation, “a fit of the -jerks.” - -The Doctor was in his best condition, and looked specially young. The -resemblance between him and Lucie was very strong at such times, and as -they sat side by side, she leaning on his shoulder, and he resting -his arm on the back of her chair, it was very agreeable to trace the -likeness. - -He had been talking all day, on many subjects, and with unusual -vivacity. “Pray, Doctor Manette,” said Mr. Darnay, as they sat under the -plane-tree--and he said it in the natural pursuit of the topic in hand, -which happened to be the old buildings of London--“have you seen much of -the Tower?” - -“Lucie and I have been there; but only casually. We have seen enough of -it, to know that it teems with interest; little more.” - -“_I_ have been there, as you remember,” said Darnay, with a smile, -though reddening a little angrily, “in another character, and not in a -character that gives facilities for seeing much of it. They told me a -curious thing when I was there.” - -“What was that?” Lucie asked. - -“In making some alterations, the workmen came upon an old dungeon, which -had been, for many years, built up and forgotten. Every stone of -its inner wall was covered by inscriptions which had been carved by -prisoners--dates, names, complaints, and prayers. Upon a corner stone -in an angle of the wall, one prisoner, who seemed to have gone to -execution, had cut as his last work, three letters. They were done with -some very poor instrument, and hurriedly, with an unsteady hand. -At first, they were read as D. I. C.; but, on being more carefully -examined, the last letter was found to be G. There was no record or -legend of any prisoner with those initials, and many fruitless guesses -were made what the name could have been. At length, it was suggested -that the letters were not initials, but the complete word, DIG. The -floor was examined very carefully under the inscription, and, in the -earth beneath a stone, or tile, or some fragment of paving, were found -the ashes of a paper, mingled with the ashes of a small leathern case -or bag. What the unknown prisoner had written will never be read, but he -had written something, and hidden it away to keep it from the gaoler.” - -“My father,” exclaimed Lucie, “you are ill!” - -He had suddenly started up, with his hand to his head. His manner and -his look quite terrified them all. - -“No, my dear, not ill. There are large drops of rain falling, and they -made me start. We had better go in.” - -He recovered himself almost instantly. Rain was really falling in large -drops, and he showed the back of his hand with rain-drops on it. But, he -said not a single word in reference to the discovery that had been told -of, and, as they went into the house, the business eye of Mr. Lorry -either detected, or fancied it detected, on his face, as it turned -towards Charles Darnay, the same singular look that had been upon it -when it turned towards him in the passages of the Court House. - -He recovered himself so quickly, however, that Mr. Lorry had doubts of -his business eye. The arm of the golden giant in the hall was not more -steady than he was, when he stopped under it to remark to them that he -was not yet proof against slight surprises (if he ever would be), and -that the rain had startled him. - -Tea-time, and Miss Pross making tea, with another fit of the jerks upon -her, and yet no Hundreds of people. Mr. Carton had lounged in, but he -made only Two. - -The night was so very sultry, that although they sat with doors and -windows open, they were overpowered by heat. When the tea-table was -done with, they all moved to one of the windows, and looked out into the -heavy twilight. Lucie sat by her father; Darnay sat beside her; Carton -leaned against a window. The curtains were long and white, and some of -the thunder-gusts that whirled into the corner, caught them up to the -ceiling, and waved them like spectral wings. - -“The rain-drops are still falling, large, heavy, and few,” said Doctor -Manette. “It comes slowly.” - -“It comes surely,” said Carton. - -They spoke low, as people watching and waiting mostly do; as people in a -dark room, watching and waiting for Lightning, always do. - -There was a great hurry in the streets of people speeding away to -get shelter before the storm broke; the wonderful corner for echoes -resounded with the echoes of footsteps coming and going, yet not a -footstep was there. - -“A multitude of people, and yet a solitude!” said Darnay, when they had -listened for a while. - -“Is it not impressive, Mr. Darnay?” asked Lucie. “Sometimes, I have -sat here of an evening, until I have fancied--but even the shade of -a foolish fancy makes me shudder to-night, when all is so black and -solemn--” - -“Let us shudder too. We may know what it is.” - -“It will seem nothing to you. Such whims are only impressive as we -originate them, I think; they are not to be communicated. I have -sometimes sat alone here of an evening, listening, until I have made -the echoes out to be the echoes of all the footsteps that are coming -by-and-bye into our lives.” - -“There is a great crowd coming one day into our lives, if that be so,” - Sydney Carton struck in, in his moody way. - -The footsteps were incessant, and the hurry of them became more and more -rapid. The corner echoed and re-echoed with the tread of feet; some, -as it seemed, under the windows; some, as it seemed, in the room; some -coming, some going, some breaking off, some stopping altogether; all in -the distant streets, and not one within sight. - -“Are all these footsteps destined to come to all of us, Miss Manette, or -are we to divide them among us?” - -“I don't know, Mr. Darnay; I told you it was a foolish fancy, but you -asked for it. When I have yielded myself to it, I have been alone, and -then I have imagined them the footsteps of the people who are to come -into my life, and my father's.” - -“I take them into mine!” said Carton. “_I_ ask no questions and make no -stipulations. There is a great crowd bearing down upon us, Miss Manette, -and I see them--by the Lightning.” He added the last words, after there -had been a vivid flash which had shown him lounging in the window. - -“And I hear them!” he added again, after a peal of thunder. “Here they -come, fast, fierce, and furious!” - -It was the rush and roar of rain that he typified, and it stopped him, -for no voice could be heard in it. A memorable storm of thunder and -lightning broke with that sweep of water, and there was not a moment's -interval in crash, and fire, and rain, until after the moon rose at -midnight. - -The great bell of Saint Paul's was striking one in the cleared air, when -Mr. Lorry, escorted by Jerry, high-booted and bearing a lantern, set -forth on his return-passage to Clerkenwell. There were solitary patches -of road on the way between Soho and Clerkenwell, and Mr. Lorry, mindful -of foot-pads, always retained Jerry for this service: though it was -usually performed a good two hours earlier. - -“What a night it has been! Almost a night, Jerry,” said Mr. Lorry, “to -bring the dead out of their graves.” - -“I never see the night myself, master--nor yet I don't expect to--what -would do that,” answered Jerry. - -“Good night, Mr. Carton,” said the man of business. “Good night, Mr. -Darnay. Shall we ever see such a night again, together!” - -Perhaps. Perhaps, see the great crowd of people with its rush and roar, -bearing down upon them, too. - - - - -VII. Monseigneur in Town - - -Monseigneur, one of the great lords in power at the Court, held his -fortnightly reception in his grand hotel in Paris. Monseigneur was in -his inner room, his sanctuary of sanctuaries, the Holiest of Holiests to -the crowd of worshippers in the suite of rooms without. Monseigneur -was about to take his chocolate. Monseigneur could swallow a great many -things with ease, and was by some few sullen minds supposed to be rather -rapidly swallowing France; but, his morning's chocolate could not so -much as get into the throat of Monseigneur, without the aid of four -strong men besides the Cook. - -Yes. It took four men, all four ablaze with gorgeous decoration, and the -Chief of them unable to exist with fewer than two gold watches in his -pocket, emulative of the noble and chaste fashion set by Monseigneur, to -conduct the happy chocolate to Monseigneur's lips. One lacquey carried -the chocolate-pot into the sacred presence; a second, milled and frothed -the chocolate with the little instrument he bore for that function; -a third, presented the favoured napkin; a fourth (he of the two gold -watches), poured the chocolate out. It was impossible for Monseigneur to -dispense with one of these attendants on the chocolate and hold his high -place under the admiring Heavens. Deep would have been the blot upon -his escutcheon if his chocolate had been ignobly waited on by only three -men; he must have died of two. - -Monseigneur had been out at a little supper last night, where the Comedy -and the Grand Opera were charmingly represented. Monseigneur was out at -a little supper most nights, with fascinating company. So polite and so -impressible was Monseigneur, that the Comedy and the Grand Opera had far -more influence with him in the tiresome articles of state affairs and -state secrets, than the needs of all France. A happy circumstance -for France, as the like always is for all countries similarly -favoured!--always was for England (by way of example), in the regretted -days of the merry Stuart who sold it. - -Monseigneur had one truly noble idea of general public business, which -was, to let everything go on in its own way; of particular public -business, Monseigneur had the other truly noble idea that it must all go -his way--tend to his own power and pocket. Of his pleasures, general and -particular, Monseigneur had the other truly noble idea, that the world -was made for them. The text of his order (altered from the original -by only a pronoun, which is not much) ran: “The earth and the fulness -thereof are mine, saith Monseigneur.” - -Yet, Monseigneur had slowly found that vulgar embarrassments crept into -his affairs, both private and public; and he had, as to both classes of -affairs, allied himself perforce with a Farmer-General. As to finances -public, because Monseigneur could not make anything at all of them, and -must consequently let them out to somebody who could; as to finances -private, because Farmer-Generals were rich, and Monseigneur, after -generations of great luxury and expense, was growing poor. Hence -Monseigneur had taken his sister from a convent, while there was yet -time to ward off the impending veil, the cheapest garment she could -wear, and had bestowed her as a prize upon a very rich Farmer-General, -poor in family. Which Farmer-General, carrying an appropriate cane with -a golden apple on the top of it, was now among the company in the outer -rooms, much prostrated before by mankind--always excepting superior -mankind of the blood of Monseigneur, who, his own wife included, looked -down upon him with the loftiest contempt. - -A sumptuous man was the Farmer-General. Thirty horses stood in his -stables, twenty-four male domestics sat in his halls, six body-women -waited on his wife. As one who pretended to do nothing but plunder and -forage where he could, the Farmer-General--howsoever his matrimonial -relations conduced to social morality--was at least the greatest reality -among the personages who attended at the hotel of Monseigneur that day. - -For, the rooms, though a beautiful scene to look at, and adorned with -every device of decoration that the taste and skill of the time could -achieve, were, in truth, not a sound business; considered with any -reference to the scarecrows in the rags and nightcaps elsewhere (and not -so far off, either, but that the watching towers of Notre Dame, almost -equidistant from the two extremes, could see them both), they would -have been an exceedingly uncomfortable business--if that could have -been anybody's business, at the house of Monseigneur. Military officers -destitute of military knowledge; naval officers with no idea of a ship; -civil officers without a notion of affairs; brazen ecclesiastics, of the -worst world worldly, with sensual eyes, loose tongues, and looser lives; -all totally unfit for their several callings, all lying horribly in -pretending to belong to them, but all nearly or remotely of the order of -Monseigneur, and therefore foisted on all public employments from which -anything was to be got; these were to be told off by the score and the -score. People not immediately connected with Monseigneur or the State, -yet equally unconnected with anything that was real, or with lives -passed in travelling by any straight road to any true earthly end, were -no less abundant. Doctors who made great fortunes out of dainty remedies -for imaginary disorders that never existed, smiled upon their courtly -patients in the ante-chambers of Monseigneur. Projectors who had -discovered every kind of remedy for the little evils with which the -State was touched, except the remedy of setting to work in earnest to -root out a single sin, poured their distracting babble into any ears -they could lay hold of, at the reception of Monseigneur. Unbelieving -Philosophers who were remodelling the world with words, and making -card-towers of Babel to scale the skies with, talked with Unbelieving -Chemists who had an eye on the transmutation of metals, at this -wonderful gathering accumulated by Monseigneur. Exquisite gentlemen of -the finest breeding, which was at that remarkable time--and has been -since--to be known by its fruits of indifference to every natural -subject of human interest, were in the most exemplary state of -exhaustion, at the hotel of Monseigneur. Such homes had these various -notabilities left behind them in the fine world of Paris, that the spies -among the assembled devotees of Monseigneur--forming a goodly half -of the polite company--would have found it hard to discover among -the angels of that sphere one solitary wife, who, in her manners and -appearance, owned to being a Mother. Indeed, except for the mere act of -bringing a troublesome creature into this world--which does not go far -towards the realisation of the name of mother--there was no such thing -known to the fashion. Peasant women kept the unfashionable babies close, -and brought them up, and charming grandmammas of sixty dressed and -supped as at twenty. - -The leprosy of unreality disfigured every human creature in attendance -upon Monseigneur. In the outermost room were half a dozen exceptional -people who had had, for a few years, some vague misgiving in them that -things in general were going rather wrong. As a promising way of setting -them right, half of the half-dozen had become members of a fantastic -sect of Convulsionists, and were even then considering within themselves -whether they should foam, rage, roar, and turn cataleptic on the -spot--thereby setting up a highly intelligible finger-post to the -Future, for Monseigneur's guidance. Besides these Dervishes, were other -three who had rushed into another sect, which mended matters with a -jargon about “the Centre of Truth:” holding that Man had got out of the -Centre of Truth--which did not need much demonstration--but had not got -out of the Circumference, and that he was to be kept from flying out of -the Circumference, and was even to be shoved back into the Centre, -by fasting and seeing of spirits. Among these, accordingly, much -discoursing with spirits went on--and it did a world of good which never -became manifest. - -But, the comfort was, that all the company at the grand hotel of -Monseigneur were perfectly dressed. If the Day of Judgment had only been -ascertained to be a dress day, everybody there would have been eternally -correct. Such frizzling and powdering and sticking up of hair, such -delicate complexions artificially preserved and mended, such gallant -swords to look at, and such delicate honour to the sense of smell, would -surely keep anything going, for ever and ever. The exquisite gentlemen -of the finest breeding wore little pendent trinkets that chinked as they -languidly moved; these golden fetters rang like precious little bells; -and what with that ringing, and with the rustle of silk and brocade and -fine linen, there was a flutter in the air that fanned Saint Antoine and -his devouring hunger far away. - -Dress was the one unfailing talisman and charm used for keeping all -things in their places. Everybody was dressed for a Fancy Ball that -was never to leave off. From the Palace of the Tuileries, through -Monseigneur and the whole Court, through the Chambers, the Tribunals -of Justice, and all society (except the scarecrows), the Fancy Ball -descended to the Common Executioner: who, in pursuance of the charm, was -required to officiate “frizzled, powdered, in a gold-laced coat, pumps, -and white silk stockings.” At the gallows and the wheel--the axe was a -rarity--Monsieur Paris, as it was the episcopal mode among his brother -Professors of the provinces, Monsieur Orleans, and the rest, to call -him, presided in this dainty dress. And who among the company at -Monseigneur's reception in that seventeen hundred and eightieth year -of our Lord, could possibly doubt, that a system rooted in a frizzled -hangman, powdered, gold-laced, pumped, and white-silk stockinged, would -see the very stars out! - -Monseigneur having eased his four men of their burdens and taken his -chocolate, caused the doors of the Holiest of Holiests to be thrown -open, and issued forth. Then, what submission, what cringing and -fawning, what servility, what abject humiliation! As to bowing down in -body and spirit, nothing in that way was left for Heaven--which may have -been one among other reasons why the worshippers of Monseigneur never -troubled it. - -Bestowing a word of promise here and a smile there, a whisper on one -happy slave and a wave of the hand on another, Monseigneur affably -passed through his rooms to the remote region of the Circumference of -Truth. There, Monseigneur turned, and came back again, and so in due -course of time got himself shut up in his sanctuary by the chocolate -sprites, and was seen no more. - -The show being over, the flutter in the air became quite a little storm, -and the precious little bells went ringing downstairs. There was soon -but one person left of all the crowd, and he, with his hat under his arm -and his snuff-box in his hand, slowly passed among the mirrors on his -way out. - -“I devote you,” said this person, stopping at the last door on his way, -and turning in the direction of the sanctuary, “to the Devil!” - -With that, he shook the snuff from his fingers as if he had shaken the -dust from his feet, and quietly walked downstairs. - -He was a man of about sixty, handsomely dressed, haughty in manner, and -with a face like a fine mask. A face of a transparent paleness; every -feature in it clearly defined; one set expression on it. The nose, -beautifully formed otherwise, was very slightly pinched at the top -of each nostril. In those two compressions, or dints, the only little -change that the face ever showed, resided. They persisted in changing -colour sometimes, and they would be occasionally dilated and contracted -by something like a faint pulsation; then, they gave a look of -treachery, and cruelty, to the whole countenance. Examined with -attention, its capacity of helping such a look was to be found in the -line of the mouth, and the lines of the orbits of the eyes, being much -too horizontal and thin; still, in the effect of the face made, it was a -handsome face, and a remarkable one. - -Its owner went downstairs into the courtyard, got into his carriage, and -drove away. Not many people had talked with him at the reception; he had -stood in a little space apart, and Monseigneur might have been warmer -in his manner. It appeared, under the circumstances, rather agreeable -to him to see the common people dispersed before his horses, and -often barely escaping from being run down. His man drove as if he were -charging an enemy, and the furious recklessness of the man brought no -check into the face, or to the lips, of the master. The complaint had -sometimes made itself audible, even in that deaf city and dumb age, -that, in the narrow streets without footways, the fierce patrician -custom of hard driving endangered and maimed the mere vulgar in a -barbarous manner. But, few cared enough for that to think of it a second -time, and, in this matter, as in all others, the common wretches were -left to get out of their difficulties as they could. - -With a wild rattle and clatter, and an inhuman abandonment of -consideration not easy to be understood in these days, the carriage -dashed through streets and swept round corners, with women screaming -before it, and men clutching each other and clutching children out of -its way. At last, swooping at a street corner by a fountain, one of its -wheels came to a sickening little jolt, and there was a loud cry from a -number of voices, and the horses reared and plunged. - -But for the latter inconvenience, the carriage probably would not have -stopped; carriages were often known to drive on, and leave their wounded -behind, and why not? But the frightened valet had got down in a hurry, -and there were twenty hands at the horses' bridles. - -“What has gone wrong?” said Monsieur, calmly looking out. - -A tall man in a nightcap had caught up a bundle from among the feet of -the horses, and had laid it on the basement of the fountain, and was -down in the mud and wet, howling over it like a wild animal. - -“Pardon, Monsieur the Marquis!” said a ragged and submissive man, “it is -a child.” - -“Why does he make that abominable noise? Is it his child?” - -“Excuse me, Monsieur the Marquis--it is a pity--yes.” - -The fountain was a little removed; for the street opened, where it was, -into a space some ten or twelve yards square. As the tall man suddenly -got up from the ground, and came running at the carriage, Monsieur the -Marquis clapped his hand for an instant on his sword-hilt. - -“Killed!” shrieked the man, in wild desperation, extending both arms at -their length above his head, and staring at him. “Dead!” - -The people closed round, and looked at Monsieur the Marquis. There was -nothing revealed by the many eyes that looked at him but watchfulness -and eagerness; there was no visible menacing or anger. Neither did the -people say anything; after the first cry, they had been silent, and they -remained so. The voice of the submissive man who had spoken, was flat -and tame in its extreme submission. Monsieur the Marquis ran his eyes -over them all, as if they had been mere rats come out of their holes. - -He took out his purse. - -“It is extraordinary to me,” said he, “that you people cannot take care -of yourselves and your children. One or the other of you is for ever in -the way. How do I know what injury you have done my horses. See! Give -him that.” - -He threw out a gold coin for the valet to pick up, and all the heads -craned forward that all the eyes might look down at it as it fell. The -tall man called out again with a most unearthly cry, “Dead!” - -He was arrested by the quick arrival of another man, for whom the rest -made way. On seeing him, the miserable creature fell upon his shoulder, -sobbing and crying, and pointing to the fountain, where some women were -stooping over the motionless bundle, and moving gently about it. They -were as silent, however, as the men. - -“I know all, I know all,” said the last comer. “Be a brave man, my -Gaspard! It is better for the poor little plaything to die so, than to -live. It has died in a moment without pain. Could it have lived an hour -as happily?” - -“You are a philosopher, you there,” said the Marquis, smiling. “How do -they call you?” - -“They call me Defarge.” - -“Of what trade?” - -“Monsieur the Marquis, vendor of wine.” - -“Pick up that, philosopher and vendor of wine,” said the Marquis, -throwing him another gold coin, “and spend it as you will. The horses -there; are they right?” - -Without deigning to look at the assemblage a second time, Monsieur the -Marquis leaned back in his seat, and was just being driven away with the -air of a gentleman who had accidentally broke some common thing, and had -paid for it, and could afford to pay for it; when his ease was suddenly -disturbed by a coin flying into his carriage, and ringing on its floor. - -“Hold!” said Monsieur the Marquis. “Hold the horses! Who threw that?” - -He looked to the spot where Defarge the vendor of wine had stood, a -moment before; but the wretched father was grovelling on his face on -the pavement in that spot, and the figure that stood beside him was the -figure of a dark stout woman, knitting. - -“You dogs!” said the Marquis, but smoothly, and with an unchanged front, -except as to the spots on his nose: “I would ride over any of you very -willingly, and exterminate you from the earth. If I knew which rascal -threw at the carriage, and if that brigand were sufficiently near it, he -should be crushed under the wheels.” - -So cowed was their condition, and so long and hard their experience of -what such a man could do to them, within the law and beyond it, that not -a voice, or a hand, or even an eye was raised. Among the men, not one. -But the woman who stood knitting looked up steadily, and looked the -Marquis in the face. It was not for his dignity to notice it; his -contemptuous eyes passed over her, and over all the other rats; and he -leaned back in his seat again, and gave the word “Go on!” - -He was driven on, and other carriages came whirling by in quick -succession; the Minister, the State-Projector, the Farmer-General, the -Doctor, the Lawyer, the Ecclesiastic, the Grand Opera, the Comedy, the -whole Fancy Ball in a bright continuous flow, came whirling by. The rats -had crept out of their holes to look on, and they remained looking -on for hours; soldiers and police often passing between them and the -spectacle, and making a barrier behind which they slunk, and through -which they peeped. The father had long ago taken up his bundle and -bidden himself away with it, when the women who had tended the bundle -while it lay on the base of the fountain, sat there watching the running -of the water and the rolling of the Fancy Ball--when the one woman who -had stood conspicuous, knitting, still knitted on with the steadfastness -of Fate. The water of the fountain ran, the swift river ran, the day ran -into evening, so much life in the city ran into death according to rule, -time and tide waited for no man, the rats were sleeping close together -in their dark holes again, the Fancy Ball was lighted up at supper, all -things ran their course. - - - - -VIII. Monseigneur in the Country - - -A beautiful landscape, with the corn bright in it, but not abundant. -Patches of poor rye where corn should have been, patches of poor peas -and beans, patches of most coarse vegetable substitutes for wheat. On -inanimate nature, as on the men and women who cultivated it, a prevalent -tendency towards an appearance of vegetating unwillingly--a dejected -disposition to give up, and wither away. - -Monsieur the Marquis in his travelling carriage (which might have been -lighter), conducted by four post-horses and two postilions, fagged up -a steep hill. A blush on the countenance of Monsieur the Marquis was -no impeachment of his high breeding; it was not from within; it was -occasioned by an external circumstance beyond his control--the setting -sun. - -The sunset struck so brilliantly into the travelling carriage when it -gained the hill-top, that its occupant was steeped in crimson. “It will -die out,” said Monsieur the Marquis, glancing at his hands, “directly.” - -In effect, the sun was so low that it dipped at the moment. When the -heavy drag had been adjusted to the wheel, and the carriage slid down -hill, with a cinderous smell, in a cloud of dust, the red glow departed -quickly; the sun and the Marquis going down together, there was no glow -left when the drag was taken off. - -But, there remained a broken country, bold and open, a little village -at the bottom of the hill, a broad sweep and rise beyond it, a -church-tower, a windmill, a forest for the chase, and a crag with a -fortress on it used as a prison. Round upon all these darkening objects -as the night drew on, the Marquis looked, with the air of one who was -coming near home. - -The village had its one poor street, with its poor brewery, poor -tannery, poor tavern, poor stable-yard for relays of post-horses, poor -fountain, all usual poor appointments. It had its poor people too. All -its people were poor, and many of them were sitting at their doors, -shredding spare onions and the like for supper, while many were at the -fountain, washing leaves, and grasses, and any such small yieldings of -the earth that could be eaten. Expressive signs of what made them poor, -were not wanting; the tax for the state, the tax for the church, the tax -for the lord, tax local and tax general, were to be paid here and to be -paid there, according to solemn inscription in the little village, until -the wonder was, that there was any village left unswallowed. - -Few children were to be seen, and no dogs. As to the men and women, -their choice on earth was stated in the prospect--Life on the lowest -terms that could sustain it, down in the little village under the mill; -or captivity and Death in the dominant prison on the crag. - -Heralded by a courier in advance, and by the cracking of his postilions' -whips, which twined snake-like about their heads in the evening air, as -if he came attended by the Furies, Monsieur the Marquis drew up in -his travelling carriage at the posting-house gate. It was hard by the -fountain, and the peasants suspended their operations to look at him. -He looked at them, and saw in them, without knowing it, the slow -sure filing down of misery-worn face and figure, that was to make the -meagreness of Frenchmen an English superstition which should survive the -truth through the best part of a hundred years. - -Monsieur the Marquis cast his eyes over the submissive faces that -drooped before him, as the like of himself had drooped before -Monseigneur of the Court--only the difference was, that these faces -drooped merely to suffer and not to propitiate--when a grizzled mender -of the roads joined the group. - -“Bring me hither that fellow!” said the Marquis to the courier. - -The fellow was brought, cap in hand, and the other fellows closed round -to look and listen, in the manner of the people at the Paris fountain. - -“I passed you on the road?” - -“Monseigneur, it is true. I had the honour of being passed on the road.” - -“Coming up the hill, and at the top of the hill, both?” - -“Monseigneur, it is true.” - -“What did you look at, so fixedly?” - -“Monseigneur, I looked at the man.” - -He stooped a little, and with his tattered blue cap pointed under the -carriage. All his fellows stooped to look under the carriage. - -“What man, pig? And why look there?” - -“Pardon, Monseigneur; he swung by the chain of the shoe--the drag.” - -“Who?” demanded the traveller. - -“Monseigneur, the man.” - -“May the Devil carry away these idiots! How do you call the man? You -know all the men of this part of the country. Who was he?” - -“Your clemency, Monseigneur! He was not of this part of the country. Of -all the days of my life, I never saw him.” - -“Swinging by the chain? To be suffocated?” - -“With your gracious permission, that was the wonder of it, Monseigneur. -His head hanging over--like this!” - -He turned himself sideways to the carriage, and leaned back, with his -face thrown up to the sky, and his head hanging down; then recovered -himself, fumbled with his cap, and made a bow. - -“What was he like?” - -“Monseigneur, he was whiter than the miller. All covered with dust, -white as a spectre, tall as a spectre!” - -The picture produced an immense sensation in the little crowd; but all -eyes, without comparing notes with other eyes, looked at Monsieur -the Marquis. Perhaps, to observe whether he had any spectre on his -conscience. - -“Truly, you did well,” said the Marquis, felicitously sensible that such -vermin were not to ruffle him, “to see a thief accompanying my carriage, -and not open that great mouth of yours. Bah! Put him aside, Monsieur -Gabelle!” - -Monsieur Gabelle was the Postmaster, and some other taxing functionary -united; he had come out with great obsequiousness to assist at this -examination, and had held the examined by the drapery of his arm in an -official manner. - -“Bah! Go aside!” said Monsieur Gabelle. - -“Lay hands on this stranger if he seeks to lodge in your village -to-night, and be sure that his business is honest, Gabelle.” - -“Monseigneur, I am flattered to devote myself to your orders.” - -“Did he run away, fellow?--where is that Accursed?” - -The accursed was already under the carriage with some half-dozen -particular friends, pointing out the chain with his blue cap. Some -half-dozen other particular friends promptly hauled him out, and -presented him breathless to Monsieur the Marquis. - -“Did the man run away, Dolt, when we stopped for the drag?” - -“Monseigneur, he precipitated himself over the hill-side, head first, as -a person plunges into the river.” - -“See to it, Gabelle. Go on!” - -The half-dozen who were peering at the chain were still among the -wheels, like sheep; the wheels turned so suddenly that they were lucky -to save their skins and bones; they had very little else to save, or -they might not have been so fortunate. - -The burst with which the carriage started out of the village and up the -rise beyond, was soon checked by the steepness of the hill. Gradually, -it subsided to a foot pace, swinging and lumbering upward among the many -sweet scents of a summer night. The postilions, with a thousand gossamer -gnats circling about them in lieu of the Furies, quietly mended the -points to the lashes of their whips; the valet walked by the horses; the -courier was audible, trotting on ahead into the dull distance. - -At the steepest point of the hill there was a little burial-ground, -with a Cross and a new large figure of Our Saviour on it; it was a poor -figure in wood, done by some inexperienced rustic carver, but he had -studied the figure from the life--his own life, maybe--for it was -dreadfully spare and thin. - -To this distressful emblem of a great distress that had long been -growing worse, and was not at its worst, a woman was kneeling. She -turned her head as the carriage came up to her, rose quickly, and -presented herself at the carriage-door. - -“It is you, Monseigneur! Monseigneur, a petition.” - -With an exclamation of impatience, but with his unchangeable face, -Monseigneur looked out. - -“How, then! What is it? Always petitions!” - -“Monseigneur. For the love of the great God! My husband, the forester.” - -“What of your husband, the forester? Always the same with you people. He -cannot pay something?” - -“He has paid all, Monseigneur. He is dead.” - -“Well! He is quiet. Can I restore him to you?” - -“Alas, no, Monseigneur! But he lies yonder, under a little heap of poor -grass.” - -“Well?” - -“Monseigneur, there are so many little heaps of poor grass?” - -“Again, well?” - -She looked an old woman, but was young. Her manner was one of passionate -grief; by turns she clasped her veinous and knotted hands together -with wild energy, and laid one of them on the carriage-door--tenderly, -caressingly, as if it had been a human breast, and could be expected to -feel the appealing touch. - -“Monseigneur, hear me! Monseigneur, hear my petition! My husband died of -want; so many die of want; so many more will die of want.” - -“Again, well? Can I feed them?” - -“Monseigneur, the good God knows; but I don't ask it. My petition is, -that a morsel of stone or wood, with my husband's name, may be placed -over him to show where he lies. Otherwise, the place will be quickly -forgotten, it will never be found when I am dead of the same malady, I -shall be laid under some other heap of poor grass. Monseigneur, they -are so many, they increase so fast, there is so much want. Monseigneur! -Monseigneur!” - -The valet had put her away from the door, the carriage had broken into -a brisk trot, the postilions had quickened the pace, she was left far -behind, and Monseigneur, again escorted by the Furies, was rapidly -diminishing the league or two of distance that remained between him and -his chateau. - -The sweet scents of the summer night rose all around him, and rose, as -the rain falls, impartially, on the dusty, ragged, and toil-worn group -at the fountain not far away; to whom the mender of roads, with the aid -of the blue cap without which he was nothing, still enlarged upon his -man like a spectre, as long as they could bear it. By degrees, as they -could bear no more, they dropped off one by one, and lights twinkled -in little casements; which lights, as the casements darkened, and more -stars came out, seemed to have shot up into the sky instead of having -been extinguished. - -The shadow of a large high-roofed house, and of many over-hanging trees, -was upon Monsieur the Marquis by that time; and the shadow was exchanged -for the light of a flambeau, as his carriage stopped, and the great door -of his chateau was opened to him. - -“Monsieur Charles, whom I expect; is he arrived from England?” - -“Monseigneur, not yet.” - - - - -IX. The Gorgon's Head - - -It was a heavy mass of building, that chateau of Monsieur the Marquis, -with a large stone courtyard before it, and two stone sweeps of -staircase meeting in a stone terrace before the principal door. A stony -business altogether, with heavy stone balustrades, and stone urns, and -stone flowers, and stone faces of men, and stone heads of lions, in -all directions. As if the Gorgon's head had surveyed it, when it was -finished, two centuries ago. - -Up the broad flight of shallow steps, Monsieur the Marquis, flambeau -preceded, went from his carriage, sufficiently disturbing the darkness -to elicit loud remonstrance from an owl in the roof of the great pile -of stable building away among the trees. All else was so quiet, that the -flambeau carried up the steps, and the other flambeau held at the great -door, burnt as if they were in a close room of state, instead of being -in the open night-air. Other sound than the owl's voice there was none, -save the falling of a fountain into its stone basin; for, it was one of -those dark nights that hold their breath by the hour together, and then -heave a long low sigh, and hold their breath again. - -The great door clanged behind him, and Monsieur the Marquis crossed a -hall grim with certain old boar-spears, swords, and knives of the chase; -grimmer with certain heavy riding-rods and riding-whips, of which many a -peasant, gone to his benefactor Death, had felt the weight when his lord -was angry. - -Avoiding the larger rooms, which were dark and made fast for the night, -Monsieur the Marquis, with his flambeau-bearer going on before, went up -the staircase to a door in a corridor. This thrown open, admitted him -to his own private apartment of three rooms: his bed-chamber and two -others. High vaulted rooms with cool uncarpeted floors, great dogs upon -the hearths for the burning of wood in winter time, and all luxuries -befitting the state of a marquis in a luxurious age and country. -The fashion of the last Louis but one, of the line that was never to -break--the fourteenth Louis--was conspicuous in their rich furniture; -but, it was diversified by many objects that were illustrations of old -pages in the history of France. - -A supper-table was laid for two, in the third of the rooms; a round -room, in one of the chateau's four extinguisher-topped towers. A small -lofty room, with its window wide open, and the wooden jalousie-blinds -closed, so that the dark night only showed in slight horizontal lines of -black, alternating with their broad lines of stone colour. - -“My nephew,” said the Marquis, glancing at the supper preparation; “they -said he was not arrived.” - -Nor was he; but, he had been expected with Monseigneur. - -“Ah! It is not probable he will arrive to-night; nevertheless, leave the -table as it is. I shall be ready in a quarter of an hour.” - -In a quarter of an hour Monseigneur was ready, and sat down alone to his -sumptuous and choice supper. His chair was opposite to the window, and -he had taken his soup, and was raising his glass of Bordeaux to his -lips, when he put it down. - -“What is that?” he calmly asked, looking with attention at the -horizontal lines of black and stone colour. - -“Monseigneur? That?” - -“Outside the blinds. Open the blinds.” - -It was done. - -“Well?” - -“Monseigneur, it is nothing. The trees and the night are all that are -here.” - -The servant who spoke, had thrown the blinds wide, had looked out into -the vacant darkness, and stood with that blank behind him, looking round -for instructions. - -“Good,” said the imperturbable master. “Close them again.” - -That was done too, and the Marquis went on with his supper. He was -half way through it, when he again stopped with his glass in his hand, -hearing the sound of wheels. It came on briskly, and came up to the -front of the chateau. - -“Ask who is arrived.” - -It was the nephew of Monseigneur. He had been some few leagues behind -Monseigneur, early in the afternoon. He had diminished the distance -rapidly, but not so rapidly as to come up with Monseigneur on the road. -He had heard of Monseigneur, at the posting-houses, as being before him. - -He was to be told (said Monseigneur) that supper awaited him then and -there, and that he was prayed to come to it. In a little while he came. -He had been known in England as Charles Darnay. - -Monseigneur received him in a courtly manner, but they did not shake -hands. - -“You left Paris yesterday, sir?” he said to Monseigneur, as he took his -seat at table. - -“Yesterday. And you?” - -“I come direct.” - -“From London?” - -“Yes.” - -“You have been a long time coming,” said the Marquis, with a smile. - -“On the contrary; I come direct.” - -“Pardon me! I mean, not a long time on the journey; a long time -intending the journey.” - -“I have been detained by”--the nephew stopped a moment in his -answer--“various business.” - -“Without doubt,” said the polished uncle. - -So long as a servant was present, no other words passed between them. -When coffee had been served and they were alone together, the nephew, -looking at the uncle and meeting the eyes of the face that was like a -fine mask, opened a conversation. - -“I have come back, sir, as you anticipate, pursuing the object that -took me away. It carried me into great and unexpected peril; but it is -a sacred object, and if it had carried me to death I hope it would have -sustained me.” - -“Not to death,” said the uncle; “it is not necessary to say, to death.” - -“I doubt, sir,” returned the nephew, “whether, if it had carried me to -the utmost brink of death, you would have cared to stop me there.” - -The deepened marks in the nose, and the lengthening of the fine straight -lines in the cruel face, looked ominous as to that; the uncle made a -graceful gesture of protest, which was so clearly a slight form of good -breeding that it was not reassuring. - -“Indeed, sir,” pursued the nephew, “for anything I know, you may have -expressly worked to give a more suspicious appearance to the suspicious -circumstances that surrounded me.” - -“No, no, no,” said the uncle, pleasantly. - -“But, however that may be,” resumed the nephew, glancing at him with -deep distrust, “I know that your diplomacy would stop me by any means, -and would know no scruple as to means.” - -“My friend, I told you so,” said the uncle, with a fine pulsation in the -two marks. “Do me the favour to recall that I told you so, long ago.” - -“I recall it.” - -“Thank you,” said the Marquis--very sweetly indeed. - -His tone lingered in the air, almost like the tone of a musical -instrument. - -“In effect, sir,” pursued the nephew, “I believe it to be at once your -bad fortune, and my good fortune, that has kept me out of a prison in -France here.” - -“I do not quite understand,” returned the uncle, sipping his coffee. -“Dare I ask you to explain?” - -“I believe that if you were not in disgrace with the Court, and had not -been overshadowed by that cloud for years past, a letter de cachet would -have sent me to some fortress indefinitely.” - -“It is possible,” said the uncle, with great calmness. “For the honour -of the family, I could even resolve to incommode you to that extent. -Pray excuse me!” - -“I perceive that, happily for me, the Reception of the day before -yesterday was, as usual, a cold one,” observed the nephew. - -“I would not say happily, my friend,” returned the uncle, with refined -politeness; “I would not be sure of that. A good opportunity for -consideration, surrounded by the advantages of solitude, might influence -your destiny to far greater advantage than you influence it for -yourself. But it is useless to discuss the question. I am, as you say, -at a disadvantage. These little instruments of correction, these gentle -aids to the power and honour of families, these slight favours that -might so incommode you, are only to be obtained now by interest -and importunity. They are sought by so many, and they are granted -(comparatively) to so few! It used not to be so, but France in all such -things is changed for the worse. Our not remote ancestors held the right -of life and death over the surrounding vulgar. From this room, many such -dogs have been taken out to be hanged; in the next room (my bedroom), -one fellow, to our knowledge, was poniarded on the spot for professing -some insolent delicacy respecting his daughter--_his_ daughter? We have -lost many privileges; a new philosophy has become the mode; and the -assertion of our station, in these days, might (I do not go so far as -to say would, but might) cause us real inconvenience. All very bad, very -bad!” - -The Marquis took a gentle little pinch of snuff, and shook his head; -as elegantly despondent as he could becomingly be of a country still -containing himself, that great means of regeneration. - -“We have so asserted our station, both in the old time and in the modern -time also,” said the nephew, gloomily, “that I believe our name to be -more detested than any name in France.” - -“Let us hope so,” said the uncle. “Detestation of the high is the -involuntary homage of the low.” - -“There is not,” pursued the nephew, in his former tone, “a face I can -look at, in all this country round about us, which looks at me with any -deference on it but the dark deference of fear and slavery.” - -“A compliment,” said the Marquis, “to the grandeur of the family, -merited by the manner in which the family has sustained its grandeur. -Hah!” And he took another gentle little pinch of snuff, and lightly -crossed his legs. - -But, when his nephew, leaning an elbow on the table, covered his eyes -thoughtfully and dejectedly with his hand, the fine mask looked at -him sideways with a stronger concentration of keenness, closeness, -and dislike, than was comportable with its wearer's assumption of -indifference. - -“Repression is the only lasting philosophy. The dark deference of fear -and slavery, my friend,” observed the Marquis, “will keep the dogs -obedient to the whip, as long as this roof,” looking up to it, “shuts -out the sky.” - -That might not be so long as the Marquis supposed. If a picture of the -chateau as it was to be a very few years hence, and of fifty like it as -they too were to be a very few years hence, could have been shown to -him that night, he might have been at a loss to claim his own from -the ghastly, fire-charred, plunder-wrecked rains. As for the roof -he vaunted, he might have found _that_ shutting out the sky in a new -way--to wit, for ever, from the eyes of the bodies into which its lead -was fired, out of the barrels of a hundred thousand muskets. - -“Meanwhile,” said the Marquis, “I will preserve the honour and repose -of the family, if you will not. But you must be fatigued. Shall we -terminate our conference for the night?” - -“A moment more.” - -“An hour, if you please.” - -“Sir,” said the nephew, “we have done wrong, and are reaping the fruits -of wrong.” - -“_We_ have done wrong?” repeated the Marquis, with an inquiring smile, -and delicately pointing, first to his nephew, then to himself. - -“Our family; our honourable family, whose honour is of so much account -to both of us, in such different ways. Even in my father's time, we did -a world of wrong, injuring every human creature who came between us and -our pleasure, whatever it was. Why need I speak of my father's time, -when it is equally yours? Can I separate my father's twin-brother, joint -inheritor, and next successor, from himself?” - -“Death has done that!” said the Marquis. - -“And has left me,” answered the nephew, “bound to a system that is -frightful to me, responsible for it, but powerless in it; seeking to -execute the last request of my dear mother's lips, and obey the last -look of my dear mother's eyes, which implored me to have mercy and to -redress; and tortured by seeking assistance and power in vain.” - -“Seeking them from me, my nephew,” said the Marquis, touching him on the -breast with his forefinger--they were now standing by the hearth--“you -will for ever seek them in vain, be assured.” - -Every fine straight line in the clear whiteness of his face, was -cruelly, craftily, and closely compressed, while he stood looking -quietly at his nephew, with his snuff-box in his hand. Once again he -touched him on the breast, as though his finger were the fine point of -a small sword, with which, in delicate finesse, he ran him through the -body, and said, - -“My friend, I will die, perpetuating the system under which I have -lived.” - -When he had said it, he took a culminating pinch of snuff, and put his -box in his pocket. - -“Better to be a rational creature,” he added then, after ringing a small -bell on the table, “and accept your natural destiny. But you are lost, -Monsieur Charles, I see.” - -“This property and France are lost to me,” said the nephew, sadly; “I -renounce them.” - -“Are they both yours to renounce? France may be, but is the property? It -is scarcely worth mentioning; but, is it yet?” - -“I had no intention, in the words I used, to claim it yet. If it passed -to me from you, to-morrow--” - -“Which I have the vanity to hope is not probable.” - -“--or twenty years hence--” - -“You do me too much honour,” said the Marquis; “still, I prefer that -supposition.” - -“--I would abandon it, and live otherwise and elsewhere. It is little to -relinquish. What is it but a wilderness of misery and ruin!” - -“Hah!” said the Marquis, glancing round the luxurious room. - -“To the eye it is fair enough, here; but seen in its integrity, -under the sky, and by the daylight, it is a crumbling tower of waste, -mismanagement, extortion, debt, mortgage, oppression, hunger, nakedness, -and suffering.” - -“Hah!” said the Marquis again, in a well-satisfied manner. - -“If it ever becomes mine, it shall be put into some hands better -qualified to free it slowly (if such a thing is possible) from the -weight that drags it down, so that the miserable people who cannot leave -it and who have been long wrung to the last point of endurance, may, in -another generation, suffer less; but it is not for me. There is a curse -on it, and on all this land.” - -“And you?” said the uncle. “Forgive my curiosity; do you, under your new -philosophy, graciously intend to live?” - -“I must do, to live, what others of my countrymen, even with nobility at -their backs, may have to do some day--work.” - -“In England, for example?” - -“Yes. The family honour, sir, is safe from me in this country. The -family name can suffer from me in no other, for I bear it in no other.” - -The ringing of the bell had caused the adjoining bed-chamber to be -lighted. It now shone brightly, through the door of communication. The -Marquis looked that way, and listened for the retreating step of his -valet. - -“England is very attractive to you, seeing how indifferently you have -prospered there,” he observed then, turning his calm face to his nephew -with a smile. - -“I have already said, that for my prospering there, I am sensible I may -be indebted to you, sir. For the rest, it is my Refuge.” - -“They say, those boastful English, that it is the Refuge of many. You -know a compatriot who has found a Refuge there? A Doctor?” - -“Yes.” - -“With a daughter?” - -“Yes.” - -“Yes,” said the Marquis. “You are fatigued. Good night!” - -As he bent his head in his most courtly manner, there was a secrecy -in his smiling face, and he conveyed an air of mystery to those words, -which struck the eyes and ears of his nephew forcibly. At the same -time, the thin straight lines of the setting of the eyes, and the thin -straight lips, and the markings in the nose, curved with a sarcasm that -looked handsomely diabolic. - -“Yes,” repeated the Marquis. “A Doctor with a daughter. Yes. So -commences the new philosophy! You are fatigued. Good night!” - -It would have been of as much avail to interrogate any stone face -outside the chateau as to interrogate that face of his. The nephew -looked at him, in vain, in passing on to the door. - -“Good night!” said the uncle. “I look to the pleasure of seeing you -again in the morning. Good repose! Light Monsieur my nephew to his -chamber there!--And burn Monsieur my nephew in his bed, if you will,” he -added to himself, before he rang his little bell again, and summoned his -valet to his own bedroom. - -The valet come and gone, Monsieur the Marquis walked to and fro in his -loose chamber-robe, to prepare himself gently for sleep, that hot still -night. Rustling about the room, his softly-slippered feet making no -noise on the floor, he moved like a refined tiger:--looked like some -enchanted marquis of the impenitently wicked sort, in story, whose -periodical change into tiger form was either just going off, or just -coming on. - -He moved from end to end of his voluptuous bedroom, looking again at the -scraps of the day's journey that came unbidden into his mind; the slow -toil up the hill at sunset, the setting sun, the descent, the mill, the -prison on the crag, the little village in the hollow, the peasants at -the fountain, and the mender of roads with his blue cap pointing out the -chain under the carriage. That fountain suggested the Paris fountain, -the little bundle lying on the step, the women bending over it, and the -tall man with his arms up, crying, “Dead!” - -“I am cool now,” said Monsieur the Marquis, “and may go to bed.” - -So, leaving only one light burning on the large hearth, he let his thin -gauze curtains fall around him, and heard the night break its silence -with a long sigh as he composed himself to sleep. - -The stone faces on the outer walls stared blindly at the black night -for three heavy hours; for three heavy hours, the horses in the stables -rattled at their racks, the dogs barked, and the owl made a noise with -very little resemblance in it to the noise conventionally assigned to -the owl by men-poets. But it is the obstinate custom of such creatures -hardly ever to say what is set down for them. - -For three heavy hours, the stone faces of the chateau, lion and human, -stared blindly at the night. Dead darkness lay on all the landscape, -dead darkness added its own hush to the hushing dust on all the roads. -The burial-place had got to the pass that its little heaps of poor grass -were undistinguishable from one another; the figure on the Cross might -have come down, for anything that could be seen of it. In the village, -taxers and taxed were fast asleep. Dreaming, perhaps, of banquets, as -the starved usually do, and of ease and rest, as the driven slave and -the yoked ox may, its lean inhabitants slept soundly, and were fed and -freed. - -The fountain in the village flowed unseen and unheard, and the fountain -at the chateau dropped unseen and unheard--both melting away, like the -minutes that were falling from the spring of Time--through three dark -hours. Then, the grey water of both began to be ghostly in the light, -and the eyes of the stone faces of the chateau were opened. - -Lighter and lighter, until at last the sun touched the tops of the still -trees, and poured its radiance over the hill. In the glow, the water -of the chateau fountain seemed to turn to blood, and the stone faces -crimsoned. The carol of the birds was loud and high, and, on the -weather-beaten sill of the great window of the bed-chamber of Monsieur -the Marquis, one little bird sang its sweetest song with all its might. -At this, the nearest stone face seemed to stare amazed, and, with open -mouth and dropped under-jaw, looked awe-stricken. - -Now, the sun was full up, and movement began in the village. Casement -windows opened, crazy doors were unbarred, and people came forth -shivering--chilled, as yet, by the new sweet air. Then began the rarely -lightened toil of the day among the village population. Some, to the -fountain; some, to the fields; men and women here, to dig and delve; men -and women there, to see to the poor live stock, and lead the bony cows -out, to such pasture as could be found by the roadside. In the church -and at the Cross, a kneeling figure or two; attendant on the latter -prayers, the led cow, trying for a breakfast among the weeds at its -foot. - -The chateau awoke later, as became its quality, but awoke gradually and -surely. First, the lonely boar-spears and knives of the chase had been -reddened as of old; then, had gleamed trenchant in the morning sunshine; -now, doors and windows were thrown open, horses in their stables looked -round over their shoulders at the light and freshness pouring in at -doorways, leaves sparkled and rustled at iron-grated windows, dogs -pulled hard at their chains, and reared impatient to be loosed. - -All these trivial incidents belonged to the routine of life, and the -return of morning. Surely, not so the ringing of the great bell of the -chateau, nor the running up and down the stairs; nor the hurried -figures on the terrace; nor the booting and tramping here and there and -everywhere, nor the quick saddling of horses and riding away? - -What winds conveyed this hurry to the grizzled mender of roads, already -at work on the hill-top beyond the village, with his day's dinner (not -much to carry) lying in a bundle that it was worth no crow's while to -peck at, on a heap of stones? Had the birds, carrying some grains of it -to a distance, dropped one over him as they sow chance seeds? Whether or -no, the mender of roads ran, on the sultry morning, as if for his life, -down the hill, knee-high in dust, and never stopped till he got to the -fountain. - -All the people of the village were at the fountain, standing about -in their depressed manner, and whispering low, but showing no other -emotions than grim curiosity and surprise. The led cows, hastily brought -in and tethered to anything that would hold them, were looking stupidly -on, or lying down chewing the cud of nothing particularly repaying their -trouble, which they had picked up in their interrupted saunter. Some of -the people of the chateau, and some of those of the posting-house, and -all the taxing authorities, were armed more or less, and were crowded -on the other side of the little street in a purposeless way, that was -highly fraught with nothing. Already, the mender of roads had penetrated -into the midst of a group of fifty particular friends, and was smiting -himself in the breast with his blue cap. What did all this portend, -and what portended the swift hoisting-up of Monsieur Gabelle behind -a servant on horseback, and the conveying away of the said Gabelle -(double-laden though the horse was), at a gallop, like a new version of -the German ballad of Leonora? - -It portended that there was one stone face too many, up at the chateau. - -The Gorgon had surveyed the building again in the night, and had added -the one stone face wanting; the stone face for which it had waited -through about two hundred years. - -It lay back on the pillow of Monsieur the Marquis. It was like a fine -mask, suddenly startled, made angry, and petrified. Driven home into the -heart of the stone figure attached to it, was a knife. Round its hilt -was a frill of paper, on which was scrawled: - -“Drive him fast to his tomb. This, from Jacques.” - - - - -X. Two Promises - - -More months, to the number of twelve, had come and gone, and Mr. Charles -Darnay was established in England as a higher teacher of the French -language who was conversant with French literature. In this age, he -would have been a Professor; in that age, he was a Tutor. He read with -young men who could find any leisure and interest for the study of a -living tongue spoken all over the world, and he cultivated a taste for -its stores of knowledge and fancy. He could write of them, besides, in -sound English, and render them into sound English. Such masters were not -at that time easily found; Princes that had been, and Kings that were -to be, were not yet of the Teacher class, and no ruined nobility had -dropped out of Tellson's ledgers, to turn cooks and carpenters. As a -tutor, whose attainments made the student's way unusually pleasant and -profitable, and as an elegant translator who brought something to his -work besides mere dictionary knowledge, young Mr. Darnay soon became -known and encouraged. He was well acquainted, more-over, with the -circumstances of his country, and those were of ever-growing interest. -So, with great perseverance and untiring industry, he prospered. - -In London, he had expected neither to walk on pavements of gold, nor -to lie on beds of roses; if he had had any such exalted expectation, he -would not have prospered. He had expected labour, and he found it, and -did it and made the best of it. In this, his prosperity consisted. - -A certain portion of his time was passed at Cambridge, where he -read with undergraduates as a sort of tolerated smuggler who drove a -contraband trade in European languages, instead of conveying Greek -and Latin through the Custom-house. The rest of his time he passed in -London. - -Now, from the days when it was always summer in Eden, to these days -when it is mostly winter in fallen latitudes, the world of a man has -invariably gone one way--Charles Darnay's way--the way of the love of a -woman. - -He had loved Lucie Manette from the hour of his danger. He had never -heard a sound so sweet and dear as the sound of her compassionate voice; -he had never seen a face so tenderly beautiful, as hers when it was -confronted with his own on the edge of the grave that had been dug for -him. But, he had not yet spoken to her on the subject; the assassination -at the deserted chateau far away beyond the heaving water and the long, -long, dusty roads--the solid stone chateau which had itself become the -mere mist of a dream--had been done a year, and he had never yet, by so -much as a single spoken word, disclosed to her the state of his heart. - -That he had his reasons for this, he knew full well. It was again a -summer day when, lately arrived in London from his college occupation, -he turned into the quiet corner in Soho, bent on seeking an opportunity -of opening his mind to Doctor Manette. It was the close of the summer -day, and he knew Lucie to be out with Miss Pross. - -He found the Doctor reading in his arm-chair at a window. The energy -which had at once supported him under his old sufferings and aggravated -their sharpness, had been gradually restored to him. He was now a -very energetic man indeed, with great firmness of purpose, strength -of resolution, and vigour of action. In his recovered energy he was -sometimes a little fitful and sudden, as he had at first been in the -exercise of his other recovered faculties; but, this had never been -frequently observable, and had grown more and more rare. - -He studied much, slept little, sustained a great deal of fatigue with -ease, and was equably cheerful. To him, now entered Charles Darnay, at -sight of whom he laid aside his book and held out his hand. - -“Charles Darnay! I rejoice to see you. We have been counting on your -return these three or four days past. Mr. Stryver and Sydney Carton were -both here yesterday, and both made you out to be more than due.” - -“I am obliged to them for their interest in the matter,” he answered, -a little coldly as to them, though very warmly as to the Doctor. “Miss -Manette--” - -“Is well,” said the Doctor, as he stopped short, “and your return will -delight us all. She has gone out on some household matters, but will -soon be home.” - -“Doctor Manette, I knew she was from home. I took the opportunity of her -being from home, to beg to speak to you.” - -There was a blank silence. - -“Yes?” said the Doctor, with evident constraint. “Bring your chair here, -and speak on.” - -He complied as to the chair, but appeared to find the speaking on less -easy. - -“I have had the happiness, Doctor Manette, of being so intimate here,” - so he at length began, “for some year and a half, that I hope the topic -on which I am about to touch may not--” - -He was stayed by the Doctor's putting out his hand to stop him. When he -had kept it so a little while, he said, drawing it back: - -“Is Lucie the topic?” - -“She is.” - -“It is hard for me to speak of her at any time. It is very hard for me -to hear her spoken of in that tone of yours, Charles Darnay.” - -“It is a tone of fervent admiration, true homage, and deep love, Doctor -Manette!” he said deferentially. - -There was another blank silence before her father rejoined: - -“I believe it. I do you justice; I believe it.” - -His constraint was so manifest, and it was so manifest, too, that it -originated in an unwillingness to approach the subject, that Charles -Darnay hesitated. - -“Shall I go on, sir?” - -Another blank. - -“Yes, go on.” - -“You anticipate what I would say, though you cannot know how earnestly -I say it, how earnestly I feel it, without knowing my secret heart, and -the hopes and fears and anxieties with which it has long been -laden. Dear Doctor Manette, I love your daughter fondly, dearly, -disinterestedly, devotedly. If ever there were love in the world, I love -her. You have loved yourself; let your old love speak for me!” - -The Doctor sat with his face turned away, and his eyes bent on the -ground. At the last words, he stretched out his hand again, hurriedly, -and cried: - -“Not that, sir! Let that be! I adjure you, do not recall that!” - -His cry was so like a cry of actual pain, that it rang in Charles -Darnay's ears long after he had ceased. He motioned with the hand he had -extended, and it seemed to be an appeal to Darnay to pause. The latter -so received it, and remained silent. - -“I ask your pardon,” said the Doctor, in a subdued tone, after some -moments. “I do not doubt your loving Lucie; you may be satisfied of it.” - -He turned towards him in his chair, but did not look at him, or -raise his eyes. His chin dropped upon his hand, and his white hair -overshadowed his face: - -“Have you spoken to Lucie?” - -“No.” - -“Nor written?” - -“Never.” - -“It would be ungenerous to affect not to know that your self-denial is -to be referred to your consideration for her father. Her father thanks -you.” - -He offered his hand; but his eyes did not go with it. - -“I know,” said Darnay, respectfully, “how can I fail to know, Doctor -Manette, I who have seen you together from day to day, that between -you and Miss Manette there is an affection so unusual, so touching, so -belonging to the circumstances in which it has been nurtured, that it -can have few parallels, even in the tenderness between a father and -child. I know, Doctor Manette--how can I fail to know--that, mingled -with the affection and duty of a daughter who has become a woman, there -is, in her heart, towards you, all the love and reliance of infancy -itself. I know that, as in her childhood she had no parent, so she is -now devoted to you with all the constancy and fervour of her present -years and character, united to the trustfulness and attachment of the -early days in which you were lost to her. I know perfectly well that if -you had been restored to her from the world beyond this life, you could -hardly be invested, in her sight, with a more sacred character than that -in which you are always with her. I know that when she is clinging to -you, the hands of baby, girl, and woman, all in one, are round your -neck. I know that in loving you she sees and loves her mother at her -own age, sees and loves you at my age, loves her mother broken-hearted, -loves you through your dreadful trial and in your blessed restoration. I -have known this, night and day, since I have known you in your home.” - -Her father sat silent, with his face bent down. His breathing was a -little quickened; but he repressed all other signs of agitation. - -“Dear Doctor Manette, always knowing this, always seeing her and you -with this hallowed light about you, I have forborne, and forborne, as -long as it was in the nature of man to do it. I have felt, and do even -now feel, that to bring my love--even mine--between you, is to touch -your history with something not quite so good as itself. But I love her. -Heaven is my witness that I love her!” - -“I believe it,” answered her father, mournfully. “I have thought so -before now. I believe it.” - -“But, do not believe,” said Darnay, upon whose ear the mournful voice -struck with a reproachful sound, “that if my fortune were so cast as -that, being one day so happy as to make her my wife, I must at any time -put any separation between her and you, I could or would breathe a -word of what I now say. Besides that I should know it to be hopeless, I -should know it to be a baseness. If I had any such possibility, even at -a remote distance of years, harboured in my thoughts, and hidden in my -heart--if it ever had been there--if it ever could be there--I could not -now touch this honoured hand.” - -He laid his own upon it as he spoke. - -“No, dear Doctor Manette. Like you, a voluntary exile from France; like -you, driven from it by its distractions, oppressions, and miseries; like -you, striving to live away from it by my own exertions, and trusting -in a happier future; I look only to sharing your fortunes, sharing your -life and home, and being faithful to you to the death. Not to divide -with Lucie her privilege as your child, companion, and friend; but to -come in aid of it, and bind her closer to you, if such a thing can be.” - -His touch still lingered on her father's hand. Answering the touch for a -moment, but not coldly, her father rested his hands upon the arms of -his chair, and looked up for the first time since the beginning of the -conference. A struggle was evidently in his face; a struggle with that -occasional look which had a tendency in it to dark doubt and dread. - -“You speak so feelingly and so manfully, Charles Darnay, that I thank -you with all my heart, and will open all my heart--or nearly so. Have -you any reason to believe that Lucie loves you?” - -“None. As yet, none.” - -“Is it the immediate object of this confidence, that you may at once -ascertain that, with my knowledge?” - -“Not even so. I might not have the hopefulness to do it for weeks; I -might (mistaken or not mistaken) have that hopefulness to-morrow.” - -“Do you seek any guidance from me?” - -“I ask none, sir. But I have thought it possible that you might have it -in your power, if you should deem it right, to give me some.” - -“Do you seek any promise from me?” - -“I do seek that.” - -“What is it?” - -“I well understand that, without you, I could have no hope. I well -understand that, even if Miss Manette held me at this moment in her -innocent heart--do not think I have the presumption to assume so much--I -could retain no place in it against her love for her father.” - -“If that be so, do you see what, on the other hand, is involved in it?” - -“I understand equally well, that a word from her father in any suitor's -favour, would outweigh herself and all the world. For which reason, -Doctor Manette,” said Darnay, modestly but firmly, “I would not ask that -word, to save my life.” - -“I am sure of it. Charles Darnay, mysteries arise out of close love, as -well as out of wide division; in the former case, they are subtle and -delicate, and difficult to penetrate. My daughter Lucie is, in this one -respect, such a mystery to me; I can make no guess at the state of her -heart.” - -“May I ask, sir, if you think she is--” As he hesitated, her father -supplied the rest. - -“Is sought by any other suitor?” - -“It is what I meant to say.” - -Her father considered a little before he answered: - -“You have seen Mr. Carton here, yourself. Mr. Stryver is here too, -occasionally. If it be at all, it can only be by one of these.” - -“Or both,” said Darnay. - -“I had not thought of both; I should not think either, likely. You want -a promise from me. Tell me what it is.” - -“It is, that if Miss Manette should bring to you at any time, on her own -part, such a confidence as I have ventured to lay before you, you will -bear testimony to what I have said, and to your belief in it. I hope you -may be able to think so well of me, as to urge no influence against -me. I say nothing more of my stake in this; this is what I ask. The -condition on which I ask it, and which you have an undoubted right to -require, I will observe immediately.” - -“I give the promise,” said the Doctor, “without any condition. I believe -your object to be, purely and truthfully, as you have stated it. I -believe your intention is to perpetuate, and not to weaken, the ties -between me and my other and far dearer self. If she should ever tell me -that you are essential to her perfect happiness, I will give her to you. -If there were--Charles Darnay, if there were--” - -The young man had taken his hand gratefully; their hands were joined as -the Doctor spoke: - -“--any fancies, any reasons, any apprehensions, anything whatsoever, -new or old, against the man she really loved--the direct responsibility -thereof not lying on his head--they should all be obliterated for her -sake. She is everything to me; more to me than suffering, more to me -than wrong, more to me--Well! This is idle talk.” - -So strange was the way in which he faded into silence, and so strange -his fixed look when he had ceased to speak, that Darnay felt his own -hand turn cold in the hand that slowly released and dropped it. - -“You said something to me,” said Doctor Manette, breaking into a smile. -“What was it you said to me?” - -He was at a loss how to answer, until he remembered having spoken of a -condition. Relieved as his mind reverted to that, he answered: - -“Your confidence in me ought to be returned with full confidence on my -part. My present name, though but slightly changed from my mother's, is -not, as you will remember, my own. I wish to tell you what that is, and -why I am in England.” - -“Stop!” said the Doctor of Beauvais. - -“I wish it, that I may the better deserve your confidence, and have no -secret from you.” - -“Stop!” - -For an instant, the Doctor even had his two hands at his ears; for -another instant, even had his two hands laid on Darnay's lips. - -“Tell me when I ask you, not now. If your suit should prosper, if Lucie -should love you, you shall tell me on your marriage morning. Do you -promise?” - -“Willingly. - -“Give me your hand. She will be home directly, and it is better she -should not see us together to-night. Go! God bless you!” - -It was dark when Charles Darnay left him, and it was an hour later and -darker when Lucie came home; she hurried into the room alone--for -Miss Pross had gone straight up-stairs--and was surprised to find his -reading-chair empty. - -“My father!” she called to him. “Father dear!” - -Nothing was said in answer, but she heard a low hammering sound in his -bedroom. Passing lightly across the intermediate room, she looked in at -his door and came running back frightened, crying to herself, with her -blood all chilled, “What shall I do! What shall I do!” - -Her uncertainty lasted but a moment; she hurried back, and tapped at -his door, and softly called to him. The noise ceased at the sound of -her voice, and he presently came out to her, and they walked up and down -together for a long time. - -She came down from her bed, to look at him in his sleep that night. He -slept heavily, and his tray of shoemaking tools, and his old unfinished -work, were all as usual. - - - - -XI. A Companion Picture - - -“Sydney,” said Mr. Stryver, on that self-same night, or morning, to his -jackal; “mix another bowl of punch; I have something to say to you.” - -Sydney had been working double tides that night, and the night before, -and the night before that, and a good many nights in succession, making -a grand clearance among Mr. Stryver's papers before the setting in -of the long vacation. The clearance was effected at last; the Stryver -arrears were handsomely fetched up; everything was got rid of until -November should come with its fogs atmospheric, and fogs legal, and -bring grist to the mill again. - -Sydney was none the livelier and none the soberer for so much -application. It had taken a deal of extra wet-towelling to pull him -through the night; a correspondingly extra quantity of wine had preceded -the towelling; and he was in a very damaged condition, as he now pulled -his turban off and threw it into the basin in which he had steeped it at -intervals for the last six hours. - -“Are you mixing that other bowl of punch?” said Stryver the portly, with -his hands in his waistband, glancing round from the sofa where he lay on -his back. - -“I am.” - -“Now, look here! I am going to tell you something that will rather -surprise you, and that perhaps will make you think me not quite as -shrewd as you usually do think me. I intend to marry.” - -“_Do_ you?” - -“Yes. And not for money. What do you say now?” - -“I don't feel disposed to say much. Who is she?” - -“Guess.” - -“Do I know her?” - -“Guess.” - -“I am not going to guess, at five o'clock in the morning, with my brains -frying and sputtering in my head. If you want me to guess, you must ask -me to dinner.” - -“Well then, I'll tell you,” said Stryver, coming slowly into a sitting -posture. “Sydney, I rather despair of making myself intelligible to you, -because you are such an insensible dog.” - -“And you,” returned Sydney, busy concocting the punch, “are such a -sensitive and poetical spirit--” - -“Come!” rejoined Stryver, laughing boastfully, “though I don't prefer -any claim to being the soul of Romance (for I hope I know better), still -I am a tenderer sort of fellow than _you_.” - -“You are a luckier, if you mean that.” - -“I don't mean that. I mean I am a man of more--more--” - -“Say gallantry, while you are about it,” suggested Carton. - -“Well! I'll say gallantry. My meaning is that I am a man,” said Stryver, -inflating himself at his friend as he made the punch, “who cares more to -be agreeable, who takes more pains to be agreeable, who knows better how -to be agreeable, in a woman's society, than you do.” - -“Go on,” said Sydney Carton. - -“No; but before I go on,” said Stryver, shaking his head in his bullying -way, “I'll have this out with you. You've been at Doctor Manette's house -as much as I have, or more than I have. Why, I have been ashamed of your -moroseness there! Your manners have been of that silent and sullen and -hangdog kind, that, upon my life and soul, I have been ashamed of you, -Sydney!” - -“It should be very beneficial to a man in your practice at the bar, to -be ashamed of anything,” returned Sydney; “you ought to be much obliged -to me.” - -“You shall not get off in that way,” rejoined Stryver, shouldering the -rejoinder at him; “no, Sydney, it's my duty to tell you--and I tell you -to your face to do you good--that you are a devilish ill-conditioned -fellow in that sort of society. You are a disagreeable fellow.” - -Sydney drank a bumper of the punch he had made, and laughed. - -“Look at me!” said Stryver, squaring himself; “I have less need to make -myself agreeable than you have, being more independent in circumstances. -Why do I do it?” - -“I never saw you do it yet,” muttered Carton. - -“I do it because it's politic; I do it on principle. And look at me! I -get on.” - -“You don't get on with your account of your matrimonial intentions,” - answered Carton, with a careless air; “I wish you would keep to that. As -to me--will you never understand that I am incorrigible?” - -He asked the question with some appearance of scorn. - -“You have no business to be incorrigible,” was his friend's answer, -delivered in no very soothing tone. - -“I have no business to be, at all, that I know of,” said Sydney Carton. -“Who is the lady?” - -“Now, don't let my announcement of the name make you uncomfortable, -Sydney,” said Mr. Stryver, preparing him with ostentatious friendliness -for the disclosure he was about to make, “because I know you don't mean -half you say; and if you meant it all, it would be of no importance. I -make this little preface, because you once mentioned the young lady to -me in slighting terms.” - -“I did?” - -“Certainly; and in these chambers.” - -Sydney Carton looked at his punch and looked at his complacent friend; -drank his punch and looked at his complacent friend. - -“You made mention of the young lady as a golden-haired doll. The young -lady is Miss Manette. If you had been a fellow of any sensitiveness or -delicacy of feeling in that kind of way, Sydney, I might have been a -little resentful of your employing such a designation; but you are not. -You want that sense altogether; therefore I am no more annoyed when I -think of the expression, than I should be annoyed by a man's opinion of -a picture of mine, who had no eye for pictures: or of a piece of music -of mine, who had no ear for music.” - -Sydney Carton drank the punch at a great rate; drank it by bumpers, -looking at his friend. - -“Now you know all about it, Syd,” said Mr. Stryver. “I don't care about -fortune: she is a charming creature, and I have made up my mind to -please myself: on the whole, I think I can afford to please myself. She -will have in me a man already pretty well off, and a rapidly rising man, -and a man of some distinction: it is a piece of good fortune for her, -but she is worthy of good fortune. Are you astonished?” - -Carton, still drinking the punch, rejoined, “Why should I be -astonished?” - -“You approve?” - -Carton, still drinking the punch, rejoined, “Why should I not approve?” - -“Well!” said his friend Stryver, “you take it more easily than I fancied -you would, and are less mercenary on my behalf than I thought you would -be; though, to be sure, you know well enough by this time that your -ancient chum is a man of a pretty strong will. Yes, Sydney, I have had -enough of this style of life, with no other as a change from it; I -feel that it is a pleasant thing for a man to have a home when he feels -inclined to go to it (when he doesn't, he can stay away), and I feel -that Miss Manette will tell well in any station, and will always do me -credit. So I have made up my mind. And now, Sydney, old boy, I want to -say a word to _you_ about _your_ prospects. You are in a bad way, you -know; you really are in a bad way. You don't know the value of money, -you live hard, you'll knock up one of these days, and be ill and poor; -you really ought to think about a nurse.” - -The prosperous patronage with which he said it, made him look twice as -big as he was, and four times as offensive. - -“Now, let me recommend you,” pursued Stryver, “to look it in the face. -I have looked it in the face, in my different way; look it in the face, -you, in your different way. Marry. Provide somebody to take care of -you. Never mind your having no enjoyment of women's society, nor -understanding of it, nor tact for it. Find out somebody. Find out some -respectable woman with a little property--somebody in the landlady way, -or lodging-letting way--and marry her, against a rainy day. That's the -kind of thing for _you_. Now think of it, Sydney.” - -“I'll think of it,” said Sydney. - - - - -XII. The Fellow of Delicacy - - -Mr. Stryver having made up his mind to that magnanimous bestowal of good -fortune on the Doctor's daughter, resolved to make her happiness known -to her before he left town for the Long Vacation. After some mental -debating of the point, he came to the conclusion that it would be as -well to get all the preliminaries done with, and they could then arrange -at their leisure whether he should give her his hand a week or two -before Michaelmas Term, or in the little Christmas vacation between it -and Hilary. - -As to the strength of his case, he had not a doubt about it, but clearly -saw his way to the verdict. Argued with the jury on substantial worldly -grounds--the only grounds ever worth taking into account--it was a -plain case, and had not a weak spot in it. He called himself for the -plaintiff, there was no getting over his evidence, the counsel for -the defendant threw up his brief, and the jury did not even turn to -consider. After trying it, Stryver, C. J., was satisfied that no plainer -case could be. - -Accordingly, Mr. Stryver inaugurated the Long Vacation with a formal -proposal to take Miss Manette to Vauxhall Gardens; that failing, to -Ranelagh; that unaccountably failing too, it behoved him to present -himself in Soho, and there declare his noble mind. - -Towards Soho, therefore, Mr. Stryver shouldered his way from the Temple, -while the bloom of the Long Vacation's infancy was still upon it. -Anybody who had seen him projecting himself into Soho while he was yet -on Saint Dunstan's side of Temple Bar, bursting in his full-blown way -along the pavement, to the jostlement of all weaker people, might have -seen how safe and strong he was. - -His way taking him past Tellson's, and he both banking at Tellson's and -knowing Mr. Lorry as the intimate friend of the Manettes, it entered Mr. -Stryver's mind to enter the bank, and reveal to Mr. Lorry the brightness -of the Soho horizon. So, he pushed open the door with the weak rattle -in its throat, stumbled down the two steps, got past the two ancient -cashiers, and shouldered himself into the musty back closet where Mr. -Lorry sat at great books ruled for figures, with perpendicular iron -bars to his window as if that were ruled for figures too, and everything -under the clouds were a sum. - -“Halloa!” said Mr. Stryver. “How do you do? I hope you are well!” - -It was Stryver's grand peculiarity that he always seemed too big for any -place, or space. He was so much too big for Tellson's, that old clerks -in distant corners looked up with looks of remonstrance, as though he -squeezed them against the wall. The House itself, magnificently reading -the paper quite in the far-off perspective, lowered displeased, as if -the Stryver head had been butted into its responsible waistcoat. - -The discreet Mr. Lorry said, in a sample tone of the voice he would -recommend under the circumstances, “How do you do, Mr. Stryver? How do -you do, sir?” and shook hands. There was a peculiarity in his manner -of shaking hands, always to be seen in any clerk at Tellson's who shook -hands with a customer when the House pervaded the air. He shook in a -self-abnegating way, as one who shook for Tellson and Co. - -“Can I do anything for you, Mr. Stryver?” asked Mr. Lorry, in his -business character. - -“Why, no, thank you; this is a private visit to yourself, Mr. Lorry; I -have come for a private word.” - -“Oh indeed!” said Mr. Lorry, bending down his ear, while his eye strayed -to the House afar off. - -“I am going,” said Mr. Stryver, leaning his arms confidentially on the -desk: whereupon, although it was a large double one, there appeared to -be not half desk enough for him: “I am going to make an offer of myself -in marriage to your agreeable little friend, Miss Manette, Mr. Lorry.” - -“Oh dear me!” cried Mr. Lorry, rubbing his chin, and looking at his -visitor dubiously. - -“Oh dear me, sir?” repeated Stryver, drawing back. “Oh dear you, sir? -What may your meaning be, Mr. Lorry?” - -“My meaning,” answered the man of business, “is, of course, friendly and -appreciative, and that it does you the greatest credit, and--in short, -my meaning is everything you could desire. But--really, you know, Mr. -Stryver--” Mr. Lorry paused, and shook his head at him in the oddest -manner, as if he were compelled against his will to add, internally, -“you know there really is so much too much of you!” - -“Well!” said Stryver, slapping the desk with his contentious hand, -opening his eyes wider, and taking a long breath, “if I understand you, -Mr. Lorry, I'll be hanged!” - -Mr. Lorry adjusted his little wig at both ears as a means towards that -end, and bit the feather of a pen. - -“D--n it all, sir!” said Stryver, staring at him, “am I not eligible?” - -“Oh dear yes! Yes. Oh yes, you're eligible!” said Mr. Lorry. “If you say -eligible, you are eligible.” - -“Am I not prosperous?” asked Stryver. - -“Oh! if you come to prosperous, you are prosperous,” said Mr. Lorry. - -“And advancing?” - -“If you come to advancing you know,” said Mr. Lorry, delighted to be -able to make another admission, “nobody can doubt that.” - -“Then what on earth is your meaning, Mr. Lorry?” demanded Stryver, -perceptibly crestfallen. - -“Well! I--Were you going there now?” asked Mr. Lorry. - -“Straight!” said Stryver, with a plump of his fist on the desk. - -“Then I think I wouldn't, if I was you.” - -“Why?” said Stryver. “Now, I'll put you in a corner,” forensically -shaking a forefinger at him. “You are a man of business and bound to -have a reason. State your reason. Why wouldn't you go?” - -“Because,” said Mr. Lorry, “I wouldn't go on such an object without -having some cause to believe that I should succeed.” - -“D--n _me_!” cried Stryver, “but this beats everything.” - -Mr. Lorry glanced at the distant House, and glanced at the angry -Stryver. - -“Here's a man of business--a man of years--a man of experience--_in_ -a Bank,” said Stryver; “and having summed up three leading reasons for -complete success, he says there's no reason at all! Says it with his -head on!” Mr. Stryver remarked upon the peculiarity as if it would have -been infinitely less remarkable if he had said it with his head off. - -“When I speak of success, I speak of success with the young lady; and -when I speak of causes and reasons to make success probable, I speak of -causes and reasons that will tell as such with the young lady. The young -lady, my good sir,” said Mr. Lorry, mildly tapping the Stryver arm, “the -young lady. The young lady goes before all.” - -“Then you mean to tell me, Mr. Lorry,” said Stryver, squaring his -elbows, “that it is your deliberate opinion that the young lady at -present in question is a mincing Fool?” - -“Not exactly so. I mean to tell you, Mr. Stryver,” said Mr. Lorry, -reddening, “that I will hear no disrespectful word of that young lady -from any lips; and that if I knew any man--which I hope I do not--whose -taste was so coarse, and whose temper was so overbearing, that he could -not restrain himself from speaking disrespectfully of that young lady at -this desk, not even Tellson's should prevent my giving him a piece of my -mind.” - -The necessity of being angry in a suppressed tone had put Mr. Stryver's -blood-vessels into a dangerous state when it was his turn to be angry; -Mr. Lorry's veins, methodical as their courses could usually be, were in -no better state now it was his turn. - -“That is what I mean to tell you, sir,” said Mr. Lorry. “Pray let there -be no mistake about it.” - -Mr. Stryver sucked the end of a ruler for a little while, and then stood -hitting a tune out of his teeth with it, which probably gave him the -toothache. He broke the awkward silence by saying: - -“This is something new to me, Mr. Lorry. You deliberately advise me not -to go up to Soho and offer myself--_my_self, Stryver of the King's Bench -bar?” - -“Do you ask me for my advice, Mr. Stryver?” - -“Yes, I do.” - -“Very good. Then I give it, and you have repeated it correctly.” - -“And all I can say of it is,” laughed Stryver with a vexed laugh, “that -this--ha, ha!--beats everything past, present, and to come.” - -“Now understand me,” pursued Mr. Lorry. “As a man of business, I am -not justified in saying anything about this matter, for, as a man of -business, I know nothing of it. But, as an old fellow, who has carried -Miss Manette in his arms, who is the trusted friend of Miss Manette and -of her father too, and who has a great affection for them both, I have -spoken. The confidence is not of my seeking, recollect. Now, you think I -may not be right?” - -“Not I!” said Stryver, whistling. “I can't undertake to find third -parties in common sense; I can only find it for myself. I suppose sense -in certain quarters; you suppose mincing bread-and-butter nonsense. It's -new to me, but you are right, I dare say.” - -“What I suppose, Mr. Stryver, I claim to characterise for myself--And -understand me, sir,” said Mr. Lorry, quickly flushing again, “I -will not--not even at Tellson's--have it characterised for me by any -gentleman breathing.” - -“There! I beg your pardon!” said Stryver. - -“Granted. Thank you. Well, Mr. Stryver, I was about to say:--it might be -painful to you to find yourself mistaken, it might be painful to Doctor -Manette to have the task of being explicit with you, it might be very -painful to Miss Manette to have the task of being explicit with you. You -know the terms upon which I have the honour and happiness to stand with -the family. If you please, committing you in no way, representing you -in no way, I will undertake to correct my advice by the exercise of a -little new observation and judgment expressly brought to bear upon -it. If you should then be dissatisfied with it, you can but test its -soundness for yourself; if, on the other hand, you should be satisfied -with it, and it should be what it now is, it may spare all sides what is -best spared. What do you say?” - -“How long would you keep me in town?” - -“Oh! It is only a question of a few hours. I could go to Soho in the -evening, and come to your chambers afterwards.” - -“Then I say yes,” said Stryver: “I won't go up there now, I am not so -hot upon it as that comes to; I say yes, and I shall expect you to look -in to-night. Good morning.” - -Then Mr. Stryver turned and burst out of the Bank, causing such a -concussion of air on his passage through, that to stand up against it -bowing behind the two counters, required the utmost remaining strength -of the two ancient clerks. Those venerable and feeble persons were -always seen by the public in the act of bowing, and were popularly -believed, when they had bowed a customer out, still to keep on bowing in -the empty office until they bowed another customer in. - -The barrister was keen enough to divine that the banker would not have -gone so far in his expression of opinion on any less solid ground than -moral certainty. Unprepared as he was for the large pill he had to -swallow, he got it down. “And now,” said Mr. Stryver, shaking his -forensic forefinger at the Temple in general, when it was down, “my way -out of this, is, to put you all in the wrong.” - -It was a bit of the art of an Old Bailey tactician, in which he found -great relief. “You shall not put me in the wrong, young lady,” said Mr. -Stryver; “I'll do that for you.” - -Accordingly, when Mr. Lorry called that night as late as ten o'clock, -Mr. Stryver, among a quantity of books and papers littered out for the -purpose, seemed to have nothing less on his mind than the subject of -the morning. He even showed surprise when he saw Mr. Lorry, and was -altogether in an absent and preoccupied state. - -“Well!” said that good-natured emissary, after a full half-hour of -bootless attempts to bring him round to the question. “I have been to -Soho.” - -“To Soho?” repeated Mr. Stryver, coldly. “Oh, to be sure! What am I -thinking of!” - -“And I have no doubt,” said Mr. Lorry, “that I was right in the -conversation we had. My opinion is confirmed, and I reiterate my -advice.” - -“I assure you,” returned Mr. Stryver, in the friendliest way, “that I -am sorry for it on your account, and sorry for it on the poor father's -account. I know this must always be a sore subject with the family; let -us say no more about it.” - -“I don't understand you,” said Mr. Lorry. - -“I dare say not,” rejoined Stryver, nodding his head in a smoothing and -final way; “no matter, no matter.” - -“But it does matter,” Mr. Lorry urged. - -“No it doesn't; I assure you it doesn't. Having supposed that there was -sense where there is no sense, and a laudable ambition where there is -not a laudable ambition, I am well out of my mistake, and no harm is -done. Young women have committed similar follies often before, and have -repented them in poverty and obscurity often before. In an unselfish -aspect, I am sorry that the thing is dropped, because it would have been -a bad thing for me in a worldly point of view; in a selfish aspect, I am -glad that the thing has dropped, because it would have been a bad thing -for me in a worldly point of view--it is hardly necessary to say I could -have gained nothing by it. There is no harm at all done. I have not -proposed to the young lady, and, between ourselves, I am by no means -certain, on reflection, that I ever should have committed myself to -that extent. Mr. Lorry, you cannot control the mincing vanities and -giddinesses of empty-headed girls; you must not expect to do it, or you -will always be disappointed. Now, pray say no more about it. I tell you, -I regret it on account of others, but I am satisfied on my own account. -And I am really very much obliged to you for allowing me to sound you, -and for giving me your advice; you know the young lady better than I do; -you were right, it never would have done.” - -Mr. Lorry was so taken aback, that he looked quite stupidly at Mr. -Stryver shouldering him towards the door, with an appearance of -showering generosity, forbearance, and goodwill, on his erring head. -“Make the best of it, my dear sir,” said Stryver; “say no more about it; -thank you again for allowing me to sound you; good night!” - -Mr. Lorry was out in the night, before he knew where he was. Mr. Stryver -was lying back on his sofa, winking at his ceiling. - - - - -XIII. The Fellow of No Delicacy - - -If Sydney Carton ever shone anywhere, he certainly never shone in the -house of Doctor Manette. He had been there often, during a whole year, -and had always been the same moody and morose lounger there. When he -cared to talk, he talked well; but, the cloud of caring for nothing, -which overshadowed him with such a fatal darkness, was very rarely -pierced by the light within him. - -And yet he did care something for the streets that environed that house, -and for the senseless stones that made their pavements. Many a night -he vaguely and unhappily wandered there, when wine had brought no -transitory gladness to him; many a dreary daybreak revealed his solitary -figure lingering there, and still lingering there when the first beams -of the sun brought into strong relief, removed beauties of architecture -in spires of churches and lofty buildings, as perhaps the quiet time -brought some sense of better things, else forgotten and unattainable, -into his mind. Of late, the neglected bed in the Temple Court had known -him more scantily than ever; and often when he had thrown himself upon -it no longer than a few minutes, he had got up again, and haunted that -neighbourhood. - -On a day in August, when Mr. Stryver (after notifying to his jackal -that “he had thought better of that marrying matter”) had carried his -delicacy into Devonshire, and when the sight and scent of flowers in the -City streets had some waifs of goodness in them for the worst, of health -for the sickliest, and of youth for the oldest, Sydney's feet still trod -those stones. From being irresolute and purposeless, his feet became -animated by an intention, and, in the working out of that intention, -they took him to the Doctor's door. - -He was shown up-stairs, and found Lucie at her work, alone. She had -never been quite at her ease with him, and received him with some little -embarrassment as he seated himself near her table. But, looking up at -his face in the interchange of the first few common-places, she observed -a change in it. - -“I fear you are not well, Mr. Carton!” - -“No. But the life I lead, Miss Manette, is not conducive to health. What -is to be expected of, or by, such profligates?” - -“Is it not--forgive me; I have begun the question on my lips--a pity to -live no better life?” - -“God knows it is a shame!” - -“Then why not change it?” - -Looking gently at him again, she was surprised and saddened to see that -there were tears in his eyes. There were tears in his voice too, as he -answered: - -“It is too late for that. I shall never be better than I am. I shall -sink lower, and be worse.” - -He leaned an elbow on her table, and covered his eyes with his hand. The -table trembled in the silence that followed. - -She had never seen him softened, and was much distressed. He knew her to -be so, without looking at her, and said: - -“Pray forgive me, Miss Manette. I break down before the knowledge of -what I want to say to you. Will you hear me?” - -“If it will do you any good, Mr. Carton, if it would make you happier, -it would make me very glad!” - -“God bless you for your sweet compassion!” - -He unshaded his face after a little while, and spoke steadily. - -“Don't be afraid to hear me. Don't shrink from anything I say. I am like -one who died young. All my life might have been.” - -“No, Mr. Carton. I am sure that the best part of it might still be; I am -sure that you might be much, much worthier of yourself.” - -“Say of you, Miss Manette, and although I know better--although in the -mystery of my own wretched heart I know better--I shall never forget -it!” - -She was pale and trembling. He came to her relief with a fixed despair -of himself which made the interview unlike any other that could have -been holden. - -“If it had been possible, Miss Manette, that you could have returned the -love of the man you see before yourself--flung away, wasted, drunken, -poor creature of misuse as you know him to be--he would have been -conscious this day and hour, in spite of his happiness, that he would -bring you to misery, bring you to sorrow and repentance, blight you, -disgrace you, pull you down with him. I know very well that you can have -no tenderness for me; I ask for none; I am even thankful that it cannot -be.” - -“Without it, can I not save you, Mr. Carton? Can I not recall -you--forgive me again!--to a better course? Can I in no way repay your -confidence? I know this is a confidence,” she modestly said, after a -little hesitation, and in earnest tears, “I know you would say this to -no one else. Can I turn it to no good account for yourself, Mr. Carton?” - -He shook his head. - -“To none. No, Miss Manette, to none. If you will hear me through a very -little more, all you can ever do for me is done. I wish you to know that -you have been the last dream of my soul. In my degradation I have not -been so degraded but that the sight of you with your father, and of this -home made such a home by you, has stirred old shadows that I thought had -died out of me. Since I knew you, I have been troubled by a remorse that -I thought would never reproach me again, and have heard whispers from -old voices impelling me upward, that I thought were silent for ever. I -have had unformed ideas of striving afresh, beginning anew, shaking off -sloth and sensuality, and fighting out the abandoned fight. A dream, all -a dream, that ends in nothing, and leaves the sleeper where he lay down, -but I wish you to know that you inspired it.” - -“Will nothing of it remain? O Mr. Carton, think again! Try again!” - -“No, Miss Manette; all through it, I have known myself to be quite -undeserving. And yet I have had the weakness, and have still the -weakness, to wish you to know with what a sudden mastery you kindled me, -heap of ashes that I am, into fire--a fire, however, inseparable in -its nature from myself, quickening nothing, lighting nothing, doing no -service, idly burning away.” - -“Since it is my misfortune, Mr. Carton, to have made you more unhappy -than you were before you knew me--” - -“Don't say that, Miss Manette, for you would have reclaimed me, if -anything could. You will not be the cause of my becoming worse.” - -“Since the state of your mind that you describe, is, at all events, -attributable to some influence of mine--this is what I mean, if I can -make it plain--can I use no influence to serve you? Have I no power for -good, with you, at all?” - -“The utmost good that I am capable of now, Miss Manette, I have come -here to realise. Let me carry through the rest of my misdirected life, -the remembrance that I opened my heart to you, last of all the world; -and that there was something left in me at this time which you could -deplore and pity.” - -“Which I entreated you to believe, again and again, most fervently, with -all my heart, was capable of better things, Mr. Carton!” - -“Entreat me to believe it no more, Miss Manette. I have proved myself, -and I know better. I distress you; I draw fast to an end. Will you let -me believe, when I recall this day, that the last confidence of my life -was reposed in your pure and innocent breast, and that it lies there -alone, and will be shared by no one?” - -“If that will be a consolation to you, yes.” - -“Not even by the dearest one ever to be known to you?” - -“Mr. Carton,” she answered, after an agitated pause, “the secret is -yours, not mine; and I promise to respect it.” - -“Thank you. And again, God bless you.” - -He put her hand to his lips, and moved towards the door. - -“Be under no apprehension, Miss Manette, of my ever resuming this -conversation by so much as a passing word. I will never refer to it -again. If I were dead, that could not be surer than it is henceforth. In -the hour of my death, I shall hold sacred the one good remembrance--and -shall thank and bless you for it--that my last avowal of myself was made -to you, and that my name, and faults, and miseries were gently carried -in your heart. May it otherwise be light and happy!” - -He was so unlike what he had ever shown himself to be, and it was so -sad to think how much he had thrown away, and how much he every day kept -down and perverted, that Lucie Manette wept mournfully for him as he -stood looking back at her. - -“Be comforted!” he said, “I am not worth such feeling, Miss Manette. An -hour or two hence, and the low companions and low habits that I scorn -but yield to, will render me less worth such tears as those, than any -wretch who creeps along the streets. Be comforted! But, within myself, I -shall always be, towards you, what I am now, though outwardly I shall be -what you have heretofore seen me. The last supplication but one I make -to you, is, that you will believe this of me.” - -“I will, Mr. Carton.” - -“My last supplication of all, is this; and with it, I will relieve -you of a visitor with whom I well know you have nothing in unison, and -between whom and you there is an impassable space. It is useless to say -it, I know, but it rises out of my soul. For you, and for any dear to -you, I would do anything. If my career were of that better kind that -there was any opportunity or capacity of sacrifice in it, I would -embrace any sacrifice for you and for those dear to you. Try to hold -me in your mind, at some quiet times, as ardent and sincere in this one -thing. The time will come, the time will not be long in coming, when new -ties will be formed about you--ties that will bind you yet more tenderly -and strongly to the home you so adorn--the dearest ties that will ever -grace and gladden you. O Miss Manette, when the little picture of a -happy father's face looks up in yours, when you see your own bright -beauty springing up anew at your feet, think now and then that there is -a man who would give his life, to keep a life you love beside you!” - -He said, “Farewell!” said a last “God bless you!” and left her. - - - - -XIV. The Honest Tradesman - - -To the eyes of Mr. Jeremiah Cruncher, sitting on his stool in -Fleet-street with his grisly urchin beside him, a vast number and -variety of objects in movement were every day presented. Who could sit -upon anything in Fleet-street during the busy hours of the day, and -not be dazed and deafened by two immense processions, one ever tending -westward with the sun, the other ever tending eastward from the sun, -both ever tending to the plains beyond the range of red and purple where -the sun goes down! - -With his straw in his mouth, Mr. Cruncher sat watching the two streams, -like the heathen rustic who has for several centuries been on duty -watching one stream--saving that Jerry had no expectation of their ever -running dry. Nor would it have been an expectation of a hopeful kind, -since a small part of his income was derived from the pilotage of timid -women (mostly of a full habit and past the middle term of life) from -Tellson's side of the tides to the opposite shore. Brief as such -companionship was in every separate instance, Mr. Cruncher never failed -to become so interested in the lady as to express a strong desire to -have the honour of drinking her very good health. And it was from -the gifts bestowed upon him towards the execution of this benevolent -purpose, that he recruited his finances, as just now observed. - -Time was, when a poet sat upon a stool in a public place, and mused in -the sight of men. Mr. Cruncher, sitting on a stool in a public place, -but not being a poet, mused as little as possible, and looked about him. - -It fell out that he was thus engaged in a season when crowds were -few, and belated women few, and when his affairs in general were so -unprosperous as to awaken a strong suspicion in his breast that Mrs. -Cruncher must have been “flopping” in some pointed manner, when an -unusual concourse pouring down Fleet-street westward, attracted his -attention. Looking that way, Mr. Cruncher made out that some kind of -funeral was coming along, and that there was popular objection to this -funeral, which engendered uproar. - -“Young Jerry,” said Mr. Cruncher, turning to his offspring, “it's a -buryin'.” - -“Hooroar, father!” cried Young Jerry. - -The young gentleman uttered this exultant sound with mysterious -significance. The elder gentleman took the cry so ill, that he watched -his opportunity, and smote the young gentleman on the ear. - -“What d'ye mean? What are you hooroaring at? What do you want to conwey -to your own father, you young Rip? This boy is a getting too many for -_me_!” said Mr. Cruncher, surveying him. “Him and his hooroars! Don't -let me hear no more of you, or you shall feel some more of me. D'ye -hear?” - -“I warn't doing no harm,” Young Jerry protested, rubbing his cheek. - -“Drop it then,” said Mr. Cruncher; “I won't have none of _your_ no -harms. Get a top of that there seat, and look at the crowd.” - -His son obeyed, and the crowd approached; they were bawling and hissing -round a dingy hearse and dingy mourning coach, in which mourning coach -there was only one mourner, dressed in the dingy trappings that were -considered essential to the dignity of the position. The position -appeared by no means to please him, however, with an increasing rabble -surrounding the coach, deriding him, making grimaces at him, and -incessantly groaning and calling out: “Yah! Spies! Tst! Yaha! Spies!” - with many compliments too numerous and forcible to repeat. - -Funerals had at all times a remarkable attraction for Mr. Cruncher; he -always pricked up his senses, and became excited, when a funeral passed -Tellson's. Naturally, therefore, a funeral with this uncommon attendance -excited him greatly, and he asked of the first man who ran against him: - -“What is it, brother? What's it about?” - -“_I_ don't know,” said the man. “Spies! Yaha! Tst! Spies!” - -He asked another man. “Who is it?” - -“_I_ don't know,” returned the man, clapping his hands to his mouth -nevertheless, and vociferating in a surprising heat and with the -greatest ardour, “Spies! Yaha! Tst, tst! Spi--ies!” - -At length, a person better informed on the merits of the case, tumbled -against him, and from this person he learned that the funeral was the -funeral of one Roger Cly. - -“Was he a spy?” asked Mr. Cruncher. - -“Old Bailey spy,” returned his informant. “Yaha! Tst! Yah! Old Bailey -Spi--i--ies!” - -“Why, to be sure!” exclaimed Jerry, recalling the Trial at which he had -assisted. “I've seen him. Dead, is he?” - -“Dead as mutton,” returned the other, “and can't be too dead. Have 'em -out, there! Spies! Pull 'em out, there! Spies!” - -The idea was so acceptable in the prevalent absence of any idea, -that the crowd caught it up with eagerness, and loudly repeating the -suggestion to have 'em out, and to pull 'em out, mobbed the two vehicles -so closely that they came to a stop. On the crowd's opening the coach -doors, the one mourner scuffled out by himself and was in their hands -for a moment; but he was so alert, and made such good use of his time, -that in another moment he was scouring away up a bye-street, after -shedding his cloak, hat, long hatband, white pocket-handkerchief, and -other symbolical tears. - -These, the people tore to pieces and scattered far and wide with great -enjoyment, while the tradesmen hurriedly shut up their shops; for a -crowd in those times stopped at nothing, and was a monster much dreaded. -They had already got the length of opening the hearse to take the coffin -out, when some brighter genius proposed instead, its being escorted to -its destination amidst general rejoicing. Practical suggestions being -much needed, this suggestion, too, was received with acclamation, and -the coach was immediately filled with eight inside and a dozen out, -while as many people got on the roof of the hearse as could by any -exercise of ingenuity stick upon it. Among the first of these volunteers -was Jerry Cruncher himself, who modestly concealed his spiky head from -the observation of Tellson's, in the further corner of the mourning -coach. - -The officiating undertakers made some protest against these changes in -the ceremonies; but, the river being alarmingly near, and several voices -remarking on the efficacy of cold immersion in bringing refractory -members of the profession to reason, the protest was faint and brief. -The remodelled procession started, with a chimney-sweep driving the -hearse--advised by the regular driver, who was perched beside him, under -close inspection, for the purpose--and with a pieman, also attended -by his cabinet minister, driving the mourning coach. A bear-leader, a -popular street character of the time, was impressed as an additional -ornament, before the cavalcade had gone far down the Strand; and his -bear, who was black and very mangy, gave quite an Undertaking air to -that part of the procession in which he walked. - -Thus, with beer-drinking, pipe-smoking, song-roaring, and infinite -caricaturing of woe, the disorderly procession went its way, recruiting -at every step, and all the shops shutting up before it. Its destination -was the old church of Saint Pancras, far off in the fields. It got there -in course of time; insisted on pouring into the burial-ground; finally, -accomplished the interment of the deceased Roger Cly in its own way, and -highly to its own satisfaction. - -The dead man disposed of, and the crowd being under the necessity of -providing some other entertainment for itself, another brighter -genius (or perhaps the same) conceived the humour of impeaching casual -passers-by, as Old Bailey spies, and wreaking vengeance on them. Chase -was given to some scores of inoffensive persons who had never been near -the Old Bailey in their lives, in the realisation of this fancy, and -they were roughly hustled and maltreated. The transition to the sport of -window-breaking, and thence to the plundering of public-houses, was easy -and natural. At last, after several hours, when sundry summer-houses had -been pulled down, and some area-railings had been torn up, to arm -the more belligerent spirits, a rumour got about that the Guards were -coming. Before this rumour, the crowd gradually melted away, and perhaps -the Guards came, and perhaps they never came, and this was the usual -progress of a mob. - -Mr. Cruncher did not assist at the closing sports, but had remained -behind in the churchyard, to confer and condole with the undertakers. -The place had a soothing influence on him. He procured a pipe from a -neighbouring public-house, and smoked it, looking in at the railings and -maturely considering the spot. - -“Jerry,” said Mr. Cruncher, apostrophising himself in his usual way, -“you see that there Cly that day, and you see with your own eyes that he -was a young 'un and a straight made 'un.” - -Having smoked his pipe out, and ruminated a little longer, he turned -himself about, that he might appear, before the hour of closing, on his -station at Tellson's. Whether his meditations on mortality had touched -his liver, or whether his general health had been previously at all -amiss, or whether he desired to show a little attention to an eminent -man, is not so much to the purpose, as that he made a short call upon -his medical adviser--a distinguished surgeon--on his way back. - -Young Jerry relieved his father with dutiful interest, and reported No -job in his absence. The bank closed, the ancient clerks came out, the -usual watch was set, and Mr. Cruncher and his son went home to tea. - -“Now, I tell you where it is!” said Mr. Cruncher to his wife, on -entering. “If, as a honest tradesman, my wenturs goes wrong to-night, I -shall make sure that you've been praying again me, and I shall work you -for it just the same as if I seen you do it.” - -The dejected Mrs. Cruncher shook her head. - -“Why, you're at it afore my face!” said Mr. Cruncher, with signs of -angry apprehension. - -“I am saying nothing.” - -“Well, then; don't meditate nothing. You might as well flop as meditate. -You may as well go again me one way as another. Drop it altogether.” - -“Yes, Jerry.” - -“Yes, Jerry,” repeated Mr. Cruncher sitting down to tea. “Ah! It _is_ -yes, Jerry. That's about it. You may say yes, Jerry.” - -Mr. Cruncher had no particular meaning in these sulky corroborations, -but made use of them, as people not unfrequently do, to express general -ironical dissatisfaction. - -“You and your yes, Jerry,” said Mr. Cruncher, taking a bite out of his -bread-and-butter, and seeming to help it down with a large invisible -oyster out of his saucer. “Ah! I think so. I believe you.” - -“You are going out to-night?” asked his decent wife, when he took -another bite. - -“Yes, I am.” - -“May I go with you, father?” asked his son, briskly. - -“No, you mayn't. I'm a going--as your mother knows--a fishing. That's -where I'm going to. Going a fishing.” - -“Your fishing-rod gets rayther rusty; don't it, father?” - -“Never you mind.” - -“Shall you bring any fish home, father?” - -“If I don't, you'll have short commons, to-morrow,” returned that -gentleman, shaking his head; “that's questions enough for you; I ain't a -going out, till you've been long abed.” - -He devoted himself during the remainder of the evening to keeping a -most vigilant watch on Mrs. Cruncher, and sullenly holding her in -conversation that she might be prevented from meditating any petitions -to his disadvantage. With this view, he urged his son to hold her in -conversation also, and led the unfortunate woman a hard life by dwelling -on any causes of complaint he could bring against her, rather than -he would leave her for a moment to her own reflections. The devoutest -person could have rendered no greater homage to the efficacy of an -honest prayer than he did in this distrust of his wife. It was as if a -professed unbeliever in ghosts should be frightened by a ghost story. - -“And mind you!” said Mr. Cruncher. “No games to-morrow! If I, as a -honest tradesman, succeed in providing a jinte of meat or two, none -of your not touching of it, and sticking to bread. If I, as a honest -tradesman, am able to provide a little beer, none of your declaring -on water. When you go to Rome, do as Rome does. Rome will be a ugly -customer to you, if you don't. _I_'m your Rome, you know.” - -Then he began grumbling again: - -“With your flying into the face of your own wittles and drink! I don't -know how scarce you mayn't make the wittles and drink here, by your -flopping tricks and your unfeeling conduct. Look at your boy: he _is_ -your'n, ain't he? He's as thin as a lath. Do you call yourself a mother, -and not know that a mother's first duty is to blow her boy out?” - -This touched Young Jerry on a tender place; who adjured his mother to -perform her first duty, and, whatever else she did or neglected, above -all things to lay especial stress on the discharge of that maternal -function so affectingly and delicately indicated by his other parent. - -Thus the evening wore away with the Cruncher family, until Young Jerry -was ordered to bed, and his mother, laid under similar injunctions, -obeyed them. Mr. Cruncher beguiled the earlier watches of the night with -solitary pipes, and did not start upon his excursion until nearly one -o'clock. Towards that small and ghostly hour, he rose up from his chair, -took a key out of his pocket, opened a locked cupboard, and brought -forth a sack, a crowbar of convenient size, a rope and chain, and other -fishing tackle of that nature. Disposing these articles about him -in skilful manner, he bestowed a parting defiance on Mrs. Cruncher, -extinguished the light, and went out. - -Young Jerry, who had only made a feint of undressing when he went to -bed, was not long after his father. Under cover of the darkness he -followed out of the room, followed down the stairs, followed down the -court, followed out into the streets. He was in no uneasiness concerning -his getting into the house again, for it was full of lodgers, and the -door stood ajar all night. - -Impelled by a laudable ambition to study the art and mystery of his -father's honest calling, Young Jerry, keeping as close to house fronts, -walls, and doorways, as his eyes were close to one another, held his -honoured parent in view. The honoured parent steering Northward, had not -gone far, when he was joined by another disciple of Izaak Walton, and -the two trudged on together. - -Within half an hour from the first starting, they were beyond the -winking lamps, and the more than winking watchmen, and were out upon a -lonely road. Another fisherman was picked up here--and that so silently, -that if Young Jerry had been superstitious, he might have supposed the -second follower of the gentle craft to have, all of a sudden, split -himself into two. - -The three went on, and Young Jerry went on, until the three stopped -under a bank overhanging the road. Upon the top of the bank was a low -brick wall, surmounted by an iron railing. In the shadow of bank and -wall the three turned out of the road, and up a blind lane, of which -the wall--there, risen to some eight or ten feet high--formed one side. -Crouching down in a corner, peeping up the lane, the next object that -Young Jerry saw, was the form of his honoured parent, pretty well -defined against a watery and clouded moon, nimbly scaling an iron gate. -He was soon over, and then the second fisherman got over, and then the -third. They all dropped softly on the ground within the gate, and lay -there a little--listening perhaps. Then, they moved away on their hands -and knees. - -It was now Young Jerry's turn to approach the gate: which he did, -holding his breath. Crouching down again in a corner there, and looking -in, he made out the three fishermen creeping through some rank grass! -and all the gravestones in the churchyard--it was a large churchyard -that they were in--looking on like ghosts in white, while the church -tower itself looked on like the ghost of a monstrous giant. They did not -creep far, before they stopped and stood upright. And then they began to -fish. - -They fished with a spade, at first. Presently the honoured parent -appeared to be adjusting some instrument like a great corkscrew. -Whatever tools they worked with, they worked hard, until the awful -striking of the church clock so terrified Young Jerry, that he made off, -with his hair as stiff as his father's. - -But, his long-cherished desire to know more about these matters, not -only stopped him in his running away, but lured him back again. They -were still fishing perseveringly, when he peeped in at the gate for -the second time; but, now they seemed to have got a bite. There was a -screwing and complaining sound down below, and their bent figures were -strained, as if by a weight. By slow degrees the weight broke away the -earth upon it, and came to the surface. Young Jerry very well knew what -it would be; but, when he saw it, and saw his honoured parent about to -wrench it open, he was so frightened, being new to the sight, that he -made off again, and never stopped until he had run a mile or more. - -He would not have stopped then, for anything less necessary than breath, -it being a spectral sort of race that he ran, and one highly desirable -to get to the end of. He had a strong idea that the coffin he had seen -was running after him; and, pictured as hopping on behind him, bolt -upright, upon its narrow end, always on the point of overtaking him -and hopping on at his side--perhaps taking his arm--it was a pursuer to -shun. It was an inconsistent and ubiquitous fiend too, for, while it -was making the whole night behind him dreadful, he darted out into the -roadway to avoid dark alleys, fearful of its coming hopping out of them -like a dropsical boy's kite without tail and wings. It hid in doorways -too, rubbing its horrible shoulders against doors, and drawing them up -to its ears, as if it were laughing. It got into shadows on the road, -and lay cunningly on its back to trip him up. All this time it was -incessantly hopping on behind and gaining on him, so that when the boy -got to his own door he had reason for being half dead. And even then -it would not leave him, but followed him upstairs with a bump on every -stair, scrambled into bed with him, and bumped down, dead and heavy, on -his breast when he fell asleep. - -From his oppressed slumber, Young Jerry in his closet was awakened after -daybreak and before sunrise, by the presence of his father in the -family room. Something had gone wrong with him; at least, so Young Jerry -inferred, from the circumstance of his holding Mrs. Cruncher by the -ears, and knocking the back of her head against the head-board of the -bed. - -“I told you I would,” said Mr. Cruncher, “and I did.” - -“Jerry, Jerry, Jerry!” his wife implored. - -“You oppose yourself to the profit of the business,” said Jerry, “and me -and my partners suffer. You was to honour and obey; why the devil don't -you?” - -“I try to be a good wife, Jerry,” the poor woman protested, with tears. - -“Is it being a good wife to oppose your husband's business? Is it -honouring your husband to dishonour his business? Is it obeying your -husband to disobey him on the wital subject of his business?” - -“You hadn't taken to the dreadful business then, Jerry.” - -“It's enough for you,” retorted Mr. Cruncher, “to be the wife of a -honest tradesman, and not to occupy your female mind with calculations -when he took to his trade or when he didn't. A honouring and obeying -wife would let his trade alone altogether. Call yourself a religious -woman? If you're a religious woman, give me a irreligious one! You have -no more nat'ral sense of duty than the bed of this here Thames river has -of a pile, and similarly it must be knocked into you.” - -The altercation was conducted in a low tone of voice, and terminated in -the honest tradesman's kicking off his clay-soiled boots, and lying down -at his length on the floor. After taking a timid peep at him lying on -his back, with his rusty hands under his head for a pillow, his son lay -down too, and fell asleep again. - -There was no fish for breakfast, and not much of anything else. Mr. -Cruncher was out of spirits, and out of temper, and kept an iron pot-lid -by him as a projectile for the correction of Mrs. Cruncher, in case -he should observe any symptoms of her saying Grace. He was brushed -and washed at the usual hour, and set off with his son to pursue his -ostensible calling. - -Young Jerry, walking with the stool under his arm at his father's side -along sunny and crowded Fleet-street, was a very different Young Jerry -from him of the previous night, running home through darkness and -solitude from his grim pursuer. His cunning was fresh with the day, -and his qualms were gone with the night--in which particulars it is not -improbable that he had compeers in Fleet-street and the City of London, -that fine morning. - -“Father,” said Young Jerry, as they walked along: taking care to keep -at arm's length and to have the stool well between them: “what's a -Resurrection-Man?” - -Mr. Cruncher came to a stop on the pavement before he answered, “How -should I know?” - -“I thought you knowed everything, father,” said the artless boy. - -“Hem! Well,” returned Mr. Cruncher, going on again, and lifting off his -hat to give his spikes free play, “he's a tradesman.” - -“What's his goods, father?” asked the brisk Young Jerry. - -“His goods,” said Mr. Cruncher, after turning it over in his mind, “is a -branch of Scientific goods.” - -“Persons' bodies, ain't it, father?” asked the lively boy. - -“I believe it is something of that sort,” said Mr. Cruncher. - -“Oh, father, I should so like to be a Resurrection-Man when I'm quite -growed up!” - -Mr. Cruncher was soothed, but shook his head in a dubious and moral way. -“It depends upon how you dewelop your talents. Be careful to dewelop -your talents, and never to say no more than you can help to nobody, and -there's no telling at the present time what you may not come to be fit -for.” As Young Jerry, thus encouraged, went on a few yards in advance, -to plant the stool in the shadow of the Bar, Mr. Cruncher added to -himself: “Jerry, you honest tradesman, there's hopes wot that boy will -yet be a blessing to you, and a recompense to you for his mother!” - - - - -XV. Knitting - - -There had been earlier drinking than usual in the wine-shop of Monsieur -Defarge. As early as six o'clock in the morning, sallow faces peeping -through its barred windows had descried other faces within, bending over -measures of wine. Monsieur Defarge sold a very thin wine at the best -of times, but it would seem to have been an unusually thin wine that -he sold at this time. A sour wine, moreover, or a souring, for its -influence on the mood of those who drank it was to make them gloomy. No -vivacious Bacchanalian flame leaped out of the pressed grape of Monsieur -Defarge: but, a smouldering fire that burnt in the dark, lay hidden in -the dregs of it. - -This had been the third morning in succession, on which there had been -early drinking at the wine-shop of Monsieur Defarge. It had begun -on Monday, and here was Wednesday come. There had been more of early -brooding than drinking; for, many men had listened and whispered and -slunk about there from the time of the opening of the door, who could -not have laid a piece of money on the counter to save their souls. These -were to the full as interested in the place, however, as if they could -have commanded whole barrels of wine; and they glided from seat to seat, -and from corner to corner, swallowing talk in lieu of drink, with greedy -looks. - -Notwithstanding an unusual flow of company, the master of the wine-shop -was not visible. He was not missed; for, nobody who crossed the -threshold looked for him, nobody asked for him, nobody wondered to see -only Madame Defarge in her seat, presiding over the distribution of -wine, with a bowl of battered small coins before her, as much defaced -and beaten out of their original impress as the small coinage of -humanity from whose ragged pockets they had come. - -A suspended interest and a prevalent absence of mind, were perhaps -observed by the spies who looked in at the wine-shop, as they looked in -at every place, high and low, from the king's palace to the criminal's -gaol. Games at cards languished, players at dominoes musingly built -towers with them, drinkers drew figures on the tables with spilt drops -of wine, Madame Defarge herself picked out the pattern on her sleeve -with her toothpick, and saw and heard something inaudible and invisible -a long way off. - -Thus, Saint Antoine in this vinous feature of his, until midday. It was -high noontide, when two dusty men passed through his streets and under -his swinging lamps: of whom, one was Monsieur Defarge: the other a -mender of roads in a blue cap. All adust and athirst, the two entered -the wine-shop. Their arrival had lighted a kind of fire in the breast -of Saint Antoine, fast spreading as they came along, which stirred and -flickered in flames of faces at most doors and windows. Yet, no one had -followed them, and no man spoke when they entered the wine-shop, though -the eyes of every man there were turned upon them. - -“Good day, gentlemen!” said Monsieur Defarge. - -It may have been a signal for loosening the general tongue. It elicited -an answering chorus of “Good day!” - -“It is bad weather, gentlemen,” said Defarge, shaking his head. - -Upon which, every man looked at his neighbour, and then all cast down -their eyes and sat silent. Except one man, who got up and went out. - -“My wife,” said Defarge aloud, addressing Madame Defarge: “I have -travelled certain leagues with this good mender of roads, called -Jacques. I met him--by accident--a day and half's journey out of Paris. -He is a good child, this mender of roads, called Jacques. Give him to -drink, my wife!” - -A second man got up and went out. Madame Defarge set wine before the -mender of roads called Jacques, who doffed his blue cap to the company, -and drank. In the breast of his blouse he carried some coarse dark -bread; he ate of this between whiles, and sat munching and drinking near -Madame Defarge's counter. A third man got up and went out. - -Defarge refreshed himself with a draught of wine--but, he took less -than was given to the stranger, as being himself a man to whom it was no -rarity--and stood waiting until the countryman had made his breakfast. -He looked at no one present, and no one now looked at him; not even -Madame Defarge, who had taken up her knitting, and was at work. - -“Have you finished your repast, friend?” he asked, in due season. - -“Yes, thank you.” - -“Come, then! You shall see the apartment that I told you you could -occupy. It will suit you to a marvel.” - -Out of the wine-shop into the street, out of the street into a -courtyard, out of the courtyard up a steep staircase, out of the -staircase into a garret--formerly the garret where a white-haired man -sat on a low bench, stooping forward and very busy, making shoes. - -No white-haired man was there now; but, the three men were there who had -gone out of the wine-shop singly. And between them and the white-haired -man afar off, was the one small link, that they had once looked in at -him through the chinks in the wall. - -Defarge closed the door carefully, and spoke in a subdued voice: - -“Jacques One, Jacques Two, Jacques Three! This is the witness -encountered by appointment, by me, Jacques Four. He will tell you all. -Speak, Jacques Five!” - -The mender of roads, blue cap in hand, wiped his swarthy forehead with -it, and said, “Where shall I commence, monsieur?” - -“Commence,” was Monsieur Defarge's not unreasonable reply, “at the -commencement.” - -“I saw him then, messieurs,” began the mender of roads, “a year ago this -running summer, underneath the carriage of the Marquis, hanging by the -chain. Behold the manner of it. I leaving my work on the road, the sun -going to bed, the carriage of the Marquis slowly ascending the hill, he -hanging by the chain--like this.” - -Again the mender of roads went through the whole performance; in which -he ought to have been perfect by that time, seeing that it had been -the infallible resource and indispensable entertainment of his village -during a whole year. - -Jacques One struck in, and asked if he had ever seen the man before? - -“Never,” answered the mender of roads, recovering his perpendicular. - -Jacques Three demanded how he afterwards recognised him then? - -“By his tall figure,” said the mender of roads, softly, and with his -finger at his nose. “When Monsieur the Marquis demands that evening, -'Say, what is he like?' I make response, 'Tall as a spectre.'” - -“You should have said, short as a dwarf,” returned Jacques Two. - -“But what did I know? The deed was not then accomplished, neither did he -confide in me. Observe! Under those circumstances even, I do not -offer my testimony. Monsieur the Marquis indicates me with his finger, -standing near our little fountain, and says, 'To me! Bring that rascal!' -My faith, messieurs, I offer nothing.” - -“He is right there, Jacques,” murmured Defarge, to him who had -interrupted. “Go on!” - -“Good!” said the mender of roads, with an air of mystery. “The tall man -is lost, and he is sought--how many months? Nine, ten, eleven?” - -“No matter, the number,” said Defarge. “He is well hidden, but at last -he is unluckily found. Go on!” - -“I am again at work upon the hill-side, and the sun is again about to -go to bed. I am collecting my tools to descend to my cottage down in the -village below, where it is already dark, when I raise my eyes, and see -coming over the hill six soldiers. In the midst of them is a tall man -with his arms bound--tied to his sides--like this!” - -With the aid of his indispensable cap, he represented a man with his -elbows bound fast at his hips, with cords that were knotted behind him. - -“I stand aside, messieurs, by my heap of stones, to see the soldiers -and their prisoner pass (for it is a solitary road, that, where any -spectacle is well worth looking at), and at first, as they approach, I -see no more than that they are six soldiers with a tall man bound, and -that they are almost black to my sight--except on the side of the sun -going to bed, where they have a red edge, messieurs. Also, I see that -their long shadows are on the hollow ridge on the opposite side of the -road, and are on the hill above it, and are like the shadows of giants. -Also, I see that they are covered with dust, and that the dust moves -with them as they come, tramp, tramp! But when they advance quite near -to me, I recognise the tall man, and he recognises me. Ah, but he would -be well content to precipitate himself over the hill-side once again, as -on the evening when he and I first encountered, close to the same spot!” - -He described it as if he were there, and it was evident that he saw it -vividly; perhaps he had not seen much in his life. - -“I do not show the soldiers that I recognise the tall man; he does not -show the soldiers that he recognises me; we do it, and we know it, with -our eyes. 'Come on!' says the chief of that company, pointing to the -village, 'bring him fast to his tomb!' and they bring him faster. I -follow. His arms are swelled because of being bound so tight, his wooden -shoes are large and clumsy, and he is lame. Because he is lame, and -consequently slow, they drive him with their guns--like this!” - -He imitated the action of a man's being impelled forward by the -butt-ends of muskets. - -“As they descend the hill like madmen running a race, he falls. They -laugh and pick him up again. His face is bleeding and covered with dust, -but he cannot touch it; thereupon they laugh again. They bring him into -the village; all the village runs to look; they take him past the mill, -and up to the prison; all the village sees the prison gate open in the -darkness of the night, and swallow him--like this!” - -He opened his mouth as wide as he could, and shut it with a sounding -snap of his teeth. Observant of his unwillingness to mar the effect by -opening it again, Defarge said, “Go on, Jacques.” - -“All the village,” pursued the mender of roads, on tiptoe and in a low -voice, “withdraws; all the village whispers by the fountain; all the -village sleeps; all the village dreams of that unhappy one, within the -locks and bars of the prison on the crag, and never to come out of it, -except to perish. In the morning, with my tools upon my shoulder, eating -my morsel of black bread as I go, I make a circuit by the prison, on -my way to my work. There I see him, high up, behind the bars of a lofty -iron cage, bloody and dusty as last night, looking through. He has no -hand free, to wave to me; I dare not call to him; he regards me like a -dead man.” - -Defarge and the three glanced darkly at one another. The looks of all -of them were dark, repressed, and revengeful, as they listened to the -countryman's story; the manner of all of them, while it was secret, was -authoritative too. They had the air of a rough tribunal; Jacques One -and Two sitting on the old pallet-bed, each with his chin resting on -his hand, and his eyes intent on the road-mender; Jacques Three, equally -intent, on one knee behind them, with his agitated hand always gliding -over the network of fine nerves about his mouth and nose; Defarge -standing between them and the narrator, whom he had stationed in the -light of the window, by turns looking from him to them, and from them to -him. - -“Go on, Jacques,” said Defarge. - -“He remains up there in his iron cage some days. The village looks -at him by stealth, for it is afraid. But it always looks up, from a -distance, at the prison on the crag; and in the evening, when the work -of the day is achieved and it assembles to gossip at the fountain, all -faces are turned towards the prison. Formerly, they were turned towards -the posting-house; now, they are turned towards the prison. They -whisper at the fountain, that although condemned to death he will not be -executed; they say that petitions have been presented in Paris, showing -that he was enraged and made mad by the death of his child; they say -that a petition has been presented to the King himself. What do I know? -It is possible. Perhaps yes, perhaps no.” - -“Listen then, Jacques,” Number One of that name sternly interposed. -“Know that a petition was presented to the King and Queen. All here, -yourself excepted, saw the King take it, in his carriage in the street, -sitting beside the Queen. It is Defarge whom you see here, who, at the -hazard of his life, darted out before the horses, with the petition in -his hand.” - -“And once again listen, Jacques!” said the kneeling Number Three: -his fingers ever wandering over and over those fine nerves, with a -strikingly greedy air, as if he hungered for something--that was neither -food nor drink; “the guard, horse and foot, surrounded the petitioner, -and struck him blows. You hear?” - -“I hear, messieurs.” - -“Go on then,” said Defarge. - -“Again; on the other hand, they whisper at the fountain,” resumed the -countryman, “that he is brought down into our country to be executed on -the spot, and that he will very certainly be executed. They even whisper -that because he has slain Monseigneur, and because Monseigneur was the -father of his tenants--serfs--what you will--he will be executed as a -parricide. One old man says at the fountain, that his right hand, armed -with the knife, will be burnt off before his face; that, into wounds -which will be made in his arms, his breast, and his legs, there will be -poured boiling oil, melted lead, hot resin, wax, and sulphur; finally, -that he will be torn limb from limb by four strong horses. That old man -says, all this was actually done to a prisoner who made an attempt on -the life of the late King, Louis Fifteen. But how do I know if he lies? -I am not a scholar.” - -“Listen once again then, Jacques!” said the man with the restless hand -and the craving air. “The name of that prisoner was Damiens, and it was -all done in open day, in the open streets of this city of Paris; and -nothing was more noticed in the vast concourse that saw it done, than -the crowd of ladies of quality and fashion, who were full of eager -attention to the last--to the last, Jacques, prolonged until nightfall, -when he had lost two legs and an arm, and still breathed! And it was -done--why, how old are you?” - -“Thirty-five,” said the mender of roads, who looked sixty. - -“It was done when you were more than ten years old; you might have seen -it.” - -“Enough!” said Defarge, with grim impatience. “Long live the Devil! Go -on.” - -“Well! Some whisper this, some whisper that; they speak of nothing else; -even the fountain appears to fall to that tune. At length, on Sunday -night when all the village is asleep, come soldiers, winding down from -the prison, and their guns ring on the stones of the little street. -Workmen dig, workmen hammer, soldiers laugh and sing; in the morning, by -the fountain, there is raised a gallows forty feet high, poisoning the -water.” - -The mender of roads looked _through_ rather than _at_ the low ceiling, -and pointed as if he saw the gallows somewhere in the sky. - -“All work is stopped, all assemble there, nobody leads the cows out, -the cows are there with the rest. At midday, the roll of drums. Soldiers -have marched into the prison in the night, and he is in the midst -of many soldiers. He is bound as before, and in his mouth there is -a gag--tied so, with a tight string, making him look almost as if he -laughed.” He suggested it, by creasing his face with his two thumbs, -from the corners of his mouth to his ears. “On the top of the gallows is -fixed the knife, blade upwards, with its point in the air. He is hanged -there forty feet high--and is left hanging, poisoning the water.” - -They looked at one another, as he used his blue cap to wipe his face, -on which the perspiration had started afresh while he recalled the -spectacle. - -“It is frightful, messieurs. How can the women and the children draw -water! Who can gossip of an evening, under that shadow! Under it, have -I said? When I left the village, Monday evening as the sun was going to -bed, and looked back from the hill, the shadow struck across the church, -across the mill, across the prison--seemed to strike across the earth, -messieurs, to where the sky rests upon it!” - -The hungry man gnawed one of his fingers as he looked at the other -three, and his finger quivered with the craving that was on him. - -“That's all, messieurs. I left at sunset (as I had been warned to do), -and I walked on, that night and half next day, until I met (as I was -warned I should) this comrade. With him, I came on, now riding and now -walking, through the rest of yesterday and through last night. And here -you see me!” - -After a gloomy silence, the first Jacques said, “Good! You have acted -and recounted faithfully. Will you wait for us a little, outside the -door?” - -“Very willingly,” said the mender of roads. Whom Defarge escorted to the -top of the stairs, and, leaving seated there, returned. - -The three had risen, and their heads were together when he came back to -the garret. - -“How say you, Jacques?” demanded Number One. “To be registered?” - -“To be registered, as doomed to destruction,” returned Defarge. - -“Magnificent!” croaked the man with the craving. - -“The chateau, and all the race?” inquired the first. - -“The chateau and all the race,” returned Defarge. “Extermination.” - -The hungry man repeated, in a rapturous croak, “Magnificent!” and began -gnawing another finger. - -“Are you sure,” asked Jacques Two, of Defarge, “that no embarrassment -can arise from our manner of keeping the register? Without doubt it is -safe, for no one beyond ourselves can decipher it; but shall we always -be able to decipher it--or, I ought to say, will she?” - -“Jacques,” returned Defarge, drawing himself up, “if madame my wife -undertook to keep the register in her memory alone, she would not lose -a word of it--not a syllable of it. Knitted, in her own stitches and her -own symbols, it will always be as plain to her as the sun. Confide in -Madame Defarge. It would be easier for the weakest poltroon that lives, -to erase himself from existence, than to erase one letter of his name or -crimes from the knitted register of Madame Defarge.” - -There was a murmur of confidence and approval, and then the man who -hungered, asked: “Is this rustic to be sent back soon? I hope so. He is -very simple; is he not a little dangerous?” - -“He knows nothing,” said Defarge; “at least nothing more than would -easily elevate himself to a gallows of the same height. I charge myself -with him; let him remain with me; I will take care of him, and set him -on his road. He wishes to see the fine world--the King, the Queen, and -Court; let him see them on Sunday.” - -“What?” exclaimed the hungry man, staring. “Is it a good sign, that he -wishes to see Royalty and Nobility?” - -“Jacques,” said Defarge; “judiciously show a cat milk, if you wish her -to thirst for it. Judiciously show a dog his natural prey, if you wish -him to bring it down one day.” - -Nothing more was said, and the mender of roads, being found already -dozing on the topmost stair, was advised to lay himself down on the -pallet-bed and take some rest. He needed no persuasion, and was soon -asleep. - -Worse quarters than Defarge's wine-shop, could easily have been found -in Paris for a provincial slave of that degree. Saving for a mysterious -dread of madame by which he was constantly haunted, his life was very -new and agreeable. But, madame sat all day at her counter, so expressly -unconscious of him, and so particularly determined not to perceive that -his being there had any connection with anything below the surface, that -he shook in his wooden shoes whenever his eye lighted on her. For, he -contended with himself that it was impossible to foresee what that lady -might pretend next; and he felt assured that if she should take it -into her brightly ornamented head to pretend that she had seen him do a -murder and afterwards flay the victim, she would infallibly go through -with it until the play was played out. - -Therefore, when Sunday came, the mender of roads was not enchanted -(though he said he was) to find that madame was to accompany monsieur -and himself to Versailles. It was additionally disconcerting to have -madame knitting all the way there, in a public conveyance; it was -additionally disconcerting yet, to have madame in the crowd in the -afternoon, still with her knitting in her hands as the crowd waited to -see the carriage of the King and Queen. - -“You work hard, madame,” said a man near her. - -“Yes,” answered Madame Defarge; “I have a good deal to do.” - -“What do you make, madame?” - -“Many things.” - -“For instance--” - -“For instance,” returned Madame Defarge, composedly, “shrouds.” - -The man moved a little further away, as soon as he could, and the mender -of roads fanned himself with his blue cap: feeling it mightily close -and oppressive. If he needed a King and Queen to restore him, he was -fortunate in having his remedy at hand; for, soon the large-faced King -and the fair-faced Queen came in their golden coach, attended by the -shining Bull's Eye of their Court, a glittering multitude of laughing -ladies and fine lords; and in jewels and silks and powder and splendour -and elegantly spurning figures and handsomely disdainful faces of both -sexes, the mender of roads bathed himself, so much to his temporary -intoxication, that he cried Long live the King, Long live the Queen, -Long live everybody and everything! as if he had never heard of -ubiquitous Jacques in his time. Then, there were gardens, courtyards, -terraces, fountains, green banks, more King and Queen, more Bull's Eye, -more lords and ladies, more Long live they all! until he absolutely wept -with sentiment. During the whole of this scene, which lasted some three -hours, he had plenty of shouting and weeping and sentimental company, -and throughout Defarge held him by the collar, as if to restrain him -from flying at the objects of his brief devotion and tearing them to -pieces. - -“Bravo!” said Defarge, clapping him on the back when it was over, like a -patron; “you are a good boy!” - -The mender of roads was now coming to himself, and was mistrustful of -having made a mistake in his late demonstrations; but no. - -“You are the fellow we want,” said Defarge, in his ear; “you make -these fools believe that it will last for ever. Then, they are the more -insolent, and it is the nearer ended.” - -“Hey!” cried the mender of roads, reflectively; “that's true.” - -“These fools know nothing. While they despise your breath, and would -stop it for ever and ever, in you or in a hundred like you rather than -in one of their own horses or dogs, they only know what your breath -tells them. Let it deceive them, then, a little longer; it cannot -deceive them too much.” - -Madame Defarge looked superciliously at the client, and nodded in -confirmation. - -“As to you,” said she, “you would shout and shed tears for anything, if -it made a show and a noise. Say! Would you not?” - -“Truly, madame, I think so. For the moment.” - -“If you were shown a great heap of dolls, and were set upon them to -pluck them to pieces and despoil them for your own advantage, you would -pick out the richest and gayest. Say! Would you not?” - -“Truly yes, madame.” - -“Yes. And if you were shown a flock of birds, unable to fly, and were -set upon them to strip them of their feathers for your own advantage, -you would set upon the birds of the finest feathers; would you not?” - -“It is true, madame.” - -“You have seen both dolls and birds to-day,” said Madame Defarge, with -a wave of her hand towards the place where they had last been apparent; -“now, go home!” - - - - -XVI. Still Knitting - - -Madame Defarge and monsieur her husband returned amicably to the -bosom of Saint Antoine, while a speck in a blue cap toiled through the -darkness, and through the dust, and down the weary miles of avenue by -the wayside, slowly tending towards that point of the compass where -the chateau of Monsieur the Marquis, now in his grave, listened to -the whispering trees. Such ample leisure had the stone faces, now, -for listening to the trees and to the fountain, that the few village -scarecrows who, in their quest for herbs to eat and fragments of dead -stick to burn, strayed within sight of the great stone courtyard and -terrace staircase, had it borne in upon their starved fancy that -the expression of the faces was altered. A rumour just lived in the -village--had a faint and bare existence there, as its people had--that -when the knife struck home, the faces changed, from faces of pride to -faces of anger and pain; also, that when that dangling figure was hauled -up forty feet above the fountain, they changed again, and bore a cruel -look of being avenged, which they would henceforth bear for ever. In the -stone face over the great window of the bed-chamber where the murder -was done, two fine dints were pointed out in the sculptured nose, which -everybody recognised, and which nobody had seen of old; and on the -scarce occasions when two or three ragged peasants emerged from the -crowd to take a hurried peep at Monsieur the Marquis petrified, a -skinny finger would not have pointed to it for a minute, before they all -started away among the moss and leaves, like the more fortunate hares -who could find a living there. - -Chateau and hut, stone face and dangling figure, the red stain on the -stone floor, and the pure water in the village well--thousands of acres -of land--a whole province of France--all France itself--lay under the -night sky, concentrated into a faint hair-breadth line. So does a whole -world, with all its greatnesses and littlenesses, lie in a twinkling -star. And as mere human knowledge can split a ray of light and analyse -the manner of its composition, so, sublimer intelligences may read in -the feeble shining of this earth of ours, every thought and act, every -vice and virtue, of every responsible creature on it. - -The Defarges, husband and wife, came lumbering under the starlight, -in their public vehicle, to that gate of Paris whereunto their -journey naturally tended. There was the usual stoppage at the barrier -guardhouse, and the usual lanterns came glancing forth for the usual -examination and inquiry. Monsieur Defarge alighted; knowing one or two -of the soldiery there, and one of the police. The latter he was intimate -with, and affectionately embraced. - -When Saint Antoine had again enfolded the Defarges in his dusky wings, -and they, having finally alighted near the Saint's boundaries, were -picking their way on foot through the black mud and offal of his -streets, Madame Defarge spoke to her husband: - -“Say then, my friend; what did Jacques of the police tell thee?” - -“Very little to-night, but all he knows. There is another spy -commissioned for our quarter. There may be many more, for all that he -can say, but he knows of one.” - -“Eh well!” said Madame Defarge, raising her eyebrows with a cool -business air. “It is necessary to register him. How do they call that -man?” - -“He is English.” - -“So much the better. His name?” - -“Barsad,” said Defarge, making it French by pronunciation. But, he had -been so careful to get it accurately, that he then spelt it with perfect -correctness. - -“Barsad,” repeated madame. “Good. Christian name?” - -“John.” - -“John Barsad,” repeated madame, after murmuring it once to herself. -“Good. His appearance; is it known?” - -“Age, about forty years; height, about five feet nine; black hair; -complexion dark; generally, rather handsome visage; eyes dark, face -thin, long, and sallow; nose aquiline, but not straight, having a -peculiar inclination towards the left cheek; expression, therefore, -sinister.” - -“Eh my faith. It is a portrait!” said madame, laughing. “He shall be -registered to-morrow.” - -They turned into the wine-shop, which was closed (for it was midnight), -and where Madame Defarge immediately took her post at her desk, counted -the small moneys that had been taken during her absence, examined the -stock, went through the entries in the book, made other entries of -her own, checked the serving man in every possible way, and finally -dismissed him to bed. Then she turned out the contents of the bowl -of money for the second time, and began knotting them up in her -handkerchief, in a chain of separate knots, for safe keeping through the -night. All this while, Defarge, with his pipe in his mouth, walked -up and down, complacently admiring, but never interfering; in which -condition, indeed, as to the business and his domestic affairs, he -walked up and down through life. - -The night was hot, and the shop, close shut and surrounded by so foul a -neighbourhood, was ill-smelling. Monsieur Defarge's olfactory sense was -by no means delicate, but the stock of wine smelt much stronger than -it ever tasted, and so did the stock of rum and brandy and aniseed. He -whiffed the compound of scents away, as he put down his smoked-out pipe. - -“You are fatigued,” said madame, raising her glance as she knotted the -money. “There are only the usual odours.” - -“I am a little tired,” her husband acknowledged. - -“You are a little depressed, too,” said madame, whose quick eyes had -never been so intent on the accounts, but they had had a ray or two for -him. “Oh, the men, the men!” - -“But my dear!” began Defarge. - -“But my dear!” repeated madame, nodding firmly; “but my dear! You are -faint of heart to-night, my dear!” - -“Well, then,” said Defarge, as if a thought were wrung out of his -breast, “it _is_ a long time.” - -“It is a long time,” repeated his wife; “and when is it not a long time? -Vengeance and retribution require a long time; it is the rule.” - -“It does not take a long time to strike a man with Lightning,” said -Defarge. - -“How long,” demanded madame, composedly, “does it take to make and store -the lightning? Tell me.” - -Defarge raised his head thoughtfully, as if there were something in that -too. - -“It does not take a long time,” said madame, “for an earthquake to -swallow a town. Eh well! Tell me how long it takes to prepare the -earthquake?” - -“A long time, I suppose,” said Defarge. - -“But when it is ready, it takes place, and grinds to pieces everything -before it. In the meantime, it is always preparing, though it is not -seen or heard. That is your consolation. Keep it.” - -She tied a knot with flashing eyes, as if it throttled a foe. - -“I tell thee,” said madame, extending her right hand, for emphasis, -“that although it is a long time on the road, it is on the road and -coming. I tell thee it never retreats, and never stops. I tell thee it -is always advancing. Look around and consider the lives of all the world -that we know, consider the faces of all the world that we know, consider -the rage and discontent to which the Jacquerie addresses itself with -more and more of certainty every hour. Can such things last? Bah! I mock -you.” - -“My brave wife,” returned Defarge, standing before her with his head -a little bent, and his hands clasped at his back, like a docile and -attentive pupil before his catechist, “I do not question all this. But -it has lasted a long time, and it is possible--you know well, my wife, -it is possible--that it may not come, during our lives.” - -“Eh well! How then?” demanded madame, tying another knot, as if there -were another enemy strangled. - -“Well!” said Defarge, with a half complaining and half apologetic shrug. -“We shall not see the triumph.” - -“We shall have helped it,” returned madame, with her extended hand in -strong action. “Nothing that we do, is done in vain. I believe, with all -my soul, that we shall see the triumph. But even if not, even if I knew -certainly not, show me the neck of an aristocrat and tyrant, and still I -would--” - -Then madame, with her teeth set, tied a very terrible knot indeed. - -“Hold!” cried Defarge, reddening a little as if he felt charged with -cowardice; “I too, my dear, will stop at nothing.” - -“Yes! But it is your weakness that you sometimes need to see your victim -and your opportunity, to sustain you. Sustain yourself without that. -When the time comes, let loose a tiger and a devil; but wait for the -time with the tiger and the devil chained--not shown--yet always ready.” - -Madame enforced the conclusion of this piece of advice by striking her -little counter with her chain of money as if she knocked its brains -out, and then gathering the heavy handkerchief under her arm in a serene -manner, and observing that it was time to go to bed. - -Next noontide saw the admirable woman in her usual place in the -wine-shop, knitting away assiduously. A rose lay beside her, and if she -now and then glanced at the flower, it was with no infraction of her -usual preoccupied air. There were a few customers, drinking or not -drinking, standing or seated, sprinkled about. The day was very hot, -and heaps of flies, who were extending their inquisitive and adventurous -perquisitions into all the glutinous little glasses near madame, fell -dead at the bottom. Their decease made no impression on the other flies -out promenading, who looked at them in the coolest manner (as if they -themselves were elephants, or something as far removed), until they met -the same fate. Curious to consider how heedless flies are!--perhaps they -thought as much at Court that sunny summer day. - -A figure entering at the door threw a shadow on Madame Defarge which she -felt to be a new one. She laid down her knitting, and began to pin her -rose in her head-dress, before she looked at the figure. - -It was curious. The moment Madame Defarge took up the rose, the -customers ceased talking, and began gradually to drop out of the -wine-shop. - -“Good day, madame,” said the new-comer. - -“Good day, monsieur.” - -She said it aloud, but added to herself, as she resumed her knitting: -“Hah! Good day, age about forty, height about five feet nine, black -hair, generally rather handsome visage, complexion dark, eyes dark, -thin, long and sallow face, aquiline nose but not straight, having a -peculiar inclination towards the left cheek which imparts a sinister -expression! Good day, one and all!” - -“Have the goodness to give me a little glass of old cognac, and a -mouthful of cool fresh water, madame.” - -Madame complied with a polite air. - -“Marvellous cognac this, madame!” - -It was the first time it had ever been so complimented, and Madame -Defarge knew enough of its antecedents to know better. She said, -however, that the cognac was flattered, and took up her knitting. The -visitor watched her fingers for a few moments, and took the opportunity -of observing the place in general. - -“You knit with great skill, madame.” - -“I am accustomed to it.” - -“A pretty pattern too!” - -“_You_ think so?” said madame, looking at him with a smile. - -“Decidedly. May one ask what it is for?” - -“Pastime,” said madame, still looking at him with a smile while her -fingers moved nimbly. - -“Not for use?” - -“That depends. I may find a use for it one day. If I do--Well,” said -madame, drawing a breath and nodding her head with a stern kind of -coquetry, “I'll use it!” - -It was remarkable; but, the taste of Saint Antoine seemed to be -decidedly opposed to a rose on the head-dress of Madame Defarge. Two -men had entered separately, and had been about to order drink, when, -catching sight of that novelty, they faltered, made a pretence of -looking about as if for some friend who was not there, and went away. -Nor, of those who had been there when this visitor entered, was there -one left. They had all dropped off. The spy had kept his eyes open, -but had been able to detect no sign. They had lounged away in a -poverty-stricken, purposeless, accidental manner, quite natural and -unimpeachable. - -“_John_,” thought madame, checking off her work as her fingers knitted, -and her eyes looked at the stranger. “Stay long enough, and I shall knit -'BARSAD' before you go.” - -“You have a husband, madame?” - -“I have.” - -“Children?” - -“No children.” - -“Business seems bad?” - -“Business is very bad; the people are so poor.” - -“Ah, the unfortunate, miserable people! So oppressed, too--as you say.” - -“As _you_ say,” madame retorted, correcting him, and deftly knitting an -extra something into his name that boded him no good. - -“Pardon me; certainly it was I who said so, but you naturally think so. -Of course.” - -“_I_ think?” returned madame, in a high voice. “I and my husband have -enough to do to keep this wine-shop open, without thinking. All we -think, here, is how to live. That is the subject _we_ think of, and -it gives us, from morning to night, enough to think about, without -embarrassing our heads concerning others. _I_ think for others? No, no.” - -The spy, who was there to pick up any crumbs he could find or make, did -not allow his baffled state to express itself in his sinister face; but, -stood with an air of gossiping gallantry, leaning his elbow on Madame -Defarge's little counter, and occasionally sipping his cognac. - -“A bad business this, madame, of Gaspard's execution. Ah! the poor -Gaspard!” With a sigh of great compassion. - -“My faith!” returned madame, coolly and lightly, “if people use knives -for such purposes, they have to pay for it. He knew beforehand what the -price of his luxury was; he has paid the price.” - -“I believe,” said the spy, dropping his soft voice to a tone -that invited confidence, and expressing an injured revolutionary -susceptibility in every muscle of his wicked face: “I believe there -is much compassion and anger in this neighbourhood, touching the poor -fellow? Between ourselves.” - -“Is there?” asked madame, vacantly. - -“Is there not?” - -“--Here is my husband!” said Madame Defarge. - -As the keeper of the wine-shop entered at the door, the spy saluted -him by touching his hat, and saying, with an engaging smile, “Good day, -Jacques!” Defarge stopped short, and stared at him. - -“Good day, Jacques!” the spy repeated; with not quite so much -confidence, or quite so easy a smile under the stare. - -“You deceive yourself, monsieur,” returned the keeper of the wine-shop. -“You mistake me for another. That is not my name. I am Ernest Defarge.” - -“It is all the same,” said the spy, airily, but discomfited too: “good -day!” - -“Good day!” answered Defarge, drily. - -“I was saying to madame, with whom I had the pleasure of chatting when -you entered, that they tell me there is--and no wonder!--much sympathy -and anger in Saint Antoine, touching the unhappy fate of poor Gaspard.” - -“No one has told me so,” said Defarge, shaking his head. “I know nothing -of it.” - -Having said it, he passed behind the little counter, and stood with his -hand on the back of his wife's chair, looking over that barrier at the -person to whom they were both opposed, and whom either of them would -have shot with the greatest satisfaction. - -The spy, well used to his business, did not change his unconscious -attitude, but drained his little glass of cognac, took a sip of fresh -water, and asked for another glass of cognac. Madame Defarge poured it -out for him, took to her knitting again, and hummed a little song over -it. - -“You seem to know this quarter well; that is to say, better than I do?” - observed Defarge. - -“Not at all, but I hope to know it better. I am so profoundly interested -in its miserable inhabitants.” - -“Hah!” muttered Defarge. - -“The pleasure of conversing with you, Monsieur Defarge, recalls to me,” - pursued the spy, “that I have the honour of cherishing some interesting -associations with your name.” - -“Indeed!” said Defarge, with much indifference. - -“Yes, indeed. When Doctor Manette was released, you, his old domestic, -had the charge of him, I know. He was delivered to you. You see I am -informed of the circumstances?” - -“Such is the fact, certainly,” said Defarge. He had had it conveyed -to him, in an accidental touch of his wife's elbow as she knitted and -warbled, that he would do best to answer, but always with brevity. - -“It was to you,” said the spy, “that his daughter came; and it was -from your care that his daughter took him, accompanied by a neat brown -monsieur; how is he called?--in a little wig--Lorry--of the bank of -Tellson and Company--over to England.” - -“Such is the fact,” repeated Defarge. - -“Very interesting remembrances!” said the spy. “I have known Doctor -Manette and his daughter, in England.” - -“Yes?” said Defarge. - -“You don't hear much about them now?” said the spy. - -“No,” said Defarge. - -“In effect,” madame struck in, looking up from her work and her little -song, “we never hear about them. We received the news of their safe -arrival, and perhaps another letter, or perhaps two; but, since then, -they have gradually taken their road in life--we, ours--and we have held -no correspondence.” - -“Perfectly so, madame,” replied the spy. “She is going to be married.” - -“Going?” echoed madame. “She was pretty enough to have been married long -ago. You English are cold, it seems to me.” - -“Oh! You know I am English.” - -“I perceive your tongue is,” returned madame; “and what the tongue is, I -suppose the man is.” - -He did not take the identification as a compliment; but he made the best -of it, and turned it off with a laugh. After sipping his cognac to the -end, he added: - -“Yes, Miss Manette is going to be married. But not to an Englishman; to -one who, like herself, is French by birth. And speaking of Gaspard (ah, -poor Gaspard! It was cruel, cruel!), it is a curious thing that she is -going to marry the nephew of Monsieur the Marquis, for whom Gaspard -was exalted to that height of so many feet; in other words, the present -Marquis. But he lives unknown in England, he is no Marquis there; he is -Mr. Charles Darnay. D'Aulnais is the name of his mother's family.” - -Madame Defarge knitted steadily, but the intelligence had a palpable -effect upon her husband. Do what he would, behind the little counter, -as to the striking of a light and the lighting of his pipe, he was -troubled, and his hand was not trustworthy. The spy would have been no -spy if he had failed to see it, or to record it in his mind. - -Having made, at least, this one hit, whatever it might prove to be -worth, and no customers coming in to help him to any other, Mr. Barsad -paid for what he had drunk, and took his leave: taking occasion to say, -in a genteel manner, before he departed, that he looked forward to the -pleasure of seeing Monsieur and Madame Defarge again. For some minutes -after he had emerged into the outer presence of Saint Antoine, the -husband and wife remained exactly as he had left them, lest he should -come back. - -“Can it be true,” said Defarge, in a low voice, looking down at his wife -as he stood smoking with his hand on the back of her chair: “what he has -said of Ma'amselle Manette?” - -“As he has said it,” returned madame, lifting her eyebrows a little, “it -is probably false. But it may be true.” - -“If it is--” Defarge began, and stopped. - -“If it is?” repeated his wife. - -“--And if it does come, while we live to see it triumph--I hope, for her -sake, Destiny will keep her husband out of France.” - -“Her husband's destiny,” said Madame Defarge, with her usual composure, -“will take him where he is to go, and will lead him to the end that is -to end him. That is all I know.” - -“But it is very strange--now, at least, is it not very strange”--said -Defarge, rather pleading with his wife to induce her to admit it, -“that, after all our sympathy for Monsieur her father, and herself, her -husband's name should be proscribed under your hand at this moment, by -the side of that infernal dog's who has just left us?” - -“Stranger things than that will happen when it does come,” answered -madame. “I have them both here, of a certainty; and they are both here -for their merits; that is enough.” - -She rolled up her knitting when she had said those words, and presently -took the rose out of the handkerchief that was wound about her head. -Either Saint Antoine had an instinctive sense that the objectionable -decoration was gone, or Saint Antoine was on the watch for its -disappearance; howbeit, the Saint took courage to lounge in, very -shortly afterwards, and the wine-shop recovered its habitual aspect. - -In the evening, at which season of all others Saint Antoine turned -himself inside out, and sat on door-steps and window-ledges, and came -to the corners of vile streets and courts, for a breath of air, Madame -Defarge with her work in her hand was accustomed to pass from place -to place and from group to group: a Missionary--there were many like -her--such as the world will do well never to breed again. All the women -knitted. They knitted worthless things; but, the mechanical work was a -mechanical substitute for eating and drinking; the hands moved for the -jaws and the digestive apparatus: if the bony fingers had been still, -the stomachs would have been more famine-pinched. - -But, as the fingers went, the eyes went, and the thoughts. And as Madame -Defarge moved on from group to group, all three went quicker and fiercer -among every little knot of women that she had spoken with, and left -behind. - -Her husband smoked at his door, looking after her with admiration. “A -great woman,” said he, “a strong woman, a grand woman, a frightfully -grand woman!” - -Darkness closed around, and then came the ringing of church bells and -the distant beating of the military drums in the Palace Courtyard, as -the women sat knitting, knitting. Darkness encompassed them. Another -darkness was closing in as surely, when the church bells, then ringing -pleasantly in many an airy steeple over France, should be melted into -thundering cannon; when the military drums should be beating to drown a -wretched voice, that night all potent as the voice of Power and Plenty, -Freedom and Life. So much was closing in about the women who sat -knitting, knitting, that they their very selves were closing in around -a structure yet unbuilt, where they were to sit knitting, knitting, -counting dropping heads. - - - - -XVII. One Night - - -Never did the sun go down with a brighter glory on the quiet corner in -Soho, than one memorable evening when the Doctor and his daughter sat -under the plane-tree together. Never did the moon rise with a milder -radiance over great London, than on that night when it found them still -seated under the tree, and shone upon their faces through its leaves. - -Lucie was to be married to-morrow. She had reserved this last evening -for her father, and they sat alone under the plane-tree. - -“You are happy, my dear father?” - -“Quite, my child.” - -They had said little, though they had been there a long time. When it -was yet light enough to work and read, she had neither engaged herself -in her usual work, nor had she read to him. She had employed herself in -both ways, at his side under the tree, many and many a time; but, this -time was not quite like any other, and nothing could make it so. - -“And I am very happy to-night, dear father. I am deeply happy in the -love that Heaven has so blessed--my love for Charles, and Charles's love -for me. But, if my life were not to be still consecrated to you, or -if my marriage were so arranged as that it would part us, even by -the length of a few of these streets, I should be more unhappy and -self-reproachful now than I can tell you. Even as it is--” - -Even as it was, she could not command her voice. - -In the sad moonlight, she clasped him by the neck, and laid her face -upon his breast. In the moonlight which is always sad, as the light of -the sun itself is--as the light called human life is--at its coming and -its going. - -“Dearest dear! Can you tell me, this last time, that you feel quite, -quite sure, no new affections of mine, and no new duties of mine, will -ever interpose between us? _I_ know it well, but do you know it? In your -own heart, do you feel quite certain?” - -Her father answered, with a cheerful firmness of conviction he could -scarcely have assumed, “Quite sure, my darling! More than that,” he -added, as he tenderly kissed her: “my future is far brighter, Lucie, -seen through your marriage, than it could have been--nay, than it ever -was--without it.” - -“If I could hope _that_, my father!--” - -“Believe it, love! Indeed it is so. Consider how natural and how plain -it is, my dear, that it should be so. You, devoted and young, cannot -fully appreciate the anxiety I have felt that your life should not be -wasted--” - -She moved her hand towards his lips, but he took it in his, and repeated -the word. - -“--wasted, my child--should not be wasted, struck aside from the -natural order of things--for my sake. Your unselfishness cannot entirely -comprehend how much my mind has gone on this; but, only ask yourself, -how could my happiness be perfect, while yours was incomplete?” - -“If I had never seen Charles, my father, I should have been quite happy -with you.” - -He smiled at her unconscious admission that she would have been unhappy -without Charles, having seen him; and replied: - -“My child, you did see him, and it is Charles. If it had not been -Charles, it would have been another. Or, if it had been no other, I -should have been the cause, and then the dark part of my life would have -cast its shadow beyond myself, and would have fallen on you.” - -It was the first time, except at the trial, of her ever hearing him -refer to the period of his suffering. It gave her a strange and new -sensation while his words were in her ears; and she remembered it long -afterwards. - -“See!” said the Doctor of Beauvais, raising his hand towards the moon. -“I have looked at her from my prison-window, when I could not bear her -light. I have looked at her when it has been such torture to me to think -of her shining upon what I had lost, that I have beaten my head against -my prison-walls. I have looked at her, in a state so dull and lethargic, -that I have thought of nothing but the number of horizontal lines I -could draw across her at the full, and the number of perpendicular lines -with which I could intersect them.” He added in his inward and pondering -manner, as he looked at the moon, “It was twenty either way, I remember, -and the twentieth was difficult to squeeze in.” - -The strange thrill with which she heard him go back to that time, -deepened as he dwelt upon it; but, there was nothing to shock her in -the manner of his reference. He only seemed to contrast his present -cheerfulness and felicity with the dire endurance that was over. - -“I have looked at her, speculating thousands of times upon the unborn -child from whom I had been rent. Whether it was alive. Whether it had -been born alive, or the poor mother's shock had killed it. Whether it -was a son who would some day avenge his father. (There was a time in my -imprisonment, when my desire for vengeance was unbearable.) Whether it -was a son who would never know his father's story; who might even live -to weigh the possibility of his father's having disappeared of his own -will and act. Whether it was a daughter who would grow to be a woman.” - -She drew closer to him, and kissed his cheek and his hand. - -“I have pictured my daughter, to myself, as perfectly forgetful of -me--rather, altogether ignorant of me, and unconscious of me. I have -cast up the years of her age, year after year. I have seen her married -to a man who knew nothing of my fate. I have altogether perished from -the remembrance of the living, and in the next generation my place was a -blank.” - -“My father! Even to hear that you had such thoughts of a daughter who -never existed, strikes to my heart as if I had been that child.” - -“You, Lucie? It is out of the Consolation and restoration you have -brought to me, that these remembrances arise, and pass between us and -the moon on this last night.--What did I say just now?” - -“She knew nothing of you. She cared nothing for you.” - -“So! But on other moonlight nights, when the sadness and the silence -have touched me in a different way--have affected me with something as -like a sorrowful sense of peace, as any emotion that had pain for its -foundations could--I have imagined her as coming to me in my cell, and -leading me out into the freedom beyond the fortress. I have seen her -image in the moonlight often, as I now see you; except that I never held -her in my arms; it stood between the little grated window and the door. -But, you understand that that was not the child I am speaking of?” - -“The figure was not; the--the--image; the fancy?” - -“No. That was another thing. It stood before my disturbed sense of -sight, but it never moved. The phantom that my mind pursued, was another -and more real child. Of her outward appearance I know no more than -that she was like her mother. The other had that likeness too--as you -have--but was not the same. Can you follow me, Lucie? Hardly, I think? -I doubt you must have been a solitary prisoner to understand these -perplexed distinctions.” - -His collected and calm manner could not prevent her blood from running -cold, as he thus tried to anatomise his old condition. - -“In that more peaceful state, I have imagined her, in the moonlight, -coming to me and taking me out to show me that the home of her married -life was full of her loving remembrance of her lost father. My picture -was in her room, and I was in her prayers. Her life was active, -cheerful, useful; but my poor history pervaded it all.” - -“I was that child, my father, I was not half so good, but in my love -that was I.” - -“And she showed me her children,” said the Doctor of Beauvais, “and -they had heard of me, and had been taught to pity me. When they passed -a prison of the State, they kept far from its frowning walls, and looked -up at its bars, and spoke in whispers. She could never deliver me; I -imagined that she always brought me back after showing me such things. -But then, blessed with the relief of tears, I fell upon my knees, and -blessed her.” - -“I am that child, I hope, my father. O my dear, my dear, will you bless -me as fervently to-morrow?” - -“Lucie, I recall these old troubles in the reason that I have to-night -for loving you better than words can tell, and thanking God for my great -happiness. My thoughts, when they were wildest, never rose near the -happiness that I have known with you, and that we have before us.” - -He embraced her, solemnly commended her to Heaven, and humbly thanked -Heaven for having bestowed her on him. By-and-bye, they went into the -house. - -There was no one bidden to the marriage but Mr. Lorry; there was even to -be no bridesmaid but the gaunt Miss Pross. The marriage was to make no -change in their place of residence; they had been able to extend it, -by taking to themselves the upper rooms formerly belonging to the -apocryphal invisible lodger, and they desired nothing more. - -Doctor Manette was very cheerful at the little supper. They were only -three at table, and Miss Pross made the third. He regretted that Charles -was not there; was more than half disposed to object to the loving -little plot that kept him away; and drank to him affectionately. - -So, the time came for him to bid Lucie good night, and they separated. -But, in the stillness of the third hour of the morning, Lucie came -downstairs again, and stole into his room; not free from unshaped fears, -beforehand. - -All things, however, were in their places; all was quiet; and he lay -asleep, his white hair picturesque on the untroubled pillow, and his -hands lying quiet on the coverlet. She put her needless candle in the -shadow at a distance, crept up to his bed, and put her lips to his; -then, leaned over him, and looked at him. - -Into his handsome face, the bitter waters of captivity had worn; but, he -covered up their tracks with a determination so strong, that he held the -mastery of them even in his sleep. A more remarkable face in its quiet, -resolute, and guarded struggle with an unseen assailant, was not to be -beheld in all the wide dominions of sleep, that night. - -She timidly laid her hand on his dear breast, and put up a prayer that -she might ever be as true to him as her love aspired to be, and as his -sorrows deserved. Then, she withdrew her hand, and kissed his lips once -more, and went away. So, the sunrise came, and the shadows of the leaves -of the plane-tree moved upon his face, as softly as her lips had moved -in praying for him. - - - - -XVIII. Nine Days - - -The marriage-day was shining brightly, and they were ready outside the -closed door of the Doctor's room, where he was speaking with Charles -Darnay. They were ready to go to church; the beautiful bride, Mr. -Lorry, and Miss Pross--to whom the event, through a gradual process of -reconcilement to the inevitable, would have been one of absolute bliss, -but for the yet lingering consideration that her brother Solomon should -have been the bridegroom. - -“And so,” said Mr. Lorry, who could not sufficiently admire the bride, -and who had been moving round her to take in every point of her quiet, -pretty dress; “and so it was for this, my sweet Lucie, that I brought -you across the Channel, such a baby! Lord bless me! How little I thought -what I was doing! How lightly I valued the obligation I was conferring -on my friend Mr. Charles!” - -“You didn't mean it,” remarked the matter-of-fact Miss Pross, “and -therefore how could you know it? Nonsense!” - -“Really? Well; but don't cry,” said the gentle Mr. Lorry. - -“I am not crying,” said Miss Pross; “_you_ are.” - -“I, my Pross?” (By this time, Mr. Lorry dared to be pleasant with her, -on occasion.) - -“You were, just now; I saw you do it, and I don't wonder at it. Such -a present of plate as you have made 'em, is enough to bring tears into -anybody's eyes. There's not a fork or a spoon in the collection,” said -Miss Pross, “that I didn't cry over, last night after the box came, till -I couldn't see it.” - -“I am highly gratified,” said Mr. Lorry, “though, upon my honour, I -had no intention of rendering those trifling articles of remembrance -invisible to any one. Dear me! This is an occasion that makes a man -speculate on all he has lost. Dear, dear, dear! To think that there -might have been a Mrs. Lorry, any time these fifty years almost!” - -“Not at all!” From Miss Pross. - -“You think there never might have been a Mrs. Lorry?” asked the -gentleman of that name. - -“Pooh!” rejoined Miss Pross; “you were a bachelor in your cradle.” - -“Well!” observed Mr. Lorry, beamingly adjusting his little wig, “that -seems probable, too.” - -“And you were cut out for a bachelor,” pursued Miss Pross, “before you -were put in your cradle.” - -“Then, I think,” said Mr. Lorry, “that I was very unhandsomely dealt -with, and that I ought to have had a voice in the selection of my -pattern. Enough! Now, my dear Lucie,” drawing his arm soothingly round -her waist, “I hear them moving in the next room, and Miss Pross and -I, as two formal folks of business, are anxious not to lose the final -opportunity of saying something to you that you wish to hear. You leave -your good father, my dear, in hands as earnest and as loving as your -own; he shall be taken every conceivable care of; during the next -fortnight, while you are in Warwickshire and thereabouts, even Tellson's -shall go to the wall (comparatively speaking) before him. And when, at -the fortnight's end, he comes to join you and your beloved husband, on -your other fortnight's trip in Wales, you shall say that we have sent -him to you in the best health and in the happiest frame. Now, I hear -Somebody's step coming to the door. Let me kiss my dear girl with an -old-fashioned bachelor blessing, before Somebody comes to claim his -own.” - -For a moment, he held the fair face from him to look at the -well-remembered expression on the forehead, and then laid the bright -golden hair against his little brown wig, with a genuine tenderness and -delicacy which, if such things be old-fashioned, were as old as Adam. - -The door of the Doctor's room opened, and he came out with Charles -Darnay. He was so deadly pale--which had not been the case when they -went in together--that no vestige of colour was to be seen in his face. -But, in the composure of his manner he was unaltered, except that to the -shrewd glance of Mr. Lorry it disclosed some shadowy indication that the -old air of avoidance and dread had lately passed over him, like a cold -wind. - -He gave his arm to his daughter, and took her down-stairs to the chariot -which Mr. Lorry had hired in honour of the day. The rest followed in -another carriage, and soon, in a neighbouring church, where no strange -eyes looked on, Charles Darnay and Lucie Manette were happily married. - -Besides the glancing tears that shone among the smiles of the little -group when it was done, some diamonds, very bright and sparkling, -glanced on the bride's hand, which were newly released from the -dark obscurity of one of Mr. Lorry's pockets. They returned home to -breakfast, and all went well, and in due course the golden hair that had -mingled with the poor shoemaker's white locks in the Paris garret, were -mingled with them again in the morning sunlight, on the threshold of the -door at parting. - -It was a hard parting, though it was not for long. But her father -cheered her, and said at last, gently disengaging himself from her -enfolding arms, “Take her, Charles! She is yours!” - -And her agitated hand waved to them from a chaise window, and she was -gone. - -The corner being out of the way of the idle and curious, and the -preparations having been very simple and few, the Doctor, Mr. Lorry, -and Miss Pross, were left quite alone. It was when they turned into -the welcome shade of the cool old hall, that Mr. Lorry observed a great -change to have come over the Doctor; as if the golden arm uplifted -there, had struck him a poisoned blow. - -He had naturally repressed much, and some revulsion might have been -expected in him when the occasion for repression was gone. But, it was -the old scared lost look that troubled Mr. Lorry; and through his absent -manner of clasping his head and drearily wandering away into his own -room when they got up-stairs, Mr. Lorry was reminded of Defarge the -wine-shop keeper, and the starlight ride. - -“I think,” he whispered to Miss Pross, after anxious consideration, “I -think we had best not speak to him just now, or at all disturb him. -I must look in at Tellson's; so I will go there at once and come back -presently. Then, we will take him a ride into the country, and dine -there, and all will be well.” - -It was easier for Mr. Lorry to look in at Tellson's, than to look out of -Tellson's. He was detained two hours. When he came back, he ascended the -old staircase alone, having asked no question of the servant; going thus -into the Doctor's rooms, he was stopped by a low sound of knocking. - -“Good God!” he said, with a start. “What's that?” - -Miss Pross, with a terrified face, was at his ear. “O me, O me! All is -lost!” cried she, wringing her hands. “What is to be told to Ladybird? -He doesn't know me, and is making shoes!” - -Mr. Lorry said what he could to calm her, and went himself into the -Doctor's room. The bench was turned towards the light, as it had been -when he had seen the shoemaker at his work before, and his head was bent -down, and he was very busy. - -“Doctor Manette. My dear friend, Doctor Manette!” - -The Doctor looked at him for a moment--half inquiringly, half as if he -were angry at being spoken to--and bent over his work again. - -He had laid aside his coat and waistcoat; his shirt was open at the -throat, as it used to be when he did that work; and even the old -haggard, faded surface of face had come back to him. He worked -hard--impatiently--as if in some sense of having been interrupted. - -Mr. Lorry glanced at the work in his hand, and observed that it was a -shoe of the old size and shape. He took up another that was lying by -him, and asked what it was. - -“A young lady's walking shoe,” he muttered, without looking up. “It -ought to have been finished long ago. Let it be.” - -“But, Doctor Manette. Look at me!” - -He obeyed, in the old mechanically submissive manner, without pausing in -his work. - -“You know me, my dear friend? Think again. This is not your proper -occupation. Think, dear friend!” - -Nothing would induce him to speak more. He looked up, for an instant at -a time, when he was requested to do so; but, no persuasion would extract -a word from him. He worked, and worked, and worked, in silence, and -words fell on him as they would have fallen on an echoless wall, or on -the air. The only ray of hope that Mr. Lorry could discover, was, that -he sometimes furtively looked up without being asked. In that, there -seemed a faint expression of curiosity or perplexity--as though he were -trying to reconcile some doubts in his mind. - -Two things at once impressed themselves on Mr. Lorry, as important above -all others; the first, that this must be kept secret from Lucie; -the second, that it must be kept secret from all who knew him. In -conjunction with Miss Pross, he took immediate steps towards the latter -precaution, by giving out that the Doctor was not well, and required a -few days of complete rest. In aid of the kind deception to be practised -on his daughter, Miss Pross was to write, describing his having been -called away professionally, and referring to an imaginary letter of -two or three hurried lines in his own hand, represented to have been -addressed to her by the same post. - -These measures, advisable to be taken in any case, Mr. Lorry took in -the hope of his coming to himself. If that should happen soon, he kept -another course in reserve; which was, to have a certain opinion that he -thought the best, on the Doctor's case. - -In the hope of his recovery, and of resort to this third course -being thereby rendered practicable, Mr. Lorry resolved to watch him -attentively, with as little appearance as possible of doing so. He -therefore made arrangements to absent himself from Tellson's for the -first time in his life, and took his post by the window in the same -room. - -He was not long in discovering that it was worse than useless to speak -to him, since, on being pressed, he became worried. He abandoned that -attempt on the first day, and resolved merely to keep himself always -before him, as a silent protest against the delusion into which he had -fallen, or was falling. He remained, therefore, in his seat near the -window, reading and writing, and expressing in as many pleasant and -natural ways as he could think of, that it was a free place. - -Doctor Manette took what was given him to eat and drink, and worked on, -that first day, until it was too dark to see--worked on, half an hour -after Mr. Lorry could not have seen, for his life, to read or write. -When he put his tools aside as useless, until morning, Mr. Lorry rose -and said to him: - -“Will you go out?” - -He looked down at the floor on either side of him in the old manner, -looked up in the old manner, and repeated in the old low voice: - -“Out?” - -“Yes; for a walk with me. Why not?” - -He made no effort to say why not, and said not a word more. But, Mr. -Lorry thought he saw, as he leaned forward on his bench in the dusk, -with his elbows on his knees and his head in his hands, that he was in -some misty way asking himself, “Why not?” The sagacity of the man of -business perceived an advantage here, and determined to hold it. - -Miss Pross and he divided the night into two watches, and observed him -at intervals from the adjoining room. He paced up and down for a long -time before he lay down; but, when he did finally lay himself down, he -fell asleep. In the morning, he was up betimes, and went straight to his -bench and to work. - -On this second day, Mr. Lorry saluted him cheerfully by his name, -and spoke to him on topics that had been of late familiar to them. He -returned no reply, but it was evident that he heard what was said, and -that he thought about it, however confusedly. This encouraged Mr. Lorry -to have Miss Pross in with her work, several times during the day; -at those times, they quietly spoke of Lucie, and of her father then -present, precisely in the usual manner, and as if there were nothing -amiss. This was done without any demonstrative accompaniment, not long -enough, or often enough to harass him; and it lightened Mr. Lorry's -friendly heart to believe that he looked up oftener, and that he -appeared to be stirred by some perception of inconsistencies surrounding -him. - -When it fell dark again, Mr. Lorry asked him as before: - -“Dear Doctor, will you go out?” - -As before, he repeated, “Out?” - -“Yes; for a walk with me. Why not?” - -This time, Mr. Lorry feigned to go out when he could extract no answer -from him, and, after remaining absent for an hour, returned. In the -meanwhile, the Doctor had removed to the seat in the window, and had -sat there looking down at the plane-tree; but, on Mr. Lorry's return, he -slipped away to his bench. - -The time went very slowly on, and Mr. Lorry's hope darkened, and his -heart grew heavier again, and grew yet heavier and heavier every day. -The third day came and went, the fourth, the fifth. Five days, six days, -seven days, eight days, nine days. - -With a hope ever darkening, and with a heart always growing heavier and -heavier, Mr. Lorry passed through this anxious time. The secret was -well kept, and Lucie was unconscious and happy; but he could not fail to -observe that the shoemaker, whose hand had been a little out at first, -was growing dreadfully skilful, and that he had never been so intent on -his work, and that his hands had never been so nimble and expert, as in -the dusk of the ninth evening. - - - - -XIX. An Opinion - - -Worn out by anxious watching, Mr. Lorry fell asleep at his post. On the -tenth morning of his suspense, he was startled by the shining of the sun -into the room where a heavy slumber had overtaken him when it was dark -night. - -He rubbed his eyes and roused himself; but he doubted, when he had -done so, whether he was not still asleep. For, going to the door of the -Doctor's room and looking in, he perceived that the shoemaker's bench -and tools were put aside again, and that the Doctor himself sat reading -at the window. He was in his usual morning dress, and his face (which -Mr. Lorry could distinctly see), though still very pale, was calmly -studious and attentive. - -Even when he had satisfied himself that he was awake, Mr. Lorry felt -giddily uncertain for some few moments whether the late shoemaking might -not be a disturbed dream of his own; for, did not his eyes show him his -friend before him in his accustomed clothing and aspect, and employed -as usual; and was there any sign within their range, that the change of -which he had so strong an impression had actually happened? - -It was but the inquiry of his first confusion and astonishment, the -answer being obvious. If the impression were not produced by a real -corresponding and sufficient cause, how came he, Jarvis Lorry, there? -How came he to have fallen asleep, in his clothes, on the sofa in Doctor -Manette's consulting-room, and to be debating these points outside the -Doctor's bedroom door in the early morning? - -Within a few minutes, Miss Pross stood whispering at his side. If he -had had any particle of doubt left, her talk would of necessity have -resolved it; but he was by that time clear-headed, and had none. -He advised that they should let the time go by until the regular -breakfast-hour, and should then meet the Doctor as if nothing unusual -had occurred. If he appeared to be in his customary state of mind, Mr. -Lorry would then cautiously proceed to seek direction and guidance from -the opinion he had been, in his anxiety, so anxious to obtain. - -Miss Pross, submitting herself to his judgment, the scheme was worked -out with care. Having abundance of time for his usual methodical -toilette, Mr. Lorry presented himself at the breakfast-hour in his usual -white linen, and with his usual neat leg. The Doctor was summoned in the -usual way, and came to breakfast. - -So far as it was possible to comprehend him without overstepping those -delicate and gradual approaches which Mr. Lorry felt to be the only safe -advance, he at first supposed that his daughter's marriage had taken -place yesterday. An incidental allusion, purposely thrown out, to -the day of the week, and the day of the month, set him thinking and -counting, and evidently made him uneasy. In all other respects, however, -he was so composedly himself, that Mr. Lorry determined to have the aid -he sought. And that aid was his own. - -Therefore, when the breakfast was done and cleared away, and he and the -Doctor were left together, Mr. Lorry said, feelingly: - -“My dear Manette, I am anxious to have your opinion, in confidence, on a -very curious case in which I am deeply interested; that is to say, it is -very curious to me; perhaps, to your better information it may be less -so.” - -Glancing at his hands, which were discoloured by his late work, the -Doctor looked troubled, and listened attentively. He had already glanced -at his hands more than once. - -“Doctor Manette,” said Mr. Lorry, touching him affectionately on the -arm, “the case is the case of a particularly dear friend of mine. Pray -give your mind to it, and advise me well for his sake--and above all, -for his daughter's--his daughter's, my dear Manette.” - -“If I understand,” said the Doctor, in a subdued tone, “some mental -shock--?” - -“Yes!” - -“Be explicit,” said the Doctor. “Spare no detail.” - -Mr. Lorry saw that they understood one another, and proceeded. - -“My dear Manette, it is the case of an old and a prolonged shock, -of great acuteness and severity to the affections, the feelings, -the--the--as you express it--the mind. The mind. It is the case of a -shock under which the sufferer was borne down, one cannot say for how -long, because I believe he cannot calculate the time himself, and there -are no other means of getting at it. It is the case of a shock from -which the sufferer recovered, by a process that he cannot trace -himself--as I once heard him publicly relate in a striking manner. It is -the case of a shock from which he has recovered, so completely, as to -be a highly intelligent man, capable of close application of mind, and -great exertion of body, and of constantly making fresh additions to his -stock of knowledge, which was already very large. But, unfortunately, -there has been,” he paused and took a deep breath--“a slight relapse.” - -The Doctor, in a low voice, asked, “Of how long duration?” - -“Nine days and nights.” - -“How did it show itself? I infer,” glancing at his hands again, “in the -resumption of some old pursuit connected with the shock?” - -“That is the fact.” - -“Now, did you ever see him,” asked the Doctor, distinctly and -collectedly, though in the same low voice, “engaged in that pursuit -originally?” - -“Once.” - -“And when the relapse fell on him, was he in most respects--or in all -respects--as he was then?” - -“I think in all respects.” - -“You spoke of his daughter. Does his daughter know of the relapse?” - -“No. It has been kept from her, and I hope will always be kept from her. -It is known only to myself, and to one other who may be trusted.” - -The Doctor grasped his hand, and murmured, “That was very kind. That was -very thoughtful!” Mr. Lorry grasped his hand in return, and neither of -the two spoke for a little while. - -“Now, my dear Manette,” said Mr. Lorry, at length, in his most -considerate and most affectionate way, “I am a mere man of business, -and unfit to cope with such intricate and difficult matters. I do not -possess the kind of information necessary; I do not possess the kind of -intelligence; I want guiding. There is no man in this world on whom -I could so rely for right guidance, as on you. Tell me, how does this -relapse come about? Is there danger of another? Could a repetition of it -be prevented? How should a repetition of it be treated? How does it come -about at all? What can I do for my friend? No man ever can have been -more desirous in his heart to serve a friend, than I am to serve mine, -if I knew how. - -“But I don't know how to originate, in such a case. If your sagacity, -knowledge, and experience, could put me on the right track, I might be -able to do so much; unenlightened and undirected, I can do so little. -Pray discuss it with me; pray enable me to see it a little more clearly, -and teach me how to be a little more useful.” - -Doctor Manette sat meditating after these earnest words were spoken, and -Mr. Lorry did not press him. - -“I think it probable,” said the Doctor, breaking silence with an effort, -“that the relapse you have described, my dear friend, was not quite -unforeseen by its subject.” - -“Was it dreaded by him?” Mr. Lorry ventured to ask. - -“Very much.” He said it with an involuntary shudder. - -“You have no idea how such an apprehension weighs on the sufferer's -mind, and how difficult--how almost impossible--it is, for him to force -himself to utter a word upon the topic that oppresses him.” - -“Would he,” asked Mr. Lorry, “be sensibly relieved if he could prevail -upon himself to impart that secret brooding to any one, when it is on -him?” - -“I think so. But it is, as I have told you, next to impossible. I even -believe it--in some cases--to be quite impossible.” - -“Now,” said Mr. Lorry, gently laying his hand on the Doctor's arm again, -after a short silence on both sides, “to what would you refer this -attack?” - -“I believe,” returned Doctor Manette, “that there had been a strong and -extraordinary revival of the train of thought and remembrance that -was the first cause of the malady. Some intense associations of a most -distressing nature were vividly recalled, I think. It is probable that -there had long been a dread lurking in his mind, that those associations -would be recalled--say, under certain circumstances--say, on a -particular occasion. He tried to prepare himself in vain; perhaps the -effort to prepare himself made him less able to bear it.” - -“Would he remember what took place in the relapse?” asked Mr. Lorry, -with natural hesitation. - -The Doctor looked desolately round the room, shook his head, and -answered, in a low voice, “Not at all.” - -“Now, as to the future,” hinted Mr. Lorry. - -“As to the future,” said the Doctor, recovering firmness, “I should have -great hope. As it pleased Heaven in its mercy to restore him so soon, I -should have great hope. He, yielding under the pressure of a complicated -something, long dreaded and long vaguely foreseen and contended against, -and recovering after the cloud had burst and passed, I should hope that -the worst was over.” - -“Well, well! That's good comfort. I am thankful!” said Mr. Lorry. - -“I am thankful!” repeated the Doctor, bending his head with reverence. - -“There are two other points,” said Mr. Lorry, “on which I am anxious to -be instructed. I may go on?” - -“You cannot do your friend a better service.” The Doctor gave him his -hand. - -“To the first, then. He is of a studious habit, and unusually energetic; -he applies himself with great ardour to the acquisition of professional -knowledge, to the conducting of experiments, to many things. Now, does -he do too much?” - -“I think not. It may be the character of his mind, to be always in -singular need of occupation. That may be, in part, natural to it; in -part, the result of affliction. The less it was occupied with healthy -things, the more it would be in danger of turning in the unhealthy -direction. He may have observed himself, and made the discovery.” - -“You are sure that he is not under too great a strain?” - -“I think I am quite sure of it.” - -“My dear Manette, if he were overworked now--” - -“My dear Lorry, I doubt if that could easily be. There has been a -violent stress in one direction, and it needs a counterweight.” - -“Excuse me, as a persistent man of business. Assuming for a moment, -that he _was_ overworked; it would show itself in some renewal of this -disorder?” - -“I do not think so. I do not think,” said Doctor Manette with the -firmness of self-conviction, “that anything but the one train of -association would renew it. I think that, henceforth, nothing but some -extraordinary jarring of that chord could renew it. After what has -happened, and after his recovery, I find it difficult to imagine any -such violent sounding of that string again. I trust, and I almost -believe, that the circumstances likely to renew it are exhausted.” - -He spoke with the diffidence of a man who knew how slight a thing -would overset the delicate organisation of the mind, and yet with the -confidence of a man who had slowly won his assurance out of personal -endurance and distress. It was not for his friend to abate that -confidence. He professed himself more relieved and encouraged than he -really was, and approached his second and last point. He felt it to -be the most difficult of all; but, remembering his old Sunday morning -conversation with Miss Pross, and remembering what he had seen in the -last nine days, he knew that he must face it. - -“The occupation resumed under the influence of this passing affliction -so happily recovered from,” said Mr. Lorry, clearing his throat, “we -will call--Blacksmith's work, Blacksmith's work. We will say, to put a -case and for the sake of illustration, that he had been used, in his bad -time, to work at a little forge. We will say that he was unexpectedly -found at his forge again. Is it not a pity that he should keep it by -him?” - -The Doctor shaded his forehead with his hand, and beat his foot -nervously on the ground. - -“He has always kept it by him,” said Mr. Lorry, with an anxious look at -his friend. “Now, would it not be better that he should let it go?” - -Still, the Doctor, with shaded forehead, beat his foot nervously on the -ground. - -“You do not find it easy to advise me?” said Mr. Lorry. “I quite -understand it to be a nice question. And yet I think--” And there he -shook his head, and stopped. - -“You see,” said Doctor Manette, turning to him after an uneasy pause, -“it is very hard to explain, consistently, the innermost workings -of this poor man's mind. He once yearned so frightfully for that -occupation, and it was so welcome when it came; no doubt it relieved -his pain so much, by substituting the perplexity of the fingers for -the perplexity of the brain, and by substituting, as he became more -practised, the ingenuity of the hands, for the ingenuity of the mental -torture; that he has never been able to bear the thought of putting it -quite out of his reach. Even now, when I believe he is more hopeful of -himself than he has ever been, and even speaks of himself with a kind -of confidence, the idea that he might need that old employment, and not -find it, gives him a sudden sense of terror, like that which one may -fancy strikes to the heart of a lost child.” - -He looked like his illustration, as he raised his eyes to Mr. Lorry's -face. - -“But may not--mind! I ask for information, as a plodding man of business -who only deals with such material objects as guineas, shillings, and -bank-notes--may not the retention of the thing involve the retention of -the idea? If the thing were gone, my dear Manette, might not the fear go -with it? In short, is it not a concession to the misgiving, to keep the -forge?” - -There was another silence. - -“You see, too,” said the Doctor, tremulously, “it is such an old -companion.” - -“I would not keep it,” said Mr. Lorry, shaking his head; for he gained -in firmness as he saw the Doctor disquieted. “I would recommend him to -sacrifice it. I only want your authority. I am sure it does no good. -Come! Give me your authority, like a dear good man. For his daughter's -sake, my dear Manette!” - -Very strange to see what a struggle there was within him! - -“In her name, then, let it be done; I sanction it. But, I would not take -it away while he was present. Let it be removed when he is not there; -let him miss his old companion after an absence.” - -Mr. Lorry readily engaged for that, and the conference was ended. They -passed the day in the country, and the Doctor was quite restored. On the -three following days he remained perfectly well, and on the fourteenth -day he went away to join Lucie and her husband. The precaution that -had been taken to account for his silence, Mr. Lorry had previously -explained to him, and he had written to Lucie in accordance with it, and -she had no suspicions. - -On the night of the day on which he left the house, Mr. Lorry went into -his room with a chopper, saw, chisel, and hammer, attended by Miss Pross -carrying a light. There, with closed doors, and in a mysterious and -guilty manner, Mr. Lorry hacked the shoemaker's bench to pieces, while -Miss Pross held the candle as if she were assisting at a murder--for -which, indeed, in her grimness, she was no unsuitable figure. The -burning of the body (previously reduced to pieces convenient for the -purpose) was commenced without delay in the kitchen fire; and the tools, -shoes, and leather, were buried in the garden. So wicked do destruction -and secrecy appear to honest minds, that Mr. Lorry and Miss Pross, -while engaged in the commission of their deed and in the removal of its -traces, almost felt, and almost looked, like accomplices in a horrible -crime. - - - - -XX. A Plea - - -When the newly-married pair came home, the first person who appeared, to -offer his congratulations, was Sydney Carton. They had not been at home -many hours, when he presented himself. He was not improved in habits, or -in looks, or in manner; but there was a certain rugged air of fidelity -about him, which was new to the observation of Charles Darnay. - -He watched his opportunity of taking Darnay aside into a window, and of -speaking to him when no one overheard. - -“Mr. Darnay,” said Carton, “I wish we might be friends.” - -“We are already friends, I hope.” - -“You are good enough to say so, as a fashion of speech; but, I don't -mean any fashion of speech. Indeed, when I say I wish we might be -friends, I scarcely mean quite that, either.” - -Charles Darnay--as was natural--asked him, in all good-humour and -good-fellowship, what he did mean? - -“Upon my life,” said Carton, smiling, “I find that easier to comprehend -in my own mind, than to convey to yours. However, let me try. You -remember a certain famous occasion when I was more drunk than--than -usual?” - -“I remember a certain famous occasion when you forced me to confess that -you had been drinking.” - -“I remember it too. The curse of those occasions is heavy upon me, for I -always remember them. I hope it may be taken into account one day, -when all days are at an end for me! Don't be alarmed; I am not going to -preach.” - -“I am not at all alarmed. Earnestness in you, is anything but alarming -to me.” - -“Ah!” said Carton, with a careless wave of his hand, as if he waved that -away. “On the drunken occasion in question (one of a large number, as -you know), I was insufferable about liking you, and not liking you. I -wish you would forget it.” - -“I forgot it long ago.” - -“Fashion of speech again! But, Mr. Darnay, oblivion is not so easy to -me, as you represent it to be to you. I have by no means forgotten it, -and a light answer does not help me to forget it.” - -“If it was a light answer,” returned Darnay, “I beg your forgiveness -for it. I had no other object than to turn a slight thing, which, to my -surprise, seems to trouble you too much, aside. I declare to you, on the -faith of a gentleman, that I have long dismissed it from my mind. Good -Heaven, what was there to dismiss! Have I had nothing more important to -remember, in the great service you rendered me that day?” - -“As to the great service,” said Carton, “I am bound to avow to you, when -you speak of it in that way, that it was mere professional claptrap, I -don't know that I cared what became of you, when I rendered it.--Mind! I -say when I rendered it; I am speaking of the past.” - -“You make light of the obligation,” returned Darnay, “but I will not -quarrel with _your_ light answer.” - -“Genuine truth, Mr. Darnay, trust me! I have gone aside from my purpose; -I was speaking about our being friends. Now, you know me; you know I am -incapable of all the higher and better flights of men. If you doubt it, -ask Stryver, and he'll tell you so.” - -“I prefer to form my own opinion, without the aid of his.” - -“Well! At any rate you know me as a dissolute dog, who has never done -any good, and never will.” - -“I don't know that you 'never will.'” - -“But I do, and you must take my word for it. Well! If you could endure -to have such a worthless fellow, and a fellow of such indifferent -reputation, coming and going at odd times, I should ask that I might be -permitted to come and go as a privileged person here; that I might -be regarded as an useless (and I would add, if it were not for the -resemblance I detected between you and me, an unornamental) piece of -furniture, tolerated for its old service, and taken no notice of. I -doubt if I should abuse the permission. It is a hundred to one if I -should avail myself of it four times in a year. It would satisfy me, I -dare say, to know that I had it.” - -“Will you try?” - -“That is another way of saying that I am placed on the footing I have -indicated. I thank you, Darnay. I may use that freedom with your name?” - -“I think so, Carton, by this time.” - -They shook hands upon it, and Sydney turned away. Within a minute -afterwards, he was, to all outward appearance, as unsubstantial as ever. - -When he was gone, and in the course of an evening passed with Miss -Pross, the Doctor, and Mr. Lorry, Charles Darnay made some mention of -this conversation in general terms, and spoke of Sydney Carton as a -problem of carelessness and recklessness. He spoke of him, in short, not -bitterly or meaning to bear hard upon him, but as anybody might who saw -him as he showed himself. - -He had no idea that this could dwell in the thoughts of his fair young -wife; but, when he afterwards joined her in their own rooms, he found -her waiting for him with the old pretty lifting of the forehead strongly -marked. - -“We are thoughtful to-night!” said Darnay, drawing his arm about her. - -“Yes, dearest Charles,” with her hands on his breast, and the inquiring -and attentive expression fixed upon him; “we are rather thoughtful -to-night, for we have something on our mind to-night.” - -“What is it, my Lucie?” - -“Will you promise not to press one question on me, if I beg you not to -ask it?” - -“Will I promise? What will I not promise to my Love?” - -What, indeed, with his hand putting aside the golden hair from the -cheek, and his other hand against the heart that beat for him! - -“I think, Charles, poor Mr. Carton deserves more consideration and -respect than you expressed for him to-night.” - -“Indeed, my own? Why so?” - -“That is what you are not to ask me. But I think--I know--he does.” - -“If you know it, it is enough. What would you have me do, my Life?” - -“I would ask you, dearest, to be very generous with him always, and very -lenient on his faults when he is not by. I would ask you to believe that -he has a heart he very, very seldom reveals, and that there are deep -wounds in it. My dear, I have seen it bleeding.” - -“It is a painful reflection to me,” said Charles Darnay, quite -astounded, “that I should have done him any wrong. I never thought this -of him.” - -“My husband, it is so. I fear he is not to be reclaimed; there is -scarcely a hope that anything in his character or fortunes is reparable -now. But, I am sure that he is capable of good things, gentle things, -even magnanimous things.” - -She looked so beautiful in the purity of her faith in this lost man, -that her husband could have looked at her as she was for hours. - -“And, O my dearest Love!” she urged, clinging nearer to him, laying her -head upon his breast, and raising her eyes to his, “remember how strong -we are in our happiness, and how weak he is in his misery!” - -The supplication touched him home. “I will always remember it, dear -Heart! I will remember it as long as I live.” - -He bent over the golden head, and put the rosy lips to his, and folded -her in his arms. If one forlorn wanderer then pacing the dark streets, -could have heard her innocent disclosure, and could have seen the drops -of pity kissed away by her husband from the soft blue eyes so loving of -that husband, he might have cried to the night--and the words would not -have parted from his lips for the first time-- - -“God bless her for her sweet compassion!” - - - - -XXI. Echoing Footsteps - - -A wonderful corner for echoes, it has been remarked, that corner where -the Doctor lived. Ever busily winding the golden thread which bound -her husband, and her father, and herself, and her old directress and -companion, in a life of quiet bliss, Lucie sat in the still house in -the tranquilly resounding corner, listening to the echoing footsteps of -years. - -At first, there were times, though she was a perfectly happy young wife, -when her work would slowly fall from her hands, and her eyes would be -dimmed. For, there was something coming in the echoes, something light, -afar off, and scarcely audible yet, that stirred her heart too much. -Fluttering hopes and doubts--hopes, of a love as yet unknown to her: -doubts, of her remaining upon earth, to enjoy that new delight--divided -her breast. Among the echoes then, there would arise the sound of -footsteps at her own early grave; and thoughts of the husband who would -be left so desolate, and who would mourn for her so much, swelled to her -eyes, and broke like waves. - -That time passed, and her little Lucie lay on her bosom. Then, among the -advancing echoes, there was the tread of her tiny feet and the sound of -her prattling words. Let greater echoes resound as they would, the young -mother at the cradle side could always hear those coming. They came, and -the shady house was sunny with a child's laugh, and the Divine friend of -children, to whom in her trouble she had confided hers, seemed to take -her child in his arms, as He took the child of old, and made it a sacred -joy to her. - -Ever busily winding the golden thread that bound them all together, -weaving the service of her happy influence through the tissue of all -their lives, and making it predominate nowhere, Lucie heard in the -echoes of years none but friendly and soothing sounds. Her husband's -step was strong and prosperous among them; her father's firm and equal. -Lo, Miss Pross, in harness of string, awakening the echoes, as an -unruly charger, whip-corrected, snorting and pawing the earth under the -plane-tree in the garden! - -Even when there were sounds of sorrow among the rest, they were not -harsh nor cruel. Even when golden hair, like her own, lay in a halo on a -pillow round the worn face of a little boy, and he said, with a radiant -smile, “Dear papa and mamma, I am very sorry to leave you both, and to -leave my pretty sister; but I am called, and I must go!” those were not -tears all of agony that wetted his young mother's cheek, as the spirit -departed from her embrace that had been entrusted to it. Suffer them and -forbid them not. They see my Father's face. O Father, blessed words! - -Thus, the rustling of an Angel's wings got blended with the other -echoes, and they were not wholly of earth, but had in them that breath -of Heaven. Sighs of the winds that blew over a little garden-tomb were -mingled with them also, and both were audible to Lucie, in a hushed -murmur--like the breathing of a summer sea asleep upon a sandy shore--as -the little Lucie, comically studious at the task of the morning, or -dressing a doll at her mother's footstool, chattered in the tongues of -the Two Cities that were blended in her life. - -The Echoes rarely answered to the actual tread of Sydney Carton. Some -half-dozen times a year, at most, he claimed his privilege of coming in -uninvited, and would sit among them through the evening, as he had once -done often. He never came there heated with wine. And one other thing -regarding him was whispered in the echoes, which has been whispered by -all true echoes for ages and ages. - -No man ever really loved a woman, lost her, and knew her with a -blameless though an unchanged mind, when she was a wife and a mother, -but her children had a strange sympathy with him--an instinctive -delicacy of pity for him. What fine hidden sensibilities are touched in -such a case, no echoes tell; but it is so, and it was so here. Carton -was the first stranger to whom little Lucie held out her chubby arms, -and he kept his place with her as she grew. The little boy had spoken of -him, almost at the last. “Poor Carton! Kiss him for me!” - -Mr. Stryver shouldered his way through the law, like some great engine -forcing itself through turbid water, and dragged his useful friend in -his wake, like a boat towed astern. As the boat so favoured is usually -in a rough plight, and mostly under water, so, Sydney had a swamped -life of it. But, easy and strong custom, unhappily so much easier and -stronger in him than any stimulating sense of desert or disgrace, made -it the life he was to lead; and he no more thought of emerging from his -state of lion's jackal, than any real jackal may be supposed to think of -rising to be a lion. Stryver was rich; had married a florid widow with -property and three boys, who had nothing particularly shining about them -but the straight hair of their dumpling heads. - -These three young gentlemen, Mr. Stryver, exuding patronage of the most -offensive quality from every pore, had walked before him like three -sheep to the quiet corner in Soho, and had offered as pupils to -Lucie's husband: delicately saying “Halloa! here are three lumps of -bread-and-cheese towards your matrimonial picnic, Darnay!” The polite -rejection of the three lumps of bread-and-cheese had quite bloated Mr. -Stryver with indignation, which he afterwards turned to account in the -training of the young gentlemen, by directing them to beware of the -pride of Beggars, like that tutor-fellow. He was also in the habit of -declaiming to Mrs. Stryver, over his full-bodied wine, on the arts -Mrs. Darnay had once put in practice to “catch” him, and on the -diamond-cut-diamond arts in himself, madam, which had rendered him “not -to be caught.” Some of his King's Bench familiars, who were occasionally -parties to the full-bodied wine and the lie, excused him for the -latter by saying that he had told it so often, that he believed -it himself--which is surely such an incorrigible aggravation of an -originally bad offence, as to justify any such offender's being carried -off to some suitably retired spot, and there hanged out of the way. - -These were among the echoes to which Lucie, sometimes pensive, sometimes -amused and laughing, listened in the echoing corner, until her little -daughter was six years old. How near to her heart the echoes of her -child's tread came, and those of her own dear father's, always active -and self-possessed, and those of her dear husband's, need not be told. -Nor, how the lightest echo of their united home, directed by herself -with such a wise and elegant thrift that it was more abundant than any -waste, was music to her. Nor, how there were echoes all about her, sweet -in her ears, of the many times her father had told her that he found her -more devoted to him married (if that could be) than single, and of the -many times her husband had said to her that no cares and duties seemed -to divide her love for him or her help to him, and asked her “What is -the magic secret, my darling, of your being everything to all of us, -as if there were only one of us, yet never seeming to be hurried, or to -have too much to do?” - -But, there were other echoes, from a distance, that rumbled menacingly -in the corner all through this space of time. And it was now, about -little Lucie's sixth birthday, that they began to have an awful sound, -as of a great storm in France with a dreadful sea rising. - -On a night in mid-July, one thousand seven hundred and eighty-nine, Mr. -Lorry came in late, from Tellson's, and sat himself down by Lucie and -her husband in the dark window. It was a hot, wild night, and they were -all three reminded of the old Sunday night when they had looked at the -lightning from the same place. - -“I began to think,” said Mr. Lorry, pushing his brown wig back, “that -I should have to pass the night at Tellson's. We have been so full of -business all day, that we have not known what to do first, or which way -to turn. There is such an uneasiness in Paris, that we have actually a -run of confidence upon us! Our customers over there, seem not to be able -to confide their property to us fast enough. There is positively a mania -among some of them for sending it to England.” - -“That has a bad look,” said Darnay-- - -“A bad look, you say, my dear Darnay? Yes, but we don't know what reason -there is in it. People are so unreasonable! Some of us at Tellson's are -getting old, and we really can't be troubled out of the ordinary course -without due occasion.” - -“Still,” said Darnay, “you know how gloomy and threatening the sky is.” - -“I know that, to be sure,” assented Mr. Lorry, trying to persuade -himself that his sweet temper was soured, and that he grumbled, “but I -am determined to be peevish after my long day's botheration. Where is -Manette?” - -“Here he is,” said the Doctor, entering the dark room at the moment. - -“I am quite glad you are at home; for these hurries and forebodings by -which I have been surrounded all day long, have made me nervous without -reason. You are not going out, I hope?” - -“No; I am going to play backgammon with you, if you like,” said the -Doctor. - -“I don't think I do like, if I may speak my mind. I am not fit to be -pitted against you to-night. Is the teaboard still there, Lucie? I can't -see.” - -“Of course, it has been kept for you.” - -“Thank ye, my dear. The precious child is safe in bed?” - -“And sleeping soundly.” - -“That's right; all safe and well! I don't know why anything should be -otherwise than safe and well here, thank God; but I have been so put out -all day, and I am not as young as I was! My tea, my dear! Thank ye. Now, -come and take your place in the circle, and let us sit quiet, and hear -the echoes about which you have your theory.” - -“Not a theory; it was a fancy.” - -“A fancy, then, my wise pet,” said Mr. Lorry, patting her hand. “They -are very numerous and very loud, though, are they not? Only hear them!” - -Headlong, mad, and dangerous footsteps to force their way into anybody's -life, footsteps not easily made clean again if once stained red, the -footsteps raging in Saint Antoine afar off, as the little circle sat in -the dark London window. - -Saint Antoine had been, that morning, a vast dusky mass of scarecrows -heaving to and fro, with frequent gleams of light above the billowy -heads, where steel blades and bayonets shone in the sun. A tremendous -roar arose from the throat of Saint Antoine, and a forest of naked arms -struggled in the air like shrivelled branches of trees in a winter wind: -all the fingers convulsively clutching at every weapon or semblance of a -weapon that was thrown up from the depths below, no matter how far off. - -Who gave them out, whence they last came, where they began, through what -agency they crookedly quivered and jerked, scores at a time, over the -heads of the crowd, like a kind of lightning, no eye in the throng could -have told; but, muskets were being distributed--so were cartridges, -powder, and ball, bars of iron and wood, knives, axes, pikes, every -weapon that distracted ingenuity could discover or devise. People who -could lay hold of nothing else, set themselves with bleeding hands to -force stones and bricks out of their places in walls. Every pulse and -heart in Saint Antoine was on high-fever strain and at high-fever heat. -Every living creature there held life as of no account, and was demented -with a passionate readiness to sacrifice it. - -As a whirlpool of boiling waters has a centre point, so, all this raging -circled round Defarge's wine-shop, and every human drop in the caldron -had a tendency to be sucked towards the vortex where Defarge himself, -already begrimed with gunpowder and sweat, issued orders, issued arms, -thrust this man back, dragged this man forward, disarmed one to arm -another, laboured and strove in the thickest of the uproar. - -“Keep near to me, Jacques Three,” cried Defarge; “and do you, Jacques -One and Two, separate and put yourselves at the head of as many of these -patriots as you can. Where is my wife?” - -“Eh, well! Here you see me!” said madame, composed as ever, but not -knitting to-day. Madame's resolute right hand was occupied with an axe, -in place of the usual softer implements, and in her girdle were a pistol -and a cruel knife. - -“Where do you go, my wife?” - -“I go,” said madame, “with you at present. You shall see me at the head -of women, by-and-bye.” - -“Come, then!” cried Defarge, in a resounding voice. “Patriots and -friends, we are ready! The Bastille!” - -With a roar that sounded as if all the breath in France had been shaped -into the detested word, the living sea rose, wave on wave, depth on -depth, and overflowed the city to that point. Alarm-bells ringing, drums -beating, the sea raging and thundering on its new beach, the attack -began. - -Deep ditches, double drawbridge, massive stone walls, eight great -towers, cannon, muskets, fire and smoke. Through the fire and through -the smoke--in the fire and in the smoke, for the sea cast him up against -a cannon, and on the instant he became a cannonier--Defarge of the -wine-shop worked like a manful soldier, Two fierce hours. - -Deep ditch, single drawbridge, massive stone walls, eight great towers, -cannon, muskets, fire and smoke. One drawbridge down! “Work, comrades -all, work! Work, Jacques One, Jacques Two, Jacques One Thousand, Jacques -Two Thousand, Jacques Five-and-Twenty Thousand; in the name of all -the Angels or the Devils--which you prefer--work!” Thus Defarge of the -wine-shop, still at his gun, which had long grown hot. - -“To me, women!” cried madame his wife. “What! We can kill as well as -the men when the place is taken!” And to her, with a shrill thirsty -cry, trooping women variously armed, but all armed alike in hunger and -revenge. - -Cannon, muskets, fire and smoke; but, still the deep ditch, the single -drawbridge, the massive stone walls, and the eight great towers. Slight -displacements of the raging sea, made by the falling wounded. Flashing -weapons, blazing torches, smoking waggonloads of wet straw, hard work -at neighbouring barricades in all directions, shrieks, volleys, -execrations, bravery without stint, boom smash and rattle, and the -furious sounding of the living sea; but, still the deep ditch, and the -single drawbridge, and the massive stone walls, and the eight great -towers, and still Defarge of the wine-shop at his gun, grown doubly hot -by the service of Four fierce hours. - -A white flag from within the fortress, and a parley--this dimly -perceptible through the raging storm, nothing audible in it--suddenly -the sea rose immeasurably wider and higher, and swept Defarge of the -wine-shop over the lowered drawbridge, past the massive stone outer -walls, in among the eight great towers surrendered! - -So resistless was the force of the ocean bearing him on, that even to -draw his breath or turn his head was as impracticable as if he had been -struggling in the surf at the South Sea, until he was landed in the -outer courtyard of the Bastille. There, against an angle of a wall, he -made a struggle to look about him. Jacques Three was nearly at his side; -Madame Defarge, still heading some of her women, was visible in the -inner distance, and her knife was in her hand. Everywhere was tumult, -exultation, deafening and maniacal bewilderment, astounding noise, yet -furious dumb-show. - -“The Prisoners!” - -“The Records!” - -“The secret cells!” - -“The instruments of torture!” - -“The Prisoners!” - -Of all these cries, and ten thousand incoherences, “The Prisoners!” was -the cry most taken up by the sea that rushed in, as if there were an -eternity of people, as well as of time and space. When the foremost -billows rolled past, bearing the prison officers with them, and -threatening them all with instant death if any secret nook remained -undisclosed, Defarge laid his strong hand on the breast of one of -these men--a man with a grey head, who had a lighted torch in his -hand--separated him from the rest, and got him between himself and the -wall. - -“Show me the North Tower!” said Defarge. “Quick!” - -“I will faithfully,” replied the man, “if you will come with me. But -there is no one there.” - -“What is the meaning of One Hundred and Five, North Tower?” asked -Defarge. “Quick!” - -“The meaning, monsieur?” - -“Does it mean a captive, or a place of captivity? Or do you mean that I -shall strike you dead?” - -“Kill him!” croaked Jacques Three, who had come close up. - -“Monsieur, it is a cell.” - -“Show it me!” - -“Pass this way, then.” - -Jacques Three, with his usual craving on him, and evidently disappointed -by the dialogue taking a turn that did not seem to promise bloodshed, -held by Defarge's arm as he held by the turnkey's. Their three heads had -been close together during this brief discourse, and it had been as much -as they could do to hear one another, even then: so tremendous was the -noise of the living ocean, in its irruption into the Fortress, and -its inundation of the courts and passages and staircases. All around -outside, too, it beat the walls with a deep, hoarse roar, from which, -occasionally, some partial shouts of tumult broke and leaped into the -air like spray. - -Through gloomy vaults where the light of day had never shone, past -hideous doors of dark dens and cages, down cavernous flights of steps, -and again up steep rugged ascents of stone and brick, more like dry -waterfalls than staircases, Defarge, the turnkey, and Jacques Three, -linked hand and arm, went with all the speed they could make. Here and -there, especially at first, the inundation started on them and swept by; -but when they had done descending, and were winding and climbing up a -tower, they were alone. Hemmed in here by the massive thickness of walls -and arches, the storm within the fortress and without was only audible -to them in a dull, subdued way, as if the noise out of which they had -come had almost destroyed their sense of hearing. - -The turnkey stopped at a low door, put a key in a clashing lock, swung -the door slowly open, and said, as they all bent their heads and passed -in: - -“One hundred and five, North Tower!” - -There was a small, heavily-grated, unglazed window high in the wall, -with a stone screen before it, so that the sky could be only seen by -stooping low and looking up. There was a small chimney, heavily barred -across, a few feet within. There was a heap of old feathery wood-ashes -on the hearth. There was a stool, and table, and a straw bed. There were -the four blackened walls, and a rusted iron ring in one of them. - -“Pass that torch slowly along these walls, that I may see them,” said -Defarge to the turnkey. - -The man obeyed, and Defarge followed the light closely with his eyes. - -“Stop!--Look here, Jacques!” - -“A. M.!” croaked Jacques Three, as he read greedily. - -“Alexandre Manette,” said Defarge in his ear, following the letters -with his swart forefinger, deeply engrained with gunpowder. “And here he -wrote 'a poor physician.' And it was he, without doubt, who scratched -a calendar on this stone. What is that in your hand? A crowbar? Give it -me!” - -He had still the linstock of his gun in his own hand. He made a sudden -exchange of the two instruments, and turning on the worm-eaten stool and -table, beat them to pieces in a few blows. - -“Hold the light higher!” he said, wrathfully, to the turnkey. “Look -among those fragments with care, Jacques. And see! Here is my knife,” - throwing it to him; “rip open that bed, and search the straw. Hold the -light higher, you!” - -With a menacing look at the turnkey he crawled upon the hearth, and, -peering up the chimney, struck and prised at its sides with the crowbar, -and worked at the iron grating across it. In a few minutes, some mortar -and dust came dropping down, which he averted his face to avoid; and -in it, and in the old wood-ashes, and in a crevice in the chimney -into which his weapon had slipped or wrought itself, he groped with a -cautious touch. - -“Nothing in the wood, and nothing in the straw, Jacques?” - -“Nothing.” - -“Let us collect them together, in the middle of the cell. So! Light -them, you!” - -The turnkey fired the little pile, which blazed high and hot. Stooping -again to come out at the low-arched door, they left it burning, and -retraced their way to the courtyard; seeming to recover their sense -of hearing as they came down, until they were in the raging flood once -more. - -They found it surging and tossing, in quest of Defarge himself. Saint -Antoine was clamorous to have its wine-shop keeper foremost in the guard -upon the governor who had defended the Bastille and shot the people. -Otherwise, the governor would not be marched to the Hotel de Ville for -judgment. Otherwise, the governor would escape, and the people's -blood (suddenly of some value, after many years of worthlessness) be -unavenged. - -In the howling universe of passion and contention that seemed to -encompass this grim old officer conspicuous in his grey coat and red -decoration, there was but one quite steady figure, and that was a -woman's. “See, there is my husband!” she cried, pointing him out. -“See Defarge!” She stood immovable close to the grim old officer, and -remained immovable close to him; remained immovable close to him through -the streets, as Defarge and the rest bore him along; remained immovable -close to him when he was got near his destination, and began to -be struck at from behind; remained immovable close to him when the -long-gathering rain of stabs and blows fell heavy; was so close to him -when he dropped dead under it, that, suddenly animated, she put her foot -upon his neck, and with her cruel knife--long ready--hewed off his head. - -The hour was come, when Saint Antoine was to execute his horrible idea -of hoisting up men for lamps to show what he could be and do. Saint -Antoine's blood was up, and the blood of tyranny and domination by the -iron hand was down--down on the steps of the Hotel de Ville where the -governor's body lay--down on the sole of the shoe of Madame Defarge -where she had trodden on the body to steady it for mutilation. “Lower -the lamp yonder!” cried Saint Antoine, after glaring round for a new -means of death; “here is one of his soldiers to be left on guard!” The -swinging sentinel was posted, and the sea rushed on. - -The sea of black and threatening waters, and of destructive upheaving -of wave against wave, whose depths were yet unfathomed and whose forces -were yet unknown. The remorseless sea of turbulently swaying shapes, -voices of vengeance, and faces hardened in the furnaces of suffering -until the touch of pity could make no mark on them. - -But, in the ocean of faces where every fierce and furious expression was -in vivid life, there were two groups of faces--each seven in number--so -fixedly contrasting with the rest, that never did sea roll which bore -more memorable wrecks with it. Seven faces of prisoners, suddenly -released by the storm that had burst their tomb, were carried high -overhead: all scared, all lost, all wondering and amazed, as if the Last -Day were come, and those who rejoiced around them were lost spirits. -Other seven faces there were, carried higher, seven dead faces, whose -drooping eyelids and half-seen eyes awaited the Last Day. Impassive -faces, yet with a suspended--not an abolished--expression on them; -faces, rather, in a fearful pause, as having yet to raise the dropped -lids of the eyes, and bear witness with the bloodless lips, “THOU DIDST -IT!” - -Seven prisoners released, seven gory heads on pikes, the keys of the -accursed fortress of the eight strong towers, some discovered letters -and other memorials of prisoners of old time, long dead of broken -hearts,--such, and such--like, the loudly echoing footsteps of Saint -Antoine escort through the Paris streets in mid-July, one thousand seven -hundred and eighty-nine. Now, Heaven defeat the fancy of Lucie Darnay, -and keep these feet far out of her life! For, they are headlong, mad, -and dangerous; and in the years so long after the breaking of the cask -at Defarge's wine-shop door, they are not easily purified when once -stained red. - - - - -XXII. The Sea Still Rises - - -Haggard Saint Antoine had had only one exultant week, in which to soften -his modicum of hard and bitter bread to such extent as he could, with -the relish of fraternal embraces and congratulations, when Madame -Defarge sat at her counter, as usual, presiding over the customers. -Madame Defarge wore no rose in her head, for the great brotherhood of -Spies had become, even in one short week, extremely chary of trusting -themselves to the saint's mercies. The lamps across his streets had a -portentously elastic swing with them. - -Madame Defarge, with her arms folded, sat in the morning light and heat, -contemplating the wine-shop and the street. In both, there were several -knots of loungers, squalid and miserable, but now with a manifest sense -of power enthroned on their distress. The raggedest nightcap, awry on -the wretchedest head, had this crooked significance in it: “I know how -hard it has grown for me, the wearer of this, to support life in myself; -but do you know how easy it has grown for me, the wearer of this, to -destroy life in you?” Every lean bare arm, that had been without work -before, had this work always ready for it now, that it could strike. -The fingers of the knitting women were vicious, with the experience that -they could tear. There was a change in the appearance of Saint Antoine; -the image had been hammering into this for hundreds of years, and the -last finishing blows had told mightily on the expression. - -Madame Defarge sat observing it, with such suppressed approval as was -to be desired in the leader of the Saint Antoine women. One of her -sisterhood knitted beside her. The short, rather plump wife of a starved -grocer, and the mother of two children withal, this lieutenant had -already earned the complimentary name of The Vengeance. - -“Hark!” said The Vengeance. “Listen, then! Who comes?” - -As if a train of powder laid from the outermost bound of Saint Antoine -Quarter to the wine-shop door, had been suddenly fired, a fast-spreading -murmur came rushing along. - -“It is Defarge,” said madame. “Silence, patriots!” - -Defarge came in breathless, pulled off a red cap he wore, and looked -around him! “Listen, everywhere!” said madame again. “Listen to him!” - Defarge stood, panting, against a background of eager eyes and open -mouths, formed outside the door; all those within the wine-shop had -sprung to their feet. - -“Say then, my husband. What is it?” - -“News from the other world!” - -“How, then?” cried madame, contemptuously. “The other world?” - -“Does everybody here recall old Foulon, who told the famished people -that they might eat grass, and who died, and went to Hell?” - -“Everybody!” from all throats. - -“The news is of him. He is among us!” - -“Among us!” from the universal throat again. “And dead?” - -“Not dead! He feared us so much--and with reason--that he caused himself -to be represented as dead, and had a grand mock-funeral. But they have -found him alive, hiding in the country, and have brought him in. I have -seen him but now, on his way to the Hotel de Ville, a prisoner. I have -said that he had reason to fear us. Say all! _Had_ he reason?” - -Wretched old sinner of more than threescore years and ten, if he had -never known it yet, he would have known it in his heart of hearts if he -could have heard the answering cry. - -A moment of profound silence followed. Defarge and his wife looked -steadfastly at one another. The Vengeance stooped, and the jar of a drum -was heard as she moved it at her feet behind the counter. - -“Patriots!” said Defarge, in a determined voice, “are we ready?” - -Instantly Madame Defarge's knife was in her girdle; the drum was beating -in the streets, as if it and a drummer had flown together by magic; and -The Vengeance, uttering terrific shrieks, and flinging her arms about -her head like all the forty Furies at once, was tearing from house to -house, rousing the women. - -The men were terrible, in the bloody-minded anger with which they looked -from windows, caught up what arms they had, and came pouring down into -the streets; but, the women were a sight to chill the boldest. From -such household occupations as their bare poverty yielded, from their -children, from their aged and their sick crouching on the bare ground -famished and naked, they ran out with streaming hair, urging one -another, and themselves, to madness with the wildest cries and actions. -Villain Foulon taken, my sister! Old Foulon taken, my mother! Miscreant -Foulon taken, my daughter! Then, a score of others ran into the midst of -these, beating their breasts, tearing their hair, and screaming, Foulon -alive! Foulon who told the starving people they might eat grass! Foulon -who told my old father that he might eat grass, when I had no bread -to give him! Foulon who told my baby it might suck grass, when these -breasts were dry with want! O mother of God, this Foulon! O Heaven our -suffering! Hear me, my dead baby and my withered father: I swear on my -knees, on these stones, to avenge you on Foulon! Husbands, and brothers, -and young men, Give us the blood of Foulon, Give us the head of Foulon, -Give us the heart of Foulon, Give us the body and soul of Foulon, Rend -Foulon to pieces, and dig him into the ground, that grass may grow from -him! With these cries, numbers of the women, lashed into blind frenzy, -whirled about, striking and tearing at their own friends until they -dropped into a passionate swoon, and were only saved by the men -belonging to them from being trampled under foot. - -Nevertheless, not a moment was lost; not a moment! This Foulon was at -the Hotel de Ville, and might be loosed. Never, if Saint Antoine knew -his own sufferings, insults, and wrongs! Armed men and women flocked out -of the Quarter so fast, and drew even these last dregs after them with -such a force of suction, that within a quarter of an hour there was not -a human creature in Saint Antoine's bosom but a few old crones and the -wailing children. - -No. They were all by that time choking the Hall of Examination where -this old man, ugly and wicked, was, and overflowing into the adjacent -open space and streets. The Defarges, husband and wife, The Vengeance, -and Jacques Three, were in the first press, and at no great distance -from him in the Hall. - -“See!” cried madame, pointing with her knife. “See the old villain bound -with ropes. That was well done to tie a bunch of grass upon his back. -Ha, ha! That was well done. Let him eat it now!” Madame put her knife -under her arm, and clapped her hands as at a play. - -The people immediately behind Madame Defarge, explaining the cause of -her satisfaction to those behind them, and those again explaining to -others, and those to others, the neighbouring streets resounded with the -clapping of hands. Similarly, during two or three hours of drawl, -and the winnowing of many bushels of words, Madame Defarge's frequent -expressions of impatience were taken up, with marvellous quickness, at -a distance: the more readily, because certain men who had by some -wonderful exercise of agility climbed up the external architecture -to look in from the windows, knew Madame Defarge well, and acted as a -telegraph between her and the crowd outside the building. - -At length the sun rose so high that it struck a kindly ray as of hope or -protection, directly down upon the old prisoner's head. The favour was -too much to bear; in an instant the barrier of dust and chaff that had -stood surprisingly long, went to the winds, and Saint Antoine had got -him! - -It was known directly, to the furthest confines of the crowd. Defarge -had but sprung over a railing and a table, and folded the miserable -wretch in a deadly embrace--Madame Defarge had but followed and turned -her hand in one of the ropes with which he was tied--The Vengeance and -Jacques Three were not yet up with them, and the men at the windows -had not yet swooped into the Hall, like birds of prey from their high -perches--when the cry seemed to go up, all over the city, “Bring him -out! Bring him to the lamp!” - -Down, and up, and head foremost on the steps of the building; now, on -his knees; now, on his feet; now, on his back; dragged, and struck at, -and stifled by the bunches of grass and straw that were thrust into his -face by hundreds of hands; torn, bruised, panting, bleeding, yet always -entreating and beseeching for mercy; now full of vehement agony of -action, with a small clear space about him as the people drew one -another back that they might see; now, a log of dead wood drawn through -a forest of legs; he was hauled to the nearest street corner where one -of the fatal lamps swung, and there Madame Defarge let him go--as a cat -might have done to a mouse--and silently and composedly looked at him -while they made ready, and while he besought her: the women passionately -screeching at him all the time, and the men sternly calling out to have -him killed with grass in his mouth. Once, he went aloft, and the rope -broke, and they caught him shrieking; twice, he went aloft, and the rope -broke, and they caught him shrieking; then, the rope was merciful, and -held him, and his head was soon upon a pike, with grass enough in the -mouth for all Saint Antoine to dance at the sight of. - -Nor was this the end of the day's bad work, for Saint Antoine so shouted -and danced his angry blood up, that it boiled again, on hearing when -the day closed in that the son-in-law of the despatched, another of the -people's enemies and insulters, was coming into Paris under a guard -five hundred strong, in cavalry alone. Saint Antoine wrote his crimes -on flaring sheets of paper, seized him--would have torn him out of the -breast of an army to bear Foulon company--set his head and heart on -pikes, and carried the three spoils of the day, in Wolf-procession -through the streets. - -Not before dark night did the men and women come back to the children, -wailing and breadless. Then, the miserable bakers' shops were beset by -long files of them, patiently waiting to buy bad bread; and while -they waited with stomachs faint and empty, they beguiled the time by -embracing one another on the triumphs of the day, and achieving them -again in gossip. Gradually, these strings of ragged people shortened and -frayed away; and then poor lights began to shine in high windows, and -slender fires were made in the streets, at which neighbours cooked in -common, afterwards supping at their doors. - -Scanty and insufficient suppers those, and innocent of meat, as of -most other sauce to wretched bread. Yet, human fellowship infused -some nourishment into the flinty viands, and struck some sparks of -cheerfulness out of them. Fathers and mothers who had had their full -share in the worst of the day, played gently with their meagre children; -and lovers, with such a world around them and before them, loved and -hoped. - -It was almost morning, when Defarge's wine-shop parted with its last -knot of customers, and Monsieur Defarge said to madame his wife, in -husky tones, while fastening the door: - -“At last it is come, my dear!” - -“Eh well!” returned madame. “Almost.” - -Saint Antoine slept, the Defarges slept: even The Vengeance slept with -her starved grocer, and the drum was at rest. The drum's was the -only voice in Saint Antoine that blood and hurry had not changed. The -Vengeance, as custodian of the drum, could have wakened him up and had -the same speech out of him as before the Bastille fell, or old Foulon -was seized; not so with the hoarse tones of the men and women in Saint -Antoine's bosom. - - - - -XXIII. Fire Rises - - -There was a change on the village where the fountain fell, and where -the mender of roads went forth daily to hammer out of the stones on the -highway such morsels of bread as might serve for patches to hold his -poor ignorant soul and his poor reduced body together. The prison on the -crag was not so dominant as of yore; there were soldiers to guard it, -but not many; there were officers to guard the soldiers, but not one of -them knew what his men would do--beyond this: that it would probably not -be what he was ordered. - -Far and wide lay a ruined country, yielding nothing but desolation. -Every green leaf, every blade of grass and blade of grain, was as -shrivelled and poor as the miserable people. Everything was bowed down, -dejected, oppressed, and broken. Habitations, fences, domesticated -animals, men, women, children, and the soil that bore them--all worn -out. - -Monseigneur (often a most worthy individual gentleman) was a national -blessing, gave a chivalrous tone to things, was a polite example of -luxurious and shining life, and a great deal more to equal purpose; -nevertheless, Monseigneur as a class had, somehow or other, brought -things to this. Strange that Creation, designed expressly for -Monseigneur, should be so soon wrung dry and squeezed out! There must -be something short-sighted in the eternal arrangements, surely! Thus it -was, however; and the last drop of blood having been extracted from the -flints, and the last screw of the rack having been turned so often that -its purchase crumbled, and it now turned and turned with nothing -to bite, Monseigneur began to run away from a phenomenon so low and -unaccountable. - -But, this was not the change on the village, and on many a village like -it. For scores of years gone by, Monseigneur had squeezed it and wrung -it, and had seldom graced it with his presence except for the pleasures -of the chase--now, found in hunting the people; now, found in hunting -the beasts, for whose preservation Monseigneur made edifying spaces -of barbarous and barren wilderness. No. The change consisted in -the appearance of strange faces of low caste, rather than in the -disappearance of the high caste, chiselled, and otherwise beautified and -beautifying features of Monseigneur. - -For, in these times, as the mender of roads worked, solitary, in the -dust, not often troubling himself to reflect that dust he was and -to dust he must return, being for the most part too much occupied in -thinking how little he had for supper and how much more he would eat if -he had it--in these times, as he raised his eyes from his lonely labour, -and viewed the prospect, he would see some rough figure approaching on -foot, the like of which was once a rarity in those parts, but was now -a frequent presence. As it advanced, the mender of roads would discern -without surprise, that it was a shaggy-haired man, of almost barbarian -aspect, tall, in wooden shoes that were clumsy even to the eyes of a -mender of roads, grim, rough, swart, steeped in the mud and dust of many -highways, dank with the marshy moisture of many low grounds, sprinkled -with the thorns and leaves and moss of many byways through woods. - -Such a man came upon him, like a ghost, at noon in the July weather, -as he sat on his heap of stones under a bank, taking such shelter as he -could get from a shower of hail. - -The man looked at him, looked at the village in the hollow, at the mill, -and at the prison on the crag. When he had identified these objects -in what benighted mind he had, he said, in a dialect that was just -intelligible: - -“How goes it, Jacques?” - -“All well, Jacques.” - -“Touch then!” - -They joined hands, and the man sat down on the heap of stones. - -“No dinner?” - -“Nothing but supper now,” said the mender of roads, with a hungry face. - -“It is the fashion,” growled the man. “I meet no dinner anywhere.” - -He took out a blackened pipe, filled it, lighted it with flint and -steel, pulled at it until it was in a bright glow: then, suddenly held -it from him and dropped something into it from between his finger and -thumb, that blazed and went out in a puff of smoke. - -“Touch then.” It was the turn of the mender of roads to say it this -time, after observing these operations. They again joined hands. - -“To-night?” said the mender of roads. - -“To-night,” said the man, putting the pipe in his mouth. - -“Where?” - -“Here.” - -He and the mender of roads sat on the heap of stones looking silently at -one another, with the hail driving in between them like a pigmy charge -of bayonets, until the sky began to clear over the village. - -“Show me!” said the traveller then, moving to the brow of the hill. - -“See!” returned the mender of roads, with extended finger. “You go down -here, and straight through the street, and past the fountain--” - -“To the Devil with all that!” interrupted the other, rolling his eye -over the landscape. “_I_ go through no streets and past no fountains. -Well?” - -“Well! About two leagues beyond the summit of that hill above the -village.” - -“Good. When do you cease to work?” - -“At sunset.” - -“Will you wake me, before departing? I have walked two nights without -resting. Let me finish my pipe, and I shall sleep like a child. Will you -wake me?” - -“Surely.” - -The wayfarer smoked his pipe out, put it in his breast, slipped off his -great wooden shoes, and lay down on his back on the heap of stones. He -was fast asleep directly. - -As the road-mender plied his dusty labour, and the hail-clouds, rolling -away, revealed bright bars and streaks of sky which were responded to -by silver gleams upon the landscape, the little man (who wore a red cap -now, in place of his blue one) seemed fascinated by the figure on the -heap of stones. His eyes were so often turned towards it, that he used -his tools mechanically, and, one would have said, to very poor account. -The bronze face, the shaggy black hair and beard, the coarse woollen -red cap, the rough medley dress of home-spun stuff and hairy skins of -beasts, the powerful frame attenuated by spare living, and the sullen -and desperate compression of the lips in sleep, inspired the mender -of roads with awe. The traveller had travelled far, and his feet were -footsore, and his ankles chafed and bleeding; his great shoes, stuffed -with leaves and grass, had been heavy to drag over the many long -leagues, and his clothes were chafed into holes, as he himself was into -sores. Stooping down beside him, the road-mender tried to get a peep at -secret weapons in his breast or where not; but, in vain, for he slept -with his arms crossed upon him, and set as resolutely as his lips. -Fortified towns with their stockades, guard-houses, gates, trenches, and -drawbridges, seemed to the mender of roads, to be so much air as against -this figure. And when he lifted his eyes from it to the horizon and -looked around, he saw in his small fancy similar figures, stopped by no -obstacle, tending to centres all over France. - -The man slept on, indifferent to showers of hail and intervals of -brightness, to sunshine on his face and shadow, to the paltering lumps -of dull ice on his body and the diamonds into which the sun changed -them, until the sun was low in the west, and the sky was glowing. Then, -the mender of roads having got his tools together and all things ready -to go down into the village, roused him. - -“Good!” said the sleeper, rising on his elbow. “Two leagues beyond the -summit of the hill?” - -“About.” - -“About. Good!” - -The mender of roads went home, with the dust going on before him -according to the set of the wind, and was soon at the fountain, -squeezing himself in among the lean kine brought there to drink, and -appearing even to whisper to them in his whispering to all the village. -When the village had taken its poor supper, it did not creep to bed, -as it usually did, but came out of doors again, and remained there. A -curious contagion of whispering was upon it, and also, when it gathered -together at the fountain in the dark, another curious contagion of -looking expectantly at the sky in one direction only. Monsieur Gabelle, -chief functionary of the place, became uneasy; went out on his house-top -alone, and looked in that direction too; glanced down from behind his -chimneys at the darkening faces by the fountain below, and sent word to -the sacristan who kept the keys of the church, that there might be need -to ring the tocsin by-and-bye. - -The night deepened. The trees environing the old chateau, keeping its -solitary state apart, moved in a rising wind, as though they threatened -the pile of building massive and dark in the gloom. Up the two terrace -flights of steps the rain ran wildly, and beat at the great door, like a -swift messenger rousing those within; uneasy rushes of wind went through -the hall, among the old spears and knives, and passed lamenting up the -stairs, and shook the curtains of the bed where the last Marquis -had slept. East, West, North, and South, through the woods, four -heavy-treading, unkempt figures crushed the high grass and cracked the -branches, striding on cautiously to come together in the courtyard. Four -lights broke out there, and moved away in different directions, and all -was black again. - -But, not for long. Presently, the chateau began to make itself strangely -visible by some light of its own, as though it were growing luminous. -Then, a flickering streak played behind the architecture of the front, -picking out transparent places, and showing where balustrades, arches, -and windows were. Then it soared higher, and grew broader and brighter. -Soon, from a score of the great windows, flames burst forth, and the -stone faces awakened, stared out of fire. - -A faint murmur arose about the house from the few people who were left -there, and there was a saddling of a horse and riding away. There was -spurring and splashing through the darkness, and bridle was drawn in the -space by the village fountain, and the horse in a foam stood at Monsieur -Gabelle's door. “Help, Gabelle! Help, every one!” The tocsin rang -impatiently, but other help (if that were any) there was none. The -mender of roads, and two hundred and fifty particular friends, stood -with folded arms at the fountain, looking at the pillar of fire in the -sky. “It must be forty feet high,” said they, grimly; and never moved. - -The rider from the chateau, and the horse in a foam, clattered away -through the village, and galloped up the stony steep, to the prison on -the crag. At the gate, a group of officers were looking at the fire; -removed from them, a group of soldiers. “Help, gentlemen--officers! The -chateau is on fire; valuable objects may be saved from the flames by -timely aid! Help, help!” The officers looked towards the soldiers who -looked at the fire; gave no orders; and answered, with shrugs and biting -of lips, “It must burn.” - -As the rider rattled down the hill again and through the street, the -village was illuminating. The mender of roads, and the two hundred and -fifty particular friends, inspired as one man and woman by the idea of -lighting up, had darted into their houses, and were putting candles in -every dull little pane of glass. The general scarcity of everything, -occasioned candles to be borrowed in a rather peremptory manner of -Monsieur Gabelle; and in a moment of reluctance and hesitation on -that functionary's part, the mender of roads, once so submissive to -authority, had remarked that carriages were good to make bonfires with, -and that post-horses would roast. - -The chateau was left to itself to flame and burn. In the roaring and -raging of the conflagration, a red-hot wind, driving straight from the -infernal regions, seemed to be blowing the edifice away. With the rising -and falling of the blaze, the stone faces showed as if they were in -torment. When great masses of stone and timber fell, the face with the -two dints in the nose became obscured: anon struggled out of the smoke -again, as if it were the face of the cruel Marquis, burning at the stake -and contending with the fire. - -The chateau burned; the nearest trees, laid hold of by the fire, -scorched and shrivelled; trees at a distance, fired by the four fierce -figures, begirt the blazing edifice with a new forest of smoke. Molten -lead and iron boiled in the marble basin of the fountain; the water ran -dry; the extinguisher tops of the towers vanished like ice before the -heat, and trickled down into four rugged wells of flame. Great rents and -splits branched out in the solid walls, like crystallisation; stupefied -birds wheeled about and dropped into the furnace; four fierce figures -trudged away, East, West, North, and South, along the night-enshrouded -roads, guided by the beacon they had lighted, towards their next -destination. The illuminated village had seized hold of the tocsin, and, -abolishing the lawful ringer, rang for joy. - -Not only that; but the village, light-headed with famine, fire, and -bell-ringing, and bethinking itself that Monsieur Gabelle had to do with -the collection of rent and taxes--though it was but a small instalment -of taxes, and no rent at all, that Gabelle had got in those latter -days--became impatient for an interview with him, and, surrounding his -house, summoned him to come forth for personal conference. Whereupon, -Monsieur Gabelle did heavily bar his door, and retire to hold counsel -with himself. The result of that conference was, that Gabelle again -withdrew himself to his housetop behind his stack of chimneys; this time -resolved, if his door were broken in (he was a small Southern man -of retaliative temperament), to pitch himself head foremost over the -parapet, and crush a man or two below. - -Probably, Monsieur Gabelle passed a long night up there, with the -distant chateau for fire and candle, and the beating at his door, -combined with the joy-ringing, for music; not to mention his having an -ill-omened lamp slung across the road before his posting-house gate, -which the village showed a lively inclination to displace in his favour. -A trying suspense, to be passing a whole summer night on the brink of -the black ocean, ready to take that plunge into it upon which Monsieur -Gabelle had resolved! But, the friendly dawn appearing at last, and the -rush-candles of the village guttering out, the people happily dispersed, -and Monsieur Gabelle came down bringing his life with him for that -while. - -Within a hundred miles, and in the light of other fires, there were -other functionaries less fortunate, that night and other nights, whom -the rising sun found hanging across once-peaceful streets, where they -had been born and bred; also, there were other villagers and townspeople -less fortunate than the mender of roads and his fellows, upon whom the -functionaries and soldiery turned with success, and whom they strung up -in their turn. But, the fierce figures were steadily wending East, West, -North, and South, be that as it would; and whosoever hung, fire burned. -The altitude of the gallows that would turn to water and quench it, -no functionary, by any stretch of mathematics, was able to calculate -successfully. - - - - -XXIV. Drawn to the Loadstone Rock - - -In such risings of fire and risings of sea--the firm earth shaken by -the rushes of an angry ocean which had now no ebb, but was always on the -flow, higher and higher, to the terror and wonder of the beholders on -the shore--three years of tempest were consumed. Three more birthdays -of little Lucie had been woven by the golden thread into the peaceful -tissue of the life of her home. - -Many a night and many a day had its inmates listened to the echoes in -the corner, with hearts that failed them when they heard the thronging -feet. For, the footsteps had become to their minds as the footsteps of -a people, tumultuous under a red flag and with their country declared in -danger, changed into wild beasts, by terrible enchantment long persisted -in. - -Monseigneur, as a class, had dissociated himself from the phenomenon of -his not being appreciated: of his being so little wanted in France, as -to incur considerable danger of receiving his dismissal from it, and -this life together. Like the fabled rustic who raised the Devil with -infinite pains, and was so terrified at the sight of him that he could -ask the Enemy no question, but immediately fled; so, Monseigneur, after -boldly reading the Lord's Prayer backwards for a great number of years, -and performing many other potent spells for compelling the Evil One, no -sooner beheld him in his terrors than he took to his noble heels. - -The shining Bull's Eye of the Court was gone, or it would have been the -mark for a hurricane of national bullets. It had never been a good -eye to see with--had long had the mote in it of Lucifer's pride, -Sardanapalus's luxury, and a mole's blindness--but it had dropped -out and was gone. The Court, from that exclusive inner circle to its -outermost rotten ring of intrigue, corruption, and dissimulation, was -all gone together. Royalty was gone; had been besieged in its Palace and -“suspended,” when the last tidings came over. - -The August of the year one thousand seven hundred and ninety-two was -come, and Monseigneur was by this time scattered far and wide. - -As was natural, the head-quarters and great gathering-place of -Monseigneur, in London, was Tellson's Bank. Spirits are supposed to -haunt the places where their bodies most resorted, and Monseigneur -without a guinea haunted the spot where his guineas used to be. -Moreover, it was the spot to which such French intelligence as was most -to be relied upon, came quickest. Again: Tellson's was a munificent -house, and extended great liberality to old customers who had fallen -from their high estate. Again: those nobles who had seen the coming -storm in time, and anticipating plunder or confiscation, had made -provident remittances to Tellson's, were always to be heard of there -by their needy brethren. To which it must be added that every new-comer -from France reported himself and his tidings at Tellson's, almost as -a matter of course. For such variety of reasons, Tellson's was at that -time, as to French intelligence, a kind of High Exchange; and this -was so well known to the public, and the inquiries made there were in -consequence so numerous, that Tellson's sometimes wrote the latest news -out in a line or so and posted it in the Bank windows, for all who ran -through Temple Bar to read. - -On a steaming, misty afternoon, Mr. Lorry sat at his desk, and Charles -Darnay stood leaning on it, talking with him in a low voice. The -penitential den once set apart for interviews with the House, was now -the news-Exchange, and was filled to overflowing. It was within half an -hour or so of the time of closing. - -“But, although you are the youngest man that ever lived,” said Charles -Darnay, rather hesitating, “I must still suggest to you--” - -“I understand. That I am too old?” said Mr. Lorry. - -“Unsettled weather, a long journey, uncertain means of travelling, a -disorganised country, a city that may not be even safe for you.” - -“My dear Charles,” said Mr. Lorry, with cheerful confidence, “you touch -some of the reasons for my going: not for my staying away. It is safe -enough for me; nobody will care to interfere with an old fellow of hard -upon fourscore when there are so many people there much better worth -interfering with. As to its being a disorganised city, if it were not a -disorganised city there would be no occasion to send somebody from our -House here to our House there, who knows the city and the business, of -old, and is in Tellson's confidence. As to the uncertain travelling, the -long journey, and the winter weather, if I were not prepared to submit -myself to a few inconveniences for the sake of Tellson's, after all -these years, who ought to be?” - -“I wish I were going myself,” said Charles Darnay, somewhat restlessly, -and like one thinking aloud. - -“Indeed! You are a pretty fellow to object and advise!” exclaimed Mr. -Lorry. “You wish you were going yourself? And you a Frenchman born? You -are a wise counsellor.” - -“My dear Mr. Lorry, it is because I am a Frenchman born, that the -thought (which I did not mean to utter here, however) has passed through -my mind often. One cannot help thinking, having had some sympathy for -the miserable people, and having abandoned something to them,” he spoke -here in his former thoughtful manner, “that one might be listened to, -and might have the power to persuade to some restraint. Only last night, -after you had left us, when I was talking to Lucie--” - -“When you were talking to Lucie,” Mr. Lorry repeated. “Yes. I wonder you -are not ashamed to mention the name of Lucie! Wishing you were going to -France at this time of day!” - -“However, I am not going,” said Charles Darnay, with a smile. “It is -more to the purpose that you say you are.” - -“And I am, in plain reality. The truth is, my dear Charles,” Mr. Lorry -glanced at the distant House, and lowered his voice, “you can have no -conception of the difficulty with which our business is transacted, and -of the peril in which our books and papers over yonder are involved. The -Lord above knows what the compromising consequences would be to numbers -of people, if some of our documents were seized or destroyed; and they -might be, at any time, you know, for who can say that Paris is not set -afire to-day, or sacked to-morrow! Now, a judicious selection from these -with the least possible delay, and the burying of them, or otherwise -getting of them out of harm's way, is within the power (without loss of -precious time) of scarcely any one but myself, if any one. And shall -I hang back, when Tellson's knows this and says this--Tellson's, whose -bread I have eaten these sixty years--because I am a little stiff about -the joints? Why, I am a boy, sir, to half a dozen old codgers here!” - -“How I admire the gallantry of your youthful spirit, Mr. Lorry.” - -“Tut! Nonsense, sir!--And, my dear Charles,” said Mr. Lorry, glancing at -the House again, “you are to remember, that getting things out of -Paris at this present time, no matter what things, is next to an -impossibility. Papers and precious matters were this very day brought -to us here (I speak in strict confidence; it is not business-like to -whisper it, even to you), by the strangest bearers you can imagine, -every one of whom had his head hanging on by a single hair as he passed -the Barriers. At another time, our parcels would come and go, as easily -as in business-like Old England; but now, everything is stopped.” - -“And do you really go to-night?” - -“I really go to-night, for the case has become too pressing to admit of -delay.” - -“And do you take no one with you?” - -“All sorts of people have been proposed to me, but I will have nothing -to say to any of them. I intend to take Jerry. Jerry has been my -bodyguard on Sunday nights for a long time past and I am used to him. -Nobody will suspect Jerry of being anything but an English bull-dog, or -of having any design in his head but to fly at anybody who touches his -master.” - -“I must say again that I heartily admire your gallantry and -youthfulness.” - -“I must say again, nonsense, nonsense! When I have executed this little -commission, I shall, perhaps, accept Tellson's proposal to retire and -live at my ease. Time enough, then, to think about growing old.” - -This dialogue had taken place at Mr. Lorry's usual desk, with -Monseigneur swarming within a yard or two of it, boastful of what he -would do to avenge himself on the rascal-people before long. It was too -much the way of Monseigneur under his reverses as a refugee, and it -was much too much the way of native British orthodoxy, to talk of this -terrible Revolution as if it were the only harvest ever known under -the skies that had not been sown--as if nothing had ever been done, or -omitted to be done, that had led to it--as if observers of the wretched -millions in France, and of the misused and perverted resources that -should have made them prosperous, had not seen it inevitably coming, -years before, and had not in plain words recorded what they saw. Such -vapouring, combined with the extravagant plots of Monseigneur for the -restoration of a state of things that had utterly exhausted itself, -and worn out Heaven and earth as well as itself, was hard to be endured -without some remonstrance by any sane man who knew the truth. And it was -such vapouring all about his ears, like a troublesome confusion of blood -in his own head, added to a latent uneasiness in his mind, which had -already made Charles Darnay restless, and which still kept him so. - -Among the talkers, was Stryver, of the King's Bench Bar, far on his -way to state promotion, and, therefore, loud on the theme: broaching -to Monseigneur, his devices for blowing the people up and exterminating -them from the face of the earth, and doing without them: and for -accomplishing many similar objects akin in their nature to the abolition -of eagles by sprinkling salt on the tails of the race. Him, Darnay heard -with a particular feeling of objection; and Darnay stood divided between -going away that he might hear no more, and remaining to interpose his -word, when the thing that was to be, went on to shape itself out. - -The House approached Mr. Lorry, and laying a soiled and unopened letter -before him, asked if he had yet discovered any traces of the person to -whom it was addressed? The House laid the letter down so close to Darnay -that he saw the direction--the more quickly because it was his own right -name. The address, turned into English, ran: - -“Very pressing. To Monsieur heretofore the Marquis St. Evremonde, of -France. Confided to the cares of Messrs. Tellson and Co., Bankers, -London, England.” - -On the marriage morning, Doctor Manette had made it his one urgent and -express request to Charles Darnay, that the secret of this name should -be--unless he, the Doctor, dissolved the obligation--kept inviolate -between them. Nobody else knew it to be his name; his own wife had no -suspicion of the fact; Mr. Lorry could have none. - -“No,” said Mr. Lorry, in reply to the House; “I have referred it, -I think, to everybody now here, and no one can tell me where this -gentleman is to be found.” - -The hands of the clock verging upon the hour of closing the Bank, there -was a general set of the current of talkers past Mr. Lorry's desk. He -held the letter out inquiringly; and Monseigneur looked at it, in the -person of this plotting and indignant refugee; and Monseigneur looked at -it in the person of that plotting and indignant refugee; and This, That, -and The Other, all had something disparaging to say, in French or in -English, concerning the Marquis who was not to be found. - -“Nephew, I believe--but in any case degenerate successor--of the -polished Marquis who was murdered,” said one. “Happy to say, I never -knew him.” - -“A craven who abandoned his post,” said another--this Monseigneur had -been got out of Paris, legs uppermost and half suffocated, in a load of -hay--“some years ago.” - -“Infected with the new doctrines,” said a third, eyeing the direction -through his glass in passing; “set himself in opposition to the last -Marquis, abandoned the estates when he inherited them, and left them to -the ruffian herd. They will recompense him now, I hope, as he deserves.” - -“Hey?” cried the blatant Stryver. “Did he though? Is that the sort of -fellow? Let us look at his infamous name. D--n the fellow!” - -Darnay, unable to restrain himself any longer, touched Mr. Stryver on -the shoulder, and said: - -“I know the fellow.” - -“Do you, by Jupiter?” said Stryver. “I am sorry for it.” - -“Why?” - -“Why, Mr. Darnay? D'ye hear what he did? Don't ask, why, in these -times.” - -“But I do ask why?” - -“Then I tell you again, Mr. Darnay, I am sorry for it. I am sorry to -hear you putting any such extraordinary questions. Here is a fellow, -who, infected by the most pestilent and blasphemous code of devilry that -ever was known, abandoned his property to the vilest scum of the earth -that ever did murder by wholesale, and you ask me why I am sorry that a -man who instructs youth knows him? Well, but I'll answer you. I am sorry -because I believe there is contamination in such a scoundrel. That's -why.” - -Mindful of the secret, Darnay with great difficulty checked himself, and -said: “You may not understand the gentleman.” - -“I understand how to put _you_ in a corner, Mr. Darnay,” said Bully -Stryver, “and I'll do it. If this fellow is a gentleman, I _don't_ -understand him. You may tell him so, with my compliments. You may also -tell him, from me, that after abandoning his worldly goods and position -to this butcherly mob, I wonder he is not at the head of them. But, no, -gentlemen,” said Stryver, looking all round, and snapping his fingers, -“I know something of human nature, and I tell you that you'll never -find a fellow like this fellow, trusting himself to the mercies of such -precious _protégés_. No, gentlemen; he'll always show 'em a clean pair -of heels very early in the scuffle, and sneak away.” - -With those words, and a final snap of his fingers, Mr. Stryver -shouldered himself into Fleet-street, amidst the general approbation of -his hearers. Mr. Lorry and Charles Darnay were left alone at the desk, -in the general departure from the Bank. - -“Will you take charge of the letter?” said Mr. Lorry. “You know where to -deliver it?” - -“I do.” - -“Will you undertake to explain, that we suppose it to have been -addressed here, on the chance of our knowing where to forward it, and -that it has been here some time?” - -“I will do so. Do you start for Paris from here?” - -“From here, at eight.” - -“I will come back, to see you off.” - -Very ill at ease with himself, and with Stryver and most other men, -Darnay made the best of his way into the quiet of the Temple, opened the -letter, and read it. These were its contents: - - -“Prison of the Abbaye, Paris. - -“June 21, 1792. “MONSIEUR HERETOFORE THE MARQUIS. - -“After having long been in danger of my life at the hands of the -village, I have been seized, with great violence and indignity, and -brought a long journey on foot to Paris. On the road I have suffered a -great deal. Nor is that all; my house has been destroyed--razed to the -ground. - -“The crime for which I am imprisoned, Monsieur heretofore the Marquis, -and for which I shall be summoned before the tribunal, and shall lose my -life (without your so generous help), is, they tell me, treason against -the majesty of the people, in that I have acted against them for an -emigrant. It is in vain I represent that I have acted for them, and not -against, according to your commands. It is in vain I represent that, -before the sequestration of emigrant property, I had remitted the -imposts they had ceased to pay; that I had collected no rent; that I had -had recourse to no process. The only response is, that I have acted for -an emigrant, and where is that emigrant? - -“Ah! most gracious Monsieur heretofore the Marquis, where is that -emigrant? I cry in my sleep where is he? I demand of Heaven, will he -not come to deliver me? No answer. Ah Monsieur heretofore the Marquis, -I send my desolate cry across the sea, hoping it may perhaps reach your -ears through the great bank of Tilson known at Paris! - -“For the love of Heaven, of justice, of generosity, of the honour of -your noble name, I supplicate you, Monsieur heretofore the Marquis, to -succour and release me. My fault is, that I have been true to you. Oh -Monsieur heretofore the Marquis, I pray you be you true to me! - -“From this prison here of horror, whence I every hour tend nearer and -nearer to destruction, I send you, Monsieur heretofore the Marquis, the -assurance of my dolorous and unhappy service. - -“Your afflicted, - -“Gabelle.” - - -The latent uneasiness in Darnay's mind was roused to vigourous life -by this letter. The peril of an old servant and a good one, whose -only crime was fidelity to himself and his family, stared him so -reproachfully in the face, that, as he walked to and fro in the Temple -considering what to do, he almost hid his face from the passersby. - -He knew very well, that in his horror of the deed which had culminated -the bad deeds and bad reputation of the old family house, in his -resentful suspicions of his uncle, and in the aversion with which his -conscience regarded the crumbling fabric that he was supposed to uphold, -he had acted imperfectly. He knew very well, that in his love for Lucie, -his renunciation of his social place, though by no means new to his own -mind, had been hurried and incomplete. He knew that he ought to have -systematically worked it out and supervised it, and that he had meant to -do it, and that it had never been done. - -The happiness of his own chosen English home, the necessity of being -always actively employed, the swift changes and troubles of the time -which had followed on one another so fast, that the events of this week -annihilated the immature plans of last week, and the events of the week -following made all new again; he knew very well, that to the force of -these circumstances he had yielded:--not without disquiet, but still -without continuous and accumulating resistance. That he had watched -the times for a time of action, and that they had shifted and struggled -until the time had gone by, and the nobility were trooping from -France by every highway and byway, and their property was in course of -confiscation and destruction, and their very names were blotting out, -was as well known to himself as it could be to any new authority in -France that might impeach him for it. - -But, he had oppressed no man, he had imprisoned no man; he was so -far from having harshly exacted payment of his dues, that he had -relinquished them of his own will, thrown himself on a world with no -favour in it, won his own private place there, and earned his own -bread. Monsieur Gabelle had held the impoverished and involved estate -on written instructions, to spare the people, to give them what little -there was to give--such fuel as the heavy creditors would let them have -in the winter, and such produce as could be saved from the same grip in -the summer--and no doubt he had put the fact in plea and proof, for his -own safety, so that it could not but appear now. - -This favoured the desperate resolution Charles Darnay had begun to make, -that he would go to Paris. - -Yes. Like the mariner in the old story, the winds and streams had driven -him within the influence of the Loadstone Rock, and it was drawing him -to itself, and he must go. Everything that arose before his mind drifted -him on, faster and faster, more and more steadily, to the terrible -attraction. His latent uneasiness had been, that bad aims were being -worked out in his own unhappy land by bad instruments, and that he who -could not fail to know that he was better than they, was not there, -trying to do something to stay bloodshed, and assert the claims of mercy -and humanity. With this uneasiness half stifled, and half reproaching -him, he had been brought to the pointed comparison of himself with the -brave old gentleman in whom duty was so strong; upon that comparison -(injurious to himself) had instantly followed the sneers of Monseigneur, -which had stung him bitterly, and those of Stryver, which above all were -coarse and galling, for old reasons. Upon those, had followed Gabelle's -letter: the appeal of an innocent prisoner, in danger of death, to his -justice, honour, and good name. - -His resolution was made. He must go to Paris. - -Yes. The Loadstone Rock was drawing him, and he must sail on, until he -struck. He knew of no rock; he saw hardly any danger. The intention -with which he had done what he had done, even although he had left -it incomplete, presented it before him in an aspect that would be -gratefully acknowledged in France on his presenting himself to assert -it. Then, that glorious vision of doing good, which is so often the -sanguine mirage of so many good minds, arose before him, and he even -saw himself in the illusion with some influence to guide this raging -Revolution that was running so fearfully wild. - -As he walked to and fro with his resolution made, he considered that -neither Lucie nor her father must know of it until he was gone. -Lucie should be spared the pain of separation; and her father, always -reluctant to turn his thoughts towards the dangerous ground of old, -should come to the knowledge of the step, as a step taken, and not in -the balance of suspense and doubt. How much of the incompleteness of his -situation was referable to her father, through the painful anxiety -to avoid reviving old associations of France in his mind, he did not -discuss with himself. But, that circumstance too, had had its influence -in his course. - -He walked to and fro, with thoughts very busy, until it was time to -return to Tellson's and take leave of Mr. Lorry. As soon as he arrived -in Paris he would present himself to this old friend, but he must say -nothing of his intention now. - -A carriage with post-horses was ready at the Bank door, and Jerry was -booted and equipped. - -“I have delivered that letter,” said Charles Darnay to Mr. Lorry. “I -would not consent to your being charged with any written answer, but -perhaps you will take a verbal one?” - -“That I will, and readily,” said Mr. Lorry, “if it is not dangerous.” - -“Not at all. Though it is to a prisoner in the Abbaye.” - -“What is his name?” said Mr. Lorry, with his open pocket-book in his -hand. - -“Gabelle.” - -“Gabelle. And what is the message to the unfortunate Gabelle in prison?” - -“Simply, 'that he has received the letter, and will come.'” - -“Any time mentioned?” - -“He will start upon his journey to-morrow night.” - -“Any person mentioned?” - -“No.” - -He helped Mr. Lorry to wrap himself in a number of coats and cloaks, -and went out with him from the warm atmosphere of the old Bank, into the -misty air of Fleet-street. “My love to Lucie, and to little Lucie,” said -Mr. Lorry at parting, “and take precious care of them till I come back.” - Charles Darnay shook his head and doubtfully smiled, as the carriage -rolled away. - -That night--it was the fourteenth of August--he sat up late, and wrote -two fervent letters; one was to Lucie, explaining the strong obligation -he was under to go to Paris, and showing her, at length, the reasons -that he had, for feeling confident that he could become involved in no -personal danger there; the other was to the Doctor, confiding Lucie and -their dear child to his care, and dwelling on the same topics with the -strongest assurances. To both, he wrote that he would despatch letters -in proof of his safety, immediately after his arrival. - -It was a hard day, that day of being among them, with the first -reservation of their joint lives on his mind. It was a hard matter to -preserve the innocent deceit of which they were profoundly unsuspicious. -But, an affectionate glance at his wife, so happy and busy, made him -resolute not to tell her what impended (he had been half moved to do it, -so strange it was to him to act in anything without her quiet aid), and -the day passed quickly. Early in the evening he embraced her, and her -scarcely less dear namesake, pretending that he would return by-and-bye -(an imaginary engagement took him out, and he had secreted a valise -of clothes ready), and so he emerged into the heavy mist of the heavy -streets, with a heavier heart. - -The unseen force was drawing him fast to itself, now, and all the tides -and winds were setting straight and strong towards it. He left his -two letters with a trusty porter, to be delivered half an hour before -midnight, and no sooner; took horse for Dover; and began his journey. -“For the love of Heaven, of justice, of generosity, of the honour of -your noble name!” was the poor prisoner's cry with which he strengthened -his sinking heart, as he left all that was dear on earth behind him, and -floated away for the Loadstone Rock. - - -The end of the second book. - - - - - -Book the Third--the Track of a Storm - - - - -I. In Secret - - -The traveller fared slowly on his way, who fared towards Paris from -England in the autumn of the year one thousand seven hundred and -ninety-two. More than enough of bad roads, bad equipages, and bad -horses, he would have encountered to delay him, though the fallen and -unfortunate King of France had been upon his throne in all his glory; -but, the changed times were fraught with other obstacles than -these. Every town-gate and village taxing-house had its band of -citizen-patriots, with their national muskets in a most explosive state -of readiness, who stopped all comers and goers, cross-questioned them, -inspected their papers, looked for their names in lists of their own, -turned them back, or sent them on, or stopped them and laid them in -hold, as their capricious judgment or fancy deemed best for the dawning -Republic One and Indivisible, of Liberty, Equality, Fraternity, or -Death. - -A very few French leagues of his journey were accomplished, when Charles -Darnay began to perceive that for him along these country roads there -was no hope of return until he should have been declared a good citizen -at Paris. Whatever might befall now, he must on to his journey's end. -Not a mean village closed upon him, not a common barrier dropped across -the road behind him, but he knew it to be another iron door in -the series that was barred between him and England. The universal -watchfulness so encompassed him, that if he had been taken in a net, -or were being forwarded to his destination in a cage, he could not have -felt his freedom more completely gone. - -This universal watchfulness not only stopped him on the highway twenty -times in a stage, but retarded his progress twenty times in a day, by -riding after him and taking him back, riding before him and stopping him -by anticipation, riding with him and keeping him in charge. He had been -days upon his journey in France alone, when he went to bed tired out, in -a little town on the high road, still a long way from Paris. - -Nothing but the production of the afflicted Gabelle's letter from his -prison of the Abbaye would have got him on so far. His difficulty at the -guard-house in this small place had been such, that he felt his journey -to have come to a crisis. And he was, therefore, as little surprised as -a man could be, to find himself awakened at the small inn to which he -had been remitted until morning, in the middle of the night. - -Awakened by a timid local functionary and three armed patriots in rough -red caps and with pipes in their mouths, who sat down on the bed. - -“Emigrant,” said the functionary, “I am going to send you on to Paris, -under an escort.” - -“Citizen, I desire nothing more than to get to Paris, though I could -dispense with the escort.” - -“Silence!” growled a red-cap, striking at the coverlet with the butt-end -of his musket. “Peace, aristocrat!” - -“It is as the good patriot says,” observed the timid functionary. “You -are an aristocrat, and must have an escort--and must pay for it.” - -“I have no choice,” said Charles Darnay. - -“Choice! Listen to him!” cried the same scowling red-cap. “As if it was -not a favour to be protected from the lamp-iron!” - -“It is always as the good patriot says,” observed the functionary. “Rise -and dress yourself, emigrant.” - -Darnay complied, and was taken back to the guard-house, where other -patriots in rough red caps were smoking, drinking, and sleeping, by -a watch-fire. Here he paid a heavy price for his escort, and hence he -started with it on the wet, wet roads at three o'clock in the morning. - -The escort were two mounted patriots in red caps and tri-coloured -cockades, armed with national muskets and sabres, who rode one on either -side of him. - -The escorted governed his own horse, but a loose line was attached to -his bridle, the end of which one of the patriots kept girded round his -wrist. In this state they set forth with the sharp rain driving in their -faces: clattering at a heavy dragoon trot over the uneven town pavement, -and out upon the mire-deep roads. In this state they traversed without -change, except of horses and pace, all the mire-deep leagues that lay -between them and the capital. - -They travelled in the night, halting an hour or two after daybreak, and -lying by until the twilight fell. The escort were so wretchedly clothed, -that they twisted straw round their bare legs, and thatched their ragged -shoulders to keep the wet off. Apart from the personal discomfort of -being so attended, and apart from such considerations of present danger -as arose from one of the patriots being chronically drunk, and carrying -his musket very recklessly, Charles Darnay did not allow the restraint -that was laid upon him to awaken any serious fears in his breast; for, -he reasoned with himself that it could have no reference to the merits -of an individual case that was not yet stated, and of representations, -confirmable by the prisoner in the Abbaye, that were not yet made. - -But when they came to the town of Beauvais--which they did at eventide, -when the streets were filled with people--he could not conceal from -himself that the aspect of affairs was very alarming. An ominous crowd -gathered to see him dismount of the posting-yard, and many voices called -out loudly, “Down with the emigrant!” - -He stopped in the act of swinging himself out of his saddle, and, -resuming it as his safest place, said: - -“Emigrant, my friends! Do you not see me here, in France, of my own -will?” - -“You are a cursed emigrant,” cried a farrier, making at him in a -furious manner through the press, hammer in hand; “and you are a cursed -aristocrat!” - -The postmaster interposed himself between this man and the rider's -bridle (at which he was evidently making), and soothingly said, “Let him -be; let him be! He will be judged at Paris.” - -“Judged!” repeated the farrier, swinging his hammer. “Ay! and condemned -as a traitor.” At this the crowd roared approval. - -Checking the postmaster, who was for turning his horse's head to the -yard (the drunken patriot sat composedly in his saddle looking on, with -the line round his wrist), Darnay said, as soon as he could make his -voice heard: - -“Friends, you deceive yourselves, or you are deceived. I am not a -traitor.” - -“He lies!” cried the smith. “He is a traitor since the decree. His life -is forfeit to the people. His cursed life is not his own!” - -At the instant when Darnay saw a rush in the eyes of the crowd, which -another instant would have brought upon him, the postmaster turned his -horse into the yard, the escort rode in close upon his horse's flanks, -and the postmaster shut and barred the crazy double gates. The farrier -struck a blow upon them with his hammer, and the crowd groaned; but, no -more was done. - -“What is this decree that the smith spoke of?” Darnay asked the -postmaster, when he had thanked him, and stood beside him in the yard. - -“Truly, a decree for selling the property of emigrants.” - -“When passed?” - -“On the fourteenth.” - -“The day I left England!” - -“Everybody says it is but one of several, and that there will be -others--if there are not already--banishing all emigrants, and -condemning all to death who return. That is what he meant when he said -your life was not your own.” - -“But there are no such decrees yet?” - -“What do I know!” said the postmaster, shrugging his shoulders; “there -may be, or there will be. It is all the same. What would you have?” - -They rested on some straw in a loft until the middle of the night, and -then rode forward again when all the town was asleep. Among the many -wild changes observable on familiar things which made this wild ride -unreal, not the least was the seeming rarity of sleep. After long and -lonely spurring over dreary roads, they would come to a cluster of poor -cottages, not steeped in darkness, but all glittering with lights, and -would find the people, in a ghostly manner in the dead of the night, -circling hand in hand round a shrivelled tree of Liberty, or all drawn -up together singing a Liberty song. Happily, however, there was sleep in -Beauvais that night to help them out of it and they passed on once more -into solitude and loneliness: jingling through the untimely cold and -wet, among impoverished fields that had yielded no fruits of the earth -that year, diversified by the blackened remains of burnt houses, and by -the sudden emergence from ambuscade, and sharp reining up across their -way, of patriot patrols on the watch on all the roads. - -Daylight at last found them before the wall of Paris. The barrier was -closed and strongly guarded when they rode up to it. - -“Where are the papers of this prisoner?” demanded a resolute-looking man -in authority, who was summoned out by the guard. - -Naturally struck by the disagreeable word, Charles Darnay requested the -speaker to take notice that he was a free traveller and French citizen, -in charge of an escort which the disturbed state of the country had -imposed upon him, and which he had paid for. - -“Where,” repeated the same personage, without taking any heed of him -whatever, “are the papers of this prisoner?” - -The drunken patriot had them in his cap, and produced them. Casting his -eyes over Gabelle's letter, the same personage in authority showed some -disorder and surprise, and looked at Darnay with a close attention. - -He left escort and escorted without saying a word, however, and went -into the guard-room; meanwhile, they sat upon their horses outside the -gate. Looking about him while in this state of suspense, Charles -Darnay observed that the gate was held by a mixed guard of soldiers and -patriots, the latter far outnumbering the former; and that while ingress -into the city for peasants' carts bringing in supplies, and for similar -traffic and traffickers, was easy enough, egress, even for the homeliest -people, was very difficult. A numerous medley of men and women, not -to mention beasts and vehicles of various sorts, was waiting to issue -forth; but, the previous identification was so strict, that they -filtered through the barrier very slowly. Some of these people knew -their turn for examination to be so far off, that they lay down on the -ground to sleep or smoke, while others talked together, or loitered -about. The red cap and tri-colour cockade were universal, both among men -and women. - -When he had sat in his saddle some half-hour, taking note of these -things, Darnay found himself confronted by the same man in authority, -who directed the guard to open the barrier. Then he delivered to the -escort, drunk and sober, a receipt for the escorted, and requested him -to dismount. He did so, and the two patriots, leading his tired horse, -turned and rode away without entering the city. - -He accompanied his conductor into a guard-room, smelling of common wine -and tobacco, where certain soldiers and patriots, asleep and awake, -drunk and sober, and in various neutral states between sleeping and -waking, drunkenness and sobriety, were standing and lying about. The -light in the guard-house, half derived from the waning oil-lamps of -the night, and half from the overcast day, was in a correspondingly -uncertain condition. Some registers were lying open on a desk, and an -officer of a coarse, dark aspect, presided over these. - -“Citizen Defarge,” said he to Darnay's conductor, as he took a slip of -paper to write on. “Is this the emigrant Evremonde?” - -“This is the man.” - -“Your age, Evremonde?” - -“Thirty-seven.” - -“Married, Evremonde?” - -“Yes.” - -“Where married?” - -“In England.” - -“Without doubt. Where is your wife, Evremonde?” - -“In England.” - -“Without doubt. You are consigned, Evremonde, to the prison of La -Force.” - -“Just Heaven!” exclaimed Darnay. “Under what law, and for what offence?” - -The officer looked up from his slip of paper for a moment. - -“We have new laws, Evremonde, and new offences, since you were here.” He -said it with a hard smile, and went on writing. - -“I entreat you to observe that I have come here voluntarily, in response -to that written appeal of a fellow-countryman which lies before you. I -demand no more than the opportunity to do so without delay. Is not that -my right?” - -“Emigrants have no rights, Evremonde,” was the stolid reply. The officer -wrote until he had finished, read over to himself what he had written, -sanded it, and handed it to Defarge, with the words “In secret.” - -Defarge motioned with the paper to the prisoner that he must accompany -him. The prisoner obeyed, and a guard of two armed patriots attended -them. - -“Is it you,” said Defarge, in a low voice, as they went down the -guardhouse steps and turned into Paris, “who married the daughter of -Doctor Manette, once a prisoner in the Bastille that is no more?” - -“Yes,” replied Darnay, looking at him with surprise. - -“My name is Defarge, and I keep a wine-shop in the Quarter Saint -Antoine. Possibly you have heard of me.” - -“My wife came to your house to reclaim her father? Yes!” - -The word “wife” seemed to serve as a gloomy reminder to Defarge, to say -with sudden impatience, “In the name of that sharp female newly-born, -and called La Guillotine, why did you come to France?” - -“You heard me say why, a minute ago. Do you not believe it is the -truth?” - -“A bad truth for you,” said Defarge, speaking with knitted brows, and -looking straight before him. - -“Indeed I am lost here. All here is so unprecedented, so changed, so -sudden and unfair, that I am absolutely lost. Will you render me a -little help?” - -“None.” Defarge spoke, always looking straight before him. - -“Will you answer me a single question?” - -“Perhaps. According to its nature. You can say what it is.” - -“In this prison that I am going to so unjustly, shall I have some free -communication with the world outside?” - -“You will see.” - -“I am not to be buried there, prejudged, and without any means of -presenting my case?” - -“You will see. But, what then? Other people have been similarly buried -in worse prisons, before now.” - -“But never by me, Citizen Defarge.” - -Defarge glanced darkly at him for answer, and walked on in a steady -and set silence. The deeper he sank into this silence, the fainter hope -there was--or so Darnay thought--of his softening in any slight degree. -He, therefore, made haste to say: - -“It is of the utmost importance to me (you know, Citizen, even better -than I, of how much importance), that I should be able to communicate to -Mr. Lorry of Tellson's Bank, an English gentleman who is now in Paris, -the simple fact, without comment, that I have been thrown into the -prison of La Force. Will you cause that to be done for me?” - -“I will do,” Defarge doggedly rejoined, “nothing for you. My duty is to -my country and the People. I am the sworn servant of both, against you. -I will do nothing for you.” - -Charles Darnay felt it hopeless to entreat him further, and his pride -was touched besides. As they walked on in silence, he could not but see -how used the people were to the spectacle of prisoners passing along the -streets. The very children scarcely noticed him. A few passers turned -their heads, and a few shook their fingers at him as an aristocrat; -otherwise, that a man in good clothes should be going to prison, was no -more remarkable than that a labourer in working clothes should be -going to work. In one narrow, dark, and dirty street through which they -passed, an excited orator, mounted on a stool, was addressing an excited -audience on the crimes against the people, of the king and the royal -family. The few words that he caught from this man's lips, first made -it known to Charles Darnay that the king was in prison, and that the -foreign ambassadors had one and all left Paris. On the road (except at -Beauvais) he had heard absolutely nothing. The escort and the universal -watchfulness had completely isolated him. - -That he had fallen among far greater dangers than those which had -developed themselves when he left England, he of course knew now. That -perils had thickened about him fast, and might thicken faster and faster -yet, he of course knew now. He could not but admit to himself that he -might not have made this journey, if he could have foreseen the events -of a few days. And yet his misgivings were not so dark as, imagined by -the light of this later time, they would appear. Troubled as the future -was, it was the unknown future, and in its obscurity there was ignorant -hope. The horrible massacre, days and nights long, which, within a few -rounds of the clock, was to set a great mark of blood upon the blessed -garnering time of harvest, was as far out of his knowledge as if it had -been a hundred thousand years away. The “sharp female newly-born, and -called La Guillotine,” was hardly known to him, or to the generality -of people, by name. The frightful deeds that were to be soon done, were -probably unimagined at that time in the brains of the doers. How could -they have a place in the shadowy conceptions of a gentle mind? - -Of unjust treatment in detention and hardship, and in cruel separation -from his wife and child, he foreshadowed the likelihood, or the -certainty; but, beyond this, he dreaded nothing distinctly. With this on -his mind, which was enough to carry into a dreary prison courtyard, he -arrived at the prison of La Force. - -A man with a bloated face opened the strong wicket, to whom Defarge -presented “The Emigrant Evremonde.” - -“What the Devil! How many more of them!” exclaimed the man with the -bloated face. - -Defarge took his receipt without noticing the exclamation, and withdrew, -with his two fellow-patriots. - -“What the Devil, I say again!” exclaimed the gaoler, left with his wife. -“How many more!” - -The gaoler's wife, being provided with no answer to the question, merely -replied, “One must have patience, my dear!” Three turnkeys who entered -responsive to a bell she rang, echoed the sentiment, and one added, “For -the love of Liberty;” which sounded in that place like an inappropriate -conclusion. - -The prison of La Force was a gloomy prison, dark and filthy, and with a -horrible smell of foul sleep in it. Extraordinary how soon the noisome -flavour of imprisoned sleep, becomes manifest in all such places that -are ill cared for! - -“In secret, too,” grumbled the gaoler, looking at the written paper. “As -if I was not already full to bursting!” - -He stuck the paper on a file, in an ill-humour, and Charles Darnay -awaited his further pleasure for half an hour: sometimes, pacing to and -fro in the strong arched room: sometimes, resting on a stone seat: in -either case detained to be imprinted on the memory of the chief and his -subordinates. - -“Come!” said the chief, at length taking up his keys, “come with me, -emigrant.” - -Through the dismal prison twilight, his new charge accompanied him by -corridor and staircase, many doors clanging and locking behind them, -until they came into a large, low, vaulted chamber, crowded with -prisoners of both sexes. The women were seated at a long table, reading -and writing, knitting, sewing, and embroidering; the men were for the -most part standing behind their chairs, or lingering up and down the -room. - -In the instinctive association of prisoners with shameful crime and -disgrace, the new-comer recoiled from this company. But the crowning -unreality of his long unreal ride, was, their all at once rising to -receive him, with every refinement of manner known to the time, and with -all the engaging graces and courtesies of life. - -So strangely clouded were these refinements by the prison manners and -gloom, so spectral did they become in the inappropriate squalor and -misery through which they were seen, that Charles Darnay seemed to stand -in a company of the dead. Ghosts all! The ghost of beauty, the ghost -of stateliness, the ghost of elegance, the ghost of pride, the ghost of -frivolity, the ghost of wit, the ghost of youth, the ghost of age, all -waiting their dismissal from the desolate shore, all turning on him eyes -that were changed by the death they had died in coming there. - -It struck him motionless. The gaoler standing at his side, and the other -gaolers moving about, who would have been well enough as to appearance -in the ordinary exercise of their functions, looked so extravagantly -coarse contrasted with sorrowing mothers and blooming daughters who were -there--with the apparitions of the coquette, the young beauty, and the -mature woman delicately bred--that the inversion of all experience and -likelihood which the scene of shadows presented, was heightened to its -utmost. Surely, ghosts all. Surely, the long unreal ride some progress -of disease that had brought him to these gloomy shades! - -“In the name of the assembled companions in misfortune,” said a -gentleman of courtly appearance and address, coming forward, “I have the -honour of giving you welcome to La Force, and of condoling with you -on the calamity that has brought you among us. May it soon terminate -happily! It would be an impertinence elsewhere, but it is not so here, -to ask your name and condition?” - -Charles Darnay roused himself, and gave the required information, in -words as suitable as he could find. - -“But I hope,” said the gentleman, following the chief gaoler with his -eyes, who moved across the room, “that you are not in secret?” - -“I do not understand the meaning of the term, but I have heard them say -so.” - -“Ah, what a pity! We so much regret it! But take courage; several -members of our society have been in secret, at first, and it has lasted -but a short time.” Then he added, raising his voice, “I grieve to inform -the society--in secret.” - -There was a murmur of commiseration as Charles Darnay crossed the room -to a grated door where the gaoler awaited him, and many voices--among -which, the soft and compassionate voices of women were conspicuous--gave -him good wishes and encouragement. He turned at the grated door, to -render the thanks of his heart; it closed under the gaoler's hand; and -the apparitions vanished from his sight forever. - -The wicket opened on a stone staircase, leading upward. When they had -ascended forty steps (the prisoner of half an hour already counted -them), the gaoler opened a low black door, and they passed into a -solitary cell. It struck cold and damp, but was not dark. - -“Yours,” said the gaoler. - -“Why am I confined alone?” - -“How do I know!” - -“I can buy pen, ink, and paper?” - -“Such are not my orders. You will be visited, and can ask then. At -present, you may buy your food, and nothing more.” - -There were in the cell, a chair, a table, and a straw mattress. As -the gaoler made a general inspection of these objects, and of the four -walls, before going out, a wandering fancy wandered through the mind of -the prisoner leaning against the wall opposite to him, that this gaoler -was so unwholesomely bloated, both in face and person, as to look like -a man who had been drowned and filled with water. When the gaoler was -gone, he thought in the same wandering way, “Now am I left, as if I were -dead.” Stopping then, to look down at the mattress, he turned from it -with a sick feeling, and thought, “And here in these crawling creatures -is the first condition of the body after death.” - -“Five paces by four and a half, five paces by four and a half, five -paces by four and a half.” The prisoner walked to and fro in his cell, -counting its measurement, and the roar of the city arose like muffled -drums with a wild swell of voices added to them. “He made shoes, he made -shoes, he made shoes.” The prisoner counted the measurement again, and -paced faster, to draw his mind with him from that latter repetition. -“The ghosts that vanished when the wicket closed. There was one among -them, the appearance of a lady dressed in black, who was leaning in the -embrasure of a window, and she had a light shining upon her golden -hair, and she looked like * * * * Let us ride on again, for God's sake, -through the illuminated villages with the people all awake! * * * * He -made shoes, he made shoes, he made shoes. * * * * Five paces by four and -a half.” With such scraps tossing and rolling upward from the depths of -his mind, the prisoner walked faster and faster, obstinately counting -and counting; and the roar of the city changed to this extent--that it -still rolled in like muffled drums, but with the wail of voices that he -knew, in the swell that rose above them. - - - - -II. The Grindstone - - -Tellson's Bank, established in the Saint Germain Quarter of Paris, was -in a wing of a large house, approached by a courtyard and shut off from -the street by a high wall and a strong gate. The house belonged to -a great nobleman who had lived in it until he made a flight from the -troubles, in his own cook's dress, and got across the borders. A -mere beast of the chase flying from hunters, he was still in his -metempsychosis no other than the same Monseigneur, the preparation -of whose chocolate for whose lips had once occupied three strong men -besides the cook in question. - -Monseigneur gone, and the three strong men absolving themselves from the -sin of having drawn his high wages, by being more than ready and -willing to cut his throat on the altar of the dawning Republic one and -indivisible of Liberty, Equality, Fraternity, or Death, Monseigneur's -house had been first sequestrated, and then confiscated. For, all -things moved so fast, and decree followed decree with that fierce -precipitation, that now upon the third night of the autumn month -of September, patriot emissaries of the law were in possession of -Monseigneur's house, and had marked it with the tri-colour, and were -drinking brandy in its state apartments. - -A place of business in London like Tellson's place of business in Paris, -would soon have driven the House out of its mind and into the Gazette. -For, what would staid British responsibility and respectability have -said to orange-trees in boxes in a Bank courtyard, and even to a Cupid -over the counter? Yet such things were. Tellson's had whitewashed the -Cupid, but he was still to be seen on the ceiling, in the coolest -linen, aiming (as he very often does) at money from morning to -night. Bankruptcy must inevitably have come of this young Pagan, in -Lombard-street, London, and also of a curtained alcove in the rear of -the immortal boy, and also of a looking-glass let into the wall, and -also of clerks not at all old, who danced in public on the slightest -provocation. Yet, a French Tellson's could get on with these things -exceedingly well, and, as long as the times held together, no man had -taken fright at them, and drawn out his money. - -What money would be drawn out of Tellson's henceforth, and what would -lie there, lost and forgotten; what plate and jewels would tarnish in -Tellson's hiding-places, while the depositors rusted in prisons, -and when they should have violently perished; how many accounts with -Tellson's never to be balanced in this world, must be carried over into -the next; no man could have said, that night, any more than Mr. Jarvis -Lorry could, though he thought heavily of these questions. He sat by -a newly-lighted wood fire (the blighted and unfruitful year was -prematurely cold), and on his honest and courageous face there was a -deeper shade than the pendent lamp could throw, or any object in the -room distortedly reflect--a shade of horror. - -He occupied rooms in the Bank, in his fidelity to the House of which -he had grown to be a part, like strong root-ivy. It chanced that they -derived a kind of security from the patriotic occupation of the main -building, but the true-hearted old gentleman never calculated about -that. All such circumstances were indifferent to him, so that he did -his duty. On the opposite side of the courtyard, under a colonnade, -was extensive standing--for carriages--where, indeed, some carriages -of Monseigneur yet stood. Against two of the pillars were fastened two -great flaring flambeaux, and in the light of these, standing out in the -open air, was a large grindstone: a roughly mounted thing which appeared -to have hurriedly been brought there from some neighbouring smithy, -or other workshop. Rising and looking out of window at these harmless -objects, Mr. Lorry shivered, and retired to his seat by the fire. He had -opened, not only the glass window, but the lattice blind outside it, and -he had closed both again, and he shivered through his frame. - -From the streets beyond the high wall and the strong gate, there came -the usual night hum of the city, with now and then an indescribable ring -in it, weird and unearthly, as if some unwonted sounds of a terrible -nature were going up to Heaven. - -“Thank God,” said Mr. Lorry, clasping his hands, “that no one near and -dear to me is in this dreadful town to-night. May He have mercy on all -who are in danger!” - -Soon afterwards, the bell at the great gate sounded, and he thought, -“They have come back!” and sat listening. But, there was no loud -irruption into the courtyard, as he had expected, and he heard the gate -clash again, and all was quiet. - -The nervousness and dread that were upon him inspired that vague -uneasiness respecting the Bank, which a great change would naturally -awaken, with such feelings roused. It was well guarded, and he got up to -go among the trusty people who were watching it, when his door suddenly -opened, and two figures rushed in, at sight of which he fell back in -amazement. - -Lucie and her father! Lucie with her arms stretched out to him, and with -that old look of earnestness so concentrated and intensified, that it -seemed as though it had been stamped upon her face expressly to give -force and power to it in this one passage of her life. - -“What is this?” cried Mr. Lorry, breathless and confused. “What is the -matter? Lucie! Manette! What has happened? What has brought you here? -What is it?” - -With the look fixed upon him, in her paleness and wildness, she panted -out in his arms, imploringly, “O my dear friend! My husband!” - -“Your husband, Lucie?” - -“Charles.” - -“What of Charles?” - -“Here. - -“Here, in Paris?” - -“Has been here some days--three or four--I don't know how many--I can't -collect my thoughts. An errand of generosity brought him here unknown to -us; he was stopped at the barrier, and sent to prison.” - -The old man uttered an irrepressible cry. Almost at the same moment, the -bell of the great gate rang again, and a loud noise of feet and voices -came pouring into the courtyard. - -“What is that noise?” said the Doctor, turning towards the window. - -“Don't look!” cried Mr. Lorry. “Don't look out! Manette, for your life, -don't touch the blind!” - -The Doctor turned, with his hand upon the fastening of the window, and -said, with a cool, bold smile: - -“My dear friend, I have a charmed life in this city. I have been -a Bastille prisoner. There is no patriot in Paris--in Paris? In -France--who, knowing me to have been a prisoner in the Bastille, would -touch me, except to overwhelm me with embraces, or carry me in triumph. -My old pain has given me a power that has brought us through the -barrier, and gained us news of Charles there, and brought us here. I -knew it would be so; I knew I could help Charles out of all danger; I -told Lucie so.--What is that noise?” His hand was again upon the window. - -“Don't look!” cried Mr. Lorry, absolutely desperate. “No, Lucie, my -dear, nor you!” He got his arm round her, and held her. “Don't be so -terrified, my love. I solemnly swear to you that I know of no harm -having happened to Charles; that I had no suspicion even of his being in -this fatal place. What prison is he in?” - -“La Force!” - -“La Force! Lucie, my child, if ever you were brave and serviceable in -your life--and you were always both--you will compose yourself now, to -do exactly as I bid you; for more depends upon it than you can think, or -I can say. There is no help for you in any action on your part to-night; -you cannot possibly stir out. I say this, because what I must bid you -to do for Charles's sake, is the hardest thing to do of all. You must -instantly be obedient, still, and quiet. You must let me put you in a -room at the back here. You must leave your father and me alone for -two minutes, and as there are Life and Death in the world you must not -delay.” - -“I will be submissive to you. I see in your face that you know I can do -nothing else than this. I know you are true.” - -The old man kissed her, and hurried her into his room, and turned the -key; then, came hurrying back to the Doctor, and opened the window and -partly opened the blind, and put his hand upon the Doctor's arm, and -looked out with him into the courtyard. - -Looked out upon a throng of men and women: not enough in number, or near -enough, to fill the courtyard: not more than forty or fifty in all. The -people in possession of the house had let them in at the gate, and they -had rushed in to work at the grindstone; it had evidently been set up -there for their purpose, as in a convenient and retired spot. - -But, such awful workers, and such awful work! - -The grindstone had a double handle, and, turning at it madly were two -men, whose faces, as their long hair flapped back when the whirlings of -the grindstone brought their faces up, were more horrible and cruel than -the visages of the wildest savages in their most barbarous disguise. -False eyebrows and false moustaches were stuck upon them, and their -hideous countenances were all bloody and sweaty, and all awry with -howling, and all staring and glaring with beastly excitement and want of -sleep. As these ruffians turned and turned, their matted locks now flung -forward over their eyes, now flung backward over their necks, some women -held wine to their mouths that they might drink; and what with dropping -blood, and what with dropping wine, and what with the stream of sparks -struck out of the stone, all their wicked atmosphere seemed gore and -fire. The eye could not detect one creature in the group free from -the smear of blood. Shouldering one another to get next at the -sharpening-stone, were men stripped to the waist, with the stain all -over their limbs and bodies; men in all sorts of rags, with the stain -upon those rags; men devilishly set off with spoils of women's lace -and silk and ribbon, with the stain dyeing those trifles through -and through. Hatchets, knives, bayonets, swords, all brought to be -sharpened, were all red with it. Some of the hacked swords were tied to -the wrists of those who carried them, with strips of linen and fragments -of dress: ligatures various in kind, but all deep of the one colour. And -as the frantic wielders of these weapons snatched them from the stream -of sparks and tore away into the streets, the same red hue was red in -their frenzied eyes;--eyes which any unbrutalised beholder would have -given twenty years of life, to petrify with a well-directed gun. - -All this was seen in a moment, as the vision of a drowning man, or of -any human creature at any very great pass, could see a world if it -were there. They drew back from the window, and the Doctor looked for -explanation in his friend's ashy face. - -“They are,” Mr. Lorry whispered the words, glancing fearfully round at -the locked room, “murdering the prisoners. If you are sure of what you -say; if you really have the power you think you have--as I believe you -have--make yourself known to these devils, and get taken to La Force. It -may be too late, I don't know, but let it not be a minute later!” - -Doctor Manette pressed his hand, hastened bareheaded out of the room, -and was in the courtyard when Mr. Lorry regained the blind. - -His streaming white hair, his remarkable face, and the impetuous -confidence of his manner, as he put the weapons aside like water, -carried him in an instant to the heart of the concourse at the stone. -For a few moments there was a pause, and a hurry, and a murmur, and -the unintelligible sound of his voice; and then Mr. Lorry saw him, -surrounded by all, and in the midst of a line of twenty men long, all -linked shoulder to shoulder, and hand to shoulder, hurried out with -cries of--“Live the Bastille prisoner! Help for the Bastille prisoner's -kindred in La Force! Room for the Bastille prisoner in front there! Save -the prisoner Evremonde at La Force!” and a thousand answering shouts. - -He closed the lattice again with a fluttering heart, closed the window -and the curtain, hastened to Lucie, and told her that her father was -assisted by the people, and gone in search of her husband. He found -her child and Miss Pross with her; but, it never occurred to him to be -surprised by their appearance until a long time afterwards, when he sat -watching them in such quiet as the night knew. - -Lucie had, by that time, fallen into a stupor on the floor at his feet, -clinging to his hand. Miss Pross had laid the child down on his own -bed, and her head had gradually fallen on the pillow beside her pretty -charge. O the long, long night, with the moans of the poor wife! And O -the long, long night, with no return of her father and no tidings! - -Twice more in the darkness the bell at the great gate sounded, and the -irruption was repeated, and the grindstone whirled and spluttered. -“What is it?” cried Lucie, affrighted. “Hush! The soldiers' swords are -sharpened there,” said Mr. Lorry. “The place is national property now, -and used as a kind of armoury, my love.” - -Twice more in all; but, the last spell of work was feeble and fitful. -Soon afterwards the day began to dawn, and he softly detached himself -from the clasping hand, and cautiously looked out again. A man, so -besmeared that he might have been a sorely wounded soldier creeping back -to consciousness on a field of slain, was rising from the pavement by -the side of the grindstone, and looking about him with a vacant air. -Shortly, this worn-out murderer descried in the imperfect light one of -the carriages of Monseigneur, and, staggering to that gorgeous vehicle, -climbed in at the door, and shut himself up to take his rest on its -dainty cushions. - -The great grindstone, Earth, had turned when Mr. Lorry looked out again, -and the sun was red on the courtyard. But, the lesser grindstone stood -alone there in the calm morning air, with a red upon it that the sun had -never given, and would never take away. - - - - -III. The Shadow - - -One of the first considerations which arose in the business mind of Mr. -Lorry when business hours came round, was this:--that he had no right to -imperil Tellson's by sheltering the wife of an emigrant prisoner under -the Bank roof. His own possessions, safety, life, he would have hazarded -for Lucie and her child, without a moment's demur; but the great trust -he held was not his own, and as to that business charge he was a strict -man of business. - -At first, his mind reverted to Defarge, and he thought of finding out -the wine-shop again and taking counsel with its master in reference to -the safest dwelling-place in the distracted state of the city. But, the -same consideration that suggested him, repudiated him; he lived in the -most violent Quarter, and doubtless was influential there, and deep in -its dangerous workings. - -Noon coming, and the Doctor not returning, and every minute's delay -tending to compromise Tellson's, Mr. Lorry advised with Lucie. She said -that her father had spoken of hiring a lodging for a short term, in that -Quarter, near the Banking-house. As there was no business objection to -this, and as he foresaw that even if it were all well with Charles, and -he were to be released, he could not hope to leave the city, Mr. Lorry -went out in quest of such a lodging, and found a suitable one, high up -in a removed by-street where the closed blinds in all the other windows -of a high melancholy square of buildings marked deserted homes. - -To this lodging he at once removed Lucie and her child, and Miss Pross: -giving them what comfort he could, and much more than he had himself. -He left Jerry with them, as a figure to fill a doorway that would bear -considerable knocking on the head, and returned to his own occupations. -A disturbed and doleful mind he brought to bear upon them, and slowly -and heavily the day lagged on with him. - -It wore itself out, and wore him out with it, until the Bank closed. He -was again alone in his room of the previous night, considering what to -do next, when he heard a foot upon the stair. In a few moments, a -man stood in his presence, who, with a keenly observant look at him, -addressed him by his name. - -“Your servant,” said Mr. Lorry. “Do you know me?” - -He was a strongly made man with dark curling hair, from forty-five -to fifty years of age. For answer he repeated, without any change of -emphasis, the words: - -“Do you know me?” - -“I have seen you somewhere.” - -“Perhaps at my wine-shop?” - -Much interested and agitated, Mr. Lorry said: “You come from Doctor -Manette?” - -“Yes. I come from Doctor Manette.” - -“And what says he? What does he send me?” - -Defarge gave into his anxious hand, an open scrap of paper. It bore the -words in the Doctor's writing: - - “Charles is safe, but I cannot safely leave this place yet. - I have obtained the favour that the bearer has a short note - from Charles to his wife. Let the bearer see his wife.” - -It was dated from La Force, within an hour. - -“Will you accompany me,” said Mr. Lorry, joyfully relieved after reading -this note aloud, “to where his wife resides?” - -“Yes,” returned Defarge. - -Scarcely noticing as yet, in what a curiously reserved and mechanical -way Defarge spoke, Mr. Lorry put on his hat and they went down into the -courtyard. There, they found two women; one, knitting. - -“Madame Defarge, surely!” said Mr. Lorry, who had left her in exactly -the same attitude some seventeen years ago. - -“It is she,” observed her husband. - -“Does Madame go with us?” inquired Mr. Lorry, seeing that she moved as -they moved. - -“Yes. That she may be able to recognise the faces and know the persons. -It is for their safety.” - -Beginning to be struck by Defarge's manner, Mr. Lorry looked dubiously -at him, and led the way. Both the women followed; the second woman being -The Vengeance. - -They passed through the intervening streets as quickly as they might, -ascended the staircase of the new domicile, were admitted by Jerry, -and found Lucie weeping, alone. She was thrown into a transport by the -tidings Mr. Lorry gave her of her husband, and clasped the hand that -delivered his note--little thinking what it had been doing near him in -the night, and might, but for a chance, have done to him. - - “DEAREST,--Take courage. I am well, and your father has - influence around me. You cannot answer this. - Kiss our child for me.” - -That was all the writing. It was so much, however, to her who received -it, that she turned from Defarge to his wife, and kissed one of the -hands that knitted. It was a passionate, loving, thankful, womanly -action, but the hand made no response--dropped cold and heavy, and took -to its knitting again. - -There was something in its touch that gave Lucie a check. She stopped in -the act of putting the note in her bosom, and, with her hands yet at her -neck, looked terrified at Madame Defarge. Madame Defarge met the lifted -eyebrows and forehead with a cold, impassive stare. - -“My dear,” said Mr. Lorry, striking in to explain; “there are frequent -risings in the streets; and, although it is not likely they will ever -trouble you, Madame Defarge wishes to see those whom she has the power -to protect at such times, to the end that she may know them--that she -may identify them. I believe,” said Mr. Lorry, rather halting in his -reassuring words, as the stony manner of all the three impressed itself -upon him more and more, “I state the case, Citizen Defarge?” - -Defarge looked gloomily at his wife, and gave no other answer than a -gruff sound of acquiescence. - -“You had better, Lucie,” said Mr. Lorry, doing all he could to -propitiate, by tone and manner, “have the dear child here, and our -good Pross. Our good Pross, Defarge, is an English lady, and knows no -French.” - -The lady in question, whose rooted conviction that she was more than a -match for any foreigner, was not to be shaken by distress and, danger, -appeared with folded arms, and observed in English to The Vengeance, -whom her eyes first encountered, “Well, I am sure, Boldface! I hope -_you_ are pretty well!” She also bestowed a British cough on Madame -Defarge; but, neither of the two took much heed of her. - -“Is that his child?” said Madame Defarge, stopping in her work for the -first time, and pointing her knitting-needle at little Lucie as if it -were the finger of Fate. - -“Yes, madame,” answered Mr. Lorry; “this is our poor prisoner's darling -daughter, and only child.” - -The shadow attendant on Madame Defarge and her party seemed to fall so -threatening and dark on the child, that her mother instinctively -kneeled on the ground beside her, and held her to her breast. The -shadow attendant on Madame Defarge and her party seemed then to fall, -threatening and dark, on both the mother and the child. - -“It is enough, my husband,” said Madame Defarge. “I have seen them. We -may go.” - -But, the suppressed manner had enough of menace in it--not visible and -presented, but indistinct and withheld--to alarm Lucie into saying, as -she laid her appealing hand on Madame Defarge's dress: - -“You will be good to my poor husband. You will do him no harm. You will -help me to see him if you can?” - -“Your husband is not my business here,” returned Madame Defarge, looking -down at her with perfect composure. “It is the daughter of your father -who is my business here.” - -“For my sake, then, be merciful to my husband. For my child's sake! She -will put her hands together and pray you to be merciful. We are more -afraid of you than of these others.” - -Madame Defarge received it as a compliment, and looked at her husband. -Defarge, who had been uneasily biting his thumb-nail and looking at her, -collected his face into a sterner expression. - -“What is it that your husband says in that little letter?” asked Madame -Defarge, with a lowering smile. “Influence; he says something touching -influence?” - -“That my father,” said Lucie, hurriedly taking the paper from her -breast, but with her alarmed eyes on her questioner and not on it, “has -much influence around him.” - -“Surely it will release him!” said Madame Defarge. “Let it do so.” - -“As a wife and mother,” cried Lucie, most earnestly, “I implore you to -have pity on me and not to exercise any power that you possess, against -my innocent husband, but to use it in his behalf. O sister-woman, think -of me. As a wife and mother!” - -Madame Defarge looked, coldly as ever, at the suppliant, and said, -turning to her friend The Vengeance: - -“The wives and mothers we have been used to see, since we were as little -as this child, and much less, have not been greatly considered? We have -known _their_ husbands and fathers laid in prison and kept from them, -often enough? All our lives, we have seen our sister-women suffer, in -themselves and in their children, poverty, nakedness, hunger, thirst, -sickness, misery, oppression and neglect of all kinds?” - -“We have seen nothing else,” returned The Vengeance. - -“We have borne this a long time,” said Madame Defarge, turning her eyes -again upon Lucie. “Judge you! Is it likely that the trouble of one wife -and mother would be much to us now?” - -She resumed her knitting and went out. The Vengeance followed. Defarge -went last, and closed the door. - -“Courage, my dear Lucie,” said Mr. Lorry, as he raised her. “Courage, -courage! So far all goes well with us--much, much better than it has of -late gone with many poor souls. Cheer up, and have a thankful heart.” - -“I am not thankless, I hope, but that dreadful woman seems to throw a -shadow on me and on all my hopes.” - -“Tut, tut!” said Mr. Lorry; “what is this despondency in the brave -little breast? A shadow indeed! No substance in it, Lucie.” - -But the shadow of the manner of these Defarges was dark upon himself, -for all that, and in his secret mind it troubled him greatly. - - - - -IV. Calm in Storm - - -Doctor Manette did not return until the morning of the fourth day of his -absence. So much of what had happened in that dreadful time as could be -kept from the knowledge of Lucie was so well concealed from her, that -not until long afterwards, when France and she were far apart, did she -know that eleven hundred defenceless prisoners of both sexes and all -ages had been killed by the populace; that four days and nights had been -darkened by this deed of horror; and that the air around her had been -tainted by the slain. She only knew that there had been an attack upon -the prisons, that all political prisoners had been in danger, and that -some had been dragged out by the crowd and murdered. - -To Mr. Lorry, the Doctor communicated under an injunction of secrecy on -which he had no need to dwell, that the crowd had taken him through a -scene of carnage to the prison of La Force. That, in the prison he had -found a self-appointed Tribunal sitting, before which the prisoners were -brought singly, and by which they were rapidly ordered to be put forth -to be massacred, or to be released, or (in a few cases) to be sent back -to their cells. That, presented by his conductors to this Tribunal, he -had announced himself by name and profession as having been for eighteen -years a secret and unaccused prisoner in the Bastille; that, one of the -body so sitting in judgment had risen and identified him, and that this -man was Defarge. - -That, hereupon he had ascertained, through the registers on the table, -that his son-in-law was among the living prisoners, and had pleaded hard -to the Tribunal--of whom some members were asleep and some awake, some -dirty with murder and some clean, some sober and some not--for his life -and liberty. That, in the first frantic greetings lavished on himself as -a notable sufferer under the overthrown system, it had been accorded -to him to have Charles Darnay brought before the lawless Court, and -examined. That, he seemed on the point of being at once released, when -the tide in his favour met with some unexplained check (not intelligible -to the Doctor), which led to a few words of secret conference. That, -the man sitting as President had then informed Doctor Manette that -the prisoner must remain in custody, but should, for his sake, be held -inviolate in safe custody. That, immediately, on a signal, the prisoner -was removed to the interior of the prison again; but, that he, the -Doctor, had then so strongly pleaded for permission to remain and -assure himself that his son-in-law was, through no malice or mischance, -delivered to the concourse whose murderous yells outside the gate had -often drowned the proceedings, that he had obtained the permission, and -had remained in that Hall of Blood until the danger was over. - -The sights he had seen there, with brief snatches of food and sleep by -intervals, shall remain untold. The mad joy over the prisoners who were -saved, had astounded him scarcely less than the mad ferocity against -those who were cut to pieces. One prisoner there was, he said, who had -been discharged into the street free, but at whom a mistaken savage had -thrust a pike as he passed out. Being besought to go to him and dress -the wound, the Doctor had passed out at the same gate, and had found him -in the arms of a company of Samaritans, who were seated on the bodies -of their victims. With an inconsistency as monstrous as anything in this -awful nightmare, they had helped the healer, and tended the wounded man -with the gentlest solicitude--had made a litter for him and escorted him -carefully from the spot--had then caught up their weapons and plunged -anew into a butchery so dreadful, that the Doctor had covered his eyes -with his hands, and swooned away in the midst of it. - -As Mr. Lorry received these confidences, and as he watched the face of -his friend now sixty-two years of age, a misgiving arose within him that -such dread experiences would revive the old danger. - -But, he had never seen his friend in his present aspect: he had never -at all known him in his present character. For the first time the Doctor -felt, now, that his suffering was strength and power. For the first time -he felt that in that sharp fire, he had slowly forged the iron which -could break the prison door of his daughter's husband, and deliver him. -“It all tended to a good end, my friend; it was not mere waste and ruin. -As my beloved child was helpful in restoring me to myself, I will be -helpful now in restoring the dearest part of herself to her; by the aid -of Heaven I will do it!” Thus, Doctor Manette. And when Jarvis Lorry saw -the kindled eyes, the resolute face, the calm strong look and bearing -of the man whose life always seemed to him to have been stopped, like a -clock, for so many years, and then set going again with an energy which -had lain dormant during the cessation of its usefulness, he believed. - -Greater things than the Doctor had at that time to contend with, would -have yielded before his persevering purpose. While he kept himself -in his place, as a physician, whose business was with all degrees -of mankind, bond and free, rich and poor, bad and good, he used his -personal influence so wisely, that he was soon the inspecting physician -of three prisons, and among them of La Force. He could now assure Lucie -that her husband was no longer confined alone, but was mixed with the -general body of prisoners; he saw her husband weekly, and brought sweet -messages to her, straight from his lips; sometimes her husband himself -sent a letter to her (though never by the Doctor's hand), but she was -not permitted to write to him: for, among the many wild suspicions of -plots in the prisons, the wildest of all pointed at emigrants who were -known to have made friends or permanent connections abroad. - -This new life of the Doctor's was an anxious life, no doubt; still, the -sagacious Mr. Lorry saw that there was a new sustaining pride in it. -Nothing unbecoming tinged the pride; it was a natural and worthy one; -but he observed it as a curiosity. The Doctor knew, that up to that -time, his imprisonment had been associated in the minds of his daughter -and his friend, with his personal affliction, deprivation, and weakness. -Now that this was changed, and he knew himself to be invested through -that old trial with forces to which they both looked for Charles's -ultimate safety and deliverance, he became so far exalted by the change, -that he took the lead and direction, and required them as the weak, to -trust to him as the strong. The preceding relative positions of himself -and Lucie were reversed, yet only as the liveliest gratitude and -affection could reverse them, for he could have had no pride but in -rendering some service to her who had rendered so much to him. “All -curious to see,” thought Mr. Lorry, in his amiably shrewd way, “but all -natural and right; so, take the lead, my dear friend, and keep it; it -couldn't be in better hands.” - -But, though the Doctor tried hard, and never ceased trying, to get -Charles Darnay set at liberty, or at least to get him brought to trial, -the public current of the time set too strong and fast for him. The new -era began; the king was tried, doomed, and beheaded; the Republic of -Liberty, Equality, Fraternity, or Death, declared for victory or death -against the world in arms; the black flag waved night and day from the -great towers of Notre Dame; three hundred thousand men, summoned to rise -against the tyrants of the earth, rose from all the varying soils -of France, as if the dragon's teeth had been sown broadcast, and -had yielded fruit equally on hill and plain, on rock, in gravel, and -alluvial mud, under the bright sky of the South and under the clouds of -the North, in fell and forest, in the vineyards and the olive-grounds -and among the cropped grass and the stubble of the corn, along the -fruitful banks of the broad rivers, and in the sand of the sea-shore. -What private solicitude could rear itself against the deluge of the Year -One of Liberty--the deluge rising from below, not falling from above, -and with the windows of Heaven shut, not opened! - -There was no pause, no pity, no peace, no interval of relenting rest, no -measurement of time. Though days and nights circled as regularly as when -time was young, and the evening and morning were the first day, other -count of time there was none. Hold of it was lost in the raging fever -of a nation, as it is in the fever of one patient. Now, breaking the -unnatural silence of a whole city, the executioner showed the people the -head of the king--and now, it seemed almost in the same breath, the -head of his fair wife which had had eight weary months of imprisoned -widowhood and misery, to turn it grey. - -And yet, observing the strange law of contradiction which obtains in -all such cases, the time was long, while it flamed by so fast. A -revolutionary tribunal in the capital, and forty or fifty thousand -revolutionary committees all over the land; a law of the Suspected, -which struck away all security for liberty or life, and delivered over -any good and innocent person to any bad and guilty one; prisons gorged -with people who had committed no offence, and could obtain no hearing; -these things became the established order and nature of appointed -things, and seemed to be ancient usage before they were many weeks old. -Above all, one hideous figure grew as familiar as if it had been before -the general gaze from the foundations of the world--the figure of the -sharp female called La Guillotine. - -It was the popular theme for jests; it was the best cure for headache, -it infallibly prevented the hair from turning grey, it imparted a -peculiar delicacy to the complexion, it was the National Razor which -shaved close: who kissed La Guillotine, looked through the little window -and sneezed into the sack. It was the sign of the regeneration of the -human race. It superseded the Cross. Models of it were worn on breasts -from which the Cross was discarded, and it was bowed down to and -believed in where the Cross was denied. - -It sheared off heads so many, that it, and the ground it most polluted, -were a rotten red. It was taken to pieces, like a toy-puzzle for a young -Devil, and was put together again when the occasion wanted it. It hushed -the eloquent, struck down the powerful, abolished the beautiful and -good. Twenty-two friends of high public mark, twenty-one living and one -dead, it had lopped the heads off, in one morning, in as many minutes. -The name of the strong man of Old Scripture had descended to the chief -functionary who worked it; but, so armed, he was stronger than his -namesake, and blinder, and tore away the gates of God's own Temple every -day. - -Among these terrors, and the brood belonging to them, the Doctor walked -with a steady head: confident in his power, cautiously persistent in his -end, never doubting that he would save Lucie's husband at last. Yet the -current of the time swept by, so strong and deep, and carried the time -away so fiercely, that Charles had lain in prison one year and three -months when the Doctor was thus steady and confident. So much more -wicked and distracted had the Revolution grown in that December month, -that the rivers of the South were encumbered with the bodies of the -violently drowned by night, and prisoners were shot in lines and squares -under the southern wintry sun. Still, the Doctor walked among the -terrors with a steady head. No man better known than he, in Paris at -that day; no man in a stranger situation. Silent, humane, indispensable -in hospital and prison, using his art equally among assassins and -victims, he was a man apart. In the exercise of his skill, the -appearance and the story of the Bastille Captive removed him from all -other men. He was not suspected or brought in question, any more than if -he had indeed been recalled to life some eighteen years before, or were -a Spirit moving among mortals. - - - - -V. The Wood-Sawyer - - -One year and three months. During all that time Lucie was never -sure, from hour to hour, but that the Guillotine would strike off her -husband's head next day. Every day, through the stony streets, the -tumbrils now jolted heavily, filled with Condemned. Lovely girls; bright -women, brown-haired, black-haired, and grey; youths; stalwart men and -old; gentle born and peasant born; all red wine for La Guillotine, all -daily brought into light from the dark cellars of the loathsome prisons, -and carried to her through the streets to slake her devouring thirst. -Liberty, equality, fraternity, or death;--the last, much the easiest to -bestow, O Guillotine! - -If the suddenness of her calamity, and the whirling wheels of the time, -had stunned the Doctor's daughter into awaiting the result in idle -despair, it would but have been with her as it was with many. But, from -the hour when she had taken the white head to her fresh young bosom in -the garret of Saint Antoine, she had been true to her duties. She was -truest to them in the season of trial, as all the quietly loyal and good -will always be. - -As soon as they were established in their new residence, and her father -had entered on the routine of his avocations, she arranged the little -household as exactly as if her husband had been there. Everything had -its appointed place and its appointed time. Little Lucie she taught, -as regularly, as if they had all been united in their English home. The -slight devices with which she cheated herself into the show of a belief -that they would soon be reunited--the little preparations for his speedy -return, the setting aside of his chair and his books--these, and the -solemn prayer at night for one dear prisoner especially, among the many -unhappy souls in prison and the shadow of death--were almost the only -outspoken reliefs of her heavy mind. - -She did not greatly alter in appearance. The plain dark dresses, akin to -mourning dresses, which she and her child wore, were as neat and as well -attended to as the brighter clothes of happy days. She lost her colour, -and the old and intent expression was a constant, not an occasional, -thing; otherwise, she remained very pretty and comely. Sometimes, at -night on kissing her father, she would burst into the grief she had -repressed all day, and would say that her sole reliance, under Heaven, -was on him. He always resolutely answered: “Nothing can happen to him -without my knowledge, and I know that I can save him, Lucie.” - -They had not made the round of their changed life many weeks, when her -father said to her, on coming home one evening: - -“My dear, there is an upper window in the prison, to which Charles can -sometimes gain access at three in the afternoon. When he can get to -it--which depends on many uncertainties and incidents--he might see you -in the street, he thinks, if you stood in a certain place that I can -show you. But you will not be able to see him, my poor child, and even -if you could, it would be unsafe for you to make a sign of recognition.” - -“O show me the place, my father, and I will go there every day.” - -From that time, in all weathers, she waited there two hours. As the -clock struck two, she was there, and at four she turned resignedly away. -When it was not too wet or inclement for her child to be with her, they -went together; at other times she was alone; but, she never missed a -single day. - -It was the dark and dirty corner of a small winding street. The hovel -of a cutter of wood into lengths for burning, was the only house at that -end; all else was wall. On the third day of her being there, he noticed -her. - -“Good day, citizeness.” - -“Good day, citizen.” - -This mode of address was now prescribed by decree. It had been -established voluntarily some time ago, among the more thorough patriots; -but, was now law for everybody. - -“Walking here again, citizeness?” - -“You see me, citizen!” - -The wood-sawyer, who was a little man with a redundancy of gesture (he -had once been a mender of roads), cast a glance at the prison, pointed -at the prison, and putting his ten fingers before his face to represent -bars, peeped through them jocosely. - -“But it's not my business,” said he. And went on sawing his wood. - -Next day he was looking out for her, and accosted her the moment she -appeared. - -“What? Walking here again, citizeness?” - -“Yes, citizen.” - -“Ah! A child too! Your mother, is it not, my little citizeness?” - -“Do I say yes, mamma?” whispered little Lucie, drawing close to her. - -“Yes, dearest.” - -“Yes, citizen.” - -“Ah! But it's not my business. My work is my business. See my saw! I -call it my Little Guillotine. La, la, la; La, la, la! And off his head -comes!” - -The billet fell as he spoke, and he threw it into a basket. - -“I call myself the Samson of the firewood guillotine. See here again! -Loo, loo, loo; Loo, loo, loo! And off _her_ head comes! Now, a child. -Tickle, tickle; Pickle, pickle! And off _its_ head comes. All the -family!” - -Lucie shuddered as he threw two more billets into his basket, but it was -impossible to be there while the wood-sawyer was at work, and not be in -his sight. Thenceforth, to secure his good will, she always spoke to him -first, and often gave him drink-money, which he readily received. - -He was an inquisitive fellow, and sometimes when she had quite forgotten -him in gazing at the prison roof and grates, and in lifting her heart -up to her husband, she would come to herself to find him looking at her, -with his knee on his bench and his saw stopped in its work. “But it's -not my business!” he would generally say at those times, and would -briskly fall to his sawing again. - -In all weathers, in the snow and frost of winter, in the bitter winds of -spring, in the hot sunshine of summer, in the rains of autumn, and again -in the snow and frost of winter, Lucie passed two hours of every day at -this place; and every day on leaving it, she kissed the prison wall. -Her husband saw her (so she learned from her father) it might be once in -five or six times: it might be twice or thrice running: it might be, not -for a week or a fortnight together. It was enough that he could and did -see her when the chances served, and on that possibility she would have -waited out the day, seven days a week. - -These occupations brought her round to the December month, wherein her -father walked among the terrors with a steady head. On a lightly-snowing -afternoon she arrived at the usual corner. It was a day of some wild -rejoicing, and a festival. She had seen the houses, as she came along, -decorated with little pikes, and with little red caps stuck upon them; -also, with tricoloured ribbons; also, with the standard inscription -(tricoloured letters were the favourite), Republic One and Indivisible. -Liberty, Equality, Fraternity, or Death! - -The miserable shop of the wood-sawyer was so small, that its whole -surface furnished very indifferent space for this legend. He had got -somebody to scrawl it up for him, however, who had squeezed Death in -with most inappropriate difficulty. On his house-top, he displayed pike -and cap, as a good citizen must, and in a window he had stationed his -saw inscribed as his “Little Sainte Guillotine”--for the great sharp -female was by that time popularly canonised. His shop was shut and he -was not there, which was a relief to Lucie, and left her quite alone. - -But, he was not far off, for presently she heard a troubled movement -and a shouting coming along, which filled her with fear. A moment -afterwards, and a throng of people came pouring round the corner by the -prison wall, in the midst of whom was the wood-sawyer hand in hand with -The Vengeance. There could not be fewer than five hundred people, and -they were dancing like five thousand demons. There was no other music -than their own singing. They danced to the popular Revolution song, -keeping a ferocious time that was like a gnashing of teeth in unison. -Men and women danced together, women danced together, men danced -together, as hazard had brought them together. At first, they were a -mere storm of coarse red caps and coarse woollen rags; but, as they -filled the place, and stopped to dance about Lucie, some ghastly -apparition of a dance-figure gone raving mad arose among them. They -advanced, retreated, struck at one another's hands, clutched at one -another's heads, spun round alone, caught one another and spun round -in pairs, until many of them dropped. While those were down, the rest -linked hand in hand, and all spun round together: then the ring broke, -and in separate rings of two and four they turned and turned until they -all stopped at once, began again, struck, clutched, and tore, and then -reversed the spin, and all spun round another way. Suddenly they stopped -again, paused, struck out the time afresh, formed into lines the width -of the public way, and, with their heads low down and their hands high -up, swooped screaming off. No fight could have been half so terrible -as this dance. It was so emphatically a fallen sport--a something, once -innocent, delivered over to all devilry--a healthy pastime changed into -a means of angering the blood, bewildering the senses, and steeling the -heart. Such grace as was visible in it, made it the uglier, showing how -warped and perverted all things good by nature were become. The maidenly -bosom bared to this, the pretty almost-child's head thus distracted, the -delicate foot mincing in this slough of blood and dirt, were types of -the disjointed time. - -This was the Carmagnole. As it passed, leaving Lucie frightened and -bewildered in the doorway of the wood-sawyer's house, the feathery snow -fell as quietly and lay as white and soft, as if it had never been. - -“O my father!” for he stood before her when she lifted up the eyes she -had momentarily darkened with her hand; “such a cruel, bad sight.” - -“I know, my dear, I know. I have seen it many times. Don't be -frightened! Not one of them would harm you.” - -“I am not frightened for myself, my father. But when I think of my -husband, and the mercies of these people--” - -“We will set him above their mercies very soon. I left him climbing to -the window, and I came to tell you. There is no one here to see. You may -kiss your hand towards that highest shelving roof.” - -“I do so, father, and I send him my Soul with it!” - -“You cannot see him, my poor dear?” - -“No, father,” said Lucie, yearning and weeping as she kissed her hand, -“no.” - -A footstep in the snow. Madame Defarge. “I salute you, citizeness,” - from the Doctor. “I salute you, citizen.” This in passing. Nothing more. -Madame Defarge gone, like a shadow over the white road. - -“Give me your arm, my love. Pass from here with an air of cheerfulness -and courage, for his sake. That was well done;” they had left the spot; -“it shall not be in vain. Charles is summoned for to-morrow.” - -“For to-morrow!” - -“There is no time to lose. I am well prepared, but there are precautions -to be taken, that could not be taken until he was actually summoned -before the Tribunal. He has not received the notice yet, but I know -that he will presently be summoned for to-morrow, and removed to the -Conciergerie; I have timely information. You are not afraid?” - -She could scarcely answer, “I trust in you.” - -“Do so, implicitly. Your suspense is nearly ended, my darling; he shall -be restored to you within a few hours; I have encompassed him with every -protection. I must see Lorry.” - -He stopped. There was a heavy lumbering of wheels within hearing. They -both knew too well what it meant. One. Two. Three. Three tumbrils faring -away with their dread loads over the hushing snow. - -“I must see Lorry,” the Doctor repeated, turning her another way. - -The staunch old gentleman was still in his trust; had never left it. He -and his books were in frequent requisition as to property confiscated -and made national. What he could save for the owners, he saved. No -better man living to hold fast by what Tellson's had in keeping, and to -hold his peace. - -A murky red and yellow sky, and a rising mist from the Seine, denoted -the approach of darkness. It was almost dark when they arrived at the -Bank. The stately residence of Monseigneur was altogether blighted and -deserted. Above a heap of dust and ashes in the court, ran the letters: -National Property. Republic One and Indivisible. Liberty, Equality, -Fraternity, or Death! - -Who could that be with Mr. Lorry--the owner of the riding-coat upon the -chair--who must not be seen? From whom newly arrived, did he come out, -agitated and surprised, to take his favourite in his arms? To whom did -he appear to repeat her faltering words, when, raising his voice and -turning his head towards the door of the room from which he had issued, -he said: “Removed to the Conciergerie, and summoned for to-morrow?” - - - - -VI. Triumph - - -The dread tribunal of five Judges, Public Prosecutor, and determined -Jury, sat every day. Their lists went forth every evening, and were -read out by the gaolers of the various prisons to their prisoners. The -standard gaoler-joke was, “Come out and listen to the Evening Paper, you -inside there!” - -“Charles Evremonde, called Darnay!” - -So at last began the Evening Paper at La Force. - -When a name was called, its owner stepped apart into a spot reserved -for those who were announced as being thus fatally recorded. Charles -Evremonde, called Darnay, had reason to know the usage; he had seen -hundreds pass away so. - -His bloated gaoler, who wore spectacles to read with, glanced over them -to assure himself that he had taken his place, and went through the -list, making a similar short pause at each name. There were twenty-three -names, but only twenty were responded to; for one of the prisoners so -summoned had died in gaol and been forgotten, and two had already been -guillotined and forgotten. The list was read, in the vaulted chamber -where Darnay had seen the associated prisoners on the night of his -arrival. Every one of those had perished in the massacre; every human -creature he had since cared for and parted with, had died on the -scaffold. - -There were hurried words of farewell and kindness, but the parting was -soon over. It was the incident of every day, and the society of La Force -were engaged in the preparation of some games of forfeits and a little -concert, for that evening. They crowded to the grates and shed tears -there; but, twenty places in the projected entertainments had to be -refilled, and the time was, at best, short to the lock-up hour, when the -common rooms and corridors would be delivered over to the great dogs -who kept watch there through the night. The prisoners were far from -insensible or unfeeling; their ways arose out of the condition of the -time. Similarly, though with a subtle difference, a species of fervour -or intoxication, known, without doubt, to have led some persons to -brave the guillotine unnecessarily, and to die by it, was not mere -boastfulness, but a wild infection of the wildly shaken public mind. In -seasons of pestilence, some of us will have a secret attraction to the -disease--a terrible passing inclination to die of it. And all of us have -like wonders hidden in our breasts, only needing circumstances to evoke -them. - -The passage to the Conciergerie was short and dark; the night in its -vermin-haunted cells was long and cold. Next day, fifteen prisoners were -put to the bar before Charles Darnay's name was called. All the fifteen -were condemned, and the trials of the whole occupied an hour and a half. - -“Charles Evremonde, called Darnay,” was at length arraigned. - -His judges sat upon the Bench in feathered hats; but the rough red cap -and tricoloured cockade was the head-dress otherwise prevailing. Looking -at the Jury and the turbulent audience, he might have thought that the -usual order of things was reversed, and that the felons were trying the -honest men. The lowest, cruelest, and worst populace of a city, never -without its quantity of low, cruel, and bad, were the directing -spirits of the scene: noisily commenting, applauding, disapproving, -anticipating, and precipitating the result, without a check. Of the men, -the greater part were armed in various ways; of the women, some wore -knives, some daggers, some ate and drank as they looked on, many -knitted. Among these last, was one, with a spare piece of knitting under -her arm as she worked. She was in a front row, by the side of a man whom -he had never seen since his arrival at the Barrier, but whom he directly -remembered as Defarge. He noticed that she once or twice whispered in -his ear, and that she seemed to be his wife; but, what he most noticed -in the two figures was, that although they were posted as close to -himself as they could be, they never looked towards him. They seemed to -be waiting for something with a dogged determination, and they looked at -the Jury, but at nothing else. Under the President sat Doctor Manette, -in his usual quiet dress. As well as the prisoner could see, he and Mr. -Lorry were the only men there, unconnected with the Tribunal, who -wore their usual clothes, and had not assumed the coarse garb of the -Carmagnole. - -Charles Evremonde, called Darnay, was accused by the public prosecutor -as an emigrant, whose life was forfeit to the Republic, under the decree -which banished all emigrants on pain of Death. It was nothing that the -decree bore date since his return to France. There he was, and there was -the decree; he had been taken in France, and his head was demanded. - -“Take off his head!” cried the audience. “An enemy to the Republic!” - -The President rang his bell to silence those cries, and asked the -prisoner whether it was not true that he had lived many years in -England? - -Undoubtedly it was. - -Was he not an emigrant then? What did he call himself? - -Not an emigrant, he hoped, within the sense and spirit of the law. - -Why not? the President desired to know. - -Because he had voluntarily relinquished a title that was distasteful -to him, and a station that was distasteful to him, and had left -his country--he submitted before the word emigrant in the present -acceptation by the Tribunal was in use--to live by his own industry in -England, rather than on the industry of the overladen people of France. - -What proof had he of this? - -He handed in the names of two witnesses; Theophile Gabelle, and -Alexandre Manette. - -But he had married in England? the President reminded him. - -True, but not an English woman. - -A citizeness of France? - -Yes. By birth. - -Her name and family? - -“Lucie Manette, only daughter of Doctor Manette, the good physician who -sits there.” - -This answer had a happy effect upon the audience. Cries in exaltation -of the well-known good physician rent the hall. So capriciously were -the people moved, that tears immediately rolled down several ferocious -countenances which had been glaring at the prisoner a moment before, as -if with impatience to pluck him out into the streets and kill him. - -On these few steps of his dangerous way, Charles Darnay had set his foot -according to Doctor Manette's reiterated instructions. The same cautious -counsel directed every step that lay before him, and had prepared every -inch of his road. - -The President asked, why had he returned to France when he did, and not -sooner? - -He had not returned sooner, he replied, simply because he had no means -of living in France, save those he had resigned; whereas, in England, -he lived by giving instruction in the French language and literature. -He had returned when he did, on the pressing and written entreaty of -a French citizen, who represented that his life was endangered by his -absence. He had come back, to save a citizen's life, and to bear his -testimony, at whatever personal hazard, to the truth. Was that criminal -in the eyes of the Republic? - -The populace cried enthusiastically, “No!” and the President rang his -bell to quiet them. Which it did not, for they continued to cry “No!” - until they left off, of their own will. - -The President required the name of that citizen. The accused explained -that the citizen was his first witness. He also referred with confidence -to the citizen's letter, which had been taken from him at the Barrier, -but which he did not doubt would be found among the papers then before -the President. - -The Doctor had taken care that it should be there--had assured him that -it would be there--and at this stage of the proceedings it was produced -and read. Citizen Gabelle was called to confirm it, and did so. Citizen -Gabelle hinted, with infinite delicacy and politeness, that in the -pressure of business imposed on the Tribunal by the multitude of -enemies of the Republic with which it had to deal, he had been slightly -overlooked in his prison of the Abbaye--in fact, had rather passed out -of the Tribunal's patriotic remembrance--until three days ago; when he -had been summoned before it, and had been set at liberty on the Jury's -declaring themselves satisfied that the accusation against him was -answered, as to himself, by the surrender of the citizen Evremonde, -called Darnay. - -Doctor Manette was next questioned. His high personal popularity, -and the clearness of his answers, made a great impression; but, as he -proceeded, as he showed that the Accused was his first friend on his -release from his long imprisonment; that, the accused had remained in -England, always faithful and devoted to his daughter and himself in -their exile; that, so far from being in favour with the Aristocrat -government there, he had actually been tried for his life by it, as -the foe of England and friend of the United States--as he brought these -circumstances into view, with the greatest discretion and with the -straightforward force of truth and earnestness, the Jury and the -populace became one. At last, when he appealed by name to Monsieur -Lorry, an English gentleman then and there present, who, like himself, -had been a witness on that English trial and could corroborate his -account of it, the Jury declared that they had heard enough, and that -they were ready with their votes if the President were content to -receive them. - -At every vote (the Jurymen voted aloud and individually), the populace -set up a shout of applause. All the voices were in the prisoner's -favour, and the President declared him free. - -Then, began one of those extraordinary scenes with which the populace -sometimes gratified their fickleness, or their better impulses towards -generosity and mercy, or which they regarded as some set-off against -their swollen account of cruel rage. No man can decide now to which of -these motives such extraordinary scenes were referable; it is probable, -to a blending of all the three, with the second predominating. No sooner -was the acquittal pronounced, than tears were shed as freely as blood -at another time, and such fraternal embraces were bestowed upon the -prisoner by as many of both sexes as could rush at him, that after -his long and unwholesome confinement he was in danger of fainting from -exhaustion; none the less because he knew very well, that the very same -people, carried by another current, would have rushed at him with -the very same intensity, to rend him to pieces and strew him over the -streets. - -His removal, to make way for other accused persons who were to be tried, -rescued him from these caresses for the moment. Five were to be tried -together, next, as enemies of the Republic, forasmuch as they had not -assisted it by word or deed. So quick was the Tribunal to compensate -itself and the nation for a chance lost, that these five came down to -him before he left the place, condemned to die within twenty-four -hours. The first of them told him so, with the customary prison sign -of Death--a raised finger--and they all added in words, “Long live the -Republic!” - -The five had had, it is true, no audience to lengthen their proceedings, -for when he and Doctor Manette emerged from the gate, there was a great -crowd about it, in which there seemed to be every face he had seen in -Court--except two, for which he looked in vain. On his coming out, the -concourse made at him anew, weeping, embracing, and shouting, all by -turns and all together, until the very tide of the river on the bank of -which the mad scene was acted, seemed to run mad, like the people on the -shore. - -They put him into a great chair they had among them, and which they had -taken either out of the Court itself, or one of its rooms or passages. -Over the chair they had thrown a red flag, and to the back of it they -had bound a pike with a red cap on its top. In this car of triumph, not -even the Doctor's entreaties could prevent his being carried to his home -on men's shoulders, with a confused sea of red caps heaving about him, -and casting up to sight from the stormy deep such wrecks of faces, that -he more than once misdoubted his mind being in confusion, and that he -was in the tumbril on his way to the Guillotine. - -In wild dreamlike procession, embracing whom they met and pointing -him out, they carried him on. Reddening the snowy streets with the -prevailing Republican colour, in winding and tramping through them, as -they had reddened them below the snow with a deeper dye, they carried -him thus into the courtyard of the building where he lived. Her father -had gone on before, to prepare her, and when her husband stood upon his -feet, she dropped insensible in his arms. - -As he held her to his heart and turned her beautiful head between his -face and the brawling crowd, so that his tears and her lips might come -together unseen, a few of the people fell to dancing. Instantly, all the -rest fell to dancing, and the courtyard overflowed with the Carmagnole. -Then, they elevated into the vacant chair a young woman from the -crowd to be carried as the Goddess of Liberty, and then swelling and -overflowing out into the adjacent streets, and along the river's bank, -and over the bridge, the Carmagnole absorbed them every one and whirled -them away. - -After grasping the Doctor's hand, as he stood victorious and proud -before him; after grasping the hand of Mr. Lorry, who came panting in -breathless from his struggle against the waterspout of the Carmagnole; -after kissing little Lucie, who was lifted up to clasp her arms round -his neck; and after embracing the ever zealous and faithful Pross who -lifted her; he took his wife in his arms, and carried her up to their -rooms. - -“Lucie! My own! I am safe.” - -“O dearest Charles, let me thank God for this on my knees as I have -prayed to Him.” - -They all reverently bowed their heads and hearts. When she was again in -his arms, he said to her: - -“And now speak to your father, dearest. No other man in all this France -could have done what he has done for me.” - -She laid her head upon her father's breast, as she had laid his poor -head on her own breast, long, long ago. He was happy in the return he -had made her, he was recompensed for his suffering, he was proud of his -strength. “You must not be weak, my darling,” he remonstrated; “don't -tremble so. I have saved him.” - - - - -VII. A Knock at the Door - - -“I have saved him.” It was not another of the dreams in which he had -often come back; he was really here. And yet his wife trembled, and a -vague but heavy fear was upon her. - -All the air round was so thick and dark, the people were so passionately -revengeful and fitful, the innocent were so constantly put to death on -vague suspicion and black malice, it was so impossible to forget that -many as blameless as her husband and as dear to others as he was to -her, every day shared the fate from which he had been clutched, that her -heart could not be as lightened of its load as she felt it ought to be. -The shadows of the wintry afternoon were beginning to fall, and even now -the dreadful carts were rolling through the streets. Her mind pursued -them, looking for him among the Condemned; and then she clung closer to -his real presence and trembled more. - -Her father, cheering her, showed a compassionate superiority to this -woman's weakness, which was wonderful to see. No garret, no shoemaking, -no One Hundred and Five, North Tower, now! He had accomplished the task -he had set himself, his promise was redeemed, he had saved Charles. Let -them all lean upon him. - -Their housekeeping was of a very frugal kind: not only because that was -the safest way of life, involving the least offence to the people, but -because they were not rich, and Charles, throughout his imprisonment, -had had to pay heavily for his bad food, and for his guard, and towards -the living of the poorer prisoners. Partly on this account, and -partly to avoid a domestic spy, they kept no servant; the citizen and -citizeness who acted as porters at the courtyard gate, rendered them -occasional service; and Jerry (almost wholly transferred to them by -Mr. Lorry) had become their daily retainer, and had his bed there every -night. - -It was an ordinance of the Republic One and Indivisible of Liberty, -Equality, Fraternity, or Death, that on the door or doorpost of every -house, the name of every inmate must be legibly inscribed in letters -of a certain size, at a certain convenient height from the ground. Mr. -Jerry Cruncher's name, therefore, duly embellished the doorpost down -below; and, as the afternoon shadows deepened, the owner of that name -himself appeared, from overlooking a painter whom Doctor Manette had -employed to add to the list the name of Charles Evremonde, called -Darnay. - -In the universal fear and distrust that darkened the time, all the usual -harmless ways of life were changed. In the Doctor's little household, as -in very many others, the articles of daily consumption that were wanted -were purchased every evening, in small quantities and at various small -shops. To avoid attracting notice, and to give as little occasion as -possible for talk and envy, was the general desire. - -For some months past, Miss Pross and Mr. Cruncher had discharged the -office of purveyors; the former carrying the money; the latter, the -basket. Every afternoon at about the time when the public lamps were -lighted, they fared forth on this duty, and made and brought home -such purchases as were needful. Although Miss Pross, through her long -association with a French family, might have known as much of their -language as of her own, if she had had a mind, she had no mind in that -direction; consequently she knew no more of that “nonsense” (as she was -pleased to call it) than Mr. Cruncher did. So her manner of marketing -was to plump a noun-substantive at the head of a shopkeeper without any -introduction in the nature of an article, and, if it happened not to be -the name of the thing she wanted, to look round for that thing, lay hold -of it, and hold on by it until the bargain was concluded. She always -made a bargain for it, by holding up, as a statement of its just price, -one finger less than the merchant held up, whatever his number might be. - -“Now, Mr. Cruncher,” said Miss Pross, whose eyes were red with felicity; -“if you are ready, I am.” - -Jerry hoarsely professed himself at Miss Pross's service. He had worn -all his rust off long ago, but nothing would file his spiky head down. - -“There's all manner of things wanted,” said Miss Pross, “and we shall -have a precious time of it. We want wine, among the rest. Nice toasts -these Redheads will be drinking, wherever we buy it.” - -“It will be much the same to your knowledge, miss, I should think,” - retorted Jerry, “whether they drink your health or the Old Un's.” - -“Who's he?” said Miss Pross. - -Mr. Cruncher, with some diffidence, explained himself as meaning “Old -Nick's.” - -“Ha!” said Miss Pross, “it doesn't need an interpreter to explain the -meaning of these creatures. They have but one, and it's Midnight Murder, -and Mischief.” - -“Hush, dear! Pray, pray, be cautious!” cried Lucie. - -“Yes, yes, yes, I'll be cautious,” said Miss Pross; “but I may say -among ourselves, that I do hope there will be no oniony and tobaccoey -smotherings in the form of embracings all round, going on in the -streets. Now, Ladybird, never you stir from that fire till I come back! -Take care of the dear husband you have recovered, and don't move your -pretty head from his shoulder as you have it now, till you see me again! -May I ask a question, Doctor Manette, before I go?” - -“I think you may take that liberty,” the Doctor answered, smiling. - -“For gracious sake, don't talk about Liberty; we have quite enough of -that,” said Miss Pross. - -“Hush, dear! Again?” Lucie remonstrated. - -“Well, my sweet,” said Miss Pross, nodding her head emphatically, “the -short and the long of it is, that I am a subject of His Most Gracious -Majesty King George the Third;” Miss Pross curtseyed at the name; “and -as such, my maxim is, Confound their politics, Frustrate their knavish -tricks, On him our hopes we fix, God save the King!” - -Mr. Cruncher, in an access of loyalty, growlingly repeated the words -after Miss Pross, like somebody at church. - -“I am glad you have so much of the Englishman in you, though I wish you -had never taken that cold in your voice,” said Miss Pross, approvingly. -“But the question, Doctor Manette. Is there”--it was the good creature's -way to affect to make light of anything that was a great anxiety -with them all, and to come at it in this chance manner--“is there any -prospect yet, of our getting out of this place?” - -“I fear not yet. It would be dangerous for Charles yet.” - -“Heigh-ho-hum!” said Miss Pross, cheerfully repressing a sigh as she -glanced at her darling's golden hair in the light of the fire, “then we -must have patience and wait: that's all. We must hold up our heads and -fight low, as my brother Solomon used to say. Now, Mr. Cruncher!--Don't -you move, Ladybird!” - -They went out, leaving Lucie, and her husband, her father, and the -child, by a bright fire. Mr. Lorry was expected back presently from the -Banking House. Miss Pross had lighted the lamp, but had put it aside in -a corner, that they might enjoy the fire-light undisturbed. Little Lucie -sat by her grandfather with her hands clasped through his arm: and he, -in a tone not rising much above a whisper, began to tell her a story of -a great and powerful Fairy who had opened a prison-wall and let out -a captive who had once done the Fairy a service. All was subdued and -quiet, and Lucie was more at ease than she had been. - -“What is that?” she cried, all at once. - -“My dear!” said her father, stopping in his story, and laying his hand -on hers, “command yourself. What a disordered state you are in! The -least thing--nothing--startles you! _You_, your father's daughter!” - -“I thought, my father,” said Lucie, excusing herself, with a pale face -and in a faltering voice, “that I heard strange feet upon the stairs.” - -“My love, the staircase is as still as Death.” - -As he said the word, a blow was struck upon the door. - -“Oh father, father. What can this be! Hide Charles. Save him!” - -“My child,” said the Doctor, rising, and laying his hand upon her -shoulder, “I _have_ saved him. What weakness is this, my dear! Let me go -to the door.” - -He took the lamp in his hand, crossed the two intervening outer rooms, -and opened it. A rude clattering of feet over the floor, and four rough -men in red caps, armed with sabres and pistols, entered the room. - -“The Citizen Evremonde, called Darnay,” said the first. - -“Who seeks him?” answered Darnay. - -“I seek him. We seek him. I know you, Evremonde; I saw you before the -Tribunal to-day. You are again the prisoner of the Republic.” - -The four surrounded him, where he stood with his wife and child clinging -to him. - -“Tell me how and why am I again a prisoner?” - -“It is enough that you return straight to the Conciergerie, and will -know to-morrow. You are summoned for to-morrow.” - -Doctor Manette, whom this visitation had so turned into stone, that he -stood with the lamp in his hand, as if he were a statue made to hold it, -moved after these words were spoken, put the lamp down, and confronting -the speaker, and taking him, not ungently, by the loose front of his red -woollen shirt, said: - -“You know him, you have said. Do you know me?” - -“Yes, I know you, Citizen Doctor.” - -“We all know you, Citizen Doctor,” said the other three. - -He looked abstractedly from one to another, and said, in a lower voice, -after a pause: - -“Will you answer his question to me then? How does this happen?” - -“Citizen Doctor,” said the first, reluctantly, “he has been denounced to -the Section of Saint Antoine. This citizen,” pointing out the second who -had entered, “is from Saint Antoine.” - -The citizen here indicated nodded his head, and added: - -“He is accused by Saint Antoine.” - -“Of what?” asked the Doctor. - -“Citizen Doctor,” said the first, with his former reluctance, “ask no -more. If the Republic demands sacrifices from you, without doubt you as -a good patriot will be happy to make them. The Republic goes before all. -The People is supreme. Evremonde, we are pressed.” - -“One word,” the Doctor entreated. “Will you tell me who denounced him?” - -“It is against rule,” answered the first; “but you can ask Him of Saint -Antoine here.” - -The Doctor turned his eyes upon that man. Who moved uneasily on his -feet, rubbed his beard a little, and at length said: - -“Well! Truly it is against rule. But he is denounced--and gravely--by -the Citizen and Citizeness Defarge. And by one other.” - -“What other?” - -“Do _you_ ask, Citizen Doctor?” - -“Yes.” - -“Then,” said he of Saint Antoine, with a strange look, “you will be -answered to-morrow. Now, I am dumb!” - - - - -VIII. A Hand at Cards - - -Happily unconscious of the new calamity at home, Miss Pross threaded her -way along the narrow streets and crossed the river by the bridge of the -Pont-Neuf, reckoning in her mind the number of indispensable purchases -she had to make. Mr. Cruncher, with the basket, walked at her side. They -both looked to the right and to the left into most of the shops they -passed, had a wary eye for all gregarious assemblages of people, and -turned out of their road to avoid any very excited group of talkers. It -was a raw evening, and the misty river, blurred to the eye with blazing -lights and to the ear with harsh noises, showed where the barges were -stationed in which the smiths worked, making guns for the Army of the -Republic. Woe to the man who played tricks with _that_ Army, or got -undeserved promotion in it! Better for him that his beard had never -grown, for the National Razor shaved him close. - -Having purchased a few small articles of grocery, and a measure of oil -for the lamp, Miss Pross bethought herself of the wine they wanted. -After peeping into several wine-shops, she stopped at the sign of the -Good Republican Brutus of Antiquity, not far from the National Palace, -once (and twice) the Tuileries, where the aspect of things rather -took her fancy. It had a quieter look than any other place of the same -description they had passed, and, though red with patriotic caps, was -not so red as the rest. Sounding Mr. Cruncher, and finding him of her -opinion, Miss Pross resorted to the Good Republican Brutus of Antiquity, -attended by her cavalier. - -Slightly observant of the smoky lights; of the people, pipe in mouth, -playing with limp cards and yellow dominoes; of the one bare-breasted, -bare-armed, soot-begrimed workman reading a journal aloud, and of -the others listening to him; of the weapons worn, or laid aside to be -resumed; of the two or three customers fallen forward asleep, who in the -popular high-shouldered shaggy black spencer looked, in that attitude, -like slumbering bears or dogs; the two outlandish customers approached -the counter, and showed what they wanted. - -As their wine was measuring out, a man parted from another man in a -corner, and rose to depart. In going, he had to face Miss Pross. No -sooner did he face her, than Miss Pross uttered a scream, and clapped -her hands. - -In a moment, the whole company were on their feet. That somebody was -assassinated by somebody vindicating a difference of opinion was the -likeliest occurrence. Everybody looked to see somebody fall, but only -saw a man and a woman standing staring at each other; the man with all -the outward aspect of a Frenchman and a thorough Republican; the woman, -evidently English. - -What was said in this disappointing anti-climax, by the disciples of the -Good Republican Brutus of Antiquity, except that it was something very -voluble and loud, would have been as so much Hebrew or Chaldean to Miss -Pross and her protector, though they had been all ears. But, they had no -ears for anything in their surprise. For, it must be recorded, that -not only was Miss Pross lost in amazement and agitation, but, -Mr. Cruncher--though it seemed on his own separate and individual -account--was in a state of the greatest wonder. - -“What is the matter?” said the man who had caused Miss Pross to scream; -speaking in a vexed, abrupt voice (though in a low tone), and in -English. - -“Oh, Solomon, dear Solomon!” cried Miss Pross, clapping her hands again. -“After not setting eyes upon you or hearing of you for so long a time, -do I find you here!” - -“Don't call me Solomon. Do you want to be the death of me?” asked the -man, in a furtive, frightened way. - -“Brother, brother!” cried Miss Pross, bursting into tears. “Have I ever -been so hard with you that you ask me such a cruel question?” - -“Then hold your meddlesome tongue,” said Solomon, “and come out, if you -want to speak to me. Pay for your wine, and come out. Who's this man?” - -Miss Pross, shaking her loving and dejected head at her by no means -affectionate brother, said through her tears, “Mr. Cruncher.” - -“Let him come out too,” said Solomon. “Does he think me a ghost?” - -Apparently, Mr. Cruncher did, to judge from his looks. He said not a -word, however, and Miss Pross, exploring the depths of her reticule -through her tears with great difficulty paid for her wine. As she did -so, Solomon turned to the followers of the Good Republican Brutus -of Antiquity, and offered a few words of explanation in the French -language, which caused them all to relapse into their former places and -pursuits. - -“Now,” said Solomon, stopping at the dark street corner, “what do you -want?” - -“How dreadfully unkind in a brother nothing has ever turned my love away -from!” cried Miss Pross, “to give me such a greeting, and show me no -affection.” - -“There. Confound it! There,” said Solomon, making a dab at Miss Pross's -lips with his own. “Now are you content?” - -Miss Pross only shook her head and wept in silence. - -“If you expect me to be surprised,” said her brother Solomon, “I am not -surprised; I knew you were here; I know of most people who are here. If -you really don't want to endanger my existence--which I half believe you -do--go your ways as soon as possible, and let me go mine. I am busy. I -am an official.” - -“My English brother Solomon,” mourned Miss Pross, casting up her -tear-fraught eyes, “that had the makings in him of one of the best and -greatest of men in his native country, an official among foreigners, and -such foreigners! I would almost sooner have seen the dear boy lying in -his--” - -“I said so!” cried her brother, interrupting. “I knew it. You want to be -the death of me. I shall be rendered Suspected, by my own sister. Just -as I am getting on!” - -“The gracious and merciful Heavens forbid!” cried Miss Pross. “Far -rather would I never see you again, dear Solomon, though I have ever -loved you truly, and ever shall. Say but one affectionate word to me, -and tell me there is nothing angry or estranged between us, and I will -detain you no longer.” - -Good Miss Pross! As if the estrangement between them had come of any -culpability of hers. As if Mr. Lorry had not known it for a fact, years -ago, in the quiet corner in Soho, that this precious brother had spent -her money and left her! - -He was saying the affectionate word, however, with a far more grudging -condescension and patronage than he could have shown if their relative -merits and positions had been reversed (which is invariably the case, -all the world over), when Mr. Cruncher, touching him on the shoulder, -hoarsely and unexpectedly interposed with the following singular -question: - -“I say! Might I ask the favour? As to whether your name is John Solomon, -or Solomon John?” - -The official turned towards him with sudden distrust. He had not -previously uttered a word. - -“Come!” said Mr. Cruncher. “Speak out, you know.” (Which, by the way, -was more than he could do himself.) “John Solomon, or Solomon John? She -calls you Solomon, and she must know, being your sister. And _I_ know -you're John, you know. Which of the two goes first? And regarding that -name of Pross, likewise. That warn't your name over the water.” - -“What do you mean?” - -“Well, I don't know all I mean, for I can't call to mind what your name -was, over the water.” - -“No?” - -“No. But I'll swear it was a name of two syllables.” - -“Indeed?” - -“Yes. T'other one's was one syllable. I know you. You was a spy--witness -at the Bailey. What, in the name of the Father of Lies, own father to -yourself, was you called at that time?” - -“Barsad,” said another voice, striking in. - -“That's the name for a thousand pound!” cried Jerry. - -The speaker who struck in, was Sydney Carton. He had his hands behind -him under the skirts of his riding-coat, and he stood at Mr. Cruncher's -elbow as negligently as he might have stood at the Old Bailey itself. - -“Don't be alarmed, my dear Miss Pross. I arrived at Mr. Lorry's, to his -surprise, yesterday evening; we agreed that I would not present myself -elsewhere until all was well, or unless I could be useful; I present -myself here, to beg a little talk with your brother. I wish you had a -better employed brother than Mr. Barsad. I wish for your sake Mr. Barsad -was not a Sheep of the Prisons.” - -Sheep was a cant word of the time for a spy, under the gaolers. The spy, -who was pale, turned paler, and asked him how he dared-- - -“I'll tell you,” said Sydney. “I lighted on you, Mr. Barsad, coming out -of the prison of the Conciergerie while I was contemplating the walls, -an hour or more ago. You have a face to be remembered, and I remember -faces well. Made curious by seeing you in that connection, and having -a reason, to which you are no stranger, for associating you with -the misfortunes of a friend now very unfortunate, I walked in your -direction. I walked into the wine-shop here, close after you, and -sat near you. I had no difficulty in deducing from your unreserved -conversation, and the rumour openly going about among your admirers, the -nature of your calling. And gradually, what I had done at random, seemed -to shape itself into a purpose, Mr. Barsad.” - -“What purpose?” the spy asked. - -“It would be troublesome, and might be dangerous, to explain in the -street. Could you favour me, in confidence, with some minutes of your -company--at the office of Tellson's Bank, for instance?” - -“Under a threat?” - -“Oh! Did I say that?” - -“Then, why should I go there?” - -“Really, Mr. Barsad, I can't say, if you can't.” - -“Do you mean that you won't say, sir?” the spy irresolutely asked. - -“You apprehend me very clearly, Mr. Barsad. I won't.” - -Carton's negligent recklessness of manner came powerfully in aid of his -quickness and skill, in such a business as he had in his secret mind, -and with such a man as he had to do with. His practised eye saw it, and -made the most of it. - -“Now, I told you so,” said the spy, casting a reproachful look at his -sister; “if any trouble comes of this, it's your doing.” - -“Come, come, Mr. Barsad!” exclaimed Sydney. “Don't be ungrateful. -But for my great respect for your sister, I might not have led up so -pleasantly to a little proposal that I wish to make for our mutual -satisfaction. Do you go with me to the Bank?” - -“I'll hear what you have got to say. Yes, I'll go with you.” - -“I propose that we first conduct your sister safely to the corner of her -own street. Let me take your arm, Miss Pross. This is not a good city, -at this time, for you to be out in, unprotected; and as your escort -knows Mr. Barsad, I will invite him to Mr. Lorry's with us. Are we -ready? Come then!” - -Miss Pross recalled soon afterwards, and to the end of her life -remembered, that as she pressed her hands on Sydney's arm and looked up -in his face, imploring him to do no hurt to Solomon, there was a braced -purpose in the arm and a kind of inspiration in the eyes, which not only -contradicted his light manner, but changed and raised the man. She was -too much occupied then with fears for the brother who so little deserved -her affection, and with Sydney's friendly reassurances, adequately to -heed what she observed. - -They left her at the corner of the street, and Carton led the way to Mr. -Lorry's, which was within a few minutes' walk. John Barsad, or Solomon -Pross, walked at his side. - -Mr. Lorry had just finished his dinner, and was sitting before a cheery -little log or two of fire--perhaps looking into their blaze for the -picture of that younger elderly gentleman from Tellson's, who had looked -into the red coals at the Royal George at Dover, now a good many years -ago. He turned his head as they entered, and showed the surprise with -which he saw a stranger. - -“Miss Pross's brother, sir,” said Sydney. “Mr. Barsad.” - -“Barsad?” repeated the old gentleman, “Barsad? I have an association -with the name--and with the face.” - -“I told you you had a remarkable face, Mr. Barsad,” observed Carton, -coolly. “Pray sit down.” - -As he took a chair himself, he supplied the link that Mr. Lorry wanted, -by saying to him with a frown, “Witness at that trial.” Mr. Lorry -immediately remembered, and regarded his new visitor with an undisguised -look of abhorrence. - -“Mr. Barsad has been recognised by Miss Pross as the affectionate -brother you have heard of,” said Sydney, “and has acknowledged the -relationship. I pass to worse news. Darnay has been arrested again.” - -Struck with consternation, the old gentleman exclaimed, “What do you -tell me! I left him safe and free within these two hours, and am about -to return to him!” - -“Arrested for all that. When was it done, Mr. Barsad?” - -“Just now, if at all.” - -“Mr. Barsad is the best authority possible, sir,” said Sydney, “and I -have it from Mr. Barsad's communication to a friend and brother Sheep -over a bottle of wine, that the arrest has taken place. He left the -messengers at the gate, and saw them admitted by the porter. There is no -earthly doubt that he is retaken.” - -Mr. Lorry's business eye read in the speaker's face that it was loss -of time to dwell upon the point. Confused, but sensible that something -might depend on his presence of mind, he commanded himself, and was -silently attentive. - -“Now, I trust,” said Sydney to him, “that the name and influence of -Doctor Manette may stand him in as good stead to-morrow--you said he -would be before the Tribunal again to-morrow, Mr. Barsad?--” - -“Yes; I believe so.” - -“--In as good stead to-morrow as to-day. But it may not be so. I own -to you, I am shaken, Mr. Lorry, by Doctor Manette's not having had the -power to prevent this arrest.” - -“He may not have known of it beforehand,” said Mr. Lorry. - -“But that very circumstance would be alarming, when we remember how -identified he is with his son-in-law.” - -“That's true,” Mr. Lorry acknowledged, with his troubled hand at his -chin, and his troubled eyes on Carton. - -“In short,” said Sydney, “this is a desperate time, when desperate games -are played for desperate stakes. Let the Doctor play the winning game; I -will play the losing one. No man's life here is worth purchase. Any one -carried home by the people to-day, may be condemned tomorrow. Now, the -stake I have resolved to play for, in case of the worst, is a friend -in the Conciergerie. And the friend I purpose to myself to win, is Mr. -Barsad.” - -“You need have good cards, sir,” said the spy. - -“I'll run them over. I'll see what I hold,--Mr. Lorry, you know what a -brute I am; I wish you'd give me a little brandy.” - -It was put before him, and he drank off a glassful--drank off another -glassful--pushed the bottle thoughtfully away. - -“Mr. Barsad,” he went on, in the tone of one who really was looking -over a hand at cards: “Sheep of the prisons, emissary of Republican -committees, now turnkey, now prisoner, always spy and secret informer, -so much the more valuable here for being English that an Englishman -is less open to suspicion of subornation in those characters than a -Frenchman, represents himself to his employers under a false name. -That's a very good card. Mr. Barsad, now in the employ of the republican -French government, was formerly in the employ of the aristocratic -English government, the enemy of France and freedom. That's an excellent -card. Inference clear as day in this region of suspicion, that Mr. -Barsad, still in the pay of the aristocratic English government, is the -spy of Pitt, the treacherous foe of the Republic crouching in its bosom, -the English traitor and agent of all mischief so much spoken of and so -difficult to find. That's a card not to be beaten. Have you followed my -hand, Mr. Barsad?” - -“Not to understand your play,” returned the spy, somewhat uneasily. - -“I play my Ace, Denunciation of Mr. Barsad to the nearest Section -Committee. Look over your hand, Mr. Barsad, and see what you have. Don't -hurry.” - -He drew the bottle near, poured out another glassful of brandy, and -drank it off. He saw that the spy was fearful of his drinking himself -into a fit state for the immediate denunciation of him. Seeing it, he -poured out and drank another glassful. - -“Look over your hand carefully, Mr. Barsad. Take time.” - -It was a poorer hand than he suspected. Mr. Barsad saw losing cards -in it that Sydney Carton knew nothing of. Thrown out of his honourable -employment in England, through too much unsuccessful hard swearing -there--not because he was not wanted there; our English reasons for -vaunting our superiority to secrecy and spies are of very modern -date--he knew that he had crossed the Channel, and accepted service in -France: first, as a tempter and an eavesdropper among his own countrymen -there: gradually, as a tempter and an eavesdropper among the natives. He -knew that under the overthrown government he had been a spy upon Saint -Antoine and Defarge's wine-shop; had received from the watchful police -such heads of information concerning Doctor Manette's imprisonment, -release, and history, as should serve him for an introduction to -familiar conversation with the Defarges; and tried them on Madame -Defarge, and had broken down with them signally. He always remembered -with fear and trembling, that that terrible woman had knitted when he -talked with her, and had looked ominously at him as her fingers moved. -He had since seen her, in the Section of Saint Antoine, over and over -again produce her knitted registers, and denounce people whose lives the -guillotine then surely swallowed up. He knew, as every one employed as -he was did, that he was never safe; that flight was impossible; that -he was tied fast under the shadow of the axe; and that in spite of -his utmost tergiversation and treachery in furtherance of the reigning -terror, a word might bring it down upon him. Once denounced, and on such -grave grounds as had just now been suggested to his mind, he foresaw -that the dreadful woman of whose unrelenting character he had seen many -proofs, would produce against him that fatal register, and would quash -his last chance of life. Besides that all secret men are men soon -terrified, here were surely cards enough of one black suit, to justify -the holder in growing rather livid as he turned them over. - -“You scarcely seem to like your hand,” said Sydney, with the greatest -composure. “Do you play?” - -“I think, sir,” said the spy, in the meanest manner, as he turned to Mr. -Lorry, “I may appeal to a gentleman of your years and benevolence, to -put it to this other gentleman, so much your junior, whether he can -under any circumstances reconcile it to his station to play that Ace -of which he has spoken. I admit that _I_ am a spy, and that it is -considered a discreditable station--though it must be filled by -somebody; but this gentleman is no spy, and why should he so demean -himself as to make himself one?” - -“I play my Ace, Mr. Barsad,” said Carton, taking the answer on himself, -and looking at his watch, “without any scruple, in a very few minutes.” - -“I should have hoped, gentlemen both,” said the spy, always striving to -hook Mr. Lorry into the discussion, “that your respect for my sister--” - -“I could not better testify my respect for your sister than by finally -relieving her of her brother,” said Sydney Carton. - -“You think not, sir?” - -“I have thoroughly made up my mind about it.” - -The smooth manner of the spy, curiously in dissonance with his -ostentatiously rough dress, and probably with his usual demeanour, -received such a check from the inscrutability of Carton,--who was a -mystery to wiser and honester men than he,--that it faltered here and -failed him. While he was at a loss, Carton said, resuming his former air -of contemplating cards: - -“And indeed, now I think again, I have a strong impression that I -have another good card here, not yet enumerated. That friend and -fellow-Sheep, who spoke of himself as pasturing in the country prisons; -who was he?” - -“French. You don't know him,” said the spy, quickly. - -“French, eh?” repeated Carton, musing, and not appearing to notice him -at all, though he echoed his word. “Well; he may be.” - -“Is, I assure you,” said the spy; “though it's not important.” - -“Though it's not important,” repeated Carton, in the same mechanical -way--“though it's not important--No, it's not important. No. Yet I know -the face.” - -“I think not. I am sure not. It can't be,” said the spy. - -“It-can't-be,” muttered Sydney Carton, retrospectively, and idling his -glass (which fortunately was a small one) again. “Can't-be. Spoke good -French. Yet like a foreigner, I thought?” - -“Provincial,” said the spy. - -“No. Foreign!” cried Carton, striking his open hand on the table, as a -light broke clearly on his mind. “Cly! Disguised, but the same man. We -had that man before us at the Old Bailey.” - -“Now, there you are hasty, sir,” said Barsad, with a smile that gave his -aquiline nose an extra inclination to one side; “there you really give -me an advantage over you. Cly (who I will unreservedly admit, at this -distance of time, was a partner of mine) has been dead several years. I -attended him in his last illness. He was buried in London, at the church -of Saint Pancras-in-the-Fields. His unpopularity with the blackguard -multitude at the moment prevented my following his remains, but I helped -to lay him in his coffin.” - -Here, Mr. Lorry became aware, from where he sat, of a most remarkable -goblin shadow on the wall. Tracing it to its source, he discovered it -to be caused by a sudden extraordinary rising and stiffening of all the -risen and stiff hair on Mr. Cruncher's head. - -“Let us be reasonable,” said the spy, “and let us be fair. To show you -how mistaken you are, and what an unfounded assumption yours is, I will -lay before you a certificate of Cly's burial, which I happened to have -carried in my pocket-book,” with a hurried hand he produced and opened -it, “ever since. There it is. Oh, look at it, look at it! You may take -it in your hand; it's no forgery.” - -Here, Mr. Lorry perceived the reflection on the wall to elongate, and -Mr. Cruncher rose and stepped forward. His hair could not have been more -violently on end, if it had been that moment dressed by the Cow with the -crumpled horn in the house that Jack built. - -Unseen by the spy, Mr. Cruncher stood at his side, and touched him on -the shoulder like a ghostly bailiff. - -“That there Roger Cly, master,” said Mr. Cruncher, with a taciturn and -iron-bound visage. “So _you_ put him in his coffin?” - -“I did.” - -“Who took him out of it?” - -Barsad leaned back in his chair, and stammered, “What do you mean?” - -“I mean,” said Mr. Cruncher, “that he warn't never in it. No! Not he! -I'll have my head took off, if he was ever in it.” - -The spy looked round at the two gentlemen; they both looked in -unspeakable astonishment at Jerry. - -“I tell you,” said Jerry, “that you buried paving-stones and earth in -that there coffin. Don't go and tell me that you buried Cly. It was a -take in. Me and two more knows it.” - -“How do you know it?” - -“What's that to you? Ecod!” growled Mr. Cruncher, “it's you I have got a -old grudge again, is it, with your shameful impositions upon tradesmen! -I'd catch hold of your throat and choke you for half a guinea.” - -Sydney Carton, who, with Mr. Lorry, had been lost in amazement at -this turn of the business, here requested Mr. Cruncher to moderate and -explain himself. - -“At another time, sir,” he returned, evasively, “the present time is -ill-conwenient for explainin'. What I stand to, is, that he knows well -wot that there Cly was never in that there coffin. Let him say he was, -in so much as a word of one syllable, and I'll either catch hold of his -throat and choke him for half a guinea;” Mr. Cruncher dwelt upon this as -quite a liberal offer; “or I'll out and announce him.” - -“Humph! I see one thing,” said Carton. “I hold another card, Mr. Barsad. -Impossible, here in raging Paris, with Suspicion filling the air, for -you to outlive denunciation, when you are in communication with another -aristocratic spy of the same antecedents as yourself, who, moreover, has -the mystery about him of having feigned death and come to life again! -A plot in the prisons, of the foreigner against the Republic. A strong -card--a certain Guillotine card! Do you play?” - -“No!” returned the spy. “I throw up. I confess that we were so unpopular -with the outrageous mob, that I only got away from England at the risk -of being ducked to death, and that Cly was so ferreted up and down, that -he never would have got away at all but for that sham. Though how this -man knows it was a sham, is a wonder of wonders to me.” - -“Never you trouble your head about this man,” retorted the contentious -Mr. Cruncher; “you'll have trouble enough with giving your attention to -that gentleman. And look here! Once more!”--Mr. Cruncher could not -be restrained from making rather an ostentatious parade of his -liberality--“I'd catch hold of your throat and choke you for half a -guinea.” - -The Sheep of the prisons turned from him to Sydney Carton, and said, -with more decision, “It has come to a point. I go on duty soon, and -can't overstay my time. You told me you had a proposal; what is it? -Now, it is of no use asking too much of me. Ask me to do anything in my -office, putting my head in great extra danger, and I had better trust my -life to the chances of a refusal than the chances of consent. In short, -I should make that choice. You talk of desperation. We are all desperate -here. Remember! I may denounce you if I think proper, and I can swear my -way through stone walls, and so can others. Now, what do you want with -me?” - -“Not very much. You are a turnkey at the Conciergerie?” - -“I tell you once for all, there is no such thing as an escape possible,” - said the spy, firmly. - -“Why need you tell me what I have not asked? You are a turnkey at the -Conciergerie?” - -“I am sometimes.” - -“You can be when you choose?” - -“I can pass in and out when I choose.” - -Sydney Carton filled another glass with brandy, poured it slowly out -upon the hearth, and watched it as it dropped. It being all spent, he -said, rising: - -“So far, we have spoken before these two, because it was as well that -the merits of the cards should not rest solely between you and me. Come -into the dark room here, and let us have one final word alone.” - - - - -IX. The Game Made - - -While Sydney Carton and the Sheep of the prisons were in the adjoining -dark room, speaking so low that not a sound was heard, Mr. Lorry looked -at Jerry in considerable doubt and mistrust. That honest tradesman's -manner of receiving the look, did not inspire confidence; he changed the -leg on which he rested, as often as if he had fifty of those limbs, -and were trying them all; he examined his finger-nails with a very -questionable closeness of attention; and whenever Mr. Lorry's eye caught -his, he was taken with that peculiar kind of short cough requiring the -hollow of a hand before it, which is seldom, if ever, known to be an -infirmity attendant on perfect openness of character. - -“Jerry,” said Mr. Lorry. “Come here.” - -Mr. Cruncher came forward sideways, with one of his shoulders in advance -of him. - -“What have you been, besides a messenger?” - -After some cogitation, accompanied with an intent look at his patron, -Mr. Cruncher conceived the luminous idea of replying, “Agicultooral -character.” - -“My mind misgives me much,” said Mr. Lorry, angrily shaking a forefinger -at him, “that you have used the respectable and great house of Tellson's -as a blind, and that you have had an unlawful occupation of an infamous -description. If you have, don't expect me to befriend you when you -get back to England. If you have, don't expect me to keep your secret. -Tellson's shall not be imposed upon.” - -“I hope, sir,” pleaded the abashed Mr. Cruncher, “that a gentleman like -yourself wot I've had the honour of odd jobbing till I'm grey at it, -would think twice about harming of me, even if it wos so--I don't say it -is, but even if it wos. And which it is to be took into account that if -it wos, it wouldn't, even then, be all o' one side. There'd be two sides -to it. There might be medical doctors at the present hour, a picking -up their guineas where a honest tradesman don't pick up his -fardens--fardens! no, nor yet his half fardens--half fardens! no, nor -yet his quarter--a banking away like smoke at Tellson's, and a cocking -their medical eyes at that tradesman on the sly, a going in and going -out to their own carriages--ah! equally like smoke, if not more so. -Well, that 'ud be imposing, too, on Tellson's. For you cannot sarse the -goose and not the gander. And here's Mrs. Cruncher, or leastways wos -in the Old England times, and would be to-morrow, if cause given, -a floppin' again the business to that degree as is ruinating--stark -ruinating! Whereas them medical doctors' wives don't flop--catch 'em at -it! Or, if they flop, their floppings goes in favour of more patients, -and how can you rightly have one without t'other? Then, wot with -undertakers, and wot with parish clerks, and wot with sextons, and wot -with private watchmen (all awaricious and all in it), a man wouldn't get -much by it, even if it wos so. And wot little a man did get, would never -prosper with him, Mr. Lorry. He'd never have no good of it; he'd want -all along to be out of the line, if he, could see his way out, being -once in--even if it wos so.” - -“Ugh!” cried Mr. Lorry, rather relenting, nevertheless, “I am shocked at -the sight of you.” - -“Now, what I would humbly offer to you, sir,” pursued Mr. Cruncher, -“even if it wos so, which I don't say it is--” - -“Don't prevaricate,” said Mr. Lorry. - -“No, I will _not_, sir,” returned Mr. Crunches as if nothing were -further from his thoughts or practice--“which I don't say it is--wot I -would humbly offer to you, sir, would be this. Upon that there stool, at -that there Bar, sets that there boy of mine, brought up and growed up to -be a man, wot will errand you, message you, general-light-job you, till -your heels is where your head is, if such should be your wishes. If it -wos so, which I still don't say it is (for I will not prewaricate to -you, sir), let that there boy keep his father's place, and take care of -his mother; don't blow upon that boy's father--do not do it, sir--and -let that father go into the line of the reg'lar diggin', and make amends -for what he would have undug--if it wos so--by diggin' of 'em in with -a will, and with conwictions respectin' the futur' keepin' of 'em safe. -That, Mr. Lorry,” said Mr. Cruncher, wiping his forehead with his -arm, as an announcement that he had arrived at the peroration of his -discourse, “is wot I would respectfully offer to you, sir. A man don't -see all this here a goin' on dreadful round him, in the way of Subjects -without heads, dear me, plentiful enough fur to bring the price down -to porterage and hardly that, without havin' his serious thoughts of -things. And these here would be mine, if it wos so, entreatin' of you -fur to bear in mind that wot I said just now, I up and said in the good -cause when I might have kep' it back.” - -“That at least is true,” said Mr. Lorry. “Say no more now. It may be -that I shall yet stand your friend, if you deserve it, and repent in -action--not in words. I want no more words.” - -Mr. Cruncher knuckled his forehead, as Sydney Carton and the spy -returned from the dark room. “Adieu, Mr. Barsad,” said the former; “our -arrangement thus made, you have nothing to fear from me.” - -He sat down in a chair on the hearth, over against Mr. Lorry. When they -were alone, Mr. Lorry asked him what he had done? - -“Not much. If it should go ill with the prisoner, I have ensured access -to him, once.” - -Mr. Lorry's countenance fell. - -“It is all I could do,” said Carton. “To propose too much, would be -to put this man's head under the axe, and, as he himself said, nothing -worse could happen to him if he were denounced. It was obviously the -weakness of the position. There is no help for it.” - -“But access to him,” said Mr. Lorry, “if it should go ill before the -Tribunal, will not save him.” - -“I never said it would.” - -Mr. Lorry's eyes gradually sought the fire; his sympathy with his -darling, and the heavy disappointment of his second arrest, gradually -weakened them; he was an old man now, overborne with anxiety of late, -and his tears fell. - -“You are a good man and a true friend,” said Carton, in an altered -voice. “Forgive me if I notice that you are affected. I could not see my -father weep, and sit by, careless. And I could not respect your -sorrow more, if you were my father. You are free from that misfortune, -however.” - -Though he said the last words, with a slip into his usual manner, there -was a true feeling and respect both in his tone and in his touch, -that Mr. Lorry, who had never seen the better side of him, was wholly -unprepared for. He gave him his hand, and Carton gently pressed it. - -“To return to poor Darnay,” said Carton. “Don't tell Her of this -interview, or this arrangement. It would not enable Her to go to see -him. She might think it was contrived, in case of the worse, to convey -to him the means of anticipating the sentence.” - -Mr. Lorry had not thought of that, and he looked quickly at Carton to -see if it were in his mind. It seemed to be; he returned the look, and -evidently understood it. - -“She might think a thousand things,” Carton said, “and any of them would -only add to her trouble. Don't speak of me to her. As I said to you when -I first came, I had better not see her. I can put my hand out, to do any -little helpful work for her that my hand can find to do, without that. -You are going to her, I hope? She must be very desolate to-night.” - -“I am going now, directly.” - -“I am glad of that. She has such a strong attachment to you and reliance -on you. How does she look?” - -“Anxious and unhappy, but very beautiful.” - -“Ah!” - -It was a long, grieving sound, like a sigh--almost like a sob. It -attracted Mr. Lorry's eyes to Carton's face, which was turned to the -fire. A light, or a shade (the old gentleman could not have said which), -passed from it as swiftly as a change will sweep over a hill-side on a -wild bright day, and he lifted his foot to put back one of the little -flaming logs, which was tumbling forward. He wore the white riding-coat -and top-boots, then in vogue, and the light of the fire touching their -light surfaces made him look very pale, with his long brown hair, -all untrimmed, hanging loose about him. His indifference to fire was -sufficiently remarkable to elicit a word of remonstrance from Mr. Lorry; -his boot was still upon the hot embers of the flaming log, when it had -broken under the weight of his foot. - -“I forgot it,” he said. - -Mr. Lorry's eyes were again attracted to his face. Taking note of the -wasted air which clouded the naturally handsome features, and having -the expression of prisoners' faces fresh in his mind, he was strongly -reminded of that expression. - -“And your duties here have drawn to an end, sir?” said Carton, turning -to him. - -“Yes. As I was telling you last night when Lucie came in so -unexpectedly, I have at length done all that I can do here. I hoped to -have left them in perfect safety, and then to have quitted Paris. I have -my Leave to Pass. I was ready to go.” - -They were both silent. - -“Yours is a long life to look back upon, sir?” said Carton, wistfully. - -“I am in my seventy-eighth year.” - -“You have been useful all your life; steadily and constantly occupied; -trusted, respected, and looked up to?” - -“I have been a man of business, ever since I have been a man. Indeed, I -may say that I was a man of business when a boy.” - -“See what a place you fill at seventy-eight. How many people will miss -you when you leave it empty!” - -“A solitary old bachelor,” answered Mr. Lorry, shaking his head. “There -is nobody to weep for me.” - -“How can you say that? Wouldn't She weep for you? Wouldn't her child?” - -“Yes, yes, thank God. I didn't quite mean what I said.” - -“It _is_ a thing to thank God for; is it not?” - -“Surely, surely.” - -“If you could say, with truth, to your own solitary heart, to-night, -'I have secured to myself the love and attachment, the gratitude or -respect, of no human creature; I have won myself a tender place in no -regard; I have done nothing good or serviceable to be remembered by!' -your seventy-eight years would be seventy-eight heavy curses; would they -not?” - -“You say truly, Mr. Carton; I think they would be.” - -Sydney turned his eyes again upon the fire, and, after a silence of a -few moments, said: - -“I should like to ask you:--Does your childhood seem far off? Do the -days when you sat at your mother's knee, seem days of very long ago?” - -Responding to his softened manner, Mr. Lorry answered: - -“Twenty years back, yes; at this time of my life, no. For, as I draw -closer and closer to the end, I travel in the circle, nearer and -nearer to the beginning. It seems to be one of the kind smoothings and -preparings of the way. My heart is touched now, by many remembrances -that had long fallen asleep, of my pretty young mother (and I so old!), -and by many associations of the days when what we call the World was not -so real with me, and my faults were not confirmed in me.” - -“I understand the feeling!” exclaimed Carton, with a bright flush. “And -you are the better for it?” - -“I hope so.” - -Carton terminated the conversation here, by rising to help him on with -his outer coat; “But you,” said Mr. Lorry, reverting to the theme, “you -are young.” - -“Yes,” said Carton. “I am not old, but my young way was never the way to -age. Enough of me.” - -“And of me, I am sure,” said Mr. Lorry. “Are you going out?” - -“I'll walk with you to her gate. You know my vagabond and restless -habits. If I should prowl about the streets a long time, don't be -uneasy; I shall reappear in the morning. You go to the Court to-morrow?” - -“Yes, unhappily.” - -“I shall be there, but only as one of the crowd. My Spy will find a -place for me. Take my arm, sir.” - -Mr. Lorry did so, and they went down-stairs and out in the streets. A -few minutes brought them to Mr. Lorry's destination. Carton left him -there; but lingered at a little distance, and turned back to the gate -again when it was shut, and touched it. He had heard of her going to -the prison every day. “She came out here,” he said, looking about him, -“turned this way, must have trod on these stones often. Let me follow in -her steps.” - -It was ten o'clock at night when he stood before the prison of La Force, -where she had stood hundreds of times. A little wood-sawyer, having -closed his shop, was smoking his pipe at his shop-door. - -“Good night, citizen,” said Sydney Carton, pausing in going by; for, the -man eyed him inquisitively. - -“Good night, citizen.” - -“How goes the Republic?” - -“You mean the Guillotine. Not ill. Sixty-three to-day. We shall mount -to a hundred soon. Samson and his men complain sometimes, of being -exhausted. Ha, ha, ha! He is so droll, that Samson. Such a Barber!” - -“Do you often go to see him--” - -“Shave? Always. Every day. What a barber! You have seen him at work?” - -“Never.” - -“Go and see him when he has a good batch. Figure this to yourself, -citizen; he shaved the sixty-three to-day, in less than two pipes! Less -than two pipes. Word of honour!” - -As the grinning little man held out the pipe he was smoking, to explain -how he timed the executioner, Carton was so sensible of a rising desire -to strike the life out of him, that he turned away. - -“But you are not English,” said the wood-sawyer, “though you wear -English dress?” - -“Yes,” said Carton, pausing again, and answering over his shoulder. - -“You speak like a Frenchman.” - -“I am an old student here.” - -“Aha, a perfect Frenchman! Good night, Englishman.” - -“Good night, citizen.” - -“But go and see that droll dog,” the little man persisted, calling after -him. “And take a pipe with you!” - -Sydney had not gone far out of sight, when he stopped in the middle of -the street under a glimmering lamp, and wrote with his pencil on a scrap -of paper. Then, traversing with the decided step of one who remembered -the way well, several dark and dirty streets--much dirtier than usual, -for the best public thoroughfares remained uncleansed in those times of -terror--he stopped at a chemist's shop, which the owner was closing with -his own hands. A small, dim, crooked shop, kept in a tortuous, up-hill -thoroughfare, by a small, dim, crooked man. - -Giving this citizen, too, good night, as he confronted him at his -counter, he laid the scrap of paper before him. “Whew!” the chemist -whistled softly, as he read it. “Hi! hi! hi!” - -Sydney Carton took no heed, and the chemist said: - -“For you, citizen?” - -“For me.” - -“You will be careful to keep them separate, citizen? You know the -consequences of mixing them?” - -“Perfectly.” - -Certain small packets were made and given to him. He put them, one by -one, in the breast of his inner coat, counted out the money for them, -and deliberately left the shop. “There is nothing more to do,” said he, -glancing upward at the moon, “until to-morrow. I can't sleep.” - -It was not a reckless manner, the manner in which he said these words -aloud under the fast-sailing clouds, nor was it more expressive of -negligence than defiance. It was the settled manner of a tired man, who -had wandered and struggled and got lost, but who at length struck into -his road and saw its end. - -Long ago, when he had been famous among his earliest competitors as a -youth of great promise, he had followed his father to the grave. His -mother had died, years before. These solemn words, which had been -read at his father's grave, arose in his mind as he went down the dark -streets, among the heavy shadows, with the moon and the clouds sailing -on high above him. “I am the resurrection and the life, saith the Lord: -he that believeth in me, though he were dead, yet shall he live: and -whosoever liveth and believeth in me, shall never die.” - -In a city dominated by the axe, alone at night, with natural sorrow -rising in him for the sixty-three who had been that day put to death, -and for to-morrow's victims then awaiting their doom in the prisons, -and still of to-morrow's and to-morrow's, the chain of association that -brought the words home, like a rusty old ship's anchor from the deep, -might have been easily found. He did not seek it, but repeated them and -went on. - -With a solemn interest in the lighted windows where the people were -going to rest, forgetful through a few calm hours of the horrors -surrounding them; in the towers of the churches, where no prayers -were said, for the popular revulsion had even travelled that length -of self-destruction from years of priestly impostors, plunderers, and -profligates; in the distant burial-places, reserved, as they wrote upon -the gates, for Eternal Sleep; in the abounding gaols; and in the streets -along which the sixties rolled to a death which had become so common and -material, that no sorrowful story of a haunting Spirit ever arose among -the people out of all the working of the Guillotine; with a solemn -interest in the whole life and death of the city settling down to its -short nightly pause in fury; Sydney Carton crossed the Seine again for -the lighter streets. - -Few coaches were abroad, for riders in coaches were liable to be -suspected, and gentility hid its head in red nightcaps, and put on heavy -shoes, and trudged. But, the theatres were all well filled, and the -people poured cheerfully out as he passed, and went chatting home. At -one of the theatre doors, there was a little girl with a mother, looking -for a way across the street through the mud. He carried the child over, -and before the timid arm was loosed from his neck asked her for a kiss. - -“I am the resurrection and the life, saith the Lord: he that believeth -in me, though he were dead, yet shall he live: and whosoever liveth and -believeth in me, shall never die.” - -Now, that the streets were quiet, and the night wore on, the words -were in the echoes of his feet, and were in the air. Perfectly calm -and steady, he sometimes repeated them to himself as he walked; but, he -heard them always. - -The night wore out, and, as he stood upon the bridge listening to the -water as it splashed the river-walls of the Island of Paris, where the -picturesque confusion of houses and cathedral shone bright in the light -of the moon, the day came coldly, looking like a dead face out of the -sky. Then, the night, with the moon and the stars, turned pale and died, -and for a little while it seemed as if Creation were delivered over to -Death's dominion. - -But, the glorious sun, rising, seemed to strike those words, that burden -of the night, straight and warm to his heart in its long bright rays. -And looking along them, with reverently shaded eyes, a bridge of light -appeared to span the air between him and the sun, while the river -sparkled under it. - -The strong tide, so swift, so deep, and certain, was like a congenial -friend, in the morning stillness. He walked by the stream, far from the -houses, and in the light and warmth of the sun fell asleep on the -bank. When he awoke and was afoot again, he lingered there yet a little -longer, watching an eddy that turned and turned purposeless, until the -stream absorbed it, and carried it on to the sea.--“Like me.” - -A trading-boat, with a sail of the softened colour of a dead leaf, then -glided into his view, floated by him, and died away. As its silent track -in the water disappeared, the prayer that had broken up out of his heart -for a merciful consideration of all his poor blindnesses and errors, -ended in the words, “I am the resurrection and the life.” - -Mr. Lorry was already out when he got back, and it was easy to surmise -where the good old man was gone. Sydney Carton drank nothing but a -little coffee, ate some bread, and, having washed and changed to refresh -himself, went out to the place of trial. - -The court was all astir and a-buzz, when the black sheep--whom many fell -away from in dread--pressed him into an obscure corner among the crowd. -Mr. Lorry was there, and Doctor Manette was there. She was there, -sitting beside her father. - -When her husband was brought in, she turned a look upon him, so -sustaining, so encouraging, so full of admiring love and pitying -tenderness, yet so courageous for his sake, that it called the healthy -blood into his face, brightened his glance, and animated his heart. If -there had been any eyes to notice the influence of her look, on Sydney -Carton, it would have been seen to be the same influence exactly. - -Before that unjust Tribunal, there was little or no order of procedure, -ensuring to any accused person any reasonable hearing. There could have -been no such Revolution, if all laws, forms, and ceremonies, had not -first been so monstrously abused, that the suicidal vengeance of the -Revolution was to scatter them all to the winds. - -Every eye was turned to the jury. The same determined patriots and good -republicans as yesterday and the day before, and to-morrow and the day -after. Eager and prominent among them, one man with a craving face, and -his fingers perpetually hovering about his lips, whose appearance -gave great satisfaction to the spectators. A life-thirsting, -cannibal-looking, bloody-minded juryman, the Jacques Three of St. -Antoine. The whole jury, as a jury of dogs empannelled to try the deer. - -Every eye then turned to the five judges and the public prosecutor. -No favourable leaning in that quarter to-day. A fell, uncompromising, -murderous business-meaning there. Every eye then sought some other eye -in the crowd, and gleamed at it approvingly; and heads nodded at one -another, before bending forward with a strained attention. - -Charles Evremonde, called Darnay. Released yesterday. Reaccused and -retaken yesterday. Indictment delivered to him last night. Suspected and -Denounced enemy of the Republic, Aristocrat, one of a family of tyrants, -one of a race proscribed, for that they had used their abolished -privileges to the infamous oppression of the people. Charles Evremonde, -called Darnay, in right of such proscription, absolutely Dead in Law. - -To this effect, in as few or fewer words, the Public Prosecutor. - -The President asked, was the Accused openly denounced or secretly? - -“Openly, President.” - -“By whom?” - -“Three voices. Ernest Defarge, wine-vendor of St. Antoine.” - -“Good.” - -“Therese Defarge, his wife.” - -“Good.” - -“Alexandre Manette, physician.” - -A great uproar took place in the court, and in the midst of it, Doctor -Manette was seen, pale and trembling, standing where he had been seated. - -“President, I indignantly protest to you that this is a forgery and -a fraud. You know the accused to be the husband of my daughter. My -daughter, and those dear to her, are far dearer to me than my life. Who -and where is the false conspirator who says that I denounce the husband -of my child!” - -“Citizen Manette, be tranquil. To fail in submission to the authority of -the Tribunal would be to put yourself out of Law. As to what is dearer -to you than life, nothing can be so dear to a good citizen as the -Republic.” - -Loud acclamations hailed this rebuke. The President rang his bell, and -with warmth resumed. - -“If the Republic should demand of you the sacrifice of your child -herself, you would have no duty but to sacrifice her. Listen to what is -to follow. In the meanwhile, be silent!” - -Frantic acclamations were again raised. Doctor Manette sat down, with -his eyes looking around, and his lips trembling; his daughter drew -closer to him. The craving man on the jury rubbed his hands together, -and restored the usual hand to his mouth. - -Defarge was produced, when the court was quiet enough to admit of his -being heard, and rapidly expounded the story of the imprisonment, and of -his having been a mere boy in the Doctor's service, and of the release, -and of the state of the prisoner when released and delivered to him. -This short examination followed, for the court was quick with its work. - -“You did good service at the taking of the Bastille, citizen?” - -“I believe so.” - -Here, an excited woman screeched from the crowd: “You were one of the -best patriots there. Why not say so? You were a cannonier that day -there, and you were among the first to enter the accursed fortress when -it fell. Patriots, I speak the truth!” - -It was The Vengeance who, amidst the warm commendations of the audience, -thus assisted the proceedings. The President rang his bell; but, The -Vengeance, warming with encouragement, shrieked, “I defy that bell!” - wherein she was likewise much commended. - -“Inform the Tribunal of what you did that day within the Bastille, -citizen.” - -“I knew,” said Defarge, looking down at his wife, who stood at the -bottom of the steps on which he was raised, looking steadily up at him; -“I knew that this prisoner, of whom I speak, had been confined in a cell -known as One Hundred and Five, North Tower. I knew it from himself. He -knew himself by no other name than One Hundred and Five, North Tower, -when he made shoes under my care. As I serve my gun that day, I resolve, -when the place shall fall, to examine that cell. It falls. I mount to -the cell, with a fellow-citizen who is one of the Jury, directed by a -gaoler. I examine it, very closely. In a hole in the chimney, where a -stone has been worked out and replaced, I find a written paper. This is -that written paper. I have made it my business to examine some specimens -of the writing of Doctor Manette. This is the writing of Doctor Manette. -I confide this paper, in the writing of Doctor Manette, to the hands of -the President.” - -“Let it be read.” - -In a dead silence and stillness--the prisoner under trial looking -lovingly at his wife, his wife only looking from him to look with -solicitude at her father, Doctor Manette keeping his eyes fixed on the -reader, Madame Defarge never taking hers from the prisoner, Defarge -never taking his from his feasting wife, and all the other eyes there -intent upon the Doctor, who saw none of them--the paper was read, as -follows. - - - - -X. The Substance of the Shadow - - -“I, Alexandre Manette, unfortunate physician, native of Beauvais, and -afterwards resident in Paris, write this melancholy paper in my doleful -cell in the Bastille, during the last month of the year, 1767. I write -it at stolen intervals, under every difficulty. I design to secrete it -in the wall of the chimney, where I have slowly and laboriously made a -place of concealment for it. Some pitying hand may find it there, when I -and my sorrows are dust. - -“These words are formed by the rusty iron point with which I write with -difficulty in scrapings of soot and charcoal from the chimney, mixed -with blood, in the last month of the tenth year of my captivity. Hope -has quite departed from my breast. I know from terrible warnings I have -noted in myself that my reason will not long remain unimpaired, but I -solemnly declare that I am at this time in the possession of my right -mind--that my memory is exact and circumstantial--and that I write the -truth as I shall answer for these my last recorded words, whether they -be ever read by men or not, at the Eternal Judgment-seat. - -“One cloudy moonlight night, in the third week of December (I think the -twenty-second of the month) in the year 1757, I was walking on a retired -part of the quay by the Seine for the refreshment of the frosty air, -at an hour's distance from my place of residence in the Street of the -School of Medicine, when a carriage came along behind me, driven very -fast. As I stood aside to let that carriage pass, apprehensive that it -might otherwise run me down, a head was put out at the window, and a -voice called to the driver to stop. - -“The carriage stopped as soon as the driver could rein in his horses, -and the same voice called to me by my name. I answered. The carriage -was then so far in advance of me that two gentlemen had time to open the -door and alight before I came up with it. - -“I observed that they were both wrapped in cloaks, and appeared to -conceal themselves. As they stood side by side near the carriage door, -I also observed that they both looked of about my own age, or rather -younger, and that they were greatly alike, in stature, manner, voice, -and (as far as I could see) face too. - -“'You are Doctor Manette?' said one. - -“I am.” - -“'Doctor Manette, formerly of Beauvais,' said the other; 'the young -physician, originally an expert surgeon, who within the last year or two -has made a rising reputation in Paris?' - -“'Gentlemen,' I returned, 'I am that Doctor Manette of whom you speak so -graciously.' - -“'We have been to your residence,' said the first, 'and not being -so fortunate as to find you there, and being informed that you were -probably walking in this direction, we followed, in the hope of -overtaking you. Will you please to enter the carriage?' - -“The manner of both was imperious, and they both moved, as these words -were spoken, so as to place me between themselves and the carriage door. -They were armed. I was not. - -“'Gentlemen,' said I, 'pardon me; but I usually inquire who does me -the honour to seek my assistance, and what is the nature of the case to -which I am summoned.' - -“The reply to this was made by him who had spoken second. 'Doctor, -your clients are people of condition. As to the nature of the case, -our confidence in your skill assures us that you will ascertain it for -yourself better than we can describe it. Enough. Will you please to -enter the carriage?' - -“I could do nothing but comply, and I entered it in silence. They both -entered after me--the last springing in, after putting up the steps. The -carriage turned about, and drove on at its former speed. - -“I repeat this conversation exactly as it occurred. I have no doubt that -it is, word for word, the same. I describe everything exactly as it took -place, constraining my mind not to wander from the task. Where I make -the broken marks that follow here, I leave off for the time, and put my -paper in its hiding-place. - - ***** - -“The carriage left the streets behind, passed the North Barrier, and -emerged upon the country road. At two-thirds of a league from the -Barrier--I did not estimate the distance at that time, but afterwards -when I traversed it--it struck out of the main avenue, and presently -stopped at a solitary house, We all three alighted, and walked, by -a damp soft footpath in a garden where a neglected fountain had -overflowed, to the door of the house. It was not opened immediately, in -answer to the ringing of the bell, and one of my two conductors struck -the man who opened it, with his heavy riding glove, across the face. - -“There was nothing in this action to attract my particular attention, -for I had seen common people struck more commonly than dogs. But, the -other of the two, being angry likewise, struck the man in like manner -with his arm; the look and bearing of the brothers were then so exactly -alike, that I then first perceived them to be twin brothers. - -“From the time of our alighting at the outer gate (which we found -locked, and which one of the brothers had opened to admit us, and had -relocked), I had heard cries proceeding from an upper chamber. I was -conducted to this chamber straight, the cries growing louder as we -ascended the stairs, and I found a patient in a high fever of the brain, -lying on a bed. - -“The patient was a woman of great beauty, and young; assuredly not much -past twenty. Her hair was torn and ragged, and her arms were bound to -her sides with sashes and handkerchiefs. I noticed that these bonds were -all portions of a gentleman's dress. On one of them, which was a fringed -scarf for a dress of ceremony, I saw the armorial bearings of a Noble, -and the letter E. - -“I saw this, within the first minute of my contemplation of the patient; -for, in her restless strivings she had turned over on her face on the -edge of the bed, had drawn the end of the scarf into her mouth, and was -in danger of suffocation. My first act was to put out my hand to relieve -her breathing; and in moving the scarf aside, the embroidery in the -corner caught my sight. - -“I turned her gently over, placed my hands upon her breast to calm her -and keep her down, and looked into her face. Her eyes were dilated and -wild, and she constantly uttered piercing shrieks, and repeated the -words, 'My husband, my father, and my brother!' and then counted up to -twelve, and said, 'Hush!' For an instant, and no more, she would pause -to listen, and then the piercing shrieks would begin again, and she -would repeat the cry, 'My husband, my father, and my brother!' and -would count up to twelve, and say, 'Hush!' There was no variation in the -order, or the manner. There was no cessation, but the regular moment's -pause, in the utterance of these sounds. - -“'How long,' I asked, 'has this lasted?' - -“To distinguish the brothers, I will call them the elder and the -younger; by the elder, I mean him who exercised the most authority. It -was the elder who replied, 'Since about this hour last night.' - -“'She has a husband, a father, and a brother?' - -“'A brother.' - -“'I do not address her brother?' - -“He answered with great contempt, 'No.' - -“'She has some recent association with the number twelve?' - -“The younger brother impatiently rejoined, 'With twelve o'clock?' - -“'See, gentlemen,' said I, still keeping my hands upon her breast, 'how -useless I am, as you have brought me! If I had known what I was coming -to see, I could have come provided. As it is, time must be lost. There -are no medicines to be obtained in this lonely place.' - -“The elder brother looked to the younger, who said haughtily, 'There is -a case of medicines here;' and brought it from a closet, and put it on -the table. - - ***** - -“I opened some of the bottles, smelt them, and put the stoppers to my -lips. If I had wanted to use anything save narcotic medicines that were -poisons in themselves, I would not have administered any of those. - -“'Do you doubt them?' asked the younger brother. - -“'You see, monsieur, I am going to use them,' I replied, and said no -more. - -“I made the patient swallow, with great difficulty, and after many -efforts, the dose that I desired to give. As I intended to repeat it -after a while, and as it was necessary to watch its influence, I then -sat down by the side of the bed. There was a timid and suppressed woman -in attendance (wife of the man down-stairs), who had retreated into -a corner. The house was damp and decayed, indifferently -furnished--evidently, recently occupied and temporarily used. Some thick -old hangings had been nailed up before the windows, to deaden the -sound of the shrieks. They continued to be uttered in their regular -succession, with the cry, 'My husband, my father, and my brother!' the -counting up to twelve, and 'Hush!' The frenzy was so violent, that I had -not unfastened the bandages restraining the arms; but, I had looked to -them, to see that they were not painful. The only spark of encouragement -in the case, was, that my hand upon the sufferer's breast had this much -soothing influence, that for minutes at a time it tranquillised the -figure. It had no effect upon the cries; no pendulum could be more -regular. - -“For the reason that my hand had this effect (I assume), I had sat by -the side of the bed for half an hour, with the two brothers looking on, -before the elder said: - -“'There is another patient.' - -“I was startled, and asked, 'Is it a pressing case?' - -“'You had better see,' he carelessly answered; and took up a light. - - ***** - -“The other patient lay in a back room across a second staircase, which -was a species of loft over a stable. There was a low plastered ceiling -to a part of it; the rest was open, to the ridge of the tiled roof, and -there were beams across. Hay and straw were stored in that portion of -the place, fagots for firing, and a heap of apples in sand. I had to -pass through that part, to get at the other. My memory is circumstantial -and unshaken. I try it with these details, and I see them all, in -this my cell in the Bastille, near the close of the tenth year of my -captivity, as I saw them all that night. - -“On some hay on the ground, with a cushion thrown under his head, lay a -handsome peasant boy--a boy of not more than seventeen at the most. -He lay on his back, with his teeth set, his right hand clenched on his -breast, and his glaring eyes looking straight upward. I could not see -where his wound was, as I kneeled on one knee over him; but, I could see -that he was dying of a wound from a sharp point. - -“'I am a doctor, my poor fellow,' said I. 'Let me examine it.' - -“'I do not want it examined,' he answered; 'let it be.' - -“It was under his hand, and I soothed him to let me move his hand away. -The wound was a sword-thrust, received from twenty to twenty-four hours -before, but no skill could have saved him if it had been looked to -without delay. He was then dying fast. As I turned my eyes to the elder -brother, I saw him looking down at this handsome boy whose life was -ebbing out, as if he were a wounded bird, or hare, or rabbit; not at all -as if he were a fellow-creature. - -“'How has this been done, monsieur?' said I. - -“'A crazed young common dog! A serf! Forced my brother to draw upon him, -and has fallen by my brother's sword--like a gentleman.' - -“There was no touch of pity, sorrow, or kindred humanity, in this -answer. The speaker seemed to acknowledge that it was inconvenient to -have that different order of creature dying there, and that it would -have been better if he had died in the usual obscure routine of his -vermin kind. He was quite incapable of any compassionate feeling about -the boy, or about his fate. - -“The boy's eyes had slowly moved to him as he had spoken, and they now -slowly moved to me. - -“'Doctor, they are very proud, these Nobles; but we common dogs are -proud too, sometimes. They plunder us, outrage us, beat us, kill us; but -we have a little pride left, sometimes. She--have you seen her, Doctor?' - -“The shrieks and the cries were audible there, though subdued by the -distance. He referred to them, as if she were lying in our presence. - -“I said, 'I have seen her.' - -“'She is my sister, Doctor. They have had their shameful rights, these -Nobles, in the modesty and virtue of our sisters, many years, but we -have had good girls among us. I know it, and have heard my father say -so. She was a good girl. She was betrothed to a good young man, too: a -tenant of his. We were all tenants of his--that man's who stands there. -The other is his brother, the worst of a bad race.' - -“It was with the greatest difficulty that the boy gathered bodily force -to speak; but, his spirit spoke with a dreadful emphasis. - -“'We were so robbed by that man who stands there, as all we common dogs -are by those superior Beings--taxed by him without mercy, obliged to -work for him without pay, obliged to grind our corn at his mill, obliged -to feed scores of his tame birds on our wretched crops, and forbidden -for our lives to keep a single tame bird of our own, pillaged and -plundered to that degree that when we chanced to have a bit of meat, we -ate it in fear, with the door barred and the shutters closed, that his -people should not see it and take it from us--I say, we were so robbed, -and hunted, and were made so poor, that our father told us it was a -dreadful thing to bring a child into the world, and that what we should -most pray for, was, that our women might be barren and our miserable -race die out!' - -“I had never before seen the sense of being oppressed, bursting forth -like a fire. I had supposed that it must be latent in the people -somewhere; but, I had never seen it break out, until I saw it in the -dying boy. - -“'Nevertheless, Doctor, my sister married. He was ailing at that time, -poor fellow, and she married her lover, that she might tend and comfort -him in our cottage--our dog-hut, as that man would call it. She had not -been married many weeks, when that man's brother saw her and admired -her, and asked that man to lend her to him--for what are husbands among -us! He was willing enough, but my sister was good and virtuous, and -hated his brother with a hatred as strong as mine. What did the two -then, to persuade her husband to use his influence with her, to make her -willing?' - -“The boy's eyes, which had been fixed on mine, slowly turned to the -looker-on, and I saw in the two faces that all he said was true. The two -opposing kinds of pride confronting one another, I can see, even in this -Bastille; the gentleman's, all negligent indifference; the peasant's, all -trodden-down sentiment, and passionate revenge. - -“'You know, Doctor, that it is among the Rights of these Nobles to -harness us common dogs to carts, and drive us. They so harnessed him and -drove him. You know that it is among their Rights to keep us in their -grounds all night, quieting the frogs, in order that their noble sleep -may not be disturbed. They kept him out in the unwholesome mists at -night, and ordered him back into his harness in the day. But he was -not persuaded. No! Taken out of harness one day at noon, to feed--if he -could find food--he sobbed twelve times, once for every stroke of the -bell, and died on her bosom.' - -“Nothing human could have held life in the boy but his determination to -tell all his wrong. He forced back the gathering shadows of death, as -he forced his clenched right hand to remain clenched, and to cover his -wound. - -“'Then, with that man's permission and even with his aid, his -brother took her away; in spite of what I know she must have told his -brother--and what that is, will not be long unknown to you, Doctor, if -it is now--his brother took her away--for his pleasure and diversion, -for a little while. I saw her pass me on the road. When I took the -tidings home, our father's heart burst; he never spoke one of the words -that filled it. I took my young sister (for I have another) to a place -beyond the reach of this man, and where, at least, she will never be -_his_ vassal. Then, I tracked the brother here, and last night climbed -in--a common dog, but sword in hand.--Where is the loft window? It was -somewhere here?' - -“The room was darkening to his sight; the world was narrowing around -him. I glanced about me, and saw that the hay and straw were trampled -over the floor, as if there had been a struggle. - -“'She heard me, and ran in. I told her not to come near us till he was -dead. He came in and first tossed me some pieces of money; then struck -at me with a whip. But I, though a common dog, so struck at him as to -make him draw. Let him break into as many pieces as he will, the sword -that he stained with my common blood; he drew to defend himself--thrust -at me with all his skill for his life.' - -“My glance had fallen, but a few moments before, on the fragments of -a broken sword, lying among the hay. That weapon was a gentleman's. In -another place, lay an old sword that seemed to have been a soldier's. - -“'Now, lift me up, Doctor; lift me up. Where is he?' - -“'He is not here,' I said, supporting the boy, and thinking that he -referred to the brother. - -“'He! Proud as these nobles are, he is afraid to see me. Where is the -man who was here? Turn my face to him.' - -“I did so, raising the boy's head against my knee. But, invested for the -moment with extraordinary power, he raised himself completely: obliging -me to rise too, or I could not have still supported him. - -“'Marquis,' said the boy, turned to him with his eyes opened wide, and -his right hand raised, 'in the days when all these things are to be -answered for, I summon you and yours, to the last of your bad race, to -answer for them. I mark this cross of blood upon you, as a sign that -I do it. In the days when all these things are to be answered for, -I summon your brother, the worst of the bad race, to answer for them -separately. I mark this cross of blood upon him, as a sign that I do -it.' - -“Twice, he put his hand to the wound in his breast, and with his -forefinger drew a cross in the air. He stood for an instant with the -finger yet raised, and as it dropped, he dropped with it, and I laid him -down dead. - - ***** - -“When I returned to the bedside of the young woman, I found her raving -in precisely the same order of continuity. I knew that this might last -for many hours, and that it would probably end in the silence of the -grave. - -“I repeated the medicines I had given her, and I sat at the side of -the bed until the night was far advanced. She never abated the piercing -quality of her shrieks, never stumbled in the distinctness or the order -of her words. They were always 'My husband, my father, and my brother! -One, two, three, four, five, six, seven, eight, nine, ten, eleven, -twelve. Hush!' - -“This lasted twenty-six hours from the time when I first saw her. I had -come and gone twice, and was again sitting by her, when she began to -falter. I did what little could be done to assist that opportunity, and -by-and-bye she sank into a lethargy, and lay like the dead. - -“It was as if the wind and rain had lulled at last, after a long and -fearful storm. I released her arms, and called the woman to assist me to -compose her figure and the dress she had torn. It was then that I knew -her condition to be that of one in whom the first expectations of being -a mother have arisen; and it was then that I lost the little hope I had -had of her. - -“'Is she dead?' asked the Marquis, whom I will still describe as the -elder brother, coming booted into the room from his horse. - -“'Not dead,' said I; 'but like to die.' - -“'What strength there is in these common bodies!' he said, looking down -at her with some curiosity. - -“'There is prodigious strength,' I answered him, 'in sorrow and -despair.' - -“He first laughed at my words, and then frowned at them. He moved a -chair with his foot near to mine, ordered the woman away, and said in a -subdued voice, - -“'Doctor, finding my brother in this difficulty with these hinds, I -recommended that your aid should be invited. Your reputation is high, -and, as a young man with your fortune to make, you are probably mindful -of your interest. The things that you see here, are things to be seen, -and not spoken of.' - -“I listened to the patient's breathing, and avoided answering. - -“'Do you honour me with your attention, Doctor?' - -“'Monsieur,' said I, 'in my profession, the communications of patients -are always received in confidence.' I was guarded in my answer, for I -was troubled in my mind with what I had heard and seen. - -“Her breathing was so difficult to trace, that I carefully tried the -pulse and the heart. There was life, and no more. Looking round as I -resumed my seat, I found both the brothers intent upon me. - - ***** - -“I write with so much difficulty, the cold is so severe, I am so -fearful of being detected and consigned to an underground cell and total -darkness, that I must abridge this narrative. There is no confusion or -failure in my memory; it can recall, and could detail, every word that -was ever spoken between me and those brothers. - -“She lingered for a week. Towards the last, I could understand some few -syllables that she said to me, by placing my ear close to her lips. She -asked me where she was, and I told her; who I was, and I told her. It -was in vain that I asked her for her family name. She faintly shook her -head upon the pillow, and kept her secret, as the boy had done. - -“I had no opportunity of asking her any question, until I had told the -brothers she was sinking fast, and could not live another day. Until -then, though no one was ever presented to her consciousness save the -woman and myself, one or other of them had always jealously sat behind -the curtain at the head of the bed when I was there. But when it came to -that, they seemed careless what communication I might hold with her; as -if--the thought passed through my mind--I were dying too. - -“I always observed that their pride bitterly resented the younger -brother's (as I call him) having crossed swords with a peasant, and that -peasant a boy. The only consideration that appeared to affect the mind -of either of them was the consideration that this was highly degrading -to the family, and was ridiculous. As often as I caught the younger -brother's eyes, their expression reminded me that he disliked me deeply, -for knowing what I knew from the boy. He was smoother and more polite to -me than the elder; but I saw this. I also saw that I was an incumbrance -in the mind of the elder, too. - -“My patient died, two hours before midnight--at a time, by my watch, -answering almost to the minute when I had first seen her. I was alone -with her, when her forlorn young head drooped gently on one side, and -all her earthly wrongs and sorrows ended. - -“The brothers were waiting in a room down-stairs, impatient to ride -away. I had heard them, alone at the bedside, striking their boots with -their riding-whips, and loitering up and down. - -“'At last she is dead?' said the elder, when I went in. - -“'She is dead,' said I. - -“'I congratulate you, my brother,' were his words as he turned round. - -“He had before offered me money, which I had postponed taking. He now -gave me a rouleau of gold. I took it from his hand, but laid it on -the table. I had considered the question, and had resolved to accept -nothing. - -“'Pray excuse me,' said I. 'Under the circumstances, no.' - -“They exchanged looks, but bent their heads to me as I bent mine to -them, and we parted without another word on either side. - - ***** - -“I am weary, weary, weary--worn down by misery. I cannot read what I -have written with this gaunt hand. - -“Early in the morning, the rouleau of gold was left at my door in a -little box, with my name on the outside. From the first, I had anxiously -considered what I ought to do. I decided, that day, to write privately -to the Minister, stating the nature of the two cases to which I had been -summoned, and the place to which I had gone: in effect, stating all the -circumstances. I knew what Court influence was, and what the immunities -of the Nobles were, and I expected that the matter would never be -heard of; but, I wished to relieve my own mind. I had kept the matter a -profound secret, even from my wife; and this, too, I resolved to state -in my letter. I had no apprehension whatever of my real danger; but -I was conscious that there might be danger for others, if others were -compromised by possessing the knowledge that I possessed. - -“I was much engaged that day, and could not complete my letter that -night. I rose long before my usual time next morning to finish it. -It was the last day of the year. The letter was lying before me just -completed, when I was told that a lady waited, who wished to see me. - - ***** - -“I am growing more and more unequal to the task I have set myself. It is -so cold, so dark, my senses are so benumbed, and the gloom upon me is so -dreadful. - -“The lady was young, engaging, and handsome, but not marked for long -life. She was in great agitation. She presented herself to me as the -wife of the Marquis St. Evremonde. I connected the title by which the -boy had addressed the elder brother, with the initial letter embroidered -on the scarf, and had no difficulty in arriving at the conclusion that I -had seen that nobleman very lately. - -“My memory is still accurate, but I cannot write the words of our -conversation. I suspect that I am watched more closely than I was, and I -know not at what times I may be watched. She had in part suspected, and -in part discovered, the main facts of the cruel story, of her husband's -share in it, and my being resorted to. She did not know that the girl -was dead. Her hope had been, she said in great distress, to show her, -in secret, a woman's sympathy. Her hope had been to avert the wrath of -Heaven from a House that had long been hateful to the suffering many. - -“She had reasons for believing that there was a young sister living, and -her greatest desire was, to help that sister. I could tell her nothing -but that there was such a sister; beyond that, I knew nothing. Her -inducement to come to me, relying on my confidence, had been the hope -that I could tell her the name and place of abode. Whereas, to this -wretched hour I am ignorant of both. - - ***** - -“These scraps of paper fail me. One was taken from me, with a warning, -yesterday. I must finish my record to-day. - -“She was a good, compassionate lady, and not happy in her marriage. How -could she be! The brother distrusted and disliked her, and his influence -was all opposed to her; she stood in dread of him, and in dread of her -husband too. When I handed her down to the door, there was a child, a -pretty boy from two to three years old, in her carriage. - -“'For his sake, Doctor,' she said, pointing to him in tears, 'I would do -all I can to make what poor amends I can. He will never prosper in his -inheritance otherwise. I have a presentiment that if no other innocent -atonement is made for this, it will one day be required of him. What -I have left to call my own--it is little beyond the worth of a few -jewels--I will make it the first charge of his life to bestow, with the -compassion and lamenting of his dead mother, on this injured family, if -the sister can be discovered.' - -“She kissed the boy, and said, caressing him, 'It is for thine own dear -sake. Thou wilt be faithful, little Charles?' The child answered her -bravely, 'Yes!' I kissed her hand, and she took him in her arms, and -went away caressing him. I never saw her more. - -“As she had mentioned her husband's name in the faith that I knew it, -I added no mention of it to my letter. I sealed my letter, and, not -trusting it out of my own hands, delivered it myself that day. - -“That night, the last night of the year, towards nine o'clock, a man in -a black dress rang at my gate, demanded to see me, and softly followed -my servant, Ernest Defarge, a youth, up-stairs. When my servant came -into the room where I sat with my wife--O my wife, beloved of my heart! -My fair young English wife!--we saw the man, who was supposed to be at -the gate, standing silent behind him. - -“An urgent case in the Rue St. Honore, he said. It would not detain me, -he had a coach in waiting. - -“It brought me here, it brought me to my grave. When I was clear of the -house, a black muffler was drawn tightly over my mouth from behind, and -my arms were pinioned. The two brothers crossed the road from a dark -corner, and identified me with a single gesture. The Marquis took from -his pocket the letter I had written, showed it me, burnt it in the light -of a lantern that was held, and extinguished the ashes with his foot. -Not a word was spoken. I was brought here, I was brought to my living -grave. - -“If it had pleased _God_ to put it in the hard heart of either of the -brothers, in all these frightful years, to grant me any tidings of -my dearest wife--so much as to let me know by a word whether alive or -dead--I might have thought that He had not quite abandoned them. But, -now I believe that the mark of the red cross is fatal to them, and that -they have no part in His mercies. And them and their descendants, to the -last of their race, I, Alexandre Manette, unhappy prisoner, do this last -night of the year 1767, in my unbearable agony, denounce to the times -when all these things shall be answered for. I denounce them to Heaven -and to earth.” - -A terrible sound arose when the reading of this document was done. A -sound of craving and eagerness that had nothing articulate in it but -blood. The narrative called up the most revengeful passions of the time, -and there was not a head in the nation but must have dropped before it. - -Little need, in presence of that tribunal and that auditory, to show -how the Defarges had not made the paper public, with the other captured -Bastille memorials borne in procession, and had kept it, biding their -time. Little need to show that this detested family name had long been -anathematised by Saint Antoine, and was wrought into the fatal register. -The man never trod ground whose virtues and services would have -sustained him in that place that day, against such denunciation. - -And all the worse for the doomed man, that the denouncer was a -well-known citizen, his own attached friend, the father of his wife. One -of the frenzied aspirations of the populace was, for imitations of -the questionable public virtues of antiquity, and for sacrifices and -self-immolations on the people's altar. Therefore when the President -said (else had his own head quivered on his shoulders), that the good -physician of the Republic would deserve better still of the Republic by -rooting out an obnoxious family of Aristocrats, and would doubtless feel -a sacred glow and joy in making his daughter a widow and her child an -orphan, there was wild excitement, patriotic fervour, not a touch of -human sympathy. - -“Much influence around him, has that Doctor?” murmured Madame Defarge, -smiling to The Vengeance. “Save him now, my Doctor, save him!” - -At every juryman's vote, there was a roar. Another and another. Roar and -roar. - -Unanimously voted. At heart and by descent an Aristocrat, an enemy -of the Republic, a notorious oppressor of the People. Back to the -Conciergerie, and Death within four-and-twenty hours! - - - - -XI. Dusk - - -The wretched wife of the innocent man thus doomed to die, fell under -the sentence, as if she had been mortally stricken. But, she uttered no -sound; and so strong was the voice within her, representing that it was -she of all the world who must uphold him in his misery and not augment -it, that it quickly raised her, even from that shock. - -The Judges having to take part in a public demonstration out of doors, -the Tribunal adjourned. The quick noise and movement of the court's -emptying itself by many passages had not ceased, when Lucie stood -stretching out her arms towards her husband, with nothing in her face -but love and consolation. - -“If I might touch him! If I might embrace him once! O, good citizens, if -you would have so much compassion for us!” - -There was but a gaoler left, along with two of the four men who had -taken him last night, and Barsad. The people had all poured out to the -show in the streets. Barsad proposed to the rest, “Let her embrace -him then; it is but a moment.” It was silently acquiesced in, and they -passed her over the seats in the hall to a raised place, where he, by -leaning over the dock, could fold her in his arms. - -“Farewell, dear darling of my soul. My parting blessing on my love. We -shall meet again, where the weary are at rest!” - -They were her husband's words, as he held her to his bosom. - -“I can bear it, dear Charles. I am supported from above: don't suffer -for me. A parting blessing for our child.” - -“I send it to her by you. I kiss her by you. I say farewell to her by -you.” - -“My husband. No! A moment!” He was tearing himself apart from her. -“We shall not be separated long. I feel that this will break my heart -by-and-bye; but I will do my duty while I can, and when I leave her, God -will raise up friends for her, as He did for me.” - -Her father had followed her, and would have fallen on his knees to both -of them, but that Darnay put out a hand and seized him, crying: - -“No, no! What have you done, what have you done, that you should kneel -to us! We know now, what a struggle you made of old. We know, now what -you underwent when you suspected my descent, and when you knew it. We -know now, the natural antipathy you strove against, and conquered, for -her dear sake. We thank you with all our hearts, and all our love and -duty. Heaven be with you!” - -Her father's only answer was to draw his hands through his white hair, -and wring them with a shriek of anguish. - -“It could not be otherwise,” said the prisoner. “All things have worked -together as they have fallen out. It was the always-vain endeavour to -discharge my poor mother's trust that first brought my fatal presence -near you. Good could never come of such evil, a happier end was not in -nature to so unhappy a beginning. Be comforted, and forgive me. Heaven -bless you!” - -As he was drawn away, his wife released him, and stood looking after him -with her hands touching one another in the attitude of prayer, and -with a radiant look upon her face, in which there was even a comforting -smile. As he went out at the prisoners' door, she turned, laid her head -lovingly on her father's breast, tried to speak to him, and fell at his -feet. - -Then, issuing from the obscure corner from which he had never moved, -Sydney Carton came and took her up. Only her father and Mr. Lorry were -with her. His arm trembled as it raised her, and supported her head. -Yet, there was an air about him that was not all of pity--that had a -flush of pride in it. - -“Shall I take her to a coach? I shall never feel her weight.” - -He carried her lightly to the door, and laid her tenderly down in a -coach. Her father and their old friend got into it, and he took his seat -beside the driver. - -When they arrived at the gateway where he had paused in the dark not -many hours before, to picture to himself on which of the rough stones of -the street her feet had trodden, he lifted her again, and carried her up -the staircase to their rooms. There, he laid her down on a couch, where -her child and Miss Pross wept over her. - -“Don't recall her to herself,” he said, softly, to the latter, “she is -better so. Don't revive her to consciousness, while she only faints.” - -“Oh, Carton, Carton, dear Carton!” cried little Lucie, springing up and -throwing her arms passionately round him, in a burst of grief. “Now that -you have come, I think you will do something to help mamma, something to -save papa! O, look at her, dear Carton! Can you, of all the people who -love her, bear to see her so?” - -He bent over the child, and laid her blooming cheek against his face. He -put her gently from him, and looked at her unconscious mother. - -“Before I go,” he said, and paused--“I may kiss her?” - -It was remembered afterwards that when he bent down and touched her face -with his lips, he murmured some words. The child, who was nearest to -him, told them afterwards, and told her grandchildren when she was a -handsome old lady, that she heard him say, “A life you love.” - -When he had gone out into the next room, he turned suddenly on Mr. Lorry -and her father, who were following, and said to the latter: - -“You had great influence but yesterday, Doctor Manette; let it at least -be tried. These judges, and all the men in power, are very friendly to -you, and very recognisant of your services; are they not?” - -“Nothing connected with Charles was concealed from me. I had the -strongest assurances that I should save him; and I did.” He returned the -answer in great trouble, and very slowly. - -“Try them again. The hours between this and to-morrow afternoon are few -and short, but try.” - -“I intend to try. I will not rest a moment.” - -“That's well. I have known such energy as yours do great things before -now--though never,” he added, with a smile and a sigh together, “such -great things as this. But try! Of little worth as life is when we misuse -it, it is worth that effort. It would cost nothing to lay down if it -were not.” - -“I will go,” said Doctor Manette, “to the Prosecutor and the President -straight, and I will go to others whom it is better not to name. I will -write too, and--But stay! There is a Celebration in the streets, and no -one will be accessible until dark.” - -“That's true. Well! It is a forlorn hope at the best, and not much the -forlorner for being delayed till dark. I should like to know how you -speed; though, mind! I expect nothing! When are you likely to have seen -these dread powers, Doctor Manette?” - -“Immediately after dark, I should hope. Within an hour or two from -this.” - -“It will be dark soon after four. Let us stretch the hour or two. If I -go to Mr. Lorry's at nine, shall I hear what you have done, either from -our friend or from yourself?” - -“Yes.” - -“May you prosper!” - -Mr. Lorry followed Sydney to the outer door, and, touching him on the -shoulder as he was going away, caused him to turn. - -“I have no hope,” said Mr. Lorry, in a low and sorrowful whisper. - -“Nor have I.” - -“If any one of these men, or all of these men, were disposed to spare -him--which is a large supposition; for what is his life, or any man's -to them!--I doubt if they durst spare him after the demonstration in the -court.” - -“And so do I. I heard the fall of the axe in that sound.” - -Mr. Lorry leaned his arm upon the door-post, and bowed his face upon it. - -“Don't despond,” said Carton, very gently; “don't grieve. I encouraged -Doctor Manette in this idea, because I felt that it might one day be -consolatory to her. Otherwise, she might think 'his life was wantonly -thrown away or wasted,' and that might trouble her.” - -“Yes, yes, yes,” returned Mr. Lorry, drying his eyes, “you are right. -But he will perish; there is no real hope.” - -“Yes. He will perish: there is no real hope,” echoed Carton. - -And walked with a settled step, down-stairs. - - - - -XII. Darkness - - -Sydney Carton paused in the street, not quite decided where to go. “At -Tellson's banking-house at nine,” he said, with a musing face. “Shall I -do well, in the mean time, to show myself? I think so. It is best that -these people should know there is such a man as I here; it is a sound -precaution, and may be a necessary preparation. But care, care, care! -Let me think it out!” - -Checking his steps which had begun to tend towards an object, he took a -turn or two in the already darkening street, and traced the thought -in his mind to its possible consequences. His first impression was -confirmed. “It is best,” he said, finally resolved, “that these people -should know there is such a man as I here.” And he turned his face -towards Saint Antoine. - -Defarge had described himself, that day, as the keeper of a wine-shop in -the Saint Antoine suburb. It was not difficult for one who knew the city -well, to find his house without asking any question. Having ascertained -its situation, Carton came out of those closer streets again, and dined -at a place of refreshment and fell sound asleep after dinner. For the -first time in many years, he had no strong drink. Since last night he -had taken nothing but a little light thin wine, and last night he had -dropped the brandy slowly down on Mr. Lorry's hearth like a man who had -done with it. - -It was as late as seven o'clock when he awoke refreshed, and went out -into the streets again. As he passed along towards Saint Antoine, he -stopped at a shop-window where there was a mirror, and slightly altered -the disordered arrangement of his loose cravat, and his coat-collar, and -his wild hair. This done, he went on direct to Defarge's, and went in. - -There happened to be no customer in the shop but Jacques Three, of the -restless fingers and the croaking voice. This man, whom he had seen upon -the Jury, stood drinking at the little counter, in conversation with the -Defarges, man and wife. The Vengeance assisted in the conversation, like -a regular member of the establishment. - -As Carton walked in, took his seat and asked (in very indifferent -French) for a small measure of wine, Madame Defarge cast a careless -glance at him, and then a keener, and then a keener, and then advanced -to him herself, and asked him what it was he had ordered. - -He repeated what he had already said. - -“English?” asked Madame Defarge, inquisitively raising her dark -eyebrows. - -After looking at her, as if the sound of even a single French word were -slow to express itself to him, he answered, in his former strong foreign -accent. “Yes, madame, yes. I am English!” - -Madame Defarge returned to her counter to get the wine, and, as he -took up a Jacobin journal and feigned to pore over it puzzling out its -meaning, he heard her say, “I swear to you, like Evremonde!” - -Defarge brought him the wine, and gave him Good Evening. - -“How?” - -“Good evening.” - -“Oh! Good evening, citizen,” filling his glass. “Ah! and good wine. I -drink to the Republic.” - -Defarge went back to the counter, and said, “Certainly, a little like.” - Madame sternly retorted, “I tell you a good deal like.” Jacques Three -pacifically remarked, “He is so much in your mind, see you, madame.” - The amiable Vengeance added, with a laugh, “Yes, my faith! And you -are looking forward with so much pleasure to seeing him once more -to-morrow!” - -Carton followed the lines and words of his paper, with a slow -forefinger, and with a studious and absorbed face. They were all leaning -their arms on the counter close together, speaking low. After a silence -of a few moments, during which they all looked towards him without -disturbing his outward attention from the Jacobin editor, they resumed -their conversation. - -“It is true what madame says,” observed Jacques Three. “Why stop? There -is great force in that. Why stop?” - -“Well, well,” reasoned Defarge, “but one must stop somewhere. After all, -the question is still where?” - -“At extermination,” said madame. - -“Magnificent!” croaked Jacques Three. The Vengeance, also, highly -approved. - -“Extermination is good doctrine, my wife,” said Defarge, rather -troubled; “in general, I say nothing against it. But this Doctor has -suffered much; you have seen him to-day; you have observed his face when -the paper was read.” - -“I have observed his face!” repeated madame, contemptuously and angrily. -“Yes. I have observed his face. I have observed his face to be not the -face of a true friend of the Republic. Let him take care of his face!” - -“And you have observed, my wife,” said Defarge, in a deprecatory manner, -“the anguish of his daughter, which must be a dreadful anguish to him!” - -“I have observed his daughter,” repeated madame; “yes, I have observed -his daughter, more times than one. I have observed her to-day, and I -have observed her other days. I have observed her in the court, and -I have observed her in the street by the prison. Let me but lift my -finger--!” She seemed to raise it (the listener's eyes were always on -his paper), and to let it fall with a rattle on the ledge before her, as -if the axe had dropped. - -“The citizeness is superb!” croaked the Juryman. - -“She is an Angel!” said The Vengeance, and embraced her. - -“As to thee,” pursued madame, implacably, addressing her husband, “if it -depended on thee--which, happily, it does not--thou wouldst rescue this -man even now.” - -“No!” protested Defarge. “Not if to lift this glass would do it! But I -would leave the matter there. I say, stop there.” - -“See you then, Jacques,” said Madame Defarge, wrathfully; “and see you, -too, my little Vengeance; see you both! Listen! For other crimes as -tyrants and oppressors, I have this race a long time on my register, -doomed to destruction and extermination. Ask my husband, is that so.” - -“It is so,” assented Defarge, without being asked. - -“In the beginning of the great days, when the Bastille falls, he finds -this paper of to-day, and he brings it home, and in the middle of the -night when this place is clear and shut, we read it, here on this spot, -by the light of this lamp. Ask him, is that so.” - -“It is so,” assented Defarge. - -“That night, I tell him, when the paper is read through, and the lamp is -burnt out, and the day is gleaming in above those shutters and between -those iron bars, that I have now a secret to communicate. Ask him, is -that so.” - -“It is so,” assented Defarge again. - -“I communicate to him that secret. I smite this bosom with these two -hands as I smite it now, and I tell him, 'Defarge, I was brought up -among the fishermen of the sea-shore, and that peasant family so injured -by the two Evremonde brothers, as that Bastille paper describes, is my -family. Defarge, that sister of the mortally wounded boy upon the ground -was my sister, that husband was my sister's husband, that unborn child -was their child, that brother was my brother, that father was my father, -those dead are my dead, and that summons to answer for those things -descends to me!' Ask him, is that so.” - -“It is so,” assented Defarge once more. - -“Then tell Wind and Fire where to stop,” returned madame; “but don't -tell me.” - -Both her hearers derived a horrible enjoyment from the deadly nature -of her wrath--the listener could feel how white she was, without seeing -her--and both highly commended it. Defarge, a weak minority, interposed -a few words for the memory of the compassionate wife of the Marquis; but -only elicited from his own wife a repetition of her last reply. “Tell -the Wind and the Fire where to stop; not me!” - -Customers entered, and the group was broken up. The English customer -paid for what he had had, perplexedly counted his change, and asked, as -a stranger, to be directed towards the National Palace. Madame Defarge -took him to the door, and put her arm on his, in pointing out the road. -The English customer was not without his reflections then, that it might -be a good deed to seize that arm, lift it, and strike under it sharp and -deep. - -But, he went his way, and was soon swallowed up in the shadow of the -prison wall. At the appointed hour, he emerged from it to present -himself in Mr. Lorry's room again, where he found the old gentleman -walking to and fro in restless anxiety. He said he had been with Lucie -until just now, and had only left her for a few minutes, to come and -keep his appointment. Her father had not been seen, since he quitted the -banking-house towards four o'clock. She had some faint hopes that his -mediation might save Charles, but they were very slight. He had been -more than five hours gone: where could he be? - -Mr. Lorry waited until ten; but, Doctor Manette not returning, and -he being unwilling to leave Lucie any longer, it was arranged that he -should go back to her, and come to the banking-house again at midnight. -In the meanwhile, Carton would wait alone by the fire for the Doctor. - -He waited and waited, and the clock struck twelve; but Doctor Manette -did not come back. Mr. Lorry returned, and found no tidings of him, and -brought none. Where could he be? - -They were discussing this question, and were almost building up some -weak structure of hope on his prolonged absence, when they heard him on -the stairs. The instant he entered the room, it was plain that all was -lost. - -Whether he had really been to any one, or whether he had been all that -time traversing the streets, was never known. As he stood staring at -them, they asked him no question, for his face told them everything. - -“I cannot find it,” said he, “and I must have it. Where is it?” - -His head and throat were bare, and, as he spoke with a helpless look -straying all around, he took his coat off, and let it drop on the floor. - -“Where is my bench? I have been looking everywhere for my bench, and I -can't find it. What have they done with my work? Time presses: I must -finish those shoes.” - -They looked at one another, and their hearts died within them. - -“Come, come!” said he, in a whimpering miserable way; “let me get to -work. Give me my work.” - -Receiving no answer, he tore his hair, and beat his feet upon the -ground, like a distracted child. - -“Don't torture a poor forlorn wretch,” he implored them, with a dreadful -cry; “but give me my work! What is to become of us, if those shoes are -not done to-night?” - -Lost, utterly lost! - -It was so clearly beyond hope to reason with him, or try to restore him, -that--as if by agreement--they each put a hand upon his shoulder, and -soothed him to sit down before the fire, with a promise that he should -have his work presently. He sank into the chair, and brooded over the -embers, and shed tears. As if all that had happened since the garret -time were a momentary fancy, or a dream, Mr. Lorry saw him shrink into -the exact figure that Defarge had had in keeping. - -Affected, and impressed with terror as they both were, by this spectacle -of ruin, it was not a time to yield to such emotions. His lonely -daughter, bereft of her final hope and reliance, appealed to them both -too strongly. Again, as if by agreement, they looked at one another with -one meaning in their faces. Carton was the first to speak: - -“The last chance is gone: it was not much. Yes; he had better be taken -to her. But, before you go, will you, for a moment, steadily attend to -me? Don't ask me why I make the stipulations I am going to make, and -exact the promise I am going to exact; I have a reason--a good one.” - -“I do not doubt it,” answered Mr. Lorry. “Say on.” - -The figure in the chair between them, was all the time monotonously -rocking itself to and fro, and moaning. They spoke in such a tone as -they would have used if they had been watching by a sick-bed in the -night. - -Carton stooped to pick up the coat, which lay almost entangling his -feet. As he did so, a small case in which the Doctor was accustomed to -carry the lists of his day's duties, fell lightly on the floor. Carton -took it up, and there was a folded paper in it. “We should look -at this!” he said. Mr. Lorry nodded his consent. He opened it, and -exclaimed, “Thank _God!_” - -“What is it?” asked Mr. Lorry, eagerly. - -“A moment! Let me speak of it in its place. First,” he put his hand in -his coat, and took another paper from it, “that is the certificate which -enables me to pass out of this city. Look at it. You see--Sydney Carton, -an Englishman?” - -Mr. Lorry held it open in his hand, gazing in his earnest face. - -“Keep it for me until to-morrow. I shall see him to-morrow, you -remember, and I had better not take it into the prison.” - -“Why not?” - -“I don't know; I prefer not to do so. Now, take this paper that Doctor -Manette has carried about him. It is a similar certificate, enabling him -and his daughter and her child, at any time, to pass the barrier and the -frontier! You see?” - -“Yes!” - -“Perhaps he obtained it as his last and utmost precaution against evil, -yesterday. When is it dated? But no matter; don't stay to look; put it -up carefully with mine and your own. Now, observe! I never doubted until -within this hour or two, that he had, or could have such a paper. It is -good, until recalled. But it may be soon recalled, and, I have reason to -think, will be.” - -“They are not in danger?” - -“They are in great danger. They are in danger of denunciation by Madame -Defarge. I know it from her own lips. I have overheard words of that -woman's, to-night, which have presented their danger to me in strong -colours. I have lost no time, and since then, I have seen the spy. He -confirms me. He knows that a wood-sawyer, living by the prison wall, -is under the control of the Defarges, and has been rehearsed by -Madame Defarge as to his having seen Her”--he never mentioned Lucie's -name--“making signs and signals to prisoners. It is easy to foresee that -the pretence will be the common one, a prison plot, and that it will -involve her life--and perhaps her child's--and perhaps her father's--for -both have been seen with her at that place. Don't look so horrified. You -will save them all.” - -“Heaven grant I may, Carton! But how?” - -“I am going to tell you how. It will depend on you, and it could depend -on no better man. This new denunciation will certainly not take place -until after to-morrow; probably not until two or three days afterwards; -more probably a week afterwards. You know it is a capital crime, to -mourn for, or sympathise with, a victim of the Guillotine. She and her -father would unquestionably be guilty of this crime, and this woman (the -inveteracy of whose pursuit cannot be described) would wait to add that -strength to her case, and make herself doubly sure. You follow me?” - -“So attentively, and with so much confidence in what you say, that for -the moment I lose sight,” touching the back of the Doctor's chair, “even -of this distress.” - -“You have money, and can buy the means of travelling to the seacoast -as quickly as the journey can be made. Your preparations have been -completed for some days, to return to England. Early to-morrow have your -horses ready, so that they may be in starting trim at two o'clock in the -afternoon.” - -“It shall be done!” - -His manner was so fervent and inspiring, that Mr. Lorry caught the -flame, and was as quick as youth. - -“You are a noble heart. Did I say we could depend upon no better man? -Tell her, to-night, what you know of her danger as involving her child -and her father. Dwell upon that, for she would lay her own fair head -beside her husband's cheerfully.” He faltered for an instant; then went -on as before. “For the sake of her child and her father, press upon her -the necessity of leaving Paris, with them and you, at that hour. Tell -her that it was her husband's last arrangement. Tell her that more -depends upon it than she dare believe, or hope. You think that her -father, even in this sad state, will submit himself to her; do you not?” - -“I am sure of it.” - -“I thought so. Quietly and steadily have all these arrangements made in -the courtyard here, even to the taking of your own seat in the carriage. -The moment I come to you, take me in, and drive away.” - -“I understand that I wait for you under all circumstances?” - -“You have my certificate in your hand with the rest, you know, and will -reserve my place. Wait for nothing but to have my place occupied, and -then for England!” - -“Why, then,” said Mr. Lorry, grasping his eager but so firm and steady -hand, “it does not all depend on one old man, but I shall have a young -and ardent man at my side.” - -“By the help of Heaven you shall! Promise me solemnly that nothing will -influence you to alter the course on which we now stand pledged to one -another.” - -“Nothing, Carton.” - -“Remember these words to-morrow: change the course, or delay in it--for -any reason--and no life can possibly be saved, and many lives must -inevitably be sacrificed.” - -“I will remember them. I hope to do my part faithfully.” - -“And I hope to do mine. Now, good bye!” - -Though he said it with a grave smile of earnestness, and though he even -put the old man's hand to his lips, he did not part from him then. He -helped him so far to arouse the rocking figure before the dying embers, -as to get a cloak and hat put upon it, and to tempt it forth to find -where the bench and work were hidden that it still moaningly besought -to have. He walked on the other side of it and protected it to the -courtyard of the house where the afflicted heart--so happy in -the memorable time when he had revealed his own desolate heart to -it--outwatched the awful night. He entered the courtyard and remained -there for a few moments alone, looking up at the light in the window of -her room. Before he went away, he breathed a blessing towards it, and a -Farewell. - - - - -XIII. Fifty-two - - -In the black prison of the Conciergerie, the doomed of the day awaited -their fate. They were in number as the weeks of the year. Fifty-two were -to roll that afternoon on the life-tide of the city to the boundless -everlasting sea. Before their cells were quit of them, new occupants -were appointed; before their blood ran into the blood spilled yesterday, -the blood that was to mingle with theirs to-morrow was already set -apart. - -Two score and twelve were told off. From the farmer-general of seventy, -whose riches could not buy his life, to the seamstress of twenty, whose -poverty and obscurity could not save her. Physical diseases, engendered -in the vices and neglects of men, will seize on victims of all degrees; -and the frightful moral disorder, born of unspeakable suffering, -intolerable oppression, and heartless indifference, smote equally -without distinction. - -Charles Darnay, alone in a cell, had sustained himself with no -flattering delusion since he came to it from the Tribunal. In every line -of the narrative he had heard, he had heard his condemnation. He had -fully comprehended that no personal influence could possibly save him, -that he was virtually sentenced by the millions, and that units could -avail him nothing. - -Nevertheless, it was not easy, with the face of his beloved wife fresh -before him, to compose his mind to what it must bear. His hold on life -was strong, and it was very, very hard, to loosen; by gradual efforts -and degrees unclosed a little here, it clenched the tighter there; and -when he brought his strength to bear on that hand and it yielded, -this was closed again. There was a hurry, too, in all his thoughts, -a turbulent and heated working of his heart, that contended against -resignation. If, for a moment, he did feel resigned, then his wife and -child who had to live after him, seemed to protest and to make it a -selfish thing. - -But, all this was at first. Before long, the consideration that there -was no disgrace in the fate he must meet, and that numbers went the same -road wrongfully, and trod it firmly every day, sprang up to stimulate -him. Next followed the thought that much of the future peace of mind -enjoyable by the dear ones, depended on his quiet fortitude. So, -by degrees he calmed into the better state, when he could raise his -thoughts much higher, and draw comfort down. - -Before it had set in dark on the night of his condemnation, he had -travelled thus far on his last way. Being allowed to purchase the means -of writing, and a light, he sat down to write until such time as the -prison lamps should be extinguished. - -He wrote a long letter to Lucie, showing her that he had known nothing -of her father's imprisonment, until he had heard of it from herself, -and that he had been as ignorant as she of his father's and uncle's -responsibility for that misery, until the paper had been read. He had -already explained to her that his concealment from herself of the name -he had relinquished, was the one condition--fully intelligible now--that -her father had attached to their betrothal, and was the one promise he -had still exacted on the morning of their marriage. He entreated her, -for her father's sake, never to seek to know whether her father had -become oblivious of the existence of the paper, or had had it recalled -to him (for the moment, or for good), by the story of the Tower, on -that old Sunday under the dear old plane-tree in the garden. If he had -preserved any definite remembrance of it, there could be no doubt that -he had supposed it destroyed with the Bastille, when he had found no -mention of it among the relics of prisoners which the populace had -discovered there, and which had been described to all the world. He -besought her--though he added that he knew it was needless--to console -her father, by impressing him through every tender means she could think -of, with the truth that he had done nothing for which he could justly -reproach himself, but had uniformly forgotten himself for their joint -sakes. Next to her preservation of his own last grateful love and -blessing, and her overcoming of her sorrow, to devote herself to their -dear child, he adjured her, as they would meet in Heaven, to comfort her -father. - -To her father himself, he wrote in the same strain; but, he told her -father that he expressly confided his wife and child to his care. And -he told him this, very strongly, with the hope of rousing him from any -despondency or dangerous retrospect towards which he foresaw he might be -tending. - -To Mr. Lorry, he commended them all, and explained his worldly affairs. -That done, with many added sentences of grateful friendship and warm -attachment, all was done. He never thought of Carton. His mind was so -full of the others, that he never once thought of him. - -He had time to finish these letters before the lights were put out. When -he lay down on his straw bed, he thought he had done with this world. - -But, it beckoned him back in his sleep, and showed itself in shining -forms. Free and happy, back in the old house in Soho (though it had -nothing in it like the real house), unaccountably released and light of -heart, he was with Lucie again, and she told him it was all a dream, and -he had never gone away. A pause of forgetfulness, and then he had even -suffered, and had come back to her, dead and at peace, and yet there -was no difference in him. Another pause of oblivion, and he awoke in the -sombre morning, unconscious where he was or what had happened, until it -flashed upon his mind, “this is the day of my death!” - -Thus, had he come through the hours, to the day when the fifty-two heads -were to fall. And now, while he was composed, and hoped that he could -meet the end with quiet heroism, a new action began in his waking -thoughts, which was very difficult to master. - -He had never seen the instrument that was to terminate his life. How -high it was from the ground, how many steps it had, where he would be -stood, how he would be touched, whether the touching hands would be dyed -red, which way his face would be turned, whether he would be the first, -or might be the last: these and many similar questions, in nowise -directed by his will, obtruded themselves over and over again, countless -times. Neither were they connected with fear: he was conscious of no -fear. Rather, they originated in a strange besetting desire to know what -to do when the time came; a desire gigantically disproportionate to the -few swift moments to which it referred; a wondering that was more like -the wondering of some other spirit within his, than his own. - -The hours went on as he walked to and fro, and the clocks struck the -numbers he would never hear again. Nine gone for ever, ten gone for -ever, eleven gone for ever, twelve coming on to pass away. After a hard -contest with that eccentric action of thought which had last perplexed -him, he had got the better of it. He walked up and down, softly -repeating their names to himself. The worst of the strife was over. -He could walk up and down, free from distracting fancies, praying for -himself and for them. - -Twelve gone for ever. - -He had been apprised that the final hour was Three, and he knew he would -be summoned some time earlier, inasmuch as the tumbrils jolted heavily -and slowly through the streets. Therefore, he resolved to keep Two -before his mind, as the hour, and so to strengthen himself in the -interval that he might be able, after that time, to strengthen others. - -Walking regularly to and fro with his arms folded on his breast, a very -different man from the prisoner, who had walked to and fro at La Force, -he heard One struck away from him, without surprise. The hour had -measured like most other hours. Devoutly thankful to Heaven for his -recovered self-possession, he thought, “There is but another now,” and -turned to walk again. - -Footsteps in the stone passage outside the door. He stopped. - -The key was put in the lock, and turned. Before the door was opened, or -as it opened, a man said in a low voice, in English: “He has never seen -me here; I have kept out of his way. Go you in alone; I wait near. Lose -no time!” - -The door was quickly opened and closed, and there stood before him -face to face, quiet, intent upon him, with the light of a smile on his -features, and a cautionary finger on his lip, Sydney Carton. - -There was something so bright and remarkable in his look, that, for the -first moment, the prisoner misdoubted him to be an apparition of his own -imagining. But, he spoke, and it was his voice; he took the prisoner's -hand, and it was his real grasp. - -“Of all the people upon earth, you least expected to see me?” he said. - -“I could not believe it to be you. I can scarcely believe it now. You -are not”--the apprehension came suddenly into his mind--“a prisoner?” - -“No. I am accidentally possessed of a power over one of the keepers -here, and in virtue of it I stand before you. I come from her--your -wife, dear Darnay.” - -The prisoner wrung his hand. - -“I bring you a request from her.” - -“What is it?” - -“A most earnest, pressing, and emphatic entreaty, addressed to you -in the most pathetic tones of the voice so dear to you, that you well -remember.” - -The prisoner turned his face partly aside. - -“You have no time to ask me why I bring it, or what it means; I have -no time to tell you. You must comply with it--take off those boots you -wear, and draw on these of mine.” - -There was a chair against the wall of the cell, behind the prisoner. -Carton, pressing forward, had already, with the speed of lightning, got -him down into it, and stood over him, barefoot. - -“Draw on these boots of mine. Put your hands to them; put your will to -them. Quick!” - -“Carton, there is no escaping from this place; it never can be done. You -will only die with me. It is madness.” - -“It would be madness if I asked you to escape; but do I? When I ask you -to pass out at that door, tell me it is madness and remain here. Change -that cravat for this of mine, that coat for this of mine. While you do -it, let me take this ribbon from your hair, and shake out your hair like -this of mine!” - -With wonderful quickness, and with a strength both of will and action, -that appeared quite supernatural, he forced all these changes upon him. -The prisoner was like a young child in his hands. - -“Carton! Dear Carton! It is madness. It cannot be accomplished, it never -can be done, it has been attempted, and has always failed. I implore you -not to add your death to the bitterness of mine.” - -“Do I ask you, my dear Darnay, to pass the door? When I ask that, -refuse. There are pen and ink and paper on this table. Is your hand -steady enough to write?” - -“It was when you came in.” - -“Steady it again, and write what I shall dictate. Quick, friend, quick!” - -Pressing his hand to his bewildered head, Darnay sat down at the table. -Carton, with his right hand in his breast, stood close beside him. - -“Write exactly as I speak.” - -“To whom do I address it?” - -“To no one.” Carton still had his hand in his breast. - -“Do I date it?” - -“No.” - -The prisoner looked up, at each question. Carton, standing over him with -his hand in his breast, looked down. - -“'If you remember,'” said Carton, dictating, “'the words that passed -between us, long ago, you will readily comprehend this when you see it. -You do remember them, I know. It is not in your nature to forget them.'” - -He was drawing his hand from his breast; the prisoner chancing to look -up in his hurried wonder as he wrote, the hand stopped, closing upon -something. - -“Have you written 'forget them'?” Carton asked. - -“I have. Is that a weapon in your hand?” - -“No; I am not armed.” - -“What is it in your hand?” - -“You shall know directly. Write on; there are but a few words more.” He -dictated again. “'I am thankful that the time has come, when I can prove -them. That I do so is no subject for regret or grief.'” As he said these -words with his eyes fixed on the writer, his hand slowly and softly -moved down close to the writer's face. - -The pen dropped from Darnay's fingers on the table, and he looked about -him vacantly. - -“What vapour is that?” he asked. - -“Vapour?” - -“Something that crossed me?” - -“I am conscious of nothing; there can be nothing here. Take up the pen -and finish. Hurry, hurry!” - -As if his memory were impaired, or his faculties disordered, the -prisoner made an effort to rally his attention. As he looked at Carton -with clouded eyes and with an altered manner of breathing, Carton--his -hand again in his breast--looked steadily at him. - -“Hurry, hurry!” - -The prisoner bent over the paper, once more. - -“'If it had been otherwise;'” Carton's hand was again watchfully and -softly stealing down; “'I never should have used the longer opportunity. -If it had been otherwise;'” the hand was at the prisoner's face; “'I -should but have had so much the more to answer for. If it had been -otherwise--'” Carton looked at the pen and saw it was trailing off into -unintelligible signs. - -Carton's hand moved back to his breast no more. The prisoner sprang up -with a reproachful look, but Carton's hand was close and firm at his -nostrils, and Carton's left arm caught him round the waist. For a few -seconds he faintly struggled with the man who had come to lay down his -life for him; but, within a minute or so, he was stretched insensible on -the ground. - -Quickly, but with hands as true to the purpose as his heart was, Carton -dressed himself in the clothes the prisoner had laid aside, combed back -his hair, and tied it with the ribbon the prisoner had worn. Then, he -softly called, “Enter there! Come in!” and the Spy presented himself. - -“You see?” said Carton, looking up, as he kneeled on one knee beside the -insensible figure, putting the paper in the breast: “is your hazard very -great?” - -“Mr. Carton,” the Spy answered, with a timid snap of his fingers, “my -hazard is not _that_, in the thick of business here, if you are true to -the whole of your bargain.” - -“Don't fear me. I will be true to the death.” - -“You must be, Mr. Carton, if the tale of fifty-two is to be right. Being -made right by you in that dress, I shall have no fear.” - -“Have no fear! I shall soon be out of the way of harming you, and the -rest will soon be far from here, please God! Now, get assistance and -take me to the coach.” - -“You?” said the Spy nervously. - -“Him, man, with whom I have exchanged. You go out at the gate by which -you brought me in?” - -“Of course.” - -“I was weak and faint when you brought me in, and I am fainter now you -take me out. The parting interview has overpowered me. Such a thing has -happened here, often, and too often. Your life is in your own hands. -Quick! Call assistance!” - -“You swear not to betray me?” said the trembling Spy, as he paused for a -last moment. - -“Man, man!” returned Carton, stamping his foot; “have I sworn by no -solemn vow already, to go through with this, that you waste the precious -moments now? Take him yourself to the courtyard you know of, place -him yourself in the carriage, show him yourself to Mr. Lorry, tell him -yourself to give him no restorative but air, and to remember my words of -last night, and his promise of last night, and drive away!” - -The Spy withdrew, and Carton seated himself at the table, resting his -forehead on his hands. The Spy returned immediately, with two men. - -“How, then?” said one of them, contemplating the fallen figure. “So -afflicted to find that his friend has drawn a prize in the lottery of -Sainte Guillotine?” - -“A good patriot,” said the other, “could hardly have been more afflicted -if the Aristocrat had drawn a blank.” - -They raised the unconscious figure, placed it on a litter they had -brought to the door, and bent to carry it away. - -“The time is short, Evremonde,” said the Spy, in a warning voice. - -“I know it well,” answered Carton. “Be careful of my friend, I entreat -you, and leave me.” - -“Come, then, my children,” said Barsad. “Lift him, and come away!” - -The door closed, and Carton was left alone. Straining his powers of -listening to the utmost, he listened for any sound that might denote -suspicion or alarm. There was none. Keys turned, doors clashed, -footsteps passed along distant passages: no cry was raised, or hurry -made, that seemed unusual. Breathing more freely in a little while, he -sat down at the table, and listened again until the clock struck Two. - -Sounds that he was not afraid of, for he divined their meaning, then -began to be audible. Several doors were opened in succession, and -finally his own. A gaoler, with a list in his hand, looked in, merely -saying, “Follow me, Evremonde!” and he followed into a large dark room, -at a distance. It was a dark winter day, and what with the shadows -within, and what with the shadows without, he could but dimly discern -the others who were brought there to have their arms bound. Some were -standing; some seated. Some were lamenting, and in restless motion; -but, these were few. The great majority were silent and still, looking -fixedly at the ground. - -As he stood by the wall in a dim corner, while some of the fifty-two -were brought in after him, one man stopped in passing, to embrace him, -as having a knowledge of him. It thrilled him with a great dread of -discovery; but the man went on. A very few moments after that, a young -woman, with a slight girlish form, a sweet spare face in which there was -no vestige of colour, and large widely opened patient eyes, rose from -the seat where he had observed her sitting, and came to speak to him. - -“Citizen Evremonde,” she said, touching him with her cold hand. “I am a -poor little seamstress, who was with you in La Force.” - -He murmured for answer: “True. I forget what you were accused of?” - -“Plots. Though the just Heaven knows that I am innocent of any. Is it -likely? Who would think of plotting with a poor little weak creature -like me?” - -The forlorn smile with which she said it, so touched him, that tears -started from his eyes. - -“I am not afraid to die, Citizen Evremonde, but I have done nothing. I -am not unwilling to die, if the Republic which is to do so much good -to us poor, will profit by my death; but I do not know how that can be, -Citizen Evremonde. Such a poor weak little creature!” - -As the last thing on earth that his heart was to warm and soften to, it -warmed and softened to this pitiable girl. - -“I heard you were released, Citizen Evremonde. I hoped it was true?” - -“It was. But, I was again taken and condemned.” - -“If I may ride with you, Citizen Evremonde, will you let me hold your -hand? I am not afraid, but I am little and weak, and it will give me -more courage.” - -As the patient eyes were lifted to his face, he saw a sudden doubt in -them, and then astonishment. He pressed the work-worn, hunger-worn young -fingers, and touched his lips. - -“Are you dying for him?” she whispered. - -“And his wife and child. Hush! Yes.” - -“O you will let me hold your brave hand, stranger?” - -“Hush! Yes, my poor sister; to the last.” - - ***** - -The same shadows that are falling on the prison, are falling, in that -same hour of the early afternoon, on the Barrier with the crowd about -it, when a coach going out of Paris drives up to be examined. - -“Who goes here? Whom have we within? Papers!” - -The papers are handed out, and read. - -“Alexandre Manette. Physician. French. Which is he?” - -This is he; this helpless, inarticulately murmuring, wandering old man -pointed out. - -“Apparently the Citizen-Doctor is not in his right mind? The -Revolution-fever will have been too much for him?” - -Greatly too much for him. - -“Hah! Many suffer with it. Lucie. His daughter. French. Which is she?” - -This is she. - -“Apparently it must be. Lucie, the wife of Evremonde; is it not?” - -It is. - -“Hah! Evremonde has an assignation elsewhere. Lucie, her child. English. -This is she?” - -She and no other. - -“Kiss me, child of Evremonde. Now, thou hast kissed a good Republican; -something new in thy family; remember it! Sydney Carton. Advocate. -English. Which is he?” - -He lies here, in this corner of the carriage. He, too, is pointed out. - -“Apparently the English advocate is in a swoon?” - -It is hoped he will recover in the fresher air. It is represented that -he is not in strong health, and has separated sadly from a friend who is -under the displeasure of the Republic. - -“Is that all? It is not a great deal, that! Many are under the -displeasure of the Republic, and must look out at the little window. -Jarvis Lorry. Banker. English. Which is he?” - -“I am he. Necessarily, being the last.” - -It is Jarvis Lorry who has replied to all the previous questions. It -is Jarvis Lorry who has alighted and stands with his hand on the coach -door, replying to a group of officials. They leisurely walk round the -carriage and leisurely mount the box, to look at what little luggage it -carries on the roof; the country-people hanging about, press nearer to -the coach doors and greedily stare in; a little child, carried by its -mother, has its short arm held out for it, that it may touch the wife of -an aristocrat who has gone to the Guillotine. - -“Behold your papers, Jarvis Lorry, countersigned.” - -“One can depart, citizen?” - -“One can depart. Forward, my postilions! A good journey!” - -“I salute you, citizens.--And the first danger passed!” - -These are again the words of Jarvis Lorry, as he clasps his hands, and -looks upward. There is terror in the carriage, there is weeping, there -is the heavy breathing of the insensible traveller. - -“Are we not going too slowly? Can they not be induced to go faster?” - asks Lucie, clinging to the old man. - -“It would seem like flight, my darling. I must not urge them too much; -it would rouse suspicion.” - -“Look back, look back, and see if we are pursued!” - -“The road is clear, my dearest. So far, we are not pursued.” - -Houses in twos and threes pass by us, solitary farms, ruinous buildings, -dye-works, tanneries, and the like, open country, avenues of leafless -trees. The hard uneven pavement is under us, the soft deep mud is on -either side. Sometimes, we strike into the skirting mud, to avoid the -stones that clatter us and shake us; sometimes, we stick in ruts and -sloughs there. The agony of our impatience is then so great, that in our -wild alarm and hurry we are for getting out and running--hiding--doing -anything but stopping. - -Out of the open country, in again among ruinous buildings, solitary -farms, dye-works, tanneries, and the like, cottages in twos and threes, -avenues of leafless trees. Have these men deceived us, and taken us back -by another road? Is not this the same place twice over? Thank Heaven, -no. A village. Look back, look back, and see if we are pursued! Hush! -the posting-house. - -Leisurely, our four horses are taken out; leisurely, the coach stands in -the little street, bereft of horses, and with no likelihood upon it -of ever moving again; leisurely, the new horses come into visible -existence, one by one; leisurely, the new postilions follow, sucking and -plaiting the lashes of their whips; leisurely, the old postilions count -their money, make wrong additions, and arrive at dissatisfied results. -All the time, our overfraught hearts are beating at a rate that would -far outstrip the fastest gallop of the fastest horses ever foaled. - -At length the new postilions are in their saddles, and the old are left -behind. We are through the village, up the hill, and down the hill, and -on the low watery grounds. Suddenly, the postilions exchange speech with -animated gesticulation, and the horses are pulled up, almost on their -haunches. We are pursued? - -“Ho! Within the carriage there. Speak then!” - -“What is it?” asks Mr. Lorry, looking out at window. - -“How many did they say?” - -“I do not understand you.” - -“--At the last post. How many to the Guillotine to-day?” - -“Fifty-two.” - -“I said so! A brave number! My fellow-citizen here would have it -forty-two; ten more heads are worth having. The Guillotine goes -handsomely. I love it. Hi forward. Whoop!” - -The night comes on dark. He moves more; he is beginning to revive, and -to speak intelligibly; he thinks they are still together; he asks him, -by his name, what he has in his hand. O pity us, kind Heaven, and help -us! Look out, look out, and see if we are pursued. - -The wind is rushing after us, and the clouds are flying after us, and -the moon is plunging after us, and the whole wild night is in pursuit of -us; but, so far, we are pursued by nothing else. - - - - -XIV. The Knitting Done - - -In that same juncture of time when the Fifty-Two awaited their fate -Madame Defarge held darkly ominous council with The Vengeance and -Jacques Three of the Revolutionary Jury. Not in the wine-shop did Madame -Defarge confer with these ministers, but in the shed of the wood-sawyer, -erst a mender of roads. The sawyer himself did not participate in the -conference, but abided at a little distance, like an outer satellite who -was not to speak until required, or to offer an opinion until invited. - -“But our Defarge,” said Jacques Three, “is undoubtedly a good -Republican? Eh?” - -“There is no better,” the voluble Vengeance protested in her shrill -notes, “in France.” - -“Peace, little Vengeance,” said Madame Defarge, laying her hand with -a slight frown on her lieutenant's lips, “hear me speak. My husband, -fellow-citizen, is a good Republican and a bold man; he has deserved -well of the Republic, and possesses its confidence. But my husband has -his weaknesses, and he is so weak as to relent towards this Doctor.” - -“It is a great pity,” croaked Jacques Three, dubiously shaking his head, -with his cruel fingers at his hungry mouth; “it is not quite like a good -citizen; it is a thing to regret.” - -“See you,” said madame, “I care nothing for this Doctor, I. He may wear -his head or lose it, for any interest I have in him; it is all one to -me. But, the Evremonde people are to be exterminated, and the wife and -child must follow the husband and father.” - -“She has a fine head for it,” croaked Jacques Three. “I have seen blue -eyes and golden hair there, and they looked charming when Samson held -them up.” Ogre that he was, he spoke like an epicure. - -Madame Defarge cast down her eyes, and reflected a little. - -“The child also,” observed Jacques Three, with a meditative enjoyment -of his words, “has golden hair and blue eyes. And we seldom have a child -there. It is a pretty sight!” - -“In a word,” said Madame Defarge, coming out of her short abstraction, -“I cannot trust my husband in this matter. Not only do I feel, since -last night, that I dare not confide to him the details of my projects; -but also I feel that if I delay, there is danger of his giving warning, -and then they might escape.” - -“That must never be,” croaked Jacques Three; “no one must escape. We -have not half enough as it is. We ought to have six score a day.” - -“In a word,” Madame Defarge went on, “my husband has not my reason for -pursuing this family to annihilation, and I have not his reason for -regarding this Doctor with any sensibility. I must act for myself, -therefore. Come hither, little citizen.” - -The wood-sawyer, who held her in the respect, and himself in the -submission, of mortal fear, advanced with his hand to his red cap. - -“Touching those signals, little citizen,” said Madame Defarge, sternly, -“that she made to the prisoners; you are ready to bear witness to them -this very day?” - -“Ay, ay, why not!” cried the sawyer. “Every day, in all weathers, from -two to four, always signalling, sometimes with the little one, sometimes -without. I know what I know. I have seen with my eyes.” - -He made all manner of gestures while he spoke, as if in incidental -imitation of some few of the great diversity of signals that he had -never seen. - -“Clearly plots,” said Jacques Three. “Transparently!” - -“There is no doubt of the Jury?” inquired Madame Defarge, letting her -eyes turn to him with a gloomy smile. - -“Rely upon the patriotic Jury, dear citizeness. I answer for my -fellow-Jurymen.” - -“Now, let me see,” said Madame Defarge, pondering again. “Yet once more! -Can I spare this Doctor to my husband? I have no feeling either way. Can -I spare him?” - -“He would count as one head,” observed Jacques Three, in a low voice. -“We really have not heads enough; it would be a pity, I think.” - -“He was signalling with her when I saw her,” argued Madame Defarge; “I -cannot speak of one without the other; and I must not be silent, and -trust the case wholly to him, this little citizen here. For, I am not a -bad witness.” - -The Vengeance and Jacques Three vied with each other in their fervent -protestations that she was the most admirable and marvellous of -witnesses. The little citizen, not to be outdone, declared her to be a -celestial witness. - -“He must take his chance,” said Madame Defarge. “No, I cannot spare -him! You are engaged at three o'clock; you are going to see the batch of -to-day executed.--You?” - -The question was addressed to the wood-sawyer, who hurriedly replied in -the affirmative: seizing the occasion to add that he was the most ardent -of Republicans, and that he would be in effect the most desolate of -Republicans, if anything prevented him from enjoying the pleasure of -smoking his afternoon pipe in the contemplation of the droll national -barber. He was so very demonstrative herein, that he might have been -suspected (perhaps was, by the dark eyes that looked contemptuously at -him out of Madame Defarge's head) of having his small individual fears -for his own personal safety, every hour in the day. - -“I,” said madame, “am equally engaged at the same place. After it is -over--say at eight to-night--come you to me, in Saint Antoine, and we -will give information against these people at my Section.” - -The wood-sawyer said he would be proud and flattered to attend the -citizeness. The citizeness looking at him, he became embarrassed, evaded -her glance as a small dog would have done, retreated among his wood, and -hid his confusion over the handle of his saw. - -Madame Defarge beckoned the Juryman and The Vengeance a little nearer to -the door, and there expounded her further views to them thus: - -“She will now be at home, awaiting the moment of his death. She will -be mourning and grieving. She will be in a state of mind to impeach the -justice of the Republic. She will be full of sympathy with its enemies. -I will go to her.” - -“What an admirable woman; what an adorable woman!” exclaimed Jacques -Three, rapturously. “Ah, my cherished!” cried The Vengeance; and -embraced her. - -“Take you my knitting,” said Madame Defarge, placing it in her -lieutenant's hands, “and have it ready for me in my usual seat. Keep -me my usual chair. Go you there, straight, for there will probably be a -greater concourse than usual, to-day.” - -“I willingly obey the orders of my Chief,” said The Vengeance with -alacrity, and kissing her cheek. “You will not be late?” - -“I shall be there before the commencement.” - -“And before the tumbrils arrive. Be sure you are there, my soul,” said -The Vengeance, calling after her, for she had already turned into the -street, “before the tumbrils arrive!” - -Madame Defarge slightly waved her hand, to imply that she heard, and -might be relied upon to arrive in good time, and so went through the -mud, and round the corner of the prison wall. The Vengeance and the -Juryman, looking after her as she walked away, were highly appreciative -of her fine figure, and her superb moral endowments. - -There were many women at that time, upon whom the time laid a dreadfully -disfiguring hand; but, there was not one among them more to be dreaded -than this ruthless woman, now taking her way along the streets. Of a -strong and fearless character, of shrewd sense and readiness, of great -determination, of that kind of beauty which not only seems to impart -to its possessor firmness and animosity, but to strike into others an -instinctive recognition of those qualities; the troubled time would have -heaved her up, under any circumstances. But, imbued from her childhood -with a brooding sense of wrong, and an inveterate hatred of a class, -opportunity had developed her into a tigress. She was absolutely without -pity. If she had ever had the virtue in her, it had quite gone out of -her. - -It was nothing to her, that an innocent man was to die for the sins of -his forefathers; she saw, not him, but them. It was nothing to her, that -his wife was to be made a widow and his daughter an orphan; that was -insufficient punishment, because they were her natural enemies and -her prey, and as such had no right to live. To appeal to her, was made -hopeless by her having no sense of pity, even for herself. If she had -been laid low in the streets, in any of the many encounters in which -she had been engaged, she would not have pitied herself; nor, if she had -been ordered to the axe to-morrow, would she have gone to it with any -softer feeling than a fierce desire to change places with the man who -sent her there. - -Such a heart Madame Defarge carried under her rough robe. Carelessly -worn, it was a becoming robe enough, in a certain weird way, and her -dark hair looked rich under her coarse red cap. Lying hidden in her -bosom, was a loaded pistol. Lying hidden at her waist, was a sharpened -dagger. Thus accoutred, and walking with the confident tread of such -a character, and with the supple freedom of a woman who had habitually -walked in her girlhood, bare-foot and bare-legged, on the brown -sea-sand, Madame Defarge took her way along the streets. - -Now, when the journey of the travelling coach, at that very moment -waiting for the completion of its load, had been planned out last night, -the difficulty of taking Miss Pross in it had much engaged Mr. Lorry's -attention. It was not merely desirable to avoid overloading the coach, -but it was of the highest importance that the time occupied in examining -it and its passengers, should be reduced to the utmost; since their -escape might depend on the saving of only a few seconds here and there. -Finally, he had proposed, after anxious consideration, that Miss Pross -and Jerry, who were at liberty to leave the city, should leave it at -three o'clock in the lightest-wheeled conveyance known to that period. -Unencumbered with luggage, they would soon overtake the coach, and, -passing it and preceding it on the road, would order its horses in -advance, and greatly facilitate its progress during the precious hours -of the night, when delay was the most to be dreaded. - -Seeing in this arrangement the hope of rendering real service in that -pressing emergency, Miss Pross hailed it with joy. She and Jerry had -beheld the coach start, had known who it was that Solomon brought, had -passed some ten minutes in tortures of suspense, and were now concluding -their arrangements to follow the coach, even as Madame Defarge, -taking her way through the streets, now drew nearer and nearer to the -else-deserted lodging in which they held their consultation. - -“Now what do you think, Mr. Cruncher,” said Miss Pross, whose agitation -was so great that she could hardly speak, or stand, or move, or live: -“what do you think of our not starting from this courtyard? Another -carriage having already gone from here to-day, it might awaken -suspicion.” - -“My opinion, miss,” returned Mr. Cruncher, “is as you're right. Likewise -wot I'll stand by you, right or wrong.” - -“I am so distracted with fear and hope for our precious creatures,” said -Miss Pross, wildly crying, “that I am incapable of forming any plan. Are -_you_ capable of forming any plan, my dear good Mr. Cruncher?” - -“Respectin' a future spear o' life, miss,” returned Mr. Cruncher, “I -hope so. Respectin' any present use o' this here blessed old head o' -mine, I think not. Would you do me the favour, miss, to take notice o' -two promises and wows wot it is my wishes fur to record in this here -crisis?” - -“Oh, for gracious sake!” cried Miss Pross, still wildly crying, “record -them at once, and get them out of the way, like an excellent man.” - -“First,” said Mr. Cruncher, who was all in a tremble, and who spoke with -an ashy and solemn visage, “them poor things well out o' this, never no -more will I do it, never no more!” - -“I am quite sure, Mr. Cruncher,” returned Miss Pross, “that you -never will do it again, whatever it is, and I beg you not to think it -necessary to mention more particularly what it is.” - -“No, miss,” returned Jerry, “it shall not be named to you. Second: them -poor things well out o' this, and never no more will I interfere with -Mrs. Cruncher's flopping, never no more!” - -“Whatever housekeeping arrangement that may be,” said Miss Pross, -striving to dry her eyes and compose herself, “I have no doubt it -is best that Mrs. Cruncher should have it entirely under her own -superintendence.--O my poor darlings!” - -“I go so far as to say, miss, moreover,” proceeded Mr. Cruncher, with a -most alarming tendency to hold forth as from a pulpit--“and let my words -be took down and took to Mrs. Cruncher through yourself--that wot my -opinions respectin' flopping has undergone a change, and that wot I only -hope with all my heart as Mrs. Cruncher may be a flopping at the present -time.” - -“There, there, there! I hope she is, my dear man,” cried the distracted -Miss Pross, “and I hope she finds it answering her expectations.” - -“Forbid it,” proceeded Mr. Cruncher, with additional solemnity, -additional slowness, and additional tendency to hold forth and hold -out, “as anything wot I have ever said or done should be wisited on my -earnest wishes for them poor creeturs now! Forbid it as we shouldn't all -flop (if it was anyways conwenient) to get 'em out o' this here dismal -risk! Forbid it, miss! Wot I say, for-_bid_ it!” This was Mr. Cruncher's -conclusion after a protracted but vain endeavour to find a better one. - -And still Madame Defarge, pursuing her way along the streets, came -nearer and nearer. - -“If we ever get back to our native land,” said Miss Pross, “you may rely -upon my telling Mrs. Cruncher as much as I may be able to remember and -understand of what you have so impressively said; and at all events -you may be sure that I shall bear witness to your being thoroughly in -earnest at this dreadful time. Now, pray let us think! My esteemed Mr. -Cruncher, let us think!” - -Still, Madame Defarge, pursuing her way along the streets, came nearer -and nearer. - -“If you were to go before,” said Miss Pross, “and stop the vehicle and -horses from coming here, and were to wait somewhere for me; wouldn't -that be best?” - -Mr. Cruncher thought it might be best. - -“Where could you wait for me?” asked Miss Pross. - -Mr. Cruncher was so bewildered that he could think of no locality but -Temple Bar. Alas! Temple Bar was hundreds of miles away, and Madame -Defarge was drawing very near indeed. - -“By the cathedral door,” said Miss Pross. “Would it be much out of -the way, to take me in, near the great cathedral door between the two -towers?” - -“No, miss,” answered Mr. Cruncher. - -“Then, like the best of men,” said Miss Pross, “go to the posting-house -straight, and make that change.” - -“I am doubtful,” said Mr. Cruncher, hesitating and shaking his head, -“about leaving of you, you see. We don't know what may happen.” - -“Heaven knows we don't,” returned Miss Pross, “but have no fear for me. -Take me in at the cathedral, at Three o'Clock, or as near it as you can, -and I am sure it will be better than our going from here. I feel certain -of it. There! Bless you, Mr. Cruncher! Think-not of me, but of the lives -that may depend on both of us!” - -This exordium, and Miss Pross's two hands in quite agonised entreaty -clasping his, decided Mr. Cruncher. With an encouraging nod or two, he -immediately went out to alter the arrangements, and left her by herself -to follow as she had proposed. - -The having originated a precaution which was already in course of -execution, was a great relief to Miss Pross. The necessity of composing -her appearance so that it should attract no special notice in the -streets, was another relief. She looked at her watch, and it was twenty -minutes past two. She had no time to lose, but must get ready at once. - -Afraid, in her extreme perturbation, of the loneliness of the deserted -rooms, and of half-imagined faces peeping from behind every open door -in them, Miss Pross got a basin of cold water and began laving her eyes, -which were swollen and red. Haunted by her feverish apprehensions, she -could not bear to have her sight obscured for a minute at a time by the -dripping water, but constantly paused and looked round to see that there -was no one watching her. In one of those pauses she recoiled and cried -out, for she saw a figure standing in the room. - -The basin fell to the ground broken, and the water flowed to the feet of -Madame Defarge. By strange stern ways, and through much staining blood, -those feet had come to meet that water. - -Madame Defarge looked coldly at her, and said, “The wife of Evremonde; -where is she?” - -It flashed upon Miss Pross's mind that the doors were all standing open, -and would suggest the flight. Her first act was to shut them. There were -four in the room, and she shut them all. She then placed herself before -the door of the chamber which Lucie had occupied. - -Madame Defarge's dark eyes followed her through this rapid movement, -and rested on her when it was finished. Miss Pross had nothing beautiful -about her; years had not tamed the wildness, or softened the grimness, -of her appearance; but, she too was a determined woman in her different -way, and she measured Madame Defarge with her eyes, every inch. - -“You might, from your appearance, be the wife of Lucifer,” said Miss -Pross, in her breathing. “Nevertheless, you shall not get the better of -me. I am an Englishwoman.” - -Madame Defarge looked at her scornfully, but still with something of -Miss Pross's own perception that they two were at bay. She saw a tight, -hard, wiry woman before her, as Mr. Lorry had seen in the same figure a -woman with a strong hand, in the years gone by. She knew full well that -Miss Pross was the family's devoted friend; Miss Pross knew full well -that Madame Defarge was the family's malevolent enemy. - -“On my way yonder,” said Madame Defarge, with a slight movement of -her hand towards the fatal spot, “where they reserve my chair and my -knitting for me, I am come to make my compliments to her in passing. I -wish to see her.” - -“I know that your intentions are evil,” said Miss Pross, “and you may -depend upon it, I'll hold my own against them.” - -Each spoke in her own language; neither understood the other's words; -both were very watchful, and intent to deduce from look and manner, what -the unintelligible words meant. - -“It will do her no good to keep herself concealed from me at this -moment,” said Madame Defarge. “Good patriots will know what that means. -Let me see her. Go tell her that I wish to see her. Do you hear?” - -“If those eyes of yours were bed-winches,” returned Miss Pross, “and I -was an English four-poster, they shouldn't loose a splinter of me. No, -you wicked foreign woman; I am your match.” - -Madame Defarge was not likely to follow these idiomatic remarks in -detail; but, she so far understood them as to perceive that she was set -at naught. - -“Woman imbecile and pig-like!” said Madame Defarge, frowning. “I take no -answer from you. I demand to see her. Either tell her that I demand -to see her, or stand out of the way of the door and let me go to her!” - This, with an angry explanatory wave of her right arm. - -“I little thought,” said Miss Pross, “that I should ever want to -understand your nonsensical language; but I would give all I have, -except the clothes I wear, to know whether you suspect the truth, or any -part of it.” - -Neither of them for a single moment released the other's eyes. Madame -Defarge had not moved from the spot where she stood when Miss Pross -first became aware of her; but, she now advanced one step. - -“I am a Briton,” said Miss Pross, “I am desperate. I don't care an -English Twopence for myself. I know that the longer I keep you here, the -greater hope there is for my Ladybird. I'll not leave a handful of that -dark hair upon your head, if you lay a finger on me!” - -Thus Miss Pross, with a shake of her head and a flash of her eyes -between every rapid sentence, and every rapid sentence a whole breath. -Thus Miss Pross, who had never struck a blow in her life. - -But, her courage was of that emotional nature that it brought the -irrepressible tears into her eyes. This was a courage that Madame -Defarge so little comprehended as to mistake for weakness. “Ha, ha!” she -laughed, “you poor wretch! What are you worth! I address myself to that -Doctor.” Then she raised her voice and called out, “Citizen Doctor! Wife -of Evremonde! Child of Evremonde! Any person but this miserable fool, -answer the Citizeness Defarge!” - -Perhaps the following silence, perhaps some latent disclosure in the -expression of Miss Pross's face, perhaps a sudden misgiving apart from -either suggestion, whispered to Madame Defarge that they were gone. -Three of the doors she opened swiftly, and looked in. - -“Those rooms are all in disorder, there has been hurried packing, there -are odds and ends upon the ground. There is no one in that room behind -you! Let me look.” - -“Never!” said Miss Pross, who understood the request as perfectly as -Madame Defarge understood the answer. - -“If they are not in that room, they are gone, and can be pursued and -brought back,” said Madame Defarge to herself. - -“As long as you don't know whether they are in that room or not, you are -uncertain what to do,” said Miss Pross to herself; “and you shall not -know that, if I can prevent your knowing it; and know that, or not know -that, you shall not leave here while I can hold you.” - -“I have been in the streets from the first, nothing has stopped me, -I will tear you to pieces, but I will have you from that door,” said -Madame Defarge. - -“We are alone at the top of a high house in a solitary courtyard, we are -not likely to be heard, and I pray for bodily strength to keep you here, -while every minute you are here is worth a hundred thousand guineas to -my darling,” said Miss Pross. - -Madame Defarge made at the door. Miss Pross, on the instinct of the -moment, seized her round the waist in both her arms, and held her tight. -It was in vain for Madame Defarge to struggle and to strike; Miss Pross, -with the vigorous tenacity of love, always so much stronger than hate, -clasped her tight, and even lifted her from the floor in the struggle -that they had. The two hands of Madame Defarge buffeted and tore her -face; but, Miss Pross, with her head down, held her round the waist, and -clung to her with more than the hold of a drowning woman. - -Soon, Madame Defarge's hands ceased to strike, and felt at her encircled -waist. “It is under my arm,” said Miss Pross, in smothered tones, “you -shall not draw it. I am stronger than you, I bless Heaven for it. I hold -you till one or other of us faints or dies!” - -Madame Defarge's hands were at her bosom. Miss Pross looked up, saw -what it was, struck at it, struck out a flash and a crash, and stood -alone--blinded with smoke. - -All this was in a second. As the smoke cleared, leaving an awful -stillness, it passed out on the air, like the soul of the furious woman -whose body lay lifeless on the ground. - -In the first fright and horror of her situation, Miss Pross passed the -body as far from it as she could, and ran down the stairs to call for -fruitless help. Happily, she bethought herself of the consequences of -what she did, in time to check herself and go back. It was dreadful to -go in at the door again; but, she did go in, and even went near it, to -get the bonnet and other things that she must wear. These she put on, -out on the staircase, first shutting and locking the door and taking -away the key. She then sat down on the stairs a few moments to breathe -and to cry, and then got up and hurried away. - -By good fortune she had a veil on her bonnet, or she could hardly have -gone along the streets without being stopped. By good fortune, too, she -was naturally so peculiar in appearance as not to show disfigurement -like any other woman. She needed both advantages, for the marks of -gripping fingers were deep in her face, and her hair was torn, and her -dress (hastily composed with unsteady hands) was clutched and dragged a -hundred ways. - -In crossing the bridge, she dropped the door key in the river. Arriving -at the cathedral some few minutes before her escort, and waiting there, -she thought, what if the key were already taken in a net, what if -it were identified, what if the door were opened and the remains -discovered, what if she were stopped at the gate, sent to prison, and -charged with murder! In the midst of these fluttering thoughts, the -escort appeared, took her in, and took her away. - -“Is there any noise in the streets?” she asked him. - -“The usual noises,” Mr. Cruncher replied; and looked surprised by the -question and by her aspect. - -“I don't hear you,” said Miss Pross. “What do you say?” - -It was in vain for Mr. Cruncher to repeat what he said; Miss Pross could -not hear him. “So I'll nod my head,” thought Mr. Cruncher, amazed, “at -all events she'll see that.” And she did. - -“Is there any noise in the streets now?” asked Miss Pross again, -presently. - -Again Mr. Cruncher nodded his head. - -“I don't hear it.” - -“Gone deaf in an hour?” said Mr. Cruncher, ruminating, with his mind -much disturbed; “wot's come to her?” - -“I feel,” said Miss Pross, “as if there had been a flash and a crash, -and that crash was the last thing I should ever hear in this life.” - -“Blest if she ain't in a queer condition!” said Mr. Cruncher, more and -more disturbed. “Wot can she have been a takin', to keep her courage up? -Hark! There's the roll of them dreadful carts! You can hear that, miss?” - -“I can hear,” said Miss Pross, seeing that he spoke to her, “nothing. O, -my good man, there was first a great crash, and then a great stillness, -and that stillness seems to be fixed and unchangeable, never to be -broken any more as long as my life lasts.” - -“If she don't hear the roll of those dreadful carts, now very nigh their -journey's end,” said Mr. Cruncher, glancing over his shoulder, “it's my -opinion that indeed she never will hear anything else in this world.” - -And indeed she never did. - - - - -XV. The Footsteps Die Out For Ever - - -Along the Paris streets, the death-carts rumble, hollow and harsh. Six -tumbrils carry the day's wine to La Guillotine. All the devouring and -insatiate Monsters imagined since imagination could record itself, -are fused in the one realisation, Guillotine. And yet there is not in -France, with its rich variety of soil and climate, a blade, a leaf, -a root, a sprig, a peppercorn, which will grow to maturity under -conditions more certain than those that have produced this horror. Crush -humanity out of shape once more, under similar hammers, and it will -twist itself into the same tortured forms. Sow the same seed of -rapacious license and oppression over again, and it will surely yield -the same fruit according to its kind. - -Six tumbrils roll along the streets. Change these back again to what -they were, thou powerful enchanter, Time, and they shall be seen to be -the carriages of absolute monarchs, the equipages of feudal nobles, the -toilettes of flaring Jezebels, the churches that are not my father's -house but dens of thieves, the huts of millions of starving peasants! -No; the great magician who majestically works out the appointed order -of the Creator, never reverses his transformations. “If thou be changed -into this shape by the will of God,” say the seers to the enchanted, in -the wise Arabian stories, “then remain so! But, if thou wear this -form through mere passing conjuration, then resume thy former aspect!” - Changeless and hopeless, the tumbrils roll along. - -As the sombre wheels of the six carts go round, they seem to plough up -a long crooked furrow among the populace in the streets. Ridges of faces -are thrown to this side and to that, and the ploughs go steadily onward. -So used are the regular inhabitants of the houses to the spectacle, that -in many windows there are no people, and in some the occupation of the -hands is not so much as suspended, while the eyes survey the faces in -the tumbrils. Here and there, the inmate has visitors to see the sight; -then he points his finger, with something of the complacency of a -curator or authorised exponent, to this cart and to this, and seems to -tell who sat here yesterday, and who there the day before. - -Of the riders in the tumbrils, some observe these things, and all -things on their last roadside, with an impassive stare; others, with -a lingering interest in the ways of life and men. Some, seated with -drooping heads, are sunk in silent despair; again, there are some so -heedful of their looks that they cast upon the multitude such glances as -they have seen in theatres, and in pictures. Several close their eyes, -and think, or try to get their straying thoughts together. Only one, and -he a miserable creature, of a crazed aspect, is so shattered and made -drunk by horror, that he sings, and tries to dance. Not one of the whole -number appeals by look or gesture, to the pity of the people. - -There is a guard of sundry horsemen riding abreast of the tumbrils, -and faces are often turned up to some of them, and they are asked some -question. It would seem to be always the same question, for, it is -always followed by a press of people towards the third cart. The -horsemen abreast of that cart, frequently point out one man in it with -their swords. The leading curiosity is, to know which is he; he stands -at the back of the tumbril with his head bent down, to converse with a -mere girl who sits on the side of the cart, and holds his hand. He has -no curiosity or care for the scene about him, and always speaks to the -girl. Here and there in the long street of St. Honore, cries are raised -against him. If they move him at all, it is only to a quiet smile, as he -shakes his hair a little more loosely about his face. He cannot easily -touch his face, his arms being bound. - -On the steps of a church, awaiting the coming-up of the tumbrils, stands -the Spy and prison-sheep. He looks into the first of them: not there. -He looks into the second: not there. He already asks himself, “Has he -sacrificed me?” when his face clears, as he looks into the third. - -“Which is Evremonde?” says a man behind him. - -“That. At the back there.” - -“With his hand in the girl's?” - -“Yes.” - -The man cries, “Down, Evremonde! To the Guillotine all aristocrats! -Down, Evremonde!” - -“Hush, hush!” the Spy entreats him, timidly. - -“And why not, citizen?” - -“He is going to pay the forfeit: it will be paid in five minutes more. -Let him be at peace.” - -But the man continuing to exclaim, “Down, Evremonde!” the face of -Evremonde is for a moment turned towards him. Evremonde then sees the -Spy, and looks attentively at him, and goes his way. - -The clocks are on the stroke of three, and the furrow ploughed among the -populace is turning round, to come on into the place of execution, and -end. The ridges thrown to this side and to that, now crumble in and -close behind the last plough as it passes on, for all are following -to the Guillotine. In front of it, seated in chairs, as in a garden of -public diversion, are a number of women, busily knitting. On one of the -fore-most chairs, stands The Vengeance, looking about for her friend. - -“Therese!” she cries, in her shrill tones. “Who has seen her? Therese -Defarge!” - -“She never missed before,” says a knitting-woman of the sisterhood. - -“No; nor will she miss now,” cries The Vengeance, petulantly. “Therese.” - -“Louder,” the woman recommends. - -Ay! Louder, Vengeance, much louder, and still she will scarcely hear -thee. Louder yet, Vengeance, with a little oath or so added, and yet -it will hardly bring her. Send other women up and down to seek her, -lingering somewhere; and yet, although the messengers have done dread -deeds, it is questionable whether of their own wills they will go far -enough to find her! - -“Bad Fortune!” cries The Vengeance, stamping her foot in the chair, “and -here are the tumbrils! And Evremonde will be despatched in a wink, and -she not here! See her knitting in my hand, and her empty chair ready for -her. I cry with vexation and disappointment!” - -As The Vengeance descends from her elevation to do it, the tumbrils -begin to discharge their loads. The ministers of Sainte Guillotine are -robed and ready. Crash!--A head is held up, and the knitting-women who -scarcely lifted their eyes to look at it a moment ago when it could -think and speak, count One. - -The second tumbril empties and moves on; the third comes up. Crash!--And -the knitting-women, never faltering or pausing in their Work, count Two. - -The supposed Evremonde descends, and the seamstress is lifted out next -after him. He has not relinquished her patient hand in getting out, but -still holds it as he promised. He gently places her with her back to the -crashing engine that constantly whirrs up and falls, and she looks into -his face and thanks him. - -“But for you, dear stranger, I should not be so composed, for I am -naturally a poor little thing, faint of heart; nor should I have been -able to raise my thoughts to Him who was put to death, that we might -have hope and comfort here to-day. I think you were sent to me by -Heaven.” - -“Or you to me,” says Sydney Carton. “Keep your eyes upon me, dear child, -and mind no other object.” - -“I mind nothing while I hold your hand. I shall mind nothing when I let -it go, if they are rapid.” - -“They will be rapid. Fear not!” - -The two stand in the fast-thinning throng of victims, but they speak as -if they were alone. Eye to eye, voice to voice, hand to hand, heart to -heart, these two children of the Universal Mother, else so wide apart -and differing, have come together on the dark highway, to repair home -together, and to rest in her bosom. - -“Brave and generous friend, will you let me ask you one last question? I -am very ignorant, and it troubles me--just a little.” - -“Tell me what it is.” - -“I have a cousin, an only relative and an orphan, like myself, whom I -love very dearly. She is five years younger than I, and she lives in a -farmer's house in the south country. Poverty parted us, and she knows -nothing of my fate--for I cannot write--and if I could, how should I -tell her! It is better as it is.” - -“Yes, yes: better as it is.” - -“What I have been thinking as we came along, and what I am still -thinking now, as I look into your kind strong face which gives me so -much support, is this:--If the Republic really does good to the poor, -and they come to be less hungry, and in all ways to suffer less, she may -live a long time: she may even live to be old.” - -“What then, my gentle sister?” - -“Do you think:” the uncomplaining eyes in which there is so much -endurance, fill with tears, and the lips part a little more and tremble: -“that it will seem long to me, while I wait for her in the better land -where I trust both you and I will be mercifully sheltered?” - -“It cannot be, my child; there is no Time there, and no trouble there.” - -“You comfort me so much! I am so ignorant. Am I to kiss you now? Is the -moment come?” - -“Yes.” - -She kisses his lips; he kisses hers; they solemnly bless each other. -The spare hand does not tremble as he releases it; nothing worse than -a sweet, bright constancy is in the patient face. She goes next before -him--is gone; the knitting-women count Twenty-Two. - -“I am the Resurrection and the Life, saith the Lord: he that believeth -in me, though he were dead, yet shall he live: and whosoever liveth and -believeth in me shall never die.” - -The murmuring of many voices, the upturning of many faces, the pressing -on of many footsteps in the outskirts of the crowd, so that it swells -forward in a mass, like one great heave of water, all flashes away. -Twenty-Three. - - ***** - -They said of him, about the city that night, that it was the -peacefullest man's face ever beheld there. Many added that he looked -sublime and prophetic. - -One of the most remarkable sufferers by the same axe--a woman--had asked -at the foot of the same scaffold, not long before, to be allowed to -write down the thoughts that were inspiring her. If he had given any -utterance to his, and they were prophetic, they would have been these: - -“I see Barsad, and Cly, Defarge, The Vengeance, the Juryman, the Judge, -long ranks of the new oppressors who have risen on the destruction of -the old, perishing by this retributive instrument, before it shall cease -out of its present use. I see a beautiful city and a brilliant people -rising from this abyss, and, in their struggles to be truly free, in -their triumphs and defeats, through long years to come, I see the evil -of this time and of the previous time of which this is the natural -birth, gradually making expiation for itself and wearing out. - -“I see the lives for which I lay down my life, peaceful, useful, -prosperous and happy, in that England which I shall see no more. I see -Her with a child upon her bosom, who bears my name. I see her father, -aged and bent, but otherwise restored, and faithful to all men in his -healing office, and at peace. I see the good old man, so long their -friend, in ten years' time enriching them with all he has, and passing -tranquilly to his reward. - -“I see that I hold a sanctuary in their hearts, and in the hearts of -their descendants, generations hence. I see her, an old woman, weeping -for me on the anniversary of this day. I see her and her husband, their -course done, lying side by side in their last earthly bed, and I know -that each was not more honoured and held sacred in the other's soul, -than I was in the souls of both. - -“I see that child who lay upon her bosom and who bore my name, a man -winning his way up in that path of life which once was mine. I see him -winning it so well, that my name is made illustrious there by the -light of his. I see the blots I threw upon it, faded away. I see him, -fore-most of just judges and honoured men, bringing a boy of my name, -with a forehead that I know and golden hair, to this place--then fair to -look upon, with not a trace of this day's disfigurement--and I hear him -tell the child my story, with a tender and a faltering voice. - -“It is a far, far better thing that I do, than I have ever done; it is a -far, far better rest that I go to than I have ever known.” - - - - - - - - - - - -End of the Project Gutenberg EBook of A Tale of Two Cities, by Charles Dickens - -*** END OF THIS PROJECT GUTENBERG EBOOK A TALE OF TWO CITIES *** - -***** This file should be named 98-0.txt or 98-0.zip ***** -This and all associated files of various formats will be found in: - http://www.gutenberg.org/9/98/ - -Produced by Judith Boss - -Updated editions will replace the previous one--the old editions -will be renamed. - -Creating the works from public domain print editions means that no -one owns a United States copyright in these works, so the Foundation -(and you!) can copy and distribute it in the United States without -permission and without paying copyright royalties. Special rules, -set forth in the General Terms of Use part of this license, apply to -copying and distributing Project Gutenberg-tm electronic works to -protect the PROJECT GUTENBERG-tm concept and trademark. Project -Gutenberg is a registered trademark, and may not be used if you -charge for the eBooks, unless you receive specific permission. If you -do not charge anything for copies of this eBook, complying with the -rules is very easy. You may use this eBook for nearly any purpose -such as creation of derivative works, reports, performances and -research. They may be modified and printed and given away--you may do -practically ANYTHING with public domain eBooks. Redistribution is -subject to the trademark license, especially commercial -redistribution. - - - -*** START: FULL LICENSE *** - -THE FULL PROJECT GUTENBERG LICENSE -PLEASE READ THIS BEFORE YOU DISTRIBUTE OR USE THIS WORK - -To protect the Project Gutenberg-tm mission of promoting the free -distribution of electronic works, by using or distributing this work -(or any other work associated in any way with the phrase “Project -Gutenberg”), you agree to comply with all the terms of the Full Project -Gutenberg-tm License (available with this file or online at -http://gutenberg.org/license). - - -Section 1. General Terms of Use and Redistributing Project Gutenberg-tm -electronic works - -1.A. By reading or using any part of this Project Gutenberg-tm -electronic work, you indicate that you have read, understand, agree to -and accept all the terms of this license and intellectual property -(trademark/copyright) agreement. If you do not agree to abide by all -the terms of this agreement, you must cease using and return or destroy -all copies of Project Gutenberg-tm electronic works in your possession. -If you paid a fee for obtaining a copy of or access to a Project -Gutenberg-tm electronic work and you do not agree to be bound by the -terms of this agreement, you may obtain a refund from the person or -entity to whom you paid the fee as set forth in paragraph 1.E.8. - -1.B. “Project Gutenberg” is a registered trademark. It may only be -used on or associated in any way with an electronic work by people who -agree to be bound by the terms of this agreement. There are a few -things that you can do with most Project Gutenberg-tm electronic works -even without complying with the full terms of this agreement. See -paragraph 1.C below. There are a lot of things you can do with Project -Gutenberg-tm electronic works if you follow the terms of this agreement -and help preserve free future access to Project Gutenberg-tm electronic -works. See paragraph 1.E below. - -1.C. The Project Gutenberg Literary Archive Foundation (“the Foundation” - or PGLAF), owns a compilation copyright in the collection of Project -Gutenberg-tm electronic works. Nearly all the individual works in the -collection are in the public domain in the United States. If an -individual work is in the public domain in the United States and you are -located in the United States, we do not claim a right to prevent you from -copying, distributing, performing, displaying or creating derivative -works based on the work as long as all references to Project Gutenberg -are removed. Of course, we hope that you will support the Project -Gutenberg-tm mission of promoting free access to electronic works by -freely sharing Project Gutenberg-tm works in compliance with the terms of -this agreement for keeping the Project Gutenberg-tm name associated with -the work. You can easily comply with the terms of this agreement by -keeping this work in the same format with its attached full Project -Gutenberg-tm License when you share it without charge with others. - -1.D. The copyright laws of the place where you are located also govern -what you can do with this work. Copyright laws in most countries are in -a constant state of change. If you are outside the United States, check -the laws of your country in addition to the terms of this agreement -before downloading, copying, displaying, performing, distributing or -creating derivative works based on this work or any other Project -Gutenberg-tm work. The Foundation makes no representations concerning -the copyright status of any work in any country outside the United -States. - -1.E. Unless you have removed all references to Project Gutenberg: - -1.E.1. The following sentence, with active links to, or other immediate -access to, the full Project Gutenberg-tm License must appear prominently -whenever any copy of a Project Gutenberg-tm work (any work on which the -phrase “Project Gutenberg” appears, or with which the phrase “Project -Gutenberg” is associated) is accessed, displayed, performed, viewed, -copied or distributed: - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - -1.E.2. If an individual Project Gutenberg-tm electronic work is derived -from the public domain (does not contain a notice indicating that it is -posted with permission of the copyright holder), the work can be copied -and distributed to anyone in the United States without paying any fees -or charges. If you are redistributing or providing access to a work -with the phrase “Project Gutenberg” associated with or appearing on the -work, you must comply either with the requirements of paragraphs 1.E.1 -through 1.E.7 or obtain permission for the use of the work and the -Project Gutenberg-tm trademark as set forth in paragraphs 1.E.8 or -1.E.9. - -1.E.3. If an individual Project Gutenberg-tm electronic work is posted -with the permission of the copyright holder, your use and distribution -must comply with both paragraphs 1.E.1 through 1.E.7 and any additional -terms imposed by the copyright holder. Additional terms will be linked -to the Project Gutenberg-tm License for all works posted with the -permission of the copyright holder found at the beginning of this work. - -1.E.4. Do not unlink or detach or remove the full Project Gutenberg-tm -License terms from this work, or any files containing a part of this -work or any other work associated with Project Gutenberg-tm. - -1.E.5. Do not copy, display, perform, distribute or redistribute this -electronic work, or any part of this electronic work, without -prominently displaying the sentence set forth in paragraph 1.E.1 with -active links or immediate access to the full terms of the Project -Gutenberg-tm License. - -1.E.6. You may convert to and distribute this work in any binary, -compressed, marked up, nonproprietary or proprietary form, including any -word processing or hypertext form. However, if you provide access to or -distribute copies of a Project Gutenberg-tm work in a format other than -“Plain Vanilla ASCII” or other format used in the official version -posted on the official Project Gutenberg-tm web site (www.gutenberg.org), -you must, at no additional cost, fee or expense to the user, provide a -copy, a means of exporting a copy, or a means of obtaining a copy upon -request, of the work in its original “Plain Vanilla ASCII” or other -form. Any alternate format must include the full Project Gutenberg-tm -License as specified in paragraph 1.E.1. - -1.E.7. Do not charge a fee for access to, viewing, displaying, -performing, copying or distributing any Project Gutenberg-tm works -unless you comply with paragraph 1.E.8 or 1.E.9. - -1.E.8. You may charge a reasonable fee for copies of or providing -access to or distributing Project Gutenberg-tm electronic works provided -that - -- You pay a royalty fee of 20% of the gross profits you derive from - the use of Project Gutenberg-tm works calculated using the method - you already use to calculate your applicable taxes. The fee is - owed to the owner of the Project Gutenberg-tm trademark, but he - has agreed to donate royalties under this paragraph to the - Project Gutenberg Literary Archive Foundation. Royalty payments - must be paid within 60 days following each date on which you - prepare (or are legally required to prepare) your periodic tax - returns. Royalty payments should be clearly marked as such and - sent to the Project Gutenberg Literary Archive Foundation at the - address specified in Section 4, “Information about donations to - the Project Gutenberg Literary Archive Foundation.” - -- You provide a full refund of any money paid by a user who notifies - you in writing (or by e-mail) within 30 days of receipt that s/he - does not agree to the terms of the full Project Gutenberg-tm - License. You must require such a user to return or - destroy all copies of the works possessed in a physical medium - and discontinue all use of and all access to other copies of - Project Gutenberg-tm works. - -- You provide, in accordance with paragraph 1.F.3, a full refund of any - money paid for a work or a replacement copy, if a defect in the - electronic work is discovered and reported to you within 90 days - of receipt of the work. - -- You comply with all other terms of this agreement for free - distribution of Project Gutenberg-tm works. - -1.E.9. If you wish to charge a fee or distribute a Project Gutenberg-tm -electronic work or group of works on different terms than are set -forth in this agreement, you must obtain permission in writing from -both the Project Gutenberg Literary Archive Foundation and Michael -Hart, the owner of the Project Gutenberg-tm trademark. Contact the -Foundation as set forth in Section 3 below. - -1.F. - -1.F.1. Project Gutenberg volunteers and employees expend considerable -effort to identify, do copyright research on, transcribe and proofread -public domain works in creating the Project Gutenberg-tm -collection. Despite these efforts, Project Gutenberg-tm electronic -works, and the medium on which they may be stored, may contain -“Defects,” such as, but not limited to, incomplete, inaccurate or -corrupt data, transcription errors, a copyright or other intellectual -property infringement, a defective or damaged disk or other medium, a -computer virus, or computer codes that damage or cannot be read by -your equipment. - -1.F.2. LIMITED WARRANTY, DISCLAIMER OF DAMAGES - Except for the “Right -of Replacement or Refund” described in paragraph 1.F.3, the Project -Gutenberg Literary Archive Foundation, the owner of the Project -Gutenberg-tm trademark, and any other party distributing a Project -Gutenberg-tm electronic work under this agreement, disclaim all -liability to you for damages, costs and expenses, including legal -fees. YOU AGREE THAT YOU HAVE NO REMEDIES FOR NEGLIGENCE, STRICT -LIABILITY, BREACH OF WARRANTY OR BREACH OF CONTRACT EXCEPT THOSE -PROVIDED IN PARAGRAPH F3. YOU AGREE THAT THE FOUNDATION, THE -TRADEMARK OWNER, AND ANY DISTRIBUTOR UNDER THIS AGREEMENT WILL NOT BE -LIABLE TO YOU FOR ACTUAL, DIRECT, INDIRECT, CONSEQUENTIAL, PUNITIVE OR -INCIDENTAL DAMAGES EVEN IF YOU GIVE NOTICE OF THE POSSIBILITY OF SUCH -DAMAGE. - -1.F.3. LIMITED RIGHT OF REPLACEMENT OR REFUND - If you discover a -defect in this electronic work within 90 days of receiving it, you can -receive a refund of the money (if any) you paid for it by sending a -written explanation to the person you received the work from. If you -received the work on a physical medium, you must return the medium with -your written explanation. The person or entity that provided you with -the defective work may elect to provide a replacement copy in lieu of a -refund. If you received the work electronically, the person or entity -providing it to you may choose to give you a second opportunity to -receive the work electronically in lieu of a refund. If the second copy -is also defective, you may demand a refund in writing without further -opportunities to fix the problem. - -1.F.4. Except for the limited right of replacement or refund set forth -in paragraph 1.F.3, this work is provided to you 'AS-IS' WITH NO OTHER -WARRANTIES OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO -WARRANTIES OF MERCHANTIBILITY OR FITNESS FOR ANY PURPOSE. - -1.F.5. Some states do not allow disclaimers of certain implied -warranties or the exclusion or limitation of certain types of damages. -If any disclaimer or limitation set forth in this agreement violates the -law of the state applicable to this agreement, the agreement shall be -interpreted to make the maximum disclaimer or limitation permitted by -the applicable state law. The invalidity or unenforceability of any -provision of this agreement shall not void the remaining provisions. - -1.F.6. INDEMNITY - You agree to indemnify and hold the Foundation, the -trademark owner, any agent or employee of the Foundation, anyone -providing copies of Project Gutenberg-tm electronic works in accordance -with this agreement, and any volunteers associated with the production, -promotion and distribution of Project Gutenberg-tm electronic works, -harmless from all liability, costs and expenses, including legal fees, -that arise directly or indirectly from any of the following which you do -or cause to occur: (a) distribution of this or any Project Gutenberg-tm -work, (b) alteration, modification, or additions or deletions to any -Project Gutenberg-tm work, and (c) any Defect you cause. - - -Section 2. Information about the Mission of Project Gutenberg-tm - -Project Gutenberg-tm is synonymous with the free distribution of -electronic works in formats readable by the widest variety of computers -including obsolete, old, middle-aged and new computers. It exists -because of the efforts of hundreds of volunteers and donations from -people in all walks of life. - -Volunteers and financial support to provide volunteers with the -assistance they need, are critical to reaching Project Gutenberg-tm's -goals and ensuring that the Project Gutenberg-tm collection will -remain freely available for generations to come. In 2001, the Project -Gutenberg Literary Archive Foundation was created to provide a secure -and permanent future for Project Gutenberg-tm and future generations. -To learn more about the Project Gutenberg Literary Archive Foundation -and how your efforts and donations can help, see Sections 3 and 4 -and the Foundation web page at http://www.pglaf.org. - - -Section 3. Information about the Project Gutenberg Literary Archive -Foundation - -The Project Gutenberg Literary Archive Foundation is a non profit -501(c)(3) educational corporation organized under the laws of the -state of Mississippi and granted tax exempt status by the Internal -Revenue Service. The Foundation's EIN or federal tax identification -number is 64-6221541. Its 501(c)(3) letter is posted at -http://pglaf.org/fundraising. Contributions to the Project Gutenberg -Literary Archive Foundation are tax deductible to the full extent -permitted by U.S. federal laws and your state's laws. - -The Foundation's principal office is located at 4557 Melan Dr. S. -Fairbanks, AK, 99712., but its volunteers and employees are scattered -throughout numerous locations. Its business office is located at -809 North 1500 West, Salt Lake City, UT 84116, (801) 596-1887, email -business@pglaf.org. Email contact links and up to date contact -information can be found at the Foundation's web site and official -page at http://pglaf.org - -For additional contact information: - Dr. Gregory B. Newby - Chief Executive and Director - gbnewby@pglaf.org - - -Section 4. Information about Donations to the Project Gutenberg -Literary Archive Foundation - -Project Gutenberg-tm depends upon and cannot survive without wide -spread public support and donations to carry out its mission of -increasing the number of public domain and licensed works that can be -freely distributed in machine readable form accessible by the widest -array of equipment including outdated equipment. Many small donations -($1 to $5,000) are particularly important to maintaining tax exempt -status with the IRS. - -The Foundation is committed to complying with the laws regulating -charities and charitable donations in all 50 states of the United -States. Compliance requirements are not uniform and it takes a -considerable effort, much paperwork and many fees to meet and keep up -with these requirements. We do not solicit donations in locations -where we have not received written confirmation of compliance. To -SEND DONATIONS or determine the status of compliance for any -particular state visit http://pglaf.org - -While we cannot and do not solicit contributions from states where we -have not met the solicitation requirements, we know of no prohibition -against accepting unsolicited donations from donors in such states who -approach us with offers to donate. - -International donations are gratefully accepted, but we cannot make -any statements concerning tax treatment of donations received from -outside the United States. U.S. laws alone swamp our small staff. - -Please check the Project Gutenberg Web pages for current donation -methods and addresses. Donations are accepted in a number of other -ways including checks, online payments and credit card donations. -To donate, please visit: http://pglaf.org/donate - - -Section 5. General Information About Project Gutenberg-tm electronic -works. - -Professor Michael S. Hart is the originator of the Project Gutenberg-tm -concept of a library of electronic works that could be freely shared -with anyone. For thirty years, he produced and distributed Project -Gutenberg-tm eBooks with only a loose network of volunteer support. - - -Project Gutenberg-tm eBooks are often created from several printed -editions, all of which are confirmed as Public Domain in the U.S. -unless a copyright notice is included. Thus, we do not necessarily -keep eBooks in compliance with any particular paper edition. - - -Most people start at our Web site which has the main PG search facility: - - http://www.gutenberg.org - -This Web site includes information about Project Gutenberg-tm, -including how to make donations to the Project Gutenberg Literary -Archive Foundation, how to help produce our new eBooks, and how to -subscribe to our email newsletter to hear about new eBooks. -The Project Gutenberg EBook of A Tale of Two Cities, by Charles Dickens - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - - -Title: A Tale of Two Cities - A Story of the French Revolution - -Author: Charles Dickens - -Release Date: January, 1994 [EBook #98] -Posting Date: November 28, 2009 -Last Updated: March 4, 2018 - -Language: English - -Character set encoding: UTF-8 - -*** START OF THIS PROJECT GUTENBERG EBOOK A TALE OF TWO CITIES *** - - - - -Produced by Judith Boss - - - - - - - - -A TALE OF TWO CITIES - -A STORY OF THE FRENCH REVOLUTION - -By Charles Dickens - - -CONTENTS - - - Book the First--Recalled to Life - - Chapter I The Period - Chapter II The Mail - Chapter III The Night Shadows - Chapter IV The Preparation - Chapter V The Wine-shop - Chapter VI The Shoemaker - - - Book the Second--the Golden Thread - - Chapter I Five Years Later - Chapter II A Sight - Chapter III A Disappointment - Chapter IV Congratulatory - Chapter V The Jackal - Chapter VI Hundreds of People - Chapter VII Monseigneur in Town - Chapter VIII Monseigneur in the Country - Chapter IX The Gorgon's Head - Chapter X Two Promises - Chapter XI A Companion Picture - Chapter XII The Fellow of Delicacy - Chapter XIII The Fellow of no Delicacy - Chapter XIV The Honest Tradesman - Chapter XV Knitting - Chapter XVI Still Knitting - Chapter XVII One Night - Chapter XVIII Nine Days - Chapter XIX An Opinion - Chapter XX A Plea - Chapter XXI Echoing Footsteps - Chapter XXII The Sea Still Rises - Chapter XXIII Fire Rises - Chapter XXIV Drawn to the Loadstone Rock - - - Book the Third--the Track of a Storm - - Chapter I In Secret - Chapter II The Grindstone - Chapter III The Shadow - Chapter IV Calm in Storm - Chapter V The Wood-sawyer - Chapter VI Triumph - Chapter VII A Knock at the Door - Chapter VIII A Hand at Cards - Chapter IX The Game Made - Chapter X The Substance of the Shadow - Chapter XI Dusk - Chapter XII Darkness - Chapter XIII Fifty-two - Chapter XIV The Knitting Done - Chapter XV The Footsteps Die Out For Ever - - - - - -Book the First--Recalled to Life - - - - -I. The Period - - -It was the best of times, -it was the worst of times, -it was the age of wisdom, -it was the age of foolishness, -it was the epoch of belief, -it was the epoch of incredulity, -it was the season of Light, -it was the season of Darkness, -it was the spring of hope, -it was the winter of despair, -we had everything before us, -we had nothing before us, -we were all going direct to Heaven, -we were all going direct the other way-- -in short, the period was so far like the present period, that some of -its noisiest authorities insisted on its being received, for good or for -evil, in the superlative degree of comparison only. - -There were a king with a large jaw and a queen with a plain face, on the -throne of England; there were a king with a large jaw and a queen with -a fair face, on the throne of France. In both countries it was clearer -than crystal to the lords of the State preserves of loaves and fishes, -that things in general were settled for ever. - -It was the year of Our Lord one thousand seven hundred and seventy-five. -Spiritual revelations were conceded to England at that favoured period, -as at this. Mrs. Southcott had recently attained her five-and-twentieth -blessed birthday, of whom a prophetic private in the Life Guards had -heralded the sublime appearance by announcing that arrangements were -made for the swallowing up of London and Westminster. Even the Cock-lane -ghost had been laid only a round dozen of years, after rapping out its -messages, as the spirits of this very year last past (supernaturally -deficient in originality) rapped out theirs. Mere messages in the -earthly order of events had lately come to the English Crown and People, -from a congress of British subjects in America: which, strange -to relate, have proved more important to the human race than any -communications yet received through any of the chickens of the Cock-lane -brood. - -France, less favoured on the whole as to matters spiritual than her -sister of the shield and trident, rolled with exceeding smoothness down -hill, making paper money and spending it. Under the guidance of her -Christian pastors, she entertained herself, besides, with such humane -achievements as sentencing a youth to have his hands cut off, his tongue -torn out with pincers, and his body burned alive, because he had not -kneeled down in the rain to do honour to a dirty procession of monks -which passed within his view, at a distance of some fifty or sixty -yards. It is likely enough that, rooted in the woods of France and -Norway, there were growing trees, when that sufferer was put to death, -already marked by the Woodman, Fate, to come down and be sawn into -boards, to make a certain movable framework with a sack and a knife in -it, terrible in history. It is likely enough that in the rough outhouses -of some tillers of the heavy lands adjacent to Paris, there were -sheltered from the weather that very day, rude carts, bespattered with -rustic mire, snuffed about by pigs, and roosted in by poultry, which -the Farmer, Death, had already set apart to be his tumbrils of -the Revolution. But that Woodman and that Farmer, though they work -unceasingly, work silently, and no one heard them as they went about -with muffled tread: the rather, forasmuch as to entertain any suspicion -that they were awake, was to be atheistical and traitorous. - -In England, there was scarcely an amount of order and protection to -justify much national boasting. Daring burglaries by armed men, and -highway robberies, took place in the capital itself every night; -families were publicly cautioned not to go out of town without removing -their furniture to upholsterers' warehouses for security; the highwayman -in the dark was a City tradesman in the light, and, being recognised and -challenged by his fellow-tradesman whom he stopped in his character of -“the Captain,” gallantly shot him through the head and rode away; the -mail was waylaid by seven robbers, and the guard shot three dead, and -then got shot dead himself by the other four, “in consequence of the -failure of his ammunition:” after which the mail was robbed in peace; -that magnificent potentate, the Lord Mayor of London, was made to stand -and deliver on Turnham Green, by one highwayman, who despoiled the -illustrious creature in sight of all his retinue; prisoners in London -gaols fought battles with their turnkeys, and the majesty of the law -fired blunderbusses in among them, loaded with rounds of shot and ball; -thieves snipped off diamond crosses from the necks of noble lords at -Court drawing-rooms; musketeers went into St. Giles's, to search -for contraband goods, and the mob fired on the musketeers, and the -musketeers fired on the mob, and nobody thought any of these occurrences -much out of the common way. In the midst of them, the hangman, ever busy -and ever worse than useless, was in constant requisition; now, stringing -up long rows of miscellaneous criminals; now, hanging a housebreaker on -Saturday who had been taken on Tuesday; now, burning people in the -hand at Newgate by the dozen, and now burning pamphlets at the door of -Westminster Hall; to-day, taking the life of an atrocious murderer, -and to-morrow of a wretched pilferer who had robbed a farmer's boy of -sixpence. - -All these things, and a thousand like them, came to pass in and close -upon the dear old year one thousand seven hundred and seventy-five. -Environed by them, while the Woodman and the Farmer worked unheeded, -those two of the large jaws, and those other two of the plain and the -fair faces, trod with stir enough, and carried their divine rights -with a high hand. Thus did the year one thousand seven hundred -and seventy-five conduct their Greatnesses, and myriads of small -creatures--the creatures of this chronicle among the rest--along the -roads that lay before them. - - - - -II. The Mail - - -It was the Dover road that lay, on a Friday night late in November, -before the first of the persons with whom this history has business. -The Dover road lay, as to him, beyond the Dover mail, as it lumbered up -Shooter's Hill. He walked up hill in the mire by the side of the mail, -as the rest of the passengers did; not because they had the least relish -for walking exercise, under the circumstances, but because the hill, -and the harness, and the mud, and the mail, were all so heavy, that the -horses had three times already come to a stop, besides once drawing the -coach across the road, with the mutinous intent of taking it back -to Blackheath. Reins and whip and coachman and guard, however, in -combination, had read that article of war which forbade a purpose -otherwise strongly in favour of the argument, that some brute animals -are endued with Reason; and the team had capitulated and returned to -their duty. - -With drooping heads and tremulous tails, they mashed their way through -the thick mud, floundering and stumbling between whiles, as if they were -falling to pieces at the larger joints. As often as the driver rested -them and brought them to a stand, with a wary “Wo-ho! so-ho-then!” the -near leader violently shook his head and everything upon it--like an -unusually emphatic horse, denying that the coach could be got up the -hill. Whenever the leader made this rattle, the passenger started, as a -nervous passenger might, and was disturbed in mind. - -There was a steaming mist in all the hollows, and it had roamed in its -forlornness up the hill, like an evil spirit, seeking rest and finding -none. A clammy and intensely cold mist, it made its slow way through the -air in ripples that visibly followed and overspread one another, as the -waves of an unwholesome sea might do. It was dense enough to shut out -everything from the light of the coach-lamps but these its own workings, -and a few yards of road; and the reek of the labouring horses steamed -into it, as if they had made it all. - -Two other passengers, besides the one, were plodding up the hill by the -side of the mail. All three were wrapped to the cheekbones and over the -ears, and wore jack-boots. Not one of the three could have said, from -anything he saw, what either of the other two was like; and each was -hidden under almost as many wrappers from the eyes of the mind, as from -the eyes of the body, of his two companions. In those days, travellers -were very shy of being confidential on a short notice, for anybody on -the road might be a robber or in league with robbers. As to the latter, -when every posting-house and ale-house could produce somebody in -“the Captain's” pay, ranging from the landlord to the lowest stable -non-descript, it was the likeliest thing upon the cards. So the guard -of the Dover mail thought to himself, that Friday night in November, one -thousand seven hundred and seventy-five, lumbering up Shooter's Hill, as -he stood on his own particular perch behind the mail, beating his feet, -and keeping an eye and a hand on the arm-chest before him, where a -loaded blunderbuss lay at the top of six or eight loaded horse-pistols, -deposited on a substratum of cutlass. - -The Dover mail was in its usual genial position that the guard suspected -the passengers, the passengers suspected one another and the guard, they -all suspected everybody else, and the coachman was sure of nothing but -the horses; as to which cattle he could with a clear conscience have -taken his oath on the two Testaments that they were not fit for the -journey. - -“Wo-ho!” said the coachman. “So, then! One more pull and you're at the -top and be damned to you, for I have had trouble enough to get you to -it!--Joe!” - -“Halloa!” the guard replied. - -“What o'clock do you make it, Joe?” - -“Ten minutes, good, past eleven.” - -“My blood!” ejaculated the vexed coachman, “and not atop of Shooter's -yet! Tst! Yah! Get on with you!” - -The emphatic horse, cut short by the whip in a most decided negative, -made a decided scramble for it, and the three other horses followed -suit. Once more, the Dover mail struggled on, with the jack-boots of its -passengers squashing along by its side. They had stopped when the coach -stopped, and they kept close company with it. If any one of the three -had had the hardihood to propose to another to walk on a little ahead -into the mist and darkness, he would have put himself in a fair way of -getting shot instantly as a highwayman. - -The last burst carried the mail to the summit of the hill. The horses -stopped to breathe again, and the guard got down to skid the wheel for -the descent, and open the coach-door to let the passengers in. - -“Tst! Joe!” cried the coachman in a warning voice, looking down from his -box. - -“What do you say, Tom?” - -They both listened. - -“I say a horse at a canter coming up, Joe.” - -“_I_ say a horse at a gallop, Tom,” returned the guard, leaving his hold -of the door, and mounting nimbly to his place. “Gentlemen! In the king's -name, all of you!” - -With this hurried adjuration, he cocked his blunderbuss, and stood on -the offensive. - -The passenger booked by this history, was on the coach-step, getting in; -the two other passengers were close behind him, and about to follow. He -remained on the step, half in the coach and half out of; they remained -in the road below him. They all looked from the coachman to the guard, -and from the guard to the coachman, and listened. The coachman looked -back and the guard looked back, and even the emphatic leader pricked up -his ears and looked back, without contradicting. - -The stillness consequent on the cessation of the rumbling and labouring -of the coach, added to the stillness of the night, made it very quiet -indeed. The panting of the horses communicated a tremulous motion to -the coach, as if it were in a state of agitation. The hearts of the -passengers beat loud enough perhaps to be heard; but at any rate, the -quiet pause was audibly expressive of people out of breath, and holding -the breath, and having the pulses quickened by expectation. - -The sound of a horse at a gallop came fast and furiously up the hill. - -“So-ho!” the guard sang out, as loud as he could roar. “Yo there! Stand! -I shall fire!” - -The pace was suddenly checked, and, with much splashing and floundering, -a man's voice called from the mist, “Is that the Dover mail?” - -“Never you mind what it is!” the guard retorted. “What are you?” - -“_Is_ that the Dover mail?” - -“Why do you want to know?” - -“I want a passenger, if it is.” - -“What passenger?” - -“Mr. Jarvis Lorry.” - -Our booked passenger showed in a moment that it was his name. The guard, -the coachman, and the two other passengers eyed him distrustfully. - -“Keep where you are,” the guard called to the voice in the mist, -“because, if I should make a mistake, it could never be set right in -your lifetime. Gentleman of the name of Lorry answer straight.” - -“What is the matter?” asked the passenger, then, with mildly quavering -speech. “Who wants me? Is it Jerry?” - -(“I don't like Jerry's voice, if it is Jerry,” growled the guard to -himself. “He's hoarser than suits me, is Jerry.”) - -“Yes, Mr. Lorry.” - -“What is the matter?” - -“A despatch sent after you from over yonder. T. and Co.” - -“I know this messenger, guard,” said Mr. Lorry, getting down into the -road--assisted from behind more swiftly than politely by the other two -passengers, who immediately scrambled into the coach, shut the door, and -pulled up the window. “He may come close; there's nothing wrong.” - -“I hope there ain't, but I can't make so 'Nation sure of that,” said the -guard, in gruff soliloquy. “Hallo you!” - -“Well! And hallo you!” said Jerry, more hoarsely than before. - -“Come on at a footpace! d'ye mind me? And if you've got holsters to that -saddle o' yourn, don't let me see your hand go nigh 'em. For I'm a devil -at a quick mistake, and when I make one it takes the form of Lead. So -now let's look at you.” - -The figures of a horse and rider came slowly through the eddying mist, -and came to the side of the mail, where the passenger stood. The rider -stooped, and, casting up his eyes at the guard, handed the passenger -a small folded paper. The rider's horse was blown, and both horse and -rider were covered with mud, from the hoofs of the horse to the hat of -the man. - -“Guard!” said the passenger, in a tone of quiet business confidence. - -The watchful guard, with his right hand at the stock of his raised -blunderbuss, his left at the barrel, and his eye on the horseman, -answered curtly, “Sir.” - -“There is nothing to apprehend. I belong to Tellson's Bank. You must -know Tellson's Bank in London. I am going to Paris on business. A crown -to drink. I may read this?” - -“If so be as you're quick, sir.” - -He opened it in the light of the coach-lamp on that side, and -read--first to himself and then aloud: “'Wait at Dover for Mam'selle.' -It's not long, you see, guard. Jerry, say that my answer was, RECALLED -TO LIFE.” - -Jerry started in his saddle. “That's a Blazing strange answer, too,” - said he, at his hoarsest. - -“Take that message back, and they will know that I received this, as -well as if I wrote. Make the best of your way. Good night.” - -With those words the passenger opened the coach-door and got in; not at -all assisted by his fellow-passengers, who had expeditiously secreted -their watches and purses in their boots, and were now making a general -pretence of being asleep. With no more definite purpose than to escape -the hazard of originating any other kind of action. - -The coach lumbered on again, with heavier wreaths of mist closing round -it as it began the descent. The guard soon replaced his blunderbuss -in his arm-chest, and, having looked to the rest of its contents, and -having looked to the supplementary pistols that he wore in his belt, -looked to a smaller chest beneath his seat, in which there were a -few smith's tools, a couple of torches, and a tinder-box. For he was -furnished with that completeness that if the coach-lamps had been blown -and stormed out, which did occasionally happen, he had only to shut -himself up inside, keep the flint and steel sparks well off the straw, -and get a light with tolerable safety and ease (if he were lucky) in -five minutes. - -“Tom!” softly over the coach roof. - -“Hallo, Joe.” - -“Did you hear the message?” - -“I did, Joe.” - -“What did you make of it, Tom?” - -“Nothing at all, Joe.” - -“That's a coincidence, too,” the guard mused, “for I made the same of it -myself.” - -Jerry, left alone in the mist and darkness, dismounted meanwhile, not -only to ease his spent horse, but to wipe the mud from his face, and -shake the wet out of his hat-brim, which might be capable of -holding about half a gallon. After standing with the bridle over his -heavily-splashed arm, until the wheels of the mail were no longer within -hearing and the night was quite still again, he turned to walk down the -hill. - -“After that there gallop from Temple Bar, old lady, I won't trust your -fore-legs till I get you on the level,” said this hoarse messenger, -glancing at his mare. “'Recalled to life.' That's a Blazing strange -message. Much of that wouldn't do for you, Jerry! I say, Jerry! You'd -be in a Blazing bad way, if recalling to life was to come into fashion, -Jerry!” - - - - -III. The Night Shadows - - -A wonderful fact to reflect upon, that every human creature is -constituted to be that profound secret and mystery to every other. A -solemn consideration, when I enter a great city by night, that every -one of those darkly clustered houses encloses its own secret; that every -room in every one of them encloses its own secret; that every beating -heart in the hundreds of thousands of breasts there, is, in some of -its imaginings, a secret to the heart nearest it! Something of the -awfulness, even of Death itself, is referable to this. No more can I -turn the leaves of this dear book that I loved, and vainly hope in time -to read it all. No more can I look into the depths of this unfathomable -water, wherein, as momentary lights glanced into it, I have had glimpses -of buried treasure and other things submerged. It was appointed that the -book should shut with a spring, for ever and for ever, when I had read -but a page. It was appointed that the water should be locked in an -eternal frost, when the light was playing on its surface, and I stood -in ignorance on the shore. My friend is dead, my neighbour is dead, -my love, the darling of my soul, is dead; it is the inexorable -consolidation and perpetuation of the secret that was always in that -individuality, and which I shall carry in mine to my life's end. In -any of the burial-places of this city through which I pass, is there -a sleeper more inscrutable than its busy inhabitants are, in their -innermost personality, to me, or than I am to them? - -As to this, his natural and not to be alienated inheritance, the -messenger on horseback had exactly the same possessions as the King, the -first Minister of State, or the richest merchant in London. So with the -three passengers shut up in the narrow compass of one lumbering old mail -coach; they were mysteries to one another, as complete as if each had -been in his own coach and six, or his own coach and sixty, with the -breadth of a county between him and the next. - -The messenger rode back at an easy trot, stopping pretty often at -ale-houses by the way to drink, but evincing a tendency to keep his -own counsel, and to keep his hat cocked over his eyes. He had eyes that -assorted very well with that decoration, being of a surface black, with -no depth in the colour or form, and much too near together--as if they -were afraid of being found out in something, singly, if they kept too -far apart. They had a sinister expression, under an old cocked-hat like -a three-cornered spittoon, and over a great muffler for the chin and -throat, which descended nearly to the wearer's knees. When he stopped -for drink, he moved this muffler with his left hand, only while he -poured his liquor in with his right; as soon as that was done, he -muffled again. - -“No, Jerry, no!” said the messenger, harping on one theme as he rode. -“It wouldn't do for you, Jerry. Jerry, you honest tradesman, it wouldn't -suit _your_ line of business! Recalled--! Bust me if I don't think he'd -been a drinking!” - -His message perplexed his mind to that degree that he was fain, several -times, to take off his hat to scratch his head. Except on the crown, -which was raggedly bald, he had stiff, black hair, standing jaggedly all -over it, and growing down hill almost to his broad, blunt nose. It was -so like Smith's work, so much more like the top of a strongly spiked -wall than a head of hair, that the best of players at leap-frog might -have declined him, as the most dangerous man in the world to go over. - -While he trotted back with the message he was to deliver to the night -watchman in his box at the door of Tellson's Bank, by Temple Bar, who -was to deliver it to greater authorities within, the shadows of the -night took such shapes to him as arose out of the message, and took such -shapes to the mare as arose out of _her_ private topics of uneasiness. -They seemed to be numerous, for she shied at every shadow on the road. - -What time, the mail-coach lumbered, jolted, rattled, and bumped upon -its tedious way, with its three fellow-inscrutables inside. To whom, -likewise, the shadows of the night revealed themselves, in the forms -their dozing eyes and wandering thoughts suggested. - -Tellson's Bank had a run upon it in the mail. As the bank -passenger--with an arm drawn through the leathern strap, which did what -lay in it to keep him from pounding against the next passenger, -and driving him into his corner, whenever the coach got a special -jolt--nodded in his place, with half-shut eyes, the little -coach-windows, and the coach-lamp dimly gleaming through them, and the -bulky bundle of opposite passenger, became the bank, and did a great -stroke of business. The rattle of the harness was the chink of money, -and more drafts were honoured in five minutes than even Tellson's, with -all its foreign and home connection, ever paid in thrice the time. Then -the strong-rooms underground, at Tellson's, with such of their valuable -stores and secrets as were known to the passenger (and it was not a -little that he knew about them), opened before him, and he went in among -them with the great keys and the feebly-burning candle, and found them -safe, and strong, and sound, and still, just as he had last seen them. - -But, though the bank was almost always with him, and though the coach -(in a confused way, like the presence of pain under an opiate) was -always with him, there was another current of impression that never -ceased to run, all through the night. He was on his way to dig some one -out of a grave. - -Now, which of the multitude of faces that showed themselves before him -was the true face of the buried person, the shadows of the night did -not indicate; but they were all the faces of a man of five-and-forty by -years, and they differed principally in the passions they expressed, -and in the ghastliness of their worn and wasted state. Pride, contempt, -defiance, stubbornness, submission, lamentation, succeeded one another; -so did varieties of sunken cheek, cadaverous colour, emaciated hands -and figures. But the face was in the main one face, and every head was -prematurely white. A hundred times the dozing passenger inquired of this -spectre: - -“Buried how long?” - -The answer was always the same: “Almost eighteen years.” - -“You had abandoned all hope of being dug out?” - -“Long ago.” - -“You know that you are recalled to life?” - -“They tell me so.” - -“I hope you care to live?” - -“I can't say.” - -“Shall I show her to you? Will you come and see her?” - -The answers to this question were various and contradictory. Sometimes -the broken reply was, “Wait! It would kill me if I saw her too soon.” - Sometimes, it was given in a tender rain of tears, and then it was, -“Take me to her.” Sometimes it was staring and bewildered, and then it -was, “I don't know her. I don't understand.” - -After such imaginary discourse, the passenger in his fancy would dig, -and dig, dig--now with a spade, now with a great key, now with his -hands--to dig this wretched creature out. Got out at last, with earth -hanging about his face and hair, he would suddenly fan away to dust. The -passenger would then start to himself, and lower the window, to get the -reality of mist and rain on his cheek. - -Yet even when his eyes were opened on the mist and rain, on the moving -patch of light from the lamps, and the hedge at the roadside retreating -by jerks, the night shadows outside the coach would fall into the train -of the night shadows within. The real Banking-house by Temple Bar, the -real business of the past day, the real strong rooms, the real express -sent after him, and the real message returned, would all be there. Out -of the midst of them, the ghostly face would rise, and he would accost -it again. - -“Buried how long?” - -“Almost eighteen years.” - -“I hope you care to live?” - -“I can't say.” - -Dig--dig--dig--until an impatient movement from one of the two -passengers would admonish him to pull up the window, draw his arm -securely through the leathern strap, and speculate upon the two -slumbering forms, until his mind lost its hold of them, and they again -slid away into the bank and the grave. - -“Buried how long?” - -“Almost eighteen years.” - -“You had abandoned all hope of being dug out?” - -“Long ago.” - -The words were still in his hearing as just spoken--distinctly in -his hearing as ever spoken words had been in his life--when the weary -passenger started to the consciousness of daylight, and found that the -shadows of the night were gone. - -He lowered the window, and looked out at the rising sun. There was a -ridge of ploughed land, with a plough upon it where it had been left -last night when the horses were unyoked; beyond, a quiet coppice-wood, -in which many leaves of burning red and golden yellow still remained -upon the trees. Though the earth was cold and wet, the sky was clear, -and the sun rose bright, placid, and beautiful. - -“Eighteen years!” said the passenger, looking at the sun. “Gracious -Creator of day! To be buried alive for eighteen years!” - - - - -IV. The Preparation - - -When the mail got successfully to Dover, in the course of the forenoon, -the head drawer at the Royal George Hotel opened the coach-door as his -custom was. He did it with some flourish of ceremony, for a mail journey -from London in winter was an achievement to congratulate an adventurous -traveller upon. - -By that time, there was only one adventurous traveller left be -congratulated: for the two others had been set down at their respective -roadside destinations. The mildewy inside of the coach, with its damp -and dirty straw, its disagreeable smell, and its obscurity, was rather -like a larger dog-kennel. Mr. Lorry, the passenger, shaking himself out -of it in chains of straw, a tangle of shaggy wrapper, flapping hat, and -muddy legs, was rather like a larger sort of dog. - -“There will be a packet to Calais, tomorrow, drawer?” - -“Yes, sir, if the weather holds and the wind sets tolerable fair. The -tide will serve pretty nicely at about two in the afternoon, sir. Bed, -sir?” - -“I shall not go to bed till night; but I want a bedroom, and a barber.” - -“And then breakfast, sir? Yes, sir. That way, sir, if you please. -Show Concord! Gentleman's valise and hot water to Concord. Pull off -gentleman's boots in Concord. (You will find a fine sea-coal fire, sir.) -Fetch barber to Concord. Stir about there, now, for Concord!” - -The Concord bed-chamber being always assigned to a passenger by the -mail, and passengers by the mail being always heavily wrapped up from -head to foot, the room had the odd interest for the establishment of the -Royal George, that although but one kind of man was seen to go into it, -all kinds and varieties of men came out of it. Consequently, another -drawer, and two porters, and several maids and the landlady, were all -loitering by accident at various points of the road between the Concord -and the coffee-room, when a gentleman of sixty, formally dressed in a -brown suit of clothes, pretty well worn, but very well kept, with large -square cuffs and large flaps to the pockets, passed along on his way to -his breakfast. - -The coffee-room had no other occupant, that forenoon, than the gentleman -in brown. His breakfast-table was drawn before the fire, and as he sat, -with its light shining on him, waiting for the meal, he sat so still, -that he might have been sitting for his portrait. - -Very orderly and methodical he looked, with a hand on each knee, and a -loud watch ticking a sonorous sermon under his flapped waist-coat, -as though it pitted its gravity and longevity against the levity and -evanescence of the brisk fire. He had a good leg, and was a little vain -of it, for his brown stockings fitted sleek and close, and were of a -fine texture; his shoes and buckles, too, though plain, were trim. He -wore an odd little sleek crisp flaxen wig, setting very close to his -head: which wig, it is to be presumed, was made of hair, but which -looked far more as though it were spun from filaments of silk or glass. -His linen, though not of a fineness in accordance with his stockings, -was as white as the tops of the waves that broke upon the neighbouring -beach, or the specks of sail that glinted in the sunlight far at sea. A -face habitually suppressed and quieted, was still lighted up under the -quaint wig by a pair of moist bright eyes that it must have cost -their owner, in years gone by, some pains to drill to the composed and -reserved expression of Tellson's Bank. He had a healthy colour in his -cheeks, and his face, though lined, bore few traces of anxiety. -But, perhaps the confidential bachelor clerks in Tellson's Bank were -principally occupied with the cares of other people; and perhaps -second-hand cares, like second-hand clothes, come easily off and on. - -Completing his resemblance to a man who was sitting for his portrait, -Mr. Lorry dropped off to sleep. The arrival of his breakfast roused him, -and he said to the drawer, as he moved his chair to it: - -“I wish accommodation prepared for a young lady who may come here at any -time to-day. She may ask for Mr. Jarvis Lorry, or she may only ask for a -gentleman from Tellson's Bank. Please to let me know.” - -“Yes, sir. Tellson's Bank in London, sir?” - -“Yes.” - -“Yes, sir. We have oftentimes the honour to entertain your gentlemen in -their travelling backwards and forwards betwixt London and Paris, sir. A -vast deal of travelling, sir, in Tellson and Company's House.” - -“Yes. We are quite a French House, as well as an English one.” - -“Yes, sir. Not much in the habit of such travelling yourself, I think, -sir?” - -“Not of late years. It is fifteen years since we--since I--came last -from France.” - -“Indeed, sir? That was before my time here, sir. Before our people's -time here, sir. The George was in other hands at that time, sir.” - -“I believe so.” - -“But I would hold a pretty wager, sir, that a House like Tellson and -Company was flourishing, a matter of fifty, not to speak of fifteen -years ago?” - -“You might treble that, and say a hundred and fifty, yet not be far from -the truth.” - -“Indeed, sir!” - -Rounding his mouth and both his eyes, as he stepped backward from the -table, the waiter shifted his napkin from his right arm to his left, -dropped into a comfortable attitude, and stood surveying the guest while -he ate and drank, as from an observatory or watchtower. According to the -immemorial usage of waiters in all ages. - -When Mr. Lorry had finished his breakfast, he went out for a stroll on -the beach. The little narrow, crooked town of Dover hid itself away -from the beach, and ran its head into the chalk cliffs, like a marine -ostrich. The beach was a desert of heaps of sea and stones tumbling -wildly about, and the sea did what it liked, and what it liked was -destruction. It thundered at the town, and thundered at the cliffs, and -brought the coast down, madly. The air among the houses was of so strong -a piscatory flavour that one might have supposed sick fish went up to be -dipped in it, as sick people went down to be dipped in the sea. A little -fishing was done in the port, and a quantity of strolling about by -night, and looking seaward: particularly at those times when the tide -made, and was near flood. Small tradesmen, who did no business whatever, -sometimes unaccountably realised large fortunes, and it was remarkable -that nobody in the neighbourhood could endure a lamplighter. - -As the day declined into the afternoon, and the air, which had been -at intervals clear enough to allow the French coast to be seen, became -again charged with mist and vapour, Mr. Lorry's thoughts seemed to cloud -too. When it was dark, and he sat before the coffee-room fire, awaiting -his dinner as he had awaited his breakfast, his mind was busily digging, -digging, digging, in the live red coals. - -A bottle of good claret after dinner does a digger in the red coals no -harm, otherwise than as it has a tendency to throw him out of work. -Mr. Lorry had been idle a long time, and had just poured out his last -glassful of wine with as complete an appearance of satisfaction as is -ever to be found in an elderly gentleman of a fresh complexion who has -got to the end of a bottle, when a rattling of wheels came up the narrow -street, and rumbled into the inn-yard. - -He set down his glass untouched. “This is Mam'selle!” said he. - -In a very few minutes the waiter came in to announce that Miss Manette -had arrived from London, and would be happy to see the gentleman from -Tellson's. - -“So soon?” - -Miss Manette had taken some refreshment on the road, and required none -then, and was extremely anxious to see the gentleman from Tellson's -immediately, if it suited his pleasure and convenience. - -The gentleman from Tellson's had nothing left for it but to empty his -glass with an air of stolid desperation, settle his odd little flaxen -wig at the ears, and follow the waiter to Miss Manette's apartment. -It was a large, dark room, furnished in a funereal manner with black -horsehair, and loaded with heavy dark tables. These had been oiled and -oiled, until the two tall candles on the table in the middle of the room -were gloomily reflected on every leaf; as if _they_ were buried, in deep -graves of black mahogany, and no light to speak of could be expected -from them until they were dug out. - -The obscurity was so difficult to penetrate that Mr. Lorry, picking his -way over the well-worn Turkey carpet, supposed Miss Manette to be, for -the moment, in some adjacent room, until, having got past the two tall -candles, he saw standing to receive him by the table between them and -the fire, a young lady of not more than seventeen, in a riding-cloak, -and still holding her straw travelling-hat by its ribbon in her hand. As -his eyes rested on a short, slight, pretty figure, a quantity of golden -hair, a pair of blue eyes that met his own with an inquiring look, and -a forehead with a singular capacity (remembering how young and smooth -it was), of rifting and knitting itself into an expression that was -not quite one of perplexity, or wonder, or alarm, or merely of a bright -fixed attention, though it included all the four expressions--as his -eyes rested on these things, a sudden vivid likeness passed before him, -of a child whom he had held in his arms on the passage across that very -Channel, one cold time, when the hail drifted heavily and the sea ran -high. The likeness passed away, like a breath along the surface of -the gaunt pier-glass behind her, on the frame of which, a hospital -procession of negro cupids, several headless and all cripples, were -offering black baskets of Dead Sea fruit to black divinities of the -feminine gender--and he made his formal bow to Miss Manette. - -“Pray take a seat, sir.” In a very clear and pleasant young voice; a -little foreign in its accent, but a very little indeed. - -“I kiss your hand, miss,” said Mr. Lorry, with the manners of an earlier -date, as he made his formal bow again, and took his seat. - -“I received a letter from the Bank, sir, yesterday, informing me that -some intelligence--or discovery--” - -“The word is not material, miss; either word will do.” - -“--respecting the small property of my poor father, whom I never saw--so -long dead--” - -Mr. Lorry moved in his chair, and cast a troubled look towards the -hospital procession of negro cupids. As if _they_ had any help for -anybody in their absurd baskets! - -“--rendered it necessary that I should go to Paris, there to communicate -with a gentleman of the Bank, so good as to be despatched to Paris for -the purpose.” - -“Myself.” - -“As I was prepared to hear, sir.” - -She curtseyed to him (young ladies made curtseys in those days), with a -pretty desire to convey to him that she felt how much older and wiser he -was than she. He made her another bow. - -“I replied to the Bank, sir, that as it was considered necessary, by -those who know, and who are so kind as to advise me, that I should go to -France, and that as I am an orphan and have no friend who could go with -me, I should esteem it highly if I might be permitted to place myself, -during the journey, under that worthy gentleman's protection. The -gentleman had left London, but I think a messenger was sent after him to -beg the favour of his waiting for me here.” - -“I was happy,” said Mr. Lorry, “to be entrusted with the charge. I shall -be more happy to execute it.” - -“Sir, I thank you indeed. I thank you very gratefully. It was told me -by the Bank that the gentleman would explain to me the details of the -business, and that I must prepare myself to find them of a surprising -nature. I have done my best to prepare myself, and I naturally have a -strong and eager interest to know what they are.” - -“Naturally,” said Mr. Lorry. “Yes--I--” - -After a pause, he added, again settling the crisp flaxen wig at the -ears, “It is very difficult to begin.” - -He did not begin, but, in his indecision, met her glance. The young -forehead lifted itself into that singular expression--but it was pretty -and characteristic, besides being singular--and she raised her hand, -as if with an involuntary action she caught at, or stayed some passing -shadow. - -“Are you quite a stranger to me, sir?” - -“Am I not?” Mr. Lorry opened his hands, and extended them outwards with -an argumentative smile. - -Between the eyebrows and just over the little feminine nose, the line of -which was as delicate and fine as it was possible to be, the expression -deepened itself as she took her seat thoughtfully in the chair by which -she had hitherto remained standing. He watched her as she mused, and the -moment she raised her eyes again, went on: - -“In your adopted country, I presume, I cannot do better than address you -as a young English lady, Miss Manette?” - -“If you please, sir.” - -“Miss Manette, I am a man of business. I have a business charge to -acquit myself of. In your reception of it, don't heed me any more than -if I was a speaking machine--truly, I am not much else. I will, with -your leave, relate to you, miss, the story of one of our customers.” - -“Story!” - -He seemed wilfully to mistake the word she had repeated, when he added, -in a hurry, “Yes, customers; in the banking business we usually call -our connection our customers. He was a French gentleman; a scientific -gentleman; a man of great acquirements--a Doctor.” - -“Not of Beauvais?” - -“Why, yes, of Beauvais. Like Monsieur Manette, your father, the -gentleman was of Beauvais. Like Monsieur Manette, your father, the -gentleman was of repute in Paris. I had the honour of knowing him there. -Our relations were business relations, but confidential. I was at that -time in our French House, and had been--oh! twenty years.” - -“At that time--I may ask, at what time, sir?” - -“I speak, miss, of twenty years ago. He married--an English lady--and -I was one of the trustees. His affairs, like the affairs of many other -French gentlemen and French families, were entirely in Tellson's hands. -In a similar way I am, or I have been, trustee of one kind or other for -scores of our customers. These are mere business relations, miss; -there is no friendship in them, no particular interest, nothing like -sentiment. I have passed from one to another, in the course of my -business life, just as I pass from one of our customers to another in -the course of my business day; in short, I have no feelings; I am a mere -machine. To go on--” - -“But this is my father's story, sir; and I begin to think”--the -curiously roughened forehead was very intent upon him--“that when I was -left an orphan through my mother's surviving my father only two years, -it was you who brought me to England. I am almost sure it was you.” - -Mr. Lorry took the hesitating little hand that confidingly advanced -to take his, and he put it with some ceremony to his lips. He then -conducted the young lady straightway to her chair again, and, holding -the chair-back with his left hand, and using his right by turns to rub -his chin, pull his wig at the ears, or point what he said, stood looking -down into her face while she sat looking up into his. - -“Miss Manette, it _was_ I. And you will see how truly I spoke of myself -just now, in saying I had no feelings, and that all the relations I hold -with my fellow-creatures are mere business relations, when you reflect -that I have never seen you since. No; you have been the ward of -Tellson's House since, and I have been busy with the other business of -Tellson's House since. Feelings! I have no time for them, no chance -of them. I pass my whole life, miss, in turning an immense pecuniary -Mangle.” - -After this odd description of his daily routine of employment, Mr. Lorry -flattened his flaxen wig upon his head with both hands (which was most -unnecessary, for nothing could be flatter than its shining surface was -before), and resumed his former attitude. - -“So far, miss (as you have remarked), this is the story of your -regretted father. Now comes the difference. If your father had not died -when he did--Don't be frightened! How you start!” - -She did, indeed, start. And she caught his wrist with both her hands. - -“Pray,” said Mr. Lorry, in a soothing tone, bringing his left hand from -the back of the chair to lay it on the supplicatory fingers that clasped -him in so violent a tremble: “pray control your agitation--a matter of -business. As I was saying--” - -Her look so discomposed him that he stopped, wandered, and began anew: - -“As I was saying; if Monsieur Manette had not died; if he had suddenly -and silently disappeared; if he had been spirited away; if it had not -been difficult to guess to what dreadful place, though no art could -trace him; if he had an enemy in some compatriot who could exercise a -privilege that I in my own time have known the boldest people afraid -to speak of in a whisper, across the water there; for instance, the -privilege of filling up blank forms for the consignment of any one -to the oblivion of a prison for any length of time; if his wife had -implored the king, the queen, the court, the clergy, for any tidings of -him, and all quite in vain;--then the history of your father would have -been the history of this unfortunate gentleman, the Doctor of Beauvais.” - -“I entreat you to tell me more, sir.” - -“I will. I am going to. You can bear it?” - -“I can bear anything but the uncertainty you leave me in at this -moment.” - -“You speak collectedly, and you--_are_ collected. That's good!” (Though -his manner was less satisfied than his words.) “A matter of business. -Regard it as a matter of business--business that must be done. Now -if this doctor's wife, though a lady of great courage and spirit, -had suffered so intensely from this cause before her little child was -born--” - -“The little child was a daughter, sir.” - -“A daughter. A-a-matter of business--don't be distressed. Miss, if the -poor lady had suffered so intensely before her little child was born, -that she came to the determination of sparing the poor child the -inheritance of any part of the agony she had known the pains of, by -rearing her in the belief that her father was dead--No, don't kneel! In -Heaven's name why should you kneel to me!” - -“For the truth. O dear, good, compassionate sir, for the truth!” - -“A--a matter of business. You confuse me, and how can I transact -business if I am confused? Let us be clear-headed. If you could kindly -mention now, for instance, what nine times ninepence are, or how many -shillings in twenty guineas, it would be so encouraging. I should be so -much more at my ease about your state of mind.” - -Without directly answering to this appeal, she sat so still when he had -very gently raised her, and the hands that had not ceased to clasp -his wrists were so much more steady than they had been, that she -communicated some reassurance to Mr. Jarvis Lorry. - -“That's right, that's right. Courage! Business! You have business before -you; useful business. Miss Manette, your mother took this course with -you. And when she died--I believe broken-hearted--having never slackened -her unavailing search for your father, she left you, at two years old, -to grow to be blooming, beautiful, and happy, without the dark cloud -upon you of living in uncertainty whether your father soon wore his -heart out in prison, or wasted there through many lingering years.” - -As he said the words he looked down, with an admiring pity, on the -flowing golden hair; as if he pictured to himself that it might have -been already tinged with grey. - -“You know that your parents had no great possession, and that what -they had was secured to your mother and to you. There has been no new -discovery, of money, or of any other property; but--” - -He felt his wrist held closer, and he stopped. The expression in the -forehead, which had so particularly attracted his notice, and which was -now immovable, had deepened into one of pain and horror. - -“But he has been--been found. He is alive. Greatly changed, it is too -probable; almost a wreck, it is possible; though we will hope the best. -Still, alive. Your father has been taken to the house of an old servant -in Paris, and we are going there: I, to identify him if I can: you, to -restore him to life, love, duty, rest, comfort.” - -A shiver ran through her frame, and from it through his. She said, in a -low, distinct, awe-stricken voice, as if she were saying it in a dream, - -“I am going to see his Ghost! It will be his Ghost--not him!” - -Mr. Lorry quietly chafed the hands that held his arm. “There, there, -there! See now, see now! The best and the worst are known to you, now. -You are well on your way to the poor wronged gentleman, and, with a fair -sea voyage, and a fair land journey, you will be soon at his dear side.” - -She repeated in the same tone, sunk to a whisper, “I have been free, I -have been happy, yet his Ghost has never haunted me!” - -“Only one thing more,” said Mr. Lorry, laying stress upon it as a -wholesome means of enforcing her attention: “he has been found under -another name; his own, long forgotten or long concealed. It would be -worse than useless now to inquire which; worse than useless to seek to -know whether he has been for years overlooked, or always designedly -held prisoner. It would be worse than useless now to make any inquiries, -because it would be dangerous. Better not to mention the subject, -anywhere or in any way, and to remove him--for a while at all -events--out of France. Even I, safe as an Englishman, and even -Tellson's, important as they are to French credit, avoid all naming of -the matter. I carry about me, not a scrap of writing openly referring -to it. This is a secret service altogether. My credentials, entries, -and memoranda, are all comprehended in the one line, 'Recalled to Life;' -which may mean anything. But what is the matter! She doesn't notice a -word! Miss Manette!” - -Perfectly still and silent, and not even fallen back in her chair, she -sat under his hand, utterly insensible; with her eyes open and fixed -upon him, and with that last expression looking as if it were carved or -branded into her forehead. So close was her hold upon his arm, that he -feared to detach himself lest he should hurt her; therefore he called -out loudly for assistance without moving. - -A wild-looking woman, whom even in his agitation, Mr. Lorry observed to -be all of a red colour, and to have red hair, and to be dressed in some -extraordinary tight-fitting fashion, and to have on her head a most -wonderful bonnet like a Grenadier wooden measure, and good measure too, -or a great Stilton cheese, came running into the room in advance of the -inn servants, and soon settled the question of his detachment from the -poor young lady, by laying a brawny hand upon his chest, and sending him -flying back against the nearest wall. - -(“I really think this must be a man!” was Mr. Lorry's breathless -reflection, simultaneously with his coming against the wall.) - -“Why, look at you all!” bawled this figure, addressing the inn servants. -“Why don't you go and fetch things, instead of standing there staring -at me? I am not so much to look at, am I? Why don't you go and fetch -things? I'll let you know, if you don't bring smelling-salts, cold -water, and vinegar, quick, I will.” - -There was an immediate dispersal for these restoratives, and she -softly laid the patient on a sofa, and tended her with great skill and -gentleness: calling her “my precious!” and “my bird!” and spreading her -golden hair aside over her shoulders with great pride and care. - -“And you in brown!” she said, indignantly turning to Mr. Lorry; -“couldn't you tell her what you had to tell her, without frightening her -to death? Look at her, with her pretty pale face and her cold hands. Do -you call _that_ being a Banker?” - -Mr. Lorry was so exceedingly disconcerted by a question so hard to -answer, that he could only look on, at a distance, with much feebler -sympathy and humility, while the strong woman, having banished the inn -servants under the mysterious penalty of “letting them know” something -not mentioned if they stayed there, staring, recovered her charge by a -regular series of gradations, and coaxed her to lay her drooping head -upon her shoulder. - -“I hope she will do well now,” said Mr. Lorry. - -“No thanks to you in brown, if she does. My darling pretty!” - -“I hope,” said Mr. Lorry, after another pause of feeble sympathy and -humility, “that you accompany Miss Manette to France?” - -“A likely thing, too!” replied the strong woman. “If it was ever -intended that I should go across salt water, do you suppose Providence -would have cast my lot in an island?” - -This being another question hard to answer, Mr. Jarvis Lorry withdrew to -consider it. - - - - -V. The Wine-shop - - -A large cask of wine had been dropped and broken, in the street. The -accident had happened in getting it out of a cart; the cask had tumbled -out with a run, the hoops had burst, and it lay on the stones just -outside the door of the wine-shop, shattered like a walnut-shell. - -All the people within reach had suspended their business, or their -idleness, to run to the spot and drink the wine. The rough, irregular -stones of the street, pointing every way, and designed, one might have -thought, expressly to lame all living creatures that approached them, -had dammed it into little pools; these were surrounded, each by its own -jostling group or crowd, according to its size. Some men kneeled down, -made scoops of their two hands joined, and sipped, or tried to help -women, who bent over their shoulders, to sip, before the wine had all -run out between their fingers. Others, men and women, dipped in -the puddles with little mugs of mutilated earthenware, or even with -handkerchiefs from women's heads, which were squeezed dry into infants' -mouths; others made small mud-embankments, to stem the wine as it ran; -others, directed by lookers-on up at high windows, darted here and -there, to cut off little streams of wine that started away in new -directions; others devoted themselves to the sodden and lee-dyed -pieces of the cask, licking, and even champing the moister wine-rotted -fragments with eager relish. There was no drainage to carry off the -wine, and not only did it all get taken up, but so much mud got taken up -along with it, that there might have been a scavenger in the street, -if anybody acquainted with it could have believed in such a miraculous -presence. - -A shrill sound of laughter and of amused voices--voices of men, women, -and children--resounded in the street while this wine game lasted. There -was little roughness in the sport, and much playfulness. There was a -special companionship in it, an observable inclination on the part -of every one to join some other one, which led, especially among the -luckier or lighter-hearted, to frolicsome embraces, drinking of healths, -shaking of hands, and even joining of hands and dancing, a dozen -together. When the wine was gone, and the places where it had been -most abundant were raked into a gridiron-pattern by fingers, these -demonstrations ceased, as suddenly as they had broken out. The man who -had left his saw sticking in the firewood he was cutting, set it in -motion again; the women who had left on a door-step the little pot of -hot ashes, at which she had been trying to soften the pain in her own -starved fingers and toes, or in those of her child, returned to it; men -with bare arms, matted locks, and cadaverous faces, who had emerged into -the winter light from cellars, moved away, to descend again; and a gloom -gathered on the scene that appeared more natural to it than sunshine. - -The wine was red wine, and had stained the ground of the narrow street -in the suburb of Saint Antoine, in Paris, where it was spilled. It had -stained many hands, too, and many faces, and many naked feet, and many -wooden shoes. The hands of the man who sawed the wood, left red marks -on the billets; and the forehead of the woman who nursed her baby, was -stained with the stain of the old rag she wound about her head again. -Those who had been greedy with the staves of the cask, had acquired a -tigerish smear about the mouth; and one tall joker so besmirched, his -head more out of a long squalid bag of a nightcap than in it, scrawled -upon a wall with his finger dipped in muddy wine-lees--BLOOD. - -The time was to come, when that wine too would be spilled on the -street-stones, and when the stain of it would be red upon many there. - -And now that the cloud settled on Saint Antoine, which a momentary -gleam had driven from his sacred countenance, the darkness of it was -heavy--cold, dirt, sickness, ignorance, and want, were the lords in -waiting on the saintly presence--nobles of great power all of them; -but, most especially the last. Samples of a people that had undergone a -terrible grinding and regrinding in the mill, and certainly not in the -fabulous mill which ground old people young, shivered at every corner, -passed in and out at every doorway, looked from every window, fluttered -in every vestige of a garment that the wind shook. The mill which -had worked them down, was the mill that grinds young people old; the -children had ancient faces and grave voices; and upon them, and upon the -grown faces, and ploughed into every furrow of age and coming up afresh, -was the sigh, Hunger. It was prevalent everywhere. Hunger was pushed out -of the tall houses, in the wretched clothing that hung upon poles and -lines; Hunger was patched into them with straw and rag and wood and -paper; Hunger was repeated in every fragment of the small modicum of -firewood that the man sawed off; Hunger stared down from the smokeless -chimneys, and started up from the filthy street that had no offal, -among its refuse, of anything to eat. Hunger was the inscription on the -baker's shelves, written in every small loaf of his scanty stock of -bad bread; at the sausage-shop, in every dead-dog preparation that -was offered for sale. Hunger rattled its dry bones among the roasting -chestnuts in the turned cylinder; Hunger was shred into atomics in every -farthing porringer of husky chips of potato, fried with some reluctant -drops of oil. - -Its abiding place was in all things fitted to it. A narrow winding -street, full of offence and stench, with other narrow winding streets -diverging, all peopled by rags and nightcaps, and all smelling of rags -and nightcaps, and all visible things with a brooding look upon them -that looked ill. In the hunted air of the people there was yet some -wild-beast thought of the possibility of turning at bay. Depressed and -slinking though they were, eyes of fire were not wanting among them; nor -compressed lips, white with what they suppressed; nor foreheads knitted -into the likeness of the gallows-rope they mused about enduring, or -inflicting. The trade signs (and they were almost as many as the shops) -were, all, grim illustrations of Want. The butcher and the porkman -painted up, only the leanest scrags of meat; the baker, the coarsest of -meagre loaves. The people rudely pictured as drinking in the wine-shops, -croaked over their scanty measures of thin wine and beer, and were -gloweringly confidential together. Nothing was represented in a -flourishing condition, save tools and weapons; but, the cutler's knives -and axes were sharp and bright, the smith's hammers were heavy, and the -gunmaker's stock was murderous. The crippling stones of the pavement, -with their many little reservoirs of mud and water, had no footways, but -broke off abruptly at the doors. The kennel, to make amends, ran down -the middle of the street--when it ran at all: which was only after heavy -rains, and then it ran, by many eccentric fits, into the houses. Across -the streets, at wide intervals, one clumsy lamp was slung by a rope and -pulley; at night, when the lamplighter had let these down, and lighted, -and hoisted them again, a feeble grove of dim wicks swung in a sickly -manner overhead, as if they were at sea. Indeed they were at sea, and -the ship and crew were in peril of tempest. - -For, the time was to come, when the gaunt scarecrows of that region -should have watched the lamplighter, in their idleness and hunger, so -long, as to conceive the idea of improving on his method, and hauling -up men by those ropes and pulleys, to flare upon the darkness of their -condition. But, the time was not come yet; and every wind that blew over -France shook the rags of the scarecrows in vain, for the birds, fine of -song and feather, took no warning. - -The wine-shop was a corner shop, better than most others in its -appearance and degree, and the master of the wine-shop had stood outside -it, in a yellow waistcoat and green breeches, looking on at the struggle -for the lost wine. “It's not my affair,” said he, with a final shrug -of the shoulders. “The people from the market did it. Let them bring -another.” - -There, his eyes happening to catch the tall joker writing up his joke, -he called to him across the way: - -“Say, then, my Gaspard, what do you do there?” - -The fellow pointed to his joke with immense significance, as is often -the way with his tribe. It missed its mark, and completely failed, as is -often the way with his tribe too. - -“What now? Are you a subject for the mad hospital?” said the wine-shop -keeper, crossing the road, and obliterating the jest with a handful of -mud, picked up for the purpose, and smeared over it. “Why do you write -in the public streets? Is there--tell me thou--is there no other place -to write such words in?” - -In his expostulation he dropped his cleaner hand (perhaps accidentally, -perhaps not) upon the joker's heart. The joker rapped it with his -own, took a nimble spring upward, and came down in a fantastic dancing -attitude, with one of his stained shoes jerked off his foot into his -hand, and held out. A joker of an extremely, not to say wolfishly -practical character, he looked, under those circumstances. - -“Put it on, put it on,” said the other. “Call wine, wine; and finish -there.” With that advice, he wiped his soiled hand upon the joker's -dress, such as it was--quite deliberately, as having dirtied the hand on -his account; and then recrossed the road and entered the wine-shop. - -This wine-shop keeper was a bull-necked, martial-looking man of thirty, -and he should have been of a hot temperament, for, although it was a -bitter day, he wore no coat, but carried one slung over his shoulder. -His shirt-sleeves were rolled up, too, and his brown arms were bare to -the elbows. Neither did he wear anything more on his head than his own -crisply-curling short dark hair. He was a dark man altogether, with good -eyes and a good bold breadth between them. Good-humoured looking on -the whole, but implacable-looking, too; evidently a man of a strong -resolution and a set purpose; a man not desirable to be met, rushing -down a narrow pass with a gulf on either side, for nothing would turn -the man. - -Madame Defarge, his wife, sat in the shop behind the counter as he -came in. Madame Defarge was a stout woman of about his own age, with -a watchful eye that seldom seemed to look at anything, a large hand -heavily ringed, a steady face, strong features, and great composure of -manner. There was a character about Madame Defarge, from which one might -have predicated that she did not often make mistakes against herself -in any of the reckonings over which she presided. Madame Defarge being -sensitive to cold, was wrapped in fur, and had a quantity of bright -shawl twined about her head, though not to the concealment of her large -earrings. Her knitting was before her, but she had laid it down to pick -her teeth with a toothpick. Thus engaged, with her right elbow supported -by her left hand, Madame Defarge said nothing when her lord came in, but -coughed just one grain of cough. This, in combination with the lifting -of her darkly defined eyebrows over her toothpick by the breadth of a -line, suggested to her husband that he would do well to look round the -shop among the customers, for any new customer who had dropped in while -he stepped over the way. - -The wine-shop keeper accordingly rolled his eyes about, until they -rested upon an elderly gentleman and a young lady, who were seated in -a corner. Other company were there: two playing cards, two playing -dominoes, three standing by the counter lengthening out a short supply -of wine. As he passed behind the counter, he took notice that the -elderly gentleman said in a look to the young lady, “This is our man.” - -“What the devil do _you_ do in that galley there?” said Monsieur Defarge -to himself; “I don't know you.” - -But, he feigned not to notice the two strangers, and fell into discourse -with the triumvirate of customers who were drinking at the counter. - -“How goes it, Jacques?” said one of these three to Monsieur Defarge. “Is -all the spilt wine swallowed?” - -“Every drop, Jacques,” answered Monsieur Defarge. - -When this interchange of Christian name was effected, Madame Defarge, -picking her teeth with her toothpick, coughed another grain of cough, -and raised her eyebrows by the breadth of another line. - -“It is not often,” said the second of the three, addressing Monsieur -Defarge, “that many of these miserable beasts know the taste of wine, or -of anything but black bread and death. Is it not so, Jacques?” - -“It is so, Jacques,” Monsieur Defarge returned. - -At this second interchange of the Christian name, Madame Defarge, still -using her toothpick with profound composure, coughed another grain of -cough, and raised her eyebrows by the breadth of another line. - -The last of the three now said his say, as he put down his empty -drinking vessel and smacked his lips. - -“Ah! So much the worse! A bitter taste it is that such poor cattle -always have in their mouths, and hard lives they live, Jacques. Am I -right, Jacques?” - -“You are right, Jacques,” was the response of Monsieur Defarge. - -This third interchange of the Christian name was completed at the moment -when Madame Defarge put her toothpick by, kept her eyebrows up, and -slightly rustled in her seat. - -“Hold then! True!” muttered her husband. “Gentlemen--my wife!” - -The three customers pulled off their hats to Madame Defarge, with three -flourishes. She acknowledged their homage by bending her head, and -giving them a quick look. Then she glanced in a casual manner round the -wine-shop, took up her knitting with great apparent calmness and repose -of spirit, and became absorbed in it. - -“Gentlemen,” said her husband, who had kept his bright eye observantly -upon her, “good day. The chamber, furnished bachelor-fashion, that you -wished to see, and were inquiring for when I stepped out, is on the -fifth floor. The doorway of the staircase gives on the little courtyard -close to the left here,” pointing with his hand, “near to the window of -my establishment. But, now that I remember, one of you has already been -there, and can show the way. Gentlemen, adieu!” - -They paid for their wine, and left the place. The eyes of Monsieur -Defarge were studying his wife at her knitting when the elderly -gentleman advanced from his corner, and begged the favour of a word. - -“Willingly, sir,” said Monsieur Defarge, and quietly stepped with him to -the door. - -Their conference was very short, but very decided. Almost at the first -word, Monsieur Defarge started and became deeply attentive. It had -not lasted a minute, when he nodded and went out. The gentleman then -beckoned to the young lady, and they, too, went out. Madame Defarge -knitted with nimble fingers and steady eyebrows, and saw nothing. - -Mr. Jarvis Lorry and Miss Manette, emerging from the wine-shop thus, -joined Monsieur Defarge in the doorway to which he had directed his own -company just before. It opened from a stinking little black courtyard, -and was the general public entrance to a great pile of houses, inhabited -by a great number of people. In the gloomy tile-paved entry to the -gloomy tile-paved staircase, Monsieur Defarge bent down on one knee -to the child of his old master, and put her hand to his lips. It was -a gentle action, but not at all gently done; a very remarkable -transformation had come over him in a few seconds. He had no good-humour -in his face, nor any openness of aspect left, but had become a secret, -angry, dangerous man. - -“It is very high; it is a little difficult. Better to begin slowly.” - Thus, Monsieur Defarge, in a stern voice, to Mr. Lorry, as they began -ascending the stairs. - -“Is he alone?” the latter whispered. - -“Alone! God help him, who should be with him!” said the other, in the -same low voice. - -“Is he always alone, then?” - -“Yes.” - -“Of his own desire?” - -“Of his own necessity. As he was, when I first saw him after they -found me and demanded to know if I would take him, and, at my peril be -discreet--as he was then, so he is now.” - -“He is greatly changed?” - -“Changed!” - -The keeper of the wine-shop stopped to strike the wall with his hand, -and mutter a tremendous curse. No direct answer could have been half so -forcible. Mr. Lorry's spirits grew heavier and heavier, as he and his -two companions ascended higher and higher. - -Such a staircase, with its accessories, in the older and more crowded -parts of Paris, would be bad enough now; but, at that time, it was vile -indeed to unaccustomed and unhardened senses. Every little habitation -within the great foul nest of one high building--that is to say, -the room or rooms within every door that opened on the general -staircase--left its own heap of refuse on its own landing, besides -flinging other refuse from its own windows. The uncontrollable and -hopeless mass of decomposition so engendered, would have polluted -the air, even if poverty and deprivation had not loaded it with their -intangible impurities; the two bad sources combined made it almost -insupportable. Through such an atmosphere, by a steep dark shaft of dirt -and poison, the way lay. Yielding to his own disturbance of mind, and to -his young companion's agitation, which became greater every instant, Mr. -Jarvis Lorry twice stopped to rest. Each of these stoppages was made -at a doleful grating, by which any languishing good airs that were left -uncorrupted, seemed to escape, and all spoilt and sickly vapours seemed -to crawl in. Through the rusted bars, tastes, rather than glimpses, were -caught of the jumbled neighbourhood; and nothing within range, nearer -or lower than the summits of the two great towers of Notre-Dame, had any -promise on it of healthy life or wholesome aspirations. - -At last, the top of the staircase was gained, and they stopped for the -third time. There was yet an upper staircase, of a steeper inclination -and of contracted dimensions, to be ascended, before the garret story -was reached. The keeper of the wine-shop, always going a little in -advance, and always going on the side which Mr. Lorry took, as though he -dreaded to be asked any question by the young lady, turned himself about -here, and, carefully feeling in the pockets of the coat he carried over -his shoulder, took out a key. - -“The door is locked then, my friend?” said Mr. Lorry, surprised. - -“Ay. Yes,” was the grim reply of Monsieur Defarge. - -“You think it necessary to keep the unfortunate gentleman so retired?” - -“I think it necessary to turn the key.” Monsieur Defarge whispered it -closer in his ear, and frowned heavily. - -“Why?” - -“Why! Because he has lived so long, locked up, that he would be -frightened--rave--tear himself to pieces--die--come to I know not what -harm--if his door was left open.” - -“Is it possible!” exclaimed Mr. Lorry. - -“Is it possible!” repeated Defarge, bitterly. “Yes. And a beautiful -world we live in, when it _is_ possible, and when many other such things -are possible, and not only possible, but done--done, see you!--under -that sky there, every day. Long live the Devil. Let us go on.” - -This dialogue had been held in so very low a whisper, that not a word -of it had reached the young lady's ears. But, by this time she trembled -under such strong emotion, and her face expressed such deep anxiety, -and, above all, such dread and terror, that Mr. Lorry felt it incumbent -on him to speak a word or two of reassurance. - -“Courage, dear miss! Courage! Business! The worst will be over in a -moment; it is but passing the room-door, and the worst is over. Then, -all the good you bring to him, all the relief, all the happiness you -bring to him, begin. Let our good friend here, assist you on that side. -That's well, friend Defarge. Come, now. Business, business!” - -They went up slowly and softly. The staircase was short, and they were -soon at the top. There, as it had an abrupt turn in it, they came all at -once in sight of three men, whose heads were bent down close together at -the side of a door, and who were intently looking into the room to which -the door belonged, through some chinks or holes in the wall. On hearing -footsteps close at hand, these three turned, and rose, and showed -themselves to be the three of one name who had been drinking in the -wine-shop. - -“I forgot them in the surprise of your visit,” explained Monsieur -Defarge. “Leave us, good boys; we have business here.” - -The three glided by, and went silently down. - -There appearing to be no other door on that floor, and the keeper of -the wine-shop going straight to this one when they were left alone, Mr. -Lorry asked him in a whisper, with a little anger: - -“Do you make a show of Monsieur Manette?” - -“I show him, in the way you have seen, to a chosen few.” - -“Is that well?” - -“_I_ think it is well.” - -“Who are the few? How do you choose them?” - -“I choose them as real men, of my name--Jacques is my name--to whom the -sight is likely to do good. Enough; you are English; that is another -thing. Stay there, if you please, a little moment.” - -With an admonitory gesture to keep them back, he stooped, and looked in -through the crevice in the wall. Soon raising his head again, he struck -twice or thrice upon the door--evidently with no other object than to -make a noise there. With the same intention, he drew the key across it, -three or four times, before he put it clumsily into the lock, and turned -it as heavily as he could. - -The door slowly opened inward under his hand, and he looked into the -room and said something. A faint voice answered something. Little more -than a single syllable could have been spoken on either side. - -He looked back over his shoulder, and beckoned them to enter. Mr. Lorry -got his arm securely round the daughter's waist, and held her; for he -felt that she was sinking. - -“A-a-a-business, business!” he urged, with a moisture that was not of -business shining on his cheek. “Come in, come in!” - -“I am afraid of it,” she answered, shuddering. - -“Of it? What?” - -“I mean of him. Of my father.” - -Rendered in a manner desperate, by her state and by the beckoning of -their conductor, he drew over his neck the arm that shook upon his -shoulder, lifted her a little, and hurried her into the room. He sat her -down just within the door, and held her, clinging to him. - -Defarge drew out the key, closed the door, locked it on the inside, -took out the key again, and held it in his hand. All this he did, -methodically, and with as loud and harsh an accompaniment of noise as he -could make. Finally, he walked across the room with a measured tread to -where the window was. He stopped there, and faced round. - -The garret, built to be a depository for firewood and the like, was dim -and dark: for, the window of dormer shape, was in truth a door in the -roof, with a little crane over it for the hoisting up of stores from -the street: unglazed, and closing up the middle in two pieces, like any -other door of French construction. To exclude the cold, one half of this -door was fast closed, and the other was opened but a very little way. -Such a scanty portion of light was admitted through these means, that it -was difficult, on first coming in, to see anything; and long habit -alone could have slowly formed in any one, the ability to do any work -requiring nicety in such obscurity. Yet, work of that kind was being -done in the garret; for, with his back towards the door, and his face -towards the window where the keeper of the wine-shop stood looking at -him, a white-haired man sat on a low bench, stooping forward and very -busy, making shoes. - - - - -VI. The Shoemaker - - -“Good day!” said Monsieur Defarge, looking down at the white head that -bent low over the shoemaking. - -It was raised for a moment, and a very faint voice responded to the -salutation, as if it were at a distance: - -“Good day!” - -“You are still hard at work, I see?” - -After a long silence, the head was lifted for another moment, and the -voice replied, “Yes--I am working.” This time, a pair of haggard eyes -had looked at the questioner, before the face had dropped again. - -The faintness of the voice was pitiable and dreadful. It was not the -faintness of physical weakness, though confinement and hard fare no -doubt had their part in it. Its deplorable peculiarity was, that it was -the faintness of solitude and disuse. It was like the last feeble echo -of a sound made long and long ago. So entirely had it lost the life and -resonance of the human voice, that it affected the senses like a once -beautiful colour faded away into a poor weak stain. So sunken and -suppressed it was, that it was like a voice underground. So expressive -it was, of a hopeless and lost creature, that a famished traveller, -wearied out by lonely wandering in a wilderness, would have remembered -home and friends in such a tone before lying down to die. - -Some minutes of silent work had passed: and the haggard eyes had looked -up again: not with any interest or curiosity, but with a dull mechanical -perception, beforehand, that the spot where the only visitor they were -aware of had stood, was not yet empty. - -“I want,” said Defarge, who had not removed his gaze from the shoemaker, -“to let in a little more light here. You can bear a little more?” - -The shoemaker stopped his work; looked with a vacant air of listening, -at the floor on one side of him; then similarly, at the floor on the -other side of him; then, upward at the speaker. - -“What did you say?” - -“You can bear a little more light?” - -“I must bear it, if you let it in.” (Laying the palest shadow of a -stress upon the second word.) - -The opened half-door was opened a little further, and secured at that -angle for the time. A broad ray of light fell into the garret, and -showed the workman with an unfinished shoe upon his lap, pausing in his -labour. His few common tools and various scraps of leather were at his -feet and on his bench. He had a white beard, raggedly cut, but not very -long, a hollow face, and exceedingly bright eyes. The hollowness and -thinness of his face would have caused them to look large, under his yet -dark eyebrows and his confused white hair, though they had been really -otherwise; but, they were naturally large, and looked unnaturally so. -His yellow rags of shirt lay open at the throat, and showed his body -to be withered and worn. He, and his old canvas frock, and his loose -stockings, and all his poor tatters of clothes, had, in a long seclusion -from direct light and air, faded down to such a dull uniformity of -parchment-yellow, that it would have been hard to say which was which. - -He had put up a hand between his eyes and the light, and the very bones -of it seemed transparent. So he sat, with a steadfastly vacant gaze, -pausing in his work. He never looked at the figure before him, without -first looking down on this side of himself, then on that, as if he had -lost the habit of associating place with sound; he never spoke, without -first wandering in this manner, and forgetting to speak. - -“Are you going to finish that pair of shoes to-day?” asked Defarge, -motioning to Mr. Lorry to come forward. - -“What did you say?” - -“Do you mean to finish that pair of shoes to-day?” - -“I can't say that I mean to. I suppose so. I don't know.” - -But, the question reminded him of his work, and he bent over it again. - -Mr. Lorry came silently forward, leaving the daughter by the door. When -he had stood, for a minute or two, by the side of Defarge, the shoemaker -looked up. He showed no surprise at seeing another figure, but the -unsteady fingers of one of his hands strayed to his lips as he looked at -it (his lips and his nails were of the same pale lead-colour), and then -the hand dropped to his work, and he once more bent over the shoe. The -look and the action had occupied but an instant. - -“You have a visitor, you see,” said Monsieur Defarge. - -“What did you say?” - -“Here is a visitor.” - -The shoemaker looked up as before, but without removing a hand from his -work. - -“Come!” said Defarge. “Here is monsieur, who knows a well-made shoe when -he sees one. Show him that shoe you are working at. Take it, monsieur.” - -Mr. Lorry took it in his hand. - -“Tell monsieur what kind of shoe it is, and the maker's name.” - -There was a longer pause than usual, before the shoemaker replied: - -“I forget what it was you asked me. What did you say?” - -“I said, couldn't you describe the kind of shoe, for monsieur's -information?” - -“It is a lady's shoe. It is a young lady's walking-shoe. It is in the -present mode. I never saw the mode. I have had a pattern in my hand.” He -glanced at the shoe with some little passing touch of pride. - -“And the maker's name?” said Defarge. - -Now that he had no work to hold, he laid the knuckles of the right hand -in the hollow of the left, and then the knuckles of the left hand in the -hollow of the right, and then passed a hand across his bearded chin, and -so on in regular changes, without a moment's intermission. The task of -recalling him from the vagrancy into which he always sank when he -had spoken, was like recalling some very weak person from a swoon, or -endeavouring, in the hope of some disclosure, to stay the spirit of a -fast-dying man. - -“Did you ask me for my name?” - -“Assuredly I did.” - -“One Hundred and Five, North Tower.” - -“Is that all?” - -“One Hundred and Five, North Tower.” - -With a weary sound that was not a sigh, nor a groan, he bent to work -again, until the silence was again broken. - -“You are not a shoemaker by trade?” said Mr. Lorry, looking steadfastly -at him. - -His haggard eyes turned to Defarge as if he would have transferred the -question to him: but as no help came from that quarter, they turned back -on the questioner when they had sought the ground. - -“I am not a shoemaker by trade? No, I was not a shoemaker by trade. I-I -learnt it here. I taught myself. I asked leave to--” - -He lapsed away, even for minutes, ringing those measured changes on his -hands the whole time. His eyes came slowly back, at last, to the face -from which they had wandered; when they rested on it, he started, and -resumed, in the manner of a sleeper that moment awake, reverting to a -subject of last night. - -“I asked leave to teach myself, and I got it with much difficulty after -a long while, and I have made shoes ever since.” - -As he held out his hand for the shoe that had been taken from him, Mr. -Lorry said, still looking steadfastly in his face: - -“Monsieur Manette, do you remember nothing of me?” - -The shoe dropped to the ground, and he sat looking fixedly at the -questioner. - -“Monsieur Manette”; Mr. Lorry laid his hand upon Defarge's arm; “do you -remember nothing of this man? Look at him. Look at me. Is there no old -banker, no old business, no old servant, no old time, rising in your -mind, Monsieur Manette?” - -As the captive of many years sat looking fixedly, by turns, at Mr. -Lorry and at Defarge, some long obliterated marks of an actively intent -intelligence in the middle of the forehead, gradually forced themselves -through the black mist that had fallen on him. They were overclouded -again, they were fainter, they were gone; but they had been there. And -so exactly was the expression repeated on the fair young face of her who -had crept along the wall to a point where she could see him, and where -she now stood looking at him, with hands which at first had been only -raised in frightened compassion, if not even to keep him off and -shut out the sight of him, but which were now extending towards him, -trembling with eagerness to lay the spectral face upon her warm young -breast, and love it back to life and hope--so exactly was the expression -repeated (though in stronger characters) on her fair young face, that it -looked as though it had passed like a moving light, from him to her. - -Darkness had fallen on him in its place. He looked at the two, less and -less attentively, and his eyes in gloomy abstraction sought the ground -and looked about him in the old way. Finally, with a deep long sigh, he -took the shoe up, and resumed his work. - -“Have you recognised him, monsieur?” asked Defarge in a whisper. - -“Yes; for a moment. At first I thought it quite hopeless, but I have -unquestionably seen, for a single moment, the face that I once knew so -well. Hush! Let us draw further back. Hush!” - -She had moved from the wall of the garret, very near to the bench on -which he sat. There was something awful in his unconsciousness of the -figure that could have put out its hand and touched him as he stooped -over his labour. - -Not a word was spoken, not a sound was made. She stood, like a spirit, -beside him, and he bent over his work. - -It happened, at length, that he had occasion to change the instrument -in his hand, for his shoemaker's knife. It lay on that side of him -which was not the side on which she stood. He had taken it up, and was -stooping to work again, when his eyes caught the skirt of her dress. He -raised them, and saw her face. The two spectators started forward, -but she stayed them with a motion of her hand. She had no fear of his -striking at her with the knife, though they had. - -He stared at her with a fearful look, and after a while his lips began -to form some words, though no sound proceeded from them. By degrees, in -the pauses of his quick and laboured breathing, he was heard to say: - -“What is this?” - -With the tears streaming down her face, she put her two hands to her -lips, and kissed them to him; then clasped them on her breast, as if she -laid his ruined head there. - -“You are not the gaoler's daughter?” - -She sighed “No.” - -“Who are you?” - -Not yet trusting the tones of her voice, she sat down on the bench -beside him. He recoiled, but she laid her hand upon his arm. A strange -thrill struck him when she did so, and visibly passed over his frame; he -laid the knife down softly, as he sat staring at her. - -Her golden hair, which she wore in long curls, had been hurriedly pushed -aside, and fell down over her neck. Advancing his hand by little and -little, he took it up and looked at it. In the midst of the action -he went astray, and, with another deep sigh, fell to work at his -shoemaking. - -But not for long. Releasing his arm, she laid her hand upon his -shoulder. After looking doubtfully at it, two or three times, as if to -be sure that it was really there, he laid down his work, put his hand -to his neck, and took off a blackened string with a scrap of folded rag -attached to it. He opened this, carefully, on his knee, and it contained -a very little quantity of hair: not more than one or two long golden -hairs, which he had, in some old day, wound off upon his finger. - -He took her hair into his hand again, and looked closely at it. “It is -the same. How can it be! When was it! How was it!” - -As the concentrated expression returned to his forehead, he seemed to -become conscious that it was in hers too. He turned her full to the -light, and looked at her. - -“She had laid her head upon my shoulder, that night when I was summoned -out--she had a fear of my going, though I had none--and when I was -brought to the North Tower they found these upon my sleeve. 'You will -leave me them? They can never help me to escape in the body, though they -may in the spirit.' Those were the words I said. I remember them very -well.” - -He formed this speech with his lips many times before he could utter it. -But when he did find spoken words for it, they came to him coherently, -though slowly. - -“How was this?--_Was it you_?” - -Once more, the two spectators started, as he turned upon her with a -frightful suddenness. But she sat perfectly still in his grasp, and only -said, in a low voice, “I entreat you, good gentlemen, do not come near -us, do not speak, do not move!” - -“Hark!” he exclaimed. “Whose voice was that?” - -His hands released her as he uttered this cry, and went up to his white -hair, which they tore in a frenzy. It died out, as everything but his -shoemaking did die out of him, and he refolded his little packet and -tried to secure it in his breast; but he still looked at her, and -gloomily shook his head. - -“No, no, no; you are too young, too blooming. It can't be. See what the -prisoner is. These are not the hands she knew, this is not the face -she knew, this is not a voice she ever heard. No, no. She was--and He -was--before the slow years of the North Tower--ages ago. What is your -name, my gentle angel?” - -Hailing his softened tone and manner, his daughter fell upon her knees -before him, with her appealing hands upon his breast. - -“O, sir, at another time you shall know my name, and who my mother was, -and who my father, and how I never knew their hard, hard history. But I -cannot tell you at this time, and I cannot tell you here. All that I may -tell you, here and now, is, that I pray to you to touch me and to bless -me. Kiss me, kiss me! O my dear, my dear!” - -His cold white head mingled with her radiant hair, which warmed and -lighted it as though it were the light of Freedom shining on him. - -“If you hear in my voice--I don't know that it is so, but I hope it -is--if you hear in my voice any resemblance to a voice that once was -sweet music in your ears, weep for it, weep for it! If you touch, in -touching my hair, anything that recalls a beloved head that lay on your -breast when you were young and free, weep for it, weep for it! If, when -I hint to you of a Home that is before us, where I will be true to you -with all my duty and with all my faithful service, I bring back the -remembrance of a Home long desolate, while your poor heart pined away, -weep for it, weep for it!” - -She held him closer round the neck, and rocked him on her breast like a -child. - -“If, when I tell you, dearest dear, that your agony is over, and that I -have come here to take you from it, and that we go to England to be at -peace and at rest, I cause you to think of your useful life laid waste, -and of our native France so wicked to you, weep for it, weep for it! And -if, when I shall tell you of my name, and of my father who is living, -and of my mother who is dead, you learn that I have to kneel to my -honoured father, and implore his pardon for having never for his sake -striven all day and lain awake and wept all night, because the love of -my poor mother hid his torture from me, weep for it, weep for it! Weep -for her, then, and for me! Good gentlemen, thank God! I feel his sacred -tears upon my face, and his sobs strike against my heart. O, see! Thank -God for us, thank God!” - -He had sunk in her arms, and his face dropped on her breast: a sight so -touching, yet so terrible in the tremendous wrong and suffering which -had gone before it, that the two beholders covered their faces. - -When the quiet of the garret had been long undisturbed, and his heaving -breast and shaken form had long yielded to the calm that must follow all -storms--emblem to humanity, of the rest and silence into which the storm -called Life must hush at last--they came forward to raise the father and -daughter from the ground. He had gradually dropped to the floor, and lay -there in a lethargy, worn out. She had nestled down with him, that his -head might lie upon her arm; and her hair drooping over him curtained -him from the light. - -“If, without disturbing him,” she said, raising her hand to Mr. Lorry as -he stooped over them, after repeated blowings of his nose, “all could be -arranged for our leaving Paris at once, so that, from the very door, he -could be taken away--” - -“But, consider. Is he fit for the journey?” asked Mr. Lorry. - -“More fit for that, I think, than to remain in this city, so dreadful to -him.” - -“It is true,” said Defarge, who was kneeling to look on and hear. “More -than that; Monsieur Manette is, for all reasons, best out of France. -Say, shall I hire a carriage and post-horses?” - -“That's business,” said Mr. Lorry, resuming on the shortest notice his -methodical manners; “and if business is to be done, I had better do it.” - -“Then be so kind,” urged Miss Manette, “as to leave us here. You see how -composed he has become, and you cannot be afraid to leave him with me -now. Why should you be? If you will lock the door to secure us from -interruption, I do not doubt that you will find him, when you come back, -as quiet as you leave him. In any case, I will take care of him until -you return, and then we will remove him straight.” - -Both Mr. Lorry and Defarge were rather disinclined to this course, and -in favour of one of them remaining. But, as there were not only carriage -and horses to be seen to, but travelling papers; and as time pressed, -for the day was drawing to an end, it came at last to their hastily -dividing the business that was necessary to be done, and hurrying away -to do it. - -Then, as the darkness closed in, the daughter laid her head down on the -hard ground close at the father's side, and watched him. The darkness -deepened and deepened, and they both lay quiet, until a light gleamed -through the chinks in the wall. - -Mr. Lorry and Monsieur Defarge had made all ready for the journey, and -had brought with them, besides travelling cloaks and wrappers, bread and -meat, wine, and hot coffee. Monsieur Defarge put this provender, and the -lamp he carried, on the shoemaker's bench (there was nothing else in the -garret but a pallet bed), and he and Mr. Lorry roused the captive, and -assisted him to his feet. - -No human intelligence could have read the mysteries of his mind, in -the scared blank wonder of his face. Whether he knew what had happened, -whether he recollected what they had said to him, whether he knew that -he was free, were questions which no sagacity could have solved. They -tried speaking to him; but, he was so confused, and so very slow to -answer, that they took fright at his bewilderment, and agreed for -the time to tamper with him no more. He had a wild, lost manner of -occasionally clasping his head in his hands, that had not been seen -in him before; yet, he had some pleasure in the mere sound of his -daughter's voice, and invariably turned to it when she spoke. - -In the submissive way of one long accustomed to obey under coercion, he -ate and drank what they gave him to eat and drink, and put on the cloak -and other wrappings, that they gave him to wear. He readily responded to -his daughter's drawing her arm through his, and took--and kept--her hand -in both his own. - -They began to descend; Monsieur Defarge going first with the lamp, Mr. -Lorry closing the little procession. They had not traversed many steps -of the long main staircase when he stopped, and stared at the roof and -round at the walls. - -“You remember the place, my father? You remember coming up here?” - -“What did you say?” - -But, before she could repeat the question, he murmured an answer as if -she had repeated it. - -“Remember? No, I don't remember. It was so very long ago.” - -That he had no recollection whatever of his having been brought from his -prison to that house, was apparent to them. They heard him mutter, -“One Hundred and Five, North Tower;” and when he looked about him, it -evidently was for the strong fortress-walls which had long encompassed -him. On their reaching the courtyard he instinctively altered his -tread, as being in expectation of a drawbridge; and when there was -no drawbridge, and he saw the carriage waiting in the open street, he -dropped his daughter's hand and clasped his head again. - -No crowd was about the door; no people were discernible at any of the -many windows; not even a chance passerby was in the street. An unnatural -silence and desertion reigned there. Only one soul was to be seen, and -that was Madame Defarge--who leaned against the door-post, knitting, and -saw nothing. - -The prisoner had got into a coach, and his daughter had followed -him, when Mr. Lorry's feet were arrested on the step by his asking, -miserably, for his shoemaking tools and the unfinished shoes. Madame -Defarge immediately called to her husband that she would get them, and -went, knitting, out of the lamplight, through the courtyard. She quickly -brought them down and handed them in;--and immediately afterwards leaned -against the door-post, knitting, and saw nothing. - -Defarge got upon the box, and gave the word “To the Barrier!” The -postilion cracked his whip, and they clattered away under the feeble -over-swinging lamps. - -Under the over-swinging lamps--swinging ever brighter in the better -streets, and ever dimmer in the worse--and by lighted shops, gay crowds, -illuminated coffee-houses, and theatre-doors, to one of the city -gates. Soldiers with lanterns, at the guard-house there. “Your papers, -travellers!” “See here then, Monsieur the Officer,” said Defarge, -getting down, and taking him gravely apart, “these are the papers of -monsieur inside, with the white head. They were consigned to me, with -him, at the--” He dropped his voice, there was a flutter among the -military lanterns, and one of them being handed into the coach by an arm -in uniform, the eyes connected with the arm looked, not an every day -or an every night look, at monsieur with the white head. “It is well. -Forward!” from the uniform. “Adieu!” from Defarge. And so, under a short -grove of feebler and feebler over-swinging lamps, out under the great -grove of stars. - -Beneath that arch of unmoved and eternal lights; some, so remote from -this little earth that the learned tell us it is doubtful whether their -rays have even yet discovered it, as a point in space where anything -is suffered or done: the shadows of the night were broad and black. -All through the cold and restless interval, until dawn, they once more -whispered in the ears of Mr. Jarvis Lorry--sitting opposite the buried -man who had been dug out, and wondering what subtle powers were for ever -lost to him, and what were capable of restoration--the old inquiry: - -“I hope you care to be recalled to life?” - -And the old answer: - -“I can't say.” - - -The end of the first book. - - - - - -Book the Second--the Golden Thread - - - - -I. Five Years Later - - -Tellson's Bank by Temple Bar was an old-fashioned place, even in the -year one thousand seven hundred and eighty. It was very small, very -dark, very ugly, very incommodious. It was an old-fashioned place, -moreover, in the moral attribute that the partners in the House were -proud of its smallness, proud of its darkness, proud of its ugliness, -proud of its incommodiousness. They were even boastful of its eminence -in those particulars, and were fired by an express conviction that, if -it were less objectionable, it would be less respectable. This was -no passive belief, but an active weapon which they flashed at more -convenient places of business. Tellson's (they said) wanted -no elbow-room, Tellson's wanted no light, Tellson's wanted no -embellishment. Noakes and Co.'s might, or Snooks Brothers' might; but -Tellson's, thank Heaven--! - -Any one of these partners would have disinherited his son on the -question of rebuilding Tellson's. In this respect the House was much -on a par with the Country; which did very often disinherit its sons for -suggesting improvements in laws and customs that had long been highly -objectionable, but were only the more respectable. - -Thus it had come to pass, that Tellson's was the triumphant perfection -of inconvenience. After bursting open a door of idiotic obstinacy with -a weak rattle in its throat, you fell into Tellson's down two steps, -and came to your senses in a miserable little shop, with two little -counters, where the oldest of men made your cheque shake as if the -wind rustled it, while they examined the signature by the dingiest of -windows, which were always under a shower-bath of mud from Fleet-street, -and which were made the dingier by their own iron bars proper, and the -heavy shadow of Temple Bar. If your business necessitated your seeing -“the House,” you were put into a species of Condemned Hold at the back, -where you meditated on a misspent life, until the House came with its -hands in its pockets, and you could hardly blink at it in the dismal -twilight. Your money came out of, or went into, wormy old wooden -drawers, particles of which flew up your nose and down your throat when -they were opened and shut. Your bank-notes had a musty odour, as if they -were fast decomposing into rags again. Your plate was stowed away among -the neighbouring cesspools, and evil communications corrupted its good -polish in a day or two. Your deeds got into extemporised strong-rooms -made of kitchens and sculleries, and fretted all the fat out of their -parchments into the banking-house air. Your lighter boxes of family -papers went up-stairs into a Barmecide room, that always had a great -dining-table in it and never had a dinner, and where, even in the year -one thousand seven hundred and eighty, the first letters written to you -by your old love, or by your little children, were but newly released -from the horror of being ogled through the windows, by the heads -exposed on Temple Bar with an insensate brutality and ferocity worthy of -Abyssinia or Ashantee. - -But indeed, at that time, putting to death was a recipe much in vogue -with all trades and professions, and not least of all with Tellson's. -Death is Nature's remedy for all things, and why not Legislation's? -Accordingly, the forger was put to Death; the utterer of a bad note -was put to Death; the unlawful opener of a letter was put to Death; the -purloiner of forty shillings and sixpence was put to Death; the holder -of a horse at Tellson's door, who made off with it, was put to -Death; the coiner of a bad shilling was put to Death; the sounders of -three-fourths of the notes in the whole gamut of Crime, were put to -Death. Not that it did the least good in the way of prevention--it -might almost have been worth remarking that the fact was exactly the -reverse--but, it cleared off (as to this world) the trouble of each -particular case, and left nothing else connected with it to be looked -after. Thus, Tellson's, in its day, like greater places of business, -its contemporaries, had taken so many lives, that, if the heads laid -low before it had been ranged on Temple Bar instead of being privately -disposed of, they would probably have excluded what little light the -ground floor had, in a rather significant manner. - -Cramped in all kinds of dim cupboards and hutches at Tellson's, the -oldest of men carried on the business gravely. When they took a young -man into Tellson's London house, they hid him somewhere till he was -old. They kept him in a dark place, like a cheese, until he had the full -Tellson flavour and blue-mould upon him. Then only was he permitted to -be seen, spectacularly poring over large books, and casting his breeches -and gaiters into the general weight of the establishment. - -Outside Tellson's--never by any means in it, unless called in--was an -odd-job-man, an occasional porter and messenger, who served as the live -sign of the house. He was never absent during business hours, unless -upon an errand, and then he was represented by his son: a grisly urchin -of twelve, who was his express image. People understood that Tellson's, -in a stately way, tolerated the odd-job-man. The house had always -tolerated some person in that capacity, and time and tide had drifted -this person to the post. His surname was Cruncher, and on the youthful -occasion of his renouncing by proxy the works of darkness, in the -easterly parish church of Hounsditch, he had received the added -appellation of Jerry. - -The scene was Mr. Cruncher's private lodging in Hanging-sword-alley, -Whitefriars: the time, half-past seven of the clock on a windy March -morning, Anno Domini seventeen hundred and eighty. (Mr. Cruncher himself -always spoke of the year of our Lord as Anna Dominoes: apparently under -the impression that the Christian era dated from the invention of a -popular game, by a lady who had bestowed her name upon it.) - -Mr. Cruncher's apartments were not in a savoury neighbourhood, and were -but two in number, even if a closet with a single pane of glass in it -might be counted as one. But they were very decently kept. Early as -it was, on the windy March morning, the room in which he lay abed was -already scrubbed throughout; and between the cups and saucers arranged -for breakfast, and the lumbering deal table, a very clean white cloth -was spread. - -Mr. Cruncher reposed under a patchwork counterpane, like a Harlequin -at home. At first, he slept heavily, but, by degrees, began to roll -and surge in bed, until he rose above the surface, with his spiky hair -looking as if it must tear the sheets to ribbons. At which juncture, he -exclaimed, in a voice of dire exasperation: - -“Bust me, if she ain't at it agin!” - -A woman of orderly and industrious appearance rose from her knees in a -corner, with sufficient haste and trepidation to show that she was the -person referred to. - -“What!” said Mr. Cruncher, looking out of bed for a boot. “You're at it -agin, are you?” - -After hailing the morn with this second salutation, he threw a boot at -the woman as a third. It was a very muddy boot, and may introduce the -odd circumstance connected with Mr. Cruncher's domestic economy, that, -whereas he often came home after banking hours with clean boots, he -often got up next morning to find the same boots covered with clay. - -“What,” said Mr. Cruncher, varying his apostrophe after missing his -mark--“what are you up to, Aggerawayter?” - -“I was only saying my prayers.” - -“Saying your prayers! You're a nice woman! What do you mean by flopping -yourself down and praying agin me?” - -“I was not praying against you; I was praying for you.” - -“You weren't. And if you were, I won't be took the liberty with. Here! -your mother's a nice woman, young Jerry, going a praying agin your -father's prosperity. You've got a dutiful mother, you have, my son. -You've got a religious mother, you have, my boy: going and flopping -herself down, and praying that the bread-and-butter may be snatched out -of the mouth of her only child.” - -Master Cruncher (who was in his shirt) took this very ill, and, turning -to his mother, strongly deprecated any praying away of his personal -board. - -“And what do you suppose, you conceited female,” said Mr. Cruncher, with -unconscious inconsistency, “that the worth of _your_ prayers may be? -Name the price that you put _your_ prayers at!” - -“They only come from the heart, Jerry. They are worth no more than -that.” - -“Worth no more than that,” repeated Mr. Cruncher. “They ain't worth -much, then. Whether or no, I won't be prayed agin, I tell you. I can't -afford it. I'm not a going to be made unlucky by _your_ sneaking. If -you must go flopping yourself down, flop in favour of your husband and -child, and not in opposition to 'em. If I had had any but a unnat'ral -wife, and this poor boy had had any but a unnat'ral mother, I might -have made some money last week instead of being counter-prayed and -countermined and religiously circumwented into the worst of luck. -B-u-u-ust me!” said Mr. Cruncher, who all this time had been putting -on his clothes, “if I ain't, what with piety and one blowed thing and -another, been choused this last week into as bad luck as ever a poor -devil of a honest tradesman met with! Young Jerry, dress yourself, my -boy, and while I clean my boots keep a eye upon your mother now and -then, and if you see any signs of more flopping, give me a call. For, I -tell you,” here he addressed his wife once more, “I won't be gone agin, -in this manner. I am as rickety as a hackney-coach, I'm as sleepy as -laudanum, my lines is strained to that degree that I shouldn't know, if -it wasn't for the pain in 'em, which was me and which somebody else, yet -I'm none the better for it in pocket; and it's my suspicion that you've -been at it from morning to night to prevent me from being the better for -it in pocket, and I won't put up with it, Aggerawayter, and what do you -say now!” - -Growling, in addition, such phrases as “Ah! yes! You're religious, too. -You wouldn't put yourself in opposition to the interests of your husband -and child, would you? Not you!” and throwing off other sarcastic sparks -from the whirling grindstone of his indignation, Mr. Cruncher betook -himself to his boot-cleaning and his general preparation for business. -In the meantime, his son, whose head was garnished with tenderer spikes, -and whose young eyes stood close by one another, as his father's did, -kept the required watch upon his mother. He greatly disturbed that poor -woman at intervals, by darting out of his sleeping closet, where he made -his toilet, with a suppressed cry of “You are going to flop, mother. ---Halloa, father!” and, after raising this fictitious alarm, darting in -again with an undutiful grin. - -Mr. Cruncher's temper was not at all improved when he came to his -breakfast. He resented Mrs. Cruncher's saying grace with particular -animosity. - -“Now, Aggerawayter! What are you up to? At it again?” - -His wife explained that she had merely “asked a blessing.” - -“Don't do it!” said Mr. Crunches looking about, as if he rather expected -to see the loaf disappear under the efficacy of his wife's petitions. “I -ain't a going to be blest out of house and home. I won't have my wittles -blest off my table. Keep still!” - -Exceedingly red-eyed and grim, as if he had been up all night at a party -which had taken anything but a convivial turn, Jerry Cruncher worried -his breakfast rather than ate it, growling over it like any four-footed -inmate of a menagerie. Towards nine o'clock he smoothed his ruffled -aspect, and, presenting as respectable and business-like an exterior as -he could overlay his natural self with, issued forth to the occupation -of the day. - -It could scarcely be called a trade, in spite of his favourite -description of himself as “a honest tradesman.” His stock consisted of -a wooden stool, made out of a broken-backed chair cut down, which stool, -young Jerry, walking at his father's side, carried every morning to -beneath the banking-house window that was nearest Temple Bar: where, -with the addition of the first handful of straw that could be gleaned -from any passing vehicle to keep the cold and wet from the odd-job-man's -feet, it formed the encampment for the day. On this post of his, Mr. -Cruncher was as well known to Fleet-street and the Temple, as the Bar -itself,--and was almost as in-looking. - -Encamped at a quarter before nine, in good time to touch his -three-cornered hat to the oldest of men as they passed in to Tellson's, -Jerry took up his station on this windy March morning, with young Jerry -standing by him, when not engaged in making forays through the Bar, to -inflict bodily and mental injuries of an acute description on passing -boys who were small enough for his amiable purpose. Father and son, -extremely like each other, looking silently on at the morning traffic -in Fleet-street, with their two heads as near to one another as the two -eyes of each were, bore a considerable resemblance to a pair of monkeys. -The resemblance was not lessened by the accidental circumstance, that -the mature Jerry bit and spat out straw, while the twinkling eyes of the -youthful Jerry were as restlessly watchful of him as of everything else -in Fleet-street. - -The head of one of the regular indoor messengers attached to Tellson's -establishment was put through the door, and the word was given: - -“Porter wanted!” - -“Hooray, father! Here's an early job to begin with!” - -Having thus given his parent God speed, young Jerry seated himself on -the stool, entered on his reversionary interest in the straw his father -had been chewing, and cogitated. - -“Al-ways rusty! His fingers is al-ways rusty!” muttered young Jerry. -“Where does my father get all that iron rust from? He don't get no iron -rust here!” - - - - -II. A Sight - - -“You know the Old Bailey well, no doubt?” said one of the oldest of -clerks to Jerry the messenger. - -“Ye-es, sir,” returned Jerry, in something of a dogged manner. “I _do_ -know the Bailey.” - -“Just so. And you know Mr. Lorry.” - -“I know Mr. Lorry, sir, much better than I know the Bailey. Much -better,” said Jerry, not unlike a reluctant witness at the establishment -in question, “than I, as a honest tradesman, wish to know the Bailey.” - -“Very well. Find the door where the witnesses go in, and show the -door-keeper this note for Mr. Lorry. He will then let you in.” - -“Into the court, sir?” - -“Into the court.” - -Mr. Cruncher's eyes seemed to get a little closer to one another, and to -interchange the inquiry, “What do you think of this?” - -“Am I to wait in the court, sir?” he asked, as the result of that -conference. - -“I am going to tell you. The door-keeper will pass the note to Mr. -Lorry, and do you make any gesture that will attract Mr. Lorry's -attention, and show him where you stand. Then what you have to do, is, -to remain there until he wants you.” - -“Is that all, sir?” - -“That's all. He wishes to have a messenger at hand. This is to tell him -you are there.” - -As the ancient clerk deliberately folded and superscribed the note, -Mr. Cruncher, after surveying him in silence until he came to the -blotting-paper stage, remarked: - -“I suppose they'll be trying Forgeries this morning?” - -“Treason!” - -“That's quartering,” said Jerry. “Barbarous!” - -“It is the law,” remarked the ancient clerk, turning his surprised -spectacles upon him. “It is the law.” - -“It's hard in the law to spile a man, I think. It's hard enough to kill -him, but it's wery hard to spile him, sir.” - -“Not at all,” retained the ancient clerk. “Speak well of the law. Take -care of your chest and voice, my good friend, and leave the law to take -care of itself. I give you that advice.” - -“It's the damp, sir, what settles on my chest and voice,” said Jerry. “I -leave you to judge what a damp way of earning a living mine is.” - -“Well, well,” said the old clerk; “we all have our various ways of -gaining a livelihood. Some of us have damp ways, and some of us have dry -ways. Here is the letter. Go along.” - -Jerry took the letter, and, remarking to himself with less internal -deference than he made an outward show of, “You are a lean old one, -too,” made his bow, informed his son, in passing, of his destination, -and went his way. - -They hanged at Tyburn, in those days, so the street outside Newgate had -not obtained one infamous notoriety that has since attached to it. -But, the gaol was a vile place, in which most kinds of debauchery and -villainy were practised, and where dire diseases were bred, that came -into court with the prisoners, and sometimes rushed straight from the -dock at my Lord Chief Justice himself, and pulled him off the bench. It -had more than once happened, that the Judge in the black cap pronounced -his own doom as certainly as the prisoner's, and even died before him. -For the rest, the Old Bailey was famous as a kind of deadly inn-yard, -from which pale travellers set out continually, in carts and coaches, on -a violent passage into the other world: traversing some two miles and a -half of public street and road, and shaming few good citizens, if any. -So powerful is use, and so desirable to be good use in the beginning. It -was famous, too, for the pillory, a wise old institution, that inflicted -a punishment of which no one could foresee the extent; also, for -the whipping-post, another dear old institution, very humanising and -softening to behold in action; also, for extensive transactions in -blood-money, another fragment of ancestral wisdom, systematically -leading to the most frightful mercenary crimes that could be committed -under Heaven. Altogether, the Old Bailey, at that date, was a choice -illustration of the precept, that “Whatever is is right;” an aphorism -that would be as final as it is lazy, did it not include the troublesome -consequence, that nothing that ever was, was wrong. - -Making his way through the tainted crowd, dispersed up and down this -hideous scene of action, with the skill of a man accustomed to make his -way quietly, the messenger found out the door he sought, and handed in -his letter through a trap in it. For, people then paid to see the play -at the Old Bailey, just as they paid to see the play in Bedlam--only the -former entertainment was much the dearer. Therefore, all the Old Bailey -doors were well guarded--except, indeed, the social doors by which the -criminals got there, and those were always left wide open. - -After some delay and demur, the door grudgingly turned on its hinges a -very little way, and allowed Mr. Jerry Cruncher to squeeze himself into -court. - -“What's on?” he asked, in a whisper, of the man he found himself next -to. - -“Nothing yet.” - -“What's coming on?” - -“The Treason case.” - -“The quartering one, eh?” - -“Ah!” returned the man, with a relish; “he'll be drawn on a hurdle to -be half hanged, and then he'll be taken down and sliced before his own -face, and then his inside will be taken out and burnt while he looks on, -and then his head will be chopped off, and he'll be cut into quarters. -That's the sentence.” - -“If he's found Guilty, you mean to say?” Jerry added, by way of proviso. - -“Oh! they'll find him guilty,” said the other. “Don't you be afraid of -that.” - -Mr. Cruncher's attention was here diverted to the door-keeper, whom he -saw making his way to Mr. Lorry, with the note in his hand. Mr. Lorry -sat at a table, among the gentlemen in wigs: not far from a wigged -gentleman, the prisoner's counsel, who had a great bundle of papers -before him: and nearly opposite another wigged gentleman with his hands -in his pockets, whose whole attention, when Mr. Cruncher looked at him -then or afterwards, seemed to be concentrated on the ceiling of the -court. After some gruff coughing and rubbing of his chin and signing -with his hand, Jerry attracted the notice of Mr. Lorry, who had stood up -to look for him, and who quietly nodded and sat down again. - -“What's _he_ got to do with the case?” asked the man he had spoken with. - -“Blest if I know,” said Jerry. - -“What have _you_ got to do with it, then, if a person may inquire?” - -“Blest if I know that either,” said Jerry. - -The entrance of the Judge, and a consequent great stir and settling -down in the court, stopped the dialogue. Presently, the dock became the -central point of interest. Two gaolers, who had been standing there, -went out, and the prisoner was brought in, and put to the bar. - -Everybody present, except the one wigged gentleman who looked at the -ceiling, stared at him. All the human breath in the place, rolled -at him, like a sea, or a wind, or a fire. Eager faces strained round -pillars and corners, to get a sight of him; spectators in back rows -stood up, not to miss a hair of him; people on the floor of the court, -laid their hands on the shoulders of the people before them, to help -themselves, at anybody's cost, to a view of him--stood a-tiptoe, got -upon ledges, stood upon next to nothing, to see every inch of him. -Conspicuous among these latter, like an animated bit of the spiked wall -of Newgate, Jerry stood: aiming at the prisoner the beery breath of a -whet he had taken as he came along, and discharging it to mingle with -the waves of other beer, and gin, and tea, and coffee, and what not, -that flowed at him, and already broke upon the great windows behind him -in an impure mist and rain. - -The object of all this staring and blaring, was a young man of about -five-and-twenty, well-grown and well-looking, with a sunburnt cheek and -a dark eye. His condition was that of a young gentleman. He was plainly -dressed in black, or very dark grey, and his hair, which was long and -dark, was gathered in a ribbon at the back of his neck; more to be out -of his way than for ornament. As an emotion of the mind will express -itself through any covering of the body, so the paleness which his -situation engendered came through the brown upon his cheek, showing the -soul to be stronger than the sun. He was otherwise quite self-possessed, -bowed to the Judge, and stood quiet. - -The sort of interest with which this man was stared and breathed at, -was not a sort that elevated humanity. Had he stood in peril of a less -horrible sentence--had there been a chance of any one of its savage -details being spared--by just so much would he have lost in his -fascination. The form that was to be doomed to be so shamefully mangled, -was the sight; the immortal creature that was to be so butchered -and torn asunder, yielded the sensation. Whatever gloss the various -spectators put upon the interest, according to their several arts and -powers of self-deceit, the interest was, at the root of it, Ogreish. - -Silence in the court! Charles Darnay had yesterday pleaded Not Guilty to -an indictment denouncing him (with infinite jingle and jangle) for that -he was a false traitor to our serene, illustrious, excellent, and so -forth, prince, our Lord the King, by reason of his having, on divers -occasions, and by divers means and ways, assisted Lewis, the French -King, in his wars against our said serene, illustrious, excellent, and -so forth; that was to say, by coming and going, between the dominions of -our said serene, illustrious, excellent, and so forth, and those of the -said French Lewis, and wickedly, falsely, traitorously, and otherwise -evil-adverbiously, revealing to the said French Lewis what forces our -said serene, illustrious, excellent, and so forth, had in preparation -to send to Canada and North America. This much, Jerry, with his head -becoming more and more spiky as the law terms bristled it, made out with -huge satisfaction, and so arrived circuitously at the understanding that -the aforesaid, and over and over again aforesaid, Charles Darnay, stood -there before him upon his trial; that the jury were swearing in; and -that Mr. Attorney-General was making ready to speak. - -The accused, who was (and who knew he was) being mentally hanged, -beheaded, and quartered, by everybody there, neither flinched from -the situation, nor assumed any theatrical air in it. He was quiet and -attentive; watched the opening proceedings with a grave interest; -and stood with his hands resting on the slab of wood before him, so -composedly, that they had not displaced a leaf of the herbs with which -it was strewn. The court was all bestrewn with herbs and sprinkled with -vinegar, as a precaution against gaol air and gaol fever. - -Over the prisoner's head there was a mirror, to throw the light down -upon him. Crowds of the wicked and the wretched had been reflected in -it, and had passed from its surface and this earth's together. Haunted -in a most ghastly manner that abominable place would have been, if the -glass could ever have rendered back its reflections, as the ocean is one -day to give up its dead. Some passing thought of the infamy and disgrace -for which it had been reserved, may have struck the prisoner's mind. Be -that as it may, a change in his position making him conscious of a bar -of light across his face, he looked up; and when he saw the glass his -face flushed, and his right hand pushed the herbs away. - -It happened, that the action turned his face to that side of the court -which was on his left. About on a level with his eyes, there sat, -in that corner of the Judge's bench, two persons upon whom his look -immediately rested; so immediately, and so much to the changing of his -aspect, that all the eyes that were turned upon him, turned to them. - -The spectators saw in the two figures, a young lady of little more than -twenty, and a gentleman who was evidently her father; a man of a very -remarkable appearance in respect of the absolute whiteness of his hair, -and a certain indescribable intensity of face: not of an active kind, -but pondering and self-communing. When this expression was upon him, he -looked as if he were old; but when it was stirred and broken up--as -it was now, in a moment, on his speaking to his daughter--he became a -handsome man, not past the prime of life. - -His daughter had one of her hands drawn through his arm, as she sat by -him, and the other pressed upon it. She had drawn close to him, in her -dread of the scene, and in her pity for the prisoner. Her forehead had -been strikingly expressive of an engrossing terror and compassion -that saw nothing but the peril of the accused. This had been so very -noticeable, so very powerfully and naturally shown, that starers who -had had no pity for him were touched by her; and the whisper went about, -“Who are they?” - -Jerry, the messenger, who had made his own observations, in his own -manner, and who had been sucking the rust off his fingers in his -absorption, stretched his neck to hear who they were. The crowd about -him had pressed and passed the inquiry on to the nearest attendant, and -from him it had been more slowly pressed and passed back; at last it got -to Jerry: - -“Witnesses.” - -“For which side?” - -“Against.” - -“Against what side?” - -“The prisoner's.” - -The Judge, whose eyes had gone in the general direction, recalled them, -leaned back in his seat, and looked steadily at the man whose life was -in his hand, as Mr. Attorney-General rose to spin the rope, grind the -axe, and hammer the nails into the scaffold. - - - - -III. A Disappointment - - -Mr. Attorney-General had to inform the jury, that the prisoner before -them, though young in years, was old in the treasonable practices which -claimed the forfeit of his life. That this correspondence with the -public enemy was not a correspondence of to-day, or of yesterday, or -even of last year, or of the year before. That, it was certain the -prisoner had, for longer than that, been in the habit of passing and -repassing between France and England, on secret business of which -he could give no honest account. That, if it were in the nature of -traitorous ways to thrive (which happily it never was), the real -wickedness and guilt of his business might have remained undiscovered. -That Providence, however, had put it into the heart of a person who -was beyond fear and beyond reproach, to ferret out the nature of the -prisoner's schemes, and, struck with horror, to disclose them to his -Majesty's Chief Secretary of State and most honourable Privy Council. -That, this patriot would be produced before them. That, his position and -attitude were, on the whole, sublime. That, he had been the prisoner's -friend, but, at once in an auspicious and an evil hour detecting his -infamy, had resolved to immolate the traitor he could no longer cherish -in his bosom, on the sacred altar of his country. That, if statues -were decreed in Britain, as in ancient Greece and Rome, to public -benefactors, this shining citizen would assuredly have had one. That, as -they were not so decreed, he probably would not have one. That, Virtue, -as had been observed by the poets (in many passages which he well -knew the jury would have, word for word, at the tips of their tongues; -whereat the jury's countenances displayed a guilty consciousness that -they knew nothing about the passages), was in a manner contagious; more -especially the bright virtue known as patriotism, or love of country. -That, the lofty example of this immaculate and unimpeachable witness -for the Crown, to refer to whom however unworthily was an honour, had -communicated itself to the prisoner's servant, and had engendered in him -a holy determination to examine his master's table-drawers and pockets, -and secrete his papers. That, he (Mr. Attorney-General) was prepared to -hear some disparagement attempted of this admirable servant; but that, -in a general way, he preferred him to his (Mr. Attorney-General's) -brothers and sisters, and honoured him more than his (Mr. -Attorney-General's) father and mother. That, he called with confidence -on the jury to come and do likewise. That, the evidence of these two -witnesses, coupled with the documents of their discovering that would be -produced, would show the prisoner to have been furnished with lists of -his Majesty's forces, and of their disposition and preparation, both by -sea and land, and would leave no doubt that he had habitually conveyed -such information to a hostile power. That, these lists could not be -proved to be in the prisoner's handwriting; but that it was all the -same; that, indeed, it was rather the better for the prosecution, as -showing the prisoner to be artful in his precautions. That, the proof -would go back five years, and would show the prisoner already engaged -in these pernicious missions, within a few weeks before the date of the -very first action fought between the British troops and the Americans. -That, for these reasons, the jury, being a loyal jury (as he knew they -were), and being a responsible jury (as _they_ knew they were), must -positively find the prisoner Guilty, and make an end of him, whether -they liked it or not. That, they never could lay their heads upon their -pillows; that, they never could tolerate the idea of their wives laying -their heads upon their pillows; that, they never could endure the notion -of their children laying their heads upon their pillows; in short, that -there never more could be, for them or theirs, any laying of heads upon -pillows at all, unless the prisoner's head was taken off. That head -Mr. Attorney-General concluded by demanding of them, in the name of -everything he could think of with a round turn in it, and on the faith -of his solemn asseveration that he already considered the prisoner as -good as dead and gone. - -When the Attorney-General ceased, a buzz arose in the court as if -a cloud of great blue-flies were swarming about the prisoner, in -anticipation of what he was soon to become. When toned down again, the -unimpeachable patriot appeared in the witness-box. - -Mr. Solicitor-General then, following his leader's lead, examined the -patriot: John Barsad, gentleman, by name. The story of his pure soul was -exactly what Mr. Attorney-General had described it to be--perhaps, if -it had a fault, a little too exactly. Having released his noble bosom -of its burden, he would have modestly withdrawn himself, but that the -wigged gentleman with the papers before him, sitting not far from Mr. -Lorry, begged to ask him a few questions. The wigged gentleman sitting -opposite, still looking at the ceiling of the court. - -Had he ever been a spy himself? No, he scorned the base insinuation. -What did he live upon? His property. Where was his property? He didn't -precisely remember where it was. What was it? No business of anybody's. -Had he inherited it? Yes, he had. From whom? Distant relation. Very -distant? Rather. Ever been in prison? Certainly not. Never in a debtors' -prison? Didn't see what that had to do with it. Never in a debtors' -prison?--Come, once again. Never? Yes. How many times? Two or three -times. Not five or six? Perhaps. Of what profession? Gentleman. Ever -been kicked? Might have been. Frequently? No. Ever kicked downstairs? -Decidedly not; once received a kick on the top of a staircase, and fell -downstairs of his own accord. Kicked on that occasion for cheating at -dice? Something to that effect was said by the intoxicated liar who -committed the assault, but it was not true. Swear it was not true? -Positively. Ever live by cheating at play? Never. Ever live by play? Not -more than other gentlemen do. Ever borrow money of the prisoner? Yes. -Ever pay him? No. Was not this intimacy with the prisoner, in reality a -very slight one, forced upon the prisoner in coaches, inns, and packets? -No. Sure he saw the prisoner with these lists? Certain. Knew no more -about the lists? No. Had not procured them himself, for instance? No. -Expect to get anything by this evidence? No. Not in regular government -pay and employment, to lay traps? Oh dear no. Or to do anything? Oh dear -no. Swear that? Over and over again. No motives but motives of sheer -patriotism? None whatever. - -The virtuous servant, Roger Cly, swore his way through the case at a -great rate. He had taken service with the prisoner, in good faith and -simplicity, four years ago. He had asked the prisoner, aboard the Calais -packet, if he wanted a handy fellow, and the prisoner had engaged him. -He had not asked the prisoner to take the handy fellow as an act of -charity--never thought of such a thing. He began to have suspicions of -the prisoner, and to keep an eye upon him, soon afterwards. In arranging -his clothes, while travelling, he had seen similar lists to these in the -prisoner's pockets, over and over again. He had taken these lists from -the drawer of the prisoner's desk. He had not put them there first. He -had seen the prisoner show these identical lists to French gentlemen -at Calais, and similar lists to French gentlemen, both at Calais and -Boulogne. He loved his country, and couldn't bear it, and had given -information. He had never been suspected of stealing a silver tea-pot; -he had been maligned respecting a mustard-pot, but it turned out to be -only a plated one. He had known the last witness seven or eight years; -that was merely a coincidence. He didn't call it a particularly curious -coincidence; most coincidences were curious. Neither did he call it a -curious coincidence that true patriotism was _his_ only motive too. He -was a true Briton, and hoped there were many like him. - -The blue-flies buzzed again, and Mr. Attorney-General called Mr. Jarvis -Lorry. - -“Mr. Jarvis Lorry, are you a clerk in Tellson's bank?” - -“I am.” - -“On a certain Friday night in November one thousand seven hundred and -seventy-five, did business occasion you to travel between London and -Dover by the mail?” - -“It did.” - -“Were there any other passengers in the mail?” - -“Two.” - -“Did they alight on the road in the course of the night?” - -“They did.” - -“Mr. Lorry, look upon the prisoner. Was he one of those two passengers?” - -“I cannot undertake to say that he was.” - -“Does he resemble either of these two passengers?” - -“Both were so wrapped up, and the night was so dark, and we were all so -reserved, that I cannot undertake to say even that.” - -“Mr. Lorry, look again upon the prisoner. Supposing him wrapped up as -those two passengers were, is there anything in his bulk and stature to -render it unlikely that he was one of them?” - -“No.” - -“You will not swear, Mr. Lorry, that he was not one of them?” - -“No.” - -“So at least you say he may have been one of them?” - -“Yes. Except that I remember them both to have been--like -myself--timorous of highwaymen, and the prisoner has not a timorous -air.” - -“Did you ever see a counterfeit of timidity, Mr. Lorry?” - -“I certainly have seen that.” - -“Mr. Lorry, look once more upon the prisoner. Have you seen him, to your -certain knowledge, before?” - -“I have.” - -“When?” - -“I was returning from France a few days afterwards, and, at Calais, the -prisoner came on board the packet-ship in which I returned, and made the -voyage with me.” - -“At what hour did he come on board?” - -“At a little after midnight.” - -“In the dead of the night. Was he the only passenger who came on board -at that untimely hour?” - -“He happened to be the only one.” - -“Never mind about 'happening,' Mr. Lorry. He was the only passenger who -came on board in the dead of the night?” - -“He was.” - -“Were you travelling alone, Mr. Lorry, or with any companion?” - -“With two companions. A gentleman and lady. They are here.” - -“They are here. Had you any conversation with the prisoner?” - -“Hardly any. The weather was stormy, and the passage long and rough, and -I lay on a sofa, almost from shore to shore.” - -“Miss Manette!” - -The young lady, to whom all eyes had been turned before, and were now -turned again, stood up where she had sat. Her father rose with her, and -kept her hand drawn through his arm. - -“Miss Manette, look upon the prisoner.” - -To be confronted with such pity, and such earnest youth and beauty, was -far more trying to the accused than to be confronted with all the crowd. -Standing, as it were, apart with her on the edge of his grave, not all -the staring curiosity that looked on, could, for the moment, nerve him -to remain quite still. His hurried right hand parcelled out the herbs -before him into imaginary beds of flowers in a garden; and his efforts -to control and steady his breathing shook the lips from which the colour -rushed to his heart. The buzz of the great flies was loud again. - -“Miss Manette, have you seen the prisoner before?” - -“Yes, sir.” - -“Where?” - -“On board of the packet-ship just now referred to, sir, and on the same -occasion.” - -“You are the young lady just now referred to?” - -“O! most unhappily, I am!” - -The plaintive tone of her compassion merged into the less musical voice -of the Judge, as he said something fiercely: “Answer the questions put -to you, and make no remark upon them.” - -“Miss Manette, had you any conversation with the prisoner on that -passage across the Channel?” - -“Yes, sir.” - -“Recall it.” - -In the midst of a profound stillness, she faintly began: “When the -gentleman came on board--” - -“Do you mean the prisoner?” inquired the Judge, knitting his brows. - -“Yes, my Lord.” - -“Then say the prisoner.” - -“When the prisoner came on board, he noticed that my father,” turning -her eyes lovingly to him as he stood beside her, “was much fatigued -and in a very weak state of health. My father was so reduced that I was -afraid to take him out of the air, and I had made a bed for him on the -deck near the cabin steps, and I sat on the deck at his side to take -care of him. There were no other passengers that night, but we four. -The prisoner was so good as to beg permission to advise me how I could -shelter my father from the wind and weather, better than I had done. I -had not known how to do it well, not understanding how the wind would -set when we were out of the harbour. He did it for me. He expressed -great gentleness and kindness for my father's state, and I am sure he -felt it. That was the manner of our beginning to speak together.” - -“Let me interrupt you for a moment. Had he come on board alone?” - -“No.” - -“How many were with him?” - -“Two French gentlemen.” - -“Had they conferred together?” - -“They had conferred together until the last moment, when it was -necessary for the French gentlemen to be landed in their boat.” - -“Had any papers been handed about among them, similar to these lists?” - -“Some papers had been handed about among them, but I don't know what -papers.” - -“Like these in shape and size?” - -“Possibly, but indeed I don't know, although they stood whispering very -near to me: because they stood at the top of the cabin steps to have the -light of the lamp that was hanging there; it was a dull lamp, and they -spoke very low, and I did not hear what they said, and saw only that -they looked at papers.” - -“Now, to the prisoner's conversation, Miss Manette.” - -“The prisoner was as open in his confidence with me--which arose out -of my helpless situation--as he was kind, and good, and useful to my -father. I hope,” bursting into tears, “I may not repay him by doing him -harm to-day.” - -Buzzing from the blue-flies. - -“Miss Manette, if the prisoner does not perfectly understand that -you give the evidence which it is your duty to give--which you must -give--and which you cannot escape from giving--with great unwillingness, -he is the only person present in that condition. Please to go on.” - -“He told me that he was travelling on business of a delicate and -difficult nature, which might get people into trouble, and that he was -therefore travelling under an assumed name. He said that this business -had, within a few days, taken him to France, and might, at intervals, -take him backwards and forwards between France and England for a long -time to come.” - -“Did he say anything about America, Miss Manette? Be particular.” - -“He tried to explain to me how that quarrel had arisen, and he said -that, so far as he could judge, it was a wrong and foolish one on -England's part. He added, in a jesting way, that perhaps George -Washington might gain almost as great a name in history as George the -Third. But there was no harm in his way of saying this: it was said -laughingly, and to beguile the time.” - -Any strongly marked expression of face on the part of a chief actor in -a scene of great interest to whom many eyes are directed, will be -unconsciously imitated by the spectators. Her forehead was painfully -anxious and intent as she gave this evidence, and, in the pauses when -she stopped for the Judge to write it down, watched its effect upon -the counsel for and against. Among the lookers-on there was the same -expression in all quarters of the court; insomuch, that a great majority -of the foreheads there, might have been mirrors reflecting the witness, -when the Judge looked up from his notes to glare at that tremendous -heresy about George Washington. - -Mr. Attorney-General now signified to my Lord, that he deemed it -necessary, as a matter of precaution and form, to call the young lady's -father, Doctor Manette. Who was called accordingly. - -“Doctor Manette, look upon the prisoner. Have you ever seen him before?” - -“Once. When he called at my lodgings in London. Some three years, or -three years and a half ago.” - -“Can you identify him as your fellow-passenger on board the packet, or -speak to his conversation with your daughter?” - -“Sir, I can do neither.” - -“Is there any particular and special reason for your being unable to do -either?” - -He answered, in a low voice, “There is.” - -“Has it been your misfortune to undergo a long imprisonment, without -trial, or even accusation, in your native country, Doctor Manette?” - -He answered, in a tone that went to every heart, “A long imprisonment.” - -“Were you newly released on the occasion in question?” - -“They tell me so.” - -“Have you no remembrance of the occasion?” - -“None. My mind is a blank, from some time--I cannot even say what -time--when I employed myself, in my captivity, in making shoes, to the -time when I found myself living in London with my dear daughter -here. She had become familiar to me, when a gracious God restored -my faculties; but, I am quite unable even to say how she had become -familiar. I have no remembrance of the process.” - -Mr. Attorney-General sat down, and the father and daughter sat down -together. - -A singular circumstance then arose in the case. The object in hand being -to show that the prisoner went down, with some fellow-plotter untracked, -in the Dover mail on that Friday night in November five years ago, and -got out of the mail in the night, as a blind, at a place where he did -not remain, but from which he travelled back some dozen miles or more, -to a garrison and dockyard, and there collected information; a witness -was called to identify him as having been at the precise time required, -in the coffee-room of an hotel in that garrison-and-dockyard town, -waiting for another person. The prisoner's counsel was cross-examining -this witness with no result, except that he had never seen the prisoner -on any other occasion, when the wigged gentleman who had all this time -been looking at the ceiling of the court, wrote a word or two on a -little piece of paper, screwed it up, and tossed it to him. Opening -this piece of paper in the next pause, the counsel looked with great -attention and curiosity at the prisoner. - -“You say again you are quite sure that it was the prisoner?” - -The witness was quite sure. - -“Did you ever see anybody very like the prisoner?” - -Not so like (the witness said) as that he could be mistaken. - -“Look well upon that gentleman, my learned friend there,” pointing -to him who had tossed the paper over, “and then look well upon the -prisoner. How say you? Are they very like each other?” - -Allowing for my learned friend's appearance being careless and slovenly -if not debauched, they were sufficiently like each other to surprise, -not only the witness, but everybody present, when they were thus brought -into comparison. My Lord being prayed to bid my learned friend lay aside -his wig, and giving no very gracious consent, the likeness became -much more remarkable. My Lord inquired of Mr. Stryver (the prisoner's -counsel), whether they were next to try Mr. Carton (name of my learned -friend) for treason? But, Mr. Stryver replied to my Lord, no; but he -would ask the witness to tell him whether what happened once, might -happen twice; whether he would have been so confident if he had seen -this illustration of his rashness sooner, whether he would be so -confident, having seen it; and more. The upshot of which, was, to smash -this witness like a crockery vessel, and shiver his part of the case to -useless lumber. - -Mr. Cruncher had by this time taken quite a lunch of rust off his -fingers in his following of the evidence. He had now to attend while Mr. -Stryver fitted the prisoner's case on the jury, like a compact suit -of clothes; showing them how the patriot, Barsad, was a hired spy and -traitor, an unblushing trafficker in blood, and one of the greatest -scoundrels upon earth since accursed Judas--which he certainly did look -rather like. How the virtuous servant, Cly, was his friend and partner, -and was worthy to be; how the watchful eyes of those forgers and false -swearers had rested on the prisoner as a victim, because some family -affairs in France, he being of French extraction, did require his making -those passages across the Channel--though what those affairs were, a -consideration for others who were near and dear to him, forbade him, -even for his life, to disclose. How the evidence that had been warped -and wrested from the young lady, whose anguish in giving it they -had witnessed, came to nothing, involving the mere little innocent -gallantries and politenesses likely to pass between any young gentleman -and young lady so thrown together;--with the exception of that -reference to George Washington, which was altogether too extravagant and -impossible to be regarded in any other light than as a monstrous joke. -How it would be a weakness in the government to break down in this -attempt to practise for popularity on the lowest national antipathies -and fears, and therefore Mr. Attorney-General had made the most of it; -how, nevertheless, it rested upon nothing, save that vile and infamous -character of evidence too often disfiguring such cases, and of which the -State Trials of this country were full. But, there my Lord interposed -(with as grave a face as if it had not been true), saying that he could -not sit upon that Bench and suffer those allusions. - -Mr. Stryver then called his few witnesses, and Mr. Cruncher had next to -attend while Mr. Attorney-General turned the whole suit of clothes Mr. -Stryver had fitted on the jury, inside out; showing how Barsad and -Cly were even a hundred times better than he had thought them, and the -prisoner a hundred times worse. Lastly, came my Lord himself, turning -the suit of clothes, now inside out, now outside in, but on the whole -decidedly trimming and shaping them into grave-clothes for the prisoner. - -And now, the jury turned to consider, and the great flies swarmed again. - -Mr. Carton, who had so long sat looking at the ceiling of the court, -changed neither his place nor his attitude, even in this excitement. -While his learned friend, Mr. Stryver, massing his papers before him, -whispered with those who sat near, and from time to time glanced -anxiously at the jury; while all the spectators moved more or less, and -grouped themselves anew; while even my Lord himself arose from his seat, -and slowly paced up and down his platform, not unattended by a suspicion -in the minds of the audience that his state was feverish; this one man -sat leaning back, with his torn gown half off him, his untidy wig put -on just as it had happened to light on his head after its removal, his -hands in his pockets, and his eyes on the ceiling as they had been all -day. Something especially reckless in his demeanour, not only gave him -a disreputable look, but so diminished the strong resemblance he -undoubtedly bore to the prisoner (which his momentary earnestness, -when they were compared together, had strengthened), that many of the -lookers-on, taking note of him now, said to one another they would -hardly have thought the two were so alike. Mr. Cruncher made the -observation to his next neighbour, and added, “I'd hold half a guinea -that _he_ don't get no law-work to do. Don't look like the sort of one -to get any, do he?” - -Yet, this Mr. Carton took in more of the details of the scene than he -appeared to take in; for now, when Miss Manette's head dropped upon -her father's breast, he was the first to see it, and to say audibly: -“Officer! look to that young lady. Help the gentleman to take her out. -Don't you see she will fall!” - -There was much commiseration for her as she was removed, and much -sympathy with her father. It had evidently been a great distress to -him, to have the days of his imprisonment recalled. He had shown -strong internal agitation when he was questioned, and that pondering or -brooding look which made him old, had been upon him, like a heavy cloud, -ever since. As he passed out, the jury, who had turned back and paused a -moment, spoke, through their foreman. - -They were not agreed, and wished to retire. My Lord (perhaps with George -Washington on his mind) showed some surprise that they were not agreed, -but signified his pleasure that they should retire under watch and ward, -and retired himself. The trial had lasted all day, and the lamps in -the court were now being lighted. It began to be rumoured that the -jury would be out a long while. The spectators dropped off to get -refreshment, and the prisoner withdrew to the back of the dock, and sat -down. - -Mr. Lorry, who had gone out when the young lady and her father went out, -now reappeared, and beckoned to Jerry: who, in the slackened interest, -could easily get near him. - -“Jerry, if you wish to take something to eat, you can. But, keep in the -way. You will be sure to hear when the jury come in. Don't be a moment -behind them, for I want you to take the verdict back to the bank. You -are the quickest messenger I know, and will get to Temple Bar long -before I can.” - -Jerry had just enough forehead to knuckle, and he knuckled it in -acknowledgment of this communication and a shilling. Mr. Carton came up -at the moment, and touched Mr. Lorry on the arm. - -“How is the young lady?” - -“She is greatly distressed; but her father is comforting her, and she -feels the better for being out of court.” - -“I'll tell the prisoner so. It won't do for a respectable bank gentleman -like you, to be seen speaking to him publicly, you know.” - -Mr. Lorry reddened as if he were conscious of having debated the point -in his mind, and Mr. Carton made his way to the outside of the bar. -The way out of court lay in that direction, and Jerry followed him, all -eyes, ears, and spikes. - -“Mr. Darnay!” - -The prisoner came forward directly. - -“You will naturally be anxious to hear of the witness, Miss Manette. She -will do very well. You have seen the worst of her agitation.” - -“I am deeply sorry to have been the cause of it. Could you tell her so -for me, with my fervent acknowledgments?” - -“Yes, I could. I will, if you ask it.” - -Mr. Carton's manner was so careless as to be almost insolent. He stood, -half turned from the prisoner, lounging with his elbow against the bar. - -“I do ask it. Accept my cordial thanks.” - -“What,” said Carton, still only half turned towards him, “do you expect, -Mr. Darnay?” - -“The worst.” - -“It's the wisest thing to expect, and the likeliest. But I think their -withdrawing is in your favour.” - -Loitering on the way out of court not being allowed, Jerry heard no -more: but left them--so like each other in feature, so unlike each other -in manner--standing side by side, both reflected in the glass above -them. - -An hour and a half limped heavily away in the thief-and-rascal crowded -passages below, even though assisted off with mutton pies and ale. -The hoarse messenger, uncomfortably seated on a form after taking that -refection, had dropped into a doze, when a loud murmur and a rapid tide -of people setting up the stairs that led to the court, carried him along -with them. - -“Jerry! Jerry!” Mr. Lorry was already calling at the door when he got -there. - -“Here, sir! It's a fight to get back again. Here I am, sir!” - -Mr. Lorry handed him a paper through the throng. “Quick! Have you got -it?” - -“Yes, sir.” - -Hastily written on the paper was the word “ACQUITTED.” - -“If you had sent the message, 'Recalled to Life,' again,” muttered -Jerry, as he turned, “I should have known what you meant, this time.” - -He had no opportunity of saying, or so much as thinking, anything else, -until he was clear of the Old Bailey; for, the crowd came pouring out -with a vehemence that nearly took him off his legs, and a loud buzz -swept into the street as if the baffled blue-flies were dispersing in -search of other carrion. - - - - -IV. Congratulatory - - -From the dimly-lighted passages of the court, the last sediment of the -human stew that had been boiling there all day, was straining off, when -Doctor Manette, Lucie Manette, his daughter, Mr. Lorry, the solicitor -for the defence, and its counsel, Mr. Stryver, stood gathered round Mr. -Charles Darnay--just released--congratulating him on his escape from -death. - -It would have been difficult by a far brighter light, to recognise -in Doctor Manette, intellectual of face and upright of bearing, the -shoemaker of the garret in Paris. Yet, no one could have looked at him -twice, without looking again: even though the opportunity of observation -had not extended to the mournful cadence of his low grave voice, and -to the abstraction that overclouded him fitfully, without any apparent -reason. While one external cause, and that a reference to his long -lingering agony, would always--as on the trial--evoke this condition -from the depths of his soul, it was also in its nature to arise of -itself, and to draw a gloom over him, as incomprehensible to those -unacquainted with his story as if they had seen the shadow of the actual -Bastille thrown upon him by a summer sun, when the substance was three -hundred miles away. - -Only his daughter had the power of charming this black brooding from -his mind. She was the golden thread that united him to a Past beyond his -misery, and to a Present beyond his misery: and the sound of her voice, -the light of her face, the touch of her hand, had a strong beneficial -influence with him almost always. Not absolutely always, for she could -recall some occasions on which her power had failed; but they were few -and slight, and she believed them over. - -Mr. Darnay had kissed her hand fervently and gratefully, and had turned -to Mr. Stryver, whom he warmly thanked. Mr. Stryver, a man of little -more than thirty, but looking twenty years older than he was, stout, -loud, red, bluff, and free from any drawback of delicacy, had a pushing -way of shouldering himself (morally and physically) into companies and -conversations, that argued well for his shouldering his way up in life. - -He still had his wig and gown on, and he said, squaring himself at his -late client to that degree that he squeezed the innocent Mr. Lorry clean -out of the group: “I am glad to have brought you off with honour, Mr. -Darnay. It was an infamous prosecution, grossly infamous; but not the -less likely to succeed on that account.” - -“You have laid me under an obligation to you for life--in two senses,” - said his late client, taking his hand. - -“I have done my best for you, Mr. Darnay; and my best is as good as -another man's, I believe.” - -It clearly being incumbent on some one to say, “Much better,” Mr. Lorry -said it; perhaps not quite disinterestedly, but with the interested -object of squeezing himself back again. - -“You think so?” said Mr. Stryver. “Well! you have been present all day, -and you ought to know. You are a man of business, too.” - -“And as such,” quoth Mr. Lorry, whom the counsel learned in the law had -now shouldered back into the group, just as he had previously shouldered -him out of it--“as such I will appeal to Doctor Manette, to break up -this conference and order us all to our homes. Miss Lucie looks ill, Mr. -Darnay has had a terrible day, we are worn out.” - -“Speak for yourself, Mr. Lorry,” said Stryver; “I have a night's work to -do yet. Speak for yourself.” - -“I speak for myself,” answered Mr. Lorry, “and for Mr. Darnay, and for -Miss Lucie, and--Miss Lucie, do you not think I may speak for us all?” - He asked her the question pointedly, and with a glance at her father. - -His face had become frozen, as it were, in a very curious look at -Darnay: an intent look, deepening into a frown of dislike and distrust, -not even unmixed with fear. With this strange expression on him his -thoughts had wandered away. - -“My father,” said Lucie, softly laying her hand on his. - -He slowly shook the shadow off, and turned to her. - -“Shall we go home, my father?” - -With a long breath, he answered “Yes.” - -The friends of the acquitted prisoner had dispersed, under the -impression--which he himself had originated--that he would not be -released that night. The lights were nearly all extinguished in the -passages, the iron gates were being closed with a jar and a rattle, -and the dismal place was deserted until to-morrow morning's interest of -gallows, pillory, whipping-post, and branding-iron, should repeople it. -Walking between her father and Mr. Darnay, Lucie Manette passed into -the open air. A hackney-coach was called, and the father and daughter -departed in it. - -Mr. Stryver had left them in the passages, to shoulder his way back -to the robing-room. Another person, who had not joined the group, or -interchanged a word with any one of them, but who had been leaning -against the wall where its shadow was darkest, had silently strolled -out after the rest, and had looked on until the coach drove away. He now -stepped up to where Mr. Lorry and Mr. Darnay stood upon the pavement. - -“So, Mr. Lorry! Men of business may speak to Mr. Darnay now?” - -Nobody had made any acknowledgment of Mr. Carton's part in the day's -proceedings; nobody had known of it. He was unrobed, and was none the -better for it in appearance. - -“If you knew what a conflict goes on in the business mind, when the -business mind is divided between good-natured impulse and business -appearances, you would be amused, Mr. Darnay.” - -Mr. Lorry reddened, and said, warmly, “You have mentioned that before, -sir. We men of business, who serve a House, are not our own masters. We -have to think of the House more than ourselves.” - -“_I_ know, _I_ know,” rejoined Mr. Carton, carelessly. “Don't be -nettled, Mr. Lorry. You are as good as another, I have no doubt: better, -I dare say.” - -“And indeed, sir,” pursued Mr. Lorry, not minding him, “I really don't -know what you have to do with the matter. If you'll excuse me, as very -much your elder, for saying so, I really don't know that it is your -business.” - -“Business! Bless you, _I_ have no business,” said Mr. Carton. - -“It is a pity you have not, sir.” - -“I think so, too.” - -“If you had,” pursued Mr. Lorry, “perhaps you would attend to it.” - -“Lord love you, no!--I shouldn't,” said Mr. Carton. - -“Well, sir!” cried Mr. Lorry, thoroughly heated by his indifference, -“business is a very good thing, and a very respectable thing. And, sir, -if business imposes its restraints and its silences and impediments, Mr. -Darnay as a young gentleman of generosity knows how to make allowance -for that circumstance. Mr. Darnay, good night, God bless you, sir! -I hope you have been this day preserved for a prosperous and happy -life.--Chair there!” - -Perhaps a little angry with himself, as well as with the barrister, Mr. -Lorry bustled into the chair, and was carried off to Tellson's. Carton, -who smelt of port wine, and did not appear to be quite sober, laughed -then, and turned to Darnay: - -“This is a strange chance that throws you and me together. This must -be a strange night to you, standing alone here with your counterpart on -these street stones?” - -“I hardly seem yet,” returned Charles Darnay, “to belong to this world -again.” - -“I don't wonder at it; it's not so long since you were pretty far -advanced on your way to another. You speak faintly.” - -“I begin to think I _am_ faint.” - -“Then why the devil don't you dine? I dined, myself, while those -numskulls were deliberating which world you should belong to--this, or -some other. Let me show you the nearest tavern to dine well at.” - -Drawing his arm through his own, he took him down Ludgate-hill to -Fleet-street, and so, up a covered way, into a tavern. Here, they were -shown into a little room, where Charles Darnay was soon recruiting -his strength with a good plain dinner and good wine: while Carton sat -opposite to him at the same table, with his separate bottle of port -before him, and his fully half-insolent manner upon him. - -“Do you feel, yet, that you belong to this terrestrial scheme again, Mr. -Darnay?” - -“I am frightfully confused regarding time and place; but I am so far -mended as to feel that.” - -“It must be an immense satisfaction!” - -He said it bitterly, and filled up his glass again: which was a large -one. - -“As to me, the greatest desire I have, is to forget that I belong to it. -It has no good in it for me--except wine like this--nor I for it. So we -are not much alike in that particular. Indeed, I begin to think we are -not much alike in any particular, you and I.” - -Confused by the emotion of the day, and feeling his being there with -this Double of coarse deportment, to be like a dream, Charles Darnay was -at a loss how to answer; finally, answered not at all. - -“Now your dinner is done,” Carton presently said, “why don't you call a -health, Mr. Darnay; why don't you give your toast?” - -“What health? What toast?” - -“Why, it's on the tip of your tongue. It ought to be, it must be, I'll -swear it's there.” - -“Miss Manette, then!” - -“Miss Manette, then!” - -Looking his companion full in the face while he drank the toast, Carton -flung his glass over his shoulder against the wall, where it shivered to -pieces; then, rang the bell, and ordered in another. - -“That's a fair young lady to hand to a coach in the dark, Mr. Darnay!” - he said, filling his new goblet. - -A slight frown and a laconic “Yes,” were the answer. - -“That's a fair young lady to be pitied by and wept for by! How does it -feel? Is it worth being tried for one's life, to be the object of such -sympathy and compassion, Mr. Darnay?” - -Again Darnay answered not a word. - -“She was mightily pleased to have your message, when I gave it her. Not -that she showed she was pleased, but I suppose she was.” - -The allusion served as a timely reminder to Darnay that this -disagreeable companion had, of his own free will, assisted him in the -strait of the day. He turned the dialogue to that point, and thanked him -for it. - -“I neither want any thanks, nor merit any,” was the careless rejoinder. -“It was nothing to do, in the first place; and I don't know why I did -it, in the second. Mr. Darnay, let me ask you a question.” - -“Willingly, and a small return for your good offices.” - -“Do you think I particularly like you?” - -“Really, Mr. Carton,” returned the other, oddly disconcerted, “I have -not asked myself the question.” - -“But ask yourself the question now.” - -“You have acted as if you do; but I don't think you do.” - -“_I_ don't think I do,” said Carton. “I begin to have a very good -opinion of your understanding.” - -“Nevertheless,” pursued Darnay, rising to ring the bell, “there is -nothing in that, I hope, to prevent my calling the reckoning, and our -parting without ill-blood on either side.” - -Carton rejoining, “Nothing in life!” Darnay rang. “Do you call the whole -reckoning?” said Carton. On his answering in the affirmative, “Then -bring me another pint of this same wine, drawer, and come and wake me at -ten.” - -The bill being paid, Charles Darnay rose and wished him good night. -Without returning the wish, Carton rose too, with something of a threat -of defiance in his manner, and said, “A last word, Mr. Darnay: you think -I am drunk?” - -“I think you have been drinking, Mr. Carton.” - -“Think? You know I have been drinking.” - -“Since I must say so, I know it.” - -“Then you shall likewise know why. I am a disappointed drudge, sir. I -care for no man on earth, and no man on earth cares for me.” - -“Much to be regretted. You might have used your talents better.” - -“May be so, Mr. Darnay; may be not. Don't let your sober face elate you, -however; you don't know what it may come to. Good night!” - -When he was left alone, this strange being took up a candle, went to a -glass that hung against the wall, and surveyed himself minutely in it. - -“Do you particularly like the man?” he muttered, at his own image; “why -should you particularly like a man who resembles you? There is nothing -in you to like; you know that. Ah, confound you! What a change you have -made in yourself! A good reason for taking to a man, that he shows you -what you have fallen away from, and what you might have been! Change -places with him, and would you have been looked at by those blue eyes as -he was, and commiserated by that agitated face as he was? Come on, and -have it out in plain words! You hate the fellow.” - -He resorted to his pint of wine for consolation, drank it all in a few -minutes, and fell asleep on his arms, with his hair straggling over the -table, and a long winding-sheet in the candle dripping down upon him. - - - - -V. The Jackal - - -Those were drinking days, and most men drank hard. So very great is -the improvement Time has brought about in such habits, that a moderate -statement of the quantity of wine and punch which one man would swallow -in the course of a night, without any detriment to his reputation as a -perfect gentleman, would seem, in these days, a ridiculous exaggeration. -The learned profession of the law was certainly not behind any other -learned profession in its Bacchanalian propensities; neither was Mr. -Stryver, already fast shouldering his way to a large and lucrative -practice, behind his compeers in this particular, any more than in the -drier parts of the legal race. - -A favourite at the Old Bailey, and eke at the Sessions, Mr. Stryver had -begun cautiously to hew away the lower staves of the ladder on which -he mounted. Sessions and Old Bailey had now to summon their favourite, -specially, to their longing arms; and shouldering itself towards the -visage of the Lord Chief Justice in the Court of King's Bench, the -florid countenance of Mr. Stryver might be daily seen, bursting out of -the bed of wigs, like a great sunflower pushing its way at the sun from -among a rank garden-full of flaring companions. - -It had once been noted at the Bar, that while Mr. Stryver was a glib -man, and an unscrupulous, and a ready, and a bold, he had not that -faculty of extracting the essence from a heap of statements, which is -among the most striking and necessary of the advocate's accomplishments. -But, a remarkable improvement came upon him as to this. The more -business he got, the greater his power seemed to grow of getting at its -pith and marrow; and however late at night he sat carousing with Sydney -Carton, he always had his points at his fingers' ends in the morning. - -Sydney Carton, idlest and most unpromising of men, was Stryver's great -ally. What the two drank together, between Hilary Term and Michaelmas, -might have floated a king's ship. Stryver never had a case in hand, -anywhere, but Carton was there, with his hands in his pockets, staring -at the ceiling of the court; they went the same Circuit, and even there -they prolonged their usual orgies late into the night, and Carton was -rumoured to be seen at broad day, going home stealthily and unsteadily -to his lodgings, like a dissipated cat. At last, it began to get about, -among such as were interested in the matter, that although Sydney Carton -would never be a lion, he was an amazingly good jackal, and that he -rendered suit and service to Stryver in that humble capacity. - -“Ten o'clock, sir,” said the man at the tavern, whom he had charged to -wake him--“ten o'clock, sir.” - -“_What's_ the matter?” - -“Ten o'clock, sir.” - -“What do you mean? Ten o'clock at night?” - -“Yes, sir. Your honour told me to call you.” - -“Oh! I remember. Very well, very well.” - -After a few dull efforts to get to sleep again, which the man -dexterously combated by stirring the fire continuously for five minutes, -he got up, tossed his hat on, and walked out. He turned into the Temple, -and, having revived himself by twice pacing the pavements of King's -Bench-walk and Paper-buildings, turned into the Stryver chambers. - -The Stryver clerk, who never assisted at these conferences, had gone -home, and the Stryver principal opened the door. He had his slippers on, -and a loose bed-gown, and his throat was bare for his greater ease. He -had that rather wild, strained, seared marking about the eyes, which -may be observed in all free livers of his class, from the portrait of -Jeffries downward, and which can be traced, under various disguises of -Art, through the portraits of every Drinking Age. - -“You are a little late, Memory,” said Stryver. - -“About the usual time; it may be a quarter of an hour later.” - -They went into a dingy room lined with books and littered with papers, -where there was a blazing fire. A kettle steamed upon the hob, and in -the midst of the wreck of papers a table shone, with plenty of wine upon -it, and brandy, and rum, and sugar, and lemons. - -“You have had your bottle, I perceive, Sydney.” - -“Two to-night, I think. I have been dining with the day's client; or -seeing him dine--it's all one!” - -“That was a rare point, Sydney, that you brought to bear upon the -identification. How did you come by it? When did it strike you?” - -“I thought he was rather a handsome fellow, and I thought I should have -been much the same sort of fellow, if I had had any luck.” - -Mr. Stryver laughed till he shook his precocious paunch. - -“You and your luck, Sydney! Get to work, get to work.” - -Sullenly enough, the jackal loosened his dress, went into an adjoining -room, and came back with a large jug of cold water, a basin, and a towel -or two. Steeping the towels in the water, and partially wringing them -out, he folded them on his head in a manner hideous to behold, sat down -at the table, and said, “Now I am ready!” - -“Not much boiling down to be done to-night, Memory,” said Mr. Stryver, -gaily, as he looked among his papers. - -“How much?” - -“Only two sets of them.” - -“Give me the worst first.” - -“There they are, Sydney. Fire away!” - -The lion then composed himself on his back on a sofa on one side of the -drinking-table, while the jackal sat at his own paper-bestrewn table -proper, on the other side of it, with the bottles and glasses ready to -his hand. Both resorted to the drinking-table without stint, but each in -a different way; the lion for the most part reclining with his hands in -his waistband, looking at the fire, or occasionally flirting with some -lighter document; the jackal, with knitted brows and intent face, -so deep in his task, that his eyes did not even follow the hand he -stretched out for his glass--which often groped about, for a minute or -more, before it found the glass for his lips. Two or three times, the -matter in hand became so knotty, that the jackal found it imperative on -him to get up, and steep his towels anew. From these pilgrimages to the -jug and basin, he returned with such eccentricities of damp headgear as -no words can describe; which were made the more ludicrous by his anxious -gravity. - -At length the jackal had got together a compact repast for the lion, and -proceeded to offer it to him. The lion took it with care and caution, -made his selections from it, and his remarks upon it, and the jackal -assisted both. When the repast was fully discussed, the lion put his -hands in his waistband again, and lay down to meditate. The jackal then -invigorated himself with a bumper for his throttle, and a fresh application -to his head, and applied himself to the collection of a second meal; -this was administered to the lion in the same manner, and was not -disposed of until the clocks struck three in the morning. - -“And now we have done, Sydney, fill a bumper of punch,” said Mr. -Stryver. - -The jackal removed the towels from his head, which had been steaming -again, shook himself, yawned, shivered, and complied. - -“You were very sound, Sydney, in the matter of those crown witnesses -to-day. Every question told.” - -“I always am sound; am I not?” - -“I don't gainsay it. What has roughened your temper? Put some punch to -it and smooth it again.” - -With a deprecatory grunt, the jackal again complied. - -“The old Sydney Carton of old Shrewsbury School,” said Stryver, nodding -his head over him as he reviewed him in the present and the past, “the -old seesaw Sydney. Up one minute and down the next; now in spirits and -now in despondency!” - -“Ah!” returned the other, sighing: “yes! The same Sydney, with the same -luck. Even then, I did exercises for other boys, and seldom did my own.” - -“And why not?” - -“God knows. It was my way, I suppose.” - -He sat, with his hands in his pockets and his legs stretched out before -him, looking at the fire. - -“Carton,” said his friend, squaring himself at him with a bullying air, -as if the fire-grate had been the furnace in which sustained endeavour -was forged, and the one delicate thing to be done for the old Sydney -Carton of old Shrewsbury School was to shoulder him into it, “your way -is, and always was, a lame way. You summon no energy and purpose. Look -at me.” - -“Oh, botheration!” returned Sydney, with a lighter and more -good-humoured laugh, “don't _you_ be moral!” - -“How have I done what I have done?” said Stryver; “how do I do what I -do?” - -“Partly through paying me to help you, I suppose. But it's not worth -your while to apostrophise me, or the air, about it; what you want to -do, you do. You were always in the front rank, and I was always behind.” - -“I had to get into the front rank; I was not born there, was I?” - -“I was not present at the ceremony; but my opinion is you were,” said -Carton. At this, he laughed again, and they both laughed. - -“Before Shrewsbury, and at Shrewsbury, and ever since Shrewsbury,” - pursued Carton, “you have fallen into your rank, and I have fallen into -mine. Even when we were fellow-students in the Student-Quarter of Paris, -picking up French, and French law, and other French crumbs that we -didn't get much good of, you were always somewhere, and I was always -nowhere.” - -“And whose fault was that?” - -“Upon my soul, I am not sure that it was not yours. You were always -driving and riving and shouldering and passing, to that restless degree -that I had no chance for my life but in rust and repose. It's a gloomy -thing, however, to talk about one's own past, with the day breaking. -Turn me in some other direction before I go.” - -“Well then! Pledge me to the pretty witness,” said Stryver, holding up -his glass. “Are you turned in a pleasant direction?” - -Apparently not, for he became gloomy again. - -“Pretty witness,” he muttered, looking down into his glass. “I have had -enough of witnesses to-day and to-night; who's your pretty witness?” - -“The picturesque doctor's daughter, Miss Manette.” - -“_She_ pretty?” - -“Is she not?” - -“No.” - -“Why, man alive, she was the admiration of the whole Court!” - -“Rot the admiration of the whole Court! Who made the Old Bailey a judge -of beauty? She was a golden-haired doll!” - -“Do you know, Sydney,” said Mr. Stryver, looking at him with sharp eyes, -and slowly drawing a hand across his florid face: “do you know, I rather -thought, at the time, that you sympathised with the golden-haired doll, -and were quick to see what happened to the golden-haired doll?” - -“Quick to see what happened! If a girl, doll or no doll, swoons within a -yard or two of a man's nose, he can see it without a perspective-glass. -I pledge you, but I deny the beauty. And now I'll have no more drink; -I'll get to bed.” - -When his host followed him out on the staircase with a candle, to light -him down the stairs, the day was coldly looking in through its grimy -windows. When he got out of the house, the air was cold and sad, the -dull sky overcast, the river dark and dim, the whole scene like a -lifeless desert. And wreaths of dust were spinning round and round -before the morning blast, as if the desert-sand had risen far away, and -the first spray of it in its advance had begun to overwhelm the city. - -Waste forces within him, and a desert all around, this man stood still -on his way across a silent terrace, and saw for a moment, lying in the -wilderness before him, a mirage of honourable ambition, self-denial, and -perseverance. In the fair city of this vision, there were airy galleries -from which the loves and graces looked upon him, gardens in which the -fruits of life hung ripening, waters of Hope that sparkled in his sight. -A moment, and it was gone. Climbing to a high chamber in a well of -houses, he threw himself down in his clothes on a neglected bed, and its -pillow was wet with wasted tears. - -Sadly, sadly, the sun rose; it rose upon no sadder sight than the man of -good abilities and good emotions, incapable of their directed exercise, -incapable of his own help and his own happiness, sensible of the blight -on him, and resigning himself to let it eat him away. - - - - -VI. Hundreds of People - - -The quiet lodgings of Doctor Manette were in a quiet street-corner not -far from Soho-square. On the afternoon of a certain fine Sunday when the -waves of four months had rolled over the trial for treason, and carried -it, as to the public interest and memory, far out to sea, Mr. Jarvis -Lorry walked along the sunny streets from Clerkenwell where he lived, -on his way to dine with the Doctor. After several relapses into -business-absorption, Mr. Lorry had become the Doctor's friend, and the -quiet street-corner was the sunny part of his life. - -On this certain fine Sunday, Mr. Lorry walked towards Soho, early in -the afternoon, for three reasons of habit. Firstly, because, on fine -Sundays, he often walked out, before dinner, with the Doctor and Lucie; -secondly, because, on unfavourable Sundays, he was accustomed to be with -them as the family friend, talking, reading, looking out of window, and -generally getting through the day; thirdly, because he happened to have -his own little shrewd doubts to solve, and knew how the ways of the -Doctor's household pointed to that time as a likely time for solving -them. - -A quainter corner than the corner where the Doctor lived, was not to be -found in London. There was no way through it, and the front windows of -the Doctor's lodgings commanded a pleasant little vista of street that -had a congenial air of retirement on it. There were few buildings then, -north of the Oxford-road, and forest-trees flourished, and wild flowers -grew, and the hawthorn blossomed, in the now vanished fields. As a -consequence, country airs circulated in Soho with vigorous freedom, -instead of languishing into the parish like stray paupers without a -settlement; and there was many a good south wall, not far off, on which -the peaches ripened in their season. - -The summer light struck into the corner brilliantly in the earlier part -of the day; but, when the streets grew hot, the corner was in shadow, -though not in shadow so remote but that you could see beyond it into a -glare of brightness. It was a cool spot, staid but cheerful, a wonderful -place for echoes, and a very harbour from the raging streets. - -There ought to have been a tranquil bark in such an anchorage, and -there was. The Doctor occupied two floors of a large stiff house, where -several callings purported to be pursued by day, but whereof little was -audible any day, and which was shunned by all of them at night. In -a building at the back, attainable by a courtyard where a plane-tree -rustled its green leaves, church-organs claimed to be made, and silver -to be chased, and likewise gold to be beaten by some mysterious giant -who had a golden arm starting out of the wall of the front hall--as if -he had beaten himself precious, and menaced a similar conversion of all -visitors. Very little of these trades, or of a lonely lodger rumoured -to live up-stairs, or of a dim coach-trimming maker asserted to have -a counting-house below, was ever heard or seen. Occasionally, a stray -workman putting his coat on, traversed the hall, or a stranger peered -about there, or a distant clink was heard across the courtyard, or a -thump from the golden giant. These, however, were only the exceptions -required to prove the rule that the sparrows in the plane-tree behind -the house, and the echoes in the corner before it, had their own way -from Sunday morning unto Saturday night. - -Doctor Manette received such patients here as his old reputation, and -its revival in the floating whispers of his story, brought him. -His scientific knowledge, and his vigilance and skill in conducting -ingenious experiments, brought him otherwise into moderate request, and -he earned as much as he wanted. - -These things were within Mr. Jarvis Lorry's knowledge, thoughts, and -notice, when he rang the door-bell of the tranquil house in the corner, -on the fine Sunday afternoon. - -“Doctor Manette at home?” - -Expected home. - -“Miss Lucie at home?” - -Expected home. - -“Miss Pross at home?” - -Possibly at home, but of a certainty impossible for handmaid to -anticipate intentions of Miss Pross, as to admission or denial of the -fact. - -“As I am at home myself,” said Mr. Lorry, “I'll go upstairs.” - -Although the Doctor's daughter had known nothing of the country of her -birth, she appeared to have innately derived from it that ability to -make much of little means, which is one of its most useful and most -agreeable characteristics. Simple as the furniture was, it was set off -by so many little adornments, of no value but for their taste and fancy, -that its effect was delightful. The disposition of everything in the -rooms, from the largest object to the least; the arrangement of colours, -the elegant variety and contrast obtained by thrift in trifles, by -delicate hands, clear eyes, and good sense; were at once so pleasant in -themselves, and so expressive of their originator, that, as Mr. Lorry -stood looking about him, the very chairs and tables seemed to ask him, -with something of that peculiar expression which he knew so well by this -time, whether he approved? - -There were three rooms on a floor, and, the doors by which they -communicated being put open that the air might pass freely through them -all, Mr. Lorry, smilingly observant of that fanciful resemblance which -he detected all around him, walked from one to another. The first was -the best room, and in it were Lucie's birds, and flowers, and books, -and desk, and work-table, and box of water-colours; the second was -the Doctor's consulting-room, used also as the dining-room; the third, -changingly speckled by the rustle of the plane-tree in the yard, was the -Doctor's bedroom, and there, in a corner, stood the disused shoemaker's -bench and tray of tools, much as it had stood on the fifth floor of the -dismal house by the wine-shop, in the suburb of Saint Antoine in Paris. - -“I wonder,” said Mr. Lorry, pausing in his looking about, “that he keeps -that reminder of his sufferings about him!” - -“And why wonder at that?” was the abrupt inquiry that made him start. - -It proceeded from Miss Pross, the wild red woman, strong of hand, whose -acquaintance he had first made at the Royal George Hotel at Dover, and -had since improved. - -“I should have thought--” Mr. Lorry began. - -“Pooh! You'd have thought!” said Miss Pross; and Mr. Lorry left off. - -“How do you do?” inquired that lady then--sharply, and yet as if to -express that she bore him no malice. - -“I am pretty well, I thank you,” answered Mr. Lorry, with meekness; “how -are you?” - -“Nothing to boast of,” said Miss Pross. - -“Indeed?” - -“Ah! indeed!” said Miss Pross. “I am very much put out about my -Ladybird.” - -“Indeed?” - -“For gracious sake say something else besides 'indeed,' or you'll -fidget me to death,” said Miss Pross: whose character (dissociated from -stature) was shortness. - -“Really, then?” said Mr. Lorry, as an amendment. - -“Really, is bad enough,” returned Miss Pross, “but better. Yes, I am -very much put out.” - -“May I ask the cause?” - -“I don't want dozens of people who are not at all worthy of Ladybird, to -come here looking after her,” said Miss Pross. - -“_Do_ dozens come for that purpose?” - -“Hundreds,” said Miss Pross. - -It was characteristic of this lady (as of some other people before her -time and since) that whenever her original proposition was questioned, -she exaggerated it. - -“Dear me!” said Mr. Lorry, as the safest remark he could think of. - -“I have lived with the darling--or the darling has lived with me, and -paid me for it; which she certainly should never have done, you may take -your affidavit, if I could have afforded to keep either myself or her -for nothing--since she was ten years old. And it's really very hard,” - said Miss Pross. - -Not seeing with precision what was very hard, Mr. Lorry shook his head; -using that important part of himself as a sort of fairy cloak that would -fit anything. - -“All sorts of people who are not in the least degree worthy of the pet, -are always turning up,” said Miss Pross. “When you began it--” - -“_I_ began it, Miss Pross?” - -“Didn't you? Who brought her father to life?” - -“Oh! If _that_ was beginning it--” said Mr. Lorry. - -“It wasn't ending it, I suppose? I say, when you began it, it was hard -enough; not that I have any fault to find with Doctor Manette, except -that he is not worthy of such a daughter, which is no imputation on -him, for it was not to be expected that anybody should be, under any -circumstances. But it really is doubly and trebly hard to have crowds -and multitudes of people turning up after him (I could have forgiven -him), to take Ladybird's affections away from me.” - -Mr. Lorry knew Miss Pross to be very jealous, but he also knew her by -this time to be, beneath the service of her eccentricity, one of those -unselfish creatures--found only among women--who will, for pure love and -admiration, bind themselves willing slaves, to youth when they have lost -it, to beauty that they never had, to accomplishments that they were -never fortunate enough to gain, to bright hopes that never shone upon -their own sombre lives. He knew enough of the world to know that there -is nothing in it better than the faithful service of the heart; so -rendered and so free from any mercenary taint, he had such an exalted -respect for it, that in the retributive arrangements made by his own -mind--we all make such arrangements, more or less--he stationed Miss -Pross much nearer to the lower Angels than many ladies immeasurably -better got up both by Nature and Art, who had balances at Tellson's. - -“There never was, nor will be, but one man worthy of Ladybird,” said -Miss Pross; “and that was my brother Solomon, if he hadn't made a -mistake in life.” - -Here again: Mr. Lorry's inquiries into Miss Pross's personal history had -established the fact that her brother Solomon was a heartless scoundrel -who had stripped her of everything she possessed, as a stake to -speculate with, and had abandoned her in her poverty for evermore, with -no touch of compunction. Miss Pross's fidelity of belief in Solomon -(deducting a mere trifle for this slight mistake) was quite a serious -matter with Mr. Lorry, and had its weight in his good opinion of her. - -“As we happen to be alone for the moment, and are both people of -business,” he said, when they had got back to the drawing-room and had -sat down there in friendly relations, “let me ask you--does the Doctor, -in talking with Lucie, never refer to the shoemaking time, yet?” - -“Never.” - -“And yet keeps that bench and those tools beside him?” - -“Ah!” returned Miss Pross, shaking her head. “But I don't say he don't -refer to it within himself.” - -“Do you believe that he thinks of it much?” - -“I do,” said Miss Pross. - -“Do you imagine--” Mr. Lorry had begun, when Miss Pross took him up -short with: - -“Never imagine anything. Have no imagination at all.” - -“I stand corrected; do you suppose--you go so far as to suppose, -sometimes?” - -“Now and then,” said Miss Pross. - -“Do you suppose,” Mr. Lorry went on, with a laughing twinkle in his -bright eye, as it looked kindly at her, “that Doctor Manette has any -theory of his own, preserved through all those years, relative to -the cause of his being so oppressed; perhaps, even to the name of his -oppressor?” - -“I don't suppose anything about it but what Ladybird tells me.” - -“And that is--?” - -“That she thinks he has.” - -“Now don't be angry at my asking all these questions; because I am a -mere dull man of business, and you are a woman of business.” - -“Dull?” Miss Pross inquired, with placidity. - -Rather wishing his modest adjective away, Mr. Lorry replied, “No, no, -no. Surely not. To return to business:--Is it not remarkable that Doctor -Manette, unquestionably innocent of any crime as we are all well assured -he is, should never touch upon that question? I will not say with me, -though he had business relations with me many years ago, and we are now -intimate; I will say with the fair daughter to whom he is so devotedly -attached, and who is so devotedly attached to him? Believe me, Miss -Pross, I don't approach the topic with you, out of curiosity, but out of -zealous interest.” - -“Well! To the best of my understanding, and bad's the best, you'll tell -me,” said Miss Pross, softened by the tone of the apology, “he is afraid -of the whole subject.” - -“Afraid?” - -“It's plain enough, I should think, why he may be. It's a dreadful -remembrance. Besides that, his loss of himself grew out of it. Not -knowing how he lost himself, or how he recovered himself, he may never -feel certain of not losing himself again. That alone wouldn't make the -subject pleasant, I should think.” - -It was a profounder remark than Mr. Lorry had looked for. “True,” said -he, “and fearful to reflect upon. Yet, a doubt lurks in my mind, Miss -Pross, whether it is good for Doctor Manette to have that suppression -always shut up within him. Indeed, it is this doubt and the uneasiness -it sometimes causes me that has led me to our present confidence.” - -“Can't be helped,” said Miss Pross, shaking her head. “Touch that -string, and he instantly changes for the worse. Better leave it alone. -In short, must leave it alone, like or no like. Sometimes, he gets up in -the dead of the night, and will be heard, by us overhead there, walking -up and down, walking up and down, in his room. Ladybird has learnt to -know then that his mind is walking up and down, walking up and down, in -his old prison. She hurries to him, and they go on together, walking up -and down, walking up and down, until he is composed. But he never says -a word of the true reason of his restlessness, to her, and she finds it -best not to hint at it to him. In silence they go walking up and down -together, walking up and down together, till her love and company have -brought him to himself.” - -Notwithstanding Miss Pross's denial of her own imagination, there was a -perception of the pain of being monotonously haunted by one sad idea, -in her repetition of the phrase, walking up and down, which testified to -her possessing such a thing. - -The corner has been mentioned as a wonderful corner for echoes; it -had begun to echo so resoundingly to the tread of coming feet, that it -seemed as though the very mention of that weary pacing to and fro had -set it going. - -“Here they are!” said Miss Pross, rising to break up the conference; -“and now we shall have hundreds of people pretty soon!” - -It was such a curious corner in its acoustical properties, such a -peculiar Ear of a place, that as Mr. Lorry stood at the open window, -looking for the father and daughter whose steps he heard, he fancied -they would never approach. Not only would the echoes die away, as though -the steps had gone; but, echoes of other steps that never came would be -heard in their stead, and would die away for good when they seemed close -at hand. However, father and daughter did at last appear, and Miss Pross -was ready at the street door to receive them. - -Miss Pross was a pleasant sight, albeit wild, and red, and grim, taking -off her darling's bonnet when she came up-stairs, and touching it up -with the ends of her handkerchief, and blowing the dust off it, and -folding her mantle ready for laying by, and smoothing her rich hair with -as much pride as she could possibly have taken in her own hair if she -had been the vainest and handsomest of women. Her darling was a pleasant -sight too, embracing her and thanking her, and protesting against -her taking so much trouble for her--which last she only dared to do -playfully, or Miss Pross, sorely hurt, would have retired to her own -chamber and cried. The Doctor was a pleasant sight too, looking on at -them, and telling Miss Pross how she spoilt Lucie, in accents and with -eyes that had as much spoiling in them as Miss Pross had, and would -have had more if it were possible. Mr. Lorry was a pleasant sight too, -beaming at all this in his little wig, and thanking his bachelor -stars for having lighted him in his declining years to a Home. But, no -Hundreds of people came to see the sights, and Mr. Lorry looked in vain -for the fulfilment of Miss Pross's prediction. - -Dinner-time, and still no Hundreds of people. In the arrangements of -the little household, Miss Pross took charge of the lower regions, and -always acquitted herself marvellously. Her dinners, of a very modest -quality, were so well cooked and so well served, and so neat in their -contrivances, half English and half French, that nothing could be -better. Miss Pross's friendship being of the thoroughly practical -kind, she had ravaged Soho and the adjacent provinces, in search of -impoverished French, who, tempted by shillings and half-crowns, would -impart culinary mysteries to her. From these decayed sons and daughters -of Gaul, she had acquired such wonderful arts, that the woman and girl -who formed the staff of domestics regarded her as quite a Sorceress, -or Cinderella's Godmother: who would send out for a fowl, a rabbit, -a vegetable or two from the garden, and change them into anything she -pleased. - -On Sundays, Miss Pross dined at the Doctor's table, but on other days -persisted in taking her meals at unknown periods, either in the lower -regions, or in her own room on the second floor--a blue chamber, to -which no one but her Ladybird ever gained admittance. On this occasion, -Miss Pross, responding to Ladybird's pleasant face and pleasant efforts -to please her, unbent exceedingly; so the dinner was very pleasant, too. - -It was an oppressive day, and, after dinner, Lucie proposed that the -wine should be carried out under the plane-tree, and they should sit -there in the air. As everything turned upon her, and revolved about her, -they went out under the plane-tree, and she carried the wine down for -the special benefit of Mr. Lorry. She had installed herself, some -time before, as Mr. Lorry's cup-bearer; and while they sat under the -plane-tree, talking, she kept his glass replenished. Mysterious backs -and ends of houses peeped at them as they talked, and the plane-tree -whispered to them in its own way above their heads. - -Still, the Hundreds of people did not present themselves. Mr. Darnay -presented himself while they were sitting under the plane-tree, but he -was only One. - -Doctor Manette received him kindly, and so did Lucie. But, Miss Pross -suddenly became afflicted with a twitching in the head and body, and -retired into the house. She was not unfrequently the victim of this -disorder, and she called it, in familiar conversation, “a fit of the -jerks.” - -The Doctor was in his best condition, and looked specially young. The -resemblance between him and Lucie was very strong at such times, and as -they sat side by side, she leaning on his shoulder, and he resting -his arm on the back of her chair, it was very agreeable to trace the -likeness. - -He had been talking all day, on many subjects, and with unusual -vivacity. “Pray, Doctor Manette,” said Mr. Darnay, as they sat under the -plane-tree--and he said it in the natural pursuit of the topic in hand, -which happened to be the old buildings of London--“have you seen much of -the Tower?” - -“Lucie and I have been there; but only casually. We have seen enough of -it, to know that it teems with interest; little more.” - -“_I_ have been there, as you remember,” said Darnay, with a smile, -though reddening a little angrily, “in another character, and not in a -character that gives facilities for seeing much of it. They told me a -curious thing when I was there.” - -“What was that?” Lucie asked. - -“In making some alterations, the workmen came upon an old dungeon, which -had been, for many years, built up and forgotten. Every stone of -its inner wall was covered by inscriptions which had been carved by -prisoners--dates, names, complaints, and prayers. Upon a corner stone -in an angle of the wall, one prisoner, who seemed to have gone to -execution, had cut as his last work, three letters. They were done with -some very poor instrument, and hurriedly, with an unsteady hand. -At first, they were read as D. I. C.; but, on being more carefully -examined, the last letter was found to be G. There was no record or -legend of any prisoner with those initials, and many fruitless guesses -were made what the name could have been. At length, it was suggested -that the letters were not initials, but the complete word, DIG. The -floor was examined very carefully under the inscription, and, in the -earth beneath a stone, or tile, or some fragment of paving, were found -the ashes of a paper, mingled with the ashes of a small leathern case -or bag. What the unknown prisoner had written will never be read, but he -had written something, and hidden it away to keep it from the gaoler.” - -“My father,” exclaimed Lucie, “you are ill!” - -He had suddenly started up, with his hand to his head. His manner and -his look quite terrified them all. - -“No, my dear, not ill. There are large drops of rain falling, and they -made me start. We had better go in.” - -He recovered himself almost instantly. Rain was really falling in large -drops, and he showed the back of his hand with rain-drops on it. But, he -said not a single word in reference to the discovery that had been told -of, and, as they went into the house, the business eye of Mr. Lorry -either detected, or fancied it detected, on his face, as it turned -towards Charles Darnay, the same singular look that had been upon it -when it turned towards him in the passages of the Court House. - -He recovered himself so quickly, however, that Mr. Lorry had doubts of -his business eye. The arm of the golden giant in the hall was not more -steady than he was, when he stopped under it to remark to them that he -was not yet proof against slight surprises (if he ever would be), and -that the rain had startled him. - -Tea-time, and Miss Pross making tea, with another fit of the jerks upon -her, and yet no Hundreds of people. Mr. Carton had lounged in, but he -made only Two. - -The night was so very sultry, that although they sat with doors and -windows open, they were overpowered by heat. When the tea-table was -done with, they all moved to one of the windows, and looked out into the -heavy twilight. Lucie sat by her father; Darnay sat beside her; Carton -leaned against a window. The curtains were long and white, and some of -the thunder-gusts that whirled into the corner, caught them up to the -ceiling, and waved them like spectral wings. - -“The rain-drops are still falling, large, heavy, and few,” said Doctor -Manette. “It comes slowly.” - -“It comes surely,” said Carton. - -They spoke low, as people watching and waiting mostly do; as people in a -dark room, watching and waiting for Lightning, always do. - -There was a great hurry in the streets of people speeding away to -get shelter before the storm broke; the wonderful corner for echoes -resounded with the echoes of footsteps coming and going, yet not a -footstep was there. - -“A multitude of people, and yet a solitude!” said Darnay, when they had -listened for a while. - -“Is it not impressive, Mr. Darnay?” asked Lucie. “Sometimes, I have -sat here of an evening, until I have fancied--but even the shade of -a foolish fancy makes me shudder to-night, when all is so black and -solemn--” - -“Let us shudder too. We may know what it is.” - -“It will seem nothing to you. Such whims are only impressive as we -originate them, I think; they are not to be communicated. I have -sometimes sat alone here of an evening, listening, until I have made -the echoes out to be the echoes of all the footsteps that are coming -by-and-bye into our lives.” - -“There is a great crowd coming one day into our lives, if that be so,” - Sydney Carton struck in, in his moody way. - -The footsteps were incessant, and the hurry of them became more and more -rapid. The corner echoed and re-echoed with the tread of feet; some, -as it seemed, under the windows; some, as it seemed, in the room; some -coming, some going, some breaking off, some stopping altogether; all in -the distant streets, and not one within sight. - -“Are all these footsteps destined to come to all of us, Miss Manette, or -are we to divide them among us?” - -“I don't know, Mr. Darnay; I told you it was a foolish fancy, but you -asked for it. When I have yielded myself to it, I have been alone, and -then I have imagined them the footsteps of the people who are to come -into my life, and my father's.” - -“I take them into mine!” said Carton. “_I_ ask no questions and make no -stipulations. There is a great crowd bearing down upon us, Miss Manette, -and I see them--by the Lightning.” He added the last words, after there -had been a vivid flash which had shown him lounging in the window. - -“And I hear them!” he added again, after a peal of thunder. “Here they -come, fast, fierce, and furious!” - -It was the rush and roar of rain that he typified, and it stopped him, -for no voice could be heard in it. A memorable storm of thunder and -lightning broke with that sweep of water, and there was not a moment's -interval in crash, and fire, and rain, until after the moon rose at -midnight. - -The great bell of Saint Paul's was striking one in the cleared air, when -Mr. Lorry, escorted by Jerry, high-booted and bearing a lantern, set -forth on his return-passage to Clerkenwell. There were solitary patches -of road on the way between Soho and Clerkenwell, and Mr. Lorry, mindful -of foot-pads, always retained Jerry for this service: though it was -usually performed a good two hours earlier. - -“What a night it has been! Almost a night, Jerry,” said Mr. Lorry, “to -bring the dead out of their graves.” - -“I never see the night myself, master--nor yet I don't expect to--what -would do that,” answered Jerry. - -“Good night, Mr. Carton,” said the man of business. “Good night, Mr. -Darnay. Shall we ever see such a night again, together!” - -Perhaps. Perhaps, see the great crowd of people with its rush and roar, -bearing down upon them, too. - - - - -VII. Monseigneur in Town - - -Monseigneur, one of the great lords in power at the Court, held his -fortnightly reception in his grand hotel in Paris. Monseigneur was in -his inner room, his sanctuary of sanctuaries, the Holiest of Holiests to -the crowd of worshippers in the suite of rooms without. Monseigneur -was about to take his chocolate. Monseigneur could swallow a great many -things with ease, and was by some few sullen minds supposed to be rather -rapidly swallowing France; but, his morning's chocolate could not so -much as get into the throat of Monseigneur, without the aid of four -strong men besides the Cook. - -Yes. It took four men, all four ablaze with gorgeous decoration, and the -Chief of them unable to exist with fewer than two gold watches in his -pocket, emulative of the noble and chaste fashion set by Monseigneur, to -conduct the happy chocolate to Monseigneur's lips. One lacquey carried -the chocolate-pot into the sacred presence; a second, milled and frothed -the chocolate with the little instrument he bore for that function; -a third, presented the favoured napkin; a fourth (he of the two gold -watches), poured the chocolate out. It was impossible for Monseigneur to -dispense with one of these attendants on the chocolate and hold his high -place under the admiring Heavens. Deep would have been the blot upon -his escutcheon if his chocolate had been ignobly waited on by only three -men; he must have died of two. - -Monseigneur had been out at a little supper last night, where the Comedy -and the Grand Opera were charmingly represented. Monseigneur was out at -a little supper most nights, with fascinating company. So polite and so -impressible was Monseigneur, that the Comedy and the Grand Opera had far -more influence with him in the tiresome articles of state affairs and -state secrets, than the needs of all France. A happy circumstance -for France, as the like always is for all countries similarly -favoured!--always was for England (by way of example), in the regretted -days of the merry Stuart who sold it. - -Monseigneur had one truly noble idea of general public business, which -was, to let everything go on in its own way; of particular public -business, Monseigneur had the other truly noble idea that it must all go -his way--tend to his own power and pocket. Of his pleasures, general and -particular, Monseigneur had the other truly noble idea, that the world -was made for them. The text of his order (altered from the original -by only a pronoun, which is not much) ran: “The earth and the fulness -thereof are mine, saith Monseigneur.” - -Yet, Monseigneur had slowly found that vulgar embarrassments crept into -his affairs, both private and public; and he had, as to both classes of -affairs, allied himself perforce with a Farmer-General. As to finances -public, because Monseigneur could not make anything at all of them, and -must consequently let them out to somebody who could; as to finances -private, because Farmer-Generals were rich, and Monseigneur, after -generations of great luxury and expense, was growing poor. Hence -Monseigneur had taken his sister from a convent, while there was yet -time to ward off the impending veil, the cheapest garment she could -wear, and had bestowed her as a prize upon a very rich Farmer-General, -poor in family. Which Farmer-General, carrying an appropriate cane with -a golden apple on the top of it, was now among the company in the outer -rooms, much prostrated before by mankind--always excepting superior -mankind of the blood of Monseigneur, who, his own wife included, looked -down upon him with the loftiest contempt. - -A sumptuous man was the Farmer-General. Thirty horses stood in his -stables, twenty-four male domestics sat in his halls, six body-women -waited on his wife. As one who pretended to do nothing but plunder and -forage where he could, the Farmer-General--howsoever his matrimonial -relations conduced to social morality--was at least the greatest reality -among the personages who attended at the hotel of Monseigneur that day. - -For, the rooms, though a beautiful scene to look at, and adorned with -every device of decoration that the taste and skill of the time could -achieve, were, in truth, not a sound business; considered with any -reference to the scarecrows in the rags and nightcaps elsewhere (and not -so far off, either, but that the watching towers of Notre Dame, almost -equidistant from the two extremes, could see them both), they would -have been an exceedingly uncomfortable business--if that could have -been anybody's business, at the house of Monseigneur. Military officers -destitute of military knowledge; naval officers with no idea of a ship; -civil officers without a notion of affairs; brazen ecclesiastics, of the -worst world worldly, with sensual eyes, loose tongues, and looser lives; -all totally unfit for their several callings, all lying horribly in -pretending to belong to them, but all nearly or remotely of the order of -Monseigneur, and therefore foisted on all public employments from which -anything was to be got; these were to be told off by the score and the -score. People not immediately connected with Monseigneur or the State, -yet equally unconnected with anything that was real, or with lives -passed in travelling by any straight road to any true earthly end, were -no less abundant. Doctors who made great fortunes out of dainty remedies -for imaginary disorders that never existed, smiled upon their courtly -patients in the ante-chambers of Monseigneur. Projectors who had -discovered every kind of remedy for the little evils with which the -State was touched, except the remedy of setting to work in earnest to -root out a single sin, poured their distracting babble into any ears -they could lay hold of, at the reception of Monseigneur. Unbelieving -Philosophers who were remodelling the world with words, and making -card-towers of Babel to scale the skies with, talked with Unbelieving -Chemists who had an eye on the transmutation of metals, at this -wonderful gathering accumulated by Monseigneur. Exquisite gentlemen of -the finest breeding, which was at that remarkable time--and has been -since--to be known by its fruits of indifference to every natural -subject of human interest, were in the most exemplary state of -exhaustion, at the hotel of Monseigneur. Such homes had these various -notabilities left behind them in the fine world of Paris, that the spies -among the assembled devotees of Monseigneur--forming a goodly half -of the polite company--would have found it hard to discover among -the angels of that sphere one solitary wife, who, in her manners and -appearance, owned to being a Mother. Indeed, except for the mere act of -bringing a troublesome creature into this world--which does not go far -towards the realisation of the name of mother--there was no such thing -known to the fashion. Peasant women kept the unfashionable babies close, -and brought them up, and charming grandmammas of sixty dressed and -supped as at twenty. - -The leprosy of unreality disfigured every human creature in attendance -upon Monseigneur. In the outermost room were half a dozen exceptional -people who had had, for a few years, some vague misgiving in them that -things in general were going rather wrong. As a promising way of setting -them right, half of the half-dozen had become members of a fantastic -sect of Convulsionists, and were even then considering within themselves -whether they should foam, rage, roar, and turn cataleptic on the -spot--thereby setting up a highly intelligible finger-post to the -Future, for Monseigneur's guidance. Besides these Dervishes, were other -three who had rushed into another sect, which mended matters with a -jargon about “the Centre of Truth:” holding that Man had got out of the -Centre of Truth--which did not need much demonstration--but had not got -out of the Circumference, and that he was to be kept from flying out of -the Circumference, and was even to be shoved back into the Centre, -by fasting and seeing of spirits. Among these, accordingly, much -discoursing with spirits went on--and it did a world of good which never -became manifest. - -But, the comfort was, that all the company at the grand hotel of -Monseigneur were perfectly dressed. If the Day of Judgment had only been -ascertained to be a dress day, everybody there would have been eternally -correct. Such frizzling and powdering and sticking up of hair, such -delicate complexions artificially preserved and mended, such gallant -swords to look at, and such delicate honour to the sense of smell, would -surely keep anything going, for ever and ever. The exquisite gentlemen -of the finest breeding wore little pendent trinkets that chinked as they -languidly moved; these golden fetters rang like precious little bells; -and what with that ringing, and with the rustle of silk and brocade and -fine linen, there was a flutter in the air that fanned Saint Antoine and -his devouring hunger far away. - -Dress was the one unfailing talisman and charm used for keeping all -things in their places. Everybody was dressed for a Fancy Ball that -was never to leave off. From the Palace of the Tuileries, through -Monseigneur and the whole Court, through the Chambers, the Tribunals -of Justice, and all society (except the scarecrows), the Fancy Ball -descended to the Common Executioner: who, in pursuance of the charm, was -required to officiate “frizzled, powdered, in a gold-laced coat, pumps, -and white silk stockings.” At the gallows and the wheel--the axe was a -rarity--Monsieur Paris, as it was the episcopal mode among his brother -Professors of the provinces, Monsieur Orleans, and the rest, to call -him, presided in this dainty dress. And who among the company at -Monseigneur's reception in that seventeen hundred and eightieth year -of our Lord, could possibly doubt, that a system rooted in a frizzled -hangman, powdered, gold-laced, pumped, and white-silk stockinged, would -see the very stars out! - -Monseigneur having eased his four men of their burdens and taken his -chocolate, caused the doors of the Holiest of Holiests to be thrown -open, and issued forth. Then, what submission, what cringing and -fawning, what servility, what abject humiliation! As to bowing down in -body and spirit, nothing in that way was left for Heaven--which may have -been one among other reasons why the worshippers of Monseigneur never -troubled it. - -Bestowing a word of promise here and a smile there, a whisper on one -happy slave and a wave of the hand on another, Monseigneur affably -passed through his rooms to the remote region of the Circumference of -Truth. There, Monseigneur turned, and came back again, and so in due -course of time got himself shut up in his sanctuary by the chocolate -sprites, and was seen no more. - -The show being over, the flutter in the air became quite a little storm, -and the precious little bells went ringing downstairs. There was soon -but one person left of all the crowd, and he, with his hat under his arm -and his snuff-box in his hand, slowly passed among the mirrors on his -way out. - -“I devote you,” said this person, stopping at the last door on his way, -and turning in the direction of the sanctuary, “to the Devil!” - -With that, he shook the snuff from his fingers as if he had shaken the -dust from his feet, and quietly walked downstairs. - -He was a man of about sixty, handsomely dressed, haughty in manner, and -with a face like a fine mask. A face of a transparent paleness; every -feature in it clearly defined; one set expression on it. The nose, -beautifully formed otherwise, was very slightly pinched at the top -of each nostril. In those two compressions, or dints, the only little -change that the face ever showed, resided. They persisted in changing -colour sometimes, and they would be occasionally dilated and contracted -by something like a faint pulsation; then, they gave a look of -treachery, and cruelty, to the whole countenance. Examined with -attention, its capacity of helping such a look was to be found in the -line of the mouth, and the lines of the orbits of the eyes, being much -too horizontal and thin; still, in the effect of the face made, it was a -handsome face, and a remarkable one. - -Its owner went downstairs into the courtyard, got into his carriage, and -drove away. Not many people had talked with him at the reception; he had -stood in a little space apart, and Monseigneur might have been warmer -in his manner. It appeared, under the circumstances, rather agreeable -to him to see the common people dispersed before his horses, and -often barely escaping from being run down. His man drove as if he were -charging an enemy, and the furious recklessness of the man brought no -check into the face, or to the lips, of the master. The complaint had -sometimes made itself audible, even in that deaf city and dumb age, -that, in the narrow streets without footways, the fierce patrician -custom of hard driving endangered and maimed the mere vulgar in a -barbarous manner. But, few cared enough for that to think of it a second -time, and, in this matter, as in all others, the common wretches were -left to get out of their difficulties as they could. - -With a wild rattle and clatter, and an inhuman abandonment of -consideration not easy to be understood in these days, the carriage -dashed through streets and swept round corners, with women screaming -before it, and men clutching each other and clutching children out of -its way. At last, swooping at a street corner by a fountain, one of its -wheels came to a sickening little jolt, and there was a loud cry from a -number of voices, and the horses reared and plunged. - -But for the latter inconvenience, the carriage probably would not have -stopped; carriages were often known to drive on, and leave their wounded -behind, and why not? But the frightened valet had got down in a hurry, -and there were twenty hands at the horses' bridles. - -“What has gone wrong?” said Monsieur, calmly looking out. - -A tall man in a nightcap had caught up a bundle from among the feet of -the horses, and had laid it on the basement of the fountain, and was -down in the mud and wet, howling over it like a wild animal. - -“Pardon, Monsieur the Marquis!” said a ragged and submissive man, “it is -a child.” - -“Why does he make that abominable noise? Is it his child?” - -“Excuse me, Monsieur the Marquis--it is a pity--yes.” - -The fountain was a little removed; for the street opened, where it was, -into a space some ten or twelve yards square. As the tall man suddenly -got up from the ground, and came running at the carriage, Monsieur the -Marquis clapped his hand for an instant on his sword-hilt. - -“Killed!” shrieked the man, in wild desperation, extending both arms at -their length above his head, and staring at him. “Dead!” - -The people closed round, and looked at Monsieur the Marquis. There was -nothing revealed by the many eyes that looked at him but watchfulness -and eagerness; there was no visible menacing or anger. Neither did the -people say anything; after the first cry, they had been silent, and they -remained so. The voice of the submissive man who had spoken, was flat -and tame in its extreme submission. Monsieur the Marquis ran his eyes -over them all, as if they had been mere rats come out of their holes. - -He took out his purse. - -“It is extraordinary to me,” said he, “that you people cannot take care -of yourselves and your children. One or the other of you is for ever in -the way. How do I know what injury you have done my horses. See! Give -him that.” - -He threw out a gold coin for the valet to pick up, and all the heads -craned forward that all the eyes might look down at it as it fell. The -tall man called out again with a most unearthly cry, “Dead!” - -He was arrested by the quick arrival of another man, for whom the rest -made way. On seeing him, the miserable creature fell upon his shoulder, -sobbing and crying, and pointing to the fountain, where some women were -stooping over the motionless bundle, and moving gently about it. They -were as silent, however, as the men. - -“I know all, I know all,” said the last comer. “Be a brave man, my -Gaspard! It is better for the poor little plaything to die so, than to -live. It has died in a moment without pain. Could it have lived an hour -as happily?” - -“You are a philosopher, you there,” said the Marquis, smiling. “How do -they call you?” - -“They call me Defarge.” - -“Of what trade?” - -“Monsieur the Marquis, vendor of wine.” - -“Pick up that, philosopher and vendor of wine,” said the Marquis, -throwing him another gold coin, “and spend it as you will. The horses -there; are they right?” - -Without deigning to look at the assemblage a second time, Monsieur the -Marquis leaned back in his seat, and was just being driven away with the -air of a gentleman who had accidentally broke some common thing, and had -paid for it, and could afford to pay for it; when his ease was suddenly -disturbed by a coin flying into his carriage, and ringing on its floor. - -“Hold!” said Monsieur the Marquis. “Hold the horses! Who threw that?” - -He looked to the spot where Defarge the vendor of wine had stood, a -moment before; but the wretched father was grovelling on his face on -the pavement in that spot, and the figure that stood beside him was the -figure of a dark stout woman, knitting. - -“You dogs!” said the Marquis, but smoothly, and with an unchanged front, -except as to the spots on his nose: “I would ride over any of you very -willingly, and exterminate you from the earth. If I knew which rascal -threw at the carriage, and if that brigand were sufficiently near it, he -should be crushed under the wheels.” - -So cowed was their condition, and so long and hard their experience of -what such a man could do to them, within the law and beyond it, that not -a voice, or a hand, or even an eye was raised. Among the men, not one. -But the woman who stood knitting looked up steadily, and looked the -Marquis in the face. It was not for his dignity to notice it; his -contemptuous eyes passed over her, and over all the other rats; and he -leaned back in his seat again, and gave the word “Go on!” - -He was driven on, and other carriages came whirling by in quick -succession; the Minister, the State-Projector, the Farmer-General, the -Doctor, the Lawyer, the Ecclesiastic, the Grand Opera, the Comedy, the -whole Fancy Ball in a bright continuous flow, came whirling by. The rats -had crept out of their holes to look on, and they remained looking -on for hours; soldiers and police often passing between them and the -spectacle, and making a barrier behind which they slunk, and through -which they peeped. The father had long ago taken up his bundle and -bidden himself away with it, when the women who had tended the bundle -while it lay on the base of the fountain, sat there watching the running -of the water and the rolling of the Fancy Ball--when the one woman who -had stood conspicuous, knitting, still knitted on with the steadfastness -of Fate. The water of the fountain ran, the swift river ran, the day ran -into evening, so much life in the city ran into death according to rule, -time and tide waited for no man, the rats were sleeping close together -in their dark holes again, the Fancy Ball was lighted up at supper, all -things ran their course. - - - - -VIII. Monseigneur in the Country - - -A beautiful landscape, with the corn bright in it, but not abundant. -Patches of poor rye where corn should have been, patches of poor peas -and beans, patches of most coarse vegetable substitutes for wheat. On -inanimate nature, as on the men and women who cultivated it, a prevalent -tendency towards an appearance of vegetating unwillingly--a dejected -disposition to give up, and wither away. - -Monsieur the Marquis in his travelling carriage (which might have been -lighter), conducted by four post-horses and two postilions, fagged up -a steep hill. A blush on the countenance of Monsieur the Marquis was -no impeachment of his high breeding; it was not from within; it was -occasioned by an external circumstance beyond his control--the setting -sun. - -The sunset struck so brilliantly into the travelling carriage when it -gained the hill-top, that its occupant was steeped in crimson. “It will -die out,” said Monsieur the Marquis, glancing at his hands, “directly.” - -In effect, the sun was so low that it dipped at the moment. When the -heavy drag had been adjusted to the wheel, and the carriage slid down -hill, with a cinderous smell, in a cloud of dust, the red glow departed -quickly; the sun and the Marquis going down together, there was no glow -left when the drag was taken off. - -But, there remained a broken country, bold and open, a little village -at the bottom of the hill, a broad sweep and rise beyond it, a -church-tower, a windmill, a forest for the chase, and a crag with a -fortress on it used as a prison. Round upon all these darkening objects -as the night drew on, the Marquis looked, with the air of one who was -coming near home. - -The village had its one poor street, with its poor brewery, poor -tannery, poor tavern, poor stable-yard for relays of post-horses, poor -fountain, all usual poor appointments. It had its poor people too. All -its people were poor, and many of them were sitting at their doors, -shredding spare onions and the like for supper, while many were at the -fountain, washing leaves, and grasses, and any such small yieldings of -the earth that could be eaten. Expressive signs of what made them poor, -were not wanting; the tax for the state, the tax for the church, the tax -for the lord, tax local and tax general, were to be paid here and to be -paid there, according to solemn inscription in the little village, until -the wonder was, that there was any village left unswallowed. - -Few children were to be seen, and no dogs. As to the men and women, -their choice on earth was stated in the prospect--Life on the lowest -terms that could sustain it, down in the little village under the mill; -or captivity and Death in the dominant prison on the crag. - -Heralded by a courier in advance, and by the cracking of his postilions' -whips, which twined snake-like about their heads in the evening air, as -if he came attended by the Furies, Monsieur the Marquis drew up in -his travelling carriage at the posting-house gate. It was hard by the -fountain, and the peasants suspended their operations to look at him. -He looked at them, and saw in them, without knowing it, the slow -sure filing down of misery-worn face and figure, that was to make the -meagreness of Frenchmen an English superstition which should survive the -truth through the best part of a hundred years. - -Monsieur the Marquis cast his eyes over the submissive faces that -drooped before him, as the like of himself had drooped before -Monseigneur of the Court--only the difference was, that these faces -drooped merely to suffer and not to propitiate--when a grizzled mender -of the roads joined the group. - -“Bring me hither that fellow!” said the Marquis to the courier. - -The fellow was brought, cap in hand, and the other fellows closed round -to look and listen, in the manner of the people at the Paris fountain. - -“I passed you on the road?” - -“Monseigneur, it is true. I had the honour of being passed on the road.” - -“Coming up the hill, and at the top of the hill, both?” - -“Monseigneur, it is true.” - -“What did you look at, so fixedly?” - -“Monseigneur, I looked at the man.” - -He stooped a little, and with his tattered blue cap pointed under the -carriage. All his fellows stooped to look under the carriage. - -“What man, pig? And why look there?” - -“Pardon, Monseigneur; he swung by the chain of the shoe--the drag.” - -“Who?” demanded the traveller. - -“Monseigneur, the man.” - -“May the Devil carry away these idiots! How do you call the man? You -know all the men of this part of the country. Who was he?” - -“Your clemency, Monseigneur! He was not of this part of the country. Of -all the days of my life, I never saw him.” - -“Swinging by the chain? To be suffocated?” - -“With your gracious permission, that was the wonder of it, Monseigneur. -His head hanging over--like this!” - -He turned himself sideways to the carriage, and leaned back, with his -face thrown up to the sky, and his head hanging down; then recovered -himself, fumbled with his cap, and made a bow. - -“What was he like?” - -“Monseigneur, he was whiter than the miller. All covered with dust, -white as a spectre, tall as a spectre!” - -The picture produced an immense sensation in the little crowd; but all -eyes, without comparing notes with other eyes, looked at Monsieur -the Marquis. Perhaps, to observe whether he had any spectre on his -conscience. - -“Truly, you did well,” said the Marquis, felicitously sensible that such -vermin were not to ruffle him, “to see a thief accompanying my carriage, -and not open that great mouth of yours. Bah! Put him aside, Monsieur -Gabelle!” - -Monsieur Gabelle was the Postmaster, and some other taxing functionary -united; he had come out with great obsequiousness to assist at this -examination, and had held the examined by the drapery of his arm in an -official manner. - -“Bah! Go aside!” said Monsieur Gabelle. - -“Lay hands on this stranger if he seeks to lodge in your village -to-night, and be sure that his business is honest, Gabelle.” - -“Monseigneur, I am flattered to devote myself to your orders.” - -“Did he run away, fellow?--where is that Accursed?” - -The accursed was already under the carriage with some half-dozen -particular friends, pointing out the chain with his blue cap. Some -half-dozen other particular friends promptly hauled him out, and -presented him breathless to Monsieur the Marquis. - -“Did the man run away, Dolt, when we stopped for the drag?” - -“Monseigneur, he precipitated himself over the hill-side, head first, as -a person plunges into the river.” - -“See to it, Gabelle. Go on!” - -The half-dozen who were peering at the chain were still among the -wheels, like sheep; the wheels turned so suddenly that they were lucky -to save their skins and bones; they had very little else to save, or -they might not have been so fortunate. - -The burst with which the carriage started out of the village and up the -rise beyond, was soon checked by the steepness of the hill. Gradually, -it subsided to a foot pace, swinging and lumbering upward among the many -sweet scents of a summer night. The postilions, with a thousand gossamer -gnats circling about them in lieu of the Furies, quietly mended the -points to the lashes of their whips; the valet walked by the horses; the -courier was audible, trotting on ahead into the dull distance. - -At the steepest point of the hill there was a little burial-ground, -with a Cross and a new large figure of Our Saviour on it; it was a poor -figure in wood, done by some inexperienced rustic carver, but he had -studied the figure from the life--his own life, maybe--for it was -dreadfully spare and thin. - -To this distressful emblem of a great distress that had long been -growing worse, and was not at its worst, a woman was kneeling. She -turned her head as the carriage came up to her, rose quickly, and -presented herself at the carriage-door. - -“It is you, Monseigneur! Monseigneur, a petition.” - -With an exclamation of impatience, but with his unchangeable face, -Monseigneur looked out. - -“How, then! What is it? Always petitions!” - -“Monseigneur. For the love of the great God! My husband, the forester.” - -“What of your husband, the forester? Always the same with you people. He -cannot pay something?” - -“He has paid all, Monseigneur. He is dead.” - -“Well! He is quiet. Can I restore him to you?” - -“Alas, no, Monseigneur! But he lies yonder, under a little heap of poor -grass.” - -“Well?” - -“Monseigneur, there are so many little heaps of poor grass?” - -“Again, well?” - -She looked an old woman, but was young. Her manner was one of passionate -grief; by turns she clasped her veinous and knotted hands together -with wild energy, and laid one of them on the carriage-door--tenderly, -caressingly, as if it had been a human breast, and could be expected to -feel the appealing touch. - -“Monseigneur, hear me! Monseigneur, hear my petition! My husband died of -want; so many die of want; so many more will die of want.” - -“Again, well? Can I feed them?” - -“Monseigneur, the good God knows; but I don't ask it. My petition is, -that a morsel of stone or wood, with my husband's name, may be placed -over him to show where he lies. Otherwise, the place will be quickly -forgotten, it will never be found when I am dead of the same malady, I -shall be laid under some other heap of poor grass. Monseigneur, they -are so many, they increase so fast, there is so much want. Monseigneur! -Monseigneur!” - -The valet had put her away from the door, the carriage had broken into -a brisk trot, the postilions had quickened the pace, she was left far -behind, and Monseigneur, again escorted by the Furies, was rapidly -diminishing the league or two of distance that remained between him and -his chateau. - -The sweet scents of the summer night rose all around him, and rose, as -the rain falls, impartially, on the dusty, ragged, and toil-worn group -at the fountain not far away; to whom the mender of roads, with the aid -of the blue cap without which he was nothing, still enlarged upon his -man like a spectre, as long as they could bear it. By degrees, as they -could bear no more, they dropped off one by one, and lights twinkled -in little casements; which lights, as the casements darkened, and more -stars came out, seemed to have shot up into the sky instead of having -been extinguished. - -The shadow of a large high-roofed house, and of many over-hanging trees, -was upon Monsieur the Marquis by that time; and the shadow was exchanged -for the light of a flambeau, as his carriage stopped, and the great door -of his chateau was opened to him. - -“Monsieur Charles, whom I expect; is he arrived from England?” - -“Monseigneur, not yet.” - - - - -IX. The Gorgon's Head - - -It was a heavy mass of building, that chateau of Monsieur the Marquis, -with a large stone courtyard before it, and two stone sweeps of -staircase meeting in a stone terrace before the principal door. A stony -business altogether, with heavy stone balustrades, and stone urns, and -stone flowers, and stone faces of men, and stone heads of lions, in -all directions. As if the Gorgon's head had surveyed it, when it was -finished, two centuries ago. - -Up the broad flight of shallow steps, Monsieur the Marquis, flambeau -preceded, went from his carriage, sufficiently disturbing the darkness -to elicit loud remonstrance from an owl in the roof of the great pile -of stable building away among the trees. All else was so quiet, that the -flambeau carried up the steps, and the other flambeau held at the great -door, burnt as if they were in a close room of state, instead of being -in the open night-air. Other sound than the owl's voice there was none, -save the falling of a fountain into its stone basin; for, it was one of -those dark nights that hold their breath by the hour together, and then -heave a long low sigh, and hold their breath again. - -The great door clanged behind him, and Monsieur the Marquis crossed a -hall grim with certain old boar-spears, swords, and knives of the chase; -grimmer with certain heavy riding-rods and riding-whips, of which many a -peasant, gone to his benefactor Death, had felt the weight when his lord -was angry. - -Avoiding the larger rooms, which were dark and made fast for the night, -Monsieur the Marquis, with his flambeau-bearer going on before, went up -the staircase to a door in a corridor. This thrown open, admitted him -to his own private apartment of three rooms: his bed-chamber and two -others. High vaulted rooms with cool uncarpeted floors, great dogs upon -the hearths for the burning of wood in winter time, and all luxuries -befitting the state of a marquis in a luxurious age and country. -The fashion of the last Louis but one, of the line that was never to -break--the fourteenth Louis--was conspicuous in their rich furniture; -but, it was diversified by many objects that were illustrations of old -pages in the history of France. - -A supper-table was laid for two, in the third of the rooms; a round -room, in one of the chateau's four extinguisher-topped towers. A small -lofty room, with its window wide open, and the wooden jalousie-blinds -closed, so that the dark night only showed in slight horizontal lines of -black, alternating with their broad lines of stone colour. - -“My nephew,” said the Marquis, glancing at the supper preparation; “they -said he was not arrived.” - -Nor was he; but, he had been expected with Monseigneur. - -“Ah! It is not probable he will arrive to-night; nevertheless, leave the -table as it is. I shall be ready in a quarter of an hour.” - -In a quarter of an hour Monseigneur was ready, and sat down alone to his -sumptuous and choice supper. His chair was opposite to the window, and -he had taken his soup, and was raising his glass of Bordeaux to his -lips, when he put it down. - -“What is that?” he calmly asked, looking with attention at the -horizontal lines of black and stone colour. - -“Monseigneur? That?” - -“Outside the blinds. Open the blinds.” - -It was done. - -“Well?” - -“Monseigneur, it is nothing. The trees and the night are all that are -here.” - -The servant who spoke, had thrown the blinds wide, had looked out into -the vacant darkness, and stood with that blank behind him, looking round -for instructions. - -“Good,” said the imperturbable master. “Close them again.” - -That was done too, and the Marquis went on with his supper. He was -half way through it, when he again stopped with his glass in his hand, -hearing the sound of wheels. It came on briskly, and came up to the -front of the chateau. - -“Ask who is arrived.” - -It was the nephew of Monseigneur. He had been some few leagues behind -Monseigneur, early in the afternoon. He had diminished the distance -rapidly, but not so rapidly as to come up with Monseigneur on the road. -He had heard of Monseigneur, at the posting-houses, as being before him. - -He was to be told (said Monseigneur) that supper awaited him then and -there, and that he was prayed to come to it. In a little while he came. -He had been known in England as Charles Darnay. - -Monseigneur received him in a courtly manner, but they did not shake -hands. - -“You left Paris yesterday, sir?” he said to Monseigneur, as he took his -seat at table. - -“Yesterday. And you?” - -“I come direct.” - -“From London?” - -“Yes.” - -“You have been a long time coming,” said the Marquis, with a smile. - -“On the contrary; I come direct.” - -“Pardon me! I mean, not a long time on the journey; a long time -intending the journey.” - -“I have been detained by”--the nephew stopped a moment in his -answer--“various business.” - -“Without doubt,” said the polished uncle. - -So long as a servant was present, no other words passed between them. -When coffee had been served and they were alone together, the nephew, -looking at the uncle and meeting the eyes of the face that was like a -fine mask, opened a conversation. - -“I have come back, sir, as you anticipate, pursuing the object that -took me away. It carried me into great and unexpected peril; but it is -a sacred object, and if it had carried me to death I hope it would have -sustained me.” - -“Not to death,” said the uncle; “it is not necessary to say, to death.” - -“I doubt, sir,” returned the nephew, “whether, if it had carried me to -the utmost brink of death, you would have cared to stop me there.” - -The deepened marks in the nose, and the lengthening of the fine straight -lines in the cruel face, looked ominous as to that; the uncle made a -graceful gesture of protest, which was so clearly a slight form of good -breeding that it was not reassuring. - -“Indeed, sir,” pursued the nephew, “for anything I know, you may have -expressly worked to give a more suspicious appearance to the suspicious -circumstances that surrounded me.” - -“No, no, no,” said the uncle, pleasantly. - -“But, however that may be,” resumed the nephew, glancing at him with -deep distrust, “I know that your diplomacy would stop me by any means, -and would know no scruple as to means.” - -“My friend, I told you so,” said the uncle, with a fine pulsation in the -two marks. “Do me the favour to recall that I told you so, long ago.” - -“I recall it.” - -“Thank you,” said the Marquis--very sweetly indeed. - -His tone lingered in the air, almost like the tone of a musical -instrument. - -“In effect, sir,” pursued the nephew, “I believe it to be at once your -bad fortune, and my good fortune, that has kept me out of a prison in -France here.” - -“I do not quite understand,” returned the uncle, sipping his coffee. -“Dare I ask you to explain?” - -“I believe that if you were not in disgrace with the Court, and had not -been overshadowed by that cloud for years past, a letter de cachet would -have sent me to some fortress indefinitely.” - -“It is possible,” said the uncle, with great calmness. “For the honour -of the family, I could even resolve to incommode you to that extent. -Pray excuse me!” - -“I perceive that, happily for me, the Reception of the day before -yesterday was, as usual, a cold one,” observed the nephew. - -“I would not say happily, my friend,” returned the uncle, with refined -politeness; “I would not be sure of that. A good opportunity for -consideration, surrounded by the advantages of solitude, might influence -your destiny to far greater advantage than you influence it for -yourself. But it is useless to discuss the question. I am, as you say, -at a disadvantage. These little instruments of correction, these gentle -aids to the power and honour of families, these slight favours that -might so incommode you, are only to be obtained now by interest -and importunity. They are sought by so many, and they are granted -(comparatively) to so few! It used not to be so, but France in all such -things is changed for the worse. Our not remote ancestors held the right -of life and death over the surrounding vulgar. From this room, many such -dogs have been taken out to be hanged; in the next room (my bedroom), -one fellow, to our knowledge, was poniarded on the spot for professing -some insolent delicacy respecting his daughter--_his_ daughter? We have -lost many privileges; a new philosophy has become the mode; and the -assertion of our station, in these days, might (I do not go so far as -to say would, but might) cause us real inconvenience. All very bad, very -bad!” - -The Marquis took a gentle little pinch of snuff, and shook his head; -as elegantly despondent as he could becomingly be of a country still -containing himself, that great means of regeneration. - -“We have so asserted our station, both in the old time and in the modern -time also,” said the nephew, gloomily, “that I believe our name to be -more detested than any name in France.” - -“Let us hope so,” said the uncle. “Detestation of the high is the -involuntary homage of the low.” - -“There is not,” pursued the nephew, in his former tone, “a face I can -look at, in all this country round about us, which looks at me with any -deference on it but the dark deference of fear and slavery.” - -“A compliment,” said the Marquis, “to the grandeur of the family, -merited by the manner in which the family has sustained its grandeur. -Hah!” And he took another gentle little pinch of snuff, and lightly -crossed his legs. - -But, when his nephew, leaning an elbow on the table, covered his eyes -thoughtfully and dejectedly with his hand, the fine mask looked at -him sideways with a stronger concentration of keenness, closeness, -and dislike, than was comportable with its wearer's assumption of -indifference. - -“Repression is the only lasting philosophy. The dark deference of fear -and slavery, my friend,” observed the Marquis, “will keep the dogs -obedient to the whip, as long as this roof,” looking up to it, “shuts -out the sky.” - -That might not be so long as the Marquis supposed. If a picture of the -chateau as it was to be a very few years hence, and of fifty like it as -they too were to be a very few years hence, could have been shown to -him that night, he might have been at a loss to claim his own from -the ghastly, fire-charred, plunder-wrecked rains. As for the roof -he vaunted, he might have found _that_ shutting out the sky in a new -way--to wit, for ever, from the eyes of the bodies into which its lead -was fired, out of the barrels of a hundred thousand muskets. - -“Meanwhile,” said the Marquis, “I will preserve the honour and repose -of the family, if you will not. But you must be fatigued. Shall we -terminate our conference for the night?” - -“A moment more.” - -“An hour, if you please.” - -“Sir,” said the nephew, “we have done wrong, and are reaping the fruits -of wrong.” - -“_We_ have done wrong?” repeated the Marquis, with an inquiring smile, -and delicately pointing, first to his nephew, then to himself. - -“Our family; our honourable family, whose honour is of so much account -to both of us, in such different ways. Even in my father's time, we did -a world of wrong, injuring every human creature who came between us and -our pleasure, whatever it was. Why need I speak of my father's time, -when it is equally yours? Can I separate my father's twin-brother, joint -inheritor, and next successor, from himself?” - -“Death has done that!” said the Marquis. - -“And has left me,” answered the nephew, “bound to a system that is -frightful to me, responsible for it, but powerless in it; seeking to -execute the last request of my dear mother's lips, and obey the last -look of my dear mother's eyes, which implored me to have mercy and to -redress; and tortured by seeking assistance and power in vain.” - -“Seeking them from me, my nephew,” said the Marquis, touching him on the -breast with his forefinger--they were now standing by the hearth--“you -will for ever seek them in vain, be assured.” - -Every fine straight line in the clear whiteness of his face, was -cruelly, craftily, and closely compressed, while he stood looking -quietly at his nephew, with his snuff-box in his hand. Once again he -touched him on the breast, as though his finger were the fine point of -a small sword, with which, in delicate finesse, he ran him through the -body, and said, - -“My friend, I will die, perpetuating the system under which I have -lived.” - -When he had said it, he took a culminating pinch of snuff, and put his -box in his pocket. - -“Better to be a rational creature,” he added then, after ringing a small -bell on the table, “and accept your natural destiny. But you are lost, -Monsieur Charles, I see.” - -“This property and France are lost to me,” said the nephew, sadly; “I -renounce them.” - -“Are they both yours to renounce? France may be, but is the property? It -is scarcely worth mentioning; but, is it yet?” - -“I had no intention, in the words I used, to claim it yet. If it passed -to me from you, to-morrow--” - -“Which I have the vanity to hope is not probable.” - -“--or twenty years hence--” - -“You do me too much honour,” said the Marquis; “still, I prefer that -supposition.” - -“--I would abandon it, and live otherwise and elsewhere. It is little to -relinquish. What is it but a wilderness of misery and ruin!” - -“Hah!” said the Marquis, glancing round the luxurious room. - -“To the eye it is fair enough, here; but seen in its integrity, -under the sky, and by the daylight, it is a crumbling tower of waste, -mismanagement, extortion, debt, mortgage, oppression, hunger, nakedness, -and suffering.” - -“Hah!” said the Marquis again, in a well-satisfied manner. - -“If it ever becomes mine, it shall be put into some hands better -qualified to free it slowly (if such a thing is possible) from the -weight that drags it down, so that the miserable people who cannot leave -it and who have been long wrung to the last point of endurance, may, in -another generation, suffer less; but it is not for me. There is a curse -on it, and on all this land.” - -“And you?” said the uncle. “Forgive my curiosity; do you, under your new -philosophy, graciously intend to live?” - -“I must do, to live, what others of my countrymen, even with nobility at -their backs, may have to do some day--work.” - -“In England, for example?” - -“Yes. The family honour, sir, is safe from me in this country. The -family name can suffer from me in no other, for I bear it in no other.” - -The ringing of the bell had caused the adjoining bed-chamber to be -lighted. It now shone brightly, through the door of communication. The -Marquis looked that way, and listened for the retreating step of his -valet. - -“England is very attractive to you, seeing how indifferently you have -prospered there,” he observed then, turning his calm face to his nephew -with a smile. - -“I have already said, that for my prospering there, I am sensible I may -be indebted to you, sir. For the rest, it is my Refuge.” - -“They say, those boastful English, that it is the Refuge of many. You -know a compatriot who has found a Refuge there? A Doctor?” - -“Yes.” - -“With a daughter?” - -“Yes.” - -“Yes,” said the Marquis. “You are fatigued. Good night!” - -As he bent his head in his most courtly manner, there was a secrecy -in his smiling face, and he conveyed an air of mystery to those words, -which struck the eyes and ears of his nephew forcibly. At the same -time, the thin straight lines of the setting of the eyes, and the thin -straight lips, and the markings in the nose, curved with a sarcasm that -looked handsomely diabolic. - -“Yes,” repeated the Marquis. “A Doctor with a daughter. Yes. So -commences the new philosophy! You are fatigued. Good night!” - -It would have been of as much avail to interrogate any stone face -outside the chateau as to interrogate that face of his. The nephew -looked at him, in vain, in passing on to the door. - -“Good night!” said the uncle. “I look to the pleasure of seeing you -again in the morning. Good repose! Light Monsieur my nephew to his -chamber there!--And burn Monsieur my nephew in his bed, if you will,” he -added to himself, before he rang his little bell again, and summoned his -valet to his own bedroom. - -The valet come and gone, Monsieur the Marquis walked to and fro in his -loose chamber-robe, to prepare himself gently for sleep, that hot still -night. Rustling about the room, his softly-slippered feet making no -noise on the floor, he moved like a refined tiger:--looked like some -enchanted marquis of the impenitently wicked sort, in story, whose -periodical change into tiger form was either just going off, or just -coming on. - -He moved from end to end of his voluptuous bedroom, looking again at the -scraps of the day's journey that came unbidden into his mind; the slow -toil up the hill at sunset, the setting sun, the descent, the mill, the -prison on the crag, the little village in the hollow, the peasants at -the fountain, and the mender of roads with his blue cap pointing out the -chain under the carriage. That fountain suggested the Paris fountain, -the little bundle lying on the step, the women bending over it, and the -tall man with his arms up, crying, “Dead!” - -“I am cool now,” said Monsieur the Marquis, “and may go to bed.” - -So, leaving only one light burning on the large hearth, he let his thin -gauze curtains fall around him, and heard the night break its silence -with a long sigh as he composed himself to sleep. - -The stone faces on the outer walls stared blindly at the black night -for three heavy hours; for three heavy hours, the horses in the stables -rattled at their racks, the dogs barked, and the owl made a noise with -very little resemblance in it to the noise conventionally assigned to -the owl by men-poets. But it is the obstinate custom of such creatures -hardly ever to say what is set down for them. - -For three heavy hours, the stone faces of the chateau, lion and human, -stared blindly at the night. Dead darkness lay on all the landscape, -dead darkness added its own hush to the hushing dust on all the roads. -The burial-place had got to the pass that its little heaps of poor grass -were undistinguishable from one another; the figure on the Cross might -have come down, for anything that could be seen of it. In the village, -taxers and taxed were fast asleep. Dreaming, perhaps, of banquets, as -the starved usually do, and of ease and rest, as the driven slave and -the yoked ox may, its lean inhabitants slept soundly, and were fed and -freed. - -The fountain in the village flowed unseen and unheard, and the fountain -at the chateau dropped unseen and unheard--both melting away, like the -minutes that were falling from the spring of Time--through three dark -hours. Then, the grey water of both began to be ghostly in the light, -and the eyes of the stone faces of the chateau were opened. - -Lighter and lighter, until at last the sun touched the tops of the still -trees, and poured its radiance over the hill. In the glow, the water -of the chateau fountain seemed to turn to blood, and the stone faces -crimsoned. The carol of the birds was loud and high, and, on the -weather-beaten sill of the great window of the bed-chamber of Monsieur -the Marquis, one little bird sang its sweetest song with all its might. -At this, the nearest stone face seemed to stare amazed, and, with open -mouth and dropped under-jaw, looked awe-stricken. - -Now, the sun was full up, and movement began in the village. Casement -windows opened, crazy doors were unbarred, and people came forth -shivering--chilled, as yet, by the new sweet air. Then began the rarely -lightened toil of the day among the village population. Some, to the -fountain; some, to the fields; men and women here, to dig and delve; men -and women there, to see to the poor live stock, and lead the bony cows -out, to such pasture as could be found by the roadside. In the church -and at the Cross, a kneeling figure or two; attendant on the latter -prayers, the led cow, trying for a breakfast among the weeds at its -foot. - -The chateau awoke later, as became its quality, but awoke gradually and -surely. First, the lonely boar-spears and knives of the chase had been -reddened as of old; then, had gleamed trenchant in the morning sunshine; -now, doors and windows were thrown open, horses in their stables looked -round over their shoulders at the light and freshness pouring in at -doorways, leaves sparkled and rustled at iron-grated windows, dogs -pulled hard at their chains, and reared impatient to be loosed. - -All these trivial incidents belonged to the routine of life, and the -return of morning. Surely, not so the ringing of the great bell of the -chateau, nor the running up and down the stairs; nor the hurried -figures on the terrace; nor the booting and tramping here and there and -everywhere, nor the quick saddling of horses and riding away? - -What winds conveyed this hurry to the grizzled mender of roads, already -at work on the hill-top beyond the village, with his day's dinner (not -much to carry) lying in a bundle that it was worth no crow's while to -peck at, on a heap of stones? Had the birds, carrying some grains of it -to a distance, dropped one over him as they sow chance seeds? Whether or -no, the mender of roads ran, on the sultry morning, as if for his life, -down the hill, knee-high in dust, and never stopped till he got to the -fountain. - -All the people of the village were at the fountain, standing about -in their depressed manner, and whispering low, but showing no other -emotions than grim curiosity and surprise. The led cows, hastily brought -in and tethered to anything that would hold them, were looking stupidly -on, or lying down chewing the cud of nothing particularly repaying their -trouble, which they had picked up in their interrupted saunter. Some of -the people of the chateau, and some of those of the posting-house, and -all the taxing authorities, were armed more or less, and were crowded -on the other side of the little street in a purposeless way, that was -highly fraught with nothing. Already, the mender of roads had penetrated -into the midst of a group of fifty particular friends, and was smiting -himself in the breast with his blue cap. What did all this portend, -and what portended the swift hoisting-up of Monsieur Gabelle behind -a servant on horseback, and the conveying away of the said Gabelle -(double-laden though the horse was), at a gallop, like a new version of -the German ballad of Leonora? - -It portended that there was one stone face too many, up at the chateau. - -The Gorgon had surveyed the building again in the night, and had added -the one stone face wanting; the stone face for which it had waited -through about two hundred years. - -It lay back on the pillow of Monsieur the Marquis. It was like a fine -mask, suddenly startled, made angry, and petrified. Driven home into the -heart of the stone figure attached to it, was a knife. Round its hilt -was a frill of paper, on which was scrawled: - -“Drive him fast to his tomb. This, from Jacques.” - - - - -X. Two Promises - - -More months, to the number of twelve, had come and gone, and Mr. Charles -Darnay was established in England as a higher teacher of the French -language who was conversant with French literature. In this age, he -would have been a Professor; in that age, he was a Tutor. He read with -young men who could find any leisure and interest for the study of a -living tongue spoken all over the world, and he cultivated a taste for -its stores of knowledge and fancy. He could write of them, besides, in -sound English, and render them into sound English. Such masters were not -at that time easily found; Princes that had been, and Kings that were -to be, were not yet of the Teacher class, and no ruined nobility had -dropped out of Tellson's ledgers, to turn cooks and carpenters. As a -tutor, whose attainments made the student's way unusually pleasant and -profitable, and as an elegant translator who brought something to his -work besides mere dictionary knowledge, young Mr. Darnay soon became -known and encouraged. He was well acquainted, more-over, with the -circumstances of his country, and those were of ever-growing interest. -So, with great perseverance and untiring industry, he prospered. - -In London, he had expected neither to walk on pavements of gold, nor -to lie on beds of roses; if he had had any such exalted expectation, he -would not have prospered. He had expected labour, and he found it, and -did it and made the best of it. In this, his prosperity consisted. - -A certain portion of his time was passed at Cambridge, where he -read with undergraduates as a sort of tolerated smuggler who drove a -contraband trade in European languages, instead of conveying Greek -and Latin through the Custom-house. The rest of his time he passed in -London. - -Now, from the days when it was always summer in Eden, to these days -when it is mostly winter in fallen latitudes, the world of a man has -invariably gone one way--Charles Darnay's way--the way of the love of a -woman. - -He had loved Lucie Manette from the hour of his danger. He had never -heard a sound so sweet and dear as the sound of her compassionate voice; -he had never seen a face so tenderly beautiful, as hers when it was -confronted with his own on the edge of the grave that had been dug for -him. But, he had not yet spoken to her on the subject; the assassination -at the deserted chateau far away beyond the heaving water and the long, -long, dusty roads--the solid stone chateau which had itself become the -mere mist of a dream--had been done a year, and he had never yet, by so -much as a single spoken word, disclosed to her the state of his heart. - -That he had his reasons for this, he knew full well. It was again a -summer day when, lately arrived in London from his college occupation, -he turned into the quiet corner in Soho, bent on seeking an opportunity -of opening his mind to Doctor Manette. It was the close of the summer -day, and he knew Lucie to be out with Miss Pross. - -He found the Doctor reading in his arm-chair at a window. The energy -which had at once supported him under his old sufferings and aggravated -their sharpness, had been gradually restored to him. He was now a -very energetic man indeed, with great firmness of purpose, strength -of resolution, and vigour of action. In his recovered energy he was -sometimes a little fitful and sudden, as he had at first been in the -exercise of his other recovered faculties; but, this had never been -frequently observable, and had grown more and more rare. - -He studied much, slept little, sustained a great deal of fatigue with -ease, and was equably cheerful. To him, now entered Charles Darnay, at -sight of whom he laid aside his book and held out his hand. - -“Charles Darnay! I rejoice to see you. We have been counting on your -return these three or four days past. Mr. Stryver and Sydney Carton were -both here yesterday, and both made you out to be more than due.” - -“I am obliged to them for their interest in the matter,” he answered, -a little coldly as to them, though very warmly as to the Doctor. “Miss -Manette--” - -“Is well,” said the Doctor, as he stopped short, “and your return will -delight us all. She has gone out on some household matters, but will -soon be home.” - -“Doctor Manette, I knew she was from home. I took the opportunity of her -being from home, to beg to speak to you.” - -There was a blank silence. - -“Yes?” said the Doctor, with evident constraint. “Bring your chair here, -and speak on.” - -He complied as to the chair, but appeared to find the speaking on less -easy. - -“I have had the happiness, Doctor Manette, of being so intimate here,” - so he at length began, “for some year and a half, that I hope the topic -on which I am about to touch may not--” - -He was stayed by the Doctor's putting out his hand to stop him. When he -had kept it so a little while, he said, drawing it back: - -“Is Lucie the topic?” - -“She is.” - -“It is hard for me to speak of her at any time. It is very hard for me -to hear her spoken of in that tone of yours, Charles Darnay.” - -“It is a tone of fervent admiration, true homage, and deep love, Doctor -Manette!” he said deferentially. - -There was another blank silence before her father rejoined: - -“I believe it. I do you justice; I believe it.” - -His constraint was so manifest, and it was so manifest, too, that it -originated in an unwillingness to approach the subject, that Charles -Darnay hesitated. - -“Shall I go on, sir?” - -Another blank. - -“Yes, go on.” - -“You anticipate what I would say, though you cannot know how earnestly -I say it, how earnestly I feel it, without knowing my secret heart, and -the hopes and fears and anxieties with which it has long been -laden. Dear Doctor Manette, I love your daughter fondly, dearly, -disinterestedly, devotedly. If ever there were love in the world, I love -her. You have loved yourself; let your old love speak for me!” - -The Doctor sat with his face turned away, and his eyes bent on the -ground. At the last words, he stretched out his hand again, hurriedly, -and cried: - -“Not that, sir! Let that be! I adjure you, do not recall that!” - -His cry was so like a cry of actual pain, that it rang in Charles -Darnay's ears long after he had ceased. He motioned with the hand he had -extended, and it seemed to be an appeal to Darnay to pause. The latter -so received it, and remained silent. - -“I ask your pardon,” said the Doctor, in a subdued tone, after some -moments. “I do not doubt your loving Lucie; you may be satisfied of it.” - -He turned towards him in his chair, but did not look at him, or -raise his eyes. His chin dropped upon his hand, and his white hair -overshadowed his face: - -“Have you spoken to Lucie?” - -“No.” - -“Nor written?” - -“Never.” - -“It would be ungenerous to affect not to know that your self-denial is -to be referred to your consideration for her father. Her father thanks -you.” - -He offered his hand; but his eyes did not go with it. - -“I know,” said Darnay, respectfully, “how can I fail to know, Doctor -Manette, I who have seen you together from day to day, that between -you and Miss Manette there is an affection so unusual, so touching, so -belonging to the circumstances in which it has been nurtured, that it -can have few parallels, even in the tenderness between a father and -child. I know, Doctor Manette--how can I fail to know--that, mingled -with the affection and duty of a daughter who has become a woman, there -is, in her heart, towards you, all the love and reliance of infancy -itself. I know that, as in her childhood she had no parent, so she is -now devoted to you with all the constancy and fervour of her present -years and character, united to the trustfulness and attachment of the -early days in which you were lost to her. I know perfectly well that if -you had been restored to her from the world beyond this life, you could -hardly be invested, in her sight, with a more sacred character than that -in which you are always with her. I know that when she is clinging to -you, the hands of baby, girl, and woman, all in one, are round your -neck. I know that in loving you she sees and loves her mother at her -own age, sees and loves you at my age, loves her mother broken-hearted, -loves you through your dreadful trial and in your blessed restoration. I -have known this, night and day, since I have known you in your home.” - -Her father sat silent, with his face bent down. His breathing was a -little quickened; but he repressed all other signs of agitation. - -“Dear Doctor Manette, always knowing this, always seeing her and you -with this hallowed light about you, I have forborne, and forborne, as -long as it was in the nature of man to do it. I have felt, and do even -now feel, that to bring my love--even mine--between you, is to touch -your history with something not quite so good as itself. But I love her. -Heaven is my witness that I love her!” - -“I believe it,” answered her father, mournfully. “I have thought so -before now. I believe it.” - -“But, do not believe,” said Darnay, upon whose ear the mournful voice -struck with a reproachful sound, “that if my fortune were so cast as -that, being one day so happy as to make her my wife, I must at any time -put any separation between her and you, I could or would breathe a -word of what I now say. Besides that I should know it to be hopeless, I -should know it to be a baseness. If I had any such possibility, even at -a remote distance of years, harboured in my thoughts, and hidden in my -heart--if it ever had been there--if it ever could be there--I could not -now touch this honoured hand.” - -He laid his own upon it as he spoke. - -“No, dear Doctor Manette. Like you, a voluntary exile from France; like -you, driven from it by its distractions, oppressions, and miseries; like -you, striving to live away from it by my own exertions, and trusting -in a happier future; I look only to sharing your fortunes, sharing your -life and home, and being faithful to you to the death. Not to divide -with Lucie her privilege as your child, companion, and friend; but to -come in aid of it, and bind her closer to you, if such a thing can be.” - -His touch still lingered on her father's hand. Answering the touch for a -moment, but not coldly, her father rested his hands upon the arms of -his chair, and looked up for the first time since the beginning of the -conference. A struggle was evidently in his face; a struggle with that -occasional look which had a tendency in it to dark doubt and dread. - -“You speak so feelingly and so manfully, Charles Darnay, that I thank -you with all my heart, and will open all my heart--or nearly so. Have -you any reason to believe that Lucie loves you?” - -“None. As yet, none.” - -“Is it the immediate object of this confidence, that you may at once -ascertain that, with my knowledge?” - -“Not even so. I might not have the hopefulness to do it for weeks; I -might (mistaken or not mistaken) have that hopefulness to-morrow.” - -“Do you seek any guidance from me?” - -“I ask none, sir. But I have thought it possible that you might have it -in your power, if you should deem it right, to give me some.” - -“Do you seek any promise from me?” - -“I do seek that.” - -“What is it?” - -“I well understand that, without you, I could have no hope. I well -understand that, even if Miss Manette held me at this moment in her -innocent heart--do not think I have the presumption to assume so much--I -could retain no place in it against her love for her father.” - -“If that be so, do you see what, on the other hand, is involved in it?” - -“I understand equally well, that a word from her father in any suitor's -favour, would outweigh herself and all the world. For which reason, -Doctor Manette,” said Darnay, modestly but firmly, “I would not ask that -word, to save my life.” - -“I am sure of it. Charles Darnay, mysteries arise out of close love, as -well as out of wide division; in the former case, they are subtle and -delicate, and difficult to penetrate. My daughter Lucie is, in this one -respect, such a mystery to me; I can make no guess at the state of her -heart.” - -“May I ask, sir, if you think she is--” As he hesitated, her father -supplied the rest. - -“Is sought by any other suitor?” - -“It is what I meant to say.” - -Her father considered a little before he answered: - -“You have seen Mr. Carton here, yourself. Mr. Stryver is here too, -occasionally. If it be at all, it can only be by one of these.” - -“Or both,” said Darnay. - -“I had not thought of both; I should not think either, likely. You want -a promise from me. Tell me what it is.” - -“It is, that if Miss Manette should bring to you at any time, on her own -part, such a confidence as I have ventured to lay before you, you will -bear testimony to what I have said, and to your belief in it. I hope you -may be able to think so well of me, as to urge no influence against -me. I say nothing more of my stake in this; this is what I ask. The -condition on which I ask it, and which you have an undoubted right to -require, I will observe immediately.” - -“I give the promise,” said the Doctor, “without any condition. I believe -your object to be, purely and truthfully, as you have stated it. I -believe your intention is to perpetuate, and not to weaken, the ties -between me and my other and far dearer self. If she should ever tell me -that you are essential to her perfect happiness, I will give her to you. -If there were--Charles Darnay, if there were--” - -The young man had taken his hand gratefully; their hands were joined as -the Doctor spoke: - -“--any fancies, any reasons, any apprehensions, anything whatsoever, -new or old, against the man she really loved--the direct responsibility -thereof not lying on his head--they should all be obliterated for her -sake. She is everything to me; more to me than suffering, more to me -than wrong, more to me--Well! This is idle talk.” - -So strange was the way in which he faded into silence, and so strange -his fixed look when he had ceased to speak, that Darnay felt his own -hand turn cold in the hand that slowly released and dropped it. - -“You said something to me,” said Doctor Manette, breaking into a smile. -“What was it you said to me?” - -He was at a loss how to answer, until he remembered having spoken of a -condition. Relieved as his mind reverted to that, he answered: - -“Your confidence in me ought to be returned with full confidence on my -part. My present name, though but slightly changed from my mother's, is -not, as you will remember, my own. I wish to tell you what that is, and -why I am in England.” - -“Stop!” said the Doctor of Beauvais. - -“I wish it, that I may the better deserve your confidence, and have no -secret from you.” - -“Stop!” - -For an instant, the Doctor even had his two hands at his ears; for -another instant, even had his two hands laid on Darnay's lips. - -“Tell me when I ask you, not now. If your suit should prosper, if Lucie -should love you, you shall tell me on your marriage morning. Do you -promise?” - -“Willingly. - -“Give me your hand. She will be home directly, and it is better she -should not see us together to-night. Go! God bless you!” - -It was dark when Charles Darnay left him, and it was an hour later and -darker when Lucie came home; she hurried into the room alone--for -Miss Pross had gone straight up-stairs--and was surprised to find his -reading-chair empty. - -“My father!” she called to him. “Father dear!” - -Nothing was said in answer, but she heard a low hammering sound in his -bedroom. Passing lightly across the intermediate room, she looked in at -his door and came running back frightened, crying to herself, with her -blood all chilled, “What shall I do! What shall I do!” - -Her uncertainty lasted but a moment; she hurried back, and tapped at -his door, and softly called to him. The noise ceased at the sound of -her voice, and he presently came out to her, and they walked up and down -together for a long time. - -She came down from her bed, to look at him in his sleep that night. He -slept heavily, and his tray of shoemaking tools, and his old unfinished -work, were all as usual. - - - - -XI. A Companion Picture - - -“Sydney,” said Mr. Stryver, on that self-same night, or morning, to his -jackal; “mix another bowl of punch; I have something to say to you.” - -Sydney had been working double tides that night, and the night before, -and the night before that, and a good many nights in succession, making -a grand clearance among Mr. Stryver's papers before the setting in -of the long vacation. The clearance was effected at last; the Stryver -arrears were handsomely fetched up; everything was got rid of until -November should come with its fogs atmospheric, and fogs legal, and -bring grist to the mill again. - -Sydney was none the livelier and none the soberer for so much -application. It had taken a deal of extra wet-towelling to pull him -through the night; a correspondingly extra quantity of wine had preceded -the towelling; and he was in a very damaged condition, as he now pulled -his turban off and threw it into the basin in which he had steeped it at -intervals for the last six hours. - -“Are you mixing that other bowl of punch?” said Stryver the portly, with -his hands in his waistband, glancing round from the sofa where he lay on -his back. - -“I am.” - -“Now, look here! I am going to tell you something that will rather -surprise you, and that perhaps will make you think me not quite as -shrewd as you usually do think me. I intend to marry.” - -“_Do_ you?” - -“Yes. And not for money. What do you say now?” - -“I don't feel disposed to say much. Who is she?” - -“Guess.” - -“Do I know her?” - -“Guess.” - -“I am not going to guess, at five o'clock in the morning, with my brains -frying and sputtering in my head. If you want me to guess, you must ask -me to dinner.” - -“Well then, I'll tell you,” said Stryver, coming slowly into a sitting -posture. “Sydney, I rather despair of making myself intelligible to you, -because you are such an insensible dog.” - -“And you,” returned Sydney, busy concocting the punch, “are such a -sensitive and poetical spirit--” - -“Come!” rejoined Stryver, laughing boastfully, “though I don't prefer -any claim to being the soul of Romance (for I hope I know better), still -I am a tenderer sort of fellow than _you_.” - -“You are a luckier, if you mean that.” - -“I don't mean that. I mean I am a man of more--more--” - -“Say gallantry, while you are about it,” suggested Carton. - -“Well! I'll say gallantry. My meaning is that I am a man,” said Stryver, -inflating himself at his friend as he made the punch, “who cares more to -be agreeable, who takes more pains to be agreeable, who knows better how -to be agreeable, in a woman's society, than you do.” - -“Go on,” said Sydney Carton. - -“No; but before I go on,” said Stryver, shaking his head in his bullying -way, “I'll have this out with you. You've been at Doctor Manette's house -as much as I have, or more than I have. Why, I have been ashamed of your -moroseness there! Your manners have been of that silent and sullen and -hangdog kind, that, upon my life and soul, I have been ashamed of you, -Sydney!” - -“It should be very beneficial to a man in your practice at the bar, to -be ashamed of anything,” returned Sydney; “you ought to be much obliged -to me.” - -“You shall not get off in that way,” rejoined Stryver, shouldering the -rejoinder at him; “no, Sydney, it's my duty to tell you--and I tell you -to your face to do you good--that you are a devilish ill-conditioned -fellow in that sort of society. You are a disagreeable fellow.” - -Sydney drank a bumper of the punch he had made, and laughed. - -“Look at me!” said Stryver, squaring himself; “I have less need to make -myself agreeable than you have, being more independent in circumstances. -Why do I do it?” - -“I never saw you do it yet,” muttered Carton. - -“I do it because it's politic; I do it on principle. And look at me! I -get on.” - -“You don't get on with your account of your matrimonial intentions,” - answered Carton, with a careless air; “I wish you would keep to that. As -to me--will you never understand that I am incorrigible?” - -He asked the question with some appearance of scorn. - -“You have no business to be incorrigible,” was his friend's answer, -delivered in no very soothing tone. - -“I have no business to be, at all, that I know of,” said Sydney Carton. -“Who is the lady?” - -“Now, don't let my announcement of the name make you uncomfortable, -Sydney,” said Mr. Stryver, preparing him with ostentatious friendliness -for the disclosure he was about to make, “because I know you don't mean -half you say; and if you meant it all, it would be of no importance. I -make this little preface, because you once mentioned the young lady to -me in slighting terms.” - -“I did?” - -“Certainly; and in these chambers.” - -Sydney Carton looked at his punch and looked at his complacent friend; -drank his punch and looked at his complacent friend. - -“You made mention of the young lady as a golden-haired doll. The young -lady is Miss Manette. If you had been a fellow of any sensitiveness or -delicacy of feeling in that kind of way, Sydney, I might have been a -little resentful of your employing such a designation; but you are not. -You want that sense altogether; therefore I am no more annoyed when I -think of the expression, than I should be annoyed by a man's opinion of -a picture of mine, who had no eye for pictures: or of a piece of music -of mine, who had no ear for music.” - -Sydney Carton drank the punch at a great rate; drank it by bumpers, -looking at his friend. - -“Now you know all about it, Syd,” said Mr. Stryver. “I don't care about -fortune: she is a charming creature, and I have made up my mind to -please myself: on the whole, I think I can afford to please myself. She -will have in me a man already pretty well off, and a rapidly rising man, -and a man of some distinction: it is a piece of good fortune for her, -but she is worthy of good fortune. Are you astonished?” - -Carton, still drinking the punch, rejoined, “Why should I be -astonished?” - -“You approve?” - -Carton, still drinking the punch, rejoined, “Why should I not approve?” - -“Well!” said his friend Stryver, “you take it more easily than I fancied -you would, and are less mercenary on my behalf than I thought you would -be; though, to be sure, you know well enough by this time that your -ancient chum is a man of a pretty strong will. Yes, Sydney, I have had -enough of this style of life, with no other as a change from it; I -feel that it is a pleasant thing for a man to have a home when he feels -inclined to go to it (when he doesn't, he can stay away), and I feel -that Miss Manette will tell well in any station, and will always do me -credit. So I have made up my mind. And now, Sydney, old boy, I want to -say a word to _you_ about _your_ prospects. You are in a bad way, you -know; you really are in a bad way. You don't know the value of money, -you live hard, you'll knock up one of these days, and be ill and poor; -you really ought to think about a nurse.” - -The prosperous patronage with which he said it, made him look twice as -big as he was, and four times as offensive. - -“Now, let me recommend you,” pursued Stryver, “to look it in the face. -I have looked it in the face, in my different way; look it in the face, -you, in your different way. Marry. Provide somebody to take care of -you. Never mind your having no enjoyment of women's society, nor -understanding of it, nor tact for it. Find out somebody. Find out some -respectable woman with a little property--somebody in the landlady way, -or lodging-letting way--and marry her, against a rainy day. That's the -kind of thing for _you_. Now think of it, Sydney.” - -“I'll think of it,” said Sydney. - - - - -XII. The Fellow of Delicacy - - -Mr. Stryver having made up his mind to that magnanimous bestowal of good -fortune on the Doctor's daughter, resolved to make her happiness known -to her before he left town for the Long Vacation. After some mental -debating of the point, he came to the conclusion that it would be as -well to get all the preliminaries done with, and they could then arrange -at their leisure whether he should give her his hand a week or two -before Michaelmas Term, or in the little Christmas vacation between it -and Hilary. - -As to the strength of his case, he had not a doubt about it, but clearly -saw his way to the verdict. Argued with the jury on substantial worldly -grounds--the only grounds ever worth taking into account--it was a -plain case, and had not a weak spot in it. He called himself for the -plaintiff, there was no getting over his evidence, the counsel for -the defendant threw up his brief, and the jury did not even turn to -consider. After trying it, Stryver, C. J., was satisfied that no plainer -case could be. - -Accordingly, Mr. Stryver inaugurated the Long Vacation with a formal -proposal to take Miss Manette to Vauxhall Gardens; that failing, to -Ranelagh; that unaccountably failing too, it behoved him to present -himself in Soho, and there declare his noble mind. - -Towards Soho, therefore, Mr. Stryver shouldered his way from the Temple, -while the bloom of the Long Vacation's infancy was still upon it. -Anybody who had seen him projecting himself into Soho while he was yet -on Saint Dunstan's side of Temple Bar, bursting in his full-blown way -along the pavement, to the jostlement of all weaker people, might have -seen how safe and strong he was. - -His way taking him past Tellson's, and he both banking at Tellson's and -knowing Mr. Lorry as the intimate friend of the Manettes, it entered Mr. -Stryver's mind to enter the bank, and reveal to Mr. Lorry the brightness -of the Soho horizon. So, he pushed open the door with the weak rattle -in its throat, stumbled down the two steps, got past the two ancient -cashiers, and shouldered himself into the musty back closet where Mr. -Lorry sat at great books ruled for figures, with perpendicular iron -bars to his window as if that were ruled for figures too, and everything -under the clouds were a sum. - -“Halloa!” said Mr. Stryver. “How do you do? I hope you are well!” - -It was Stryver's grand peculiarity that he always seemed too big for any -place, or space. He was so much too big for Tellson's, that old clerks -in distant corners looked up with looks of remonstrance, as though he -squeezed them against the wall. The House itself, magnificently reading -the paper quite in the far-off perspective, lowered displeased, as if -the Stryver head had been butted into its responsible waistcoat. - -The discreet Mr. Lorry said, in a sample tone of the voice he would -recommend under the circumstances, “How do you do, Mr. Stryver? How do -you do, sir?” and shook hands. There was a peculiarity in his manner -of shaking hands, always to be seen in any clerk at Tellson's who shook -hands with a customer when the House pervaded the air. He shook in a -self-abnegating way, as one who shook for Tellson and Co. - -“Can I do anything for you, Mr. Stryver?” asked Mr. Lorry, in his -business character. - -“Why, no, thank you; this is a private visit to yourself, Mr. Lorry; I -have come for a private word.” - -“Oh indeed!” said Mr. Lorry, bending down his ear, while his eye strayed -to the House afar off. - -“I am going,” said Mr. Stryver, leaning his arms confidentially on the -desk: whereupon, although it was a large double one, there appeared to -be not half desk enough for him: “I am going to make an offer of myself -in marriage to your agreeable little friend, Miss Manette, Mr. Lorry.” - -“Oh dear me!” cried Mr. Lorry, rubbing his chin, and looking at his -visitor dubiously. - -“Oh dear me, sir?” repeated Stryver, drawing back. “Oh dear you, sir? -What may your meaning be, Mr. Lorry?” - -“My meaning,” answered the man of business, “is, of course, friendly and -appreciative, and that it does you the greatest credit, and--in short, -my meaning is everything you could desire. But--really, you know, Mr. -Stryver--” Mr. Lorry paused, and shook his head at him in the oddest -manner, as if he were compelled against his will to add, internally, -“you know there really is so much too much of you!” - -“Well!” said Stryver, slapping the desk with his contentious hand, -opening his eyes wider, and taking a long breath, “if I understand you, -Mr. Lorry, I'll be hanged!” - -Mr. Lorry adjusted his little wig at both ears as a means towards that -end, and bit the feather of a pen. - -“D--n it all, sir!” said Stryver, staring at him, “am I not eligible?” - -“Oh dear yes! Yes. Oh yes, you're eligible!” said Mr. Lorry. “If you say -eligible, you are eligible.” - -“Am I not prosperous?” asked Stryver. - -“Oh! if you come to prosperous, you are prosperous,” said Mr. Lorry. - -“And advancing?” - -“If you come to advancing you know,” said Mr. Lorry, delighted to be -able to make another admission, “nobody can doubt that.” - -“Then what on earth is your meaning, Mr. Lorry?” demanded Stryver, -perceptibly crestfallen. - -“Well! I--Were you going there now?” asked Mr. Lorry. - -“Straight!” said Stryver, with a plump of his fist on the desk. - -“Then I think I wouldn't, if I was you.” - -“Why?” said Stryver. “Now, I'll put you in a corner,” forensically -shaking a forefinger at him. “You are a man of business and bound to -have a reason. State your reason. Why wouldn't you go?” - -“Because,” said Mr. Lorry, “I wouldn't go on such an object without -having some cause to believe that I should succeed.” - -“D--n _me_!” cried Stryver, “but this beats everything.” - -Mr. Lorry glanced at the distant House, and glanced at the angry -Stryver. - -“Here's a man of business--a man of years--a man of experience--_in_ -a Bank,” said Stryver; “and having summed up three leading reasons for -complete success, he says there's no reason at all! Says it with his -head on!” Mr. Stryver remarked upon the peculiarity as if it would have -been infinitely less remarkable if he had said it with his head off. - -“When I speak of success, I speak of success with the young lady; and -when I speak of causes and reasons to make success probable, I speak of -causes and reasons that will tell as such with the young lady. The young -lady, my good sir,” said Mr. Lorry, mildly tapping the Stryver arm, “the -young lady. The young lady goes before all.” - -“Then you mean to tell me, Mr. Lorry,” said Stryver, squaring his -elbows, “that it is your deliberate opinion that the young lady at -present in question is a mincing Fool?” - -“Not exactly so. I mean to tell you, Mr. Stryver,” said Mr. Lorry, -reddening, “that I will hear no disrespectful word of that young lady -from any lips; and that if I knew any man--which I hope I do not--whose -taste was so coarse, and whose temper was so overbearing, that he could -not restrain himself from speaking disrespectfully of that young lady at -this desk, not even Tellson's should prevent my giving him a piece of my -mind.” - -The necessity of being angry in a suppressed tone had put Mr. Stryver's -blood-vessels into a dangerous state when it was his turn to be angry; -Mr. Lorry's veins, methodical as their courses could usually be, were in -no better state now it was his turn. - -“That is what I mean to tell you, sir,” said Mr. Lorry. “Pray let there -be no mistake about it.” - -Mr. Stryver sucked the end of a ruler for a little while, and then stood -hitting a tune out of his teeth with it, which probably gave him the -toothache. He broke the awkward silence by saying: - -“This is something new to me, Mr. Lorry. You deliberately advise me not -to go up to Soho and offer myself--_my_self, Stryver of the King's Bench -bar?” - -“Do you ask me for my advice, Mr. Stryver?” - -“Yes, I do.” - -“Very good. Then I give it, and you have repeated it correctly.” - -“And all I can say of it is,” laughed Stryver with a vexed laugh, “that -this--ha, ha!--beats everything past, present, and to come.” - -“Now understand me,” pursued Mr. Lorry. “As a man of business, I am -not justified in saying anything about this matter, for, as a man of -business, I know nothing of it. But, as an old fellow, who has carried -Miss Manette in his arms, who is the trusted friend of Miss Manette and -of her father too, and who has a great affection for them both, I have -spoken. The confidence is not of my seeking, recollect. Now, you think I -may not be right?” - -“Not I!” said Stryver, whistling. “I can't undertake to find third -parties in common sense; I can only find it for myself. I suppose sense -in certain quarters; you suppose mincing bread-and-butter nonsense. It's -new to me, but you are right, I dare say.” - -“What I suppose, Mr. Stryver, I claim to characterise for myself--And -understand me, sir,” said Mr. Lorry, quickly flushing again, “I -will not--not even at Tellson's--have it characterised for me by any -gentleman breathing.” - -“There! I beg your pardon!” said Stryver. - -“Granted. Thank you. Well, Mr. Stryver, I was about to say:--it might be -painful to you to find yourself mistaken, it might be painful to Doctor -Manette to have the task of being explicit with you, it might be very -painful to Miss Manette to have the task of being explicit with you. You -know the terms upon which I have the honour and happiness to stand with -the family. If you please, committing you in no way, representing you -in no way, I will undertake to correct my advice by the exercise of a -little new observation and judgment expressly brought to bear upon -it. If you should then be dissatisfied with it, you can but test its -soundness for yourself; if, on the other hand, you should be satisfied -with it, and it should be what it now is, it may spare all sides what is -best spared. What do you say?” - -“How long would you keep me in town?” - -“Oh! It is only a question of a few hours. I could go to Soho in the -evening, and come to your chambers afterwards.” - -“Then I say yes,” said Stryver: “I won't go up there now, I am not so -hot upon it as that comes to; I say yes, and I shall expect you to look -in to-night. Good morning.” - -Then Mr. Stryver turned and burst out of the Bank, causing such a -concussion of air on his passage through, that to stand up against it -bowing behind the two counters, required the utmost remaining strength -of the two ancient clerks. Those venerable and feeble persons were -always seen by the public in the act of bowing, and were popularly -believed, when they had bowed a customer out, still to keep on bowing in -the empty office until they bowed another customer in. - -The barrister was keen enough to divine that the banker would not have -gone so far in his expression of opinion on any less solid ground than -moral certainty. Unprepared as he was for the large pill he had to -swallow, he got it down. “And now,” said Mr. Stryver, shaking his -forensic forefinger at the Temple in general, when it was down, “my way -out of this, is, to put you all in the wrong.” - -It was a bit of the art of an Old Bailey tactician, in which he found -great relief. “You shall not put me in the wrong, young lady,” said Mr. -Stryver; “I'll do that for you.” - -Accordingly, when Mr. Lorry called that night as late as ten o'clock, -Mr. Stryver, among a quantity of books and papers littered out for the -purpose, seemed to have nothing less on his mind than the subject of -the morning. He even showed surprise when he saw Mr. Lorry, and was -altogether in an absent and preoccupied state. - -“Well!” said that good-natured emissary, after a full half-hour of -bootless attempts to bring him round to the question. “I have been to -Soho.” - -“To Soho?” repeated Mr. Stryver, coldly. “Oh, to be sure! What am I -thinking of!” - -“And I have no doubt,” said Mr. Lorry, “that I was right in the -conversation we had. My opinion is confirmed, and I reiterate my -advice.” - -“I assure you,” returned Mr. Stryver, in the friendliest way, “that I -am sorry for it on your account, and sorry for it on the poor father's -account. I know this must always be a sore subject with the family; let -us say no more about it.” - -“I don't understand you,” said Mr. Lorry. - -“I dare say not,” rejoined Stryver, nodding his head in a smoothing and -final way; “no matter, no matter.” - -“But it does matter,” Mr. Lorry urged. - -“No it doesn't; I assure you it doesn't. Having supposed that there was -sense where there is no sense, and a laudable ambition where there is -not a laudable ambition, I am well out of my mistake, and no harm is -done. Young women have committed similar follies often before, and have -repented them in poverty and obscurity often before. In an unselfish -aspect, I am sorry that the thing is dropped, because it would have been -a bad thing for me in a worldly point of view; in a selfish aspect, I am -glad that the thing has dropped, because it would have been a bad thing -for me in a worldly point of view--it is hardly necessary to say I could -have gained nothing by it. There is no harm at all done. I have not -proposed to the young lady, and, between ourselves, I am by no means -certain, on reflection, that I ever should have committed myself to -that extent. Mr. Lorry, you cannot control the mincing vanities and -giddinesses of empty-headed girls; you must not expect to do it, or you -will always be disappointed. Now, pray say no more about it. I tell you, -I regret it on account of others, but I am satisfied on my own account. -And I am really very much obliged to you for allowing me to sound you, -and for giving me your advice; you know the young lady better than I do; -you were right, it never would have done.” - -Mr. Lorry was so taken aback, that he looked quite stupidly at Mr. -Stryver shouldering him towards the door, with an appearance of -showering generosity, forbearance, and goodwill, on his erring head. -“Make the best of it, my dear sir,” said Stryver; “say no more about it; -thank you again for allowing me to sound you; good night!” - -Mr. Lorry was out in the night, before he knew where he was. Mr. Stryver -was lying back on his sofa, winking at his ceiling. - - - - -XIII. The Fellow of No Delicacy - - -If Sydney Carton ever shone anywhere, he certainly never shone in the -house of Doctor Manette. He had been there often, during a whole year, -and had always been the same moody and morose lounger there. When he -cared to talk, he talked well; but, the cloud of caring for nothing, -which overshadowed him with such a fatal darkness, was very rarely -pierced by the light within him. - -And yet he did care something for the streets that environed that house, -and for the senseless stones that made their pavements. Many a night -he vaguely and unhappily wandered there, when wine had brought no -transitory gladness to him; many a dreary daybreak revealed his solitary -figure lingering there, and still lingering there when the first beams -of the sun brought into strong relief, removed beauties of architecture -in spires of churches and lofty buildings, as perhaps the quiet time -brought some sense of better things, else forgotten and unattainable, -into his mind. Of late, the neglected bed in the Temple Court had known -him more scantily than ever; and often when he had thrown himself upon -it no longer than a few minutes, he had got up again, and haunted that -neighbourhood. - -On a day in August, when Mr. Stryver (after notifying to his jackal -that “he had thought better of that marrying matter”) had carried his -delicacy into Devonshire, and when the sight and scent of flowers in the -City streets had some waifs of goodness in them for the worst, of health -for the sickliest, and of youth for the oldest, Sydney's feet still trod -those stones. From being irresolute and purposeless, his feet became -animated by an intention, and, in the working out of that intention, -they took him to the Doctor's door. - -He was shown up-stairs, and found Lucie at her work, alone. She had -never been quite at her ease with him, and received him with some little -embarrassment as he seated himself near her table. But, looking up at -his face in the interchange of the first few common-places, she observed -a change in it. - -“I fear you are not well, Mr. Carton!” - -“No. But the life I lead, Miss Manette, is not conducive to health. What -is to be expected of, or by, such profligates?” - -“Is it not--forgive me; I have begun the question on my lips--a pity to -live no better life?” - -“God knows it is a shame!” - -“Then why not change it?” - -Looking gently at him again, she was surprised and saddened to see that -there were tears in his eyes. There were tears in his voice too, as he -answered: - -“It is too late for that. I shall never be better than I am. I shall -sink lower, and be worse.” - -He leaned an elbow on her table, and covered his eyes with his hand. The -table trembled in the silence that followed. - -She had never seen him softened, and was much distressed. He knew her to -be so, without looking at her, and said: - -“Pray forgive me, Miss Manette. I break down before the knowledge of -what I want to say to you. Will you hear me?” - -“If it will do you any good, Mr. Carton, if it would make you happier, -it would make me very glad!” - -“God bless you for your sweet compassion!” - -He unshaded his face after a little while, and spoke steadily. - -“Don't be afraid to hear me. Don't shrink from anything I say. I am like -one who died young. All my life might have been.” - -“No, Mr. Carton. I am sure that the best part of it might still be; I am -sure that you might be much, much worthier of yourself.” - -“Say of you, Miss Manette, and although I know better--although in the -mystery of my own wretched heart I know better--I shall never forget -it!” - -She was pale and trembling. He came to her relief with a fixed despair -of himself which made the interview unlike any other that could have -been holden. - -“If it had been possible, Miss Manette, that you could have returned the -love of the man you see before yourself--flung away, wasted, drunken, -poor creature of misuse as you know him to be--he would have been -conscious this day and hour, in spite of his happiness, that he would -bring you to misery, bring you to sorrow and repentance, blight you, -disgrace you, pull you down with him. I know very well that you can have -no tenderness for me; I ask for none; I am even thankful that it cannot -be.” - -“Without it, can I not save you, Mr. Carton? Can I not recall -you--forgive me again!--to a better course? Can I in no way repay your -confidence? I know this is a confidence,” she modestly said, after a -little hesitation, and in earnest tears, “I know you would say this to -no one else. Can I turn it to no good account for yourself, Mr. Carton?” - -He shook his head. - -“To none. No, Miss Manette, to none. If you will hear me through a very -little more, all you can ever do for me is done. I wish you to know that -you have been the last dream of my soul. In my degradation I have not -been so degraded but that the sight of you with your father, and of this -home made such a home by you, has stirred old shadows that I thought had -died out of me. Since I knew you, I have been troubled by a remorse that -I thought would never reproach me again, and have heard whispers from -old voices impelling me upward, that I thought were silent for ever. I -have had unformed ideas of striving afresh, beginning anew, shaking off -sloth and sensuality, and fighting out the abandoned fight. A dream, all -a dream, that ends in nothing, and leaves the sleeper where he lay down, -but I wish you to know that you inspired it.” - -“Will nothing of it remain? O Mr. Carton, think again! Try again!” - -“No, Miss Manette; all through it, I have known myself to be quite -undeserving. And yet I have had the weakness, and have still the -weakness, to wish you to know with what a sudden mastery you kindled me, -heap of ashes that I am, into fire--a fire, however, inseparable in -its nature from myself, quickening nothing, lighting nothing, doing no -service, idly burning away.” - -“Since it is my misfortune, Mr. Carton, to have made you more unhappy -than you were before you knew me--” - -“Don't say that, Miss Manette, for you would have reclaimed me, if -anything could. You will not be the cause of my becoming worse.” - -“Since the state of your mind that you describe, is, at all events, -attributable to some influence of mine--this is what I mean, if I can -make it plain--can I use no influence to serve you? Have I no power for -good, with you, at all?” - -“The utmost good that I am capable of now, Miss Manette, I have come -here to realise. Let me carry through the rest of my misdirected life, -the remembrance that I opened my heart to you, last of all the world; -and that there was something left in me at this time which you could -deplore and pity.” - -“Which I entreated you to believe, again and again, most fervently, with -all my heart, was capable of better things, Mr. Carton!” - -“Entreat me to believe it no more, Miss Manette. I have proved myself, -and I know better. I distress you; I draw fast to an end. Will you let -me believe, when I recall this day, that the last confidence of my life -was reposed in your pure and innocent breast, and that it lies there -alone, and will be shared by no one?” - -“If that will be a consolation to you, yes.” - -“Not even by the dearest one ever to be known to you?” - -“Mr. Carton,” she answered, after an agitated pause, “the secret is -yours, not mine; and I promise to respect it.” - -“Thank you. And again, God bless you.” - -He put her hand to his lips, and moved towards the door. - -“Be under no apprehension, Miss Manette, of my ever resuming this -conversation by so much as a passing word. I will never refer to it -again. If I were dead, that could not be surer than it is henceforth. In -the hour of my death, I shall hold sacred the one good remembrance--and -shall thank and bless you for it--that my last avowal of myself was made -to you, and that my name, and faults, and miseries were gently carried -in your heart. May it otherwise be light and happy!” - -He was so unlike what he had ever shown himself to be, and it was so -sad to think how much he had thrown away, and how much he every day kept -down and perverted, that Lucie Manette wept mournfully for him as he -stood looking back at her. - -“Be comforted!” he said, “I am not worth such feeling, Miss Manette. An -hour or two hence, and the low companions and low habits that I scorn -but yield to, will render me less worth such tears as those, than any -wretch who creeps along the streets. Be comforted! But, within myself, I -shall always be, towards you, what I am now, though outwardly I shall be -what you have heretofore seen me. The last supplication but one I make -to you, is, that you will believe this of me.” - -“I will, Mr. Carton.” - -“My last supplication of all, is this; and with it, I will relieve -you of a visitor with whom I well know you have nothing in unison, and -between whom and you there is an impassable space. It is useless to say -it, I know, but it rises out of my soul. For you, and for any dear to -you, I would do anything. If my career were of that better kind that -there was any opportunity or capacity of sacrifice in it, I would -embrace any sacrifice for you and for those dear to you. Try to hold -me in your mind, at some quiet times, as ardent and sincere in this one -thing. The time will come, the time will not be long in coming, when new -ties will be formed about you--ties that will bind you yet more tenderly -and strongly to the home you so adorn--the dearest ties that will ever -grace and gladden you. O Miss Manette, when the little picture of a -happy father's face looks up in yours, when you see your own bright -beauty springing up anew at your feet, think now and then that there is -a man who would give his life, to keep a life you love beside you!” - -He said, “Farewell!” said a last “God bless you!” and left her. - - - - -XIV. The Honest Tradesman - - -To the eyes of Mr. Jeremiah Cruncher, sitting on his stool in -Fleet-street with his grisly urchin beside him, a vast number and -variety of objects in movement were every day presented. Who could sit -upon anything in Fleet-street during the busy hours of the day, and -not be dazed and deafened by two immense processions, one ever tending -westward with the sun, the other ever tending eastward from the sun, -both ever tending to the plains beyond the range of red and purple where -the sun goes down! - -With his straw in his mouth, Mr. Cruncher sat watching the two streams, -like the heathen rustic who has for several centuries been on duty -watching one stream--saving that Jerry had no expectation of their ever -running dry. Nor would it have been an expectation of a hopeful kind, -since a small part of his income was derived from the pilotage of timid -women (mostly of a full habit and past the middle term of life) from -Tellson's side of the tides to the opposite shore. Brief as such -companionship was in every separate instance, Mr. Cruncher never failed -to become so interested in the lady as to express a strong desire to -have the honour of drinking her very good health. And it was from -the gifts bestowed upon him towards the execution of this benevolent -purpose, that he recruited his finances, as just now observed. - -Time was, when a poet sat upon a stool in a public place, and mused in -the sight of men. Mr. Cruncher, sitting on a stool in a public place, -but not being a poet, mused as little as possible, and looked about him. - -It fell out that he was thus engaged in a season when crowds were -few, and belated women few, and when his affairs in general were so -unprosperous as to awaken a strong suspicion in his breast that Mrs. -Cruncher must have been “flopping” in some pointed manner, when an -unusual concourse pouring down Fleet-street westward, attracted his -attention. Looking that way, Mr. Cruncher made out that some kind of -funeral was coming along, and that there was popular objection to this -funeral, which engendered uproar. - -“Young Jerry,” said Mr. Cruncher, turning to his offspring, “it's a -buryin'.” - -“Hooroar, father!” cried Young Jerry. - -The young gentleman uttered this exultant sound with mysterious -significance. The elder gentleman took the cry so ill, that he watched -his opportunity, and smote the young gentleman on the ear. - -“What d'ye mean? What are you hooroaring at? What do you want to conwey -to your own father, you young Rip? This boy is a getting too many for -_me_!” said Mr. Cruncher, surveying him. “Him and his hooroars! Don't -let me hear no more of you, or you shall feel some more of me. D'ye -hear?” - -“I warn't doing no harm,” Young Jerry protested, rubbing his cheek. - -“Drop it then,” said Mr. Cruncher; “I won't have none of _your_ no -harms. Get a top of that there seat, and look at the crowd.” - -His son obeyed, and the crowd approached; they were bawling and hissing -round a dingy hearse and dingy mourning coach, in which mourning coach -there was only one mourner, dressed in the dingy trappings that were -considered essential to the dignity of the position. The position -appeared by no means to please him, however, with an increasing rabble -surrounding the coach, deriding him, making grimaces at him, and -incessantly groaning and calling out: “Yah! Spies! Tst! Yaha! Spies!” - with many compliments too numerous and forcible to repeat. - -Funerals had at all times a remarkable attraction for Mr. Cruncher; he -always pricked up his senses, and became excited, when a funeral passed -Tellson's. Naturally, therefore, a funeral with this uncommon attendance -excited him greatly, and he asked of the first man who ran against him: - -“What is it, brother? What's it about?” - -“_I_ don't know,” said the man. “Spies! Yaha! Tst! Spies!” - -He asked another man. “Who is it?” - -“_I_ don't know,” returned the man, clapping his hands to his mouth -nevertheless, and vociferating in a surprising heat and with the -greatest ardour, “Spies! Yaha! Tst, tst! Spi--ies!” - -At length, a person better informed on the merits of the case, tumbled -against him, and from this person he learned that the funeral was the -funeral of one Roger Cly. - -“Was he a spy?” asked Mr. Cruncher. - -“Old Bailey spy,” returned his informant. “Yaha! Tst! Yah! Old Bailey -Spi--i--ies!” - -“Why, to be sure!” exclaimed Jerry, recalling the Trial at which he had -assisted. “I've seen him. Dead, is he?” - -“Dead as mutton,” returned the other, “and can't be too dead. Have 'em -out, there! Spies! Pull 'em out, there! Spies!” - -The idea was so acceptable in the prevalent absence of any idea, -that the crowd caught it up with eagerness, and loudly repeating the -suggestion to have 'em out, and to pull 'em out, mobbed the two vehicles -so closely that they came to a stop. On the crowd's opening the coach -doors, the one mourner scuffled out by himself and was in their hands -for a moment; but he was so alert, and made such good use of his time, -that in another moment he was scouring away up a bye-street, after -shedding his cloak, hat, long hatband, white pocket-handkerchief, and -other symbolical tears. - -These, the people tore to pieces and scattered far and wide with great -enjoyment, while the tradesmen hurriedly shut up their shops; for a -crowd in those times stopped at nothing, and was a monster much dreaded. -They had already got the length of opening the hearse to take the coffin -out, when some brighter genius proposed instead, its being escorted to -its destination amidst general rejoicing. Practical suggestions being -much needed, this suggestion, too, was received with acclamation, and -the coach was immediately filled with eight inside and a dozen out, -while as many people got on the roof of the hearse as could by any -exercise of ingenuity stick upon it. Among the first of these volunteers -was Jerry Cruncher himself, who modestly concealed his spiky head from -the observation of Tellson's, in the further corner of the mourning -coach. - -The officiating undertakers made some protest against these changes in -the ceremonies; but, the river being alarmingly near, and several voices -remarking on the efficacy of cold immersion in bringing refractory -members of the profession to reason, the protest was faint and brief. -The remodelled procession started, with a chimney-sweep driving the -hearse--advised by the regular driver, who was perched beside him, under -close inspection, for the purpose--and with a pieman, also attended -by his cabinet minister, driving the mourning coach. A bear-leader, a -popular street character of the time, was impressed as an additional -ornament, before the cavalcade had gone far down the Strand; and his -bear, who was black and very mangy, gave quite an Undertaking air to -that part of the procession in which he walked. - -Thus, with beer-drinking, pipe-smoking, song-roaring, and infinite -caricaturing of woe, the disorderly procession went its way, recruiting -at every step, and all the shops shutting up before it. Its destination -was the old church of Saint Pancras, far off in the fields. It got there -in course of time; insisted on pouring into the burial-ground; finally, -accomplished the interment of the deceased Roger Cly in its own way, and -highly to its own satisfaction. - -The dead man disposed of, and the crowd being under the necessity of -providing some other entertainment for itself, another brighter -genius (or perhaps the same) conceived the humour of impeaching casual -passers-by, as Old Bailey spies, and wreaking vengeance on them. Chase -was given to some scores of inoffensive persons who had never been near -the Old Bailey in their lives, in the realisation of this fancy, and -they were roughly hustled and maltreated. The transition to the sport of -window-breaking, and thence to the plundering of public-houses, was easy -and natural. At last, after several hours, when sundry summer-houses had -been pulled down, and some area-railings had been torn up, to arm -the more belligerent spirits, a rumour got about that the Guards were -coming. Before this rumour, the crowd gradually melted away, and perhaps -the Guards came, and perhaps they never came, and this was the usual -progress of a mob. - -Mr. Cruncher did not assist at the closing sports, but had remained -behind in the churchyard, to confer and condole with the undertakers. -The place had a soothing influence on him. He procured a pipe from a -neighbouring public-house, and smoked it, looking in at the railings and -maturely considering the spot. - -“Jerry,” said Mr. Cruncher, apostrophising himself in his usual way, -“you see that there Cly that day, and you see with your own eyes that he -was a young 'un and a straight made 'un.” - -Having smoked his pipe out, and ruminated a little longer, he turned -himself about, that he might appear, before the hour of closing, on his -station at Tellson's. Whether his meditations on mortality had touched -his liver, or whether his general health had been previously at all -amiss, or whether he desired to show a little attention to an eminent -man, is not so much to the purpose, as that he made a short call upon -his medical adviser--a distinguished surgeon--on his way back. - -Young Jerry relieved his father with dutiful interest, and reported No -job in his absence. The bank closed, the ancient clerks came out, the -usual watch was set, and Mr. Cruncher and his son went home to tea. - -“Now, I tell you where it is!” said Mr. Cruncher to his wife, on -entering. “If, as a honest tradesman, my wenturs goes wrong to-night, I -shall make sure that you've been praying again me, and I shall work you -for it just the same as if I seen you do it.” - -The dejected Mrs. Cruncher shook her head. - -“Why, you're at it afore my face!” said Mr. Cruncher, with signs of -angry apprehension. - -“I am saying nothing.” - -“Well, then; don't meditate nothing. You might as well flop as meditate. -You may as well go again me one way as another. Drop it altogether.” - -“Yes, Jerry.” - -“Yes, Jerry,” repeated Mr. Cruncher sitting down to tea. “Ah! It _is_ -yes, Jerry. That's about it. You may say yes, Jerry.” - -Mr. Cruncher had no particular meaning in these sulky corroborations, -but made use of them, as people not unfrequently do, to express general -ironical dissatisfaction. - -“You and your yes, Jerry,” said Mr. Cruncher, taking a bite out of his -bread-and-butter, and seeming to help it down with a large invisible -oyster out of his saucer. “Ah! I think so. I believe you.” - -“You are going out to-night?” asked his decent wife, when he took -another bite. - -“Yes, I am.” - -“May I go with you, father?” asked his son, briskly. - -“No, you mayn't. I'm a going--as your mother knows--a fishing. That's -where I'm going to. Going a fishing.” - -“Your fishing-rod gets rayther rusty; don't it, father?” - -“Never you mind.” - -“Shall you bring any fish home, father?” - -“If I don't, you'll have short commons, to-morrow,” returned that -gentleman, shaking his head; “that's questions enough for you; I ain't a -going out, till you've been long abed.” - -He devoted himself during the remainder of the evening to keeping a -most vigilant watch on Mrs. Cruncher, and sullenly holding her in -conversation that she might be prevented from meditating any petitions -to his disadvantage. With this view, he urged his son to hold her in -conversation also, and led the unfortunate woman a hard life by dwelling -on any causes of complaint he could bring against her, rather than -he would leave her for a moment to her own reflections. The devoutest -person could have rendered no greater homage to the efficacy of an -honest prayer than he did in this distrust of his wife. It was as if a -professed unbeliever in ghosts should be frightened by a ghost story. - -“And mind you!” said Mr. Cruncher. “No games to-morrow! If I, as a -honest tradesman, succeed in providing a jinte of meat or two, none -of your not touching of it, and sticking to bread. If I, as a honest -tradesman, am able to provide a little beer, none of your declaring -on water. When you go to Rome, do as Rome does. Rome will be a ugly -customer to you, if you don't. _I_'m your Rome, you know.” - -Then he began grumbling again: - -“With your flying into the face of your own wittles and drink! I don't -know how scarce you mayn't make the wittles and drink here, by your -flopping tricks and your unfeeling conduct. Look at your boy: he _is_ -your'n, ain't he? He's as thin as a lath. Do you call yourself a mother, -and not know that a mother's first duty is to blow her boy out?” - -This touched Young Jerry on a tender place; who adjured his mother to -perform her first duty, and, whatever else she did or neglected, above -all things to lay especial stress on the discharge of that maternal -function so affectingly and delicately indicated by his other parent. - -Thus the evening wore away with the Cruncher family, until Young Jerry -was ordered to bed, and his mother, laid under similar injunctions, -obeyed them. Mr. Cruncher beguiled the earlier watches of the night with -solitary pipes, and did not start upon his excursion until nearly one -o'clock. Towards that small and ghostly hour, he rose up from his chair, -took a key out of his pocket, opened a locked cupboard, and brought -forth a sack, a crowbar of convenient size, a rope and chain, and other -fishing tackle of that nature. Disposing these articles about him -in skilful manner, he bestowed a parting defiance on Mrs. Cruncher, -extinguished the light, and went out. - -Young Jerry, who had only made a feint of undressing when he went to -bed, was not long after his father. Under cover of the darkness he -followed out of the room, followed down the stairs, followed down the -court, followed out into the streets. He was in no uneasiness concerning -his getting into the house again, for it was full of lodgers, and the -door stood ajar all night. - -Impelled by a laudable ambition to study the art and mystery of his -father's honest calling, Young Jerry, keeping as close to house fronts, -walls, and doorways, as his eyes were close to one another, held his -honoured parent in view. The honoured parent steering Northward, had not -gone far, when he was joined by another disciple of Izaak Walton, and -the two trudged on together. - -Within half an hour from the first starting, they were beyond the -winking lamps, and the more than winking watchmen, and were out upon a -lonely road. Another fisherman was picked up here--and that so silently, -that if Young Jerry had been superstitious, he might have supposed the -second follower of the gentle craft to have, all of a sudden, split -himself into two. - -The three went on, and Young Jerry went on, until the three stopped -under a bank overhanging the road. Upon the top of the bank was a low -brick wall, surmounted by an iron railing. In the shadow of bank and -wall the three turned out of the road, and up a blind lane, of which -the wall--there, risen to some eight or ten feet high--formed one side. -Crouching down in a corner, peeping up the lane, the next object that -Young Jerry saw, was the form of his honoured parent, pretty well -defined against a watery and clouded moon, nimbly scaling an iron gate. -He was soon over, and then the second fisherman got over, and then the -third. They all dropped softly on the ground within the gate, and lay -there a little--listening perhaps. Then, they moved away on their hands -and knees. - -It was now Young Jerry's turn to approach the gate: which he did, -holding his breath. Crouching down again in a corner there, and looking -in, he made out the three fishermen creeping through some rank grass! -and all the gravestones in the churchyard--it was a large churchyard -that they were in--looking on like ghosts in white, while the church -tower itself looked on like the ghost of a monstrous giant. They did not -creep far, before they stopped and stood upright. And then they began to -fish. - -They fished with a spade, at first. Presently the honoured parent -appeared to be adjusting some instrument like a great corkscrew. -Whatever tools they worked with, they worked hard, until the awful -striking of the church clock so terrified Young Jerry, that he made off, -with his hair as stiff as his father's. - -But, his long-cherished desire to know more about these matters, not -only stopped him in his running away, but lured him back again. They -were still fishing perseveringly, when he peeped in at the gate for -the second time; but, now they seemed to have got a bite. There was a -screwing and complaining sound down below, and their bent figures were -strained, as if by a weight. By slow degrees the weight broke away the -earth upon it, and came to the surface. Young Jerry very well knew what -it would be; but, when he saw it, and saw his honoured parent about to -wrench it open, he was so frightened, being new to the sight, that he -made off again, and never stopped until he had run a mile or more. - -He would not have stopped then, for anything less necessary than breath, -it being a spectral sort of race that he ran, and one highly desirable -to get to the end of. He had a strong idea that the coffin he had seen -was running after him; and, pictured as hopping on behind him, bolt -upright, upon its narrow end, always on the point of overtaking him -and hopping on at his side--perhaps taking his arm--it was a pursuer to -shun. It was an inconsistent and ubiquitous fiend too, for, while it -was making the whole night behind him dreadful, he darted out into the -roadway to avoid dark alleys, fearful of its coming hopping out of them -like a dropsical boy's kite without tail and wings. It hid in doorways -too, rubbing its horrible shoulders against doors, and drawing them up -to its ears, as if it were laughing. It got into shadows on the road, -and lay cunningly on its back to trip him up. All this time it was -incessantly hopping on behind and gaining on him, so that when the boy -got to his own door he had reason for being half dead. And even then -it would not leave him, but followed him upstairs with a bump on every -stair, scrambled into bed with him, and bumped down, dead and heavy, on -his breast when he fell asleep. - -From his oppressed slumber, Young Jerry in his closet was awakened after -daybreak and before sunrise, by the presence of his father in the -family room. Something had gone wrong with him; at least, so Young Jerry -inferred, from the circumstance of his holding Mrs. Cruncher by the -ears, and knocking the back of her head against the head-board of the -bed. - -“I told you I would,” said Mr. Cruncher, “and I did.” - -“Jerry, Jerry, Jerry!” his wife implored. - -“You oppose yourself to the profit of the business,” said Jerry, “and me -and my partners suffer. You was to honour and obey; why the devil don't -you?” - -“I try to be a good wife, Jerry,” the poor woman protested, with tears. - -“Is it being a good wife to oppose your husband's business? Is it -honouring your husband to dishonour his business? Is it obeying your -husband to disobey him on the wital subject of his business?” - -“You hadn't taken to the dreadful business then, Jerry.” - -“It's enough for you,” retorted Mr. Cruncher, “to be the wife of a -honest tradesman, and not to occupy your female mind with calculations -when he took to his trade or when he didn't. A honouring and obeying -wife would let his trade alone altogether. Call yourself a religious -woman? If you're a religious woman, give me a irreligious one! You have -no more nat'ral sense of duty than the bed of this here Thames river has -of a pile, and similarly it must be knocked into you.” - -The altercation was conducted in a low tone of voice, and terminated in -the honest tradesman's kicking off his clay-soiled boots, and lying down -at his length on the floor. After taking a timid peep at him lying on -his back, with his rusty hands under his head for a pillow, his son lay -down too, and fell asleep again. - -There was no fish for breakfast, and not much of anything else. Mr. -Cruncher was out of spirits, and out of temper, and kept an iron pot-lid -by him as a projectile for the correction of Mrs. Cruncher, in case -he should observe any symptoms of her saying Grace. He was brushed -and washed at the usual hour, and set off with his son to pursue his -ostensible calling. - -Young Jerry, walking with the stool under his arm at his father's side -along sunny and crowded Fleet-street, was a very different Young Jerry -from him of the previous night, running home through darkness and -solitude from his grim pursuer. His cunning was fresh with the day, -and his qualms were gone with the night--in which particulars it is not -improbable that he had compeers in Fleet-street and the City of London, -that fine morning. - -“Father,” said Young Jerry, as they walked along: taking care to keep -at arm's length and to have the stool well between them: “what's a -Resurrection-Man?” - -Mr. Cruncher came to a stop on the pavement before he answered, “How -should I know?” - -“I thought you knowed everything, father,” said the artless boy. - -“Hem! Well,” returned Mr. Cruncher, going on again, and lifting off his -hat to give his spikes free play, “he's a tradesman.” - -“What's his goods, father?” asked the brisk Young Jerry. - -“His goods,” said Mr. Cruncher, after turning it over in his mind, “is a -branch of Scientific goods.” - -“Persons' bodies, ain't it, father?” asked the lively boy. - -“I believe it is something of that sort,” said Mr. Cruncher. - -“Oh, father, I should so like to be a Resurrection-Man when I'm quite -growed up!” - -Mr. Cruncher was soothed, but shook his head in a dubious and moral way. -“It depends upon how you dewelop your talents. Be careful to dewelop -your talents, and never to say no more than you can help to nobody, and -there's no telling at the present time what you may not come to be fit -for.” As Young Jerry, thus encouraged, went on a few yards in advance, -to plant the stool in the shadow of the Bar, Mr. Cruncher added to -himself: “Jerry, you honest tradesman, there's hopes wot that boy will -yet be a blessing to you, and a recompense to you for his mother!” - - - - -XV. Knitting - - -There had been earlier drinking than usual in the wine-shop of Monsieur -Defarge. As early as six o'clock in the morning, sallow faces peeping -through its barred windows had descried other faces within, bending over -measures of wine. Monsieur Defarge sold a very thin wine at the best -of times, but it would seem to have been an unusually thin wine that -he sold at this time. A sour wine, moreover, or a souring, for its -influence on the mood of those who drank it was to make them gloomy. No -vivacious Bacchanalian flame leaped out of the pressed grape of Monsieur -Defarge: but, a smouldering fire that burnt in the dark, lay hidden in -the dregs of it. - -This had been the third morning in succession, on which there had been -early drinking at the wine-shop of Monsieur Defarge. It had begun -on Monday, and here was Wednesday come. There had been more of early -brooding than drinking; for, many men had listened and whispered and -slunk about there from the time of the opening of the door, who could -not have laid a piece of money on the counter to save their souls. These -were to the full as interested in the place, however, as if they could -have commanded whole barrels of wine; and they glided from seat to seat, -and from corner to corner, swallowing talk in lieu of drink, with greedy -looks. - -Notwithstanding an unusual flow of company, the master of the wine-shop -was not visible. He was not missed; for, nobody who crossed the -threshold looked for him, nobody asked for him, nobody wondered to see -only Madame Defarge in her seat, presiding over the distribution of -wine, with a bowl of battered small coins before her, as much defaced -and beaten out of their original impress as the small coinage of -humanity from whose ragged pockets they had come. - -A suspended interest and a prevalent absence of mind, were perhaps -observed by the spies who looked in at the wine-shop, as they looked in -at every place, high and low, from the king's palace to the criminal's -gaol. Games at cards languished, players at dominoes musingly built -towers with them, drinkers drew figures on the tables with spilt drops -of wine, Madame Defarge herself picked out the pattern on her sleeve -with her toothpick, and saw and heard something inaudible and invisible -a long way off. - -Thus, Saint Antoine in this vinous feature of his, until midday. It was -high noontide, when two dusty men passed through his streets and under -his swinging lamps: of whom, one was Monsieur Defarge: the other a -mender of roads in a blue cap. All adust and athirst, the two entered -the wine-shop. Their arrival had lighted a kind of fire in the breast -of Saint Antoine, fast spreading as they came along, which stirred and -flickered in flames of faces at most doors and windows. Yet, no one had -followed them, and no man spoke when they entered the wine-shop, though -the eyes of every man there were turned upon them. - -“Good day, gentlemen!” said Monsieur Defarge. - -It may have been a signal for loosening the general tongue. It elicited -an answering chorus of “Good day!” - -“It is bad weather, gentlemen,” said Defarge, shaking his head. - -Upon which, every man looked at his neighbour, and then all cast down -their eyes and sat silent. Except one man, who got up and went out. - -“My wife,” said Defarge aloud, addressing Madame Defarge: “I have -travelled certain leagues with this good mender of roads, called -Jacques. I met him--by accident--a day and half's journey out of Paris. -He is a good child, this mender of roads, called Jacques. Give him to -drink, my wife!” - -A second man got up and went out. Madame Defarge set wine before the -mender of roads called Jacques, who doffed his blue cap to the company, -and drank. In the breast of his blouse he carried some coarse dark -bread; he ate of this between whiles, and sat munching and drinking near -Madame Defarge's counter. A third man got up and went out. - -Defarge refreshed himself with a draught of wine--but, he took less -than was given to the stranger, as being himself a man to whom it was no -rarity--and stood waiting until the countryman had made his breakfast. -He looked at no one present, and no one now looked at him; not even -Madame Defarge, who had taken up her knitting, and was at work. - -“Have you finished your repast, friend?” he asked, in due season. - -“Yes, thank you.” - -“Come, then! You shall see the apartment that I told you you could -occupy. It will suit you to a marvel.” - -Out of the wine-shop into the street, out of the street into a -courtyard, out of the courtyard up a steep staircase, out of the -staircase into a garret--formerly the garret where a white-haired man -sat on a low bench, stooping forward and very busy, making shoes. - -No white-haired man was there now; but, the three men were there who had -gone out of the wine-shop singly. And between them and the white-haired -man afar off, was the one small link, that they had once looked in at -him through the chinks in the wall. - -Defarge closed the door carefully, and spoke in a subdued voice: - -“Jacques One, Jacques Two, Jacques Three! This is the witness -encountered by appointment, by me, Jacques Four. He will tell you all. -Speak, Jacques Five!” - -The mender of roads, blue cap in hand, wiped his swarthy forehead with -it, and said, “Where shall I commence, monsieur?” - -“Commence,” was Monsieur Defarge's not unreasonable reply, “at the -commencement.” - -“I saw him then, messieurs,” began the mender of roads, “a year ago this -running summer, underneath the carriage of the Marquis, hanging by the -chain. Behold the manner of it. I leaving my work on the road, the sun -going to bed, the carriage of the Marquis slowly ascending the hill, he -hanging by the chain--like this.” - -Again the mender of roads went through the whole performance; in which -he ought to have been perfect by that time, seeing that it had been -the infallible resource and indispensable entertainment of his village -during a whole year. - -Jacques One struck in, and asked if he had ever seen the man before? - -“Never,” answered the mender of roads, recovering his perpendicular. - -Jacques Three demanded how he afterwards recognised him then? - -“By his tall figure,” said the mender of roads, softly, and with his -finger at his nose. “When Monsieur the Marquis demands that evening, -'Say, what is he like?' I make response, 'Tall as a spectre.'” - -“You should have said, short as a dwarf,” returned Jacques Two. - -“But what did I know? The deed was not then accomplished, neither did he -confide in me. Observe! Under those circumstances even, I do not -offer my testimony. Monsieur the Marquis indicates me with his finger, -standing near our little fountain, and says, 'To me! Bring that rascal!' -My faith, messieurs, I offer nothing.” - -“He is right there, Jacques,” murmured Defarge, to him who had -interrupted. “Go on!” - -“Good!” said the mender of roads, with an air of mystery. “The tall man -is lost, and he is sought--how many months? Nine, ten, eleven?” - -“No matter, the number,” said Defarge. “He is well hidden, but at last -he is unluckily found. Go on!” - -“I am again at work upon the hill-side, and the sun is again about to -go to bed. I am collecting my tools to descend to my cottage down in the -village below, where it is already dark, when I raise my eyes, and see -coming over the hill six soldiers. In the midst of them is a tall man -with his arms bound--tied to his sides--like this!” - -With the aid of his indispensable cap, he represented a man with his -elbows bound fast at his hips, with cords that were knotted behind him. - -“I stand aside, messieurs, by my heap of stones, to see the soldiers -and their prisoner pass (for it is a solitary road, that, where any -spectacle is well worth looking at), and at first, as they approach, I -see no more than that they are six soldiers with a tall man bound, and -that they are almost black to my sight--except on the side of the sun -going to bed, where they have a red edge, messieurs. Also, I see that -their long shadows are on the hollow ridge on the opposite side of the -road, and are on the hill above it, and are like the shadows of giants. -Also, I see that they are covered with dust, and that the dust moves -with them as they come, tramp, tramp! But when they advance quite near -to me, I recognise the tall man, and he recognises me. Ah, but he would -be well content to precipitate himself over the hill-side once again, as -on the evening when he and I first encountered, close to the same spot!” - -He described it as if he were there, and it was evident that he saw it -vividly; perhaps he had not seen much in his life. - -“I do not show the soldiers that I recognise the tall man; he does not -show the soldiers that he recognises me; we do it, and we know it, with -our eyes. 'Come on!' says the chief of that company, pointing to the -village, 'bring him fast to his tomb!' and they bring him faster. I -follow. His arms are swelled because of being bound so tight, his wooden -shoes are large and clumsy, and he is lame. Because he is lame, and -consequently slow, they drive him with their guns--like this!” - -He imitated the action of a man's being impelled forward by the -butt-ends of muskets. - -“As they descend the hill like madmen running a race, he falls. They -laugh and pick him up again. His face is bleeding and covered with dust, -but he cannot touch it; thereupon they laugh again. They bring him into -the village; all the village runs to look; they take him past the mill, -and up to the prison; all the village sees the prison gate open in the -darkness of the night, and swallow him--like this!” - -He opened his mouth as wide as he could, and shut it with a sounding -snap of his teeth. Observant of his unwillingness to mar the effect by -opening it again, Defarge said, “Go on, Jacques.” - -“All the village,” pursued the mender of roads, on tiptoe and in a low -voice, “withdraws; all the village whispers by the fountain; all the -village sleeps; all the village dreams of that unhappy one, within the -locks and bars of the prison on the crag, and never to come out of it, -except to perish. In the morning, with my tools upon my shoulder, eating -my morsel of black bread as I go, I make a circuit by the prison, on -my way to my work. There I see him, high up, behind the bars of a lofty -iron cage, bloody and dusty as last night, looking through. He has no -hand free, to wave to me; I dare not call to him; he regards me like a -dead man.” - -Defarge and the three glanced darkly at one another. The looks of all -of them were dark, repressed, and revengeful, as they listened to the -countryman's story; the manner of all of them, while it was secret, was -authoritative too. They had the air of a rough tribunal; Jacques One -and Two sitting on the old pallet-bed, each with his chin resting on -his hand, and his eyes intent on the road-mender; Jacques Three, equally -intent, on one knee behind them, with his agitated hand always gliding -over the network of fine nerves about his mouth and nose; Defarge -standing between them and the narrator, whom he had stationed in the -light of the window, by turns looking from him to them, and from them to -him. - -“Go on, Jacques,” said Defarge. - -“He remains up there in his iron cage some days. The village looks -at him by stealth, for it is afraid. But it always looks up, from a -distance, at the prison on the crag; and in the evening, when the work -of the day is achieved and it assembles to gossip at the fountain, all -faces are turned towards the prison. Formerly, they were turned towards -the posting-house; now, they are turned towards the prison. They -whisper at the fountain, that although condemned to death he will not be -executed; they say that petitions have been presented in Paris, showing -that he was enraged and made mad by the death of his child; they say -that a petition has been presented to the King himself. What do I know? -It is possible. Perhaps yes, perhaps no.” - -“Listen then, Jacques,” Number One of that name sternly interposed. -“Know that a petition was presented to the King and Queen. All here, -yourself excepted, saw the King take it, in his carriage in the street, -sitting beside the Queen. It is Defarge whom you see here, who, at the -hazard of his life, darted out before the horses, with the petition in -his hand.” - -“And once again listen, Jacques!” said the kneeling Number Three: -his fingers ever wandering over and over those fine nerves, with a -strikingly greedy air, as if he hungered for something--that was neither -food nor drink; “the guard, horse and foot, surrounded the petitioner, -and struck him blows. You hear?” - -“I hear, messieurs.” - -“Go on then,” said Defarge. - -“Again; on the other hand, they whisper at the fountain,” resumed the -countryman, “that he is brought down into our country to be executed on -the spot, and that he will very certainly be executed. They even whisper -that because he has slain Monseigneur, and because Monseigneur was the -father of his tenants--serfs--what you will--he will be executed as a -parricide. One old man says at the fountain, that his right hand, armed -with the knife, will be burnt off before his face; that, into wounds -which will be made in his arms, his breast, and his legs, there will be -poured boiling oil, melted lead, hot resin, wax, and sulphur; finally, -that he will be torn limb from limb by four strong horses. That old man -says, all this was actually done to a prisoner who made an attempt on -the life of the late King, Louis Fifteen. But how do I know if he lies? -I am not a scholar.” - -“Listen once again then, Jacques!” said the man with the restless hand -and the craving air. “The name of that prisoner was Damiens, and it was -all done in open day, in the open streets of this city of Paris; and -nothing was more noticed in the vast concourse that saw it done, than -the crowd of ladies of quality and fashion, who were full of eager -attention to the last--to the last, Jacques, prolonged until nightfall, -when he had lost two legs and an arm, and still breathed! And it was -done--why, how old are you?” - -“Thirty-five,” said the mender of roads, who looked sixty. - -“It was done when you were more than ten years old; you might have seen -it.” - -“Enough!” said Defarge, with grim impatience. “Long live the Devil! Go -on.” - -“Well! Some whisper this, some whisper that; they speak of nothing else; -even the fountain appears to fall to that tune. At length, on Sunday -night when all the village is asleep, come soldiers, winding down from -the prison, and their guns ring on the stones of the little street. -Workmen dig, workmen hammer, soldiers laugh and sing; in the morning, by -the fountain, there is raised a gallows forty feet high, poisoning the -water.” - -The mender of roads looked _through_ rather than _at_ the low ceiling, -and pointed as if he saw the gallows somewhere in the sky. - -“All work is stopped, all assemble there, nobody leads the cows out, -the cows are there with the rest. At midday, the roll of drums. Soldiers -have marched into the prison in the night, and he is in the midst -of many soldiers. He is bound as before, and in his mouth there is -a gag--tied so, with a tight string, making him look almost as if he -laughed.” He suggested it, by creasing his face with his two thumbs, -from the corners of his mouth to his ears. “On the top of the gallows is -fixed the knife, blade upwards, with its point in the air. He is hanged -there forty feet high--and is left hanging, poisoning the water.” - -They looked at one another, as he used his blue cap to wipe his face, -on which the perspiration had started afresh while he recalled the -spectacle. - -“It is frightful, messieurs. How can the women and the children draw -water! Who can gossip of an evening, under that shadow! Under it, have -I said? When I left the village, Monday evening as the sun was going to -bed, and looked back from the hill, the shadow struck across the church, -across the mill, across the prison--seemed to strike across the earth, -messieurs, to where the sky rests upon it!” - -The hungry man gnawed one of his fingers as he looked at the other -three, and his finger quivered with the craving that was on him. - -“That's all, messieurs. I left at sunset (as I had been warned to do), -and I walked on, that night and half next day, until I met (as I was -warned I should) this comrade. With him, I came on, now riding and now -walking, through the rest of yesterday and through last night. And here -you see me!” - -After a gloomy silence, the first Jacques said, “Good! You have acted -and recounted faithfully. Will you wait for us a little, outside the -door?” - -“Very willingly,” said the mender of roads. Whom Defarge escorted to the -top of the stairs, and, leaving seated there, returned. - -The three had risen, and their heads were together when he came back to -the garret. - -“How say you, Jacques?” demanded Number One. “To be registered?” - -“To be registered, as doomed to destruction,” returned Defarge. - -“Magnificent!” croaked the man with the craving. - -“The chateau, and all the race?” inquired the first. - -“The chateau and all the race,” returned Defarge. “Extermination.” - -The hungry man repeated, in a rapturous croak, “Magnificent!” and began -gnawing another finger. - -“Are you sure,” asked Jacques Two, of Defarge, “that no embarrassment -can arise from our manner of keeping the register? Without doubt it is -safe, for no one beyond ourselves can decipher it; but shall we always -be able to decipher it--or, I ought to say, will she?” - -“Jacques,” returned Defarge, drawing himself up, “if madame my wife -undertook to keep the register in her memory alone, she would not lose -a word of it--not a syllable of it. Knitted, in her own stitches and her -own symbols, it will always be as plain to her as the sun. Confide in -Madame Defarge. It would be easier for the weakest poltroon that lives, -to erase himself from existence, than to erase one letter of his name or -crimes from the knitted register of Madame Defarge.” - -There was a murmur of confidence and approval, and then the man who -hungered, asked: “Is this rustic to be sent back soon? I hope so. He is -very simple; is he not a little dangerous?” - -“He knows nothing,” said Defarge; “at least nothing more than would -easily elevate himself to a gallows of the same height. I charge myself -with him; let him remain with me; I will take care of him, and set him -on his road. He wishes to see the fine world--the King, the Queen, and -Court; let him see them on Sunday.” - -“What?” exclaimed the hungry man, staring. “Is it a good sign, that he -wishes to see Royalty and Nobility?” - -“Jacques,” said Defarge; “judiciously show a cat milk, if you wish her -to thirst for it. Judiciously show a dog his natural prey, if you wish -him to bring it down one day.” - -Nothing more was said, and the mender of roads, being found already -dozing on the topmost stair, was advised to lay himself down on the -pallet-bed and take some rest. He needed no persuasion, and was soon -asleep. - -Worse quarters than Defarge's wine-shop, could easily have been found -in Paris for a provincial slave of that degree. Saving for a mysterious -dread of madame by which he was constantly haunted, his life was very -new and agreeable. But, madame sat all day at her counter, so expressly -unconscious of him, and so particularly determined not to perceive that -his being there had any connection with anything below the surface, that -he shook in his wooden shoes whenever his eye lighted on her. For, he -contended with himself that it was impossible to foresee what that lady -might pretend next; and he felt assured that if she should take it -into her brightly ornamented head to pretend that she had seen him do a -murder and afterwards flay the victim, she would infallibly go through -with it until the play was played out. - -Therefore, when Sunday came, the mender of roads was not enchanted -(though he said he was) to find that madame was to accompany monsieur -and himself to Versailles. It was additionally disconcerting to have -madame knitting all the way there, in a public conveyance; it was -additionally disconcerting yet, to have madame in the crowd in the -afternoon, still with her knitting in her hands as the crowd waited to -see the carriage of the King and Queen. - -“You work hard, madame,” said a man near her. - -“Yes,” answered Madame Defarge; “I have a good deal to do.” - -“What do you make, madame?” - -“Many things.” - -“For instance--” - -“For instance,” returned Madame Defarge, composedly, “shrouds.” - -The man moved a little further away, as soon as he could, and the mender -of roads fanned himself with his blue cap: feeling it mightily close -and oppressive. If he needed a King and Queen to restore him, he was -fortunate in having his remedy at hand; for, soon the large-faced King -and the fair-faced Queen came in their golden coach, attended by the -shining Bull's Eye of their Court, a glittering multitude of laughing -ladies and fine lords; and in jewels and silks and powder and splendour -and elegantly spurning figures and handsomely disdainful faces of both -sexes, the mender of roads bathed himself, so much to his temporary -intoxication, that he cried Long live the King, Long live the Queen, -Long live everybody and everything! as if he had never heard of -ubiquitous Jacques in his time. Then, there were gardens, courtyards, -terraces, fountains, green banks, more King and Queen, more Bull's Eye, -more lords and ladies, more Long live they all! until he absolutely wept -with sentiment. During the whole of this scene, which lasted some three -hours, he had plenty of shouting and weeping and sentimental company, -and throughout Defarge held him by the collar, as if to restrain him -from flying at the objects of his brief devotion and tearing them to -pieces. - -“Bravo!” said Defarge, clapping him on the back when it was over, like a -patron; “you are a good boy!” - -The mender of roads was now coming to himself, and was mistrustful of -having made a mistake in his late demonstrations; but no. - -“You are the fellow we want,” said Defarge, in his ear; “you make -these fools believe that it will last for ever. Then, they are the more -insolent, and it is the nearer ended.” - -“Hey!” cried the mender of roads, reflectively; “that's true.” - -“These fools know nothing. While they despise your breath, and would -stop it for ever and ever, in you or in a hundred like you rather than -in one of their own horses or dogs, they only know what your breath -tells them. Let it deceive them, then, a little longer; it cannot -deceive them too much.” - -Madame Defarge looked superciliously at the client, and nodded in -confirmation. - -“As to you,” said she, “you would shout and shed tears for anything, if -it made a show and a noise. Say! Would you not?” - -“Truly, madame, I think so. For the moment.” - -“If you were shown a great heap of dolls, and were set upon them to -pluck them to pieces and despoil them for your own advantage, you would -pick out the richest and gayest. Say! Would you not?” - -“Truly yes, madame.” - -“Yes. And if you were shown a flock of birds, unable to fly, and were -set upon them to strip them of their feathers for your own advantage, -you would set upon the birds of the finest feathers; would you not?” - -“It is true, madame.” - -“You have seen both dolls and birds to-day,” said Madame Defarge, with -a wave of her hand towards the place where they had last been apparent; -“now, go home!” - - - - -XVI. Still Knitting - - -Madame Defarge and monsieur her husband returned amicably to the -bosom of Saint Antoine, while a speck in a blue cap toiled through the -darkness, and through the dust, and down the weary miles of avenue by -the wayside, slowly tending towards that point of the compass where -the chateau of Monsieur the Marquis, now in his grave, listened to -the whispering trees. Such ample leisure had the stone faces, now, -for listening to the trees and to the fountain, that the few village -scarecrows who, in their quest for herbs to eat and fragments of dead -stick to burn, strayed within sight of the great stone courtyard and -terrace staircase, had it borne in upon their starved fancy that -the expression of the faces was altered. A rumour just lived in the -village--had a faint and bare existence there, as its people had--that -when the knife struck home, the faces changed, from faces of pride to -faces of anger and pain; also, that when that dangling figure was hauled -up forty feet above the fountain, they changed again, and bore a cruel -look of being avenged, which they would henceforth bear for ever. In the -stone face over the great window of the bed-chamber where the murder -was done, two fine dints were pointed out in the sculptured nose, which -everybody recognised, and which nobody had seen of old; and on the -scarce occasions when two or three ragged peasants emerged from the -crowd to take a hurried peep at Monsieur the Marquis petrified, a -skinny finger would not have pointed to it for a minute, before they all -started away among the moss and leaves, like the more fortunate hares -who could find a living there. - -Chateau and hut, stone face and dangling figure, the red stain on the -stone floor, and the pure water in the village well--thousands of acres -of land--a whole province of France--all France itself--lay under the -night sky, concentrated into a faint hair-breadth line. So does a whole -world, with all its greatnesses and littlenesses, lie in a twinkling -star. And as mere human knowledge can split a ray of light and analyse -the manner of its composition, so, sublimer intelligences may read in -the feeble shining of this earth of ours, every thought and act, every -vice and virtue, of every responsible creature on it. - -The Defarges, husband and wife, came lumbering under the starlight, -in their public vehicle, to that gate of Paris whereunto their -journey naturally tended. There was the usual stoppage at the barrier -guardhouse, and the usual lanterns came glancing forth for the usual -examination and inquiry. Monsieur Defarge alighted; knowing one or two -of the soldiery there, and one of the police. The latter he was intimate -with, and affectionately embraced. - -When Saint Antoine had again enfolded the Defarges in his dusky wings, -and they, having finally alighted near the Saint's boundaries, were -picking their way on foot through the black mud and offal of his -streets, Madame Defarge spoke to her husband: - -“Say then, my friend; what did Jacques of the police tell thee?” - -“Very little to-night, but all he knows. There is another spy -commissioned for our quarter. There may be many more, for all that he -can say, but he knows of one.” - -“Eh well!” said Madame Defarge, raising her eyebrows with a cool -business air. “It is necessary to register him. How do they call that -man?” - -“He is English.” - -“So much the better. His name?” - -“Barsad,” said Defarge, making it French by pronunciation. But, he had -been so careful to get it accurately, that he then spelt it with perfect -correctness. - -“Barsad,” repeated madame. “Good. Christian name?” - -“John.” - -“John Barsad,” repeated madame, after murmuring it once to herself. -“Good. His appearance; is it known?” - -“Age, about forty years; height, about five feet nine; black hair; -complexion dark; generally, rather handsome visage; eyes dark, face -thin, long, and sallow; nose aquiline, but not straight, having a -peculiar inclination towards the left cheek; expression, therefore, -sinister.” - -“Eh my faith. It is a portrait!” said madame, laughing. “He shall be -registered to-morrow.” - -They turned into the wine-shop, which was closed (for it was midnight), -and where Madame Defarge immediately took her post at her desk, counted -the small moneys that had been taken during her absence, examined the -stock, went through the entries in the book, made other entries of -her own, checked the serving man in every possible way, and finally -dismissed him to bed. Then she turned out the contents of the bowl -of money for the second time, and began knotting them up in her -handkerchief, in a chain of separate knots, for safe keeping through the -night. All this while, Defarge, with his pipe in his mouth, walked -up and down, complacently admiring, but never interfering; in which -condition, indeed, as to the business and his domestic affairs, he -walked up and down through life. - -The night was hot, and the shop, close shut and surrounded by so foul a -neighbourhood, was ill-smelling. Monsieur Defarge's olfactory sense was -by no means delicate, but the stock of wine smelt much stronger than -it ever tasted, and so did the stock of rum and brandy and aniseed. He -whiffed the compound of scents away, as he put down his smoked-out pipe. - -“You are fatigued,” said madame, raising her glance as she knotted the -money. “There are only the usual odours.” - -“I am a little tired,” her husband acknowledged. - -“You are a little depressed, too,” said madame, whose quick eyes had -never been so intent on the accounts, but they had had a ray or two for -him. “Oh, the men, the men!” - -“But my dear!” began Defarge. - -“But my dear!” repeated madame, nodding firmly; “but my dear! You are -faint of heart to-night, my dear!” - -“Well, then,” said Defarge, as if a thought were wrung out of his -breast, “it _is_ a long time.” - -“It is a long time,” repeated his wife; “and when is it not a long time? -Vengeance and retribution require a long time; it is the rule.” - -“It does not take a long time to strike a man with Lightning,” said -Defarge. - -“How long,” demanded madame, composedly, “does it take to make and store -the lightning? Tell me.” - -Defarge raised his head thoughtfully, as if there were something in that -too. - -“It does not take a long time,” said madame, “for an earthquake to -swallow a town. Eh well! Tell me how long it takes to prepare the -earthquake?” - -“A long time, I suppose,” said Defarge. - -“But when it is ready, it takes place, and grinds to pieces everything -before it. In the meantime, it is always preparing, though it is not -seen or heard. That is your consolation. Keep it.” - -She tied a knot with flashing eyes, as if it throttled a foe. - -“I tell thee,” said madame, extending her right hand, for emphasis, -“that although it is a long time on the road, it is on the road and -coming. I tell thee it never retreats, and never stops. I tell thee it -is always advancing. Look around and consider the lives of all the world -that we know, consider the faces of all the world that we know, consider -the rage and discontent to which the Jacquerie addresses itself with -more and more of certainty every hour. Can such things last? Bah! I mock -you.” - -“My brave wife,” returned Defarge, standing before her with his head -a little bent, and his hands clasped at his back, like a docile and -attentive pupil before his catechist, “I do not question all this. But -it has lasted a long time, and it is possible--you know well, my wife, -it is possible--that it may not come, during our lives.” - -“Eh well! How then?” demanded madame, tying another knot, as if there -were another enemy strangled. - -“Well!” said Defarge, with a half complaining and half apologetic shrug. -“We shall not see the triumph.” - -“We shall have helped it,” returned madame, with her extended hand in -strong action. “Nothing that we do, is done in vain. I believe, with all -my soul, that we shall see the triumph. But even if not, even if I knew -certainly not, show me the neck of an aristocrat and tyrant, and still I -would--” - -Then madame, with her teeth set, tied a very terrible knot indeed. - -“Hold!” cried Defarge, reddening a little as if he felt charged with -cowardice; “I too, my dear, will stop at nothing.” - -“Yes! But it is your weakness that you sometimes need to see your victim -and your opportunity, to sustain you. Sustain yourself without that. -When the time comes, let loose a tiger and a devil; but wait for the -time with the tiger and the devil chained--not shown--yet always ready.” - -Madame enforced the conclusion of this piece of advice by striking her -little counter with her chain of money as if she knocked its brains -out, and then gathering the heavy handkerchief under her arm in a serene -manner, and observing that it was time to go to bed. - -Next noontide saw the admirable woman in her usual place in the -wine-shop, knitting away assiduously. A rose lay beside her, and if she -now and then glanced at the flower, it was with no infraction of her -usual preoccupied air. There were a few customers, drinking or not -drinking, standing or seated, sprinkled about. The day was very hot, -and heaps of flies, who were extending their inquisitive and adventurous -perquisitions into all the glutinous little glasses near madame, fell -dead at the bottom. Their decease made no impression on the other flies -out promenading, who looked at them in the coolest manner (as if they -themselves were elephants, or something as far removed), until they met -the same fate. Curious to consider how heedless flies are!--perhaps they -thought as much at Court that sunny summer day. - -A figure entering at the door threw a shadow on Madame Defarge which she -felt to be a new one. She laid down her knitting, and began to pin her -rose in her head-dress, before she looked at the figure. - -It was curious. The moment Madame Defarge took up the rose, the -customers ceased talking, and began gradually to drop out of the -wine-shop. - -“Good day, madame,” said the new-comer. - -“Good day, monsieur.” - -She said it aloud, but added to herself, as she resumed her knitting: -“Hah! Good day, age about forty, height about five feet nine, black -hair, generally rather handsome visage, complexion dark, eyes dark, -thin, long and sallow face, aquiline nose but not straight, having a -peculiar inclination towards the left cheek which imparts a sinister -expression! Good day, one and all!” - -“Have the goodness to give me a little glass of old cognac, and a -mouthful of cool fresh water, madame.” - -Madame complied with a polite air. - -“Marvellous cognac this, madame!” - -It was the first time it had ever been so complimented, and Madame -Defarge knew enough of its antecedents to know better. She said, -however, that the cognac was flattered, and took up her knitting. The -visitor watched her fingers for a few moments, and took the opportunity -of observing the place in general. - -“You knit with great skill, madame.” - -“I am accustomed to it.” - -“A pretty pattern too!” - -“_You_ think so?” said madame, looking at him with a smile. - -“Decidedly. May one ask what it is for?” - -“Pastime,” said madame, still looking at him with a smile while her -fingers moved nimbly. - -“Not for use?” - -“That depends. I may find a use for it one day. If I do--Well,” said -madame, drawing a breath and nodding her head with a stern kind of -coquetry, “I'll use it!” - -It was remarkable; but, the taste of Saint Antoine seemed to be -decidedly opposed to a rose on the head-dress of Madame Defarge. Two -men had entered separately, and had been about to order drink, when, -catching sight of that novelty, they faltered, made a pretence of -looking about as if for some friend who was not there, and went away. -Nor, of those who had been there when this visitor entered, was there -one left. They had all dropped off. The spy had kept his eyes open, -but had been able to detect no sign. They had lounged away in a -poverty-stricken, purposeless, accidental manner, quite natural and -unimpeachable. - -“_John_,” thought madame, checking off her work as her fingers knitted, -and her eyes looked at the stranger. “Stay long enough, and I shall knit -'BARSAD' before you go.” - -“You have a husband, madame?” - -“I have.” - -“Children?” - -“No children.” - -“Business seems bad?” - -“Business is very bad; the people are so poor.” - -“Ah, the unfortunate, miserable people! So oppressed, too--as you say.” - -“As _you_ say,” madame retorted, correcting him, and deftly knitting an -extra something into his name that boded him no good. - -“Pardon me; certainly it was I who said so, but you naturally think so. -Of course.” - -“_I_ think?” returned madame, in a high voice. “I and my husband have -enough to do to keep this wine-shop open, without thinking. All we -think, here, is how to live. That is the subject _we_ think of, and -it gives us, from morning to night, enough to think about, without -embarrassing our heads concerning others. _I_ think for others? No, no.” - -The spy, who was there to pick up any crumbs he could find or make, did -not allow his baffled state to express itself in his sinister face; but, -stood with an air of gossiping gallantry, leaning his elbow on Madame -Defarge's little counter, and occasionally sipping his cognac. - -“A bad business this, madame, of Gaspard's execution. Ah! the poor -Gaspard!” With a sigh of great compassion. - -“My faith!” returned madame, coolly and lightly, “if people use knives -for such purposes, they have to pay for it. He knew beforehand what the -price of his luxury was; he has paid the price.” - -“I believe,” said the spy, dropping his soft voice to a tone -that invited confidence, and expressing an injured revolutionary -susceptibility in every muscle of his wicked face: “I believe there -is much compassion and anger in this neighbourhood, touching the poor -fellow? Between ourselves.” - -“Is there?” asked madame, vacantly. - -“Is there not?” - -“--Here is my husband!” said Madame Defarge. - -As the keeper of the wine-shop entered at the door, the spy saluted -him by touching his hat, and saying, with an engaging smile, “Good day, -Jacques!” Defarge stopped short, and stared at him. - -“Good day, Jacques!” the spy repeated; with not quite so much -confidence, or quite so easy a smile under the stare. - -“You deceive yourself, monsieur,” returned the keeper of the wine-shop. -“You mistake me for another. That is not my name. I am Ernest Defarge.” - -“It is all the same,” said the spy, airily, but discomfited too: “good -day!” - -“Good day!” answered Defarge, drily. - -“I was saying to madame, with whom I had the pleasure of chatting when -you entered, that they tell me there is--and no wonder!--much sympathy -and anger in Saint Antoine, touching the unhappy fate of poor Gaspard.” - -“No one has told me so,” said Defarge, shaking his head. “I know nothing -of it.” - -Having said it, he passed behind the little counter, and stood with his -hand on the back of his wife's chair, looking over that barrier at the -person to whom they were both opposed, and whom either of them would -have shot with the greatest satisfaction. - -The spy, well used to his business, did not change his unconscious -attitude, but drained his little glass of cognac, took a sip of fresh -water, and asked for another glass of cognac. Madame Defarge poured it -out for him, took to her knitting again, and hummed a little song over -it. - -“You seem to know this quarter well; that is to say, better than I do?” - observed Defarge. - -“Not at all, but I hope to know it better. I am so profoundly interested -in its miserable inhabitants.” - -“Hah!” muttered Defarge. - -“The pleasure of conversing with you, Monsieur Defarge, recalls to me,” - pursued the spy, “that I have the honour of cherishing some interesting -associations with your name.” - -“Indeed!” said Defarge, with much indifference. - -“Yes, indeed. When Doctor Manette was released, you, his old domestic, -had the charge of him, I know. He was delivered to you. You see I am -informed of the circumstances?” - -“Such is the fact, certainly,” said Defarge. He had had it conveyed -to him, in an accidental touch of his wife's elbow as she knitted and -warbled, that he would do best to answer, but always with brevity. - -“It was to you,” said the spy, “that his daughter came; and it was -from your care that his daughter took him, accompanied by a neat brown -monsieur; how is he called?--in a little wig--Lorry--of the bank of -Tellson and Company--over to England.” - -“Such is the fact,” repeated Defarge. - -“Very interesting remembrances!” said the spy. “I have known Doctor -Manette and his daughter, in England.” - -“Yes?” said Defarge. - -“You don't hear much about them now?” said the spy. - -“No,” said Defarge. - -“In effect,” madame struck in, looking up from her work and her little -song, “we never hear about them. We received the news of their safe -arrival, and perhaps another letter, or perhaps two; but, since then, -they have gradually taken their road in life--we, ours--and we have held -no correspondence.” - -“Perfectly so, madame,” replied the spy. “She is going to be married.” - -“Going?” echoed madame. “She was pretty enough to have been married long -ago. You English are cold, it seems to me.” - -“Oh! You know I am English.” - -“I perceive your tongue is,” returned madame; “and what the tongue is, I -suppose the man is.” - -He did not take the identification as a compliment; but he made the best -of it, and turned it off with a laugh. After sipping his cognac to the -end, he added: - -“Yes, Miss Manette is going to be married. But not to an Englishman; to -one who, like herself, is French by birth. And speaking of Gaspard (ah, -poor Gaspard! It was cruel, cruel!), it is a curious thing that she is -going to marry the nephew of Monsieur the Marquis, for whom Gaspard -was exalted to that height of so many feet; in other words, the present -Marquis. But he lives unknown in England, he is no Marquis there; he is -Mr. Charles Darnay. D'Aulnais is the name of his mother's family.” - -Madame Defarge knitted steadily, but the intelligence had a palpable -effect upon her husband. Do what he would, behind the little counter, -as to the striking of a light and the lighting of his pipe, he was -troubled, and his hand was not trustworthy. The spy would have been no -spy if he had failed to see it, or to record it in his mind. - -Having made, at least, this one hit, whatever it might prove to be -worth, and no customers coming in to help him to any other, Mr. Barsad -paid for what he had drunk, and took his leave: taking occasion to say, -in a genteel manner, before he departed, that he looked forward to the -pleasure of seeing Monsieur and Madame Defarge again. For some minutes -after he had emerged into the outer presence of Saint Antoine, the -husband and wife remained exactly as he had left them, lest he should -come back. - -“Can it be true,” said Defarge, in a low voice, looking down at his wife -as he stood smoking with his hand on the back of her chair: “what he has -said of Ma'amselle Manette?” - -“As he has said it,” returned madame, lifting her eyebrows a little, “it -is probably false. But it may be true.” - -“If it is--” Defarge began, and stopped. - -“If it is?” repeated his wife. - -“--And if it does come, while we live to see it triumph--I hope, for her -sake, Destiny will keep her husband out of France.” - -“Her husband's destiny,” said Madame Defarge, with her usual composure, -“will take him where he is to go, and will lead him to the end that is -to end him. That is all I know.” - -“But it is very strange--now, at least, is it not very strange”--said -Defarge, rather pleading with his wife to induce her to admit it, -“that, after all our sympathy for Monsieur her father, and herself, her -husband's name should be proscribed under your hand at this moment, by -the side of that infernal dog's who has just left us?” - -“Stranger things than that will happen when it does come,” answered -madame. “I have them both here, of a certainty; and they are both here -for their merits; that is enough.” - -She rolled up her knitting when she had said those words, and presently -took the rose out of the handkerchief that was wound about her head. -Either Saint Antoine had an instinctive sense that the objectionable -decoration was gone, or Saint Antoine was on the watch for its -disappearance; howbeit, the Saint took courage to lounge in, very -shortly afterwards, and the wine-shop recovered its habitual aspect. - -In the evening, at which season of all others Saint Antoine turned -himself inside out, and sat on door-steps and window-ledges, and came -to the corners of vile streets and courts, for a breath of air, Madame -Defarge with her work in her hand was accustomed to pass from place -to place and from group to group: a Missionary--there were many like -her--such as the world will do well never to breed again. All the women -knitted. They knitted worthless things; but, the mechanical work was a -mechanical substitute for eating and drinking; the hands moved for the -jaws and the digestive apparatus: if the bony fingers had been still, -the stomachs would have been more famine-pinched. - -But, as the fingers went, the eyes went, and the thoughts. And as Madame -Defarge moved on from group to group, all three went quicker and fiercer -among every little knot of women that she had spoken with, and left -behind. - -Her husband smoked at his door, looking after her with admiration. “A -great woman,” said he, “a strong woman, a grand woman, a frightfully -grand woman!” - -Darkness closed around, and then came the ringing of church bells and -the distant beating of the military drums in the Palace Courtyard, as -the women sat knitting, knitting. Darkness encompassed them. Another -darkness was closing in as surely, when the church bells, then ringing -pleasantly in many an airy steeple over France, should be melted into -thundering cannon; when the military drums should be beating to drown a -wretched voice, that night all potent as the voice of Power and Plenty, -Freedom and Life. So much was closing in about the women who sat -knitting, knitting, that they their very selves were closing in around -a structure yet unbuilt, where they were to sit knitting, knitting, -counting dropping heads. - - - - -XVII. One Night - - -Never did the sun go down with a brighter glory on the quiet corner in -Soho, than one memorable evening when the Doctor and his daughter sat -under the plane-tree together. Never did the moon rise with a milder -radiance over great London, than on that night when it found them still -seated under the tree, and shone upon their faces through its leaves. - -Lucie was to be married to-morrow. She had reserved this last evening -for her father, and they sat alone under the plane-tree. - -“You are happy, my dear father?” - -“Quite, my child.” - -They had said little, though they had been there a long time. When it -was yet light enough to work and read, she had neither engaged herself -in her usual work, nor had she read to him. She had employed herself in -both ways, at his side under the tree, many and many a time; but, this -time was not quite like any other, and nothing could make it so. - -“And I am very happy to-night, dear father. I am deeply happy in the -love that Heaven has so blessed--my love for Charles, and Charles's love -for me. But, if my life were not to be still consecrated to you, or -if my marriage were so arranged as that it would part us, even by -the length of a few of these streets, I should be more unhappy and -self-reproachful now than I can tell you. Even as it is--” - -Even as it was, she could not command her voice. - -In the sad moonlight, she clasped him by the neck, and laid her face -upon his breast. In the moonlight which is always sad, as the light of -the sun itself is--as the light called human life is--at its coming and -its going. - -“Dearest dear! Can you tell me, this last time, that you feel quite, -quite sure, no new affections of mine, and no new duties of mine, will -ever interpose between us? _I_ know it well, but do you know it? In your -own heart, do you feel quite certain?” - -Her father answered, with a cheerful firmness of conviction he could -scarcely have assumed, “Quite sure, my darling! More than that,” he -added, as he tenderly kissed her: “my future is far brighter, Lucie, -seen through your marriage, than it could have been--nay, than it ever -was--without it.” - -“If I could hope _that_, my father!--” - -“Believe it, love! Indeed it is so. Consider how natural and how plain -it is, my dear, that it should be so. You, devoted and young, cannot -fully appreciate the anxiety I have felt that your life should not be -wasted--” - -She moved her hand towards his lips, but he took it in his, and repeated -the word. - -“--wasted, my child--should not be wasted, struck aside from the -natural order of things--for my sake. Your unselfishness cannot entirely -comprehend how much my mind has gone on this; but, only ask yourself, -how could my happiness be perfect, while yours was incomplete?” - -“If I had never seen Charles, my father, I should have been quite happy -with you.” - -He smiled at her unconscious admission that she would have been unhappy -without Charles, having seen him; and replied: - -“My child, you did see him, and it is Charles. If it had not been -Charles, it would have been another. Or, if it had been no other, I -should have been the cause, and then the dark part of my life would have -cast its shadow beyond myself, and would have fallen on you.” - -It was the first time, except at the trial, of her ever hearing him -refer to the period of his suffering. It gave her a strange and new -sensation while his words were in her ears; and she remembered it long -afterwards. - -“See!” said the Doctor of Beauvais, raising his hand towards the moon. -“I have looked at her from my prison-window, when I could not bear her -light. I have looked at her when it has been such torture to me to think -of her shining upon what I had lost, that I have beaten my head against -my prison-walls. I have looked at her, in a state so dull and lethargic, -that I have thought of nothing but the number of horizontal lines I -could draw across her at the full, and the number of perpendicular lines -with which I could intersect them.” He added in his inward and pondering -manner, as he looked at the moon, “It was twenty either way, I remember, -and the twentieth was difficult to squeeze in.” - -The strange thrill with which she heard him go back to that time, -deepened as he dwelt upon it; but, there was nothing to shock her in -the manner of his reference. He only seemed to contrast his present -cheerfulness and felicity with the dire endurance that was over. - -“I have looked at her, speculating thousands of times upon the unborn -child from whom I had been rent. Whether it was alive. Whether it had -been born alive, or the poor mother's shock had killed it. Whether it -was a son who would some day avenge his father. (There was a time in my -imprisonment, when my desire for vengeance was unbearable.) Whether it -was a son who would never know his father's story; who might even live -to weigh the possibility of his father's having disappeared of his own -will and act. Whether it was a daughter who would grow to be a woman.” - -She drew closer to him, and kissed his cheek and his hand. - -“I have pictured my daughter, to myself, as perfectly forgetful of -me--rather, altogether ignorant of me, and unconscious of me. I have -cast up the years of her age, year after year. I have seen her married -to a man who knew nothing of my fate. I have altogether perished from -the remembrance of the living, and in the next generation my place was a -blank.” - -“My father! Even to hear that you had such thoughts of a daughter who -never existed, strikes to my heart as if I had been that child.” - -“You, Lucie? It is out of the Consolation and restoration you have -brought to me, that these remembrances arise, and pass between us and -the moon on this last night.--What did I say just now?” - -“She knew nothing of you. She cared nothing for you.” - -“So! But on other moonlight nights, when the sadness and the silence -have touched me in a different way--have affected me with something as -like a sorrowful sense of peace, as any emotion that had pain for its -foundations could--I have imagined her as coming to me in my cell, and -leading me out into the freedom beyond the fortress. I have seen her -image in the moonlight often, as I now see you; except that I never held -her in my arms; it stood between the little grated window and the door. -But, you understand that that was not the child I am speaking of?” - -“The figure was not; the--the--image; the fancy?” - -“No. That was another thing. It stood before my disturbed sense of -sight, but it never moved. The phantom that my mind pursued, was another -and more real child. Of her outward appearance I know no more than -that she was like her mother. The other had that likeness too--as you -have--but was not the same. Can you follow me, Lucie? Hardly, I think? -I doubt you must have been a solitary prisoner to understand these -perplexed distinctions.” - -His collected and calm manner could not prevent her blood from running -cold, as he thus tried to anatomise his old condition. - -“In that more peaceful state, I have imagined her, in the moonlight, -coming to me and taking me out to show me that the home of her married -life was full of her loving remembrance of her lost father. My picture -was in her room, and I was in her prayers. Her life was active, -cheerful, useful; but my poor history pervaded it all.” - -“I was that child, my father, I was not half so good, but in my love -that was I.” - -“And she showed me her children,” said the Doctor of Beauvais, “and -they had heard of me, and had been taught to pity me. When they passed -a prison of the State, they kept far from its frowning walls, and looked -up at its bars, and spoke in whispers. She could never deliver me; I -imagined that she always brought me back after showing me such things. -But then, blessed with the relief of tears, I fell upon my knees, and -blessed her.” - -“I am that child, I hope, my father. O my dear, my dear, will you bless -me as fervently to-morrow?” - -“Lucie, I recall these old troubles in the reason that I have to-night -for loving you better than words can tell, and thanking God for my great -happiness. My thoughts, when they were wildest, never rose near the -happiness that I have known with you, and that we have before us.” - -He embraced her, solemnly commended her to Heaven, and humbly thanked -Heaven for having bestowed her on him. By-and-bye, they went into the -house. - -There was no one bidden to the marriage but Mr. Lorry; there was even to -be no bridesmaid but the gaunt Miss Pross. The marriage was to make no -change in their place of residence; they had been able to extend it, -by taking to themselves the upper rooms formerly belonging to the -apocryphal invisible lodger, and they desired nothing more. - -Doctor Manette was very cheerful at the little supper. They were only -three at table, and Miss Pross made the third. He regretted that Charles -was not there; was more than half disposed to object to the loving -little plot that kept him away; and drank to him affectionately. - -So, the time came for him to bid Lucie good night, and they separated. -But, in the stillness of the third hour of the morning, Lucie came -downstairs again, and stole into his room; not free from unshaped fears, -beforehand. - -All things, however, were in their places; all was quiet; and he lay -asleep, his white hair picturesque on the untroubled pillow, and his -hands lying quiet on the coverlet. She put her needless candle in the -shadow at a distance, crept up to his bed, and put her lips to his; -then, leaned over him, and looked at him. - -Into his handsome face, the bitter waters of captivity had worn; but, he -covered up their tracks with a determination so strong, that he held the -mastery of them even in his sleep. A more remarkable face in its quiet, -resolute, and guarded struggle with an unseen assailant, was not to be -beheld in all the wide dominions of sleep, that night. - -She timidly laid her hand on his dear breast, and put up a prayer that -she might ever be as true to him as her love aspired to be, and as his -sorrows deserved. Then, she withdrew her hand, and kissed his lips once -more, and went away. So, the sunrise came, and the shadows of the leaves -of the plane-tree moved upon his face, as softly as her lips had moved -in praying for him. - - - - -XVIII. Nine Days - - -The marriage-day was shining brightly, and they were ready outside the -closed door of the Doctor's room, where he was speaking with Charles -Darnay. They were ready to go to church; the beautiful bride, Mr. -Lorry, and Miss Pross--to whom the event, through a gradual process of -reconcilement to the inevitable, would have been one of absolute bliss, -but for the yet lingering consideration that her brother Solomon should -have been the bridegroom. - -“And so,” said Mr. Lorry, who could not sufficiently admire the bride, -and who had been moving round her to take in every point of her quiet, -pretty dress; “and so it was for this, my sweet Lucie, that I brought -you across the Channel, such a baby! Lord bless me! How little I thought -what I was doing! How lightly I valued the obligation I was conferring -on my friend Mr. Charles!” - -“You didn't mean it,” remarked the matter-of-fact Miss Pross, “and -therefore how could you know it? Nonsense!” - -“Really? Well; but don't cry,” said the gentle Mr. Lorry. - -“I am not crying,” said Miss Pross; “_you_ are.” - -“I, my Pross?” (By this time, Mr. Lorry dared to be pleasant with her, -on occasion.) - -“You were, just now; I saw you do it, and I don't wonder at it. Such -a present of plate as you have made 'em, is enough to bring tears into -anybody's eyes. There's not a fork or a spoon in the collection,” said -Miss Pross, “that I didn't cry over, last night after the box came, till -I couldn't see it.” - -“I am highly gratified,” said Mr. Lorry, “though, upon my honour, I -had no intention of rendering those trifling articles of remembrance -invisible to any one. Dear me! This is an occasion that makes a man -speculate on all he has lost. Dear, dear, dear! To think that there -might have been a Mrs. Lorry, any time these fifty years almost!” - -“Not at all!” From Miss Pross. - -“You think there never might have been a Mrs. Lorry?” asked the -gentleman of that name. - -“Pooh!” rejoined Miss Pross; “you were a bachelor in your cradle.” - -“Well!” observed Mr. Lorry, beamingly adjusting his little wig, “that -seems probable, too.” - -“And you were cut out for a bachelor,” pursued Miss Pross, “before you -were put in your cradle.” - -“Then, I think,” said Mr. Lorry, “that I was very unhandsomely dealt -with, and that I ought to have had a voice in the selection of my -pattern. Enough! Now, my dear Lucie,” drawing his arm soothingly round -her waist, “I hear them moving in the next room, and Miss Pross and -I, as two formal folks of business, are anxious not to lose the final -opportunity of saying something to you that you wish to hear. You leave -your good father, my dear, in hands as earnest and as loving as your -own; he shall be taken every conceivable care of; during the next -fortnight, while you are in Warwickshire and thereabouts, even Tellson's -shall go to the wall (comparatively speaking) before him. And when, at -the fortnight's end, he comes to join you and your beloved husband, on -your other fortnight's trip in Wales, you shall say that we have sent -him to you in the best health and in the happiest frame. Now, I hear -Somebody's step coming to the door. Let me kiss my dear girl with an -old-fashioned bachelor blessing, before Somebody comes to claim his -own.” - -For a moment, he held the fair face from him to look at the -well-remembered expression on the forehead, and then laid the bright -golden hair against his little brown wig, with a genuine tenderness and -delicacy which, if such things be old-fashioned, were as old as Adam. - -The door of the Doctor's room opened, and he came out with Charles -Darnay. He was so deadly pale--which had not been the case when they -went in together--that no vestige of colour was to be seen in his face. -But, in the composure of his manner he was unaltered, except that to the -shrewd glance of Mr. Lorry it disclosed some shadowy indication that the -old air of avoidance and dread had lately passed over him, like a cold -wind. - -He gave his arm to his daughter, and took her down-stairs to the chariot -which Mr. Lorry had hired in honour of the day. The rest followed in -another carriage, and soon, in a neighbouring church, where no strange -eyes looked on, Charles Darnay and Lucie Manette were happily married. - -Besides the glancing tears that shone among the smiles of the little -group when it was done, some diamonds, very bright and sparkling, -glanced on the bride's hand, which were newly released from the -dark obscurity of one of Mr. Lorry's pockets. They returned home to -breakfast, and all went well, and in due course the golden hair that had -mingled with the poor shoemaker's white locks in the Paris garret, were -mingled with them again in the morning sunlight, on the threshold of the -door at parting. - -It was a hard parting, though it was not for long. But her father -cheered her, and said at last, gently disengaging himself from her -enfolding arms, “Take her, Charles! She is yours!” - -And her agitated hand waved to them from a chaise window, and she was -gone. - -The corner being out of the way of the idle and curious, and the -preparations having been very simple and few, the Doctor, Mr. Lorry, -and Miss Pross, were left quite alone. It was when they turned into -the welcome shade of the cool old hall, that Mr. Lorry observed a great -change to have come over the Doctor; as if the golden arm uplifted -there, had struck him a poisoned blow. - -He had naturally repressed much, and some revulsion might have been -expected in him when the occasion for repression was gone. But, it was -the old scared lost look that troubled Mr. Lorry; and through his absent -manner of clasping his head and drearily wandering away into his own -room when they got up-stairs, Mr. Lorry was reminded of Defarge the -wine-shop keeper, and the starlight ride. - -“I think,” he whispered to Miss Pross, after anxious consideration, “I -think we had best not speak to him just now, or at all disturb him. -I must look in at Tellson's; so I will go there at once and come back -presently. Then, we will take him a ride into the country, and dine -there, and all will be well.” - -It was easier for Mr. Lorry to look in at Tellson's, than to look out of -Tellson's. He was detained two hours. When he came back, he ascended the -old staircase alone, having asked no question of the servant; going thus -into the Doctor's rooms, he was stopped by a low sound of knocking. - -“Good God!” he said, with a start. “What's that?” - -Miss Pross, with a terrified face, was at his ear. “O me, O me! All is -lost!” cried she, wringing her hands. “What is to be told to Ladybird? -He doesn't know me, and is making shoes!” - -Mr. Lorry said what he could to calm her, and went himself into the -Doctor's room. The bench was turned towards the light, as it had been -when he had seen the shoemaker at his work before, and his head was bent -down, and he was very busy. - -“Doctor Manette. My dear friend, Doctor Manette!” - -The Doctor looked at him for a moment--half inquiringly, half as if he -were angry at being spoken to--and bent over his work again. - -He had laid aside his coat and waistcoat; his shirt was open at the -throat, as it used to be when he did that work; and even the old -haggard, faded surface of face had come back to him. He worked -hard--impatiently--as if in some sense of having been interrupted. - -Mr. Lorry glanced at the work in his hand, and observed that it was a -shoe of the old size and shape. He took up another that was lying by -him, and asked what it was. - -“A young lady's walking shoe,” he muttered, without looking up. “It -ought to have been finished long ago. Let it be.” - -“But, Doctor Manette. Look at me!” - -He obeyed, in the old mechanically submissive manner, without pausing in -his work. - -“You know me, my dear friend? Think again. This is not your proper -occupation. Think, dear friend!” - -Nothing would induce him to speak more. He looked up, for an instant at -a time, when he was requested to do so; but, no persuasion would extract -a word from him. He worked, and worked, and worked, in silence, and -words fell on him as they would have fallen on an echoless wall, or on -the air. The only ray of hope that Mr. Lorry could discover, was, that -he sometimes furtively looked up without being asked. In that, there -seemed a faint expression of curiosity or perplexity--as though he were -trying to reconcile some doubts in his mind. - -Two things at once impressed themselves on Mr. Lorry, as important above -all others; the first, that this must be kept secret from Lucie; -the second, that it must be kept secret from all who knew him. In -conjunction with Miss Pross, he took immediate steps towards the latter -precaution, by giving out that the Doctor was not well, and required a -few days of complete rest. In aid of the kind deception to be practised -on his daughter, Miss Pross was to write, describing his having been -called away professionally, and referring to an imaginary letter of -two or three hurried lines in his own hand, represented to have been -addressed to her by the same post. - -These measures, advisable to be taken in any case, Mr. Lorry took in -the hope of his coming to himself. If that should happen soon, he kept -another course in reserve; which was, to have a certain opinion that he -thought the best, on the Doctor's case. - -In the hope of his recovery, and of resort to this third course -being thereby rendered practicable, Mr. Lorry resolved to watch him -attentively, with as little appearance as possible of doing so. He -therefore made arrangements to absent himself from Tellson's for the -first time in his life, and took his post by the window in the same -room. - -He was not long in discovering that it was worse than useless to speak -to him, since, on being pressed, he became worried. He abandoned that -attempt on the first day, and resolved merely to keep himself always -before him, as a silent protest against the delusion into which he had -fallen, or was falling. He remained, therefore, in his seat near the -window, reading and writing, and expressing in as many pleasant and -natural ways as he could think of, that it was a free place. - -Doctor Manette took what was given him to eat and drink, and worked on, -that first day, until it was too dark to see--worked on, half an hour -after Mr. Lorry could not have seen, for his life, to read or write. -When he put his tools aside as useless, until morning, Mr. Lorry rose -and said to him: - -“Will you go out?” - -He looked down at the floor on either side of him in the old manner, -looked up in the old manner, and repeated in the old low voice: - -“Out?” - -“Yes; for a walk with me. Why not?” - -He made no effort to say why not, and said not a word more. But, Mr. -Lorry thought he saw, as he leaned forward on his bench in the dusk, -with his elbows on his knees and his head in his hands, that he was in -some misty way asking himself, “Why not?” The sagacity of the man of -business perceived an advantage here, and determined to hold it. - -Miss Pross and he divided the night into two watches, and observed him -at intervals from the adjoining room. He paced up and down for a long -time before he lay down; but, when he did finally lay himself down, he -fell asleep. In the morning, he was up betimes, and went straight to his -bench and to work. - -On this second day, Mr. Lorry saluted him cheerfully by his name, -and spoke to him on topics that had been of late familiar to them. He -returned no reply, but it was evident that he heard what was said, and -that he thought about it, however confusedly. This encouraged Mr. Lorry -to have Miss Pross in with her work, several times during the day; -at those times, they quietly spoke of Lucie, and of her father then -present, precisely in the usual manner, and as if there were nothing -amiss. This was done without any demonstrative accompaniment, not long -enough, or often enough to harass him; and it lightened Mr. Lorry's -friendly heart to believe that he looked up oftener, and that he -appeared to be stirred by some perception of inconsistencies surrounding -him. - -When it fell dark again, Mr. Lorry asked him as before: - -“Dear Doctor, will you go out?” - -As before, he repeated, “Out?” - -“Yes; for a walk with me. Why not?” - -This time, Mr. Lorry feigned to go out when he could extract no answer -from him, and, after remaining absent for an hour, returned. In the -meanwhile, the Doctor had removed to the seat in the window, and had -sat there looking down at the plane-tree; but, on Mr. Lorry's return, he -slipped away to his bench. - -The time went very slowly on, and Mr. Lorry's hope darkened, and his -heart grew heavier again, and grew yet heavier and heavier every day. -The third day came and went, the fourth, the fifth. Five days, six days, -seven days, eight days, nine days. - -With a hope ever darkening, and with a heart always growing heavier and -heavier, Mr. Lorry passed through this anxious time. The secret was -well kept, and Lucie was unconscious and happy; but he could not fail to -observe that the shoemaker, whose hand had been a little out at first, -was growing dreadfully skilful, and that he had never been so intent on -his work, and that his hands had never been so nimble and expert, as in -the dusk of the ninth evening. - - - - -XIX. An Opinion - - -Worn out by anxious watching, Mr. Lorry fell asleep at his post. On the -tenth morning of his suspense, he was startled by the shining of the sun -into the room where a heavy slumber had overtaken him when it was dark -night. - -He rubbed his eyes and roused himself; but he doubted, when he had -done so, whether he was not still asleep. For, going to the door of the -Doctor's room and looking in, he perceived that the shoemaker's bench -and tools were put aside again, and that the Doctor himself sat reading -at the window. He was in his usual morning dress, and his face (which -Mr. Lorry could distinctly see), though still very pale, was calmly -studious and attentive. - -Even when he had satisfied himself that he was awake, Mr. Lorry felt -giddily uncertain for some few moments whether the late shoemaking might -not be a disturbed dream of his own; for, did not his eyes show him his -friend before him in his accustomed clothing and aspect, and employed -as usual; and was there any sign within their range, that the change of -which he had so strong an impression had actually happened? - -It was but the inquiry of his first confusion and astonishment, the -answer being obvious. If the impression were not produced by a real -corresponding and sufficient cause, how came he, Jarvis Lorry, there? -How came he to have fallen asleep, in his clothes, on the sofa in Doctor -Manette's consulting-room, and to be debating these points outside the -Doctor's bedroom door in the early morning? - -Within a few minutes, Miss Pross stood whispering at his side. If he -had had any particle of doubt left, her talk would of necessity have -resolved it; but he was by that time clear-headed, and had none. -He advised that they should let the time go by until the regular -breakfast-hour, and should then meet the Doctor as if nothing unusual -had occurred. If he appeared to be in his customary state of mind, Mr. -Lorry would then cautiously proceed to seek direction and guidance from -the opinion he had been, in his anxiety, so anxious to obtain. - -Miss Pross, submitting herself to his judgment, the scheme was worked -out with care. Having abundance of time for his usual methodical -toilette, Mr. Lorry presented himself at the breakfast-hour in his usual -white linen, and with his usual neat leg. The Doctor was summoned in the -usual way, and came to breakfast. - -So far as it was possible to comprehend him without overstepping those -delicate and gradual approaches which Mr. Lorry felt to be the only safe -advance, he at first supposed that his daughter's marriage had taken -place yesterday. An incidental allusion, purposely thrown out, to -the day of the week, and the day of the month, set him thinking and -counting, and evidently made him uneasy. In all other respects, however, -he was so composedly himself, that Mr. Lorry determined to have the aid -he sought. And that aid was his own. - -Therefore, when the breakfast was done and cleared away, and he and the -Doctor were left together, Mr. Lorry said, feelingly: - -“My dear Manette, I am anxious to have your opinion, in confidence, on a -very curious case in which I am deeply interested; that is to say, it is -very curious to me; perhaps, to your better information it may be less -so.” - -Glancing at his hands, which were discoloured by his late work, the -Doctor looked troubled, and listened attentively. He had already glanced -at his hands more than once. - -“Doctor Manette,” said Mr. Lorry, touching him affectionately on the -arm, “the case is the case of a particularly dear friend of mine. Pray -give your mind to it, and advise me well for his sake--and above all, -for his daughter's--his daughter's, my dear Manette.” - -“If I understand,” said the Doctor, in a subdued tone, “some mental -shock--?” - -“Yes!” - -“Be explicit,” said the Doctor. “Spare no detail.” - -Mr. Lorry saw that they understood one another, and proceeded. - -“My dear Manette, it is the case of an old and a prolonged shock, -of great acuteness and severity to the affections, the feelings, -the--the--as you express it--the mind. The mind. It is the case of a -shock under which the sufferer was borne down, one cannot say for how -long, because I believe he cannot calculate the time himself, and there -are no other means of getting at it. It is the case of a shock from -which the sufferer recovered, by a process that he cannot trace -himself--as I once heard him publicly relate in a striking manner. It is -the case of a shock from which he has recovered, so completely, as to -be a highly intelligent man, capable of close application of mind, and -great exertion of body, and of constantly making fresh additions to his -stock of knowledge, which was already very large. But, unfortunately, -there has been,” he paused and took a deep breath--“a slight relapse.” - -The Doctor, in a low voice, asked, “Of how long duration?” - -“Nine days and nights.” - -“How did it show itself? I infer,” glancing at his hands again, “in the -resumption of some old pursuit connected with the shock?” - -“That is the fact.” - -“Now, did you ever see him,” asked the Doctor, distinctly and -collectedly, though in the same low voice, “engaged in that pursuit -originally?” - -“Once.” - -“And when the relapse fell on him, was he in most respects--or in all -respects--as he was then?” - -“I think in all respects.” - -“You spoke of his daughter. Does his daughter know of the relapse?” - -“No. It has been kept from her, and I hope will always be kept from her. -It is known only to myself, and to one other who may be trusted.” - -The Doctor grasped his hand, and murmured, “That was very kind. That was -very thoughtful!” Mr. Lorry grasped his hand in return, and neither of -the two spoke for a little while. - -“Now, my dear Manette,” said Mr. Lorry, at length, in his most -considerate and most affectionate way, “I am a mere man of business, -and unfit to cope with such intricate and difficult matters. I do not -possess the kind of information necessary; I do not possess the kind of -intelligence; I want guiding. There is no man in this world on whom -I could so rely for right guidance, as on you. Tell me, how does this -relapse come about? Is there danger of another? Could a repetition of it -be prevented? How should a repetition of it be treated? How does it come -about at all? What can I do for my friend? No man ever can have been -more desirous in his heart to serve a friend, than I am to serve mine, -if I knew how. - -“But I don't know how to originate, in such a case. If your sagacity, -knowledge, and experience, could put me on the right track, I might be -able to do so much; unenlightened and undirected, I can do so little. -Pray discuss it with me; pray enable me to see it a little more clearly, -and teach me how to be a little more useful.” - -Doctor Manette sat meditating after these earnest words were spoken, and -Mr. Lorry did not press him. - -“I think it probable,” said the Doctor, breaking silence with an effort, -“that the relapse you have described, my dear friend, was not quite -unforeseen by its subject.” - -“Was it dreaded by him?” Mr. Lorry ventured to ask. - -“Very much.” He said it with an involuntary shudder. - -“You have no idea how such an apprehension weighs on the sufferer's -mind, and how difficult--how almost impossible--it is, for him to force -himself to utter a word upon the topic that oppresses him.” - -“Would he,” asked Mr. Lorry, “be sensibly relieved if he could prevail -upon himself to impart that secret brooding to any one, when it is on -him?” - -“I think so. But it is, as I have told you, next to impossible. I even -believe it--in some cases--to be quite impossible.” - -“Now,” said Mr. Lorry, gently laying his hand on the Doctor's arm again, -after a short silence on both sides, “to what would you refer this -attack?” - -“I believe,” returned Doctor Manette, “that there had been a strong and -extraordinary revival of the train of thought and remembrance that -was the first cause of the malady. Some intense associations of a most -distressing nature were vividly recalled, I think. It is probable that -there had long been a dread lurking in his mind, that those associations -would be recalled--say, under certain circumstances--say, on a -particular occasion. He tried to prepare himself in vain; perhaps the -effort to prepare himself made him less able to bear it.” - -“Would he remember what took place in the relapse?” asked Mr. Lorry, -with natural hesitation. - -The Doctor looked desolately round the room, shook his head, and -answered, in a low voice, “Not at all.” - -“Now, as to the future,” hinted Mr. Lorry. - -“As to the future,” said the Doctor, recovering firmness, “I should have -great hope. As it pleased Heaven in its mercy to restore him so soon, I -should have great hope. He, yielding under the pressure of a complicated -something, long dreaded and long vaguely foreseen and contended against, -and recovering after the cloud had burst and passed, I should hope that -the worst was over.” - -“Well, well! That's good comfort. I am thankful!” said Mr. Lorry. - -“I am thankful!” repeated the Doctor, bending his head with reverence. - -“There are two other points,” said Mr. Lorry, “on which I am anxious to -be instructed. I may go on?” - -“You cannot do your friend a better service.” The Doctor gave him his -hand. - -“To the first, then. He is of a studious habit, and unusually energetic; -he applies himself with great ardour to the acquisition of professional -knowledge, to the conducting of experiments, to many things. Now, does -he do too much?” - -“I think not. It may be the character of his mind, to be always in -singular need of occupation. That may be, in part, natural to it; in -part, the result of affliction. The less it was occupied with healthy -things, the more it would be in danger of turning in the unhealthy -direction. He may have observed himself, and made the discovery.” - -“You are sure that he is not under too great a strain?” - -“I think I am quite sure of it.” - -“My dear Manette, if he were overworked now--” - -“My dear Lorry, I doubt if that could easily be. There has been a -violent stress in one direction, and it needs a counterweight.” - -“Excuse me, as a persistent man of business. Assuming for a moment, -that he _was_ overworked; it would show itself in some renewal of this -disorder?” - -“I do not think so. I do not think,” said Doctor Manette with the -firmness of self-conviction, “that anything but the one train of -association would renew it. I think that, henceforth, nothing but some -extraordinary jarring of that chord could renew it. After what has -happened, and after his recovery, I find it difficult to imagine any -such violent sounding of that string again. I trust, and I almost -believe, that the circumstances likely to renew it are exhausted.” - -He spoke with the diffidence of a man who knew how slight a thing -would overset the delicate organisation of the mind, and yet with the -confidence of a man who had slowly won his assurance out of personal -endurance and distress. It was not for his friend to abate that -confidence. He professed himself more relieved and encouraged than he -really was, and approached his second and last point. He felt it to -be the most difficult of all; but, remembering his old Sunday morning -conversation with Miss Pross, and remembering what he had seen in the -last nine days, he knew that he must face it. - -“The occupation resumed under the influence of this passing affliction -so happily recovered from,” said Mr. Lorry, clearing his throat, “we -will call--Blacksmith's work, Blacksmith's work. We will say, to put a -case and for the sake of illustration, that he had been used, in his bad -time, to work at a little forge. We will say that he was unexpectedly -found at his forge again. Is it not a pity that he should keep it by -him?” - -The Doctor shaded his forehead with his hand, and beat his foot -nervously on the ground. - -“He has always kept it by him,” said Mr. Lorry, with an anxious look at -his friend. “Now, would it not be better that he should let it go?” - -Still, the Doctor, with shaded forehead, beat his foot nervously on the -ground. - -“You do not find it easy to advise me?” said Mr. Lorry. “I quite -understand it to be a nice question. And yet I think--” And there he -shook his head, and stopped. - -“You see,” said Doctor Manette, turning to him after an uneasy pause, -“it is very hard to explain, consistently, the innermost workings -of this poor man's mind. He once yearned so frightfully for that -occupation, and it was so welcome when it came; no doubt it relieved -his pain so much, by substituting the perplexity of the fingers for -the perplexity of the brain, and by substituting, as he became more -practised, the ingenuity of the hands, for the ingenuity of the mental -torture; that he has never been able to bear the thought of putting it -quite out of his reach. Even now, when I believe he is more hopeful of -himself than he has ever been, and even speaks of himself with a kind -of confidence, the idea that he might need that old employment, and not -find it, gives him a sudden sense of terror, like that which one may -fancy strikes to the heart of a lost child.” - -He looked like his illustration, as he raised his eyes to Mr. Lorry's -face. - -“But may not--mind! I ask for information, as a plodding man of business -who only deals with such material objects as guineas, shillings, and -bank-notes--may not the retention of the thing involve the retention of -the idea? If the thing were gone, my dear Manette, might not the fear go -with it? In short, is it not a concession to the misgiving, to keep the -forge?” - -There was another silence. - -“You see, too,” said the Doctor, tremulously, “it is such an old -companion.” - -“I would not keep it,” said Mr. Lorry, shaking his head; for he gained -in firmness as he saw the Doctor disquieted. “I would recommend him to -sacrifice it. I only want your authority. I am sure it does no good. -Come! Give me your authority, like a dear good man. For his daughter's -sake, my dear Manette!” - -Very strange to see what a struggle there was within him! - -“In her name, then, let it be done; I sanction it. But, I would not take -it away while he was present. Let it be removed when he is not there; -let him miss his old companion after an absence.” - -Mr. Lorry readily engaged for that, and the conference was ended. They -passed the day in the country, and the Doctor was quite restored. On the -three following days he remained perfectly well, and on the fourteenth -day he went away to join Lucie and her husband. The precaution that -had been taken to account for his silence, Mr. Lorry had previously -explained to him, and he had written to Lucie in accordance with it, and -she had no suspicions. - -On the night of the day on which he left the house, Mr. Lorry went into -his room with a chopper, saw, chisel, and hammer, attended by Miss Pross -carrying a light. There, with closed doors, and in a mysterious and -guilty manner, Mr. Lorry hacked the shoemaker's bench to pieces, while -Miss Pross held the candle as if she were assisting at a murder--for -which, indeed, in her grimness, she was no unsuitable figure. The -burning of the body (previously reduced to pieces convenient for the -purpose) was commenced without delay in the kitchen fire; and the tools, -shoes, and leather, were buried in the garden. So wicked do destruction -and secrecy appear to honest minds, that Mr. Lorry and Miss Pross, -while engaged in the commission of their deed and in the removal of its -traces, almost felt, and almost looked, like accomplices in a horrible -crime. - - - - -XX. A Plea - - -When the newly-married pair came home, the first person who appeared, to -offer his congratulations, was Sydney Carton. They had not been at home -many hours, when he presented himself. He was not improved in habits, or -in looks, or in manner; but there was a certain rugged air of fidelity -about him, which was new to the observation of Charles Darnay. - -He watched his opportunity of taking Darnay aside into a window, and of -speaking to him when no one overheard. - -“Mr. Darnay,” said Carton, “I wish we might be friends.” - -“We are already friends, I hope.” - -“You are good enough to say so, as a fashion of speech; but, I don't -mean any fashion of speech. Indeed, when I say I wish we might be -friends, I scarcely mean quite that, either.” - -Charles Darnay--as was natural--asked him, in all good-humour and -good-fellowship, what he did mean? - -“Upon my life,” said Carton, smiling, “I find that easier to comprehend -in my own mind, than to convey to yours. However, let me try. You -remember a certain famous occasion when I was more drunk than--than -usual?” - -“I remember a certain famous occasion when you forced me to confess that -you had been drinking.” - -“I remember it too. The curse of those occasions is heavy upon me, for I -always remember them. I hope it may be taken into account one day, -when all days are at an end for me! Don't be alarmed; I am not going to -preach.” - -“I am not at all alarmed. Earnestness in you, is anything but alarming -to me.” - -“Ah!” said Carton, with a careless wave of his hand, as if he waved that -away. “On the drunken occasion in question (one of a large number, as -you know), I was insufferable about liking you, and not liking you. I -wish you would forget it.” - -“I forgot it long ago.” - -“Fashion of speech again! But, Mr. Darnay, oblivion is not so easy to -me, as you represent it to be to you. I have by no means forgotten it, -and a light answer does not help me to forget it.” - -“If it was a light answer,” returned Darnay, “I beg your forgiveness -for it. I had no other object than to turn a slight thing, which, to my -surprise, seems to trouble you too much, aside. I declare to you, on the -faith of a gentleman, that I have long dismissed it from my mind. Good -Heaven, what was there to dismiss! Have I had nothing more important to -remember, in the great service you rendered me that day?” - -“As to the great service,” said Carton, “I am bound to avow to you, when -you speak of it in that way, that it was mere professional claptrap, I -don't know that I cared what became of you, when I rendered it.--Mind! I -say when I rendered it; I am speaking of the past.” - -“You make light of the obligation,” returned Darnay, “but I will not -quarrel with _your_ light answer.” - -“Genuine truth, Mr. Darnay, trust me! I have gone aside from my purpose; -I was speaking about our being friends. Now, you know me; you know I am -incapable of all the higher and better flights of men. If you doubt it, -ask Stryver, and he'll tell you so.” - -“I prefer to form my own opinion, without the aid of his.” - -“Well! At any rate you know me as a dissolute dog, who has never done -any good, and never will.” - -“I don't know that you 'never will.'” - -“But I do, and you must take my word for it. Well! If you could endure -to have such a worthless fellow, and a fellow of such indifferent -reputation, coming and going at odd times, I should ask that I might be -permitted to come and go as a privileged person here; that I might -be regarded as an useless (and I would add, if it were not for the -resemblance I detected between you and me, an unornamental) piece of -furniture, tolerated for its old service, and taken no notice of. I -doubt if I should abuse the permission. It is a hundred to one if I -should avail myself of it four times in a year. It would satisfy me, I -dare say, to know that I had it.” - -“Will you try?” - -“That is another way of saying that I am placed on the footing I have -indicated. I thank you, Darnay. I may use that freedom with your name?” - -“I think so, Carton, by this time.” - -They shook hands upon it, and Sydney turned away. Within a minute -afterwards, he was, to all outward appearance, as unsubstantial as ever. - -When he was gone, and in the course of an evening passed with Miss -Pross, the Doctor, and Mr. Lorry, Charles Darnay made some mention of -this conversation in general terms, and spoke of Sydney Carton as a -problem of carelessness and recklessness. He spoke of him, in short, not -bitterly or meaning to bear hard upon him, but as anybody might who saw -him as he showed himself. - -He had no idea that this could dwell in the thoughts of his fair young -wife; but, when he afterwards joined her in their own rooms, he found -her waiting for him with the old pretty lifting of the forehead strongly -marked. - -“We are thoughtful to-night!” said Darnay, drawing his arm about her. - -“Yes, dearest Charles,” with her hands on his breast, and the inquiring -and attentive expression fixed upon him; “we are rather thoughtful -to-night, for we have something on our mind to-night.” - -“What is it, my Lucie?” - -“Will you promise not to press one question on me, if I beg you not to -ask it?” - -“Will I promise? What will I not promise to my Love?” - -What, indeed, with his hand putting aside the golden hair from the -cheek, and his other hand against the heart that beat for him! - -“I think, Charles, poor Mr. Carton deserves more consideration and -respect than you expressed for him to-night.” - -“Indeed, my own? Why so?” - -“That is what you are not to ask me. But I think--I know--he does.” - -“If you know it, it is enough. What would you have me do, my Life?” - -“I would ask you, dearest, to be very generous with him always, and very -lenient on his faults when he is not by. I would ask you to believe that -he has a heart he very, very seldom reveals, and that there are deep -wounds in it. My dear, I have seen it bleeding.” - -“It is a painful reflection to me,” said Charles Darnay, quite -astounded, “that I should have done him any wrong. I never thought this -of him.” - -“My husband, it is so. I fear he is not to be reclaimed; there is -scarcely a hope that anything in his character or fortunes is reparable -now. But, I am sure that he is capable of good things, gentle things, -even magnanimous things.” - -She looked so beautiful in the purity of her faith in this lost man, -that her husband could have looked at her as she was for hours. - -“And, O my dearest Love!” she urged, clinging nearer to him, laying her -head upon his breast, and raising her eyes to his, “remember how strong -we are in our happiness, and how weak he is in his misery!” - -The supplication touched him home. “I will always remember it, dear -Heart! I will remember it as long as I live.” - -He bent over the golden head, and put the rosy lips to his, and folded -her in his arms. If one forlorn wanderer then pacing the dark streets, -could have heard her innocent disclosure, and could have seen the drops -of pity kissed away by her husband from the soft blue eyes so loving of -that husband, he might have cried to the night--and the words would not -have parted from his lips for the first time-- - -“God bless her for her sweet compassion!” - - - - -XXI. Echoing Footsteps - - -A wonderful corner for echoes, it has been remarked, that corner where -the Doctor lived. Ever busily winding the golden thread which bound -her husband, and her father, and herself, and her old directress and -companion, in a life of quiet bliss, Lucie sat in the still house in -the tranquilly resounding corner, listening to the echoing footsteps of -years. - -At first, there were times, though she was a perfectly happy young wife, -when her work would slowly fall from her hands, and her eyes would be -dimmed. For, there was something coming in the echoes, something light, -afar off, and scarcely audible yet, that stirred her heart too much. -Fluttering hopes and doubts--hopes, of a love as yet unknown to her: -doubts, of her remaining upon earth, to enjoy that new delight--divided -her breast. Among the echoes then, there would arise the sound of -footsteps at her own early grave; and thoughts of the husband who would -be left so desolate, and who would mourn for her so much, swelled to her -eyes, and broke like waves. - -That time passed, and her little Lucie lay on her bosom. Then, among the -advancing echoes, there was the tread of her tiny feet and the sound of -her prattling words. Let greater echoes resound as they would, the young -mother at the cradle side could always hear those coming. They came, and -the shady house was sunny with a child's laugh, and the Divine friend of -children, to whom in her trouble she had confided hers, seemed to take -her child in his arms, as He took the child of old, and made it a sacred -joy to her. - -Ever busily winding the golden thread that bound them all together, -weaving the service of her happy influence through the tissue of all -their lives, and making it predominate nowhere, Lucie heard in the -echoes of years none but friendly and soothing sounds. Her husband's -step was strong and prosperous among them; her father's firm and equal. -Lo, Miss Pross, in harness of string, awakening the echoes, as an -unruly charger, whip-corrected, snorting and pawing the earth under the -plane-tree in the garden! - -Even when there were sounds of sorrow among the rest, they were not -harsh nor cruel. Even when golden hair, like her own, lay in a halo on a -pillow round the worn face of a little boy, and he said, with a radiant -smile, “Dear papa and mamma, I am very sorry to leave you both, and to -leave my pretty sister; but I am called, and I must go!” those were not -tears all of agony that wetted his young mother's cheek, as the spirit -departed from her embrace that had been entrusted to it. Suffer them and -forbid them not. They see my Father's face. O Father, blessed words! - -Thus, the rustling of an Angel's wings got blended with the other -echoes, and they were not wholly of earth, but had in them that breath -of Heaven. Sighs of the winds that blew over a little garden-tomb were -mingled with them also, and both were audible to Lucie, in a hushed -murmur--like the breathing of a summer sea asleep upon a sandy shore--as -the little Lucie, comically studious at the task of the morning, or -dressing a doll at her mother's footstool, chattered in the tongues of -the Two Cities that were blended in her life. - -The Echoes rarely answered to the actual tread of Sydney Carton. Some -half-dozen times a year, at most, he claimed his privilege of coming in -uninvited, and would sit among them through the evening, as he had once -done often. He never came there heated with wine. And one other thing -regarding him was whispered in the echoes, which has been whispered by -all true echoes for ages and ages. - -No man ever really loved a woman, lost her, and knew her with a -blameless though an unchanged mind, when she was a wife and a mother, -but her children had a strange sympathy with him--an instinctive -delicacy of pity for him. What fine hidden sensibilities are touched in -such a case, no echoes tell; but it is so, and it was so here. Carton -was the first stranger to whom little Lucie held out her chubby arms, -and he kept his place with her as she grew. The little boy had spoken of -him, almost at the last. “Poor Carton! Kiss him for me!” - -Mr. Stryver shouldered his way through the law, like some great engine -forcing itself through turbid water, and dragged his useful friend in -his wake, like a boat towed astern. As the boat so favoured is usually -in a rough plight, and mostly under water, so, Sydney had a swamped -life of it. But, easy and strong custom, unhappily so much easier and -stronger in him than any stimulating sense of desert or disgrace, made -it the life he was to lead; and he no more thought of emerging from his -state of lion's jackal, than any real jackal may be supposed to think of -rising to be a lion. Stryver was rich; had married a florid widow with -property and three boys, who had nothing particularly shining about them -but the straight hair of their dumpling heads. - -These three young gentlemen, Mr. Stryver, exuding patronage of the most -offensive quality from every pore, had walked before him like three -sheep to the quiet corner in Soho, and had offered as pupils to -Lucie's husband: delicately saying “Halloa! here are three lumps of -bread-and-cheese towards your matrimonial picnic, Darnay!” The polite -rejection of the three lumps of bread-and-cheese had quite bloated Mr. -Stryver with indignation, which he afterwards turned to account in the -training of the young gentlemen, by directing them to beware of the -pride of Beggars, like that tutor-fellow. He was also in the habit of -declaiming to Mrs. Stryver, over his full-bodied wine, on the arts -Mrs. Darnay had once put in practice to “catch” him, and on the -diamond-cut-diamond arts in himself, madam, which had rendered him “not -to be caught.” Some of his King's Bench familiars, who were occasionally -parties to the full-bodied wine and the lie, excused him for the -latter by saying that he had told it so often, that he believed -it himself--which is surely such an incorrigible aggravation of an -originally bad offence, as to justify any such offender's being carried -off to some suitably retired spot, and there hanged out of the way. - -These were among the echoes to which Lucie, sometimes pensive, sometimes -amused and laughing, listened in the echoing corner, until her little -daughter was six years old. How near to her heart the echoes of her -child's tread came, and those of her own dear father's, always active -and self-possessed, and those of her dear husband's, need not be told. -Nor, how the lightest echo of their united home, directed by herself -with such a wise and elegant thrift that it was more abundant than any -waste, was music to her. Nor, how there were echoes all about her, sweet -in her ears, of the many times her father had told her that he found her -more devoted to him married (if that could be) than single, and of the -many times her husband had said to her that no cares and duties seemed -to divide her love for him or her help to him, and asked her “What is -the magic secret, my darling, of your being everything to all of us, -as if there were only one of us, yet never seeming to be hurried, or to -have too much to do?” - -But, there were other echoes, from a distance, that rumbled menacingly -in the corner all through this space of time. And it was now, about -little Lucie's sixth birthday, that they began to have an awful sound, -as of a great storm in France with a dreadful sea rising. - -On a night in mid-July, one thousand seven hundred and eighty-nine, Mr. -Lorry came in late, from Tellson's, and sat himself down by Lucie and -her husband in the dark window. It was a hot, wild night, and they were -all three reminded of the old Sunday night when they had looked at the -lightning from the same place. - -“I began to think,” said Mr. Lorry, pushing his brown wig back, “that -I should have to pass the night at Tellson's. We have been so full of -business all day, that we have not known what to do first, or which way -to turn. There is such an uneasiness in Paris, that we have actually a -run of confidence upon us! Our customers over there, seem not to be able -to confide their property to us fast enough. There is positively a mania -among some of them for sending it to England.” - -“That has a bad look,” said Darnay-- - -“A bad look, you say, my dear Darnay? Yes, but we don't know what reason -there is in it. People are so unreasonable! Some of us at Tellson's are -getting old, and we really can't be troubled out of the ordinary course -without due occasion.” - -“Still,” said Darnay, “you know how gloomy and threatening the sky is.” - -“I know that, to be sure,” assented Mr. Lorry, trying to persuade -himself that his sweet temper was soured, and that he grumbled, “but I -am determined to be peevish after my long day's botheration. Where is -Manette?” - -“Here he is,” said the Doctor, entering the dark room at the moment. - -“I am quite glad you are at home; for these hurries and forebodings by -which I have been surrounded all day long, have made me nervous without -reason. You are not going out, I hope?” - -“No; I am going to play backgammon with you, if you like,” said the -Doctor. - -“I don't think I do like, if I may speak my mind. I am not fit to be -pitted against you to-night. Is the teaboard still there, Lucie? I can't -see.” - -“Of course, it has been kept for you.” - -“Thank ye, my dear. The precious child is safe in bed?” - -“And sleeping soundly.” - -“That's right; all safe and well! I don't know why anything should be -otherwise than safe and well here, thank God; but I have been so put out -all day, and I am not as young as I was! My tea, my dear! Thank ye. Now, -come and take your place in the circle, and let us sit quiet, and hear -the echoes about which you have your theory.” - -“Not a theory; it was a fancy.” - -“A fancy, then, my wise pet,” said Mr. Lorry, patting her hand. “They -are very numerous and very loud, though, are they not? Only hear them!” - -Headlong, mad, and dangerous footsteps to force their way into anybody's -life, footsteps not easily made clean again if once stained red, the -footsteps raging in Saint Antoine afar off, as the little circle sat in -the dark London window. - -Saint Antoine had been, that morning, a vast dusky mass of scarecrows -heaving to and fro, with frequent gleams of light above the billowy -heads, where steel blades and bayonets shone in the sun. A tremendous -roar arose from the throat of Saint Antoine, and a forest of naked arms -struggled in the air like shrivelled branches of trees in a winter wind: -all the fingers convulsively clutching at every weapon or semblance of a -weapon that was thrown up from the depths below, no matter how far off. - -Who gave them out, whence they last came, where they began, through what -agency they crookedly quivered and jerked, scores at a time, over the -heads of the crowd, like a kind of lightning, no eye in the throng could -have told; but, muskets were being distributed--so were cartridges, -powder, and ball, bars of iron and wood, knives, axes, pikes, every -weapon that distracted ingenuity could discover or devise. People who -could lay hold of nothing else, set themselves with bleeding hands to -force stones and bricks out of their places in walls. Every pulse and -heart in Saint Antoine was on high-fever strain and at high-fever heat. -Every living creature there held life as of no account, and was demented -with a passionate readiness to sacrifice it. - -As a whirlpool of boiling waters has a centre point, so, all this raging -circled round Defarge's wine-shop, and every human drop in the caldron -had a tendency to be sucked towards the vortex where Defarge himself, -already begrimed with gunpowder and sweat, issued orders, issued arms, -thrust this man back, dragged this man forward, disarmed one to arm -another, laboured and strove in the thickest of the uproar. - -“Keep near to me, Jacques Three,” cried Defarge; “and do you, Jacques -One and Two, separate and put yourselves at the head of as many of these -patriots as you can. Where is my wife?” - -“Eh, well! Here you see me!” said madame, composed as ever, but not -knitting to-day. Madame's resolute right hand was occupied with an axe, -in place of the usual softer implements, and in her girdle were a pistol -and a cruel knife. - -“Where do you go, my wife?” - -“I go,” said madame, “with you at present. You shall see me at the head -of women, by-and-bye.” - -“Come, then!” cried Defarge, in a resounding voice. “Patriots and -friends, we are ready! The Bastille!” - -With a roar that sounded as if all the breath in France had been shaped -into the detested word, the living sea rose, wave on wave, depth on -depth, and overflowed the city to that point. Alarm-bells ringing, drums -beating, the sea raging and thundering on its new beach, the attack -began. - -Deep ditches, double drawbridge, massive stone walls, eight great -towers, cannon, muskets, fire and smoke. Through the fire and through -the smoke--in the fire and in the smoke, for the sea cast him up against -a cannon, and on the instant he became a cannonier--Defarge of the -wine-shop worked like a manful soldier, Two fierce hours. - -Deep ditch, single drawbridge, massive stone walls, eight great towers, -cannon, muskets, fire and smoke. One drawbridge down! “Work, comrades -all, work! Work, Jacques One, Jacques Two, Jacques One Thousand, Jacques -Two Thousand, Jacques Five-and-Twenty Thousand; in the name of all -the Angels or the Devils--which you prefer--work!” Thus Defarge of the -wine-shop, still at his gun, which had long grown hot. - -“To me, women!” cried madame his wife. “What! We can kill as well as -the men when the place is taken!” And to her, with a shrill thirsty -cry, trooping women variously armed, but all armed alike in hunger and -revenge. - -Cannon, muskets, fire and smoke; but, still the deep ditch, the single -drawbridge, the massive stone walls, and the eight great towers. Slight -displacements of the raging sea, made by the falling wounded. Flashing -weapons, blazing torches, smoking waggonloads of wet straw, hard work -at neighbouring barricades in all directions, shrieks, volleys, -execrations, bravery without stint, boom smash and rattle, and the -furious sounding of the living sea; but, still the deep ditch, and the -single drawbridge, and the massive stone walls, and the eight great -towers, and still Defarge of the wine-shop at his gun, grown doubly hot -by the service of Four fierce hours. - -A white flag from within the fortress, and a parley--this dimly -perceptible through the raging storm, nothing audible in it--suddenly -the sea rose immeasurably wider and higher, and swept Defarge of the -wine-shop over the lowered drawbridge, past the massive stone outer -walls, in among the eight great towers surrendered! - -So resistless was the force of the ocean bearing him on, that even to -draw his breath or turn his head was as impracticable as if he had been -struggling in the surf at the South Sea, until he was landed in the -outer courtyard of the Bastille. There, against an angle of a wall, he -made a struggle to look about him. Jacques Three was nearly at his side; -Madame Defarge, still heading some of her women, was visible in the -inner distance, and her knife was in her hand. Everywhere was tumult, -exultation, deafening and maniacal bewilderment, astounding noise, yet -furious dumb-show. - -“The Prisoners!” - -“The Records!” - -“The secret cells!” - -“The instruments of torture!” - -“The Prisoners!” - -Of all these cries, and ten thousand incoherences, “The Prisoners!” was -the cry most taken up by the sea that rushed in, as if there were an -eternity of people, as well as of time and space. When the foremost -billows rolled past, bearing the prison officers with them, and -threatening them all with instant death if any secret nook remained -undisclosed, Defarge laid his strong hand on the breast of one of -these men--a man with a grey head, who had a lighted torch in his -hand--separated him from the rest, and got him between himself and the -wall. - -“Show me the North Tower!” said Defarge. “Quick!” - -“I will faithfully,” replied the man, “if you will come with me. But -there is no one there.” - -“What is the meaning of One Hundred and Five, North Tower?” asked -Defarge. “Quick!” - -“The meaning, monsieur?” - -“Does it mean a captive, or a place of captivity? Or do you mean that I -shall strike you dead?” - -“Kill him!” croaked Jacques Three, who had come close up. - -“Monsieur, it is a cell.” - -“Show it me!” - -“Pass this way, then.” - -Jacques Three, with his usual craving on him, and evidently disappointed -by the dialogue taking a turn that did not seem to promise bloodshed, -held by Defarge's arm as he held by the turnkey's. Their three heads had -been close together during this brief discourse, and it had been as much -as they could do to hear one another, even then: so tremendous was the -noise of the living ocean, in its irruption into the Fortress, and -its inundation of the courts and passages and staircases. All around -outside, too, it beat the walls with a deep, hoarse roar, from which, -occasionally, some partial shouts of tumult broke and leaped into the -air like spray. - -Through gloomy vaults where the light of day had never shone, past -hideous doors of dark dens and cages, down cavernous flights of steps, -and again up steep rugged ascents of stone and brick, more like dry -waterfalls than staircases, Defarge, the turnkey, and Jacques Three, -linked hand and arm, went with all the speed they could make. Here and -there, especially at first, the inundation started on them and swept by; -but when they had done descending, and were winding and climbing up a -tower, they were alone. Hemmed in here by the massive thickness of walls -and arches, the storm within the fortress and without was only audible -to them in a dull, subdued way, as if the noise out of which they had -come had almost destroyed their sense of hearing. - -The turnkey stopped at a low door, put a key in a clashing lock, swung -the door slowly open, and said, as they all bent their heads and passed -in: - -“One hundred and five, North Tower!” - -There was a small, heavily-grated, unglazed window high in the wall, -with a stone screen before it, so that the sky could be only seen by -stooping low and looking up. There was a small chimney, heavily barred -across, a few feet within. There was a heap of old feathery wood-ashes -on the hearth. There was a stool, and table, and a straw bed. There were -the four blackened walls, and a rusted iron ring in one of them. - -“Pass that torch slowly along these walls, that I may see them,” said -Defarge to the turnkey. - -The man obeyed, and Defarge followed the light closely with his eyes. - -“Stop!--Look here, Jacques!” - -“A. M.!” croaked Jacques Three, as he read greedily. - -“Alexandre Manette,” said Defarge in his ear, following the letters -with his swart forefinger, deeply engrained with gunpowder. “And here he -wrote 'a poor physician.' And it was he, without doubt, who scratched -a calendar on this stone. What is that in your hand? A crowbar? Give it -me!” - -He had still the linstock of his gun in his own hand. He made a sudden -exchange of the two instruments, and turning on the worm-eaten stool and -table, beat them to pieces in a few blows. - -“Hold the light higher!” he said, wrathfully, to the turnkey. “Look -among those fragments with care, Jacques. And see! Here is my knife,” - throwing it to him; “rip open that bed, and search the straw. Hold the -light higher, you!” - -With a menacing look at the turnkey he crawled upon the hearth, and, -peering up the chimney, struck and prised at its sides with the crowbar, -and worked at the iron grating across it. In a few minutes, some mortar -and dust came dropping down, which he averted his face to avoid; and -in it, and in the old wood-ashes, and in a crevice in the chimney -into which his weapon had slipped or wrought itself, he groped with a -cautious touch. - -“Nothing in the wood, and nothing in the straw, Jacques?” - -“Nothing.” - -“Let us collect them together, in the middle of the cell. So! Light -them, you!” - -The turnkey fired the little pile, which blazed high and hot. Stooping -again to come out at the low-arched door, they left it burning, and -retraced their way to the courtyard; seeming to recover their sense -of hearing as they came down, until they were in the raging flood once -more. - -They found it surging and tossing, in quest of Defarge himself. Saint -Antoine was clamorous to have its wine-shop keeper foremost in the guard -upon the governor who had defended the Bastille and shot the people. -Otherwise, the governor would not be marched to the Hotel de Ville for -judgment. Otherwise, the governor would escape, and the people's -blood (suddenly of some value, after many years of worthlessness) be -unavenged. - -In the howling universe of passion and contention that seemed to -encompass this grim old officer conspicuous in his grey coat and red -decoration, there was but one quite steady figure, and that was a -woman's. “See, there is my husband!” she cried, pointing him out. -“See Defarge!” She stood immovable close to the grim old officer, and -remained immovable close to him; remained immovable close to him through -the streets, as Defarge and the rest bore him along; remained immovable -close to him when he was got near his destination, and began to -be struck at from behind; remained immovable close to him when the -long-gathering rain of stabs and blows fell heavy; was so close to him -when he dropped dead under it, that, suddenly animated, she put her foot -upon his neck, and with her cruel knife--long ready--hewed off his head. - -The hour was come, when Saint Antoine was to execute his horrible idea -of hoisting up men for lamps to show what he could be and do. Saint -Antoine's blood was up, and the blood of tyranny and domination by the -iron hand was down--down on the steps of the Hotel de Ville where the -governor's body lay--down on the sole of the shoe of Madame Defarge -where she had trodden on the body to steady it for mutilation. “Lower -the lamp yonder!” cried Saint Antoine, after glaring round for a new -means of death; “here is one of his soldiers to be left on guard!” The -swinging sentinel was posted, and the sea rushed on. - -The sea of black and threatening waters, and of destructive upheaving -of wave against wave, whose depths were yet unfathomed and whose forces -were yet unknown. The remorseless sea of turbulently swaying shapes, -voices of vengeance, and faces hardened in the furnaces of suffering -until the touch of pity could make no mark on them. - -But, in the ocean of faces where every fierce and furious expression was -in vivid life, there were two groups of faces--each seven in number--so -fixedly contrasting with the rest, that never did sea roll which bore -more memorable wrecks with it. Seven faces of prisoners, suddenly -released by the storm that had burst their tomb, were carried high -overhead: all scared, all lost, all wondering and amazed, as if the Last -Day were come, and those who rejoiced around them were lost spirits. -Other seven faces there were, carried higher, seven dead faces, whose -drooping eyelids and half-seen eyes awaited the Last Day. Impassive -faces, yet with a suspended--not an abolished--expression on them; -faces, rather, in a fearful pause, as having yet to raise the dropped -lids of the eyes, and bear witness with the bloodless lips, “THOU DIDST -IT!” - -Seven prisoners released, seven gory heads on pikes, the keys of the -accursed fortress of the eight strong towers, some discovered letters -and other memorials of prisoners of old time, long dead of broken -hearts,--such, and such--like, the loudly echoing footsteps of Saint -Antoine escort through the Paris streets in mid-July, one thousand seven -hundred and eighty-nine. Now, Heaven defeat the fancy of Lucie Darnay, -and keep these feet far out of her life! For, they are headlong, mad, -and dangerous; and in the years so long after the breaking of the cask -at Defarge's wine-shop door, they are not easily purified when once -stained red. - - - - -XXII. The Sea Still Rises - - -Haggard Saint Antoine had had only one exultant week, in which to soften -his modicum of hard and bitter bread to such extent as he could, with -the relish of fraternal embraces and congratulations, when Madame -Defarge sat at her counter, as usual, presiding over the customers. -Madame Defarge wore no rose in her head, for the great brotherhood of -Spies had become, even in one short week, extremely chary of trusting -themselves to the saint's mercies. The lamps across his streets had a -portentously elastic swing with them. - -Madame Defarge, with her arms folded, sat in the morning light and heat, -contemplating the wine-shop and the street. In both, there were several -knots of loungers, squalid and miserable, but now with a manifest sense -of power enthroned on their distress. The raggedest nightcap, awry on -the wretchedest head, had this crooked significance in it: “I know how -hard it has grown for me, the wearer of this, to support life in myself; -but do you know how easy it has grown for me, the wearer of this, to -destroy life in you?” Every lean bare arm, that had been without work -before, had this work always ready for it now, that it could strike. -The fingers of the knitting women were vicious, with the experience that -they could tear. There was a change in the appearance of Saint Antoine; -the image had been hammering into this for hundreds of years, and the -last finishing blows had told mightily on the expression. - -Madame Defarge sat observing it, with such suppressed approval as was -to be desired in the leader of the Saint Antoine women. One of her -sisterhood knitted beside her. The short, rather plump wife of a starved -grocer, and the mother of two children withal, this lieutenant had -already earned the complimentary name of The Vengeance. - -“Hark!” said The Vengeance. “Listen, then! Who comes?” - -As if a train of powder laid from the outermost bound of Saint Antoine -Quarter to the wine-shop door, had been suddenly fired, a fast-spreading -murmur came rushing along. - -“It is Defarge,” said madame. “Silence, patriots!” - -Defarge came in breathless, pulled off a red cap he wore, and looked -around him! “Listen, everywhere!” said madame again. “Listen to him!” - Defarge stood, panting, against a background of eager eyes and open -mouths, formed outside the door; all those within the wine-shop had -sprung to their feet. - -“Say then, my husband. What is it?” - -“News from the other world!” - -“How, then?” cried madame, contemptuously. “The other world?” - -“Does everybody here recall old Foulon, who told the famished people -that they might eat grass, and who died, and went to Hell?” - -“Everybody!” from all throats. - -“The news is of him. He is among us!” - -“Among us!” from the universal throat again. “And dead?” - -“Not dead! He feared us so much--and with reason--that he caused himself -to be represented as dead, and had a grand mock-funeral. But they have -found him alive, hiding in the country, and have brought him in. I have -seen him but now, on his way to the Hotel de Ville, a prisoner. I have -said that he had reason to fear us. Say all! _Had_ he reason?” - -Wretched old sinner of more than threescore years and ten, if he had -never known it yet, he would have known it in his heart of hearts if he -could have heard the answering cry. - -A moment of profound silence followed. Defarge and his wife looked -steadfastly at one another. The Vengeance stooped, and the jar of a drum -was heard as she moved it at her feet behind the counter. - -“Patriots!” said Defarge, in a determined voice, “are we ready?” - -Instantly Madame Defarge's knife was in her girdle; the drum was beating -in the streets, as if it and a drummer had flown together by magic; and -The Vengeance, uttering terrific shrieks, and flinging her arms about -her head like all the forty Furies at once, was tearing from house to -house, rousing the women. - -The men were terrible, in the bloody-minded anger with which they looked -from windows, caught up what arms they had, and came pouring down into -the streets; but, the women were a sight to chill the boldest. From -such household occupations as their bare poverty yielded, from their -children, from their aged and their sick crouching on the bare ground -famished and naked, they ran out with streaming hair, urging one -another, and themselves, to madness with the wildest cries and actions. -Villain Foulon taken, my sister! Old Foulon taken, my mother! Miscreant -Foulon taken, my daughter! Then, a score of others ran into the midst of -these, beating their breasts, tearing their hair, and screaming, Foulon -alive! Foulon who told the starving people they might eat grass! Foulon -who told my old father that he might eat grass, when I had no bread -to give him! Foulon who told my baby it might suck grass, when these -breasts were dry with want! O mother of God, this Foulon! O Heaven our -suffering! Hear me, my dead baby and my withered father: I swear on my -knees, on these stones, to avenge you on Foulon! Husbands, and brothers, -and young men, Give us the blood of Foulon, Give us the head of Foulon, -Give us the heart of Foulon, Give us the body and soul of Foulon, Rend -Foulon to pieces, and dig him into the ground, that grass may grow from -him! With these cries, numbers of the women, lashed into blind frenzy, -whirled about, striking and tearing at their own friends until they -dropped into a passionate swoon, and were only saved by the men -belonging to them from being trampled under foot. - -Nevertheless, not a moment was lost; not a moment! This Foulon was at -the Hotel de Ville, and might be loosed. Never, if Saint Antoine knew -his own sufferings, insults, and wrongs! Armed men and women flocked out -of the Quarter so fast, and drew even these last dregs after them with -such a force of suction, that within a quarter of an hour there was not -a human creature in Saint Antoine's bosom but a few old crones and the -wailing children. - -No. They were all by that time choking the Hall of Examination where -this old man, ugly and wicked, was, and overflowing into the adjacent -open space and streets. The Defarges, husband and wife, The Vengeance, -and Jacques Three, were in the first press, and at no great distance -from him in the Hall. - -“See!” cried madame, pointing with her knife. “See the old villain bound -with ropes. That was well done to tie a bunch of grass upon his back. -Ha, ha! That was well done. Let him eat it now!” Madame put her knife -under her arm, and clapped her hands as at a play. - -The people immediately behind Madame Defarge, explaining the cause of -her satisfaction to those behind them, and those again explaining to -others, and those to others, the neighbouring streets resounded with the -clapping of hands. Similarly, during two or three hours of drawl, -and the winnowing of many bushels of words, Madame Defarge's frequent -expressions of impatience were taken up, with marvellous quickness, at -a distance: the more readily, because certain men who had by some -wonderful exercise of agility climbed up the external architecture -to look in from the windows, knew Madame Defarge well, and acted as a -telegraph between her and the crowd outside the building. - -At length the sun rose so high that it struck a kindly ray as of hope or -protection, directly down upon the old prisoner's head. The favour was -too much to bear; in an instant the barrier of dust and chaff that had -stood surprisingly long, went to the winds, and Saint Antoine had got -him! - -It was known directly, to the furthest confines of the crowd. Defarge -had but sprung over a railing and a table, and folded the miserable -wretch in a deadly embrace--Madame Defarge had but followed and turned -her hand in one of the ropes with which he was tied--The Vengeance and -Jacques Three were not yet up with them, and the men at the windows -had not yet swooped into the Hall, like birds of prey from their high -perches--when the cry seemed to go up, all over the city, “Bring him -out! Bring him to the lamp!” - -Down, and up, and head foremost on the steps of the building; now, on -his knees; now, on his feet; now, on his back; dragged, and struck at, -and stifled by the bunches of grass and straw that were thrust into his -face by hundreds of hands; torn, bruised, panting, bleeding, yet always -entreating and beseeching for mercy; now full of vehement agony of -action, with a small clear space about him as the people drew one -another back that they might see; now, a log of dead wood drawn through -a forest of legs; he was hauled to the nearest street corner where one -of the fatal lamps swung, and there Madame Defarge let him go--as a cat -might have done to a mouse--and silently and composedly looked at him -while they made ready, and while he besought her: the women passionately -screeching at him all the time, and the men sternly calling out to have -him killed with grass in his mouth. Once, he went aloft, and the rope -broke, and they caught him shrieking; twice, he went aloft, and the rope -broke, and they caught him shrieking; then, the rope was merciful, and -held him, and his head was soon upon a pike, with grass enough in the -mouth for all Saint Antoine to dance at the sight of. - -Nor was this the end of the day's bad work, for Saint Antoine so shouted -and danced his angry blood up, that it boiled again, on hearing when -the day closed in that the son-in-law of the despatched, another of the -people's enemies and insulters, was coming into Paris under a guard -five hundred strong, in cavalry alone. Saint Antoine wrote his crimes -on flaring sheets of paper, seized him--would have torn him out of the -breast of an army to bear Foulon company--set his head and heart on -pikes, and carried the three spoils of the day, in Wolf-procession -through the streets. - -Not before dark night did the men and women come back to the children, -wailing and breadless. Then, the miserable bakers' shops were beset by -long files of them, patiently waiting to buy bad bread; and while -they waited with stomachs faint and empty, they beguiled the time by -embracing one another on the triumphs of the day, and achieving them -again in gossip. Gradually, these strings of ragged people shortened and -frayed away; and then poor lights began to shine in high windows, and -slender fires were made in the streets, at which neighbours cooked in -common, afterwards supping at their doors. - -Scanty and insufficient suppers those, and innocent of meat, as of -most other sauce to wretched bread. Yet, human fellowship infused -some nourishment into the flinty viands, and struck some sparks of -cheerfulness out of them. Fathers and mothers who had had their full -share in the worst of the day, played gently with their meagre children; -and lovers, with such a world around them and before them, loved and -hoped. - -It was almost morning, when Defarge's wine-shop parted with its last -knot of customers, and Monsieur Defarge said to madame his wife, in -husky tones, while fastening the door: - -“At last it is come, my dear!” - -“Eh well!” returned madame. “Almost.” - -Saint Antoine slept, the Defarges slept: even The Vengeance slept with -her starved grocer, and the drum was at rest. The drum's was the -only voice in Saint Antoine that blood and hurry had not changed. The -Vengeance, as custodian of the drum, could have wakened him up and had -the same speech out of him as before the Bastille fell, or old Foulon -was seized; not so with the hoarse tones of the men and women in Saint -Antoine's bosom. - - - - -XXIII. Fire Rises - - -There was a change on the village where the fountain fell, and where -the mender of roads went forth daily to hammer out of the stones on the -highway such morsels of bread as might serve for patches to hold his -poor ignorant soul and his poor reduced body together. The prison on the -crag was not so dominant as of yore; there were soldiers to guard it, -but not many; there were officers to guard the soldiers, but not one of -them knew what his men would do--beyond this: that it would probably not -be what he was ordered. - -Far and wide lay a ruined country, yielding nothing but desolation. -Every green leaf, every blade of grass and blade of grain, was as -shrivelled and poor as the miserable people. Everything was bowed down, -dejected, oppressed, and broken. Habitations, fences, domesticated -animals, men, women, children, and the soil that bore them--all worn -out. - -Monseigneur (often a most worthy individual gentleman) was a national -blessing, gave a chivalrous tone to things, was a polite example of -luxurious and shining life, and a great deal more to equal purpose; -nevertheless, Monseigneur as a class had, somehow or other, brought -things to this. Strange that Creation, designed expressly for -Monseigneur, should be so soon wrung dry and squeezed out! There must -be something short-sighted in the eternal arrangements, surely! Thus it -was, however; and the last drop of blood having been extracted from the -flints, and the last screw of the rack having been turned so often that -its purchase crumbled, and it now turned and turned with nothing -to bite, Monseigneur began to run away from a phenomenon so low and -unaccountable. - -But, this was not the change on the village, and on many a village like -it. For scores of years gone by, Monseigneur had squeezed it and wrung -it, and had seldom graced it with his presence except for the pleasures -of the chase--now, found in hunting the people; now, found in hunting -the beasts, for whose preservation Monseigneur made edifying spaces -of barbarous and barren wilderness. No. The change consisted in -the appearance of strange faces of low caste, rather than in the -disappearance of the high caste, chiselled, and otherwise beautified and -beautifying features of Monseigneur. - -For, in these times, as the mender of roads worked, solitary, in the -dust, not often troubling himself to reflect that dust he was and -to dust he must return, being for the most part too much occupied in -thinking how little he had for supper and how much more he would eat if -he had it--in these times, as he raised his eyes from his lonely labour, -and viewed the prospect, he would see some rough figure approaching on -foot, the like of which was once a rarity in those parts, but was now -a frequent presence. As it advanced, the mender of roads would discern -without surprise, that it was a shaggy-haired man, of almost barbarian -aspect, tall, in wooden shoes that were clumsy even to the eyes of a -mender of roads, grim, rough, swart, steeped in the mud and dust of many -highways, dank with the marshy moisture of many low grounds, sprinkled -with the thorns and leaves and moss of many byways through woods. - -Such a man came upon him, like a ghost, at noon in the July weather, -as he sat on his heap of stones under a bank, taking such shelter as he -could get from a shower of hail. - -The man looked at him, looked at the village in the hollow, at the mill, -and at the prison on the crag. When he had identified these objects -in what benighted mind he had, he said, in a dialect that was just -intelligible: - -“How goes it, Jacques?” - -“All well, Jacques.” - -“Touch then!” - -They joined hands, and the man sat down on the heap of stones. - -“No dinner?” - -“Nothing but supper now,” said the mender of roads, with a hungry face. - -“It is the fashion,” growled the man. “I meet no dinner anywhere.” - -He took out a blackened pipe, filled it, lighted it with flint and -steel, pulled at it until it was in a bright glow: then, suddenly held -it from him and dropped something into it from between his finger and -thumb, that blazed and went out in a puff of smoke. - -“Touch then.” It was the turn of the mender of roads to say it this -time, after observing these operations. They again joined hands. - -“To-night?” said the mender of roads. - -“To-night,” said the man, putting the pipe in his mouth. - -“Where?” - -“Here.” - -He and the mender of roads sat on the heap of stones looking silently at -one another, with the hail driving in between them like a pigmy charge -of bayonets, until the sky began to clear over the village. - -“Show me!” said the traveller then, moving to the brow of the hill. - -“See!” returned the mender of roads, with extended finger. “You go down -here, and straight through the street, and past the fountain--” - -“To the Devil with all that!” interrupted the other, rolling his eye -over the landscape. “_I_ go through no streets and past no fountains. -Well?” - -“Well! About two leagues beyond the summit of that hill above the -village.” - -“Good. When do you cease to work?” - -“At sunset.” - -“Will you wake me, before departing? I have walked two nights without -resting. Let me finish my pipe, and I shall sleep like a child. Will you -wake me?” - -“Surely.” - -The wayfarer smoked his pipe out, put it in his breast, slipped off his -great wooden shoes, and lay down on his back on the heap of stones. He -was fast asleep directly. - -As the road-mender plied his dusty labour, and the hail-clouds, rolling -away, revealed bright bars and streaks of sky which were responded to -by silver gleams upon the landscape, the little man (who wore a red cap -now, in place of his blue one) seemed fascinated by the figure on the -heap of stones. His eyes were so often turned towards it, that he used -his tools mechanically, and, one would have said, to very poor account. -The bronze face, the shaggy black hair and beard, the coarse woollen -red cap, the rough medley dress of home-spun stuff and hairy skins of -beasts, the powerful frame attenuated by spare living, and the sullen -and desperate compression of the lips in sleep, inspired the mender -of roads with awe. The traveller had travelled far, and his feet were -footsore, and his ankles chafed and bleeding; his great shoes, stuffed -with leaves and grass, had been heavy to drag over the many long -leagues, and his clothes were chafed into holes, as he himself was into -sores. Stooping down beside him, the road-mender tried to get a peep at -secret weapons in his breast or where not; but, in vain, for he slept -with his arms crossed upon him, and set as resolutely as his lips. -Fortified towns with their stockades, guard-houses, gates, trenches, and -drawbridges, seemed to the mender of roads, to be so much air as against -this figure. And when he lifted his eyes from it to the horizon and -looked around, he saw in his small fancy similar figures, stopped by no -obstacle, tending to centres all over France. - -The man slept on, indifferent to showers of hail and intervals of -brightness, to sunshine on his face and shadow, to the paltering lumps -of dull ice on his body and the diamonds into which the sun changed -them, until the sun was low in the west, and the sky was glowing. Then, -the mender of roads having got his tools together and all things ready -to go down into the village, roused him. - -“Good!” said the sleeper, rising on his elbow. “Two leagues beyond the -summit of the hill?” - -“About.” - -“About. Good!” - -The mender of roads went home, with the dust going on before him -according to the set of the wind, and was soon at the fountain, -squeezing himself in among the lean kine brought there to drink, and -appearing even to whisper to them in his whispering to all the village. -When the village had taken its poor supper, it did not creep to bed, -as it usually did, but came out of doors again, and remained there. A -curious contagion of whispering was upon it, and also, when it gathered -together at the fountain in the dark, another curious contagion of -looking expectantly at the sky in one direction only. Monsieur Gabelle, -chief functionary of the place, became uneasy; went out on his house-top -alone, and looked in that direction too; glanced down from behind his -chimneys at the darkening faces by the fountain below, and sent word to -the sacristan who kept the keys of the church, that there might be need -to ring the tocsin by-and-bye. - -The night deepened. The trees environing the old chateau, keeping its -solitary state apart, moved in a rising wind, as though they threatened -the pile of building massive and dark in the gloom. Up the two terrace -flights of steps the rain ran wildly, and beat at the great door, like a -swift messenger rousing those within; uneasy rushes of wind went through -the hall, among the old spears and knives, and passed lamenting up the -stairs, and shook the curtains of the bed where the last Marquis -had slept. East, West, North, and South, through the woods, four -heavy-treading, unkempt figures crushed the high grass and cracked the -branches, striding on cautiously to come together in the courtyard. Four -lights broke out there, and moved away in different directions, and all -was black again. - -But, not for long. Presently, the chateau began to make itself strangely -visible by some light of its own, as though it were growing luminous. -Then, a flickering streak played behind the architecture of the front, -picking out transparent places, and showing where balustrades, arches, -and windows were. Then it soared higher, and grew broader and brighter. -Soon, from a score of the great windows, flames burst forth, and the -stone faces awakened, stared out of fire. - -A faint murmur arose about the house from the few people who were left -there, and there was a saddling of a horse and riding away. There was -spurring and splashing through the darkness, and bridle was drawn in the -space by the village fountain, and the horse in a foam stood at Monsieur -Gabelle's door. “Help, Gabelle! Help, every one!” The tocsin rang -impatiently, but other help (if that were any) there was none. The -mender of roads, and two hundred and fifty particular friends, stood -with folded arms at the fountain, looking at the pillar of fire in the -sky. “It must be forty feet high,” said they, grimly; and never moved. - -The rider from the chateau, and the horse in a foam, clattered away -through the village, and galloped up the stony steep, to the prison on -the crag. At the gate, a group of officers were looking at the fire; -removed from them, a group of soldiers. “Help, gentlemen--officers! The -chateau is on fire; valuable objects may be saved from the flames by -timely aid! Help, help!” The officers looked towards the soldiers who -looked at the fire; gave no orders; and answered, with shrugs and biting -of lips, “It must burn.” - -As the rider rattled down the hill again and through the street, the -village was illuminating. The mender of roads, and the two hundred and -fifty particular friends, inspired as one man and woman by the idea of -lighting up, had darted into their houses, and were putting candles in -every dull little pane of glass. The general scarcity of everything, -occasioned candles to be borrowed in a rather peremptory manner of -Monsieur Gabelle; and in a moment of reluctance and hesitation on -that functionary's part, the mender of roads, once so submissive to -authority, had remarked that carriages were good to make bonfires with, -and that post-horses would roast. - -The chateau was left to itself to flame and burn. In the roaring and -raging of the conflagration, a red-hot wind, driving straight from the -infernal regions, seemed to be blowing the edifice away. With the rising -and falling of the blaze, the stone faces showed as if they were in -torment. When great masses of stone and timber fell, the face with the -two dints in the nose became obscured: anon struggled out of the smoke -again, as if it were the face of the cruel Marquis, burning at the stake -and contending with the fire. - -The chateau burned; the nearest trees, laid hold of by the fire, -scorched and shrivelled; trees at a distance, fired by the four fierce -figures, begirt the blazing edifice with a new forest of smoke. Molten -lead and iron boiled in the marble basin of the fountain; the water ran -dry; the extinguisher tops of the towers vanished like ice before the -heat, and trickled down into four rugged wells of flame. Great rents and -splits branched out in the solid walls, like crystallisation; stupefied -birds wheeled about and dropped into the furnace; four fierce figures -trudged away, East, West, North, and South, along the night-enshrouded -roads, guided by the beacon they had lighted, towards their next -destination. The illuminated village had seized hold of the tocsin, and, -abolishing the lawful ringer, rang for joy. - -Not only that; but the village, light-headed with famine, fire, and -bell-ringing, and bethinking itself that Monsieur Gabelle had to do with -the collection of rent and taxes--though it was but a small instalment -of taxes, and no rent at all, that Gabelle had got in those latter -days--became impatient for an interview with him, and, surrounding his -house, summoned him to come forth for personal conference. Whereupon, -Monsieur Gabelle did heavily bar his door, and retire to hold counsel -with himself. The result of that conference was, that Gabelle again -withdrew himself to his housetop behind his stack of chimneys; this time -resolved, if his door were broken in (he was a small Southern man -of retaliative temperament), to pitch himself head foremost over the -parapet, and crush a man or two below. - -Probably, Monsieur Gabelle passed a long night up there, with the -distant chateau for fire and candle, and the beating at his door, -combined with the joy-ringing, for music; not to mention his having an -ill-omened lamp slung across the road before his posting-house gate, -which the village showed a lively inclination to displace in his favour. -A trying suspense, to be passing a whole summer night on the brink of -the black ocean, ready to take that plunge into it upon which Monsieur -Gabelle had resolved! But, the friendly dawn appearing at last, and the -rush-candles of the village guttering out, the people happily dispersed, -and Monsieur Gabelle came down bringing his life with him for that -while. - -Within a hundred miles, and in the light of other fires, there were -other functionaries less fortunate, that night and other nights, whom -the rising sun found hanging across once-peaceful streets, where they -had been born and bred; also, there were other villagers and townspeople -less fortunate than the mender of roads and his fellows, upon whom the -functionaries and soldiery turned with success, and whom they strung up -in their turn. But, the fierce figures were steadily wending East, West, -North, and South, be that as it would; and whosoever hung, fire burned. -The altitude of the gallows that would turn to water and quench it, -no functionary, by any stretch of mathematics, was able to calculate -successfully. - - - - -XXIV. Drawn to the Loadstone Rock - - -In such risings of fire and risings of sea--the firm earth shaken by -the rushes of an angry ocean which had now no ebb, but was always on the -flow, higher and higher, to the terror and wonder of the beholders on -the shore--three years of tempest were consumed. Three more birthdays -of little Lucie had been woven by the golden thread into the peaceful -tissue of the life of her home. - -Many a night and many a day had its inmates listened to the echoes in -the corner, with hearts that failed them when they heard the thronging -feet. For, the footsteps had become to their minds as the footsteps of -a people, tumultuous under a red flag and with their country declared in -danger, changed into wild beasts, by terrible enchantment long persisted -in. - -Monseigneur, as a class, had dissociated himself from the phenomenon of -his not being appreciated: of his being so little wanted in France, as -to incur considerable danger of receiving his dismissal from it, and -this life together. Like the fabled rustic who raised the Devil with -infinite pains, and was so terrified at the sight of him that he could -ask the Enemy no question, but immediately fled; so, Monseigneur, after -boldly reading the Lord's Prayer backwards for a great number of years, -and performing many other potent spells for compelling the Evil One, no -sooner beheld him in his terrors than he took to his noble heels. - -The shining Bull's Eye of the Court was gone, or it would have been the -mark for a hurricane of national bullets. It had never been a good -eye to see with--had long had the mote in it of Lucifer's pride, -Sardanapalus's luxury, and a mole's blindness--but it had dropped -out and was gone. The Court, from that exclusive inner circle to its -outermost rotten ring of intrigue, corruption, and dissimulation, was -all gone together. Royalty was gone; had been besieged in its Palace and -“suspended,” when the last tidings came over. - -The August of the year one thousand seven hundred and ninety-two was -come, and Monseigneur was by this time scattered far and wide. - -As was natural, the head-quarters and great gathering-place of -Monseigneur, in London, was Tellson's Bank. Spirits are supposed to -haunt the places where their bodies most resorted, and Monseigneur -without a guinea haunted the spot where his guineas used to be. -Moreover, it was the spot to which such French intelligence as was most -to be relied upon, came quickest. Again: Tellson's was a munificent -house, and extended great liberality to old customers who had fallen -from their high estate. Again: those nobles who had seen the coming -storm in time, and anticipating plunder or confiscation, had made -provident remittances to Tellson's, were always to be heard of there -by their needy brethren. To which it must be added that every new-comer -from France reported himself and his tidings at Tellson's, almost as -a matter of course. For such variety of reasons, Tellson's was at that -time, as to French intelligence, a kind of High Exchange; and this -was so well known to the public, and the inquiries made there were in -consequence so numerous, that Tellson's sometimes wrote the latest news -out in a line or so and posted it in the Bank windows, for all who ran -through Temple Bar to read. - -On a steaming, misty afternoon, Mr. Lorry sat at his desk, and Charles -Darnay stood leaning on it, talking with him in a low voice. The -penitential den once set apart for interviews with the House, was now -the news-Exchange, and was filled to overflowing. It was within half an -hour or so of the time of closing. - -“But, although you are the youngest man that ever lived,” said Charles -Darnay, rather hesitating, “I must still suggest to you--” - -“I understand. That I am too old?” said Mr. Lorry. - -“Unsettled weather, a long journey, uncertain means of travelling, a -disorganised country, a city that may not be even safe for you.” - -“My dear Charles,” said Mr. Lorry, with cheerful confidence, “you touch -some of the reasons for my going: not for my staying away. It is safe -enough for me; nobody will care to interfere with an old fellow of hard -upon fourscore when there are so many people there much better worth -interfering with. As to its being a disorganised city, if it were not a -disorganised city there would be no occasion to send somebody from our -House here to our House there, who knows the city and the business, of -old, and is in Tellson's confidence. As to the uncertain travelling, the -long journey, and the winter weather, if I were not prepared to submit -myself to a few inconveniences for the sake of Tellson's, after all -these years, who ought to be?” - -“I wish I were going myself,” said Charles Darnay, somewhat restlessly, -and like one thinking aloud. - -“Indeed! You are a pretty fellow to object and advise!” exclaimed Mr. -Lorry. “You wish you were going yourself? And you a Frenchman born? You -are a wise counsellor.” - -“My dear Mr. Lorry, it is because I am a Frenchman born, that the -thought (which I did not mean to utter here, however) has passed through -my mind often. One cannot help thinking, having had some sympathy for -the miserable people, and having abandoned something to them,” he spoke -here in his former thoughtful manner, “that one might be listened to, -and might have the power to persuade to some restraint. Only last night, -after you had left us, when I was talking to Lucie--” - -“When you were talking to Lucie,” Mr. Lorry repeated. “Yes. I wonder you -are not ashamed to mention the name of Lucie! Wishing you were going to -France at this time of day!” - -“However, I am not going,” said Charles Darnay, with a smile. “It is -more to the purpose that you say you are.” - -“And I am, in plain reality. The truth is, my dear Charles,” Mr. Lorry -glanced at the distant House, and lowered his voice, “you can have no -conception of the difficulty with which our business is transacted, and -of the peril in which our books and papers over yonder are involved. The -Lord above knows what the compromising consequences would be to numbers -of people, if some of our documents were seized or destroyed; and they -might be, at any time, you know, for who can say that Paris is not set -afire to-day, or sacked to-morrow! Now, a judicious selection from these -with the least possible delay, and the burying of them, or otherwise -getting of them out of harm's way, is within the power (without loss of -precious time) of scarcely any one but myself, if any one. And shall -I hang back, when Tellson's knows this and says this--Tellson's, whose -bread I have eaten these sixty years--because I am a little stiff about -the joints? Why, I am a boy, sir, to half a dozen old codgers here!” - -“How I admire the gallantry of your youthful spirit, Mr. Lorry.” - -“Tut! Nonsense, sir!--And, my dear Charles,” said Mr. Lorry, glancing at -the House again, “you are to remember, that getting things out of -Paris at this present time, no matter what things, is next to an -impossibility. Papers and precious matters were this very day brought -to us here (I speak in strict confidence; it is not business-like to -whisper it, even to you), by the strangest bearers you can imagine, -every one of whom had his head hanging on by a single hair as he passed -the Barriers. At another time, our parcels would come and go, as easily -as in business-like Old England; but now, everything is stopped.” - -“And do you really go to-night?” - -“I really go to-night, for the case has become too pressing to admit of -delay.” - -“And do you take no one with you?” - -“All sorts of people have been proposed to me, but I will have nothing -to say to any of them. I intend to take Jerry. Jerry has been my -bodyguard on Sunday nights for a long time past and I am used to him. -Nobody will suspect Jerry of being anything but an English bull-dog, or -of having any design in his head but to fly at anybody who touches his -master.” - -“I must say again that I heartily admire your gallantry and -youthfulness.” - -“I must say again, nonsense, nonsense! When I have executed this little -commission, I shall, perhaps, accept Tellson's proposal to retire and -live at my ease. Time enough, then, to think about growing old.” - -This dialogue had taken place at Mr. Lorry's usual desk, with -Monseigneur swarming within a yard or two of it, boastful of what he -would do to avenge himself on the rascal-people before long. It was too -much the way of Monseigneur under his reverses as a refugee, and it -was much too much the way of native British orthodoxy, to talk of this -terrible Revolution as if it were the only harvest ever known under -the skies that had not been sown--as if nothing had ever been done, or -omitted to be done, that had led to it--as if observers of the wretched -millions in France, and of the misused and perverted resources that -should have made them prosperous, had not seen it inevitably coming, -years before, and had not in plain words recorded what they saw. Such -vapouring, combined with the extravagant plots of Monseigneur for the -restoration of a state of things that had utterly exhausted itself, -and worn out Heaven and earth as well as itself, was hard to be endured -without some remonstrance by any sane man who knew the truth. And it was -such vapouring all about his ears, like a troublesome confusion of blood -in his own head, added to a latent uneasiness in his mind, which had -already made Charles Darnay restless, and which still kept him so. - -Among the talkers, was Stryver, of the King's Bench Bar, far on his -way to state promotion, and, therefore, loud on the theme: broaching -to Monseigneur, his devices for blowing the people up and exterminating -them from the face of the earth, and doing without them: and for -accomplishing many similar objects akin in their nature to the abolition -of eagles by sprinkling salt on the tails of the race. Him, Darnay heard -with a particular feeling of objection; and Darnay stood divided between -going away that he might hear no more, and remaining to interpose his -word, when the thing that was to be, went on to shape itself out. - -The House approached Mr. Lorry, and laying a soiled and unopened letter -before him, asked if he had yet discovered any traces of the person to -whom it was addressed? The House laid the letter down so close to Darnay -that he saw the direction--the more quickly because it was his own right -name. The address, turned into English, ran: - -“Very pressing. To Monsieur heretofore the Marquis St. Evremonde, of -France. Confided to the cares of Messrs. Tellson and Co., Bankers, -London, England.” - -On the marriage morning, Doctor Manette had made it his one urgent and -express request to Charles Darnay, that the secret of this name should -be--unless he, the Doctor, dissolved the obligation--kept inviolate -between them. Nobody else knew it to be his name; his own wife had no -suspicion of the fact; Mr. Lorry could have none. - -“No,” said Mr. Lorry, in reply to the House; “I have referred it, -I think, to everybody now here, and no one can tell me where this -gentleman is to be found.” - -The hands of the clock verging upon the hour of closing the Bank, there -was a general set of the current of talkers past Mr. Lorry's desk. He -held the letter out inquiringly; and Monseigneur looked at it, in the -person of this plotting and indignant refugee; and Monseigneur looked at -it in the person of that plotting and indignant refugee; and This, That, -and The Other, all had something disparaging to say, in French or in -English, concerning the Marquis who was not to be found. - -“Nephew, I believe--but in any case degenerate successor--of the -polished Marquis who was murdered,” said one. “Happy to say, I never -knew him.” - -“A craven who abandoned his post,” said another--this Monseigneur had -been got out of Paris, legs uppermost and half suffocated, in a load of -hay--“some years ago.” - -“Infected with the new doctrines,” said a third, eyeing the direction -through his glass in passing; “set himself in opposition to the last -Marquis, abandoned the estates when he inherited them, and left them to -the ruffian herd. They will recompense him now, I hope, as he deserves.” - -“Hey?” cried the blatant Stryver. “Did he though? Is that the sort of -fellow? Let us look at his infamous name. D--n the fellow!” - -Darnay, unable to restrain himself any longer, touched Mr. Stryver on -the shoulder, and said: - -“I know the fellow.” - -“Do you, by Jupiter?” said Stryver. “I am sorry for it.” - -“Why?” - -“Why, Mr. Darnay? D'ye hear what he did? Don't ask, why, in these -times.” - -“But I do ask why?” - -“Then I tell you again, Mr. Darnay, I am sorry for it. I am sorry to -hear you putting any such extraordinary questions. Here is a fellow, -who, infected by the most pestilent and blasphemous code of devilry that -ever was known, abandoned his property to the vilest scum of the earth -that ever did murder by wholesale, and you ask me why I am sorry that a -man who instructs youth knows him? Well, but I'll answer you. I am sorry -because I believe there is contamination in such a scoundrel. That's -why.” - -Mindful of the secret, Darnay with great difficulty checked himself, and -said: “You may not understand the gentleman.” - -“I understand how to put _you_ in a corner, Mr. Darnay,” said Bully -Stryver, “and I'll do it. If this fellow is a gentleman, I _don't_ -understand him. You may tell him so, with my compliments. You may also -tell him, from me, that after abandoning his worldly goods and position -to this butcherly mob, I wonder he is not at the head of them. But, no, -gentlemen,” said Stryver, looking all round, and snapping his fingers, -“I know something of human nature, and I tell you that you'll never -find a fellow like this fellow, trusting himself to the mercies of such -precious _protégés_. No, gentlemen; he'll always show 'em a clean pair -of heels very early in the scuffle, and sneak away.” - -With those words, and a final snap of his fingers, Mr. Stryver -shouldered himself into Fleet-street, amidst the general approbation of -his hearers. Mr. Lorry and Charles Darnay were left alone at the desk, -in the general departure from the Bank. - -“Will you take charge of the letter?” said Mr. Lorry. “You know where to -deliver it?” - -“I do.” - -“Will you undertake to explain, that we suppose it to have been -addressed here, on the chance of our knowing where to forward it, and -that it has been here some time?” - -“I will do so. Do you start for Paris from here?” - -“From here, at eight.” - -“I will come back, to see you off.” - -Very ill at ease with himself, and with Stryver and most other men, -Darnay made the best of his way into the quiet of the Temple, opened the -letter, and read it. These were its contents: - - -“Prison of the Abbaye, Paris. - -“June 21, 1792. “MONSIEUR HERETOFORE THE MARQUIS. - -“After having long been in danger of my life at the hands of the -village, I have been seized, with great violence and indignity, and -brought a long journey on foot to Paris. On the road I have suffered a -great deal. Nor is that all; my house has been destroyed--razed to the -ground. - -“The crime for which I am imprisoned, Monsieur heretofore the Marquis, -and for which I shall be summoned before the tribunal, and shall lose my -life (without your so generous help), is, they tell me, treason against -the majesty of the people, in that I have acted against them for an -emigrant. It is in vain I represent that I have acted for them, and not -against, according to your commands. It is in vain I represent that, -before the sequestration of emigrant property, I had remitted the -imposts they had ceased to pay; that I had collected no rent; that I had -had recourse to no process. The only response is, that I have acted for -an emigrant, and where is that emigrant? - -“Ah! most gracious Monsieur heretofore the Marquis, where is that -emigrant? I cry in my sleep where is he? I demand of Heaven, will he -not come to deliver me? No answer. Ah Monsieur heretofore the Marquis, -I send my desolate cry across the sea, hoping it may perhaps reach your -ears through the great bank of Tilson known at Paris! - -“For the love of Heaven, of justice, of generosity, of the honour of -your noble name, I supplicate you, Monsieur heretofore the Marquis, to -succour and release me. My fault is, that I have been true to you. Oh -Monsieur heretofore the Marquis, I pray you be you true to me! - -“From this prison here of horror, whence I every hour tend nearer and -nearer to destruction, I send you, Monsieur heretofore the Marquis, the -assurance of my dolorous and unhappy service. - -“Your afflicted, - -“Gabelle.” - - -The latent uneasiness in Darnay's mind was roused to vigourous life -by this letter. The peril of an old servant and a good one, whose -only crime was fidelity to himself and his family, stared him so -reproachfully in the face, that, as he walked to and fro in the Temple -considering what to do, he almost hid his face from the passersby. - -He knew very well, that in his horror of the deed which had culminated -the bad deeds and bad reputation of the old family house, in his -resentful suspicions of his uncle, and in the aversion with which his -conscience regarded the crumbling fabric that he was supposed to uphold, -he had acted imperfectly. He knew very well, that in his love for Lucie, -his renunciation of his social place, though by no means new to his own -mind, had been hurried and incomplete. He knew that he ought to have -systematically worked it out and supervised it, and that he had meant to -do it, and that it had never been done. - -The happiness of his own chosen English home, the necessity of being -always actively employed, the swift changes and troubles of the time -which had followed on one another so fast, that the events of this week -annihilated the immature plans of last week, and the events of the week -following made all new again; he knew very well, that to the force of -these circumstances he had yielded:--not without disquiet, but still -without continuous and accumulating resistance. That he had watched -the times for a time of action, and that they had shifted and struggled -until the time had gone by, and the nobility were trooping from -France by every highway and byway, and their property was in course of -confiscation and destruction, and their very names were blotting out, -was as well known to himself as it could be to any new authority in -France that might impeach him for it. - -But, he had oppressed no man, he had imprisoned no man; he was so -far from having harshly exacted payment of his dues, that he had -relinquished them of his own will, thrown himself on a world with no -favour in it, won his own private place there, and earned his own -bread. Monsieur Gabelle had held the impoverished and involved estate -on written instructions, to spare the people, to give them what little -there was to give--such fuel as the heavy creditors would let them have -in the winter, and such produce as could be saved from the same grip in -the summer--and no doubt he had put the fact in plea and proof, for his -own safety, so that it could not but appear now. - -This favoured the desperate resolution Charles Darnay had begun to make, -that he would go to Paris. - -Yes. Like the mariner in the old story, the winds and streams had driven -him within the influence of the Loadstone Rock, and it was drawing him -to itself, and he must go. Everything that arose before his mind drifted -him on, faster and faster, more and more steadily, to the terrible -attraction. His latent uneasiness had been, that bad aims were being -worked out in his own unhappy land by bad instruments, and that he who -could not fail to know that he was better than they, was not there, -trying to do something to stay bloodshed, and assert the claims of mercy -and humanity. With this uneasiness half stifled, and half reproaching -him, he had been brought to the pointed comparison of himself with the -brave old gentleman in whom duty was so strong; upon that comparison -(injurious to himself) had instantly followed the sneers of Monseigneur, -which had stung him bitterly, and those of Stryver, which above all were -coarse and galling, for old reasons. Upon those, had followed Gabelle's -letter: the appeal of an innocent prisoner, in danger of death, to his -justice, honour, and good name. - -His resolution was made. He must go to Paris. - -Yes. The Loadstone Rock was drawing him, and he must sail on, until he -struck. He knew of no rock; he saw hardly any danger. The intention -with which he had done what he had done, even although he had left -it incomplete, presented it before him in an aspect that would be -gratefully acknowledged in France on his presenting himself to assert -it. Then, that glorious vision of doing good, which is so often the -sanguine mirage of so many good minds, arose before him, and he even -saw himself in the illusion with some influence to guide this raging -Revolution that was running so fearfully wild. - -As he walked to and fro with his resolution made, he considered that -neither Lucie nor her father must know of it until he was gone. -Lucie should be spared the pain of separation; and her father, always -reluctant to turn his thoughts towards the dangerous ground of old, -should come to the knowledge of the step, as a step taken, and not in -the balance of suspense and doubt. How much of the incompleteness of his -situation was referable to her father, through the painful anxiety -to avoid reviving old associations of France in his mind, he did not -discuss with himself. But, that circumstance too, had had its influence -in his course. - -He walked to and fro, with thoughts very busy, until it was time to -return to Tellson's and take leave of Mr. Lorry. As soon as he arrived -in Paris he would present himself to this old friend, but he must say -nothing of his intention now. - -A carriage with post-horses was ready at the Bank door, and Jerry was -booted and equipped. - -“I have delivered that letter,” said Charles Darnay to Mr. Lorry. “I -would not consent to your being charged with any written answer, but -perhaps you will take a verbal one?” - -“That I will, and readily,” said Mr. Lorry, “if it is not dangerous.” - -“Not at all. Though it is to a prisoner in the Abbaye.” - -“What is his name?” said Mr. Lorry, with his open pocket-book in his -hand. - -“Gabelle.” - -“Gabelle. And what is the message to the unfortunate Gabelle in prison?” - -“Simply, 'that he has received the letter, and will come.'” - -“Any time mentioned?” - -“He will start upon his journey to-morrow night.” - -“Any person mentioned?” - -“No.” - -He helped Mr. Lorry to wrap himself in a number of coats and cloaks, -and went out with him from the warm atmosphere of the old Bank, into the -misty air of Fleet-street. “My love to Lucie, and to little Lucie,” said -Mr. Lorry at parting, “and take precious care of them till I come back.” - Charles Darnay shook his head and doubtfully smiled, as the carriage -rolled away. - -That night--it was the fourteenth of August--he sat up late, and wrote -two fervent letters; one was to Lucie, explaining the strong obligation -he was under to go to Paris, and showing her, at length, the reasons -that he had, for feeling confident that he could become involved in no -personal danger there; the other was to the Doctor, confiding Lucie and -their dear child to his care, and dwelling on the same topics with the -strongest assurances. To both, he wrote that he would despatch letters -in proof of his safety, immediately after his arrival. - -It was a hard day, that day of being among them, with the first -reservation of their joint lives on his mind. It was a hard matter to -preserve the innocent deceit of which they were profoundly unsuspicious. -But, an affectionate glance at his wife, so happy and busy, made him -resolute not to tell her what impended (he had been half moved to do it, -so strange it was to him to act in anything without her quiet aid), and -the day passed quickly. Early in the evening he embraced her, and her -scarcely less dear namesake, pretending that he would return by-and-bye -(an imaginary engagement took him out, and he had secreted a valise -of clothes ready), and so he emerged into the heavy mist of the heavy -streets, with a heavier heart. - -The unseen force was drawing him fast to itself, now, and all the tides -and winds were setting straight and strong towards it. He left his -two letters with a trusty porter, to be delivered half an hour before -midnight, and no sooner; took horse for Dover; and began his journey. -“For the love of Heaven, of justice, of generosity, of the honour of -your noble name!” was the poor prisoner's cry with which he strengthened -his sinking heart, as he left all that was dear on earth behind him, and -floated away for the Loadstone Rock. - - -The end of the second book. - - - - - -Book the Third--the Track of a Storm - - - - -I. In Secret - - -The traveller fared slowly on his way, who fared towards Paris from -England in the autumn of the year one thousand seven hundred and -ninety-two. More than enough of bad roads, bad equipages, and bad -horses, he would have encountered to delay him, though the fallen and -unfortunate King of France had been upon his throne in all his glory; -but, the changed times were fraught with other obstacles than -these. Every town-gate and village taxing-house had its band of -citizen-patriots, with their national muskets in a most explosive state -of readiness, who stopped all comers and goers, cross-questioned them, -inspected their papers, looked for their names in lists of their own, -turned them back, or sent them on, or stopped them and laid them in -hold, as their capricious judgment or fancy deemed best for the dawning -Republic One and Indivisible, of Liberty, Equality, Fraternity, or -Death. - -A very few French leagues of his journey were accomplished, when Charles -Darnay began to perceive that for him along these country roads there -was no hope of return until he should have been declared a good citizen -at Paris. Whatever might befall now, he must on to his journey's end. -Not a mean village closed upon him, not a common barrier dropped across -the road behind him, but he knew it to be another iron door in -the series that was barred between him and England. The universal -watchfulness so encompassed him, that if he had been taken in a net, -or were being forwarded to his destination in a cage, he could not have -felt his freedom more completely gone. - -This universal watchfulness not only stopped him on the highway twenty -times in a stage, but retarded his progress twenty times in a day, by -riding after him and taking him back, riding before him and stopping him -by anticipation, riding with him and keeping him in charge. He had been -days upon his journey in France alone, when he went to bed tired out, in -a little town on the high road, still a long way from Paris. - -Nothing but the production of the afflicted Gabelle's letter from his -prison of the Abbaye would have got him on so far. His difficulty at the -guard-house in this small place had been such, that he felt his journey -to have come to a crisis. And he was, therefore, as little surprised as -a man could be, to find himself awakened at the small inn to which he -had been remitted until morning, in the middle of the night. - -Awakened by a timid local functionary and three armed patriots in rough -red caps and with pipes in their mouths, who sat down on the bed. - -“Emigrant,” said the functionary, “I am going to send you on to Paris, -under an escort.” - -“Citizen, I desire nothing more than to get to Paris, though I could -dispense with the escort.” - -“Silence!” growled a red-cap, striking at the coverlet with the butt-end -of his musket. “Peace, aristocrat!” - -“It is as the good patriot says,” observed the timid functionary. “You -are an aristocrat, and must have an escort--and must pay for it.” - -“I have no choice,” said Charles Darnay. - -“Choice! Listen to him!” cried the same scowling red-cap. “As if it was -not a favour to be protected from the lamp-iron!” - -“It is always as the good patriot says,” observed the functionary. “Rise -and dress yourself, emigrant.” - -Darnay complied, and was taken back to the guard-house, where other -patriots in rough red caps were smoking, drinking, and sleeping, by -a watch-fire. Here he paid a heavy price for his escort, and hence he -started with it on the wet, wet roads at three o'clock in the morning. - -The escort were two mounted patriots in red caps and tri-coloured -cockades, armed with national muskets and sabres, who rode one on either -side of him. - -The escorted governed his own horse, but a loose line was attached to -his bridle, the end of which one of the patriots kept girded round his -wrist. In this state they set forth with the sharp rain driving in their -faces: clattering at a heavy dragoon trot over the uneven town pavement, -and out upon the mire-deep roads. In this state they traversed without -change, except of horses and pace, all the mire-deep leagues that lay -between them and the capital. - -They travelled in the night, halting an hour or two after daybreak, and -lying by until the twilight fell. The escort were so wretchedly clothed, -that they twisted straw round their bare legs, and thatched their ragged -shoulders to keep the wet off. Apart from the personal discomfort of -being so attended, and apart from such considerations of present danger -as arose from one of the patriots being chronically drunk, and carrying -his musket very recklessly, Charles Darnay did not allow the restraint -that was laid upon him to awaken any serious fears in his breast; for, -he reasoned with himself that it could have no reference to the merits -of an individual case that was not yet stated, and of representations, -confirmable by the prisoner in the Abbaye, that were not yet made. - -But when they came to the town of Beauvais--which they did at eventide, -when the streets were filled with people--he could not conceal from -himself that the aspect of affairs was very alarming. An ominous crowd -gathered to see him dismount of the posting-yard, and many voices called -out loudly, “Down with the emigrant!” - -He stopped in the act of swinging himself out of his saddle, and, -resuming it as his safest place, said: - -“Emigrant, my friends! Do you not see me here, in France, of my own -will?” - -“You are a cursed emigrant,” cried a farrier, making at him in a -furious manner through the press, hammer in hand; “and you are a cursed -aristocrat!” - -The postmaster interposed himself between this man and the rider's -bridle (at which he was evidently making), and soothingly said, “Let him -be; let him be! He will be judged at Paris.” - -“Judged!” repeated the farrier, swinging his hammer. “Ay! and condemned -as a traitor.” At this the crowd roared approval. - -Checking the postmaster, who was for turning his horse's head to the -yard (the drunken patriot sat composedly in his saddle looking on, with -the line round his wrist), Darnay said, as soon as he could make his -voice heard: - -“Friends, you deceive yourselves, or you are deceived. I am not a -traitor.” - -“He lies!” cried the smith. “He is a traitor since the decree. His life -is forfeit to the people. His cursed life is not his own!” - -At the instant when Darnay saw a rush in the eyes of the crowd, which -another instant would have brought upon him, the postmaster turned his -horse into the yard, the escort rode in close upon his horse's flanks, -and the postmaster shut and barred the crazy double gates. The farrier -struck a blow upon them with his hammer, and the crowd groaned; but, no -more was done. - -“What is this decree that the smith spoke of?” Darnay asked the -postmaster, when he had thanked him, and stood beside him in the yard. - -“Truly, a decree for selling the property of emigrants.” - -“When passed?” - -“On the fourteenth.” - -“The day I left England!” - -“Everybody says it is but one of several, and that there will be -others--if there are not already--banishing all emigrants, and -condemning all to death who return. That is what he meant when he said -your life was not your own.” - -“But there are no such decrees yet?” - -“What do I know!” said the postmaster, shrugging his shoulders; “there -may be, or there will be. It is all the same. What would you have?” - -They rested on some straw in a loft until the middle of the night, and -then rode forward again when all the town was asleep. Among the many -wild changes observable on familiar things which made this wild ride -unreal, not the least was the seeming rarity of sleep. After long and -lonely spurring over dreary roads, they would come to a cluster of poor -cottages, not steeped in darkness, but all glittering with lights, and -would find the people, in a ghostly manner in the dead of the night, -circling hand in hand round a shrivelled tree of Liberty, or all drawn -up together singing a Liberty song. Happily, however, there was sleep in -Beauvais that night to help them out of it and they passed on once more -into solitude and loneliness: jingling through the untimely cold and -wet, among impoverished fields that had yielded no fruits of the earth -that year, diversified by the blackened remains of burnt houses, and by -the sudden emergence from ambuscade, and sharp reining up across their -way, of patriot patrols on the watch on all the roads. - -Daylight at last found them before the wall of Paris. The barrier was -closed and strongly guarded when they rode up to it. - -“Where are the papers of this prisoner?” demanded a resolute-looking man -in authority, who was summoned out by the guard. - -Naturally struck by the disagreeable word, Charles Darnay requested the -speaker to take notice that he was a free traveller and French citizen, -in charge of an escort which the disturbed state of the country had -imposed upon him, and which he had paid for. - -“Where,” repeated the same personage, without taking any heed of him -whatever, “are the papers of this prisoner?” - -The drunken patriot had them in his cap, and produced them. Casting his -eyes over Gabelle's letter, the same personage in authority showed some -disorder and surprise, and looked at Darnay with a close attention. - -He left escort and escorted without saying a word, however, and went -into the guard-room; meanwhile, they sat upon their horses outside the -gate. Looking about him while in this state of suspense, Charles -Darnay observed that the gate was held by a mixed guard of soldiers and -patriots, the latter far outnumbering the former; and that while ingress -into the city for peasants' carts bringing in supplies, and for similar -traffic and traffickers, was easy enough, egress, even for the homeliest -people, was very difficult. A numerous medley of men and women, not -to mention beasts and vehicles of various sorts, was waiting to issue -forth; but, the previous identification was so strict, that they -filtered through the barrier very slowly. Some of these people knew -their turn for examination to be so far off, that they lay down on the -ground to sleep or smoke, while others talked together, or loitered -about. The red cap and tri-colour cockade were universal, both among men -and women. - -When he had sat in his saddle some half-hour, taking note of these -things, Darnay found himself confronted by the same man in authority, -who directed the guard to open the barrier. Then he delivered to the -escort, drunk and sober, a receipt for the escorted, and requested him -to dismount. He did so, and the two patriots, leading his tired horse, -turned and rode away without entering the city. - -He accompanied his conductor into a guard-room, smelling of common wine -and tobacco, where certain soldiers and patriots, asleep and awake, -drunk and sober, and in various neutral states between sleeping and -waking, drunkenness and sobriety, were standing and lying about. The -light in the guard-house, half derived from the waning oil-lamps of -the night, and half from the overcast day, was in a correspondingly -uncertain condition. Some registers were lying open on a desk, and an -officer of a coarse, dark aspect, presided over these. - -“Citizen Defarge,” said he to Darnay's conductor, as he took a slip of -paper to write on. “Is this the emigrant Evremonde?” - -“This is the man.” - -“Your age, Evremonde?” - -“Thirty-seven.” - -“Married, Evremonde?” - -“Yes.” - -“Where married?” - -“In England.” - -“Without doubt. Where is your wife, Evremonde?” - -“In England.” - -“Without doubt. You are consigned, Evremonde, to the prison of La -Force.” - -“Just Heaven!” exclaimed Darnay. “Under what law, and for what offence?” - -The officer looked up from his slip of paper for a moment. - -“We have new laws, Evremonde, and new offences, since you were here.” He -said it with a hard smile, and went on writing. - -“I entreat you to observe that I have come here voluntarily, in response -to that written appeal of a fellow-countryman which lies before you. I -demand no more than the opportunity to do so without delay. Is not that -my right?” - -“Emigrants have no rights, Evremonde,” was the stolid reply. The officer -wrote until he had finished, read over to himself what he had written, -sanded it, and handed it to Defarge, with the words “In secret.” - -Defarge motioned with the paper to the prisoner that he must accompany -him. The prisoner obeyed, and a guard of two armed patriots attended -them. - -“Is it you,” said Defarge, in a low voice, as they went down the -guardhouse steps and turned into Paris, “who married the daughter of -Doctor Manette, once a prisoner in the Bastille that is no more?” - -“Yes,” replied Darnay, looking at him with surprise. - -“My name is Defarge, and I keep a wine-shop in the Quarter Saint -Antoine. Possibly you have heard of me.” - -“My wife came to your house to reclaim her father? Yes!” - -The word “wife” seemed to serve as a gloomy reminder to Defarge, to say -with sudden impatience, “In the name of that sharp female newly-born, -and called La Guillotine, why did you come to France?” - -“You heard me say why, a minute ago. Do you not believe it is the -truth?” - -“A bad truth for you,” said Defarge, speaking with knitted brows, and -looking straight before him. - -“Indeed I am lost here. All here is so unprecedented, so changed, so -sudden and unfair, that I am absolutely lost. Will you render me a -little help?” - -“None.” Defarge spoke, always looking straight before him. - -“Will you answer me a single question?” - -“Perhaps. According to its nature. You can say what it is.” - -“In this prison that I am going to so unjustly, shall I have some free -communication with the world outside?” - -“You will see.” - -“I am not to be buried there, prejudged, and without any means of -presenting my case?” - -“You will see. But, what then? Other people have been similarly buried -in worse prisons, before now.” - -“But never by me, Citizen Defarge.” - -Defarge glanced darkly at him for answer, and walked on in a steady -and set silence. The deeper he sank into this silence, the fainter hope -there was--or so Darnay thought--of his softening in any slight degree. -He, therefore, made haste to say: - -“It is of the utmost importance to me (you know, Citizen, even better -than I, of how much importance), that I should be able to communicate to -Mr. Lorry of Tellson's Bank, an English gentleman who is now in Paris, -the simple fact, without comment, that I have been thrown into the -prison of La Force. Will you cause that to be done for me?” - -“I will do,” Defarge doggedly rejoined, “nothing for you. My duty is to -my country and the People. I am the sworn servant of both, against you. -I will do nothing for you.” - -Charles Darnay felt it hopeless to entreat him further, and his pride -was touched besides. As they walked on in silence, he could not but see -how used the people were to the spectacle of prisoners passing along the -streets. The very children scarcely noticed him. A few passers turned -their heads, and a few shook their fingers at him as an aristocrat; -otherwise, that a man in good clothes should be going to prison, was no -more remarkable than that a labourer in working clothes should be -going to work. In one narrow, dark, and dirty street through which they -passed, an excited orator, mounted on a stool, was addressing an excited -audience on the crimes against the people, of the king and the royal -family. The few words that he caught from this man's lips, first made -it known to Charles Darnay that the king was in prison, and that the -foreign ambassadors had one and all left Paris. On the road (except at -Beauvais) he had heard absolutely nothing. The escort and the universal -watchfulness had completely isolated him. - -That he had fallen among far greater dangers than those which had -developed themselves when he left England, he of course knew now. That -perils had thickened about him fast, and might thicken faster and faster -yet, he of course knew now. He could not but admit to himself that he -might not have made this journey, if he could have foreseen the events -of a few days. And yet his misgivings were not so dark as, imagined by -the light of this later time, they would appear. Troubled as the future -was, it was the unknown future, and in its obscurity there was ignorant -hope. The horrible massacre, days and nights long, which, within a few -rounds of the clock, was to set a great mark of blood upon the blessed -garnering time of harvest, was as far out of his knowledge as if it had -been a hundred thousand years away. The “sharp female newly-born, and -called La Guillotine,” was hardly known to him, or to the generality -of people, by name. The frightful deeds that were to be soon done, were -probably unimagined at that time in the brains of the doers. How could -they have a place in the shadowy conceptions of a gentle mind? - -Of unjust treatment in detention and hardship, and in cruel separation -from his wife and child, he foreshadowed the likelihood, or the -certainty; but, beyond this, he dreaded nothing distinctly. With this on -his mind, which was enough to carry into a dreary prison courtyard, he -arrived at the prison of La Force. - -A man with a bloated face opened the strong wicket, to whom Defarge -presented “The Emigrant Evremonde.” - -“What the Devil! How many more of them!” exclaimed the man with the -bloated face. - -Defarge took his receipt without noticing the exclamation, and withdrew, -with his two fellow-patriots. - -“What the Devil, I say again!” exclaimed the gaoler, left with his wife. -“How many more!” - -The gaoler's wife, being provided with no answer to the question, merely -replied, “One must have patience, my dear!” Three turnkeys who entered -responsive to a bell she rang, echoed the sentiment, and one added, “For -the love of Liberty;” which sounded in that place like an inappropriate -conclusion. - -The prison of La Force was a gloomy prison, dark and filthy, and with a -horrible smell of foul sleep in it. Extraordinary how soon the noisome -flavour of imprisoned sleep, becomes manifest in all such places that -are ill cared for! - -“In secret, too,” grumbled the gaoler, looking at the written paper. “As -if I was not already full to bursting!” - -He stuck the paper on a file, in an ill-humour, and Charles Darnay -awaited his further pleasure for half an hour: sometimes, pacing to and -fro in the strong arched room: sometimes, resting on a stone seat: in -either case detained to be imprinted on the memory of the chief and his -subordinates. - -“Come!” said the chief, at length taking up his keys, “come with me, -emigrant.” - -Through the dismal prison twilight, his new charge accompanied him by -corridor and staircase, many doors clanging and locking behind them, -until they came into a large, low, vaulted chamber, crowded with -prisoners of both sexes. The women were seated at a long table, reading -and writing, knitting, sewing, and embroidering; the men were for the -most part standing behind their chairs, or lingering up and down the -room. - -In the instinctive association of prisoners with shameful crime and -disgrace, the new-comer recoiled from this company. But the crowning -unreality of his long unreal ride, was, their all at once rising to -receive him, with every refinement of manner known to the time, and with -all the engaging graces and courtesies of life. - -So strangely clouded were these refinements by the prison manners and -gloom, so spectral did they become in the inappropriate squalor and -misery through which they were seen, that Charles Darnay seemed to stand -in a company of the dead. Ghosts all! The ghost of beauty, the ghost -of stateliness, the ghost of elegance, the ghost of pride, the ghost of -frivolity, the ghost of wit, the ghost of youth, the ghost of age, all -waiting their dismissal from the desolate shore, all turning on him eyes -that were changed by the death they had died in coming there. - -It struck him motionless. The gaoler standing at his side, and the other -gaolers moving about, who would have been well enough as to appearance -in the ordinary exercise of their functions, looked so extravagantly -coarse contrasted with sorrowing mothers and blooming daughters who were -there--with the apparitions of the coquette, the young beauty, and the -mature woman delicately bred--that the inversion of all experience and -likelihood which the scene of shadows presented, was heightened to its -utmost. Surely, ghosts all. Surely, the long unreal ride some progress -of disease that had brought him to these gloomy shades! - -“In the name of the assembled companions in misfortune,” said a -gentleman of courtly appearance and address, coming forward, “I have the -honour of giving you welcome to La Force, and of condoling with you -on the calamity that has brought you among us. May it soon terminate -happily! It would be an impertinence elsewhere, but it is not so here, -to ask your name and condition?” - -Charles Darnay roused himself, and gave the required information, in -words as suitable as he could find. - -“But I hope,” said the gentleman, following the chief gaoler with his -eyes, who moved across the room, “that you are not in secret?” - -“I do not understand the meaning of the term, but I have heard them say -so.” - -“Ah, what a pity! We so much regret it! But take courage; several -members of our society have been in secret, at first, and it has lasted -but a short time.” Then he added, raising his voice, “I grieve to inform -the society--in secret.” - -There was a murmur of commiseration as Charles Darnay crossed the room -to a grated door where the gaoler awaited him, and many voices--among -which, the soft and compassionate voices of women were conspicuous--gave -him good wishes and encouragement. He turned at the grated door, to -render the thanks of his heart; it closed under the gaoler's hand; and -the apparitions vanished from his sight forever. - -The wicket opened on a stone staircase, leading upward. When they had -ascended forty steps (the prisoner of half an hour already counted -them), the gaoler opened a low black door, and they passed into a -solitary cell. It struck cold and damp, but was not dark. - -“Yours,” said the gaoler. - -“Why am I confined alone?” - -“How do I know!” - -“I can buy pen, ink, and paper?” - -“Such are not my orders. You will be visited, and can ask then. At -present, you may buy your food, and nothing more.” - -There were in the cell, a chair, a table, and a straw mattress. As -the gaoler made a general inspection of these objects, and of the four -walls, before going out, a wandering fancy wandered through the mind of -the prisoner leaning against the wall opposite to him, that this gaoler -was so unwholesomely bloated, both in face and person, as to look like -a man who had been drowned and filled with water. When the gaoler was -gone, he thought in the same wandering way, “Now am I left, as if I were -dead.” Stopping then, to look down at the mattress, he turned from it -with a sick feeling, and thought, “And here in these crawling creatures -is the first condition of the body after death.” - -“Five paces by four and a half, five paces by four and a half, five -paces by four and a half.” The prisoner walked to and fro in his cell, -counting its measurement, and the roar of the city arose like muffled -drums with a wild swell of voices added to them. “He made shoes, he made -shoes, he made shoes.” The prisoner counted the measurement again, and -paced faster, to draw his mind with him from that latter repetition. -“The ghosts that vanished when the wicket closed. There was one among -them, the appearance of a lady dressed in black, who was leaning in the -embrasure of a window, and she had a light shining upon her golden -hair, and she looked like * * * * Let us ride on again, for God's sake, -through the illuminated villages with the people all awake! * * * * He -made shoes, he made shoes, he made shoes. * * * * Five paces by four and -a half.” With such scraps tossing and rolling upward from the depths of -his mind, the prisoner walked faster and faster, obstinately counting -and counting; and the roar of the city changed to this extent--that it -still rolled in like muffled drums, but with the wail of voices that he -knew, in the swell that rose above them. - - - - -II. The Grindstone - - -Tellson's Bank, established in the Saint Germain Quarter of Paris, was -in a wing of a large house, approached by a courtyard and shut off from -the street by a high wall and a strong gate. The house belonged to -a great nobleman who had lived in it until he made a flight from the -troubles, in his own cook's dress, and got across the borders. A -mere beast of the chase flying from hunters, he was still in his -metempsychosis no other than the same Monseigneur, the preparation -of whose chocolate for whose lips had once occupied three strong men -besides the cook in question. - -Monseigneur gone, and the three strong men absolving themselves from the -sin of having drawn his high wages, by being more than ready and -willing to cut his throat on the altar of the dawning Republic one and -indivisible of Liberty, Equality, Fraternity, or Death, Monseigneur's -house had been first sequestrated, and then confiscated. For, all -things moved so fast, and decree followed decree with that fierce -precipitation, that now upon the third night of the autumn month -of September, patriot emissaries of the law were in possession of -Monseigneur's house, and had marked it with the tri-colour, and were -drinking brandy in its state apartments. - -A place of business in London like Tellson's place of business in Paris, -would soon have driven the House out of its mind and into the Gazette. -For, what would staid British responsibility and respectability have -said to orange-trees in boxes in a Bank courtyard, and even to a Cupid -over the counter? Yet such things were. Tellson's had whitewashed the -Cupid, but he was still to be seen on the ceiling, in the coolest -linen, aiming (as he very often does) at money from morning to -night. Bankruptcy must inevitably have come of this young Pagan, in -Lombard-street, London, and also of a curtained alcove in the rear of -the immortal boy, and also of a looking-glass let into the wall, and -also of clerks not at all old, who danced in public on the slightest -provocation. Yet, a French Tellson's could get on with these things -exceedingly well, and, as long as the times held together, no man had -taken fright at them, and drawn out his money. - -What money would be drawn out of Tellson's henceforth, and what would -lie there, lost and forgotten; what plate and jewels would tarnish in -Tellson's hiding-places, while the depositors rusted in prisons, -and when they should have violently perished; how many accounts with -Tellson's never to be balanced in this world, must be carried over into -the next; no man could have said, that night, any more than Mr. Jarvis -Lorry could, though he thought heavily of these questions. He sat by -a newly-lighted wood fire (the blighted and unfruitful year was -prematurely cold), and on his honest and courageous face there was a -deeper shade than the pendent lamp could throw, or any object in the -room distortedly reflect--a shade of horror. - -He occupied rooms in the Bank, in his fidelity to the House of which -he had grown to be a part, like strong root-ivy. It chanced that they -derived a kind of security from the patriotic occupation of the main -building, but the true-hearted old gentleman never calculated about -that. All such circumstances were indifferent to him, so that he did -his duty. On the opposite side of the courtyard, under a colonnade, -was extensive standing--for carriages--where, indeed, some carriages -of Monseigneur yet stood. Against two of the pillars were fastened two -great flaring flambeaux, and in the light of these, standing out in the -open air, was a large grindstone: a roughly mounted thing which appeared -to have hurriedly been brought there from some neighbouring smithy, -or other workshop. Rising and looking out of window at these harmless -objects, Mr. Lorry shivered, and retired to his seat by the fire. He had -opened, not only the glass window, but the lattice blind outside it, and -he had closed both again, and he shivered through his frame. - -From the streets beyond the high wall and the strong gate, there came -the usual night hum of the city, with now and then an indescribable ring -in it, weird and unearthly, as if some unwonted sounds of a terrible -nature were going up to Heaven. - -“Thank God,” said Mr. Lorry, clasping his hands, “that no one near and -dear to me is in this dreadful town to-night. May He have mercy on all -who are in danger!” - -Soon afterwards, the bell at the great gate sounded, and he thought, -“They have come back!” and sat listening. But, there was no loud -irruption into the courtyard, as he had expected, and he heard the gate -clash again, and all was quiet. - -The nervousness and dread that were upon him inspired that vague -uneasiness respecting the Bank, which a great change would naturally -awaken, with such feelings roused. It was well guarded, and he got up to -go among the trusty people who were watching it, when his door suddenly -opened, and two figures rushed in, at sight of which he fell back in -amazement. - -Lucie and her father! Lucie with her arms stretched out to him, and with -that old look of earnestness so concentrated and intensified, that it -seemed as though it had been stamped upon her face expressly to give -force and power to it in this one passage of her life. - -“What is this?” cried Mr. Lorry, breathless and confused. “What is the -matter? Lucie! Manette! What has happened? What has brought you here? -What is it?” - -With the look fixed upon him, in her paleness and wildness, she panted -out in his arms, imploringly, “O my dear friend! My husband!” - -“Your husband, Lucie?” - -“Charles.” - -“What of Charles?” - -“Here. - -“Here, in Paris?” - -“Has been here some days--three or four--I don't know how many--I can't -collect my thoughts. An errand of generosity brought him here unknown to -us; he was stopped at the barrier, and sent to prison.” - -The old man uttered an irrepressible cry. Almost at the same moment, the -bell of the great gate rang again, and a loud noise of feet and voices -came pouring into the courtyard. - -“What is that noise?” said the Doctor, turning towards the window. - -“Don't look!” cried Mr. Lorry. “Don't look out! Manette, for your life, -don't touch the blind!” - -The Doctor turned, with his hand upon the fastening of the window, and -said, with a cool, bold smile: - -“My dear friend, I have a charmed life in this city. I have been -a Bastille prisoner. There is no patriot in Paris--in Paris? In -France--who, knowing me to have been a prisoner in the Bastille, would -touch me, except to overwhelm me with embraces, or carry me in triumph. -My old pain has given me a power that has brought us through the -barrier, and gained us news of Charles there, and brought us here. I -knew it would be so; I knew I could help Charles out of all danger; I -told Lucie so.--What is that noise?” His hand was again upon the window. - -“Don't look!” cried Mr. Lorry, absolutely desperate. “No, Lucie, my -dear, nor you!” He got his arm round her, and held her. “Don't be so -terrified, my love. I solemnly swear to you that I know of no harm -having happened to Charles; that I had no suspicion even of his being in -this fatal place. What prison is he in?” - -“La Force!” - -“La Force! Lucie, my child, if ever you were brave and serviceable in -your life--and you were always both--you will compose yourself now, to -do exactly as I bid you; for more depends upon it than you can think, or -I can say. There is no help for you in any action on your part to-night; -you cannot possibly stir out. I say this, because what I must bid you -to do for Charles's sake, is the hardest thing to do of all. You must -instantly be obedient, still, and quiet. You must let me put you in a -room at the back here. You must leave your father and me alone for -two minutes, and as there are Life and Death in the world you must not -delay.” - -“I will be submissive to you. I see in your face that you know I can do -nothing else than this. I know you are true.” - -The old man kissed her, and hurried her into his room, and turned the -key; then, came hurrying back to the Doctor, and opened the window and -partly opened the blind, and put his hand upon the Doctor's arm, and -looked out with him into the courtyard. - -Looked out upon a throng of men and women: not enough in number, or near -enough, to fill the courtyard: not more than forty or fifty in all. The -people in possession of the house had let them in at the gate, and they -had rushed in to work at the grindstone; it had evidently been set up -there for their purpose, as in a convenient and retired spot. - -But, such awful workers, and such awful work! - -The grindstone had a double handle, and, turning at it madly were two -men, whose faces, as their long hair flapped back when the whirlings of -the grindstone brought their faces up, were more horrible and cruel than -the visages of the wildest savages in their most barbarous disguise. -False eyebrows and false moustaches were stuck upon them, and their -hideous countenances were all bloody and sweaty, and all awry with -howling, and all staring and glaring with beastly excitement and want of -sleep. As these ruffians turned and turned, their matted locks now flung -forward over their eyes, now flung backward over their necks, some women -held wine to their mouths that they might drink; and what with dropping -blood, and what with dropping wine, and what with the stream of sparks -struck out of the stone, all their wicked atmosphere seemed gore and -fire. The eye could not detect one creature in the group free from -the smear of blood. Shouldering one another to get next at the -sharpening-stone, were men stripped to the waist, with the stain all -over their limbs and bodies; men in all sorts of rags, with the stain -upon those rags; men devilishly set off with spoils of women's lace -and silk and ribbon, with the stain dyeing those trifles through -and through. Hatchets, knives, bayonets, swords, all brought to be -sharpened, were all red with it. Some of the hacked swords were tied to -the wrists of those who carried them, with strips of linen and fragments -of dress: ligatures various in kind, but all deep of the one colour. And -as the frantic wielders of these weapons snatched them from the stream -of sparks and tore away into the streets, the same red hue was red in -their frenzied eyes;--eyes which any unbrutalised beholder would have -given twenty years of life, to petrify with a well-directed gun. - -All this was seen in a moment, as the vision of a drowning man, or of -any human creature at any very great pass, could see a world if it -were there. They drew back from the window, and the Doctor looked for -explanation in his friend's ashy face. - -“They are,” Mr. Lorry whispered the words, glancing fearfully round at -the locked room, “murdering the prisoners. If you are sure of what you -say; if you really have the power you think you have--as I believe you -have--make yourself known to these devils, and get taken to La Force. It -may be too late, I don't know, but let it not be a minute later!” - -Doctor Manette pressed his hand, hastened bareheaded out of the room, -and was in the courtyard when Mr. Lorry regained the blind. - -His streaming white hair, his remarkable face, and the impetuous -confidence of his manner, as he put the weapons aside like water, -carried him in an instant to the heart of the concourse at the stone. -For a few moments there was a pause, and a hurry, and a murmur, and -the unintelligible sound of his voice; and then Mr. Lorry saw him, -surrounded by all, and in the midst of a line of twenty men long, all -linked shoulder to shoulder, and hand to shoulder, hurried out with -cries of--“Live the Bastille prisoner! Help for the Bastille prisoner's -kindred in La Force! Room for the Bastille prisoner in front there! Save -the prisoner Evremonde at La Force!” and a thousand answering shouts. - -He closed the lattice again with a fluttering heart, closed the window -and the curtain, hastened to Lucie, and told her that her father was -assisted by the people, and gone in search of her husband. He found -her child and Miss Pross with her; but, it never occurred to him to be -surprised by their appearance until a long time afterwards, when he sat -watching them in such quiet as the night knew. - -Lucie had, by that time, fallen into a stupor on the floor at his feet, -clinging to his hand. Miss Pross had laid the child down on his own -bed, and her head had gradually fallen on the pillow beside her pretty -charge. O the long, long night, with the moans of the poor wife! And O -the long, long night, with no return of her father and no tidings! - -Twice more in the darkness the bell at the great gate sounded, and the -irruption was repeated, and the grindstone whirled and spluttered. -“What is it?” cried Lucie, affrighted. “Hush! The soldiers' swords are -sharpened there,” said Mr. Lorry. “The place is national property now, -and used as a kind of armoury, my love.” - -Twice more in all; but, the last spell of work was feeble and fitful. -Soon afterwards the day began to dawn, and he softly detached himself -from the clasping hand, and cautiously looked out again. A man, so -besmeared that he might have been a sorely wounded soldier creeping back -to consciousness on a field of slain, was rising from the pavement by -the side of the grindstone, and looking about him with a vacant air. -Shortly, this worn-out murderer descried in the imperfect light one of -the carriages of Monseigneur, and, staggering to that gorgeous vehicle, -climbed in at the door, and shut himself up to take his rest on its -dainty cushions. - -The great grindstone, Earth, had turned when Mr. Lorry looked out again, -and the sun was red on the courtyard. But, the lesser grindstone stood -alone there in the calm morning air, with a red upon it that the sun had -never given, and would never take away. - - - - -III. The Shadow - - -One of the first considerations which arose in the business mind of Mr. -Lorry when business hours came round, was this:--that he had no right to -imperil Tellson's by sheltering the wife of an emigrant prisoner under -the Bank roof. His own possessions, safety, life, he would have hazarded -for Lucie and her child, without a moment's demur; but the great trust -he held was not his own, and as to that business charge he was a strict -man of business. - -At first, his mind reverted to Defarge, and he thought of finding out -the wine-shop again and taking counsel with its master in reference to -the safest dwelling-place in the distracted state of the city. But, the -same consideration that suggested him, repudiated him; he lived in the -most violent Quarter, and doubtless was influential there, and deep in -its dangerous workings. - -Noon coming, and the Doctor not returning, and every minute's delay -tending to compromise Tellson's, Mr. Lorry advised with Lucie. She said -that her father had spoken of hiring a lodging for a short term, in that -Quarter, near the Banking-house. As there was no business objection to -this, and as he foresaw that even if it were all well with Charles, and -he were to be released, he could not hope to leave the city, Mr. Lorry -went out in quest of such a lodging, and found a suitable one, high up -in a removed by-street where the closed blinds in all the other windows -of a high melancholy square of buildings marked deserted homes. - -To this lodging he at once removed Lucie and her child, and Miss Pross: -giving them what comfort he could, and much more than he had himself. -He left Jerry with them, as a figure to fill a doorway that would bear -considerable knocking on the head, and returned to his own occupations. -A disturbed and doleful mind he brought to bear upon them, and slowly -and heavily the day lagged on with him. - -It wore itself out, and wore him out with it, until the Bank closed. He -was again alone in his room of the previous night, considering what to -do next, when he heard a foot upon the stair. In a few moments, a -man stood in his presence, who, with a keenly observant look at him, -addressed him by his name. - -“Your servant,” said Mr. Lorry. “Do you know me?” - -He was a strongly made man with dark curling hair, from forty-five -to fifty years of age. For answer he repeated, without any change of -emphasis, the words: - -“Do you know me?” - -“I have seen you somewhere.” - -“Perhaps at my wine-shop?” - -Much interested and agitated, Mr. Lorry said: “You come from Doctor -Manette?” - -“Yes. I come from Doctor Manette.” - -“And what says he? What does he send me?” - -Defarge gave into his anxious hand, an open scrap of paper. It bore the -words in the Doctor's writing: - - “Charles is safe, but I cannot safely leave this place yet. - I have obtained the favour that the bearer has a short note - from Charles to his wife. Let the bearer see his wife.” - -It was dated from La Force, within an hour. - -“Will you accompany me,” said Mr. Lorry, joyfully relieved after reading -this note aloud, “to where his wife resides?” - -“Yes,” returned Defarge. - -Scarcely noticing as yet, in what a curiously reserved and mechanical -way Defarge spoke, Mr. Lorry put on his hat and they went down into the -courtyard. There, they found two women; one, knitting. - -“Madame Defarge, surely!” said Mr. Lorry, who had left her in exactly -the same attitude some seventeen years ago. - -“It is she,” observed her husband. - -“Does Madame go with us?” inquired Mr. Lorry, seeing that she moved as -they moved. - -“Yes. That she may be able to recognise the faces and know the persons. -It is for their safety.” - -Beginning to be struck by Defarge's manner, Mr. Lorry looked dubiously -at him, and led the way. Both the women followed; the second woman being -The Vengeance. - -They passed through the intervening streets as quickly as they might, -ascended the staircase of the new domicile, were admitted by Jerry, -and found Lucie weeping, alone. She was thrown into a transport by the -tidings Mr. Lorry gave her of her husband, and clasped the hand that -delivered his note--little thinking what it had been doing near him in -the night, and might, but for a chance, have done to him. - - “DEAREST,--Take courage. I am well, and your father has - influence around me. You cannot answer this. - Kiss our child for me.” - -That was all the writing. It was so much, however, to her who received -it, that she turned from Defarge to his wife, and kissed one of the -hands that knitted. It was a passionate, loving, thankful, womanly -action, but the hand made no response--dropped cold and heavy, and took -to its knitting again. - -There was something in its touch that gave Lucie a check. She stopped in -the act of putting the note in her bosom, and, with her hands yet at her -neck, looked terrified at Madame Defarge. Madame Defarge met the lifted -eyebrows and forehead with a cold, impassive stare. - -“My dear,” said Mr. Lorry, striking in to explain; “there are frequent -risings in the streets; and, although it is not likely they will ever -trouble you, Madame Defarge wishes to see those whom she has the power -to protect at such times, to the end that she may know them--that she -may identify them. I believe,” said Mr. Lorry, rather halting in his -reassuring words, as the stony manner of all the three impressed itself -upon him more and more, “I state the case, Citizen Defarge?” - -Defarge looked gloomily at his wife, and gave no other answer than a -gruff sound of acquiescence. - -“You had better, Lucie,” said Mr. Lorry, doing all he could to -propitiate, by tone and manner, “have the dear child here, and our -good Pross. Our good Pross, Defarge, is an English lady, and knows no -French.” - -The lady in question, whose rooted conviction that she was more than a -match for any foreigner, was not to be shaken by distress and, danger, -appeared with folded arms, and observed in English to The Vengeance, -whom her eyes first encountered, “Well, I am sure, Boldface! I hope -_you_ are pretty well!” She also bestowed a British cough on Madame -Defarge; but, neither of the two took much heed of her. - -“Is that his child?” said Madame Defarge, stopping in her work for the -first time, and pointing her knitting-needle at little Lucie as if it -were the finger of Fate. - -“Yes, madame,” answered Mr. Lorry; “this is our poor prisoner's darling -daughter, and only child.” - -The shadow attendant on Madame Defarge and her party seemed to fall so -threatening and dark on the child, that her mother instinctively -kneeled on the ground beside her, and held her to her breast. The -shadow attendant on Madame Defarge and her party seemed then to fall, -threatening and dark, on both the mother and the child. - -“It is enough, my husband,” said Madame Defarge. “I have seen them. We -may go.” - -But, the suppressed manner had enough of menace in it--not visible and -presented, but indistinct and withheld--to alarm Lucie into saying, as -she laid her appealing hand on Madame Defarge's dress: - -“You will be good to my poor husband. You will do him no harm. You will -help me to see him if you can?” - -“Your husband is not my business here,” returned Madame Defarge, looking -down at her with perfect composure. “It is the daughter of your father -who is my business here.” - -“For my sake, then, be merciful to my husband. For my child's sake! She -will put her hands together and pray you to be merciful. We are more -afraid of you than of these others.” - -Madame Defarge received it as a compliment, and looked at her husband. -Defarge, who had been uneasily biting his thumb-nail and looking at her, -collected his face into a sterner expression. - -“What is it that your husband says in that little letter?” asked Madame -Defarge, with a lowering smile. “Influence; he says something touching -influence?” - -“That my father,” said Lucie, hurriedly taking the paper from her -breast, but with her alarmed eyes on her questioner and not on it, “has -much influence around him.” - -“Surely it will release him!” said Madame Defarge. “Let it do so.” - -“As a wife and mother,” cried Lucie, most earnestly, “I implore you to -have pity on me and not to exercise any power that you possess, against -my innocent husband, but to use it in his behalf. O sister-woman, think -of me. As a wife and mother!” - -Madame Defarge looked, coldly as ever, at the suppliant, and said, -turning to her friend The Vengeance: - -“The wives and mothers we have been used to see, since we were as little -as this child, and much less, have not been greatly considered? We have -known _their_ husbands and fathers laid in prison and kept from them, -often enough? All our lives, we have seen our sister-women suffer, in -themselves and in their children, poverty, nakedness, hunger, thirst, -sickness, misery, oppression and neglect of all kinds?” - -“We have seen nothing else,” returned The Vengeance. - -“We have borne this a long time,” said Madame Defarge, turning her eyes -again upon Lucie. “Judge you! Is it likely that the trouble of one wife -and mother would be much to us now?” - -She resumed her knitting and went out. The Vengeance followed. Defarge -went last, and closed the door. - -“Courage, my dear Lucie,” said Mr. Lorry, as he raised her. “Courage, -courage! So far all goes well with us--much, much better than it has of -late gone with many poor souls. Cheer up, and have a thankful heart.” - -“I am not thankless, I hope, but that dreadful woman seems to throw a -shadow on me and on all my hopes.” - -“Tut, tut!” said Mr. Lorry; “what is this despondency in the brave -little breast? A shadow indeed! No substance in it, Lucie.” - -But the shadow of the manner of these Defarges was dark upon himself, -for all that, and in his secret mind it troubled him greatly. - - - - -IV. Calm in Storm - - -Doctor Manette did not return until the morning of the fourth day of his -absence. So much of what had happened in that dreadful time as could be -kept from the knowledge of Lucie was so well concealed from her, that -not until long afterwards, when France and she were far apart, did she -know that eleven hundred defenceless prisoners of both sexes and all -ages had been killed by the populace; that four days and nights had been -darkened by this deed of horror; and that the air around her had been -tainted by the slain. She only knew that there had been an attack upon -the prisons, that all political prisoners had been in danger, and that -some had been dragged out by the crowd and murdered. - -To Mr. Lorry, the Doctor communicated under an injunction of secrecy on -which he had no need to dwell, that the crowd had taken him through a -scene of carnage to the prison of La Force. That, in the prison he had -found a self-appointed Tribunal sitting, before which the prisoners were -brought singly, and by which they were rapidly ordered to be put forth -to be massacred, or to be released, or (in a few cases) to be sent back -to their cells. That, presented by his conductors to this Tribunal, he -had announced himself by name and profession as having been for eighteen -years a secret and unaccused prisoner in the Bastille; that, one of the -body so sitting in judgment had risen and identified him, and that this -man was Defarge. - -That, hereupon he had ascertained, through the registers on the table, -that his son-in-law was among the living prisoners, and had pleaded hard -to the Tribunal--of whom some members were asleep and some awake, some -dirty with murder and some clean, some sober and some not--for his life -and liberty. That, in the first frantic greetings lavished on himself as -a notable sufferer under the overthrown system, it had been accorded -to him to have Charles Darnay brought before the lawless Court, and -examined. That, he seemed on the point of being at once released, when -the tide in his favour met with some unexplained check (not intelligible -to the Doctor), which led to a few words of secret conference. That, -the man sitting as President had then informed Doctor Manette that -the prisoner must remain in custody, but should, for his sake, be held -inviolate in safe custody. That, immediately, on a signal, the prisoner -was removed to the interior of the prison again; but, that he, the -Doctor, had then so strongly pleaded for permission to remain and -assure himself that his son-in-law was, through no malice or mischance, -delivered to the concourse whose murderous yells outside the gate had -often drowned the proceedings, that he had obtained the permission, and -had remained in that Hall of Blood until the danger was over. - -The sights he had seen there, with brief snatches of food and sleep by -intervals, shall remain untold. The mad joy over the prisoners who were -saved, had astounded him scarcely less than the mad ferocity against -those who were cut to pieces. One prisoner there was, he said, who had -been discharged into the street free, but at whom a mistaken savage had -thrust a pike as he passed out. Being besought to go to him and dress -the wound, the Doctor had passed out at the same gate, and had found him -in the arms of a company of Samaritans, who were seated on the bodies -of their victims. With an inconsistency as monstrous as anything in this -awful nightmare, they had helped the healer, and tended the wounded man -with the gentlest solicitude--had made a litter for him and escorted him -carefully from the spot--had then caught up their weapons and plunged -anew into a butchery so dreadful, that the Doctor had covered his eyes -with his hands, and swooned away in the midst of it. - -As Mr. Lorry received these confidences, and as he watched the face of -his friend now sixty-two years of age, a misgiving arose within him that -such dread experiences would revive the old danger. - -But, he had never seen his friend in his present aspect: he had never -at all known him in his present character. For the first time the Doctor -felt, now, that his suffering was strength and power. For the first time -he felt that in that sharp fire, he had slowly forged the iron which -could break the prison door of his daughter's husband, and deliver him. -“It all tended to a good end, my friend; it was not mere waste and ruin. -As my beloved child was helpful in restoring me to myself, I will be -helpful now in restoring the dearest part of herself to her; by the aid -of Heaven I will do it!” Thus, Doctor Manette. And when Jarvis Lorry saw -the kindled eyes, the resolute face, the calm strong look and bearing -of the man whose life always seemed to him to have been stopped, like a -clock, for so many years, and then set going again with an energy which -had lain dormant during the cessation of its usefulness, he believed. - -Greater things than the Doctor had at that time to contend with, would -have yielded before his persevering purpose. While he kept himself -in his place, as a physician, whose business was with all degrees -of mankind, bond and free, rich and poor, bad and good, he used his -personal influence so wisely, that he was soon the inspecting physician -of three prisons, and among them of La Force. He could now assure Lucie -that her husband was no longer confined alone, but was mixed with the -general body of prisoners; he saw her husband weekly, and brought sweet -messages to her, straight from his lips; sometimes her husband himself -sent a letter to her (though never by the Doctor's hand), but she was -not permitted to write to him: for, among the many wild suspicions of -plots in the prisons, the wildest of all pointed at emigrants who were -known to have made friends or permanent connections abroad. - -This new life of the Doctor's was an anxious life, no doubt; still, the -sagacious Mr. Lorry saw that there was a new sustaining pride in it. -Nothing unbecoming tinged the pride; it was a natural and worthy one; -but he observed it as a curiosity. The Doctor knew, that up to that -time, his imprisonment had been associated in the minds of his daughter -and his friend, with his personal affliction, deprivation, and weakness. -Now that this was changed, and he knew himself to be invested through -that old trial with forces to which they both looked for Charles's -ultimate safety and deliverance, he became so far exalted by the change, -that he took the lead and direction, and required them as the weak, to -trust to him as the strong. The preceding relative positions of himself -and Lucie were reversed, yet only as the liveliest gratitude and -affection could reverse them, for he could have had no pride but in -rendering some service to her who had rendered so much to him. “All -curious to see,” thought Mr. Lorry, in his amiably shrewd way, “but all -natural and right; so, take the lead, my dear friend, and keep it; it -couldn't be in better hands.” - -But, though the Doctor tried hard, and never ceased trying, to get -Charles Darnay set at liberty, or at least to get him brought to trial, -the public current of the time set too strong and fast for him. The new -era began; the king was tried, doomed, and beheaded; the Republic of -Liberty, Equality, Fraternity, or Death, declared for victory or death -against the world in arms; the black flag waved night and day from the -great towers of Notre Dame; three hundred thousand men, summoned to rise -against the tyrants of the earth, rose from all the varying soils -of France, as if the dragon's teeth had been sown broadcast, and -had yielded fruit equally on hill and plain, on rock, in gravel, and -alluvial mud, under the bright sky of the South and under the clouds of -the North, in fell and forest, in the vineyards and the olive-grounds -and among the cropped grass and the stubble of the corn, along the -fruitful banks of the broad rivers, and in the sand of the sea-shore. -What private solicitude could rear itself against the deluge of the Year -One of Liberty--the deluge rising from below, not falling from above, -and with the windows of Heaven shut, not opened! - -There was no pause, no pity, no peace, no interval of relenting rest, no -measurement of time. Though days and nights circled as regularly as when -time was young, and the evening and morning were the first day, other -count of time there was none. Hold of it was lost in the raging fever -of a nation, as it is in the fever of one patient. Now, breaking the -unnatural silence of a whole city, the executioner showed the people the -head of the king--and now, it seemed almost in the same breath, the -head of his fair wife which had had eight weary months of imprisoned -widowhood and misery, to turn it grey. - -And yet, observing the strange law of contradiction which obtains in -all such cases, the time was long, while it flamed by so fast. A -revolutionary tribunal in the capital, and forty or fifty thousand -revolutionary committees all over the land; a law of the Suspected, -which struck away all security for liberty or life, and delivered over -any good and innocent person to any bad and guilty one; prisons gorged -with people who had committed no offence, and could obtain no hearing; -these things became the established order and nature of appointed -things, and seemed to be ancient usage before they were many weeks old. -Above all, one hideous figure grew as familiar as if it had been before -the general gaze from the foundations of the world--the figure of the -sharp female called La Guillotine. - -It was the popular theme for jests; it was the best cure for headache, -it infallibly prevented the hair from turning grey, it imparted a -peculiar delicacy to the complexion, it was the National Razor which -shaved close: who kissed La Guillotine, looked through the little window -and sneezed into the sack. It was the sign of the regeneration of the -human race. It superseded the Cross. Models of it were worn on breasts -from which the Cross was discarded, and it was bowed down to and -believed in where the Cross was denied. - -It sheared off heads so many, that it, and the ground it most polluted, -were a rotten red. It was taken to pieces, like a toy-puzzle for a young -Devil, and was put together again when the occasion wanted it. It hushed -the eloquent, struck down the powerful, abolished the beautiful and -good. Twenty-two friends of high public mark, twenty-one living and one -dead, it had lopped the heads off, in one morning, in as many minutes. -The name of the strong man of Old Scripture had descended to the chief -functionary who worked it; but, so armed, he was stronger than his -namesake, and blinder, and tore away the gates of God's own Temple every -day. - -Among these terrors, and the brood belonging to them, the Doctor walked -with a steady head: confident in his power, cautiously persistent in his -end, never doubting that he would save Lucie's husband at last. Yet the -current of the time swept by, so strong and deep, and carried the time -away so fiercely, that Charles had lain in prison one year and three -months when the Doctor was thus steady and confident. So much more -wicked and distracted had the Revolution grown in that December month, -that the rivers of the South were encumbered with the bodies of the -violently drowned by night, and prisoners were shot in lines and squares -under the southern wintry sun. Still, the Doctor walked among the -terrors with a steady head. No man better known than he, in Paris at -that day; no man in a stranger situation. Silent, humane, indispensable -in hospital and prison, using his art equally among assassins and -victims, he was a man apart. In the exercise of his skill, the -appearance and the story of the Bastille Captive removed him from all -other men. He was not suspected or brought in question, any more than if -he had indeed been recalled to life some eighteen years before, or were -a Spirit moving among mortals. - - - - -V. The Wood-Sawyer - - -One year and three months. During all that time Lucie was never -sure, from hour to hour, but that the Guillotine would strike off her -husband's head next day. Every day, through the stony streets, the -tumbrils now jolted heavily, filled with Condemned. Lovely girls; bright -women, brown-haired, black-haired, and grey; youths; stalwart men and -old; gentle born and peasant born; all red wine for La Guillotine, all -daily brought into light from the dark cellars of the loathsome prisons, -and carried to her through the streets to slake her devouring thirst. -Liberty, equality, fraternity, or death;--the last, much the easiest to -bestow, O Guillotine! - -If the suddenness of her calamity, and the whirling wheels of the time, -had stunned the Doctor's daughter into awaiting the result in idle -despair, it would but have been with her as it was with many. But, from -the hour when she had taken the white head to her fresh young bosom in -the garret of Saint Antoine, she had been true to her duties. She was -truest to them in the season of trial, as all the quietly loyal and good -will always be. - -As soon as they were established in their new residence, and her father -had entered on the routine of his avocations, she arranged the little -household as exactly as if her husband had been there. Everything had -its appointed place and its appointed time. Little Lucie she taught, -as regularly, as if they had all been united in their English home. The -slight devices with which she cheated herself into the show of a belief -that they would soon be reunited--the little preparations for his speedy -return, the setting aside of his chair and his books--these, and the -solemn prayer at night for one dear prisoner especially, among the many -unhappy souls in prison and the shadow of death--were almost the only -outspoken reliefs of her heavy mind. - -She did not greatly alter in appearance. The plain dark dresses, akin to -mourning dresses, which she and her child wore, were as neat and as well -attended to as the brighter clothes of happy days. She lost her colour, -and the old and intent expression was a constant, not an occasional, -thing; otherwise, she remained very pretty and comely. Sometimes, at -night on kissing her father, she would burst into the grief she had -repressed all day, and would say that her sole reliance, under Heaven, -was on him. He always resolutely answered: “Nothing can happen to him -without my knowledge, and I know that I can save him, Lucie.” - -They had not made the round of their changed life many weeks, when her -father said to her, on coming home one evening: - -“My dear, there is an upper window in the prison, to which Charles can -sometimes gain access at three in the afternoon. When he can get to -it--which depends on many uncertainties and incidents--he might see you -in the street, he thinks, if you stood in a certain place that I can -show you. But you will not be able to see him, my poor child, and even -if you could, it would be unsafe for you to make a sign of recognition.” - -“O show me the place, my father, and I will go there every day.” - -From that time, in all weathers, she waited there two hours. As the -clock struck two, she was there, and at four she turned resignedly away. -When it was not too wet or inclement for her child to be with her, they -went together; at other times she was alone; but, she never missed a -single day. - -It was the dark and dirty corner of a small winding street. The hovel -of a cutter of wood into lengths for burning, was the only house at that -end; all else was wall. On the third day of her being there, he noticed -her. - -“Good day, citizeness.” - -“Good day, citizen.” - -This mode of address was now prescribed by decree. It had been -established voluntarily some time ago, among the more thorough patriots; -but, was now law for everybody. - -“Walking here again, citizeness?” - -“You see me, citizen!” - -The wood-sawyer, who was a little man with a redundancy of gesture (he -had once been a mender of roads), cast a glance at the prison, pointed -at the prison, and putting his ten fingers before his face to represent -bars, peeped through them jocosely. - -“But it's not my business,” said he. And went on sawing his wood. - -Next day he was looking out for her, and accosted her the moment she -appeared. - -“What? Walking here again, citizeness?” - -“Yes, citizen.” - -“Ah! A child too! Your mother, is it not, my little citizeness?” - -“Do I say yes, mamma?” whispered little Lucie, drawing close to her. - -“Yes, dearest.” - -“Yes, citizen.” - -“Ah! But it's not my business. My work is my business. See my saw! I -call it my Little Guillotine. La, la, la; La, la, la! And off his head -comes!” - -The billet fell as he spoke, and he threw it into a basket. - -“I call myself the Samson of the firewood guillotine. See here again! -Loo, loo, loo; Loo, loo, loo! And off _her_ head comes! Now, a child. -Tickle, tickle; Pickle, pickle! And off _its_ head comes. All the -family!” - -Lucie shuddered as he threw two more billets into his basket, but it was -impossible to be there while the wood-sawyer was at work, and not be in -his sight. Thenceforth, to secure his good will, she always spoke to him -first, and often gave him drink-money, which he readily received. - -He was an inquisitive fellow, and sometimes when she had quite forgotten -him in gazing at the prison roof and grates, and in lifting her heart -up to her husband, she would come to herself to find him looking at her, -with his knee on his bench and his saw stopped in its work. “But it's -not my business!” he would generally say at those times, and would -briskly fall to his sawing again. - -In all weathers, in the snow and frost of winter, in the bitter winds of -spring, in the hot sunshine of summer, in the rains of autumn, and again -in the snow and frost of winter, Lucie passed two hours of every day at -this place; and every day on leaving it, she kissed the prison wall. -Her husband saw her (so she learned from her father) it might be once in -five or six times: it might be twice or thrice running: it might be, not -for a week or a fortnight together. It was enough that he could and did -see her when the chances served, and on that possibility she would have -waited out the day, seven days a week. - -These occupations brought her round to the December month, wherein her -father walked among the terrors with a steady head. On a lightly-snowing -afternoon she arrived at the usual corner. It was a day of some wild -rejoicing, and a festival. She had seen the houses, as she came along, -decorated with little pikes, and with little red caps stuck upon them; -also, with tricoloured ribbons; also, with the standard inscription -(tricoloured letters were the favourite), Republic One and Indivisible. -Liberty, Equality, Fraternity, or Death! - -The miserable shop of the wood-sawyer was so small, that its whole -surface furnished very indifferent space for this legend. He had got -somebody to scrawl it up for him, however, who had squeezed Death in -with most inappropriate difficulty. On his house-top, he displayed pike -and cap, as a good citizen must, and in a window he had stationed his -saw inscribed as his “Little Sainte Guillotine”--for the great sharp -female was by that time popularly canonised. His shop was shut and he -was not there, which was a relief to Lucie, and left her quite alone. - -But, he was not far off, for presently she heard a troubled movement -and a shouting coming along, which filled her with fear. A moment -afterwards, and a throng of people came pouring round the corner by the -prison wall, in the midst of whom was the wood-sawyer hand in hand with -The Vengeance. There could not be fewer than five hundred people, and -they were dancing like five thousand demons. There was no other music -than their own singing. They danced to the popular Revolution song, -keeping a ferocious time that was like a gnashing of teeth in unison. -Men and women danced together, women danced together, men danced -together, as hazard had brought them together. At first, they were a -mere storm of coarse red caps and coarse woollen rags; but, as they -filled the place, and stopped to dance about Lucie, some ghastly -apparition of a dance-figure gone raving mad arose among them. They -advanced, retreated, struck at one another's hands, clutched at one -another's heads, spun round alone, caught one another and spun round -in pairs, until many of them dropped. While those were down, the rest -linked hand in hand, and all spun round together: then the ring broke, -and in separate rings of two and four they turned and turned until they -all stopped at once, began again, struck, clutched, and tore, and then -reversed the spin, and all spun round another way. Suddenly they stopped -again, paused, struck out the time afresh, formed into lines the width -of the public way, and, with their heads low down and their hands high -up, swooped screaming off. No fight could have been half so terrible -as this dance. It was so emphatically a fallen sport--a something, once -innocent, delivered over to all devilry--a healthy pastime changed into -a means of angering the blood, bewildering the senses, and steeling the -heart. Such grace as was visible in it, made it the uglier, showing how -warped and perverted all things good by nature were become. The maidenly -bosom bared to this, the pretty almost-child's head thus distracted, the -delicate foot mincing in this slough of blood and dirt, were types of -the disjointed time. - -This was the Carmagnole. As it passed, leaving Lucie frightened and -bewildered in the doorway of the wood-sawyer's house, the feathery snow -fell as quietly and lay as white and soft, as if it had never been. - -“O my father!” for he stood before her when she lifted up the eyes she -had momentarily darkened with her hand; “such a cruel, bad sight.” - -“I know, my dear, I know. I have seen it many times. Don't be -frightened! Not one of them would harm you.” - -“I am not frightened for myself, my father. But when I think of my -husband, and the mercies of these people--” - -“We will set him above their mercies very soon. I left him climbing to -the window, and I came to tell you. There is no one here to see. You may -kiss your hand towards that highest shelving roof.” - -“I do so, father, and I send him my Soul with it!” - -“You cannot see him, my poor dear?” - -“No, father,” said Lucie, yearning and weeping as she kissed her hand, -“no.” - -A footstep in the snow. Madame Defarge. “I salute you, citizeness,” - from the Doctor. “I salute you, citizen.” This in passing. Nothing more. -Madame Defarge gone, like a shadow over the white road. - -“Give me your arm, my love. Pass from here with an air of cheerfulness -and courage, for his sake. That was well done;” they had left the spot; -“it shall not be in vain. Charles is summoned for to-morrow.” - -“For to-morrow!” - -“There is no time to lose. I am well prepared, but there are precautions -to be taken, that could not be taken until he was actually summoned -before the Tribunal. He has not received the notice yet, but I know -that he will presently be summoned for to-morrow, and removed to the -Conciergerie; I have timely information. You are not afraid?” - -She could scarcely answer, “I trust in you.” - -“Do so, implicitly. Your suspense is nearly ended, my darling; he shall -be restored to you within a few hours; I have encompassed him with every -protection. I must see Lorry.” - -He stopped. There was a heavy lumbering of wheels within hearing. They -both knew too well what it meant. One. Two. Three. Three tumbrils faring -away with their dread loads over the hushing snow. - -“I must see Lorry,” the Doctor repeated, turning her another way. - -The staunch old gentleman was still in his trust; had never left it. He -and his books were in frequent requisition as to property confiscated -and made national. What he could save for the owners, he saved. No -better man living to hold fast by what Tellson's had in keeping, and to -hold his peace. - -A murky red and yellow sky, and a rising mist from the Seine, denoted -the approach of darkness. It was almost dark when they arrived at the -Bank. The stately residence of Monseigneur was altogether blighted and -deserted. Above a heap of dust and ashes in the court, ran the letters: -National Property. Republic One and Indivisible. Liberty, Equality, -Fraternity, or Death! - -Who could that be with Mr. Lorry--the owner of the riding-coat upon the -chair--who must not be seen? From whom newly arrived, did he come out, -agitated and surprised, to take his favourite in his arms? To whom did -he appear to repeat her faltering words, when, raising his voice and -turning his head towards the door of the room from which he had issued, -he said: “Removed to the Conciergerie, and summoned for to-morrow?” - - - - -VI. Triumph - - -The dread tribunal of five Judges, Public Prosecutor, and determined -Jury, sat every day. Their lists went forth every evening, and were -read out by the gaolers of the various prisons to their prisoners. The -standard gaoler-joke was, “Come out and listen to the Evening Paper, you -inside there!” - -“Charles Evremonde, called Darnay!” - -So at last began the Evening Paper at La Force. - -When a name was called, its owner stepped apart into a spot reserved -for those who were announced as being thus fatally recorded. Charles -Evremonde, called Darnay, had reason to know the usage; he had seen -hundreds pass away so. - -His bloated gaoler, who wore spectacles to read with, glanced over them -to assure himself that he had taken his place, and went through the -list, making a similar short pause at each name. There were twenty-three -names, but only twenty were responded to; for one of the prisoners so -summoned had died in gaol and been forgotten, and two had already been -guillotined and forgotten. The list was read, in the vaulted chamber -where Darnay had seen the associated prisoners on the night of his -arrival. Every one of those had perished in the massacre; every human -creature he had since cared for and parted with, had died on the -scaffold. - -There were hurried words of farewell and kindness, but the parting was -soon over. It was the incident of every day, and the society of La Force -were engaged in the preparation of some games of forfeits and a little -concert, for that evening. They crowded to the grates and shed tears -there; but, twenty places in the projected entertainments had to be -refilled, and the time was, at best, short to the lock-up hour, when the -common rooms and corridors would be delivered over to the great dogs -who kept watch there through the night. The prisoners were far from -insensible or unfeeling; their ways arose out of the condition of the -time. Similarly, though with a subtle difference, a species of fervour -or intoxication, known, without doubt, to have led some persons to -brave the guillotine unnecessarily, and to die by it, was not mere -boastfulness, but a wild infection of the wildly shaken public mind. In -seasons of pestilence, some of us will have a secret attraction to the -disease--a terrible passing inclination to die of it. And all of us have -like wonders hidden in our breasts, only needing circumstances to evoke -them. - -The passage to the Conciergerie was short and dark; the night in its -vermin-haunted cells was long and cold. Next day, fifteen prisoners were -put to the bar before Charles Darnay's name was called. All the fifteen -were condemned, and the trials of the whole occupied an hour and a half. - -“Charles Evremonde, called Darnay,” was at length arraigned. - -His judges sat upon the Bench in feathered hats; but the rough red cap -and tricoloured cockade was the head-dress otherwise prevailing. Looking -at the Jury and the turbulent audience, he might have thought that the -usual order of things was reversed, and that the felons were trying the -honest men. The lowest, cruelest, and worst populace of a city, never -without its quantity of low, cruel, and bad, were the directing -spirits of the scene: noisily commenting, applauding, disapproving, -anticipating, and precipitating the result, without a check. Of the men, -the greater part were armed in various ways; of the women, some wore -knives, some daggers, some ate and drank as they looked on, many -knitted. Among these last, was one, with a spare piece of knitting under -her arm as she worked. She was in a front row, by the side of a man whom -he had never seen since his arrival at the Barrier, but whom he directly -remembered as Defarge. He noticed that she once or twice whispered in -his ear, and that she seemed to be his wife; but, what he most noticed -in the two figures was, that although they were posted as close to -himself as they could be, they never looked towards him. They seemed to -be waiting for something with a dogged determination, and they looked at -the Jury, but at nothing else. Under the President sat Doctor Manette, -in his usual quiet dress. As well as the prisoner could see, he and Mr. -Lorry were the only men there, unconnected with the Tribunal, who -wore their usual clothes, and had not assumed the coarse garb of the -Carmagnole. - -Charles Evremonde, called Darnay, was accused by the public prosecutor -as an emigrant, whose life was forfeit to the Republic, under the decree -which banished all emigrants on pain of Death. It was nothing that the -decree bore date since his return to France. There he was, and there was -the decree; he had been taken in France, and his head was demanded. - -“Take off his head!” cried the audience. “An enemy to the Republic!” - -The President rang his bell to silence those cries, and asked the -prisoner whether it was not true that he had lived many years in -England? - -Undoubtedly it was. - -Was he not an emigrant then? What did he call himself? - -Not an emigrant, he hoped, within the sense and spirit of the law. - -Why not? the President desired to know. - -Because he had voluntarily relinquished a title that was distasteful -to him, and a station that was distasteful to him, and had left -his country--he submitted before the word emigrant in the present -acceptation by the Tribunal was in use--to live by his own industry in -England, rather than on the industry of the overladen people of France. - -What proof had he of this? - -He handed in the names of two witnesses; Theophile Gabelle, and -Alexandre Manette. - -But he had married in England? the President reminded him. - -True, but not an English woman. - -A citizeness of France? - -Yes. By birth. - -Her name and family? - -“Lucie Manette, only daughter of Doctor Manette, the good physician who -sits there.” - -This answer had a happy effect upon the audience. Cries in exaltation -of the well-known good physician rent the hall. So capriciously were -the people moved, that tears immediately rolled down several ferocious -countenances which had been glaring at the prisoner a moment before, as -if with impatience to pluck him out into the streets and kill him. - -On these few steps of his dangerous way, Charles Darnay had set his foot -according to Doctor Manette's reiterated instructions. The same cautious -counsel directed every step that lay before him, and had prepared every -inch of his road. - -The President asked, why had he returned to France when he did, and not -sooner? - -He had not returned sooner, he replied, simply because he had no means -of living in France, save those he had resigned; whereas, in England, -he lived by giving instruction in the French language and literature. -He had returned when he did, on the pressing and written entreaty of -a French citizen, who represented that his life was endangered by his -absence. He had come back, to save a citizen's life, and to bear his -testimony, at whatever personal hazard, to the truth. Was that criminal -in the eyes of the Republic? - -The populace cried enthusiastically, “No!” and the President rang his -bell to quiet them. Which it did not, for they continued to cry “No!” - until they left off, of their own will. - -The President required the name of that citizen. The accused explained -that the citizen was his first witness. He also referred with confidence -to the citizen's letter, which had been taken from him at the Barrier, -but which he did not doubt would be found among the papers then before -the President. - -The Doctor had taken care that it should be there--had assured him that -it would be there--and at this stage of the proceedings it was produced -and read. Citizen Gabelle was called to confirm it, and did so. Citizen -Gabelle hinted, with infinite delicacy and politeness, that in the -pressure of business imposed on the Tribunal by the multitude of -enemies of the Republic with which it had to deal, he had been slightly -overlooked in his prison of the Abbaye--in fact, had rather passed out -of the Tribunal's patriotic remembrance--until three days ago; when he -had been summoned before it, and had been set at liberty on the Jury's -declaring themselves satisfied that the accusation against him was -answered, as to himself, by the surrender of the citizen Evremonde, -called Darnay. - -Doctor Manette was next questioned. His high personal popularity, -and the clearness of his answers, made a great impression; but, as he -proceeded, as he showed that the Accused was his first friend on his -release from his long imprisonment; that, the accused had remained in -England, always faithful and devoted to his daughter and himself in -their exile; that, so far from being in favour with the Aristocrat -government there, he had actually been tried for his life by it, as -the foe of England and friend of the United States--as he brought these -circumstances into view, with the greatest discretion and with the -straightforward force of truth and earnestness, the Jury and the -populace became one. At last, when he appealed by name to Monsieur -Lorry, an English gentleman then and there present, who, like himself, -had been a witness on that English trial and could corroborate his -account of it, the Jury declared that they had heard enough, and that -they were ready with their votes if the President were content to -receive them. - -At every vote (the Jurymen voted aloud and individually), the populace -set up a shout of applause. All the voices were in the prisoner's -favour, and the President declared him free. - -Then, began one of those extraordinary scenes with which the populace -sometimes gratified their fickleness, or their better impulses towards -generosity and mercy, or which they regarded as some set-off against -their swollen account of cruel rage. No man can decide now to which of -these motives such extraordinary scenes were referable; it is probable, -to a blending of all the three, with the second predominating. No sooner -was the acquittal pronounced, than tears were shed as freely as blood -at another time, and such fraternal embraces were bestowed upon the -prisoner by as many of both sexes as could rush at him, that after -his long and unwholesome confinement he was in danger of fainting from -exhaustion; none the less because he knew very well, that the very same -people, carried by another current, would have rushed at him with -the very same intensity, to rend him to pieces and strew him over the -streets. - -His removal, to make way for other accused persons who were to be tried, -rescued him from these caresses for the moment. Five were to be tried -together, next, as enemies of the Republic, forasmuch as they had not -assisted it by word or deed. So quick was the Tribunal to compensate -itself and the nation for a chance lost, that these five came down to -him before he left the place, condemned to die within twenty-four -hours. The first of them told him so, with the customary prison sign -of Death--a raised finger--and they all added in words, “Long live the -Republic!” - -The five had had, it is true, no audience to lengthen their proceedings, -for when he and Doctor Manette emerged from the gate, there was a great -crowd about it, in which there seemed to be every face he had seen in -Court--except two, for which he looked in vain. On his coming out, the -concourse made at him anew, weeping, embracing, and shouting, all by -turns and all together, until the very tide of the river on the bank of -which the mad scene was acted, seemed to run mad, like the people on the -shore. - -They put him into a great chair they had among them, and which they had -taken either out of the Court itself, or one of its rooms or passages. -Over the chair they had thrown a red flag, and to the back of it they -had bound a pike with a red cap on its top. In this car of triumph, not -even the Doctor's entreaties could prevent his being carried to his home -on men's shoulders, with a confused sea of red caps heaving about him, -and casting up to sight from the stormy deep such wrecks of faces, that -he more than once misdoubted his mind being in confusion, and that he -was in the tumbril on his way to the Guillotine. - -In wild dreamlike procession, embracing whom they met and pointing -him out, they carried him on. Reddening the snowy streets with the -prevailing Republican colour, in winding and tramping through them, as -they had reddened them below the snow with a deeper dye, they carried -him thus into the courtyard of the building where he lived. Her father -had gone on before, to prepare her, and when her husband stood upon his -feet, she dropped insensible in his arms. - -As he held her to his heart and turned her beautiful head between his -face and the brawling crowd, so that his tears and her lips might come -together unseen, a few of the people fell to dancing. Instantly, all the -rest fell to dancing, and the courtyard overflowed with the Carmagnole. -Then, they elevated into the vacant chair a young woman from the -crowd to be carried as the Goddess of Liberty, and then swelling and -overflowing out into the adjacent streets, and along the river's bank, -and over the bridge, the Carmagnole absorbed them every one and whirled -them away. - -After grasping the Doctor's hand, as he stood victorious and proud -before him; after grasping the hand of Mr. Lorry, who came panting in -breathless from his struggle against the waterspout of the Carmagnole; -after kissing little Lucie, who was lifted up to clasp her arms round -his neck; and after embracing the ever zealous and faithful Pross who -lifted her; he took his wife in his arms, and carried her up to their -rooms. - -“Lucie! My own! I am safe.” - -“O dearest Charles, let me thank God for this on my knees as I have -prayed to Him.” - -They all reverently bowed their heads and hearts. When she was again in -his arms, he said to her: - -“And now speak to your father, dearest. No other man in all this France -could have done what he has done for me.” - -She laid her head upon her father's breast, as she had laid his poor -head on her own breast, long, long ago. He was happy in the return he -had made her, he was recompensed for his suffering, he was proud of his -strength. “You must not be weak, my darling,” he remonstrated; “don't -tremble so. I have saved him.” - - - - -VII. A Knock at the Door - - -“I have saved him.” It was not another of the dreams in which he had -often come back; he was really here. And yet his wife trembled, and a -vague but heavy fear was upon her. - -All the air round was so thick and dark, the people were so passionately -revengeful and fitful, the innocent were so constantly put to death on -vague suspicion and black malice, it was so impossible to forget that -many as blameless as her husband and as dear to others as he was to -her, every day shared the fate from which he had been clutched, that her -heart could not be as lightened of its load as she felt it ought to be. -The shadows of the wintry afternoon were beginning to fall, and even now -the dreadful carts were rolling through the streets. Her mind pursued -them, looking for him among the Condemned; and then she clung closer to -his real presence and trembled more. - -Her father, cheering her, showed a compassionate superiority to this -woman's weakness, which was wonderful to see. No garret, no shoemaking, -no One Hundred and Five, North Tower, now! He had accomplished the task -he had set himself, his promise was redeemed, he had saved Charles. Let -them all lean upon him. - -Their housekeeping was of a very frugal kind: not only because that was -the safest way of life, involving the least offence to the people, but -because they were not rich, and Charles, throughout his imprisonment, -had had to pay heavily for his bad food, and for his guard, and towards -the living of the poorer prisoners. Partly on this account, and -partly to avoid a domestic spy, they kept no servant; the citizen and -citizeness who acted as porters at the courtyard gate, rendered them -occasional service; and Jerry (almost wholly transferred to them by -Mr. Lorry) had become their daily retainer, and had his bed there every -night. - -It was an ordinance of the Republic One and Indivisible of Liberty, -Equality, Fraternity, or Death, that on the door or doorpost of every -house, the name of every inmate must be legibly inscribed in letters -of a certain size, at a certain convenient height from the ground. Mr. -Jerry Cruncher's name, therefore, duly embellished the doorpost down -below; and, as the afternoon shadows deepened, the owner of that name -himself appeared, from overlooking a painter whom Doctor Manette had -employed to add to the list the name of Charles Evremonde, called -Darnay. - -In the universal fear and distrust that darkened the time, all the usual -harmless ways of life were changed. In the Doctor's little household, as -in very many others, the articles of daily consumption that were wanted -were purchased every evening, in small quantities and at various small -shops. To avoid attracting notice, and to give as little occasion as -possible for talk and envy, was the general desire. - -For some months past, Miss Pross and Mr. Cruncher had discharged the -office of purveyors; the former carrying the money; the latter, the -basket. Every afternoon at about the time when the public lamps were -lighted, they fared forth on this duty, and made and brought home -such purchases as were needful. Although Miss Pross, through her long -association with a French family, might have known as much of their -language as of her own, if she had had a mind, she had no mind in that -direction; consequently she knew no more of that “nonsense” (as she was -pleased to call it) than Mr. Cruncher did. So her manner of marketing -was to plump a noun-substantive at the head of a shopkeeper without any -introduction in the nature of an article, and, if it happened not to be -the name of the thing she wanted, to look round for that thing, lay hold -of it, and hold on by it until the bargain was concluded. She always -made a bargain for it, by holding up, as a statement of its just price, -one finger less than the merchant held up, whatever his number might be. - -“Now, Mr. Cruncher,” said Miss Pross, whose eyes were red with felicity; -“if you are ready, I am.” - -Jerry hoarsely professed himself at Miss Pross's service. He had worn -all his rust off long ago, but nothing would file his spiky head down. - -“There's all manner of things wanted,” said Miss Pross, “and we shall -have a precious time of it. We want wine, among the rest. Nice toasts -these Redheads will be drinking, wherever we buy it.” - -“It will be much the same to your knowledge, miss, I should think,” - retorted Jerry, “whether they drink your health or the Old Un's.” - -“Who's he?” said Miss Pross. - -Mr. Cruncher, with some diffidence, explained himself as meaning “Old -Nick's.” - -“Ha!” said Miss Pross, “it doesn't need an interpreter to explain the -meaning of these creatures. They have but one, and it's Midnight Murder, -and Mischief.” - -“Hush, dear! Pray, pray, be cautious!” cried Lucie. - -“Yes, yes, yes, I'll be cautious,” said Miss Pross; “but I may say -among ourselves, that I do hope there will be no oniony and tobaccoey -smotherings in the form of embracings all round, going on in the -streets. Now, Ladybird, never you stir from that fire till I come back! -Take care of the dear husband you have recovered, and don't move your -pretty head from his shoulder as you have it now, till you see me again! -May I ask a question, Doctor Manette, before I go?” - -“I think you may take that liberty,” the Doctor answered, smiling. - -“For gracious sake, don't talk about Liberty; we have quite enough of -that,” said Miss Pross. - -“Hush, dear! Again?” Lucie remonstrated. - -“Well, my sweet,” said Miss Pross, nodding her head emphatically, “the -short and the long of it is, that I am a subject of His Most Gracious -Majesty King George the Third;” Miss Pross curtseyed at the name; “and -as such, my maxim is, Confound their politics, Frustrate their knavish -tricks, On him our hopes we fix, God save the King!” - -Mr. Cruncher, in an access of loyalty, growlingly repeated the words -after Miss Pross, like somebody at church. - -“I am glad you have so much of the Englishman in you, though I wish you -had never taken that cold in your voice,” said Miss Pross, approvingly. -“But the question, Doctor Manette. Is there”--it was the good creature's -way to affect to make light of anything that was a great anxiety -with them all, and to come at it in this chance manner--“is there any -prospect yet, of our getting out of this place?” - -“I fear not yet. It would be dangerous for Charles yet.” - -“Heigh-ho-hum!” said Miss Pross, cheerfully repressing a sigh as she -glanced at her darling's golden hair in the light of the fire, “then we -must have patience and wait: that's all. We must hold up our heads and -fight low, as my brother Solomon used to say. Now, Mr. Cruncher!--Don't -you move, Ladybird!” - -They went out, leaving Lucie, and her husband, her father, and the -child, by a bright fire. Mr. Lorry was expected back presently from the -Banking House. Miss Pross had lighted the lamp, but had put it aside in -a corner, that they might enjoy the fire-light undisturbed. Little Lucie -sat by her grandfather with her hands clasped through his arm: and he, -in a tone not rising much above a whisper, began to tell her a story of -a great and powerful Fairy who had opened a prison-wall and let out -a captive who had once done the Fairy a service. All was subdued and -quiet, and Lucie was more at ease than she had been. - -“What is that?” she cried, all at once. - -“My dear!” said her father, stopping in his story, and laying his hand -on hers, “command yourself. What a disordered state you are in! The -least thing--nothing--startles you! _You_, your father's daughter!” - -“I thought, my father,” said Lucie, excusing herself, with a pale face -and in a faltering voice, “that I heard strange feet upon the stairs.” - -“My love, the staircase is as still as Death.” - -As he said the word, a blow was struck upon the door. - -“Oh father, father. What can this be! Hide Charles. Save him!” - -“My child,” said the Doctor, rising, and laying his hand upon her -shoulder, “I _have_ saved him. What weakness is this, my dear! Let me go -to the door.” - -He took the lamp in his hand, crossed the two intervening outer rooms, -and opened it. A rude clattering of feet over the floor, and four rough -men in red caps, armed with sabres and pistols, entered the room. - -“The Citizen Evremonde, called Darnay,” said the first. - -“Who seeks him?” answered Darnay. - -“I seek him. We seek him. I know you, Evremonde; I saw you before the -Tribunal to-day. You are again the prisoner of the Republic.” - -The four surrounded him, where he stood with his wife and child clinging -to him. - -“Tell me how and why am I again a prisoner?” - -“It is enough that you return straight to the Conciergerie, and will -know to-morrow. You are summoned for to-morrow.” - -Doctor Manette, whom this visitation had so turned into stone, that he -stood with the lamp in his hand, as if he were a statue made to hold it, -moved after these words were spoken, put the lamp down, and confronting -the speaker, and taking him, not ungently, by the loose front of his red -woollen shirt, said: - -“You know him, you have said. Do you know me?” - -“Yes, I know you, Citizen Doctor.” - -“We all know you, Citizen Doctor,” said the other three. - -He looked abstractedly from one to another, and said, in a lower voice, -after a pause: - -“Will you answer his question to me then? How does this happen?” - -“Citizen Doctor,” said the first, reluctantly, “he has been denounced to -the Section of Saint Antoine. This citizen,” pointing out the second who -had entered, “is from Saint Antoine.” - -The citizen here indicated nodded his head, and added: - -“He is accused by Saint Antoine.” - -“Of what?” asked the Doctor. - -“Citizen Doctor,” said the first, with his former reluctance, “ask no -more. If the Republic demands sacrifices from you, without doubt you as -a good patriot will be happy to make them. The Republic goes before all. -The People is supreme. Evremonde, we are pressed.” - -“One word,” the Doctor entreated. “Will you tell me who denounced him?” - -“It is against rule,” answered the first; “but you can ask Him of Saint -Antoine here.” - -The Doctor turned his eyes upon that man. Who moved uneasily on his -feet, rubbed his beard a little, and at length said: - -“Well! Truly it is against rule. But he is denounced--and gravely--by -the Citizen and Citizeness Defarge. And by one other.” - -“What other?” - -“Do _you_ ask, Citizen Doctor?” - -“Yes.” - -“Then,” said he of Saint Antoine, with a strange look, “you will be -answered to-morrow. Now, I am dumb!” - - - - -VIII. A Hand at Cards - - -Happily unconscious of the new calamity at home, Miss Pross threaded her -way along the narrow streets and crossed the river by the bridge of the -Pont-Neuf, reckoning in her mind the number of indispensable purchases -she had to make. Mr. Cruncher, with the basket, walked at her side. They -both looked to the right and to the left into most of the shops they -passed, had a wary eye for all gregarious assemblages of people, and -turned out of their road to avoid any very excited group of talkers. It -was a raw evening, and the misty river, blurred to the eye with blazing -lights and to the ear with harsh noises, showed where the barges were -stationed in which the smiths worked, making guns for the Army of the -Republic. Woe to the man who played tricks with _that_ Army, or got -undeserved promotion in it! Better for him that his beard had never -grown, for the National Razor shaved him close. - -Having purchased a few small articles of grocery, and a measure of oil -for the lamp, Miss Pross bethought herself of the wine they wanted. -After peeping into several wine-shops, she stopped at the sign of the -Good Republican Brutus of Antiquity, not far from the National Palace, -once (and twice) the Tuileries, where the aspect of things rather -took her fancy. It had a quieter look than any other place of the same -description they had passed, and, though red with patriotic caps, was -not so red as the rest. Sounding Mr. Cruncher, and finding him of her -opinion, Miss Pross resorted to the Good Republican Brutus of Antiquity, -attended by her cavalier. - -Slightly observant of the smoky lights; of the people, pipe in mouth, -playing with limp cards and yellow dominoes; of the one bare-breasted, -bare-armed, soot-begrimed workman reading a journal aloud, and of -the others listening to him; of the weapons worn, or laid aside to be -resumed; of the two or three customers fallen forward asleep, who in the -popular high-shouldered shaggy black spencer looked, in that attitude, -like slumbering bears or dogs; the two outlandish customers approached -the counter, and showed what they wanted. - -As their wine was measuring out, a man parted from another man in a -corner, and rose to depart. In going, he had to face Miss Pross. No -sooner did he face her, than Miss Pross uttered a scream, and clapped -her hands. - -In a moment, the whole company were on their feet. That somebody was -assassinated by somebody vindicating a difference of opinion was the -likeliest occurrence. Everybody looked to see somebody fall, but only -saw a man and a woman standing staring at each other; the man with all -the outward aspect of a Frenchman and a thorough Republican; the woman, -evidently English. - -What was said in this disappointing anti-climax, by the disciples of the -Good Republican Brutus of Antiquity, except that it was something very -voluble and loud, would have been as so much Hebrew or Chaldean to Miss -Pross and her protector, though they had been all ears. But, they had no -ears for anything in their surprise. For, it must be recorded, that -not only was Miss Pross lost in amazement and agitation, but, -Mr. Cruncher--though it seemed on his own separate and individual -account--was in a state of the greatest wonder. - -“What is the matter?” said the man who had caused Miss Pross to scream; -speaking in a vexed, abrupt voice (though in a low tone), and in -English. - -“Oh, Solomon, dear Solomon!” cried Miss Pross, clapping her hands again. -“After not setting eyes upon you or hearing of you for so long a time, -do I find you here!” - -“Don't call me Solomon. Do you want to be the death of me?” asked the -man, in a furtive, frightened way. - -“Brother, brother!” cried Miss Pross, bursting into tears. “Have I ever -been so hard with you that you ask me such a cruel question?” - -“Then hold your meddlesome tongue,” said Solomon, “and come out, if you -want to speak to me. Pay for your wine, and come out. Who's this man?” - -Miss Pross, shaking her loving and dejected head at her by no means -affectionate brother, said through her tears, “Mr. Cruncher.” - -“Let him come out too,” said Solomon. “Does he think me a ghost?” - -Apparently, Mr. Cruncher did, to judge from his looks. He said not a -word, however, and Miss Pross, exploring the depths of her reticule -through her tears with great difficulty paid for her wine. As she did -so, Solomon turned to the followers of the Good Republican Brutus -of Antiquity, and offered a few words of explanation in the French -language, which caused them all to relapse into their former places and -pursuits. - -“Now,” said Solomon, stopping at the dark street corner, “what do you -want?” - -“How dreadfully unkind in a brother nothing has ever turned my love away -from!” cried Miss Pross, “to give me such a greeting, and show me no -affection.” - -“There. Confound it! There,” said Solomon, making a dab at Miss Pross's -lips with his own. “Now are you content?” - -Miss Pross only shook her head and wept in silence. - -“If you expect me to be surprised,” said her brother Solomon, “I am not -surprised; I knew you were here; I know of most people who are here. If -you really don't want to endanger my existence--which I half believe you -do--go your ways as soon as possible, and let me go mine. I am busy. I -am an official.” - -“My English brother Solomon,” mourned Miss Pross, casting up her -tear-fraught eyes, “that had the makings in him of one of the best and -greatest of men in his native country, an official among foreigners, and -such foreigners! I would almost sooner have seen the dear boy lying in -his--” - -“I said so!” cried her brother, interrupting. “I knew it. You want to be -the death of me. I shall be rendered Suspected, by my own sister. Just -as I am getting on!” - -“The gracious and merciful Heavens forbid!” cried Miss Pross. “Far -rather would I never see you again, dear Solomon, though I have ever -loved you truly, and ever shall. Say but one affectionate word to me, -and tell me there is nothing angry or estranged between us, and I will -detain you no longer.” - -Good Miss Pross! As if the estrangement between them had come of any -culpability of hers. As if Mr. Lorry had not known it for a fact, years -ago, in the quiet corner in Soho, that this precious brother had spent -her money and left her! - -He was saying the affectionate word, however, with a far more grudging -condescension and patronage than he could have shown if their relative -merits and positions had been reversed (which is invariably the case, -all the world over), when Mr. Cruncher, touching him on the shoulder, -hoarsely and unexpectedly interposed with the following singular -question: - -“I say! Might I ask the favour? As to whether your name is John Solomon, -or Solomon John?” - -The official turned towards him with sudden distrust. He had not -previously uttered a word. - -“Come!” said Mr. Cruncher. “Speak out, you know.” (Which, by the way, -was more than he could do himself.) “John Solomon, or Solomon John? She -calls you Solomon, and she must know, being your sister. And _I_ know -you're John, you know. Which of the two goes first? And regarding that -name of Pross, likewise. That warn't your name over the water.” - -“What do you mean?” - -“Well, I don't know all I mean, for I can't call to mind what your name -was, over the water.” - -“No?” - -“No. But I'll swear it was a name of two syllables.” - -“Indeed?” - -“Yes. T'other one's was one syllable. I know you. You was a spy--witness -at the Bailey. What, in the name of the Father of Lies, own father to -yourself, was you called at that time?” - -“Barsad,” said another voice, striking in. - -“That's the name for a thousand pound!” cried Jerry. - -The speaker who struck in, was Sydney Carton. He had his hands behind -him under the skirts of his riding-coat, and he stood at Mr. Cruncher's -elbow as negligently as he might have stood at the Old Bailey itself. - -“Don't be alarmed, my dear Miss Pross. I arrived at Mr. Lorry's, to his -surprise, yesterday evening; we agreed that I would not present myself -elsewhere until all was well, or unless I could be useful; I present -myself here, to beg a little talk with your brother. I wish you had a -better employed brother than Mr. Barsad. I wish for your sake Mr. Barsad -was not a Sheep of the Prisons.” - -Sheep was a cant word of the time for a spy, under the gaolers. The spy, -who was pale, turned paler, and asked him how he dared-- - -“I'll tell you,” said Sydney. “I lighted on you, Mr. Barsad, coming out -of the prison of the Conciergerie while I was contemplating the walls, -an hour or more ago. You have a face to be remembered, and I remember -faces well. Made curious by seeing you in that connection, and having -a reason, to which you are no stranger, for associating you with -the misfortunes of a friend now very unfortunate, I walked in your -direction. I walked into the wine-shop here, close after you, and -sat near you. I had no difficulty in deducing from your unreserved -conversation, and the rumour openly going about among your admirers, the -nature of your calling. And gradually, what I had done at random, seemed -to shape itself into a purpose, Mr. Barsad.” - -“What purpose?” the spy asked. - -“It would be troublesome, and might be dangerous, to explain in the -street. Could you favour me, in confidence, with some minutes of your -company--at the office of Tellson's Bank, for instance?” - -“Under a threat?” - -“Oh! Did I say that?” - -“Then, why should I go there?” - -“Really, Mr. Barsad, I can't say, if you can't.” - -“Do you mean that you won't say, sir?” the spy irresolutely asked. - -“You apprehend me very clearly, Mr. Barsad. I won't.” - -Carton's negligent recklessness of manner came powerfully in aid of his -quickness and skill, in such a business as he had in his secret mind, -and with such a man as he had to do with. His practised eye saw it, and -made the most of it. - -“Now, I told you so,” said the spy, casting a reproachful look at his -sister; “if any trouble comes of this, it's your doing.” - -“Come, come, Mr. Barsad!” exclaimed Sydney. “Don't be ungrateful. -But for my great respect for your sister, I might not have led up so -pleasantly to a little proposal that I wish to make for our mutual -satisfaction. Do you go with me to the Bank?” - -“I'll hear what you have got to say. Yes, I'll go with you.” - -“I propose that we first conduct your sister safely to the corner of her -own street. Let me take your arm, Miss Pross. This is not a good city, -at this time, for you to be out in, unprotected; and as your escort -knows Mr. Barsad, I will invite him to Mr. Lorry's with us. Are we -ready? Come then!” - -Miss Pross recalled soon afterwards, and to the end of her life -remembered, that as she pressed her hands on Sydney's arm and looked up -in his face, imploring him to do no hurt to Solomon, there was a braced -purpose in the arm and a kind of inspiration in the eyes, which not only -contradicted his light manner, but changed and raised the man. She was -too much occupied then with fears for the brother who so little deserved -her affection, and with Sydney's friendly reassurances, adequately to -heed what she observed. - -They left her at the corner of the street, and Carton led the way to Mr. -Lorry's, which was within a few minutes' walk. John Barsad, or Solomon -Pross, walked at his side. - -Mr. Lorry had just finished his dinner, and was sitting before a cheery -little log or two of fire--perhaps looking into their blaze for the -picture of that younger elderly gentleman from Tellson's, who had looked -into the red coals at the Royal George at Dover, now a good many years -ago. He turned his head as they entered, and showed the surprise with -which he saw a stranger. - -“Miss Pross's brother, sir,” said Sydney. “Mr. Barsad.” - -“Barsad?” repeated the old gentleman, “Barsad? I have an association -with the name--and with the face.” - -“I told you you had a remarkable face, Mr. Barsad,” observed Carton, -coolly. “Pray sit down.” - -As he took a chair himself, he supplied the link that Mr. Lorry wanted, -by saying to him with a frown, “Witness at that trial.” Mr. Lorry -immediately remembered, and regarded his new visitor with an undisguised -look of abhorrence. - -“Mr. Barsad has been recognised by Miss Pross as the affectionate -brother you have heard of,” said Sydney, “and has acknowledged the -relationship. I pass to worse news. Darnay has been arrested again.” - -Struck with consternation, the old gentleman exclaimed, “What do you -tell me! I left him safe and free within these two hours, and am about -to return to him!” - -“Arrested for all that. When was it done, Mr. Barsad?” - -“Just now, if at all.” - -“Mr. Barsad is the best authority possible, sir,” said Sydney, “and I -have it from Mr. Barsad's communication to a friend and brother Sheep -over a bottle of wine, that the arrest has taken place. He left the -messengers at the gate, and saw them admitted by the porter. There is no -earthly doubt that he is retaken.” - -Mr. Lorry's business eye read in the speaker's face that it was loss -of time to dwell upon the point. Confused, but sensible that something -might depend on his presence of mind, he commanded himself, and was -silently attentive. - -“Now, I trust,” said Sydney to him, “that the name and influence of -Doctor Manette may stand him in as good stead to-morrow--you said he -would be before the Tribunal again to-morrow, Mr. Barsad?--” - -“Yes; I believe so.” - -“--In as good stead to-morrow as to-day. But it may not be so. I own -to you, I am shaken, Mr. Lorry, by Doctor Manette's not having had the -power to prevent this arrest.” - -“He may not have known of it beforehand,” said Mr. Lorry. - -“But that very circumstance would be alarming, when we remember how -identified he is with his son-in-law.” - -“That's true,” Mr. Lorry acknowledged, with his troubled hand at his -chin, and his troubled eyes on Carton. - -“In short,” said Sydney, “this is a desperate time, when desperate games -are played for desperate stakes. Let the Doctor play the winning game; I -will play the losing one. No man's life here is worth purchase. Any one -carried home by the people to-day, may be condemned tomorrow. Now, the -stake I have resolved to play for, in case of the worst, is a friend -in the Conciergerie. And the friend I purpose to myself to win, is Mr. -Barsad.” - -“You need have good cards, sir,” said the spy. - -“I'll run them over. I'll see what I hold,--Mr. Lorry, you know what a -brute I am; I wish you'd give me a little brandy.” - -It was put before him, and he drank off a glassful--drank off another -glassful--pushed the bottle thoughtfully away. - -“Mr. Barsad,” he went on, in the tone of one who really was looking -over a hand at cards: “Sheep of the prisons, emissary of Republican -committees, now turnkey, now prisoner, always spy and secret informer, -so much the more valuable here for being English that an Englishman -is less open to suspicion of subornation in those characters than a -Frenchman, represents himself to his employers under a false name. -That's a very good card. Mr. Barsad, now in the employ of the republican -French government, was formerly in the employ of the aristocratic -English government, the enemy of France and freedom. That's an excellent -card. Inference clear as day in this region of suspicion, that Mr. -Barsad, still in the pay of the aristocratic English government, is the -spy of Pitt, the treacherous foe of the Republic crouching in its bosom, -the English traitor and agent of all mischief so much spoken of and so -difficult to find. That's a card not to be beaten. Have you followed my -hand, Mr. Barsad?” - -“Not to understand your play,” returned the spy, somewhat uneasily. - -“I play my Ace, Denunciation of Mr. Barsad to the nearest Section -Committee. Look over your hand, Mr. Barsad, and see what you have. Don't -hurry.” - -He drew the bottle near, poured out another glassful of brandy, and -drank it off. He saw that the spy was fearful of his drinking himself -into a fit state for the immediate denunciation of him. Seeing it, he -poured out and drank another glassful. - -“Look over your hand carefully, Mr. Barsad. Take time.” - -It was a poorer hand than he suspected. Mr. Barsad saw losing cards -in it that Sydney Carton knew nothing of. Thrown out of his honourable -employment in England, through too much unsuccessful hard swearing -there--not because he was not wanted there; our English reasons for -vaunting our superiority to secrecy and spies are of very modern -date--he knew that he had crossed the Channel, and accepted service in -France: first, as a tempter and an eavesdropper among his own countrymen -there: gradually, as a tempter and an eavesdropper among the natives. He -knew that under the overthrown government he had been a spy upon Saint -Antoine and Defarge's wine-shop; had received from the watchful police -such heads of information concerning Doctor Manette's imprisonment, -release, and history, as should serve him for an introduction to -familiar conversation with the Defarges; and tried them on Madame -Defarge, and had broken down with them signally. He always remembered -with fear and trembling, that that terrible woman had knitted when he -talked with her, and had looked ominously at him as her fingers moved. -He had since seen her, in the Section of Saint Antoine, over and over -again produce her knitted registers, and denounce people whose lives the -guillotine then surely swallowed up. He knew, as every one employed as -he was did, that he was never safe; that flight was impossible; that -he was tied fast under the shadow of the axe; and that in spite of -his utmost tergiversation and treachery in furtherance of the reigning -terror, a word might bring it down upon him. Once denounced, and on such -grave grounds as had just now been suggested to his mind, he foresaw -that the dreadful woman of whose unrelenting character he had seen many -proofs, would produce against him that fatal register, and would quash -his last chance of life. Besides that all secret men are men soon -terrified, here were surely cards enough of one black suit, to justify -the holder in growing rather livid as he turned them over. - -“You scarcely seem to like your hand,” said Sydney, with the greatest -composure. “Do you play?” - -“I think, sir,” said the spy, in the meanest manner, as he turned to Mr. -Lorry, “I may appeal to a gentleman of your years and benevolence, to -put it to this other gentleman, so much your junior, whether he can -under any circumstances reconcile it to his station to play that Ace -of which he has spoken. I admit that _I_ am a spy, and that it is -considered a discreditable station--though it must be filled by -somebody; but this gentleman is no spy, and why should he so demean -himself as to make himself one?” - -“I play my Ace, Mr. Barsad,” said Carton, taking the answer on himself, -and looking at his watch, “without any scruple, in a very few minutes.” - -“I should have hoped, gentlemen both,” said the spy, always striving to -hook Mr. Lorry into the discussion, “that your respect for my sister--” - -“I could not better testify my respect for your sister than by finally -relieving her of her brother,” said Sydney Carton. - -“You think not, sir?” - -“I have thoroughly made up my mind about it.” - -The smooth manner of the spy, curiously in dissonance with his -ostentatiously rough dress, and probably with his usual demeanour, -received such a check from the inscrutability of Carton,--who was a -mystery to wiser and honester men than he,--that it faltered here and -failed him. While he was at a loss, Carton said, resuming his former air -of contemplating cards: - -“And indeed, now I think again, I have a strong impression that I -have another good card here, not yet enumerated. That friend and -fellow-Sheep, who spoke of himself as pasturing in the country prisons; -who was he?” - -“French. You don't know him,” said the spy, quickly. - -“French, eh?” repeated Carton, musing, and not appearing to notice him -at all, though he echoed his word. “Well; he may be.” - -“Is, I assure you,” said the spy; “though it's not important.” - -“Though it's not important,” repeated Carton, in the same mechanical -way--“though it's not important--No, it's not important. No. Yet I know -the face.” - -“I think not. I am sure not. It can't be,” said the spy. - -“It-can't-be,” muttered Sydney Carton, retrospectively, and idling his -glass (which fortunately was a small one) again. “Can't-be. Spoke good -French. Yet like a foreigner, I thought?” - -“Provincial,” said the spy. - -“No. Foreign!” cried Carton, striking his open hand on the table, as a -light broke clearly on his mind. “Cly! Disguised, but the same man. We -had that man before us at the Old Bailey.” - -“Now, there you are hasty, sir,” said Barsad, with a smile that gave his -aquiline nose an extra inclination to one side; “there you really give -me an advantage over you. Cly (who I will unreservedly admit, at this -distance of time, was a partner of mine) has been dead several years. I -attended him in his last illness. He was buried in London, at the church -of Saint Pancras-in-the-Fields. His unpopularity with the blackguard -multitude at the moment prevented my following his remains, but I helped -to lay him in his coffin.” - -Here, Mr. Lorry became aware, from where he sat, of a most remarkable -goblin shadow on the wall. Tracing it to its source, he discovered it -to be caused by a sudden extraordinary rising and stiffening of all the -risen and stiff hair on Mr. Cruncher's head. - -“Let us be reasonable,” said the spy, “and let us be fair. To show you -how mistaken you are, and what an unfounded assumption yours is, I will -lay before you a certificate of Cly's burial, which I happened to have -carried in my pocket-book,” with a hurried hand he produced and opened -it, “ever since. There it is. Oh, look at it, look at it! You may take -it in your hand; it's no forgery.” - -Here, Mr. Lorry perceived the reflection on the wall to elongate, and -Mr. Cruncher rose and stepped forward. His hair could not have been more -violently on end, if it had been that moment dressed by the Cow with the -crumpled horn in the house that Jack built. - -Unseen by the spy, Mr. Cruncher stood at his side, and touched him on -the shoulder like a ghostly bailiff. - -“That there Roger Cly, master,” said Mr. Cruncher, with a taciturn and -iron-bound visage. “So _you_ put him in his coffin?” - -“I did.” - -“Who took him out of it?” - -Barsad leaned back in his chair, and stammered, “What do you mean?” - -“I mean,” said Mr. Cruncher, “that he warn't never in it. No! Not he! -I'll have my head took off, if he was ever in it.” - -The spy looked round at the two gentlemen; they both looked in -unspeakable astonishment at Jerry. - -“I tell you,” said Jerry, “that you buried paving-stones and earth in -that there coffin. Don't go and tell me that you buried Cly. It was a -take in. Me and two more knows it.” - -“How do you know it?” - -“What's that to you? Ecod!” growled Mr. Cruncher, “it's you I have got a -old grudge again, is it, with your shameful impositions upon tradesmen! -I'd catch hold of your throat and choke you for half a guinea.” - -Sydney Carton, who, with Mr. Lorry, had been lost in amazement at -this turn of the business, here requested Mr. Cruncher to moderate and -explain himself. - -“At another time, sir,” he returned, evasively, “the present time is -ill-conwenient for explainin'. What I stand to, is, that he knows well -wot that there Cly was never in that there coffin. Let him say he was, -in so much as a word of one syllable, and I'll either catch hold of his -throat and choke him for half a guinea;” Mr. Cruncher dwelt upon this as -quite a liberal offer; “or I'll out and announce him.” - -“Humph! I see one thing,” said Carton. “I hold another card, Mr. Barsad. -Impossible, here in raging Paris, with Suspicion filling the air, for -you to outlive denunciation, when you are in communication with another -aristocratic spy of the same antecedents as yourself, who, moreover, has -the mystery about him of having feigned death and come to life again! -A plot in the prisons, of the foreigner against the Republic. A strong -card--a certain Guillotine card! Do you play?” - -“No!” returned the spy. “I throw up. I confess that we were so unpopular -with the outrageous mob, that I only got away from England at the risk -of being ducked to death, and that Cly was so ferreted up and down, that -he never would have got away at all but for that sham. Though how this -man knows it was a sham, is a wonder of wonders to me.” - -“Never you trouble your head about this man,” retorted the contentious -Mr. Cruncher; “you'll have trouble enough with giving your attention to -that gentleman. And look here! Once more!”--Mr. Cruncher could not -be restrained from making rather an ostentatious parade of his -liberality--“I'd catch hold of your throat and choke you for half a -guinea.” - -The Sheep of the prisons turned from him to Sydney Carton, and said, -with more decision, “It has come to a point. I go on duty soon, and -can't overstay my time. You told me you had a proposal; what is it? -Now, it is of no use asking too much of me. Ask me to do anything in my -office, putting my head in great extra danger, and I had better trust my -life to the chances of a refusal than the chances of consent. In short, -I should make that choice. You talk of desperation. We are all desperate -here. Remember! I may denounce you if I think proper, and I can swear my -way through stone walls, and so can others. Now, what do you want with -me?” - -“Not very much. You are a turnkey at the Conciergerie?” - -“I tell you once for all, there is no such thing as an escape possible,” - said the spy, firmly. - -“Why need you tell me what I have not asked? You are a turnkey at the -Conciergerie?” - -“I am sometimes.” - -“You can be when you choose?” - -“I can pass in and out when I choose.” - -Sydney Carton filled another glass with brandy, poured it slowly out -upon the hearth, and watched it as it dropped. It being all spent, he -said, rising: - -“So far, we have spoken before these two, because it was as well that -the merits of the cards should not rest solely between you and me. Come -into the dark room here, and let us have one final word alone.” - - - - -IX. The Game Made - - -While Sydney Carton and the Sheep of the prisons were in the adjoining -dark room, speaking so low that not a sound was heard, Mr. Lorry looked -at Jerry in considerable doubt and mistrust. That honest tradesman's -manner of receiving the look, did not inspire confidence; he changed the -leg on which he rested, as often as if he had fifty of those limbs, -and were trying them all; he examined his finger-nails with a very -questionable closeness of attention; and whenever Mr. Lorry's eye caught -his, he was taken with that peculiar kind of short cough requiring the -hollow of a hand before it, which is seldom, if ever, known to be an -infirmity attendant on perfect openness of character. - -“Jerry,” said Mr. Lorry. “Come here.” - -Mr. Cruncher came forward sideways, with one of his shoulders in advance -of him. - -“What have you been, besides a messenger?” - -After some cogitation, accompanied with an intent look at his patron, -Mr. Cruncher conceived the luminous idea of replying, “Agicultooral -character.” - -“My mind misgives me much,” said Mr. Lorry, angrily shaking a forefinger -at him, “that you have used the respectable and great house of Tellson's -as a blind, and that you have had an unlawful occupation of an infamous -description. If you have, don't expect me to befriend you when you -get back to England. If you have, don't expect me to keep your secret. -Tellson's shall not be imposed upon.” - -“I hope, sir,” pleaded the abashed Mr. Cruncher, “that a gentleman like -yourself wot I've had the honour of odd jobbing till I'm grey at it, -would think twice about harming of me, even if it wos so--I don't say it -is, but even if it wos. And which it is to be took into account that if -it wos, it wouldn't, even then, be all o' one side. There'd be two sides -to it. There might be medical doctors at the present hour, a picking -up their guineas where a honest tradesman don't pick up his -fardens--fardens! no, nor yet his half fardens--half fardens! no, nor -yet his quarter--a banking away like smoke at Tellson's, and a cocking -their medical eyes at that tradesman on the sly, a going in and going -out to their own carriages--ah! equally like smoke, if not more so. -Well, that 'ud be imposing, too, on Tellson's. For you cannot sarse the -goose and not the gander. And here's Mrs. Cruncher, or leastways wos -in the Old England times, and would be to-morrow, if cause given, -a floppin' again the business to that degree as is ruinating--stark -ruinating! Whereas them medical doctors' wives don't flop--catch 'em at -it! Or, if they flop, their floppings goes in favour of more patients, -and how can you rightly have one without t'other? Then, wot with -undertakers, and wot with parish clerks, and wot with sextons, and wot -with private watchmen (all awaricious and all in it), a man wouldn't get -much by it, even if it wos so. And wot little a man did get, would never -prosper with him, Mr. Lorry. He'd never have no good of it; he'd want -all along to be out of the line, if he, could see his way out, being -once in--even if it wos so.” - -“Ugh!” cried Mr. Lorry, rather relenting, nevertheless, “I am shocked at -the sight of you.” - -“Now, what I would humbly offer to you, sir,” pursued Mr. Cruncher, -“even if it wos so, which I don't say it is--” - -“Don't prevaricate,” said Mr. Lorry. - -“No, I will _not_, sir,” returned Mr. Crunches as if nothing were -further from his thoughts or practice--“which I don't say it is--wot I -would humbly offer to you, sir, would be this. Upon that there stool, at -that there Bar, sets that there boy of mine, brought up and growed up to -be a man, wot will errand you, message you, general-light-job you, till -your heels is where your head is, if such should be your wishes. If it -wos so, which I still don't say it is (for I will not prewaricate to -you, sir), let that there boy keep his father's place, and take care of -his mother; don't blow upon that boy's father--do not do it, sir--and -let that father go into the line of the reg'lar diggin', and make amends -for what he would have undug--if it wos so--by diggin' of 'em in with -a will, and with conwictions respectin' the futur' keepin' of 'em safe. -That, Mr. Lorry,” said Mr. Cruncher, wiping his forehead with his -arm, as an announcement that he had arrived at the peroration of his -discourse, “is wot I would respectfully offer to you, sir. A man don't -see all this here a goin' on dreadful round him, in the way of Subjects -without heads, dear me, plentiful enough fur to bring the price down -to porterage and hardly that, without havin' his serious thoughts of -things. And these here would be mine, if it wos so, entreatin' of you -fur to bear in mind that wot I said just now, I up and said in the good -cause when I might have kep' it back.” - -“That at least is true,” said Mr. Lorry. “Say no more now. It may be -that I shall yet stand your friend, if you deserve it, and repent in -action--not in words. I want no more words.” - -Mr. Cruncher knuckled his forehead, as Sydney Carton and the spy -returned from the dark room. “Adieu, Mr. Barsad,” said the former; “our -arrangement thus made, you have nothing to fear from me.” - -He sat down in a chair on the hearth, over against Mr. Lorry. When they -were alone, Mr. Lorry asked him what he had done? - -“Not much. If it should go ill with the prisoner, I have ensured access -to him, once.” - -Mr. Lorry's countenance fell. - -“It is all I could do,” said Carton. “To propose too much, would be -to put this man's head under the axe, and, as he himself said, nothing -worse could happen to him if he were denounced. It was obviously the -weakness of the position. There is no help for it.” - -“But access to him,” said Mr. Lorry, “if it should go ill before the -Tribunal, will not save him.” - -“I never said it would.” - -Mr. Lorry's eyes gradually sought the fire; his sympathy with his -darling, and the heavy disappointment of his second arrest, gradually -weakened them; he was an old man now, overborne with anxiety of late, -and his tears fell. - -“You are a good man and a true friend,” said Carton, in an altered -voice. “Forgive me if I notice that you are affected. I could not see my -father weep, and sit by, careless. And I could not respect your -sorrow more, if you were my father. You are free from that misfortune, -however.” - -Though he said the last words, with a slip into his usual manner, there -was a true feeling and respect both in his tone and in his touch, -that Mr. Lorry, who had never seen the better side of him, was wholly -unprepared for. He gave him his hand, and Carton gently pressed it. - -“To return to poor Darnay,” said Carton. “Don't tell Her of this -interview, or this arrangement. It would not enable Her to go to see -him. She might think it was contrived, in case of the worse, to convey -to him the means of anticipating the sentence.” - -Mr. Lorry had not thought of that, and he looked quickly at Carton to -see if it were in his mind. It seemed to be; he returned the look, and -evidently understood it. - -“She might think a thousand things,” Carton said, “and any of them would -only add to her trouble. Don't speak of me to her. As I said to you when -I first came, I had better not see her. I can put my hand out, to do any -little helpful work for her that my hand can find to do, without that. -You are going to her, I hope? She must be very desolate to-night.” - -“I am going now, directly.” - -“I am glad of that. She has such a strong attachment to you and reliance -on you. How does she look?” - -“Anxious and unhappy, but very beautiful.” - -“Ah!” - -It was a long, grieving sound, like a sigh--almost like a sob. It -attracted Mr. Lorry's eyes to Carton's face, which was turned to the -fire. A light, or a shade (the old gentleman could not have said which), -passed from it as swiftly as a change will sweep over a hill-side on a -wild bright day, and he lifted his foot to put back one of the little -flaming logs, which was tumbling forward. He wore the white riding-coat -and top-boots, then in vogue, and the light of the fire touching their -light surfaces made him look very pale, with his long brown hair, -all untrimmed, hanging loose about him. His indifference to fire was -sufficiently remarkable to elicit a word of remonstrance from Mr. Lorry; -his boot was still upon the hot embers of the flaming log, when it had -broken under the weight of his foot. - -“I forgot it,” he said. - -Mr. Lorry's eyes were again attracted to his face. Taking note of the -wasted air which clouded the naturally handsome features, and having -the expression of prisoners' faces fresh in his mind, he was strongly -reminded of that expression. - -“And your duties here have drawn to an end, sir?” said Carton, turning -to him. - -“Yes. As I was telling you last night when Lucie came in so -unexpectedly, I have at length done all that I can do here. I hoped to -have left them in perfect safety, and then to have quitted Paris. I have -my Leave to Pass. I was ready to go.” - -They were both silent. - -“Yours is a long life to look back upon, sir?” said Carton, wistfully. - -“I am in my seventy-eighth year.” - -“You have been useful all your life; steadily and constantly occupied; -trusted, respected, and looked up to?” - -“I have been a man of business, ever since I have been a man. Indeed, I -may say that I was a man of business when a boy.” - -“See what a place you fill at seventy-eight. How many people will miss -you when you leave it empty!” - -“A solitary old bachelor,” answered Mr. Lorry, shaking his head. “There -is nobody to weep for me.” - -“How can you say that? Wouldn't She weep for you? Wouldn't her child?” - -“Yes, yes, thank God. I didn't quite mean what I said.” - -“It _is_ a thing to thank God for; is it not?” - -“Surely, surely.” - -“If you could say, with truth, to your own solitary heart, to-night, -'I have secured to myself the love and attachment, the gratitude or -respect, of no human creature; I have won myself a tender place in no -regard; I have done nothing good or serviceable to be remembered by!' -your seventy-eight years would be seventy-eight heavy curses; would they -not?” - -“You say truly, Mr. Carton; I think they would be.” - -Sydney turned his eyes again upon the fire, and, after a silence of a -few moments, said: - -“I should like to ask you:--Does your childhood seem far off? Do the -days when you sat at your mother's knee, seem days of very long ago?” - -Responding to his softened manner, Mr. Lorry answered: - -“Twenty years back, yes; at this time of my life, no. For, as I draw -closer and closer to the end, I travel in the circle, nearer and -nearer to the beginning. It seems to be one of the kind smoothings and -preparings of the way. My heart is touched now, by many remembrances -that had long fallen asleep, of my pretty young mother (and I so old!), -and by many associations of the days when what we call the World was not -so real with me, and my faults were not confirmed in me.” - -“I understand the feeling!” exclaimed Carton, with a bright flush. “And -you are the better for it?” - -“I hope so.” - -Carton terminated the conversation here, by rising to help him on with -his outer coat; “But you,” said Mr. Lorry, reverting to the theme, “you -are young.” - -“Yes,” said Carton. “I am not old, but my young way was never the way to -age. Enough of me.” - -“And of me, I am sure,” said Mr. Lorry. “Are you going out?” - -“I'll walk with you to her gate. You know my vagabond and restless -habits. If I should prowl about the streets a long time, don't be -uneasy; I shall reappear in the morning. You go to the Court to-morrow?” - -“Yes, unhappily.” - -“I shall be there, but only as one of the crowd. My Spy will find a -place for me. Take my arm, sir.” - -Mr. Lorry did so, and they went down-stairs and out in the streets. A -few minutes brought them to Mr. Lorry's destination. Carton left him -there; but lingered at a little distance, and turned back to the gate -again when it was shut, and touched it. He had heard of her going to -the prison every day. “She came out here,” he said, looking about him, -“turned this way, must have trod on these stones often. Let me follow in -her steps.” - -It was ten o'clock at night when he stood before the prison of La Force, -where she had stood hundreds of times. A little wood-sawyer, having -closed his shop, was smoking his pipe at his shop-door. - -“Good night, citizen,” said Sydney Carton, pausing in going by; for, the -man eyed him inquisitively. - -“Good night, citizen.” - -“How goes the Republic?” - -“You mean the Guillotine. Not ill. Sixty-three to-day. We shall mount -to a hundred soon. Samson and his men complain sometimes, of being -exhausted. Ha, ha, ha! He is so droll, that Samson. Such a Barber!” - -“Do you often go to see him--” - -“Shave? Always. Every day. What a barber! You have seen him at work?” - -“Never.” - -“Go and see him when he has a good batch. Figure this to yourself, -citizen; he shaved the sixty-three to-day, in less than two pipes! Less -than two pipes. Word of honour!” - -As the grinning little man held out the pipe he was smoking, to explain -how he timed the executioner, Carton was so sensible of a rising desire -to strike the life out of him, that he turned away. - -“But you are not English,” said the wood-sawyer, “though you wear -English dress?” - -“Yes,” said Carton, pausing again, and answering over his shoulder. - -“You speak like a Frenchman.” - -“I am an old student here.” - -“Aha, a perfect Frenchman! Good night, Englishman.” - -“Good night, citizen.” - -“But go and see that droll dog,” the little man persisted, calling after -him. “And take a pipe with you!” - -Sydney had not gone far out of sight, when he stopped in the middle of -the street under a glimmering lamp, and wrote with his pencil on a scrap -of paper. Then, traversing with the decided step of one who remembered -the way well, several dark and dirty streets--much dirtier than usual, -for the best public thoroughfares remained uncleansed in those times of -terror--he stopped at a chemist's shop, which the owner was closing with -his own hands. A small, dim, crooked shop, kept in a tortuous, up-hill -thoroughfare, by a small, dim, crooked man. - -Giving this citizen, too, good night, as he confronted him at his -counter, he laid the scrap of paper before him. “Whew!” the chemist -whistled softly, as he read it. “Hi! hi! hi!” - -Sydney Carton took no heed, and the chemist said: - -“For you, citizen?” - -“For me.” - -“You will be careful to keep them separate, citizen? You know the -consequences of mixing them?” - -“Perfectly.” - -Certain small packets were made and given to him. He put them, one by -one, in the breast of his inner coat, counted out the money for them, -and deliberately left the shop. “There is nothing more to do,” said he, -glancing upward at the moon, “until to-morrow. I can't sleep.” - -It was not a reckless manner, the manner in which he said these words -aloud under the fast-sailing clouds, nor was it more expressive of -negligence than defiance. It was the settled manner of a tired man, who -had wandered and struggled and got lost, but who at length struck into -his road and saw its end. - -Long ago, when he had been famous among his earliest competitors as a -youth of great promise, he had followed his father to the grave. His -mother had died, years before. These solemn words, which had been -read at his father's grave, arose in his mind as he went down the dark -streets, among the heavy shadows, with the moon and the clouds sailing -on high above him. “I am the resurrection and the life, saith the Lord: -he that believeth in me, though he were dead, yet shall he live: and -whosoever liveth and believeth in me, shall never die.” - -In a city dominated by the axe, alone at night, with natural sorrow -rising in him for the sixty-three who had been that day put to death, -and for to-morrow's victims then awaiting their doom in the prisons, -and still of to-morrow's and to-morrow's, the chain of association that -brought the words home, like a rusty old ship's anchor from the deep, -might have been easily found. He did not seek it, but repeated them and -went on. - -With a solemn interest in the lighted windows where the people were -going to rest, forgetful through a few calm hours of the horrors -surrounding them; in the towers of the churches, where no prayers -were said, for the popular revulsion had even travelled that length -of self-destruction from years of priestly impostors, plunderers, and -profligates; in the distant burial-places, reserved, as they wrote upon -the gates, for Eternal Sleep; in the abounding gaols; and in the streets -along which the sixties rolled to a death which had become so common and -material, that no sorrowful story of a haunting Spirit ever arose among -the people out of all the working of the Guillotine; with a solemn -interest in the whole life and death of the city settling down to its -short nightly pause in fury; Sydney Carton crossed the Seine again for -the lighter streets. - -Few coaches were abroad, for riders in coaches were liable to be -suspected, and gentility hid its head in red nightcaps, and put on heavy -shoes, and trudged. But, the theatres were all well filled, and the -people poured cheerfully out as he passed, and went chatting home. At -one of the theatre doors, there was a little girl with a mother, looking -for a way across the street through the mud. He carried the child over, -and before the timid arm was loosed from his neck asked her for a kiss. - -“I am the resurrection and the life, saith the Lord: he that believeth -in me, though he were dead, yet shall he live: and whosoever liveth and -believeth in me, shall never die.” - -Now, that the streets were quiet, and the night wore on, the words -were in the echoes of his feet, and were in the air. Perfectly calm -and steady, he sometimes repeated them to himself as he walked; but, he -heard them always. - -The night wore out, and, as he stood upon the bridge listening to the -water as it splashed the river-walls of the Island of Paris, where the -picturesque confusion of houses and cathedral shone bright in the light -of the moon, the day came coldly, looking like a dead face out of the -sky. Then, the night, with the moon and the stars, turned pale and died, -and for a little while it seemed as if Creation were delivered over to -Death's dominion. - -But, the glorious sun, rising, seemed to strike those words, that burden -of the night, straight and warm to his heart in its long bright rays. -And looking along them, with reverently shaded eyes, a bridge of light -appeared to span the air between him and the sun, while the river -sparkled under it. - -The strong tide, so swift, so deep, and certain, was like a congenial -friend, in the morning stillness. He walked by the stream, far from the -houses, and in the light and warmth of the sun fell asleep on the -bank. When he awoke and was afoot again, he lingered there yet a little -longer, watching an eddy that turned and turned purposeless, until the -stream absorbed it, and carried it on to the sea.--“Like me.” - -A trading-boat, with a sail of the softened colour of a dead leaf, then -glided into his view, floated by him, and died away. As its silent track -in the water disappeared, the prayer that had broken up out of his heart -for a merciful consideration of all his poor blindnesses and errors, -ended in the words, “I am the resurrection and the life.” - -Mr. Lorry was already out when he got back, and it was easy to surmise -where the good old man was gone. Sydney Carton drank nothing but a -little coffee, ate some bread, and, having washed and changed to refresh -himself, went out to the place of trial. - -The court was all astir and a-buzz, when the black sheep--whom many fell -away from in dread--pressed him into an obscure corner among the crowd. -Mr. Lorry was there, and Doctor Manette was there. She was there, -sitting beside her father. - -When her husband was brought in, she turned a look upon him, so -sustaining, so encouraging, so full of admiring love and pitying -tenderness, yet so courageous for his sake, that it called the healthy -blood into his face, brightened his glance, and animated his heart. If -there had been any eyes to notice the influence of her look, on Sydney -Carton, it would have been seen to be the same influence exactly. - -Before that unjust Tribunal, there was little or no order of procedure, -ensuring to any accused person any reasonable hearing. There could have -been no such Revolution, if all laws, forms, and ceremonies, had not -first been so monstrously abused, that the suicidal vengeance of the -Revolution was to scatter them all to the winds. - -Every eye was turned to the jury. The same determined patriots and good -republicans as yesterday and the day before, and to-morrow and the day -after. Eager and prominent among them, one man with a craving face, and -his fingers perpetually hovering about his lips, whose appearance -gave great satisfaction to the spectators. A life-thirsting, -cannibal-looking, bloody-minded juryman, the Jacques Three of St. -Antoine. The whole jury, as a jury of dogs empannelled to try the deer. - -Every eye then turned to the five judges and the public prosecutor. -No favourable leaning in that quarter to-day. A fell, uncompromising, -murderous business-meaning there. Every eye then sought some other eye -in the crowd, and gleamed at it approvingly; and heads nodded at one -another, before bending forward with a strained attention. - -Charles Evremonde, called Darnay. Released yesterday. Reaccused and -retaken yesterday. Indictment delivered to him last night. Suspected and -Denounced enemy of the Republic, Aristocrat, one of a family of tyrants, -one of a race proscribed, for that they had used their abolished -privileges to the infamous oppression of the people. Charles Evremonde, -called Darnay, in right of such proscription, absolutely Dead in Law. - -To this effect, in as few or fewer words, the Public Prosecutor. - -The President asked, was the Accused openly denounced or secretly? - -“Openly, President.” - -“By whom?” - -“Three voices. Ernest Defarge, wine-vendor of St. Antoine.” - -“Good.” - -“Therese Defarge, his wife.” - -“Good.” - -“Alexandre Manette, physician.” - -A great uproar took place in the court, and in the midst of it, Doctor -Manette was seen, pale and trembling, standing where he had been seated. - -“President, I indignantly protest to you that this is a forgery and -a fraud. You know the accused to be the husband of my daughter. My -daughter, and those dear to her, are far dearer to me than my life. Who -and where is the false conspirator who says that I denounce the husband -of my child!” - -“Citizen Manette, be tranquil. To fail in submission to the authority of -the Tribunal would be to put yourself out of Law. As to what is dearer -to you than life, nothing can be so dear to a good citizen as the -Republic.” - -Loud acclamations hailed this rebuke. The President rang his bell, and -with warmth resumed. - -“If the Republic should demand of you the sacrifice of your child -herself, you would have no duty but to sacrifice her. Listen to what is -to follow. In the meanwhile, be silent!” - -Frantic acclamations were again raised. Doctor Manette sat down, with -his eyes looking around, and his lips trembling; his daughter drew -closer to him. The craving man on the jury rubbed his hands together, -and restored the usual hand to his mouth. - -Defarge was produced, when the court was quiet enough to admit of his -being heard, and rapidly expounded the story of the imprisonment, and of -his having been a mere boy in the Doctor's service, and of the release, -and of the state of the prisoner when released and delivered to him. -This short examination followed, for the court was quick with its work. - -“You did good service at the taking of the Bastille, citizen?” - -“I believe so.” - -Here, an excited woman screeched from the crowd: “You were one of the -best patriots there. Why not say so? You were a cannonier that day -there, and you were among the first to enter the accursed fortress when -it fell. Patriots, I speak the truth!” - -It was The Vengeance who, amidst the warm commendations of the audience, -thus assisted the proceedings. The President rang his bell; but, The -Vengeance, warming with encouragement, shrieked, “I defy that bell!” - wherein she was likewise much commended. - -“Inform the Tribunal of what you did that day within the Bastille, -citizen.” - -“I knew,” said Defarge, looking down at his wife, who stood at the -bottom of the steps on which he was raised, looking steadily up at him; -“I knew that this prisoner, of whom I speak, had been confined in a cell -known as One Hundred and Five, North Tower. I knew it from himself. He -knew himself by no other name than One Hundred and Five, North Tower, -when he made shoes under my care. As I serve my gun that day, I resolve, -when the place shall fall, to examine that cell. It falls. I mount to -the cell, with a fellow-citizen who is one of the Jury, directed by a -gaoler. I examine it, very closely. In a hole in the chimney, where a -stone has been worked out and replaced, I find a written paper. This is -that written paper. I have made it my business to examine some specimens -of the writing of Doctor Manette. This is the writing of Doctor Manette. -I confide this paper, in the writing of Doctor Manette, to the hands of -the President.” - -“Let it be read.” - -In a dead silence and stillness--the prisoner under trial looking -lovingly at his wife, his wife only looking from him to look with -solicitude at her father, Doctor Manette keeping his eyes fixed on the -reader, Madame Defarge never taking hers from the prisoner, Defarge -never taking his from his feasting wife, and all the other eyes there -intent upon the Doctor, who saw none of them--the paper was read, as -follows. - - - - -X. The Substance of the Shadow - - -“I, Alexandre Manette, unfortunate physician, native of Beauvais, and -afterwards resident in Paris, write this melancholy paper in my doleful -cell in the Bastille, during the last month of the year, 1767. I write -it at stolen intervals, under every difficulty. I design to secrete it -in the wall of the chimney, where I have slowly and laboriously made a -place of concealment for it. Some pitying hand may find it there, when I -and my sorrows are dust. - -“These words are formed by the rusty iron point with which I write with -difficulty in scrapings of soot and charcoal from the chimney, mixed -with blood, in the last month of the tenth year of my captivity. Hope -has quite departed from my breast. I know from terrible warnings I have -noted in myself that my reason will not long remain unimpaired, but I -solemnly declare that I am at this time in the possession of my right -mind--that my memory is exact and circumstantial--and that I write the -truth as I shall answer for these my last recorded words, whether they -be ever read by men or not, at the Eternal Judgment-seat. - -“One cloudy moonlight night, in the third week of December (I think the -twenty-second of the month) in the year 1757, I was walking on a retired -part of the quay by the Seine for the refreshment of the frosty air, -at an hour's distance from my place of residence in the Street of the -School of Medicine, when a carriage came along behind me, driven very -fast. As I stood aside to let that carriage pass, apprehensive that it -might otherwise run me down, a head was put out at the window, and a -voice called to the driver to stop. - -“The carriage stopped as soon as the driver could rein in his horses, -and the same voice called to me by my name. I answered. The carriage -was then so far in advance of me that two gentlemen had time to open the -door and alight before I came up with it. - -“I observed that they were both wrapped in cloaks, and appeared to -conceal themselves. As they stood side by side near the carriage door, -I also observed that they both looked of about my own age, or rather -younger, and that they were greatly alike, in stature, manner, voice, -and (as far as I could see) face too. - -“'You are Doctor Manette?' said one. - -“I am.” - -“'Doctor Manette, formerly of Beauvais,' said the other; 'the young -physician, originally an expert surgeon, who within the last year or two -has made a rising reputation in Paris?' - -“'Gentlemen,' I returned, 'I am that Doctor Manette of whom you speak so -graciously.' - -“'We have been to your residence,' said the first, 'and not being -so fortunate as to find you there, and being informed that you were -probably walking in this direction, we followed, in the hope of -overtaking you. Will you please to enter the carriage?' - -“The manner of both was imperious, and they both moved, as these words -were spoken, so as to place me between themselves and the carriage door. -They were armed. I was not. - -“'Gentlemen,' said I, 'pardon me; but I usually inquire who does me -the honour to seek my assistance, and what is the nature of the case to -which I am summoned.' - -“The reply to this was made by him who had spoken second. 'Doctor, -your clients are people of condition. As to the nature of the case, -our confidence in your skill assures us that you will ascertain it for -yourself better than we can describe it. Enough. Will you please to -enter the carriage?' - -“I could do nothing but comply, and I entered it in silence. They both -entered after me--the last springing in, after putting up the steps. The -carriage turned about, and drove on at its former speed. - -“I repeat this conversation exactly as it occurred. I have no doubt that -it is, word for word, the same. I describe everything exactly as it took -place, constraining my mind not to wander from the task. Where I make -the broken marks that follow here, I leave off for the time, and put my -paper in its hiding-place. - - ***** - -“The carriage left the streets behind, passed the North Barrier, and -emerged upon the country road. At two-thirds of a league from the -Barrier--I did not estimate the distance at that time, but afterwards -when I traversed it--it struck out of the main avenue, and presently -stopped at a solitary house, We all three alighted, and walked, by -a damp soft footpath in a garden where a neglected fountain had -overflowed, to the door of the house. It was not opened immediately, in -answer to the ringing of the bell, and one of my two conductors struck -the man who opened it, with his heavy riding glove, across the face. - -“There was nothing in this action to attract my particular attention, -for I had seen common people struck more commonly than dogs. But, the -other of the two, being angry likewise, struck the man in like manner -with his arm; the look and bearing of the brothers were then so exactly -alike, that I then first perceived them to be twin brothers. - -“From the time of our alighting at the outer gate (which we found -locked, and which one of the brothers had opened to admit us, and had -relocked), I had heard cries proceeding from an upper chamber. I was -conducted to this chamber straight, the cries growing louder as we -ascended the stairs, and I found a patient in a high fever of the brain, -lying on a bed. - -“The patient was a woman of great beauty, and young; assuredly not much -past twenty. Her hair was torn and ragged, and her arms were bound to -her sides with sashes and handkerchiefs. I noticed that these bonds were -all portions of a gentleman's dress. On one of them, which was a fringed -scarf for a dress of ceremony, I saw the armorial bearings of a Noble, -and the letter E. - -“I saw this, within the first minute of my contemplation of the patient; -for, in her restless strivings she had turned over on her face on the -edge of the bed, had drawn the end of the scarf into her mouth, and was -in danger of suffocation. My first act was to put out my hand to relieve -her breathing; and in moving the scarf aside, the embroidery in the -corner caught my sight. - -“I turned her gently over, placed my hands upon her breast to calm her -and keep her down, and looked into her face. Her eyes were dilated and -wild, and she constantly uttered piercing shrieks, and repeated the -words, 'My husband, my father, and my brother!' and then counted up to -twelve, and said, 'Hush!' For an instant, and no more, she would pause -to listen, and then the piercing shrieks would begin again, and she -would repeat the cry, 'My husband, my father, and my brother!' and -would count up to twelve, and say, 'Hush!' There was no variation in the -order, or the manner. There was no cessation, but the regular moment's -pause, in the utterance of these sounds. - -“'How long,' I asked, 'has this lasted?' - -“To distinguish the brothers, I will call them the elder and the -younger; by the elder, I mean him who exercised the most authority. It -was the elder who replied, 'Since about this hour last night.' - -“'She has a husband, a father, and a brother?' - -“'A brother.' - -“'I do not address her brother?' - -“He answered with great contempt, 'No.' - -“'She has some recent association with the number twelve?' - -“The younger brother impatiently rejoined, 'With twelve o'clock?' - -“'See, gentlemen,' said I, still keeping my hands upon her breast, 'how -useless I am, as you have brought me! If I had known what I was coming -to see, I could have come provided. As it is, time must be lost. There -are no medicines to be obtained in this lonely place.' - -“The elder brother looked to the younger, who said haughtily, 'There is -a case of medicines here;' and brought it from a closet, and put it on -the table. - - ***** - -“I opened some of the bottles, smelt them, and put the stoppers to my -lips. If I had wanted to use anything save narcotic medicines that were -poisons in themselves, I would not have administered any of those. - -“'Do you doubt them?' asked the younger brother. - -“'You see, monsieur, I am going to use them,' I replied, and said no -more. - -“I made the patient swallow, with great difficulty, and after many -efforts, the dose that I desired to give. As I intended to repeat it -after a while, and as it was necessary to watch its influence, I then -sat down by the side of the bed. There was a timid and suppressed woman -in attendance (wife of the man down-stairs), who had retreated into -a corner. The house was damp and decayed, indifferently -furnished--evidently, recently occupied and temporarily used. Some thick -old hangings had been nailed up before the windows, to deaden the -sound of the shrieks. They continued to be uttered in their regular -succession, with the cry, 'My husband, my father, and my brother!' the -counting up to twelve, and 'Hush!' The frenzy was so violent, that I had -not unfastened the bandages restraining the arms; but, I had looked to -them, to see that they were not painful. The only spark of encouragement -in the case, was, that my hand upon the sufferer's breast had this much -soothing influence, that for minutes at a time it tranquillised the -figure. It had no effect upon the cries; no pendulum could be more -regular. - -“For the reason that my hand had this effect (I assume), I had sat by -the side of the bed for half an hour, with the two brothers looking on, -before the elder said: - -“'There is another patient.' - -“I was startled, and asked, 'Is it a pressing case?' - -“'You had better see,' he carelessly answered; and took up a light. - - ***** - -“The other patient lay in a back room across a second staircase, which -was a species of loft over a stable. There was a low plastered ceiling -to a part of it; the rest was open, to the ridge of the tiled roof, and -there were beams across. Hay and straw were stored in that portion of -the place, fagots for firing, and a heap of apples in sand. I had to -pass through that part, to get at the other. My memory is circumstantial -and unshaken. I try it with these details, and I see them all, in -this my cell in the Bastille, near the close of the tenth year of my -captivity, as I saw them all that night. - -“On some hay on the ground, with a cushion thrown under his head, lay a -handsome peasant boy--a boy of not more than seventeen at the most. -He lay on his back, with his teeth set, his right hand clenched on his -breast, and his glaring eyes looking straight upward. I could not see -where his wound was, as I kneeled on one knee over him; but, I could see -that he was dying of a wound from a sharp point. - -“'I am a doctor, my poor fellow,' said I. 'Let me examine it.' - -“'I do not want it examined,' he answered; 'let it be.' - -“It was under his hand, and I soothed him to let me move his hand away. -The wound was a sword-thrust, received from twenty to twenty-four hours -before, but no skill could have saved him if it had been looked to -without delay. He was then dying fast. As I turned my eyes to the elder -brother, I saw him looking down at this handsome boy whose life was -ebbing out, as if he were a wounded bird, or hare, or rabbit; not at all -as if he were a fellow-creature. - -“'How has this been done, monsieur?' said I. - -“'A crazed young common dog! A serf! Forced my brother to draw upon him, -and has fallen by my brother's sword--like a gentleman.' - -“There was no touch of pity, sorrow, or kindred humanity, in this -answer. The speaker seemed to acknowledge that it was inconvenient to -have that different order of creature dying there, and that it would -have been better if he had died in the usual obscure routine of his -vermin kind. He was quite incapable of any compassionate feeling about -the boy, or about his fate. - -“The boy's eyes had slowly moved to him as he had spoken, and they now -slowly moved to me. - -“'Doctor, they are very proud, these Nobles; but we common dogs are -proud too, sometimes. They plunder us, outrage us, beat us, kill us; but -we have a little pride left, sometimes. She--have you seen her, Doctor?' - -“The shrieks and the cries were audible there, though subdued by the -distance. He referred to them, as if she were lying in our presence. - -“I said, 'I have seen her.' - -“'She is my sister, Doctor. They have had their shameful rights, these -Nobles, in the modesty and virtue of our sisters, many years, but we -have had good girls among us. I know it, and have heard my father say -so. She was a good girl. She was betrothed to a good young man, too: a -tenant of his. We were all tenants of his--that man's who stands there. -The other is his brother, the worst of a bad race.' - -“It was with the greatest difficulty that the boy gathered bodily force -to speak; but, his spirit spoke with a dreadful emphasis. - -“'We were so robbed by that man who stands there, as all we common dogs -are by those superior Beings--taxed by him without mercy, obliged to -work for him without pay, obliged to grind our corn at his mill, obliged -to feed scores of his tame birds on our wretched crops, and forbidden -for our lives to keep a single tame bird of our own, pillaged and -plundered to that degree that when we chanced to have a bit of meat, we -ate it in fear, with the door barred and the shutters closed, that his -people should not see it and take it from us--I say, we were so robbed, -and hunted, and were made so poor, that our father told us it was a -dreadful thing to bring a child into the world, and that what we should -most pray for, was, that our women might be barren and our miserable -race die out!' - -“I had never before seen the sense of being oppressed, bursting forth -like a fire. I had supposed that it must be latent in the people -somewhere; but, I had never seen it break out, until I saw it in the -dying boy. - -“'Nevertheless, Doctor, my sister married. He was ailing at that time, -poor fellow, and she married her lover, that she might tend and comfort -him in our cottage--our dog-hut, as that man would call it. She had not -been married many weeks, when that man's brother saw her and admired -her, and asked that man to lend her to him--for what are husbands among -us! He was willing enough, but my sister was good and virtuous, and -hated his brother with a hatred as strong as mine. What did the two -then, to persuade her husband to use his influence with her, to make her -willing?' - -“The boy's eyes, which had been fixed on mine, slowly turned to the -looker-on, and I saw in the two faces that all he said was true. The two -opposing kinds of pride confronting one another, I can see, even in this -Bastille; the gentleman's, all negligent indifference; the peasant's, all -trodden-down sentiment, and passionate revenge. - -“'You know, Doctor, that it is among the Rights of these Nobles to -harness us common dogs to carts, and drive us. They so harnessed him and -drove him. You know that it is among their Rights to keep us in their -grounds all night, quieting the frogs, in order that their noble sleep -may not be disturbed. They kept him out in the unwholesome mists at -night, and ordered him back into his harness in the day. But he was -not persuaded. No! Taken out of harness one day at noon, to feed--if he -could find food--he sobbed twelve times, once for every stroke of the -bell, and died on her bosom.' - -“Nothing human could have held life in the boy but his determination to -tell all his wrong. He forced back the gathering shadows of death, as -he forced his clenched right hand to remain clenched, and to cover his -wound. - -“'Then, with that man's permission and even with his aid, his -brother took her away; in spite of what I know she must have told his -brother--and what that is, will not be long unknown to you, Doctor, if -it is now--his brother took her away--for his pleasure and diversion, -for a little while. I saw her pass me on the road. When I took the -tidings home, our father's heart burst; he never spoke one of the words -that filled it. I took my young sister (for I have another) to a place -beyond the reach of this man, and where, at least, she will never be -_his_ vassal. Then, I tracked the brother here, and last night climbed -in--a common dog, but sword in hand.--Where is the loft window? It was -somewhere here?' - -“The room was darkening to his sight; the world was narrowing around -him. I glanced about me, and saw that the hay and straw were trampled -over the floor, as if there had been a struggle. - -“'She heard me, and ran in. I told her not to come near us till he was -dead. He came in and first tossed me some pieces of money; then struck -at me with a whip. But I, though a common dog, so struck at him as to -make him draw. Let him break into as many pieces as he will, the sword -that he stained with my common blood; he drew to defend himself--thrust -at me with all his skill for his life.' - -“My glance had fallen, but a few moments before, on the fragments of -a broken sword, lying among the hay. That weapon was a gentleman's. In -another place, lay an old sword that seemed to have been a soldier's. - -“'Now, lift me up, Doctor; lift me up. Where is he?' - -“'He is not here,' I said, supporting the boy, and thinking that he -referred to the brother. - -“'He! Proud as these nobles are, he is afraid to see me. Where is the -man who was here? Turn my face to him.' - -“I did so, raising the boy's head against my knee. But, invested for the -moment with extraordinary power, he raised himself completely: obliging -me to rise too, or I could not have still supported him. - -“'Marquis,' said the boy, turned to him with his eyes opened wide, and -his right hand raised, 'in the days when all these things are to be -answered for, I summon you and yours, to the last of your bad race, to -answer for them. I mark this cross of blood upon you, as a sign that -I do it. In the days when all these things are to be answered for, -I summon your brother, the worst of the bad race, to answer for them -separately. I mark this cross of blood upon him, as a sign that I do -it.' - -“Twice, he put his hand to the wound in his breast, and with his -forefinger drew a cross in the air. He stood for an instant with the -finger yet raised, and as it dropped, he dropped with it, and I laid him -down dead. - - ***** - -“When I returned to the bedside of the young woman, I found her raving -in precisely the same order of continuity. I knew that this might last -for many hours, and that it would probably end in the silence of the -grave. - -“I repeated the medicines I had given her, and I sat at the side of -the bed until the night was far advanced. She never abated the piercing -quality of her shrieks, never stumbled in the distinctness or the order -of her words. They were always 'My husband, my father, and my brother! -One, two, three, four, five, six, seven, eight, nine, ten, eleven, -twelve. Hush!' - -“This lasted twenty-six hours from the time when I first saw her. I had -come and gone twice, and was again sitting by her, when she began to -falter. I did what little could be done to assist that opportunity, and -by-and-bye she sank into a lethargy, and lay like the dead. - -“It was as if the wind and rain had lulled at last, after a long and -fearful storm. I released her arms, and called the woman to assist me to -compose her figure and the dress she had torn. It was then that I knew -her condition to be that of one in whom the first expectations of being -a mother have arisen; and it was then that I lost the little hope I had -had of her. - -“'Is she dead?' asked the Marquis, whom I will still describe as the -elder brother, coming booted into the room from his horse. - -“'Not dead,' said I; 'but like to die.' - -“'What strength there is in these common bodies!' he said, looking down -at her with some curiosity. - -“'There is prodigious strength,' I answered him, 'in sorrow and -despair.' - -“He first laughed at my words, and then frowned at them. He moved a -chair with his foot near to mine, ordered the woman away, and said in a -subdued voice, - -“'Doctor, finding my brother in this difficulty with these hinds, I -recommended that your aid should be invited. Your reputation is high, -and, as a young man with your fortune to make, you are probably mindful -of your interest. The things that you see here, are things to be seen, -and not spoken of.' - -“I listened to the patient's breathing, and avoided answering. - -“'Do you honour me with your attention, Doctor?' - -“'Monsieur,' said I, 'in my profession, the communications of patients -are always received in confidence.' I was guarded in my answer, for I -was troubled in my mind with what I had heard and seen. - -“Her breathing was so difficult to trace, that I carefully tried the -pulse and the heart. There was life, and no more. Looking round as I -resumed my seat, I found both the brothers intent upon me. - - ***** - -“I write with so much difficulty, the cold is so severe, I am so -fearful of being detected and consigned to an underground cell and total -darkness, that I must abridge this narrative. There is no confusion or -failure in my memory; it can recall, and could detail, every word that -was ever spoken between me and those brothers. - -“She lingered for a week. Towards the last, I could understand some few -syllables that she said to me, by placing my ear close to her lips. She -asked me where she was, and I told her; who I was, and I told her. It -was in vain that I asked her for her family name. She faintly shook her -head upon the pillow, and kept her secret, as the boy had done. - -“I had no opportunity of asking her any question, until I had told the -brothers she was sinking fast, and could not live another day. Until -then, though no one was ever presented to her consciousness save the -woman and myself, one or other of them had always jealously sat behind -the curtain at the head of the bed when I was there. But when it came to -that, they seemed careless what communication I might hold with her; as -if--the thought passed through my mind--I were dying too. - -“I always observed that their pride bitterly resented the younger -brother's (as I call him) having crossed swords with a peasant, and that -peasant a boy. The only consideration that appeared to affect the mind -of either of them was the consideration that this was highly degrading -to the family, and was ridiculous. As often as I caught the younger -brother's eyes, their expression reminded me that he disliked me deeply, -for knowing what I knew from the boy. He was smoother and more polite to -me than the elder; but I saw this. I also saw that I was an incumbrance -in the mind of the elder, too. - -“My patient died, two hours before midnight--at a time, by my watch, -answering almost to the minute when I had first seen her. I was alone -with her, when her forlorn young head drooped gently on one side, and -all her earthly wrongs and sorrows ended. - -“The brothers were waiting in a room down-stairs, impatient to ride -away. I had heard them, alone at the bedside, striking their boots with -their riding-whips, and loitering up and down. - -“'At last she is dead?' said the elder, when I went in. - -“'She is dead,' said I. - -“'I congratulate you, my brother,' were his words as he turned round. - -“He had before offered me money, which I had postponed taking. He now -gave me a rouleau of gold. I took it from his hand, but laid it on -the table. I had considered the question, and had resolved to accept -nothing. - -“'Pray excuse me,' said I. 'Under the circumstances, no.' - -“They exchanged looks, but bent their heads to me as I bent mine to -them, and we parted without another word on either side. - - ***** - -“I am weary, weary, weary--worn down by misery. I cannot read what I -have written with this gaunt hand. - -“Early in the morning, the rouleau of gold was left at my door in a -little box, with my name on the outside. From the first, I had anxiously -considered what I ought to do. I decided, that day, to write privately -to the Minister, stating the nature of the two cases to which I had been -summoned, and the place to which I had gone: in effect, stating all the -circumstances. I knew what Court influence was, and what the immunities -of the Nobles were, and I expected that the matter would never be -heard of; but, I wished to relieve my own mind. I had kept the matter a -profound secret, even from my wife; and this, too, I resolved to state -in my letter. I had no apprehension whatever of my real danger; but -I was conscious that there might be danger for others, if others were -compromised by possessing the knowledge that I possessed. - -“I was much engaged that day, and could not complete my letter that -night. I rose long before my usual time next morning to finish it. -It was the last day of the year. The letter was lying before me just -completed, when I was told that a lady waited, who wished to see me. - - ***** - -“I am growing more and more unequal to the task I have set myself. It is -so cold, so dark, my senses are so benumbed, and the gloom upon me is so -dreadful. - -“The lady was young, engaging, and handsome, but not marked for long -life. She was in great agitation. She presented herself to me as the -wife of the Marquis St. Evremonde. I connected the title by which the -boy had addressed the elder brother, with the initial letter embroidered -on the scarf, and had no difficulty in arriving at the conclusion that I -had seen that nobleman very lately. - -“My memory is still accurate, but I cannot write the words of our -conversation. I suspect that I am watched more closely than I was, and I -know not at what times I may be watched. She had in part suspected, and -in part discovered, the main facts of the cruel story, of her husband's -share in it, and my being resorted to. She did not know that the girl -was dead. Her hope had been, she said in great distress, to show her, -in secret, a woman's sympathy. Her hope had been to avert the wrath of -Heaven from a House that had long been hateful to the suffering many. - -“She had reasons for believing that there was a young sister living, and -her greatest desire was, to help that sister. I could tell her nothing -but that there was such a sister; beyond that, I knew nothing. Her -inducement to come to me, relying on my confidence, had been the hope -that I could tell her the name and place of abode. Whereas, to this -wretched hour I am ignorant of both. - - ***** - -“These scraps of paper fail me. One was taken from me, with a warning, -yesterday. I must finish my record to-day. - -“She was a good, compassionate lady, and not happy in her marriage. How -could she be! The brother distrusted and disliked her, and his influence -was all opposed to her; she stood in dread of him, and in dread of her -husband too. When I handed her down to the door, there was a child, a -pretty boy from two to three years old, in her carriage. - -“'For his sake, Doctor,' she said, pointing to him in tears, 'I would do -all I can to make what poor amends I can. He will never prosper in his -inheritance otherwise. I have a presentiment that if no other innocent -atonement is made for this, it will one day be required of him. What -I have left to call my own--it is little beyond the worth of a few -jewels--I will make it the first charge of his life to bestow, with the -compassion and lamenting of his dead mother, on this injured family, if -the sister can be discovered.' - -“She kissed the boy, and said, caressing him, 'It is for thine own dear -sake. Thou wilt be faithful, little Charles?' The child answered her -bravely, 'Yes!' I kissed her hand, and she took him in her arms, and -went away caressing him. I never saw her more. - -“As she had mentioned her husband's name in the faith that I knew it, -I added no mention of it to my letter. I sealed my letter, and, not -trusting it out of my own hands, delivered it myself that day. - -“That night, the last night of the year, towards nine o'clock, a man in -a black dress rang at my gate, demanded to see me, and softly followed -my servant, Ernest Defarge, a youth, up-stairs. When my servant came -into the room where I sat with my wife--O my wife, beloved of my heart! -My fair young English wife!--we saw the man, who was supposed to be at -the gate, standing silent behind him. - -“An urgent case in the Rue St. Honore, he said. It would not detain me, -he had a coach in waiting. - -“It brought me here, it brought me to my grave. When I was clear of the -house, a black muffler was drawn tightly over my mouth from behind, and -my arms were pinioned. The two brothers crossed the road from a dark -corner, and identified me with a single gesture. The Marquis took from -his pocket the letter I had written, showed it me, burnt it in the light -of a lantern that was held, and extinguished the ashes with his foot. -Not a word was spoken. I was brought here, I was brought to my living -grave. - -“If it had pleased _God_ to put it in the hard heart of either of the -brothers, in all these frightful years, to grant me any tidings of -my dearest wife--so much as to let me know by a word whether alive or -dead--I might have thought that He had not quite abandoned them. But, -now I believe that the mark of the red cross is fatal to them, and that -they have no part in His mercies. And them and their descendants, to the -last of their race, I, Alexandre Manette, unhappy prisoner, do this last -night of the year 1767, in my unbearable agony, denounce to the times -when all these things shall be answered for. I denounce them to Heaven -and to earth.” - -A terrible sound arose when the reading of this document was done. A -sound of craving and eagerness that had nothing articulate in it but -blood. The narrative called up the most revengeful passions of the time, -and there was not a head in the nation but must have dropped before it. - -Little need, in presence of that tribunal and that auditory, to show -how the Defarges had not made the paper public, with the other captured -Bastille memorials borne in procession, and had kept it, biding their -time. Little need to show that this detested family name had long been -anathematised by Saint Antoine, and was wrought into the fatal register. -The man never trod ground whose virtues and services would have -sustained him in that place that day, against such denunciation. - -And all the worse for the doomed man, that the denouncer was a -well-known citizen, his own attached friend, the father of his wife. One -of the frenzied aspirations of the populace was, for imitations of -the questionable public virtues of antiquity, and for sacrifices and -self-immolations on the people's altar. Therefore when the President -said (else had his own head quivered on his shoulders), that the good -physician of the Republic would deserve better still of the Republic by -rooting out an obnoxious family of Aristocrats, and would doubtless feel -a sacred glow and joy in making his daughter a widow and her child an -orphan, there was wild excitement, patriotic fervour, not a touch of -human sympathy. - -“Much influence around him, has that Doctor?” murmured Madame Defarge, -smiling to The Vengeance. “Save him now, my Doctor, save him!” - -At every juryman's vote, there was a roar. Another and another. Roar and -roar. - -Unanimously voted. At heart and by descent an Aristocrat, an enemy -of the Republic, a notorious oppressor of the People. Back to the -Conciergerie, and Death within four-and-twenty hours! - - - - -XI. Dusk - - -The wretched wife of the innocent man thus doomed to die, fell under -the sentence, as if she had been mortally stricken. But, she uttered no -sound; and so strong was the voice within her, representing that it was -she of all the world who must uphold him in his misery and not augment -it, that it quickly raised her, even from that shock. - -The Judges having to take part in a public demonstration out of doors, -the Tribunal adjourned. The quick noise and movement of the court's -emptying itself by many passages had not ceased, when Lucie stood -stretching out her arms towards her husband, with nothing in her face -but love and consolation. - -“If I might touch him! If I might embrace him once! O, good citizens, if -you would have so much compassion for us!” - -There was but a gaoler left, along with two of the four men who had -taken him last night, and Barsad. The people had all poured out to the -show in the streets. Barsad proposed to the rest, “Let her embrace -him then; it is but a moment.” It was silently acquiesced in, and they -passed her over the seats in the hall to a raised place, where he, by -leaning over the dock, could fold her in his arms. - -“Farewell, dear darling of my soul. My parting blessing on my love. We -shall meet again, where the weary are at rest!” - -They were her husband's words, as he held her to his bosom. - -“I can bear it, dear Charles. I am supported from above: don't suffer -for me. A parting blessing for our child.” - -“I send it to her by you. I kiss her by you. I say farewell to her by -you.” - -“My husband. No! A moment!” He was tearing himself apart from her. -“We shall not be separated long. I feel that this will break my heart -by-and-bye; but I will do my duty while I can, and when I leave her, God -will raise up friends for her, as He did for me.” - -Her father had followed her, and would have fallen on his knees to both -of them, but that Darnay put out a hand and seized him, crying: - -“No, no! What have you done, what have you done, that you should kneel -to us! We know now, what a struggle you made of old. We know, now what -you underwent when you suspected my descent, and when you knew it. We -know now, the natural antipathy you strove against, and conquered, for -her dear sake. We thank you with all our hearts, and all our love and -duty. Heaven be with you!” - -Her father's only answer was to draw his hands through his white hair, -and wring them with a shriek of anguish. - -“It could not be otherwise,” said the prisoner. “All things have worked -together as they have fallen out. It was the always-vain endeavour to -discharge my poor mother's trust that first brought my fatal presence -near you. Good could never come of such evil, a happier end was not in -nature to so unhappy a beginning. Be comforted, and forgive me. Heaven -bless you!” - -As he was drawn away, his wife released him, and stood looking after him -with her hands touching one another in the attitude of prayer, and -with a radiant look upon her face, in which there was even a comforting -smile. As he went out at the prisoners' door, she turned, laid her head -lovingly on her father's breast, tried to speak to him, and fell at his -feet. - -Then, issuing from the obscure corner from which he had never moved, -Sydney Carton came and took her up. Only her father and Mr. Lorry were -with her. His arm trembled as it raised her, and supported her head. -Yet, there was an air about him that was not all of pity--that had a -flush of pride in it. - -“Shall I take her to a coach? I shall never feel her weight.” - -He carried her lightly to the door, and laid her tenderly down in a -coach. Her father and their old friend got into it, and he took his seat -beside the driver. - -When they arrived at the gateway where he had paused in the dark not -many hours before, to picture to himself on which of the rough stones of -the street her feet had trodden, he lifted her again, and carried her up -the staircase to their rooms. There, he laid her down on a couch, where -her child and Miss Pross wept over her. - -“Don't recall her to herself,” he said, softly, to the latter, “she is -better so. Don't revive her to consciousness, while she only faints.” - -“Oh, Carton, Carton, dear Carton!” cried little Lucie, springing up and -throwing her arms passionately round him, in a burst of grief. “Now that -you have come, I think you will do something to help mamma, something to -save papa! O, look at her, dear Carton! Can you, of all the people who -love her, bear to see her so?” - -He bent over the child, and laid her blooming cheek against his face. He -put her gently from him, and looked at her unconscious mother. - -“Before I go,” he said, and paused--“I may kiss her?” - -It was remembered afterwards that when he bent down and touched her face -with his lips, he murmured some words. The child, who was nearest to -him, told them afterwards, and told her grandchildren when she was a -handsome old lady, that she heard him say, “A life you love.” - -When he had gone out into the next room, he turned suddenly on Mr. Lorry -and her father, who were following, and said to the latter: - -“You had great influence but yesterday, Doctor Manette; let it at least -be tried. These judges, and all the men in power, are very friendly to -you, and very recognisant of your services; are they not?” - -“Nothing connected with Charles was concealed from me. I had the -strongest assurances that I should save him; and I did.” He returned the -answer in great trouble, and very slowly. - -“Try them again. The hours between this and to-morrow afternoon are few -and short, but try.” - -“I intend to try. I will not rest a moment.” - -“That's well. I have known such energy as yours do great things before -now--though never,” he added, with a smile and a sigh together, “such -great things as this. But try! Of little worth as life is when we misuse -it, it is worth that effort. It would cost nothing to lay down if it -were not.” - -“I will go,” said Doctor Manette, “to the Prosecutor and the President -straight, and I will go to others whom it is better not to name. I will -write too, and--But stay! There is a Celebration in the streets, and no -one will be accessible until dark.” - -“That's true. Well! It is a forlorn hope at the best, and not much the -forlorner for being delayed till dark. I should like to know how you -speed; though, mind! I expect nothing! When are you likely to have seen -these dread powers, Doctor Manette?” - -“Immediately after dark, I should hope. Within an hour or two from -this.” - -“It will be dark soon after four. Let us stretch the hour or two. If I -go to Mr. Lorry's at nine, shall I hear what you have done, either from -our friend or from yourself?” - -“Yes.” - -“May you prosper!” - -Mr. Lorry followed Sydney to the outer door, and, touching him on the -shoulder as he was going away, caused him to turn. - -“I have no hope,” said Mr. Lorry, in a low and sorrowful whisper. - -“Nor have I.” - -“If any one of these men, or all of these men, were disposed to spare -him--which is a large supposition; for what is his life, or any man's -to them!--I doubt if they durst spare him after the demonstration in the -court.” - -“And so do I. I heard the fall of the axe in that sound.” - -Mr. Lorry leaned his arm upon the door-post, and bowed his face upon it. - -“Don't despond,” said Carton, very gently; “don't grieve. I encouraged -Doctor Manette in this idea, because I felt that it might one day be -consolatory to her. Otherwise, she might think 'his life was wantonly -thrown away or wasted,' and that might trouble her.” - -“Yes, yes, yes,” returned Mr. Lorry, drying his eyes, “you are right. -But he will perish; there is no real hope.” - -“Yes. He will perish: there is no real hope,” echoed Carton. - -And walked with a settled step, down-stairs. - - - - -XII. Darkness - - -Sydney Carton paused in the street, not quite decided where to go. “At -Tellson's banking-house at nine,” he said, with a musing face. “Shall I -do well, in the mean time, to show myself? I think so. It is best that -these people should know there is such a man as I here; it is a sound -precaution, and may be a necessary preparation. But care, care, care! -Let me think it out!” - -Checking his steps which had begun to tend towards an object, he took a -turn or two in the already darkening street, and traced the thought -in his mind to its possible consequences. His first impression was -confirmed. “It is best,” he said, finally resolved, “that these people -should know there is such a man as I here.” And he turned his face -towards Saint Antoine. - -Defarge had described himself, that day, as the keeper of a wine-shop in -the Saint Antoine suburb. It was not difficult for one who knew the city -well, to find his house without asking any question. Having ascertained -its situation, Carton came out of those closer streets again, and dined -at a place of refreshment and fell sound asleep after dinner. For the -first time in many years, he had no strong drink. Since last night he -had taken nothing but a little light thin wine, and last night he had -dropped the brandy slowly down on Mr. Lorry's hearth like a man who had -done with it. - -It was as late as seven o'clock when he awoke refreshed, and went out -into the streets again. As he passed along towards Saint Antoine, he -stopped at a shop-window where there was a mirror, and slightly altered -the disordered arrangement of his loose cravat, and his coat-collar, and -his wild hair. This done, he went on direct to Defarge's, and went in. - -There happened to be no customer in the shop but Jacques Three, of the -restless fingers and the croaking voice. This man, whom he had seen upon -the Jury, stood drinking at the little counter, in conversation with the -Defarges, man and wife. The Vengeance assisted in the conversation, like -a regular member of the establishment. - -As Carton walked in, took his seat and asked (in very indifferent -French) for a small measure of wine, Madame Defarge cast a careless -glance at him, and then a keener, and then a keener, and then advanced -to him herself, and asked him what it was he had ordered. - -He repeated what he had already said. - -“English?” asked Madame Defarge, inquisitively raising her dark -eyebrows. - -After looking at her, as if the sound of even a single French word were -slow to express itself to him, he answered, in his former strong foreign -accent. “Yes, madame, yes. I am English!” - -Madame Defarge returned to her counter to get the wine, and, as he -took up a Jacobin journal and feigned to pore over it puzzling out its -meaning, he heard her say, “I swear to you, like Evremonde!” - -Defarge brought him the wine, and gave him Good Evening. - -“How?” - -“Good evening.” - -“Oh! Good evening, citizen,” filling his glass. “Ah! and good wine. I -drink to the Republic.” - -Defarge went back to the counter, and said, “Certainly, a little like.” - Madame sternly retorted, “I tell you a good deal like.” Jacques Three -pacifically remarked, “He is so much in your mind, see you, madame.” - The amiable Vengeance added, with a laugh, “Yes, my faith! And you -are looking forward with so much pleasure to seeing him once more -to-morrow!” - -Carton followed the lines and words of his paper, with a slow -forefinger, and with a studious and absorbed face. They were all leaning -their arms on the counter close together, speaking low. After a silence -of a few moments, during which they all looked towards him without -disturbing his outward attention from the Jacobin editor, they resumed -their conversation. - -“It is true what madame says,” observed Jacques Three. “Why stop? There -is great force in that. Why stop?” - -“Well, well,” reasoned Defarge, “but one must stop somewhere. After all, -the question is still where?” - -“At extermination,” said madame. - -“Magnificent!” croaked Jacques Three. The Vengeance, also, highly -approved. - -“Extermination is good doctrine, my wife,” said Defarge, rather -troubled; “in general, I say nothing against it. But this Doctor has -suffered much; you have seen him to-day; you have observed his face when -the paper was read.” - -“I have observed his face!” repeated madame, contemptuously and angrily. -“Yes. I have observed his face. I have observed his face to be not the -face of a true friend of the Republic. Let him take care of his face!” - -“And you have observed, my wife,” said Defarge, in a deprecatory manner, -“the anguish of his daughter, which must be a dreadful anguish to him!” - -“I have observed his daughter,” repeated madame; “yes, I have observed -his daughter, more times than one. I have observed her to-day, and I -have observed her other days. I have observed her in the court, and -I have observed her in the street by the prison. Let me but lift my -finger--!” She seemed to raise it (the listener's eyes were always on -his paper), and to let it fall with a rattle on the ledge before her, as -if the axe had dropped. - -“The citizeness is superb!” croaked the Juryman. - -“She is an Angel!” said The Vengeance, and embraced her. - -“As to thee,” pursued madame, implacably, addressing her husband, “if it -depended on thee--which, happily, it does not--thou wouldst rescue this -man even now.” - -“No!” protested Defarge. “Not if to lift this glass would do it! But I -would leave the matter there. I say, stop there.” - -“See you then, Jacques,” said Madame Defarge, wrathfully; “and see you, -too, my little Vengeance; see you both! Listen! For other crimes as -tyrants and oppressors, I have this race a long time on my register, -doomed to destruction and extermination. Ask my husband, is that so.” - -“It is so,” assented Defarge, without being asked. - -“In the beginning of the great days, when the Bastille falls, he finds -this paper of to-day, and he brings it home, and in the middle of the -night when this place is clear and shut, we read it, here on this spot, -by the light of this lamp. Ask him, is that so.” - -“It is so,” assented Defarge. - -“That night, I tell him, when the paper is read through, and the lamp is -burnt out, and the day is gleaming in above those shutters and between -those iron bars, that I have now a secret to communicate. Ask him, is -that so.” - -“It is so,” assented Defarge again. - -“I communicate to him that secret. I smite this bosom with these two -hands as I smite it now, and I tell him, 'Defarge, I was brought up -among the fishermen of the sea-shore, and that peasant family so injured -by the two Evremonde brothers, as that Bastille paper describes, is my -family. Defarge, that sister of the mortally wounded boy upon the ground -was my sister, that husband was my sister's husband, that unborn child -was their child, that brother was my brother, that father was my father, -those dead are my dead, and that summons to answer for those things -descends to me!' Ask him, is that so.” - -“It is so,” assented Defarge once more. - -“Then tell Wind and Fire where to stop,” returned madame; “but don't -tell me.” - -Both her hearers derived a horrible enjoyment from the deadly nature -of her wrath--the listener could feel how white she was, without seeing -her--and both highly commended it. Defarge, a weak minority, interposed -a few words for the memory of the compassionate wife of the Marquis; but -only elicited from his own wife a repetition of her last reply. “Tell -the Wind and the Fire where to stop; not me!” - -Customers entered, and the group was broken up. The English customer -paid for what he had had, perplexedly counted his change, and asked, as -a stranger, to be directed towards the National Palace. Madame Defarge -took him to the door, and put her arm on his, in pointing out the road. -The English customer was not without his reflections then, that it might -be a good deed to seize that arm, lift it, and strike under it sharp and -deep. - -But, he went his way, and was soon swallowed up in the shadow of the -prison wall. At the appointed hour, he emerged from it to present -himself in Mr. Lorry's room again, where he found the old gentleman -walking to and fro in restless anxiety. He said he had been with Lucie -until just now, and had only left her for a few minutes, to come and -keep his appointment. Her father had not been seen, since he quitted the -banking-house towards four o'clock. She had some faint hopes that his -mediation might save Charles, but they were very slight. He had been -more than five hours gone: where could he be? - -Mr. Lorry waited until ten; but, Doctor Manette not returning, and -he being unwilling to leave Lucie any longer, it was arranged that he -should go back to her, and come to the banking-house again at midnight. -In the meanwhile, Carton would wait alone by the fire for the Doctor. - -He waited and waited, and the clock struck twelve; but Doctor Manette -did not come back. Mr. Lorry returned, and found no tidings of him, and -brought none. Where could he be? - -They were discussing this question, and were almost building up some -weak structure of hope on his prolonged absence, when they heard him on -the stairs. The instant he entered the room, it was plain that all was -lost. - -Whether he had really been to any one, or whether he had been all that -time traversing the streets, was never known. As he stood staring at -them, they asked him no question, for his face told them everything. - -“I cannot find it,” said he, “and I must have it. Where is it?” - -His head and throat were bare, and, as he spoke with a helpless look -straying all around, he took his coat off, and let it drop on the floor. - -“Where is my bench? I have been looking everywhere for my bench, and I -can't find it. What have they done with my work? Time presses: I must -finish those shoes.” - -They looked at one another, and their hearts died within them. - -“Come, come!” said he, in a whimpering miserable way; “let me get to -work. Give me my work.” - -Receiving no answer, he tore his hair, and beat his feet upon the -ground, like a distracted child. - -“Don't torture a poor forlorn wretch,” he implored them, with a dreadful -cry; “but give me my work! What is to become of us, if those shoes are -not done to-night?” - -Lost, utterly lost! - -It was so clearly beyond hope to reason with him, or try to restore him, -that--as if by agreement--they each put a hand upon his shoulder, and -soothed him to sit down before the fire, with a promise that he should -have his work presently. He sank into the chair, and brooded over the -embers, and shed tears. As if all that had happened since the garret -time were a momentary fancy, or a dream, Mr. Lorry saw him shrink into -the exact figure that Defarge had had in keeping. - -Affected, and impressed with terror as they both were, by this spectacle -of ruin, it was not a time to yield to such emotions. His lonely -daughter, bereft of her final hope and reliance, appealed to them both -too strongly. Again, as if by agreement, they looked at one another with -one meaning in their faces. Carton was the first to speak: - -“The last chance is gone: it was not much. Yes; he had better be taken -to her. But, before you go, will you, for a moment, steadily attend to -me? Don't ask me why I make the stipulations I am going to make, and -exact the promise I am going to exact; I have a reason--a good one.” - -“I do not doubt it,” answered Mr. Lorry. “Say on.” - -The figure in the chair between them, was all the time monotonously -rocking itself to and fro, and moaning. They spoke in such a tone as -they would have used if they had been watching by a sick-bed in the -night. - -Carton stooped to pick up the coat, which lay almost entangling his -feet. As he did so, a small case in which the Doctor was accustomed to -carry the lists of his day's duties, fell lightly on the floor. Carton -took it up, and there was a folded paper in it. “We should look -at this!” he said. Mr. Lorry nodded his consent. He opened it, and -exclaimed, “Thank _God!_” - -“What is it?” asked Mr. Lorry, eagerly. - -“A moment! Let me speak of it in its place. First,” he put his hand in -his coat, and took another paper from it, “that is the certificate which -enables me to pass out of this city. Look at it. You see--Sydney Carton, -an Englishman?” - -Mr. Lorry held it open in his hand, gazing in his earnest face. - -“Keep it for me until to-morrow. I shall see him to-morrow, you -remember, and I had better not take it into the prison.” - -“Why not?” - -“I don't know; I prefer not to do so. Now, take this paper that Doctor -Manette has carried about him. It is a similar certificate, enabling him -and his daughter and her child, at any time, to pass the barrier and the -frontier! You see?” - -“Yes!” - -“Perhaps he obtained it as his last and utmost precaution against evil, -yesterday. When is it dated? But no matter; don't stay to look; put it -up carefully with mine and your own. Now, observe! I never doubted until -within this hour or two, that he had, or could have such a paper. It is -good, until recalled. But it may be soon recalled, and, I have reason to -think, will be.” - -“They are not in danger?” - -“They are in great danger. They are in danger of denunciation by Madame -Defarge. I know it from her own lips. I have overheard words of that -woman's, to-night, which have presented their danger to me in strong -colours. I have lost no time, and since then, I have seen the spy. He -confirms me. He knows that a wood-sawyer, living by the prison wall, -is under the control of the Defarges, and has been rehearsed by -Madame Defarge as to his having seen Her”--he never mentioned Lucie's -name--“making signs and signals to prisoners. It is easy to foresee that -the pretence will be the common one, a prison plot, and that it will -involve her life--and perhaps her child's--and perhaps her father's--for -both have been seen with her at that place. Don't look so horrified. You -will save them all.” - -“Heaven grant I may, Carton! But how?” - -“I am going to tell you how. It will depend on you, and it could depend -on no better man. This new denunciation will certainly not take place -until after to-morrow; probably not until two or three days afterwards; -more probably a week afterwards. You know it is a capital crime, to -mourn for, or sympathise with, a victim of the Guillotine. She and her -father would unquestionably be guilty of this crime, and this woman (the -inveteracy of whose pursuit cannot be described) would wait to add that -strength to her case, and make herself doubly sure. You follow me?” - -“So attentively, and with so much confidence in what you say, that for -the moment I lose sight,” touching the back of the Doctor's chair, “even -of this distress.” - -“You have money, and can buy the means of travelling to the seacoast -as quickly as the journey can be made. Your preparations have been -completed for some days, to return to England. Early to-morrow have your -horses ready, so that they may be in starting trim at two o'clock in the -afternoon.” - -“It shall be done!” - -His manner was so fervent and inspiring, that Mr. Lorry caught the -flame, and was as quick as youth. - -“You are a noble heart. Did I say we could depend upon no better man? -Tell her, to-night, what you know of her danger as involving her child -and her father. Dwell upon that, for she would lay her own fair head -beside her husband's cheerfully.” He faltered for an instant; then went -on as before. “For the sake of her child and her father, press upon her -the necessity of leaving Paris, with them and you, at that hour. Tell -her that it was her husband's last arrangement. Tell her that more -depends upon it than she dare believe, or hope. You think that her -father, even in this sad state, will submit himself to her; do you not?” - -“I am sure of it.” - -“I thought so. Quietly and steadily have all these arrangements made in -the courtyard here, even to the taking of your own seat in the carriage. -The moment I come to you, take me in, and drive away.” - -“I understand that I wait for you under all circumstances?” - -“You have my certificate in your hand with the rest, you know, and will -reserve my place. Wait for nothing but to have my place occupied, and -then for England!” - -“Why, then,” said Mr. Lorry, grasping his eager but so firm and steady -hand, “it does not all depend on one old man, but I shall have a young -and ardent man at my side.” - -“By the help of Heaven you shall! Promise me solemnly that nothing will -influence you to alter the course on which we now stand pledged to one -another.” - -“Nothing, Carton.” - -“Remember these words to-morrow: change the course, or delay in it--for -any reason--and no life can possibly be saved, and many lives must -inevitably be sacrificed.” - -“I will remember them. I hope to do my part faithfully.” - -“And I hope to do mine. Now, good bye!” - -Though he said it with a grave smile of earnestness, and though he even -put the old man's hand to his lips, he did not part from him then. He -helped him so far to arouse the rocking figure before the dying embers, -as to get a cloak and hat put upon it, and to tempt it forth to find -where the bench and work were hidden that it still moaningly besought -to have. He walked on the other side of it and protected it to the -courtyard of the house where the afflicted heart--so happy in -the memorable time when he had revealed his own desolate heart to -it--outwatched the awful night. He entered the courtyard and remained -there for a few moments alone, looking up at the light in the window of -her room. Before he went away, he breathed a blessing towards it, and a -Farewell. - - - - -XIII. Fifty-two - - -In the black prison of the Conciergerie, the doomed of the day awaited -their fate. They were in number as the weeks of the year. Fifty-two were -to roll that afternoon on the life-tide of the city to the boundless -everlasting sea. Before their cells were quit of them, new occupants -were appointed; before their blood ran into the blood spilled yesterday, -the blood that was to mingle with theirs to-morrow was already set -apart. - -Two score and twelve were told off. From the farmer-general of seventy, -whose riches could not buy his life, to the seamstress of twenty, whose -poverty and obscurity could not save her. Physical diseases, engendered -in the vices and neglects of men, will seize on victims of all degrees; -and the frightful moral disorder, born of unspeakable suffering, -intolerable oppression, and heartless indifference, smote equally -without distinction. - -Charles Darnay, alone in a cell, had sustained himself with no -flattering delusion since he came to it from the Tribunal. In every line -of the narrative he had heard, he had heard his condemnation. He had -fully comprehended that no personal influence could possibly save him, -that he was virtually sentenced by the millions, and that units could -avail him nothing. - -Nevertheless, it was not easy, with the face of his beloved wife fresh -before him, to compose his mind to what it must bear. His hold on life -was strong, and it was very, very hard, to loosen; by gradual efforts -and degrees unclosed a little here, it clenched the tighter there; and -when he brought his strength to bear on that hand and it yielded, -this was closed again. There was a hurry, too, in all his thoughts, -a turbulent and heated working of his heart, that contended against -resignation. If, for a moment, he did feel resigned, then his wife and -child who had to live after him, seemed to protest and to make it a -selfish thing. - -But, all this was at first. Before long, the consideration that there -was no disgrace in the fate he must meet, and that numbers went the same -road wrongfully, and trod it firmly every day, sprang up to stimulate -him. Next followed the thought that much of the future peace of mind -enjoyable by the dear ones, depended on his quiet fortitude. So, -by degrees he calmed into the better state, when he could raise his -thoughts much higher, and draw comfort down. - -Before it had set in dark on the night of his condemnation, he had -travelled thus far on his last way. Being allowed to purchase the means -of writing, and a light, he sat down to write until such time as the -prison lamps should be extinguished. - -He wrote a long letter to Lucie, showing her that he had known nothing -of her father's imprisonment, until he had heard of it from herself, -and that he had been as ignorant as she of his father's and uncle's -responsibility for that misery, until the paper had been read. He had -already explained to her that his concealment from herself of the name -he had relinquished, was the one condition--fully intelligible now--that -her father had attached to their betrothal, and was the one promise he -had still exacted on the morning of their marriage. He entreated her, -for her father's sake, never to seek to know whether her father had -become oblivious of the existence of the paper, or had had it recalled -to him (for the moment, or for good), by the story of the Tower, on -that old Sunday under the dear old plane-tree in the garden. If he had -preserved any definite remembrance of it, there could be no doubt that -he had supposed it destroyed with the Bastille, when he had found no -mention of it among the relics of prisoners which the populace had -discovered there, and which had been described to all the world. He -besought her--though he added that he knew it was needless--to console -her father, by impressing him through every tender means she could think -of, with the truth that he had done nothing for which he could justly -reproach himself, but had uniformly forgotten himself for their joint -sakes. Next to her preservation of his own last grateful love and -blessing, and her overcoming of her sorrow, to devote herself to their -dear child, he adjured her, as they would meet in Heaven, to comfort her -father. - -To her father himself, he wrote in the same strain; but, he told her -father that he expressly confided his wife and child to his care. And -he told him this, very strongly, with the hope of rousing him from any -despondency or dangerous retrospect towards which he foresaw he might be -tending. - -To Mr. Lorry, he commended them all, and explained his worldly affairs. -That done, with many added sentences of grateful friendship and warm -attachment, all was done. He never thought of Carton. His mind was so -full of the others, that he never once thought of him. - -He had time to finish these letters before the lights were put out. When -he lay down on his straw bed, he thought he had done with this world. - -But, it beckoned him back in his sleep, and showed itself in shining -forms. Free and happy, back in the old house in Soho (though it had -nothing in it like the real house), unaccountably released and light of -heart, he was with Lucie again, and she told him it was all a dream, and -he had never gone away. A pause of forgetfulness, and then he had even -suffered, and had come back to her, dead and at peace, and yet there -was no difference in him. Another pause of oblivion, and he awoke in the -sombre morning, unconscious where he was or what had happened, until it -flashed upon his mind, “this is the day of my death!” - -Thus, had he come through the hours, to the day when the fifty-two heads -were to fall. And now, while he was composed, and hoped that he could -meet the end with quiet heroism, a new action began in his waking -thoughts, which was very difficult to master. - -He had never seen the instrument that was to terminate his life. How -high it was from the ground, how many steps it had, where he would be -stood, how he would be touched, whether the touching hands would be dyed -red, which way his face would be turned, whether he would be the first, -or might be the last: these and many similar questions, in nowise -directed by his will, obtruded themselves over and over again, countless -times. Neither were they connected with fear: he was conscious of no -fear. Rather, they originated in a strange besetting desire to know what -to do when the time came; a desire gigantically disproportionate to the -few swift moments to which it referred; a wondering that was more like -the wondering of some other spirit within his, than his own. - -The hours went on as he walked to and fro, and the clocks struck the -numbers he would never hear again. Nine gone for ever, ten gone for -ever, eleven gone for ever, twelve coming on to pass away. After a hard -contest with that eccentric action of thought which had last perplexed -him, he had got the better of it. He walked up and down, softly -repeating their names to himself. The worst of the strife was over. -He could walk up and down, free from distracting fancies, praying for -himself and for them. - -Twelve gone for ever. - -He had been apprised that the final hour was Three, and he knew he would -be summoned some time earlier, inasmuch as the tumbrils jolted heavily -and slowly through the streets. Therefore, he resolved to keep Two -before his mind, as the hour, and so to strengthen himself in the -interval that he might be able, after that time, to strengthen others. - -Walking regularly to and fro with his arms folded on his breast, a very -different man from the prisoner, who had walked to and fro at La Force, -he heard One struck away from him, without surprise. The hour had -measured like most other hours. Devoutly thankful to Heaven for his -recovered self-possession, he thought, “There is but another now,” and -turned to walk again. - -Footsteps in the stone passage outside the door. He stopped. - -The key was put in the lock, and turned. Before the door was opened, or -as it opened, a man said in a low voice, in English: “He has never seen -me here; I have kept out of his way. Go you in alone; I wait near. Lose -no time!” - -The door was quickly opened and closed, and there stood before him -face to face, quiet, intent upon him, with the light of a smile on his -features, and a cautionary finger on his lip, Sydney Carton. - -There was something so bright and remarkable in his look, that, for the -first moment, the prisoner misdoubted him to be an apparition of his own -imagining. But, he spoke, and it was his voice; he took the prisoner's -hand, and it was his real grasp. - -“Of all the people upon earth, you least expected to see me?” he said. - -“I could not believe it to be you. I can scarcely believe it now. You -are not”--the apprehension came suddenly into his mind--“a prisoner?” - -“No. I am accidentally possessed of a power over one of the keepers -here, and in virtue of it I stand before you. I come from her--your -wife, dear Darnay.” - -The prisoner wrung his hand. - -“I bring you a request from her.” - -“What is it?” - -“A most earnest, pressing, and emphatic entreaty, addressed to you -in the most pathetic tones of the voice so dear to you, that you well -remember.” - -The prisoner turned his face partly aside. - -“You have no time to ask me why I bring it, or what it means; I have -no time to tell you. You must comply with it--take off those boots you -wear, and draw on these of mine.” - -There was a chair against the wall of the cell, behind the prisoner. -Carton, pressing forward, had already, with the speed of lightning, got -him down into it, and stood over him, barefoot. - -“Draw on these boots of mine. Put your hands to them; put your will to -them. Quick!” - -“Carton, there is no escaping from this place; it never can be done. You -will only die with me. It is madness.” - -“It would be madness if I asked you to escape; but do I? When I ask you -to pass out at that door, tell me it is madness and remain here. Change -that cravat for this of mine, that coat for this of mine. While you do -it, let me take this ribbon from your hair, and shake out your hair like -this of mine!” - -With wonderful quickness, and with a strength both of will and action, -that appeared quite supernatural, he forced all these changes upon him. -The prisoner was like a young child in his hands. - -“Carton! Dear Carton! It is madness. It cannot be accomplished, it never -can be done, it has been attempted, and has always failed. I implore you -not to add your death to the bitterness of mine.” - -“Do I ask you, my dear Darnay, to pass the door? When I ask that, -refuse. There are pen and ink and paper on this table. Is your hand -steady enough to write?” - -“It was when you came in.” - -“Steady it again, and write what I shall dictate. Quick, friend, quick!” - -Pressing his hand to his bewildered head, Darnay sat down at the table. -Carton, with his right hand in his breast, stood close beside him. - -“Write exactly as I speak.” - -“To whom do I address it?” - -“To no one.” Carton still had his hand in his breast. - -“Do I date it?” - -“No.” - -The prisoner looked up, at each question. Carton, standing over him with -his hand in his breast, looked down. - -“'If you remember,'” said Carton, dictating, “'the words that passed -between us, long ago, you will readily comprehend this when you see it. -You do remember them, I know. It is not in your nature to forget them.'” - -He was drawing his hand from his breast; the prisoner chancing to look -up in his hurried wonder as he wrote, the hand stopped, closing upon -something. - -“Have you written 'forget them'?” Carton asked. - -“I have. Is that a weapon in your hand?” - -“No; I am not armed.” - -“What is it in your hand?” - -“You shall know directly. Write on; there are but a few words more.” He -dictated again. “'I am thankful that the time has come, when I can prove -them. That I do so is no subject for regret or grief.'” As he said these -words with his eyes fixed on the writer, his hand slowly and softly -moved down close to the writer's face. - -The pen dropped from Darnay's fingers on the table, and he looked about -him vacantly. - -“What vapour is that?” he asked. - -“Vapour?” - -“Something that crossed me?” - -“I am conscious of nothing; there can be nothing here. Take up the pen -and finish. Hurry, hurry!” - -As if his memory were impaired, or his faculties disordered, the -prisoner made an effort to rally his attention. As he looked at Carton -with clouded eyes and with an altered manner of breathing, Carton--his -hand again in his breast--looked steadily at him. - -“Hurry, hurry!” - -The prisoner bent over the paper, once more. - -“'If it had been otherwise;'” Carton's hand was again watchfully and -softly stealing down; “'I never should have used the longer opportunity. -If it had been otherwise;'” the hand was at the prisoner's face; “'I -should but have had so much the more to answer for. If it had been -otherwise--'” Carton looked at the pen and saw it was trailing off into -unintelligible signs. - -Carton's hand moved back to his breast no more. The prisoner sprang up -with a reproachful look, but Carton's hand was close and firm at his -nostrils, and Carton's left arm caught him round the waist. For a few -seconds he faintly struggled with the man who had come to lay down his -life for him; but, within a minute or so, he was stretched insensible on -the ground. - -Quickly, but with hands as true to the purpose as his heart was, Carton -dressed himself in the clothes the prisoner had laid aside, combed back -his hair, and tied it with the ribbon the prisoner had worn. Then, he -softly called, “Enter there! Come in!” and the Spy presented himself. - -“You see?” said Carton, looking up, as he kneeled on one knee beside the -insensible figure, putting the paper in the breast: “is your hazard very -great?” - -“Mr. Carton,” the Spy answered, with a timid snap of his fingers, “my -hazard is not _that_, in the thick of business here, if you are true to -the whole of your bargain.” - -“Don't fear me. I will be true to the death.” - -“You must be, Mr. Carton, if the tale of fifty-two is to be right. Being -made right by you in that dress, I shall have no fear.” - -“Have no fear! I shall soon be out of the way of harming you, and the -rest will soon be far from here, please God! Now, get assistance and -take me to the coach.” - -“You?” said the Spy nervously. - -“Him, man, with whom I have exchanged. You go out at the gate by which -you brought me in?” - -“Of course.” - -“I was weak and faint when you brought me in, and I am fainter now you -take me out. The parting interview has overpowered me. Such a thing has -happened here, often, and too often. Your life is in your own hands. -Quick! Call assistance!” - -“You swear not to betray me?” said the trembling Spy, as he paused for a -last moment. - -“Man, man!” returned Carton, stamping his foot; “have I sworn by no -solemn vow already, to go through with this, that you waste the precious -moments now? Take him yourself to the courtyard you know of, place -him yourself in the carriage, show him yourself to Mr. Lorry, tell him -yourself to give him no restorative but air, and to remember my words of -last night, and his promise of last night, and drive away!” - -The Spy withdrew, and Carton seated himself at the table, resting his -forehead on his hands. The Spy returned immediately, with two men. - -“How, then?” said one of them, contemplating the fallen figure. “So -afflicted to find that his friend has drawn a prize in the lottery of -Sainte Guillotine?” - -“A good patriot,” said the other, “could hardly have been more afflicted -if the Aristocrat had drawn a blank.” - -They raised the unconscious figure, placed it on a litter they had -brought to the door, and bent to carry it away. - -“The time is short, Evremonde,” said the Spy, in a warning voice. - -“I know it well,” answered Carton. “Be careful of my friend, I entreat -you, and leave me.” - -“Come, then, my children,” said Barsad. “Lift him, and come away!” - -The door closed, and Carton was left alone. Straining his powers of -listening to the utmost, he listened for any sound that might denote -suspicion or alarm. There was none. Keys turned, doors clashed, -footsteps passed along distant passages: no cry was raised, or hurry -made, that seemed unusual. Breathing more freely in a little while, he -sat down at the table, and listened again until the clock struck Two. - -Sounds that he was not afraid of, for he divined their meaning, then -began to be audible. Several doors were opened in succession, and -finally his own. A gaoler, with a list in his hand, looked in, merely -saying, “Follow me, Evremonde!” and he followed into a large dark room, -at a distance. It was a dark winter day, and what with the shadows -within, and what with the shadows without, he could but dimly discern -the others who were brought there to have their arms bound. Some were -standing; some seated. Some were lamenting, and in restless motion; -but, these were few. The great majority were silent and still, looking -fixedly at the ground. - -As he stood by the wall in a dim corner, while some of the fifty-two -were brought in after him, one man stopped in passing, to embrace him, -as having a knowledge of him. It thrilled him with a great dread of -discovery; but the man went on. A very few moments after that, a young -woman, with a slight girlish form, a sweet spare face in which there was -no vestige of colour, and large widely opened patient eyes, rose from -the seat where he had observed her sitting, and came to speak to him. - -“Citizen Evremonde,” she said, touching him with her cold hand. “I am a -poor little seamstress, who was with you in La Force.” - -He murmured for answer: “True. I forget what you were accused of?” - -“Plots. Though the just Heaven knows that I am innocent of any. Is it -likely? Who would think of plotting with a poor little weak creature -like me?” - -The forlorn smile with which she said it, so touched him, that tears -started from his eyes. - -“I am not afraid to die, Citizen Evremonde, but I have done nothing. I -am not unwilling to die, if the Republic which is to do so much good -to us poor, will profit by my death; but I do not know how that can be, -Citizen Evremonde. Such a poor weak little creature!” - -As the last thing on earth that his heart was to warm and soften to, it -warmed and softened to this pitiable girl. - -“I heard you were released, Citizen Evremonde. I hoped it was true?” - -“It was. But, I was again taken and condemned.” - -“If I may ride with you, Citizen Evremonde, will you let me hold your -hand? I am not afraid, but I am little and weak, and it will give me -more courage.” - -As the patient eyes were lifted to his face, he saw a sudden doubt in -them, and then astonishment. He pressed the work-worn, hunger-worn young -fingers, and touched his lips. - -“Are you dying for him?” she whispered. - -“And his wife and child. Hush! Yes.” - -“O you will let me hold your brave hand, stranger?” - -“Hush! Yes, my poor sister; to the last.” - - ***** - -The same shadows that are falling on the prison, are falling, in that -same hour of the early afternoon, on the Barrier with the crowd about -it, when a coach going out of Paris drives up to be examined. - -“Who goes here? Whom have we within? Papers!” - -The papers are handed out, and read. - -“Alexandre Manette. Physician. French. Which is he?” - -This is he; this helpless, inarticulately murmuring, wandering old man -pointed out. - -“Apparently the Citizen-Doctor is not in his right mind? The -Revolution-fever will have been too much for him?” - -Greatly too much for him. - -“Hah! Many suffer with it. Lucie. His daughter. French. Which is she?” - -This is she. - -“Apparently it must be. Lucie, the wife of Evremonde; is it not?” - -It is. - -“Hah! Evremonde has an assignation elsewhere. Lucie, her child. English. -This is she?” - -She and no other. - -“Kiss me, child of Evremonde. Now, thou hast kissed a good Republican; -something new in thy family; remember it! Sydney Carton. Advocate. -English. Which is he?” - -He lies here, in this corner of the carriage. He, too, is pointed out. - -“Apparently the English advocate is in a swoon?” - -It is hoped he will recover in the fresher air. It is represented that -he is not in strong health, and has separated sadly from a friend who is -under the displeasure of the Republic. - -“Is that all? It is not a great deal, that! Many are under the -displeasure of the Republic, and must look out at the little window. -Jarvis Lorry. Banker. English. Which is he?” - -“I am he. Necessarily, being the last.” - -It is Jarvis Lorry who has replied to all the previous questions. It -is Jarvis Lorry who has alighted and stands with his hand on the coach -door, replying to a group of officials. They leisurely walk round the -carriage and leisurely mount the box, to look at what little luggage it -carries on the roof; the country-people hanging about, press nearer to -the coach doors and greedily stare in; a little child, carried by its -mother, has its short arm held out for it, that it may touch the wife of -an aristocrat who has gone to the Guillotine. - -“Behold your papers, Jarvis Lorry, countersigned.” - -“One can depart, citizen?” - -“One can depart. Forward, my postilions! A good journey!” - -“I salute you, citizens.--And the first danger passed!” - -These are again the words of Jarvis Lorry, as he clasps his hands, and -looks upward. There is terror in the carriage, there is weeping, there -is the heavy breathing of the insensible traveller. - -“Are we not going too slowly? Can they not be induced to go faster?” - asks Lucie, clinging to the old man. - -“It would seem like flight, my darling. I must not urge them too much; -it would rouse suspicion.” - -“Look back, look back, and see if we are pursued!” - -“The road is clear, my dearest. So far, we are not pursued.” - -Houses in twos and threes pass by us, solitary farms, ruinous buildings, -dye-works, tanneries, and the like, open country, avenues of leafless -trees. The hard uneven pavement is under us, the soft deep mud is on -either side. Sometimes, we strike into the skirting mud, to avoid the -stones that clatter us and shake us; sometimes, we stick in ruts and -sloughs there. The agony of our impatience is then so great, that in our -wild alarm and hurry we are for getting out and running--hiding--doing -anything but stopping. - -Out of the open country, in again among ruinous buildings, solitary -farms, dye-works, tanneries, and the like, cottages in twos and threes, -avenues of leafless trees. Have these men deceived us, and taken us back -by another road? Is not this the same place twice over? Thank Heaven, -no. A village. Look back, look back, and see if we are pursued! Hush! -the posting-house. - -Leisurely, our four horses are taken out; leisurely, the coach stands in -the little street, bereft of horses, and with no likelihood upon it -of ever moving again; leisurely, the new horses come into visible -existence, one by one; leisurely, the new postilions follow, sucking and -plaiting the lashes of their whips; leisurely, the old postilions count -their money, make wrong additions, and arrive at dissatisfied results. -All the time, our overfraught hearts are beating at a rate that would -far outstrip the fastest gallop of the fastest horses ever foaled. - -At length the new postilions are in their saddles, and the old are left -behind. We are through the village, up the hill, and down the hill, and -on the low watery grounds. Suddenly, the postilions exchange speech with -animated gesticulation, and the horses are pulled up, almost on their -haunches. We are pursued? - -“Ho! Within the carriage there. Speak then!” - -“What is it?” asks Mr. Lorry, looking out at window. - -“How many did they say?” - -“I do not understand you.” - -“--At the last post. How many to the Guillotine to-day?” - -“Fifty-two.” - -“I said so! A brave number! My fellow-citizen here would have it -forty-two; ten more heads are worth having. The Guillotine goes -handsomely. I love it. Hi forward. Whoop!” - -The night comes on dark. He moves more; he is beginning to revive, and -to speak intelligibly; he thinks they are still together; he asks him, -by his name, what he has in his hand. O pity us, kind Heaven, and help -us! Look out, look out, and see if we are pursued. - -The wind is rushing after us, and the clouds are flying after us, and -the moon is plunging after us, and the whole wild night is in pursuit of -us; but, so far, we are pursued by nothing else. - - - - -XIV. The Knitting Done - - -In that same juncture of time when the Fifty-Two awaited their fate -Madame Defarge held darkly ominous council with The Vengeance and -Jacques Three of the Revolutionary Jury. Not in the wine-shop did Madame -Defarge confer with these ministers, but in the shed of the wood-sawyer, -erst a mender of roads. The sawyer himself did not participate in the -conference, but abided at a little distance, like an outer satellite who -was not to speak until required, or to offer an opinion until invited. - -“But our Defarge,” said Jacques Three, “is undoubtedly a good -Republican? Eh?” - -“There is no better,” the voluble Vengeance protested in her shrill -notes, “in France.” - -“Peace, little Vengeance,” said Madame Defarge, laying her hand with -a slight frown on her lieutenant's lips, “hear me speak. My husband, -fellow-citizen, is a good Republican and a bold man; he has deserved -well of the Republic, and possesses its confidence. But my husband has -his weaknesses, and he is so weak as to relent towards this Doctor.” - -“It is a great pity,” croaked Jacques Three, dubiously shaking his head, -with his cruel fingers at his hungry mouth; “it is not quite like a good -citizen; it is a thing to regret.” - -“See you,” said madame, “I care nothing for this Doctor, I. He may wear -his head or lose it, for any interest I have in him; it is all one to -me. But, the Evremonde people are to be exterminated, and the wife and -child must follow the husband and father.” - -“She has a fine head for it,” croaked Jacques Three. “I have seen blue -eyes and golden hair there, and they looked charming when Samson held -them up.” Ogre that he was, he spoke like an epicure. - -Madame Defarge cast down her eyes, and reflected a little. - -“The child also,” observed Jacques Three, with a meditative enjoyment -of his words, “has golden hair and blue eyes. And we seldom have a child -there. It is a pretty sight!” - -“In a word,” said Madame Defarge, coming out of her short abstraction, -“I cannot trust my husband in this matter. Not only do I feel, since -last night, that I dare not confide to him the details of my projects; -but also I feel that if I delay, there is danger of his giving warning, -and then they might escape.” - -“That must never be,” croaked Jacques Three; “no one must escape. We -have not half enough as it is. We ought to have six score a day.” - -“In a word,” Madame Defarge went on, “my husband has not my reason for -pursuing this family to annihilation, and I have not his reason for -regarding this Doctor with any sensibility. I must act for myself, -therefore. Come hither, little citizen.” - -The wood-sawyer, who held her in the respect, and himself in the -submission, of mortal fear, advanced with his hand to his red cap. - -“Touching those signals, little citizen,” said Madame Defarge, sternly, -“that she made to the prisoners; you are ready to bear witness to them -this very day?” - -“Ay, ay, why not!” cried the sawyer. “Every day, in all weathers, from -two to four, always signalling, sometimes with the little one, sometimes -without. I know what I know. I have seen with my eyes.” - -He made all manner of gestures while he spoke, as if in incidental -imitation of some few of the great diversity of signals that he had -never seen. - -“Clearly plots,” said Jacques Three. “Transparently!” - -“There is no doubt of the Jury?” inquired Madame Defarge, letting her -eyes turn to him with a gloomy smile. - -“Rely upon the patriotic Jury, dear citizeness. I answer for my -fellow-Jurymen.” - -“Now, let me see,” said Madame Defarge, pondering again. “Yet once more! -Can I spare this Doctor to my husband? I have no feeling either way. Can -I spare him?” - -“He would count as one head,” observed Jacques Three, in a low voice. -“We really have not heads enough; it would be a pity, I think.” - -“He was signalling with her when I saw her,” argued Madame Defarge; “I -cannot speak of one without the other; and I must not be silent, and -trust the case wholly to him, this little citizen here. For, I am not a -bad witness.” - -The Vengeance and Jacques Three vied with each other in their fervent -protestations that she was the most admirable and marvellous of -witnesses. The little citizen, not to be outdone, declared her to be a -celestial witness. - -“He must take his chance,” said Madame Defarge. “No, I cannot spare -him! You are engaged at three o'clock; you are going to see the batch of -to-day executed.--You?” - -The question was addressed to the wood-sawyer, who hurriedly replied in -the affirmative: seizing the occasion to add that he was the most ardent -of Republicans, and that he would be in effect the most desolate of -Republicans, if anything prevented him from enjoying the pleasure of -smoking his afternoon pipe in the contemplation of the droll national -barber. He was so very demonstrative herein, that he might have been -suspected (perhaps was, by the dark eyes that looked contemptuously at -him out of Madame Defarge's head) of having his small individual fears -for his own personal safety, every hour in the day. - -“I,” said madame, “am equally engaged at the same place. After it is -over--say at eight to-night--come you to me, in Saint Antoine, and we -will give information against these people at my Section.” - -The wood-sawyer said he would be proud and flattered to attend the -citizeness. The citizeness looking at him, he became embarrassed, evaded -her glance as a small dog would have done, retreated among his wood, and -hid his confusion over the handle of his saw. - -Madame Defarge beckoned the Juryman and The Vengeance a little nearer to -the door, and there expounded her further views to them thus: - -“She will now be at home, awaiting the moment of his death. She will -be mourning and grieving. She will be in a state of mind to impeach the -justice of the Republic. She will be full of sympathy with its enemies. -I will go to her.” - -“What an admirable woman; what an adorable woman!” exclaimed Jacques -Three, rapturously. “Ah, my cherished!” cried The Vengeance; and -embraced her. - -“Take you my knitting,” said Madame Defarge, placing it in her -lieutenant's hands, “and have it ready for me in my usual seat. Keep -me my usual chair. Go you there, straight, for there will probably be a -greater concourse than usual, to-day.” - -“I willingly obey the orders of my Chief,” said The Vengeance with -alacrity, and kissing her cheek. “You will not be late?” - -“I shall be there before the commencement.” - -“And before the tumbrils arrive. Be sure you are there, my soul,” said -The Vengeance, calling after her, for she had already turned into the -street, “before the tumbrils arrive!” - -Madame Defarge slightly waved her hand, to imply that she heard, and -might be relied upon to arrive in good time, and so went through the -mud, and round the corner of the prison wall. The Vengeance and the -Juryman, looking after her as she walked away, were highly appreciative -of her fine figure, and her superb moral endowments. - -There were many women at that time, upon whom the time laid a dreadfully -disfiguring hand; but, there was not one among them more to be dreaded -than this ruthless woman, now taking her way along the streets. Of a -strong and fearless character, of shrewd sense and readiness, of great -determination, of that kind of beauty which not only seems to impart -to its possessor firmness and animosity, but to strike into others an -instinctive recognition of those qualities; the troubled time would have -heaved her up, under any circumstances. But, imbued from her childhood -with a brooding sense of wrong, and an inveterate hatred of a class, -opportunity had developed her into a tigress. She was absolutely without -pity. If she had ever had the virtue in her, it had quite gone out of -her. - -It was nothing to her, that an innocent man was to die for the sins of -his forefathers; she saw, not him, but them. It was nothing to her, that -his wife was to be made a widow and his daughter an orphan; that was -insufficient punishment, because they were her natural enemies and -her prey, and as such had no right to live. To appeal to her, was made -hopeless by her having no sense of pity, even for herself. If she had -been laid low in the streets, in any of the many encounters in which -she had been engaged, she would not have pitied herself; nor, if she had -been ordered to the axe to-morrow, would she have gone to it with any -softer feeling than a fierce desire to change places with the man who -sent her there. - -Such a heart Madame Defarge carried under her rough robe. Carelessly -worn, it was a becoming robe enough, in a certain weird way, and her -dark hair looked rich under her coarse red cap. Lying hidden in her -bosom, was a loaded pistol. Lying hidden at her waist, was a sharpened -dagger. Thus accoutred, and walking with the confident tread of such -a character, and with the supple freedom of a woman who had habitually -walked in her girlhood, bare-foot and bare-legged, on the brown -sea-sand, Madame Defarge took her way along the streets. - -Now, when the journey of the travelling coach, at that very moment -waiting for the completion of its load, had been planned out last night, -the difficulty of taking Miss Pross in it had much engaged Mr. Lorry's -attention. It was not merely desirable to avoid overloading the coach, -but it was of the highest importance that the time occupied in examining -it and its passengers, should be reduced to the utmost; since their -escape might depend on the saving of only a few seconds here and there. -Finally, he had proposed, after anxious consideration, that Miss Pross -and Jerry, who were at liberty to leave the city, should leave it at -three o'clock in the lightest-wheeled conveyance known to that period. -Unencumbered with luggage, they would soon overtake the coach, and, -passing it and preceding it on the road, would order its horses in -advance, and greatly facilitate its progress during the precious hours -of the night, when delay was the most to be dreaded. - -Seeing in this arrangement the hope of rendering real service in that -pressing emergency, Miss Pross hailed it with joy. She and Jerry had -beheld the coach start, had known who it was that Solomon brought, had -passed some ten minutes in tortures of suspense, and were now concluding -their arrangements to follow the coach, even as Madame Defarge, -taking her way through the streets, now drew nearer and nearer to the -else-deserted lodging in which they held their consultation. - -“Now what do you think, Mr. Cruncher,” said Miss Pross, whose agitation -was so great that she could hardly speak, or stand, or move, or live: -“what do you think of our not starting from this courtyard? Another -carriage having already gone from here to-day, it might awaken -suspicion.” - -“My opinion, miss,” returned Mr. Cruncher, “is as you're right. Likewise -wot I'll stand by you, right or wrong.” - -“I am so distracted with fear and hope for our precious creatures,” said -Miss Pross, wildly crying, “that I am incapable of forming any plan. Are -_you_ capable of forming any plan, my dear good Mr. Cruncher?” - -“Respectin' a future spear o' life, miss,” returned Mr. Cruncher, “I -hope so. Respectin' any present use o' this here blessed old head o' -mine, I think not. Would you do me the favour, miss, to take notice o' -two promises and wows wot it is my wishes fur to record in this here -crisis?” - -“Oh, for gracious sake!” cried Miss Pross, still wildly crying, “record -them at once, and get them out of the way, like an excellent man.” - -“First,” said Mr. Cruncher, who was all in a tremble, and who spoke with -an ashy and solemn visage, “them poor things well out o' this, never no -more will I do it, never no more!” - -“I am quite sure, Mr. Cruncher,” returned Miss Pross, “that you -never will do it again, whatever it is, and I beg you not to think it -necessary to mention more particularly what it is.” - -“No, miss,” returned Jerry, “it shall not be named to you. Second: them -poor things well out o' this, and never no more will I interfere with -Mrs. Cruncher's flopping, never no more!” - -“Whatever housekeeping arrangement that may be,” said Miss Pross, -striving to dry her eyes and compose herself, “I have no doubt it -is best that Mrs. Cruncher should have it entirely under her own -superintendence.--O my poor darlings!” - -“I go so far as to say, miss, moreover,” proceeded Mr. Cruncher, with a -most alarming tendency to hold forth as from a pulpit--“and let my words -be took down and took to Mrs. Cruncher through yourself--that wot my -opinions respectin' flopping has undergone a change, and that wot I only -hope with all my heart as Mrs. Cruncher may be a flopping at the present -time.” - -“There, there, there! I hope she is, my dear man,” cried the distracted -Miss Pross, “and I hope she finds it answering her expectations.” - -“Forbid it,” proceeded Mr. Cruncher, with additional solemnity, -additional slowness, and additional tendency to hold forth and hold -out, “as anything wot I have ever said or done should be wisited on my -earnest wishes for them poor creeturs now! Forbid it as we shouldn't all -flop (if it was anyways conwenient) to get 'em out o' this here dismal -risk! Forbid it, miss! Wot I say, for-_bid_ it!” This was Mr. Cruncher's -conclusion after a protracted but vain endeavour to find a better one. - -And still Madame Defarge, pursuing her way along the streets, came -nearer and nearer. - -“If we ever get back to our native land,” said Miss Pross, “you may rely -upon my telling Mrs. Cruncher as much as I may be able to remember and -understand of what you have so impressively said; and at all events -you may be sure that I shall bear witness to your being thoroughly in -earnest at this dreadful time. Now, pray let us think! My esteemed Mr. -Cruncher, let us think!” - -Still, Madame Defarge, pursuing her way along the streets, came nearer -and nearer. - -“If you were to go before,” said Miss Pross, “and stop the vehicle and -horses from coming here, and were to wait somewhere for me; wouldn't -that be best?” - -Mr. Cruncher thought it might be best. - -“Where could you wait for me?” asked Miss Pross. - -Mr. Cruncher was so bewildered that he could think of no locality but -Temple Bar. Alas! Temple Bar was hundreds of miles away, and Madame -Defarge was drawing very near indeed. - -“By the cathedral door,” said Miss Pross. “Would it be much out of -the way, to take me in, near the great cathedral door between the two -towers?” - -“No, miss,” answered Mr. Cruncher. - -“Then, like the best of men,” said Miss Pross, “go to the posting-house -straight, and make that change.” - -“I am doubtful,” said Mr. Cruncher, hesitating and shaking his head, -“about leaving of you, you see. We don't know what may happen.” - -“Heaven knows we don't,” returned Miss Pross, “but have no fear for me. -Take me in at the cathedral, at Three o'Clock, or as near it as you can, -and I am sure it will be better than our going from here. I feel certain -of it. There! Bless you, Mr. Cruncher! Think-not of me, but of the lives -that may depend on both of us!” - -This exordium, and Miss Pross's two hands in quite agonised entreaty -clasping his, decided Mr. Cruncher. With an encouraging nod or two, he -immediately went out to alter the arrangements, and left her by herself -to follow as she had proposed. - -The having originated a precaution which was already in course of -execution, was a great relief to Miss Pross. The necessity of composing -her appearance so that it should attract no special notice in the -streets, was another relief. She looked at her watch, and it was twenty -minutes past two. She had no time to lose, but must get ready at once. - -Afraid, in her extreme perturbation, of the loneliness of the deserted -rooms, and of half-imagined faces peeping from behind every open door -in them, Miss Pross got a basin of cold water and began laving her eyes, -which were swollen and red. Haunted by her feverish apprehensions, she -could not bear to have her sight obscured for a minute at a time by the -dripping water, but constantly paused and looked round to see that there -was no one watching her. In one of those pauses she recoiled and cried -out, for she saw a figure standing in the room. - -The basin fell to the ground broken, and the water flowed to the feet of -Madame Defarge. By strange stern ways, and through much staining blood, -those feet had come to meet that water. - -Madame Defarge looked coldly at her, and said, “The wife of Evremonde; -where is she?” - -It flashed upon Miss Pross's mind that the doors were all standing open, -and would suggest the flight. Her first act was to shut them. There were -four in the room, and she shut them all. She then placed herself before -the door of the chamber which Lucie had occupied. - -Madame Defarge's dark eyes followed her through this rapid movement, -and rested on her when it was finished. Miss Pross had nothing beautiful -about her; years had not tamed the wildness, or softened the grimness, -of her appearance; but, she too was a determined woman in her different -way, and she measured Madame Defarge with her eyes, every inch. - -“You might, from your appearance, be the wife of Lucifer,” said Miss -Pross, in her breathing. “Nevertheless, you shall not get the better of -me. I am an Englishwoman.” - -Madame Defarge looked at her scornfully, but still with something of -Miss Pross's own perception that they two were at bay. She saw a tight, -hard, wiry woman before her, as Mr. Lorry had seen in the same figure a -woman with a strong hand, in the years gone by. She knew full well that -Miss Pross was the family's devoted friend; Miss Pross knew full well -that Madame Defarge was the family's malevolent enemy. - -“On my way yonder,” said Madame Defarge, with a slight movement of -her hand towards the fatal spot, “where they reserve my chair and my -knitting for me, I am come to make my compliments to her in passing. I -wish to see her.” - -“I know that your intentions are evil,” said Miss Pross, “and you may -depend upon it, I'll hold my own against them.” - -Each spoke in her own language; neither understood the other's words; -both were very watchful, and intent to deduce from look and manner, what -the unintelligible words meant. - -“It will do her no good to keep herself concealed from me at this -moment,” said Madame Defarge. “Good patriots will know what that means. -Let me see her. Go tell her that I wish to see her. Do you hear?” - -“If those eyes of yours were bed-winches,” returned Miss Pross, “and I -was an English four-poster, they shouldn't loose a splinter of me. No, -you wicked foreign woman; I am your match.” - -Madame Defarge was not likely to follow these idiomatic remarks in -detail; but, she so far understood them as to perceive that she was set -at naught. - -“Woman imbecile and pig-like!” said Madame Defarge, frowning. “I take no -answer from you. I demand to see her. Either tell her that I demand -to see her, or stand out of the way of the door and let me go to her!” - This, with an angry explanatory wave of her right arm. - -“I little thought,” said Miss Pross, “that I should ever want to -understand your nonsensical language; but I would give all I have, -except the clothes I wear, to know whether you suspect the truth, or any -part of it.” - -Neither of them for a single moment released the other's eyes. Madame -Defarge had not moved from the spot where she stood when Miss Pross -first became aware of her; but, she now advanced one step. - -“I am a Briton,” said Miss Pross, “I am desperate. I don't care an -English Twopence for myself. I know that the longer I keep you here, the -greater hope there is for my Ladybird. I'll not leave a handful of that -dark hair upon your head, if you lay a finger on me!” - -Thus Miss Pross, with a shake of her head and a flash of her eyes -between every rapid sentence, and every rapid sentence a whole breath. -Thus Miss Pross, who had never struck a blow in her life. - -But, her courage was of that emotional nature that it brought the -irrepressible tears into her eyes. This was a courage that Madame -Defarge so little comprehended as to mistake for weakness. “Ha, ha!” she -laughed, “you poor wretch! What are you worth! I address myself to that -Doctor.” Then she raised her voice and called out, “Citizen Doctor! Wife -of Evremonde! Child of Evremonde! Any person but this miserable fool, -answer the Citizeness Defarge!” - -Perhaps the following silence, perhaps some latent disclosure in the -expression of Miss Pross's face, perhaps a sudden misgiving apart from -either suggestion, whispered to Madame Defarge that they were gone. -Three of the doors she opened swiftly, and looked in. - -“Those rooms are all in disorder, there has been hurried packing, there -are odds and ends upon the ground. There is no one in that room behind -you! Let me look.” - -“Never!” said Miss Pross, who understood the request as perfectly as -Madame Defarge understood the answer. - -“If they are not in that room, they are gone, and can be pursued and -brought back,” said Madame Defarge to herself. - -“As long as you don't know whether they are in that room or not, you are -uncertain what to do,” said Miss Pross to herself; “and you shall not -know that, if I can prevent your knowing it; and know that, or not know -that, you shall not leave here while I can hold you.” - -“I have been in the streets from the first, nothing has stopped me, -I will tear you to pieces, but I will have you from that door,” said -Madame Defarge. - -“We are alone at the top of a high house in a solitary courtyard, we are -not likely to be heard, and I pray for bodily strength to keep you here, -while every minute you are here is worth a hundred thousand guineas to -my darling,” said Miss Pross. - -Madame Defarge made at the door. Miss Pross, on the instinct of the -moment, seized her round the waist in both her arms, and held her tight. -It was in vain for Madame Defarge to struggle and to strike; Miss Pross, -with the vigorous tenacity of love, always so much stronger than hate, -clasped her tight, and even lifted her from the floor in the struggle -that they had. The two hands of Madame Defarge buffeted and tore her -face; but, Miss Pross, with her head down, held her round the waist, and -clung to her with more than the hold of a drowning woman. - -Soon, Madame Defarge's hands ceased to strike, and felt at her encircled -waist. “It is under my arm,” said Miss Pross, in smothered tones, “you -shall not draw it. I am stronger than you, I bless Heaven for it. I hold -you till one or other of us faints or dies!” - -Madame Defarge's hands were at her bosom. Miss Pross looked up, saw -what it was, struck at it, struck out a flash and a crash, and stood -alone--blinded with smoke. - -All this was in a second. As the smoke cleared, leaving an awful -stillness, it passed out on the air, like the soul of the furious woman -whose body lay lifeless on the ground. - -In the first fright and horror of her situation, Miss Pross passed the -body as far from it as she could, and ran down the stairs to call for -fruitless help. Happily, she bethought herself of the consequences of -what she did, in time to check herself and go back. It was dreadful to -go in at the door again; but, she did go in, and even went near it, to -get the bonnet and other things that she must wear. These she put on, -out on the staircase, first shutting and locking the door and taking -away the key. She then sat down on the stairs a few moments to breathe -and to cry, and then got up and hurried away. - -By good fortune she had a veil on her bonnet, or she could hardly have -gone along the streets without being stopped. By good fortune, too, she -was naturally so peculiar in appearance as not to show disfigurement -like any other woman. She needed both advantages, for the marks of -gripping fingers were deep in her face, and her hair was torn, and her -dress (hastily composed with unsteady hands) was clutched and dragged a -hundred ways. - -In crossing the bridge, she dropped the door key in the river. Arriving -at the cathedral some few minutes before her escort, and waiting there, -she thought, what if the key were already taken in a net, what if -it were identified, what if the door were opened and the remains -discovered, what if she were stopped at the gate, sent to prison, and -charged with murder! In the midst of these fluttering thoughts, the -escort appeared, took her in, and took her away. - -“Is there any noise in the streets?” she asked him. - -“The usual noises,” Mr. Cruncher replied; and looked surprised by the -question and by her aspect. - -“I don't hear you,” said Miss Pross. “What do you say?” - -It was in vain for Mr. Cruncher to repeat what he said; Miss Pross could -not hear him. “So I'll nod my head,” thought Mr. Cruncher, amazed, “at -all events she'll see that.” And she did. - -“Is there any noise in the streets now?” asked Miss Pross again, -presently. - -Again Mr. Cruncher nodded his head. - -“I don't hear it.” - -“Gone deaf in an hour?” said Mr. Cruncher, ruminating, with his mind -much disturbed; “wot's come to her?” - -“I feel,” said Miss Pross, “as if there had been a flash and a crash, -and that crash was the last thing I should ever hear in this life.” - -“Blest if she ain't in a queer condition!” said Mr. Cruncher, more and -more disturbed. “Wot can she have been a takin', to keep her courage up? -Hark! There's the roll of them dreadful carts! You can hear that, miss?” - -“I can hear,” said Miss Pross, seeing that he spoke to her, “nothing. O, -my good man, there was first a great crash, and then a great stillness, -and that stillness seems to be fixed and unchangeable, never to be -broken any more as long as my life lasts.” - -“If she don't hear the roll of those dreadful carts, now very nigh their -journey's end,” said Mr. Cruncher, glancing over his shoulder, “it's my -opinion that indeed she never will hear anything else in this world.” - -And indeed she never did. - - - - -XV. The Footsteps Die Out For Ever - - -Along the Paris streets, the death-carts rumble, hollow and harsh. Six -tumbrils carry the day's wine to La Guillotine. All the devouring and -insatiate Monsters imagined since imagination could record itself, -are fused in the one realisation, Guillotine. And yet there is not in -France, with its rich variety of soil and climate, a blade, a leaf, -a root, a sprig, a peppercorn, which will grow to maturity under -conditions more certain than those that have produced this horror. Crush -humanity out of shape once more, under similar hammers, and it will -twist itself into the same tortured forms. Sow the same seed of -rapacious license and oppression over again, and it will surely yield -the same fruit according to its kind. - -Six tumbrils roll along the streets. Change these back again to what -they were, thou powerful enchanter, Time, and they shall be seen to be -the carriages of absolute monarchs, the equipages of feudal nobles, the -toilettes of flaring Jezebels, the churches that are not my father's -house but dens of thieves, the huts of millions of starving peasants! -No; the great magician who majestically works out the appointed order -of the Creator, never reverses his transformations. “If thou be changed -into this shape by the will of God,” say the seers to the enchanted, in -the wise Arabian stories, “then remain so! But, if thou wear this -form through mere passing conjuration, then resume thy former aspect!” - Changeless and hopeless, the tumbrils roll along. - -As the sombre wheels of the six carts go round, they seem to plough up -a long crooked furrow among the populace in the streets. Ridges of faces -are thrown to this side and to that, and the ploughs go steadily onward. -So used are the regular inhabitants of the houses to the spectacle, that -in many windows there are no people, and in some the occupation of the -hands is not so much as suspended, while the eyes survey the faces in -the tumbrils. Here and there, the inmate has visitors to see the sight; -then he points his finger, with something of the complacency of a -curator or authorised exponent, to this cart and to this, and seems to -tell who sat here yesterday, and who there the day before. - -Of the riders in the tumbrils, some observe these things, and all -things on their last roadside, with an impassive stare; others, with -a lingering interest in the ways of life and men. Some, seated with -drooping heads, are sunk in silent despair; again, there are some so -heedful of their looks that they cast upon the multitude such glances as -they have seen in theatres, and in pictures. Several close their eyes, -and think, or try to get their straying thoughts together. Only one, and -he a miserable creature, of a crazed aspect, is so shattered and made -drunk by horror, that he sings, and tries to dance. Not one of the whole -number appeals by look or gesture, to the pity of the people. - -There is a guard of sundry horsemen riding abreast of the tumbrils, -and faces are often turned up to some of them, and they are asked some -question. It would seem to be always the same question, for, it is -always followed by a press of people towards the third cart. The -horsemen abreast of that cart, frequently point out one man in it with -their swords. The leading curiosity is, to know which is he; he stands -at the back of the tumbril with his head bent down, to converse with a -mere girl who sits on the side of the cart, and holds his hand. He has -no curiosity or care for the scene about him, and always speaks to the -girl. Here and there in the long street of St. Honore, cries are raised -against him. If they move him at all, it is only to a quiet smile, as he -shakes his hair a little more loosely about his face. He cannot easily -touch his face, his arms being bound. - -On the steps of a church, awaiting the coming-up of the tumbrils, stands -the Spy and prison-sheep. He looks into the first of them: not there. -He looks into the second: not there. He already asks himself, “Has he -sacrificed me?” when his face clears, as he looks into the third. - -“Which is Evremonde?” says a man behind him. - -“That. At the back there.” - -“With his hand in the girl's?” - -“Yes.” - -The man cries, “Down, Evremonde! To the Guillotine all aristocrats! -Down, Evremonde!” - -“Hush, hush!” the Spy entreats him, timidly. - -“And why not, citizen?” - -“He is going to pay the forfeit: it will be paid in five minutes more. -Let him be at peace.” - -But the man continuing to exclaim, “Down, Evremonde!” the face of -Evremonde is for a moment turned towards him. Evremonde then sees the -Spy, and looks attentively at him, and goes his way. - -The clocks are on the stroke of three, and the furrow ploughed among the -populace is turning round, to come on into the place of execution, and -end. The ridges thrown to this side and to that, now crumble in and -close behind the last plough as it passes on, for all are following -to the Guillotine. In front of it, seated in chairs, as in a garden of -public diversion, are a number of women, busily knitting. On one of the -fore-most chairs, stands The Vengeance, looking about for her friend. - -“Therese!” she cries, in her shrill tones. “Who has seen her? Therese -Defarge!” - -“She never missed before,” says a knitting-woman of the sisterhood. - -“No; nor will she miss now,” cries The Vengeance, petulantly. “Therese.” - -“Louder,” the woman recommends. - -Ay! Louder, Vengeance, much louder, and still she will scarcely hear -thee. Louder yet, Vengeance, with a little oath or so added, and yet -it will hardly bring her. Send other women up and down to seek her, -lingering somewhere; and yet, although the messengers have done dread -deeds, it is questionable whether of their own wills they will go far -enough to find her! - -“Bad Fortune!” cries The Vengeance, stamping her foot in the chair, “and -here are the tumbrils! And Evremonde will be despatched in a wink, and -she not here! See her knitting in my hand, and her empty chair ready for -her. I cry with vexation and disappointment!” - -As The Vengeance descends from her elevation to do it, the tumbrils -begin to discharge their loads. The ministers of Sainte Guillotine are -robed and ready. Crash!--A head is held up, and the knitting-women who -scarcely lifted their eyes to look at it a moment ago when it could -think and speak, count One. - -The second tumbril empties and moves on; the third comes up. Crash!--And -the knitting-women, never faltering or pausing in their Work, count Two. - -The supposed Evremonde descends, and the seamstress is lifted out next -after him. He has not relinquished her patient hand in getting out, but -still holds it as he promised. He gently places her with her back to the -crashing engine that constantly whirrs up and falls, and she looks into -his face and thanks him. - -“But for you, dear stranger, I should not be so composed, for I am -naturally a poor little thing, faint of heart; nor should I have been -able to raise my thoughts to Him who was put to death, that we might -have hope and comfort here to-day. I think you were sent to me by -Heaven.” - -“Or you to me,” says Sydney Carton. “Keep your eyes upon me, dear child, -and mind no other object.” - -“I mind nothing while I hold your hand. I shall mind nothing when I let -it go, if they are rapid.” - -“They will be rapid. Fear not!” - -The two stand in the fast-thinning throng of victims, but they speak as -if they were alone. Eye to eye, voice to voice, hand to hand, heart to -heart, these two children of the Universal Mother, else so wide apart -and differing, have come together on the dark highway, to repair home -together, and to rest in her bosom. - -“Brave and generous friend, will you let me ask you one last question? I -am very ignorant, and it troubles me--just a little.” - -“Tell me what it is.” - -“I have a cousin, an only relative and an orphan, like myself, whom I -love very dearly. She is five years younger than I, and she lives in a -farmer's house in the south country. Poverty parted us, and she knows -nothing of my fate--for I cannot write--and if I could, how should I -tell her! It is better as it is.” - -“Yes, yes: better as it is.” - -“What I have been thinking as we came along, and what I am still -thinking now, as I look into your kind strong face which gives me so -much support, is this:--If the Republic really does good to the poor, -and they come to be less hungry, and in all ways to suffer less, she may -live a long time: she may even live to be old.” - -“What then, my gentle sister?” - -“Do you think:” the uncomplaining eyes in which there is so much -endurance, fill with tears, and the lips part a little more and tremble: -“that it will seem long to me, while I wait for her in the better land -where I trust both you and I will be mercifully sheltered?” - -“It cannot be, my child; there is no Time there, and no trouble there.” - -“You comfort me so much! I am so ignorant. Am I to kiss you now? Is the -moment come?” - -“Yes.” - -She kisses his lips; he kisses hers; they solemnly bless each other. -The spare hand does not tremble as he releases it; nothing worse than -a sweet, bright constancy is in the patient face. She goes next before -him--is gone; the knitting-women count Twenty-Two. - -“I am the Resurrection and the Life, saith the Lord: he that believeth -in me, though he were dead, yet shall he live: and whosoever liveth and -believeth in me shall never die.” - -The murmuring of many voices, the upturning of many faces, the pressing -on of many footsteps in the outskirts of the crowd, so that it swells -forward in a mass, like one great heave of water, all flashes away. -Twenty-Three. - - ***** - -They said of him, about the city that night, that it was the -peacefullest man's face ever beheld there. Many added that he looked -sublime and prophetic. - -One of the most remarkable sufferers by the same axe--a woman--had asked -at the foot of the same scaffold, not long before, to be allowed to -write down the thoughts that were inspiring her. If he had given any -utterance to his, and they were prophetic, they would have been these: - -“I see Barsad, and Cly, Defarge, The Vengeance, the Juryman, the Judge, -long ranks of the new oppressors who have risen on the destruction of -the old, perishing by this retributive instrument, before it shall cease -out of its present use. I see a beautiful city and a brilliant people -rising from this abyss, and, in their struggles to be truly free, in -their triumphs and defeats, through long years to come, I see the evil -of this time and of the previous time of which this is the natural -birth, gradually making expiation for itself and wearing out. - -“I see the lives for which I lay down my life, peaceful, useful, -prosperous and happy, in that England which I shall see no more. I see -Her with a child upon her bosom, who bears my name. I see her father, -aged and bent, but otherwise restored, and faithful to all men in his -healing office, and at peace. I see the good old man, so long their -friend, in ten years' time enriching them with all he has, and passing -tranquilly to his reward. - -“I see that I hold a sanctuary in their hearts, and in the hearts of -their descendants, generations hence. I see her, an old woman, weeping -for me on the anniversary of this day. I see her and her husband, their -course done, lying side by side in their last earthly bed, and I know -that each was not more honoured and held sacred in the other's soul, -than I was in the souls of both. - -“I see that child who lay upon her bosom and who bore my name, a man -winning his way up in that path of life which once was mine. I see him -winning it so well, that my name is made illustrious there by the -light of his. I see the blots I threw upon it, faded away. I see him, -fore-most of just judges and honoured men, bringing a boy of my name, -with a forehead that I know and golden hair, to this place--then fair to -look upon, with not a trace of this day's disfigurement--and I hear him -tell the child my story, with a tender and a faltering voice. - -“It is a far, far better thing that I do, than I have ever done; it is a -far, far better rest that I go to than I have ever known.” - - - - - - - - - - - -End of the Project Gutenberg EBook of A Tale of Two Cities, by Charles Dickens - -*** END OF THIS PROJECT GUTENBERG EBOOK A TALE OF TWO CITIES *** - -***** This file should be named 98-0.txt or 98-0.zip ***** -This and all associated files of various formats will be found in: - http://www.gutenberg.org/9/98/ - -Produced by Judith Boss - -Updated editions will replace the previous one--the old editions -will be renamed. - -Creating the works from public domain print editions means that no -one owns a United States copyright in these works, so the Foundation -(and you!) can copy and distribute it in the United States without -permission and without paying copyright royalties. Special rules, -set forth in the General Terms of Use part of this license, apply to -copying and distributing Project Gutenberg-tm electronic works to -protect the PROJECT GUTENBERG-tm concept and trademark. Project -Gutenberg is a registered trademark, and may not be used if you -charge for the eBooks, unless you receive specific permission. If you -do not charge anything for copies of this eBook, complying with the -rules is very easy. You may use this eBook for nearly any purpose -such as creation of derivative works, reports, performances and -research. They may be modified and printed and given away--you may do -practically ANYTHING with public domain eBooks. Redistribution is -subject to the trademark license, especially commercial -redistribution. - - - -*** START: FULL LICENSE *** - -THE FULL PROJECT GUTENBERG LICENSE -PLEASE READ THIS BEFORE YOU DISTRIBUTE OR USE THIS WORK - -To protect the Project Gutenberg-tm mission of promoting the free -distribution of electronic works, by using or distributing this work -(or any other work associated in any way with the phrase “Project -Gutenberg”), you agree to comply with all the terms of the Full Project -Gutenberg-tm License (available with this file or online at -http://gutenberg.org/license). - - -Section 1. General Terms of Use and Redistributing Project Gutenberg-tm -electronic works - -1.A. By reading or using any part of this Project Gutenberg-tm -electronic work, you indicate that you have read, understand, agree to -and accept all the terms of this license and intellectual property -(trademark/copyright) agreement. If you do not agree to abide by all -the terms of this agreement, you must cease using and return or destroy -all copies of Project Gutenberg-tm electronic works in your possession. -If you paid a fee for obtaining a copy of or access to a Project -Gutenberg-tm electronic work and you do not agree to be bound by the -terms of this agreement, you may obtain a refund from the person or -entity to whom you paid the fee as set forth in paragraph 1.E.8. - -1.B. “Project Gutenberg” is a registered trademark. It may only be -used on or associated in any way with an electronic work by people who -agree to be bound by the terms of this agreement. There are a few -things that you can do with most Project Gutenberg-tm electronic works -even without complying with the full terms of this agreement. See -paragraph 1.C below. There are a lot of things you can do with Project -Gutenberg-tm electronic works if you follow the terms of this agreement -and help preserve free future access to Project Gutenberg-tm electronic -works. See paragraph 1.E below. - -1.C. The Project Gutenberg Literary Archive Foundation (“the Foundation” - or PGLAF), owns a compilation copyright in the collection of Project -Gutenberg-tm electronic works. Nearly all the individual works in the -collection are in the public domain in the United States. If an -individual work is in the public domain in the United States and you are -located in the United States, we do not claim a right to prevent you from -copying, distributing, performing, displaying or creating derivative -works based on the work as long as all references to Project Gutenberg -are removed. Of course, we hope that you will support the Project -Gutenberg-tm mission of promoting free access to electronic works by -freely sharing Project Gutenberg-tm works in compliance with the terms of -this agreement for keeping the Project Gutenberg-tm name associated with -the work. You can easily comply with the terms of this agreement by -keeping this work in the same format with its attached full Project -Gutenberg-tm License when you share it without charge with others. - -1.D. The copyright laws of the place where you are located also govern -what you can do with this work. Copyright laws in most countries are in -a constant state of change. If you are outside the United States, check -the laws of your country in addition to the terms of this agreement -before downloading, copying, displaying, performing, distributing or -creating derivative works based on this work or any other Project -Gutenberg-tm work. The Foundation makes no representations concerning -the copyright status of any work in any country outside the United -States. - -1.E. Unless you have removed all references to Project Gutenberg: - -1.E.1. The following sentence, with active links to, or other immediate -access to, the full Project Gutenberg-tm License must appear prominently -whenever any copy of a Project Gutenberg-tm work (any work on which the -phrase “Project Gutenberg” appears, or with which the phrase “Project -Gutenberg” is associated) is accessed, displayed, performed, viewed, -copied or distributed: - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - -1.E.2. If an individual Project Gutenberg-tm electronic work is derived -from the public domain (does not contain a notice indicating that it is -posted with permission of the copyright holder), the work can be copied -and distributed to anyone in the United States without paying any fees -or charges. If you are redistributing or providing access to a work -with the phrase “Project Gutenberg” associated with or appearing on the -work, you must comply either with the requirements of paragraphs 1.E.1 -through 1.E.7 or obtain permission for the use of the work and the -Project Gutenberg-tm trademark as set forth in paragraphs 1.E.8 or -1.E.9. - -1.E.3. If an individual Project Gutenberg-tm electronic work is posted -with the permission of the copyright holder, your use and distribution -must comply with both paragraphs 1.E.1 through 1.E.7 and any additional -terms imposed by the copyright holder. Additional terms will be linked -to the Project Gutenberg-tm License for all works posted with the -permission of the copyright holder found at the beginning of this work. - -1.E.4. Do not unlink or detach or remove the full Project Gutenberg-tm -License terms from this work, or any files containing a part of this -work or any other work associated with Project Gutenberg-tm. - -1.E.5. Do not copy, display, perform, distribute or redistribute this -electronic work, or any part of this electronic work, without -prominently displaying the sentence set forth in paragraph 1.E.1 with -active links or immediate access to the full terms of the Project -Gutenberg-tm License. - -1.E.6. You may convert to and distribute this work in any binary, -compressed, marked up, nonproprietary or proprietary form, including any -word processing or hypertext form. However, if you provide access to or -distribute copies of a Project Gutenberg-tm work in a format other than -“Plain Vanilla ASCII” or other format used in the official version -posted on the official Project Gutenberg-tm web site (www.gutenberg.org), -you must, at no additional cost, fee or expense to the user, provide a -copy, a means of exporting a copy, or a means of obtaining a copy upon -request, of the work in its original “Plain Vanilla ASCII” or other -form. Any alternate format must include the full Project Gutenberg-tm -License as specified in paragraph 1.E.1. - -1.E.7. Do not charge a fee for access to, viewing, displaying, -performing, copying or distributing any Project Gutenberg-tm works -unless you comply with paragraph 1.E.8 or 1.E.9. - -1.E.8. You may charge a reasonable fee for copies of or providing -access to or distributing Project Gutenberg-tm electronic works provided -that - -- You pay a royalty fee of 20% of the gross profits you derive from - the use of Project Gutenberg-tm works calculated using the method - you already use to calculate your applicable taxes. The fee is - owed to the owner of the Project Gutenberg-tm trademark, but he - has agreed to donate royalties under this paragraph to the - Project Gutenberg Literary Archive Foundation. Royalty payments - must be paid within 60 days following each date on which you - prepare (or are legally required to prepare) your periodic tax - returns. Royalty payments should be clearly marked as such and - sent to the Project Gutenberg Literary Archive Foundation at the - address specified in Section 4, “Information about donations to - the Project Gutenberg Literary Archive Foundation.” - -- You provide a full refund of any money paid by a user who notifies - you in writing (or by e-mail) within 30 days of receipt that s/he - does not agree to the terms of the full Project Gutenberg-tm - License. You must require such a user to return or - destroy all copies of the works possessed in a physical medium - and discontinue all use of and all access to other copies of - Project Gutenberg-tm works. - -- You provide, in accordance with paragraph 1.F.3, a full refund of any - money paid for a work or a replacement copy, if a defect in the - electronic work is discovered and reported to you within 90 days - of receipt of the work. - -- You comply with all other terms of this agreement for free - distribution of Project Gutenberg-tm works. - -1.E.9. If you wish to charge a fee or distribute a Project Gutenberg-tm -electronic work or group of works on different terms than are set -forth in this agreement, you must obtain permission in writing from -both the Project Gutenberg Literary Archive Foundation and Michael -Hart, the owner of the Project Gutenberg-tm trademark. Contact the -Foundation as set forth in Section 3 below. - -1.F. - -1.F.1. Project Gutenberg volunteers and employees expend considerable -effort to identify, do copyright research on, transcribe and proofread -public domain works in creating the Project Gutenberg-tm -collection. Despite these efforts, Project Gutenberg-tm electronic -works, and the medium on which they may be stored, may contain -“Defects,” such as, but not limited to, incomplete, inaccurate or -corrupt data, transcription errors, a copyright or other intellectual -property infringement, a defective or damaged disk or other medium, a -computer virus, or computer codes that damage or cannot be read by -your equipment. - -1.F.2. LIMITED WARRANTY, DISCLAIMER OF DAMAGES - Except for the “Right -of Replacement or Refund” described in paragraph 1.F.3, the Project -Gutenberg Literary Archive Foundation, the owner of the Project -Gutenberg-tm trademark, and any other party distributing a Project -Gutenberg-tm electronic work under this agreement, disclaim all -liability to you for damages, costs and expenses, including legal -fees. YOU AGREE THAT YOU HAVE NO REMEDIES FOR NEGLIGENCE, STRICT -LIABILITY, BREACH OF WARRANTY OR BREACH OF CONTRACT EXCEPT THOSE -PROVIDED IN PARAGRAPH F3. YOU AGREE THAT THE FOUNDATION, THE -TRADEMARK OWNER, AND ANY DISTRIBUTOR UNDER THIS AGREEMENT WILL NOT BE -LIABLE TO YOU FOR ACTUAL, DIRECT, INDIRECT, CONSEQUENTIAL, PUNITIVE OR -INCIDENTAL DAMAGES EVEN IF YOU GIVE NOTICE OF THE POSSIBILITY OF SUCH -DAMAGE. - -1.F.3. LIMITED RIGHT OF REPLACEMENT OR REFUND - If you discover a -defect in this electronic work within 90 days of receiving it, you can -receive a refund of the money (if any) you paid for it by sending a -written explanation to the person you received the work from. If you -received the work on a physical medium, you must return the medium with -your written explanation. The person or entity that provided you with -the defective work may elect to provide a replacement copy in lieu of a -refund. If you received the work electronically, the person or entity -providing it to you may choose to give you a second opportunity to -receive the work electronically in lieu of a refund. If the second copy -is also defective, you may demand a refund in writing without further -opportunities to fix the problem. - -1.F.4. Except for the limited right of replacement or refund set forth -in paragraph 1.F.3, this work is provided to you 'AS-IS' WITH NO OTHER -WARRANTIES OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO -WARRANTIES OF MERCHANTIBILITY OR FITNESS FOR ANY PURPOSE. - -1.F.5. Some states do not allow disclaimers of certain implied -warranties or the exclusion or limitation of certain types of damages. -If any disclaimer or limitation set forth in this agreement violates the -law of the state applicable to this agreement, the agreement shall be -interpreted to make the maximum disclaimer or limitation permitted by -the applicable state law. The invalidity or unenforceability of any -provision of this agreement shall not void the remaining provisions. - -1.F.6. INDEMNITY - You agree to indemnify and hold the Foundation, the -trademark owner, any agent or employee of the Foundation, anyone -providing copies of Project Gutenberg-tm electronic works in accordance -with this agreement, and any volunteers associated with the production, -promotion and distribution of Project Gutenberg-tm electronic works, -harmless from all liability, costs and expenses, including legal fees, -that arise directly or indirectly from any of the following which you do -or cause to occur: (a) distribution of this or any Project Gutenberg-tm -work, (b) alteration, modification, or additions or deletions to any -Project Gutenberg-tm work, and (c) any Defect you cause. - - -Section 2. Information about the Mission of Project Gutenberg-tm - -Project Gutenberg-tm is synonymous with the free distribution of -electronic works in formats readable by the widest variety of computers -including obsolete, old, middle-aged and new computers. It exists -because of the efforts of hundreds of volunteers and donations from -people in all walks of life. - -Volunteers and financial support to provide volunteers with the -assistance they need, are critical to reaching Project Gutenberg-tm's -goals and ensuring that the Project Gutenberg-tm collection will -remain freely available for generations to come. In 2001, the Project -Gutenberg Literary Archive Foundation was created to provide a secure -and permanent future for Project Gutenberg-tm and future generations. -To learn more about the Project Gutenberg Literary Archive Foundation -and how your efforts and donations can help, see Sections 3 and 4 -and the Foundation web page at http://www.pglaf.org. - - -Section 3. Information about the Project Gutenberg Literary Archive -Foundation - -The Project Gutenberg Literary Archive Foundation is a non profit -501(c)(3) educational corporation organized under the laws of the -state of Mississippi and granted tax exempt status by the Internal -Revenue Service. The Foundation's EIN or federal tax identification -number is 64-6221541. Its 501(c)(3) letter is posted at -http://pglaf.org/fundraising. Contributions to the Project Gutenberg -Literary Archive Foundation are tax deductible to the full extent -permitted by U.S. federal laws and your state's laws. - -The Foundation's principal office is located at 4557 Melan Dr. S. -Fairbanks, AK, 99712., but its volunteers and employees are scattered -throughout numerous locations. Its business office is located at -809 North 1500 West, Salt Lake City, UT 84116, (801) 596-1887, email -business@pglaf.org. Email contact links and up to date contact -information can be found at the Foundation's web site and official -page at http://pglaf.org - -For additional contact information: - Dr. Gregory B. Newby - Chief Executive and Director - gbnewby@pglaf.org - - -Section 4. Information about Donations to the Project Gutenberg -Literary Archive Foundation - -Project Gutenberg-tm depends upon and cannot survive without wide -spread public support and donations to carry out its mission of -increasing the number of public domain and licensed works that can be -freely distributed in machine readable form accessible by the widest -array of equipment including outdated equipment. Many small donations -($1 to $5,000) are particularly important to maintaining tax exempt -status with the IRS. - -The Foundation is committed to complying with the laws regulating -charities and charitable donations in all 50 states of the United -States. Compliance requirements are not uniform and it takes a -considerable effort, much paperwork and many fees to meet and keep up -with these requirements. We do not solicit donations in locations -where we have not received written confirmation of compliance. To -SEND DONATIONS or determine the status of compliance for any -particular state visit http://pglaf.org - -While we cannot and do not solicit contributions from states where we -have not met the solicitation requirements, we know of no prohibition -against accepting unsolicited donations from donors in such states who -approach us with offers to donate. - -International donations are gratefully accepted, but we cannot make -any statements concerning tax treatment of donations received from -outside the United States. U.S. laws alone swamp our small staff. - -Please check the Project Gutenberg Web pages for current donation -methods and addresses. Donations are accepted in a number of other -ways including checks, online payments and credit card donations. -To donate, please visit: http://pglaf.org/donate - - -Section 5. General Information About Project Gutenberg-tm electronic -works. - -Professor Michael S. Hart is the originator of the Project Gutenberg-tm -concept of a library of electronic works that could be freely shared -with anyone. For thirty years, he produced and distributed Project -Gutenberg-tm eBooks with only a loose network of volunteer support. - - -Project Gutenberg-tm eBooks are often created from several printed -editions, all of which are confirmed as Public Domain in the U.S. -unless a copyright notice is included. Thus, we do not necessarily -keep eBooks in compliance with any particular paper edition. - - -Most people start at our Web site which has the main PG search facility: - - http://www.gutenberg.org - -This Web site includes information about Project Gutenberg-tm, -including how to make donations to the Project Gutenberg Literary -Archive Foundation, how to help produce our new eBooks, and how to -subscribe to our email newsletter to hear about new eBooks. -The Project Gutenberg EBook of A Tale of Two Cities, by Charles Dickens - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - - -Title: A Tale of Two Cities - A Story of the French Revolution - -Author: Charles Dickens - -Release Date: January, 1994 [EBook #98] -Posting Date: November 28, 2009 -Last Updated: March 4, 2018 - -Language: English - -Character set encoding: UTF-8 - -*** START OF THIS PROJECT GUTENBERG EBOOK A TALE OF TWO CITIES *** - - - - -Produced by Judith Boss - - - - - - - - -A TALE OF TWO CITIES - -A STORY OF THE FRENCH REVOLUTION - -By Charles Dickens - - -CONTENTS - - - Book the First--Recalled to Life - - Chapter I The Period - Chapter II The Mail - Chapter III The Night Shadows - Chapter IV The Preparation - Chapter V The Wine-shop - Chapter VI The Shoemaker - - - Book the Second--the Golden Thread - - Chapter I Five Years Later - Chapter II A Sight - Chapter III A Disappointment - Chapter IV Congratulatory - Chapter V The Jackal - Chapter VI Hundreds of People - Chapter VII Monseigneur in Town - Chapter VIII Monseigneur in the Country - Chapter IX The Gorgon's Head - Chapter X Two Promises - Chapter XI A Companion Picture - Chapter XII The Fellow of Delicacy - Chapter XIII The Fellow of no Delicacy - Chapter XIV The Honest Tradesman - Chapter XV Knitting - Chapter XVI Still Knitting - Chapter XVII One Night - Chapter XVIII Nine Days - Chapter XIX An Opinion - Chapter XX A Plea - Chapter XXI Echoing Footsteps - Chapter XXII The Sea Still Rises - Chapter XXIII Fire Rises - Chapter XXIV Drawn to the Loadstone Rock - - - Book the Third--the Track of a Storm - - Chapter I In Secret - Chapter II The Grindstone - Chapter III The Shadow - Chapter IV Calm in Storm - Chapter V The Wood-sawyer - Chapter VI Triumph - Chapter VII A Knock at the Door - Chapter VIII A Hand at Cards - Chapter IX The Game Made - Chapter X The Substance of the Shadow - Chapter XI Dusk - Chapter XII Darkness - Chapter XIII Fifty-two - Chapter XIV The Knitting Done - Chapter XV The Footsteps Die Out For Ever - - - - - -Book the First--Recalled to Life - - - - -I. The Period - - -It was the best of times, -it was the worst of times, -it was the age of wisdom, -it was the age of foolishness, -it was the epoch of belief, -it was the epoch of incredulity, -it was the season of Light, -it was the season of Darkness, -it was the spring of hope, -it was the winter of despair, -we had everything before us, -we had nothing before us, -we were all going direct to Heaven, -we were all going direct the other way-- -in short, the period was so far like the present period, that some of -its noisiest authorities insisted on its being received, for good or for -evil, in the superlative degree of comparison only. - -There were a king with a large jaw and a queen with a plain face, on the -throne of England; there were a king with a large jaw and a queen with -a fair face, on the throne of France. In both countries it was clearer -than crystal to the lords of the State preserves of loaves and fishes, -that things in general were settled for ever. - -It was the year of Our Lord one thousand seven hundred and seventy-five. -Spiritual revelations were conceded to England at that favoured period, -as at this. Mrs. Southcott had recently attained her five-and-twentieth -blessed birthday, of whom a prophetic private in the Life Guards had -heralded the sublime appearance by announcing that arrangements were -made for the swallowing up of London and Westminster. Even the Cock-lane -ghost had been laid only a round dozen of years, after rapping out its -messages, as the spirits of this very year last past (supernaturally -deficient in originality) rapped out theirs. Mere messages in the -earthly order of events had lately come to the English Crown and People, -from a congress of British subjects in America: which, strange -to relate, have proved more important to the human race than any -communications yet received through any of the chickens of the Cock-lane -brood. - -France, less favoured on the whole as to matters spiritual than her -sister of the shield and trident, rolled with exceeding smoothness down -hill, making paper money and spending it. Under the guidance of her -Christian pastors, she entertained herself, besides, with such humane -achievements as sentencing a youth to have his hands cut off, his tongue -torn out with pincers, and his body burned alive, because he had not -kneeled down in the rain to do honour to a dirty procession of monks -which passed within his view, at a distance of some fifty or sixty -yards. It is likely enough that, rooted in the woods of France and -Norway, there were growing trees, when that sufferer was put to death, -already marked by the Woodman, Fate, to come down and be sawn into -boards, to make a certain movable framework with a sack and a knife in -it, terrible in history. It is likely enough that in the rough outhouses -of some tillers of the heavy lands adjacent to Paris, there were -sheltered from the weather that very day, rude carts, bespattered with -rustic mire, snuffed about by pigs, and roosted in by poultry, which -the Farmer, Death, had already set apart to be his tumbrils of -the Revolution. But that Woodman and that Farmer, though they work -unceasingly, work silently, and no one heard them as they went about -with muffled tread: the rather, forasmuch as to entertain any suspicion -that they were awake, was to be atheistical and traitorous. - -In England, there was scarcely an amount of order and protection to -justify much national boasting. Daring burglaries by armed men, and -highway robberies, took place in the capital itself every night; -families were publicly cautioned not to go out of town without removing -their furniture to upholsterers' warehouses for security; the highwayman -in the dark was a City tradesman in the light, and, being recognised and -challenged by his fellow-tradesman whom he stopped in his character of -“the Captain,” gallantly shot him through the head and rode away; the -mail was waylaid by seven robbers, and the guard shot three dead, and -then got shot dead himself by the other four, “in consequence of the -failure of his ammunition:” after which the mail was robbed in peace; -that magnificent potentate, the Lord Mayor of London, was made to stand -and deliver on Turnham Green, by one highwayman, who despoiled the -illustrious creature in sight of all his retinue; prisoners in London -gaols fought battles with their turnkeys, and the majesty of the law -fired blunderbusses in among them, loaded with rounds of shot and ball; -thieves snipped off diamond crosses from the necks of noble lords at -Court drawing-rooms; musketeers went into St. Giles's, to search -for contraband goods, and the mob fired on the musketeers, and the -musketeers fired on the mob, and nobody thought any of these occurrences -much out of the common way. In the midst of them, the hangman, ever busy -and ever worse than useless, was in constant requisition; now, stringing -up long rows of miscellaneous criminals; now, hanging a housebreaker on -Saturday who had been taken on Tuesday; now, burning people in the -hand at Newgate by the dozen, and now burning pamphlets at the door of -Westminster Hall; to-day, taking the life of an atrocious murderer, -and to-morrow of a wretched pilferer who had robbed a farmer's boy of -sixpence. - -All these things, and a thousand like them, came to pass in and close -upon the dear old year one thousand seven hundred and seventy-five. -Environed by them, while the Woodman and the Farmer worked unheeded, -those two of the large jaws, and those other two of the plain and the -fair faces, trod with stir enough, and carried their divine rights -with a high hand. Thus did the year one thousand seven hundred -and seventy-five conduct their Greatnesses, and myriads of small -creatures--the creatures of this chronicle among the rest--along the -roads that lay before them. - - - - -II. The Mail - - -It was the Dover road that lay, on a Friday night late in November, -before the first of the persons with whom this history has business. -The Dover road lay, as to him, beyond the Dover mail, as it lumbered up -Shooter's Hill. He walked up hill in the mire by the side of the mail, -as the rest of the passengers did; not because they had the least relish -for walking exercise, under the circumstances, but because the hill, -and the harness, and the mud, and the mail, were all so heavy, that the -horses had three times already come to a stop, besides once drawing the -coach across the road, with the mutinous intent of taking it back -to Blackheath. Reins and whip and coachman and guard, however, in -combination, had read that article of war which forbade a purpose -otherwise strongly in favour of the argument, that some brute animals -are endued with Reason; and the team had capitulated and returned to -their duty. - -With drooping heads and tremulous tails, they mashed their way through -the thick mud, floundering and stumbling between whiles, as if they were -falling to pieces at the larger joints. As often as the driver rested -them and brought them to a stand, with a wary “Wo-ho! so-ho-then!” the -near leader violently shook his head and everything upon it--like an -unusually emphatic horse, denying that the coach could be got up the -hill. Whenever the leader made this rattle, the passenger started, as a -nervous passenger might, and was disturbed in mind. - -There was a steaming mist in all the hollows, and it had roamed in its -forlornness up the hill, like an evil spirit, seeking rest and finding -none. A clammy and intensely cold mist, it made its slow way through the -air in ripples that visibly followed and overspread one another, as the -waves of an unwholesome sea might do. It was dense enough to shut out -everything from the light of the coach-lamps but these its own workings, -and a few yards of road; and the reek of the labouring horses steamed -into it, as if they had made it all. - -Two other passengers, besides the one, were plodding up the hill by the -side of the mail. All three were wrapped to the cheekbones and over the -ears, and wore jack-boots. Not one of the three could have said, from -anything he saw, what either of the other two was like; and each was -hidden under almost as many wrappers from the eyes of the mind, as from -the eyes of the body, of his two companions. In those days, travellers -were very shy of being confidential on a short notice, for anybody on -the road might be a robber or in league with robbers. As to the latter, -when every posting-house and ale-house could produce somebody in -“the Captain's” pay, ranging from the landlord to the lowest stable -non-descript, it was the likeliest thing upon the cards. So the guard -of the Dover mail thought to himself, that Friday night in November, one -thousand seven hundred and seventy-five, lumbering up Shooter's Hill, as -he stood on his own particular perch behind the mail, beating his feet, -and keeping an eye and a hand on the arm-chest before him, where a -loaded blunderbuss lay at the top of six or eight loaded horse-pistols, -deposited on a substratum of cutlass. - -The Dover mail was in its usual genial position that the guard suspected -the passengers, the passengers suspected one another and the guard, they -all suspected everybody else, and the coachman was sure of nothing but -the horses; as to which cattle he could with a clear conscience have -taken his oath on the two Testaments that they were not fit for the -journey. - -“Wo-ho!” said the coachman. “So, then! One more pull and you're at the -top and be damned to you, for I have had trouble enough to get you to -it!--Joe!” - -“Halloa!” the guard replied. - -“What o'clock do you make it, Joe?” - -“Ten minutes, good, past eleven.” - -“My blood!” ejaculated the vexed coachman, “and not atop of Shooter's -yet! Tst! Yah! Get on with you!” - -The emphatic horse, cut short by the whip in a most decided negative, -made a decided scramble for it, and the three other horses followed -suit. Once more, the Dover mail struggled on, with the jack-boots of its -passengers squashing along by its side. They had stopped when the coach -stopped, and they kept close company with it. If any one of the three -had had the hardihood to propose to another to walk on a little ahead -into the mist and darkness, he would have put himself in a fair way of -getting shot instantly as a highwayman. - -The last burst carried the mail to the summit of the hill. The horses -stopped to breathe again, and the guard got down to skid the wheel for -the descent, and open the coach-door to let the passengers in. - -“Tst! Joe!” cried the coachman in a warning voice, looking down from his -box. - -“What do you say, Tom?” - -They both listened. - -“I say a horse at a canter coming up, Joe.” - -“_I_ say a horse at a gallop, Tom,” returned the guard, leaving his hold -of the door, and mounting nimbly to his place. “Gentlemen! In the king's -name, all of you!” - -With this hurried adjuration, he cocked his blunderbuss, and stood on -the offensive. - -The passenger booked by this history, was on the coach-step, getting in; -the two other passengers were close behind him, and about to follow. He -remained on the step, half in the coach and half out of; they remained -in the road below him. They all looked from the coachman to the guard, -and from the guard to the coachman, and listened. The coachman looked -back and the guard looked back, and even the emphatic leader pricked up -his ears and looked back, without contradicting. - -The stillness consequent on the cessation of the rumbling and labouring -of the coach, added to the stillness of the night, made it very quiet -indeed. The panting of the horses communicated a tremulous motion to -the coach, as if it were in a state of agitation. The hearts of the -passengers beat loud enough perhaps to be heard; but at any rate, the -quiet pause was audibly expressive of people out of breath, and holding -the breath, and having the pulses quickened by expectation. - -The sound of a horse at a gallop came fast and furiously up the hill. - -“So-ho!” the guard sang out, as loud as he could roar. “Yo there! Stand! -I shall fire!” - -The pace was suddenly checked, and, with much splashing and floundering, -a man's voice called from the mist, “Is that the Dover mail?” - -“Never you mind what it is!” the guard retorted. “What are you?” - -“_Is_ that the Dover mail?” - -“Why do you want to know?” - -“I want a passenger, if it is.” - -“What passenger?” - -“Mr. Jarvis Lorry.” - -Our booked passenger showed in a moment that it was his name. The guard, -the coachman, and the two other passengers eyed him distrustfully. - -“Keep where you are,” the guard called to the voice in the mist, -“because, if I should make a mistake, it could never be set right in -your lifetime. Gentleman of the name of Lorry answer straight.” - -“What is the matter?” asked the passenger, then, with mildly quavering -speech. “Who wants me? Is it Jerry?” - -(“I don't like Jerry's voice, if it is Jerry,” growled the guard to -himself. “He's hoarser than suits me, is Jerry.”) - -“Yes, Mr. Lorry.” - -“What is the matter?” - -“A despatch sent after you from over yonder. T. and Co.” - -“I know this messenger, guard,” said Mr. Lorry, getting down into the -road--assisted from behind more swiftly than politely by the other two -passengers, who immediately scrambled into the coach, shut the door, and -pulled up the window. “He may come close; there's nothing wrong.” - -“I hope there ain't, but I can't make so 'Nation sure of that,” said the -guard, in gruff soliloquy. “Hallo you!” - -“Well! And hallo you!” said Jerry, more hoarsely than before. - -“Come on at a footpace! d'ye mind me? And if you've got holsters to that -saddle o' yourn, don't let me see your hand go nigh 'em. For I'm a devil -at a quick mistake, and when I make one it takes the form of Lead. So -now let's look at you.” - -The figures of a horse and rider came slowly through the eddying mist, -and came to the side of the mail, where the passenger stood. The rider -stooped, and, casting up his eyes at the guard, handed the passenger -a small folded paper. The rider's horse was blown, and both horse and -rider were covered with mud, from the hoofs of the horse to the hat of -the man. - -“Guard!” said the passenger, in a tone of quiet business confidence. - -The watchful guard, with his right hand at the stock of his raised -blunderbuss, his left at the barrel, and his eye on the horseman, -answered curtly, “Sir.” - -“There is nothing to apprehend. I belong to Tellson's Bank. You must -know Tellson's Bank in London. I am going to Paris on business. A crown -to drink. I may read this?” - -“If so be as you're quick, sir.” - -He opened it in the light of the coach-lamp on that side, and -read--first to himself and then aloud: “'Wait at Dover for Mam'selle.' -It's not long, you see, guard. Jerry, say that my answer was, RECALLED -TO LIFE.” - -Jerry started in his saddle. “That's a Blazing strange answer, too,” - said he, at his hoarsest. - -“Take that message back, and they will know that I received this, as -well as if I wrote. Make the best of your way. Good night.” - -With those words the passenger opened the coach-door and got in; not at -all assisted by his fellow-passengers, who had expeditiously secreted -their watches and purses in their boots, and were now making a general -pretence of being asleep. With no more definite purpose than to escape -the hazard of originating any other kind of action. - -The coach lumbered on again, with heavier wreaths of mist closing round -it as it began the descent. The guard soon replaced his blunderbuss -in his arm-chest, and, having looked to the rest of its contents, and -having looked to the supplementary pistols that he wore in his belt, -looked to a smaller chest beneath his seat, in which there were a -few smith's tools, a couple of torches, and a tinder-box. For he was -furnished with that completeness that if the coach-lamps had been blown -and stormed out, which did occasionally happen, he had only to shut -himself up inside, keep the flint and steel sparks well off the straw, -and get a light with tolerable safety and ease (if he were lucky) in -five minutes. - -“Tom!” softly over the coach roof. - -“Hallo, Joe.” - -“Did you hear the message?” - -“I did, Joe.” - -“What did you make of it, Tom?” - -“Nothing at all, Joe.” - -“That's a coincidence, too,” the guard mused, “for I made the same of it -myself.” - -Jerry, left alone in the mist and darkness, dismounted meanwhile, not -only to ease his spent horse, but to wipe the mud from his face, and -shake the wet out of his hat-brim, which might be capable of -holding about half a gallon. After standing with the bridle over his -heavily-splashed arm, until the wheels of the mail were no longer within -hearing and the night was quite still again, he turned to walk down the -hill. - -“After that there gallop from Temple Bar, old lady, I won't trust your -fore-legs till I get you on the level,” said this hoarse messenger, -glancing at his mare. “'Recalled to life.' That's a Blazing strange -message. Much of that wouldn't do for you, Jerry! I say, Jerry! You'd -be in a Blazing bad way, if recalling to life was to come into fashion, -Jerry!” - - - - -III. The Night Shadows - - -A wonderful fact to reflect upon, that every human creature is -constituted to be that profound secret and mystery to every other. A -solemn consideration, when I enter a great city by night, that every -one of those darkly clustered houses encloses its own secret; that every -room in every one of them encloses its own secret; that every beating -heart in the hundreds of thousands of breasts there, is, in some of -its imaginings, a secret to the heart nearest it! Something of the -awfulness, even of Death itself, is referable to this. No more can I -turn the leaves of this dear book that I loved, and vainly hope in time -to read it all. No more can I look into the depths of this unfathomable -water, wherein, as momentary lights glanced into it, I have had glimpses -of buried treasure and other things submerged. It was appointed that the -book should shut with a spring, for ever and for ever, when I had read -but a page. It was appointed that the water should be locked in an -eternal frost, when the light was playing on its surface, and I stood -in ignorance on the shore. My friend is dead, my neighbour is dead, -my love, the darling of my soul, is dead; it is the inexorable -consolidation and perpetuation of the secret that was always in that -individuality, and which I shall carry in mine to my life's end. In -any of the burial-places of this city through which I pass, is there -a sleeper more inscrutable than its busy inhabitants are, in their -innermost personality, to me, or than I am to them? - -As to this, his natural and not to be alienated inheritance, the -messenger on horseback had exactly the same possessions as the King, the -first Minister of State, or the richest merchant in London. So with the -three passengers shut up in the narrow compass of one lumbering old mail -coach; they were mysteries to one another, as complete as if each had -been in his own coach and six, or his own coach and sixty, with the -breadth of a county between him and the next. - -The messenger rode back at an easy trot, stopping pretty often at -ale-houses by the way to drink, but evincing a tendency to keep his -own counsel, and to keep his hat cocked over his eyes. He had eyes that -assorted very well with that decoration, being of a surface black, with -no depth in the colour or form, and much too near together--as if they -were afraid of being found out in something, singly, if they kept too -far apart. They had a sinister expression, under an old cocked-hat like -a three-cornered spittoon, and over a great muffler for the chin and -throat, which descended nearly to the wearer's knees. When he stopped -for drink, he moved this muffler with his left hand, only while he -poured his liquor in with his right; as soon as that was done, he -muffled again. - -“No, Jerry, no!” said the messenger, harping on one theme as he rode. -“It wouldn't do for you, Jerry. Jerry, you honest tradesman, it wouldn't -suit _your_ line of business! Recalled--! Bust me if I don't think he'd -been a drinking!” - -His message perplexed his mind to that degree that he was fain, several -times, to take off his hat to scratch his head. Except on the crown, -which was raggedly bald, he had stiff, black hair, standing jaggedly all -over it, and growing down hill almost to his broad, blunt nose. It was -so like Smith's work, so much more like the top of a strongly spiked -wall than a head of hair, that the best of players at leap-frog might -have declined him, as the most dangerous man in the world to go over. - -While he trotted back with the message he was to deliver to the night -watchman in his box at the door of Tellson's Bank, by Temple Bar, who -was to deliver it to greater authorities within, the shadows of the -night took such shapes to him as arose out of the message, and took such -shapes to the mare as arose out of _her_ private topics of uneasiness. -They seemed to be numerous, for she shied at every shadow on the road. - -What time, the mail-coach lumbered, jolted, rattled, and bumped upon -its tedious way, with its three fellow-inscrutables inside. To whom, -likewise, the shadows of the night revealed themselves, in the forms -their dozing eyes and wandering thoughts suggested. - -Tellson's Bank had a run upon it in the mail. As the bank -passenger--with an arm drawn through the leathern strap, which did what -lay in it to keep him from pounding against the next passenger, -and driving him into his corner, whenever the coach got a special -jolt--nodded in his place, with half-shut eyes, the little -coach-windows, and the coach-lamp dimly gleaming through them, and the -bulky bundle of opposite passenger, became the bank, and did a great -stroke of business. The rattle of the harness was the chink of money, -and more drafts were honoured in five minutes than even Tellson's, with -all its foreign and home connection, ever paid in thrice the time. Then -the strong-rooms underground, at Tellson's, with such of their valuable -stores and secrets as were known to the passenger (and it was not a -little that he knew about them), opened before him, and he went in among -them with the great keys and the feebly-burning candle, and found them -safe, and strong, and sound, and still, just as he had last seen them. - -But, though the bank was almost always with him, and though the coach -(in a confused way, like the presence of pain under an opiate) was -always with him, there was another current of impression that never -ceased to run, all through the night. He was on his way to dig some one -out of a grave. - -Now, which of the multitude of faces that showed themselves before him -was the true face of the buried person, the shadows of the night did -not indicate; but they were all the faces of a man of five-and-forty by -years, and they differed principally in the passions they expressed, -and in the ghastliness of their worn and wasted state. Pride, contempt, -defiance, stubbornness, submission, lamentation, succeeded one another; -so did varieties of sunken cheek, cadaverous colour, emaciated hands -and figures. But the face was in the main one face, and every head was -prematurely white. A hundred times the dozing passenger inquired of this -spectre: - -“Buried how long?” - -The answer was always the same: “Almost eighteen years.” - -“You had abandoned all hope of being dug out?” - -“Long ago.” - -“You know that you are recalled to life?” - -“They tell me so.” - -“I hope you care to live?” - -“I can't say.” - -“Shall I show her to you? Will you come and see her?” - -The answers to this question were various and contradictory. Sometimes -the broken reply was, “Wait! It would kill me if I saw her too soon.” - Sometimes, it was given in a tender rain of tears, and then it was, -“Take me to her.” Sometimes it was staring and bewildered, and then it -was, “I don't know her. I don't understand.” - -After such imaginary discourse, the passenger in his fancy would dig, -and dig, dig--now with a spade, now with a great key, now with his -hands--to dig this wretched creature out. Got out at last, with earth -hanging about his face and hair, he would suddenly fan away to dust. The -passenger would then start to himself, and lower the window, to get the -reality of mist and rain on his cheek. - -Yet even when his eyes were opened on the mist and rain, on the moving -patch of light from the lamps, and the hedge at the roadside retreating -by jerks, the night shadows outside the coach would fall into the train -of the night shadows within. The real Banking-house by Temple Bar, the -real business of the past day, the real strong rooms, the real express -sent after him, and the real message returned, would all be there. Out -of the midst of them, the ghostly face would rise, and he would accost -it again. - -“Buried how long?” - -“Almost eighteen years.” - -“I hope you care to live?” - -“I can't say.” - -Dig--dig--dig--until an impatient movement from one of the two -passengers would admonish him to pull up the window, draw his arm -securely through the leathern strap, and speculate upon the two -slumbering forms, until his mind lost its hold of them, and they again -slid away into the bank and the grave. - -“Buried how long?” - -“Almost eighteen years.” - -“You had abandoned all hope of being dug out?” - -“Long ago.” - -The words were still in his hearing as just spoken--distinctly in -his hearing as ever spoken words had been in his life--when the weary -passenger started to the consciousness of daylight, and found that the -shadows of the night were gone. - -He lowered the window, and looked out at the rising sun. There was a -ridge of ploughed land, with a plough upon it where it had been left -last night when the horses were unyoked; beyond, a quiet coppice-wood, -in which many leaves of burning red and golden yellow still remained -upon the trees. Though the earth was cold and wet, the sky was clear, -and the sun rose bright, placid, and beautiful. - -“Eighteen years!” said the passenger, looking at the sun. “Gracious -Creator of day! To be buried alive for eighteen years!” - - - - -IV. The Preparation - - -When the mail got successfully to Dover, in the course of the forenoon, -the head drawer at the Royal George Hotel opened the coach-door as his -custom was. He did it with some flourish of ceremony, for a mail journey -from London in winter was an achievement to congratulate an adventurous -traveller upon. - -By that time, there was only one adventurous traveller left be -congratulated: for the two others had been set down at their respective -roadside destinations. The mildewy inside of the coach, with its damp -and dirty straw, its disagreeable smell, and its obscurity, was rather -like a larger dog-kennel. Mr. Lorry, the passenger, shaking himself out -of it in chains of straw, a tangle of shaggy wrapper, flapping hat, and -muddy legs, was rather like a larger sort of dog. - -“There will be a packet to Calais, tomorrow, drawer?” - -“Yes, sir, if the weather holds and the wind sets tolerable fair. The -tide will serve pretty nicely at about two in the afternoon, sir. Bed, -sir?” - -“I shall not go to bed till night; but I want a bedroom, and a barber.” - -“And then breakfast, sir? Yes, sir. That way, sir, if you please. -Show Concord! Gentleman's valise and hot water to Concord. Pull off -gentleman's boots in Concord. (You will find a fine sea-coal fire, sir.) -Fetch barber to Concord. Stir about there, now, for Concord!” - -The Concord bed-chamber being always assigned to a passenger by the -mail, and passengers by the mail being always heavily wrapped up from -head to foot, the room had the odd interest for the establishment of the -Royal George, that although but one kind of man was seen to go into it, -all kinds and varieties of men came out of it. Consequently, another -drawer, and two porters, and several maids and the landlady, were all -loitering by accident at various points of the road between the Concord -and the coffee-room, when a gentleman of sixty, formally dressed in a -brown suit of clothes, pretty well worn, but very well kept, with large -square cuffs and large flaps to the pockets, passed along on his way to -his breakfast. - -The coffee-room had no other occupant, that forenoon, than the gentleman -in brown. His breakfast-table was drawn before the fire, and as he sat, -with its light shining on him, waiting for the meal, he sat so still, -that he might have been sitting for his portrait. - -Very orderly and methodical he looked, with a hand on each knee, and a -loud watch ticking a sonorous sermon under his flapped waist-coat, -as though it pitted its gravity and longevity against the levity and -evanescence of the brisk fire. He had a good leg, and was a little vain -of it, for his brown stockings fitted sleek and close, and were of a -fine texture; his shoes and buckles, too, though plain, were trim. He -wore an odd little sleek crisp flaxen wig, setting very close to his -head: which wig, it is to be presumed, was made of hair, but which -looked far more as though it were spun from filaments of silk or glass. -His linen, though not of a fineness in accordance with his stockings, -was as white as the tops of the waves that broke upon the neighbouring -beach, or the specks of sail that glinted in the sunlight far at sea. A -face habitually suppressed and quieted, was still lighted up under the -quaint wig by a pair of moist bright eyes that it must have cost -their owner, in years gone by, some pains to drill to the composed and -reserved expression of Tellson's Bank. He had a healthy colour in his -cheeks, and his face, though lined, bore few traces of anxiety. -But, perhaps the confidential bachelor clerks in Tellson's Bank were -principally occupied with the cares of other people; and perhaps -second-hand cares, like second-hand clothes, come easily off and on. - -Completing his resemblance to a man who was sitting for his portrait, -Mr. Lorry dropped off to sleep. The arrival of his breakfast roused him, -and he said to the drawer, as he moved his chair to it: - -“I wish accommodation prepared for a young lady who may come here at any -time to-day. She may ask for Mr. Jarvis Lorry, or she may only ask for a -gentleman from Tellson's Bank. Please to let me know.” - -“Yes, sir. Tellson's Bank in London, sir?” - -“Yes.” - -“Yes, sir. We have oftentimes the honour to entertain your gentlemen in -their travelling backwards and forwards betwixt London and Paris, sir. A -vast deal of travelling, sir, in Tellson and Company's House.” - -“Yes. We are quite a French House, as well as an English one.” - -“Yes, sir. Not much in the habit of such travelling yourself, I think, -sir?” - -“Not of late years. It is fifteen years since we--since I--came last -from France.” - -“Indeed, sir? That was before my time here, sir. Before our people's -time here, sir. The George was in other hands at that time, sir.” - -“I believe so.” - -“But I would hold a pretty wager, sir, that a House like Tellson and -Company was flourishing, a matter of fifty, not to speak of fifteen -years ago?” - -“You might treble that, and say a hundred and fifty, yet not be far from -the truth.” - -“Indeed, sir!” - -Rounding his mouth and both his eyes, as he stepped backward from the -table, the waiter shifted his napkin from his right arm to his left, -dropped into a comfortable attitude, and stood surveying the guest while -he ate and drank, as from an observatory or watchtower. According to the -immemorial usage of waiters in all ages. - -When Mr. Lorry had finished his breakfast, he went out for a stroll on -the beach. The little narrow, crooked town of Dover hid itself away -from the beach, and ran its head into the chalk cliffs, like a marine -ostrich. The beach was a desert of heaps of sea and stones tumbling -wildly about, and the sea did what it liked, and what it liked was -destruction. It thundered at the town, and thundered at the cliffs, and -brought the coast down, madly. The air among the houses was of so strong -a piscatory flavour that one might have supposed sick fish went up to be -dipped in it, as sick people went down to be dipped in the sea. A little -fishing was done in the port, and a quantity of strolling about by -night, and looking seaward: particularly at those times when the tide -made, and was near flood. Small tradesmen, who did no business whatever, -sometimes unaccountably realised large fortunes, and it was remarkable -that nobody in the neighbourhood could endure a lamplighter. - -As the day declined into the afternoon, and the air, which had been -at intervals clear enough to allow the French coast to be seen, became -again charged with mist and vapour, Mr. Lorry's thoughts seemed to cloud -too. When it was dark, and he sat before the coffee-room fire, awaiting -his dinner as he had awaited his breakfast, his mind was busily digging, -digging, digging, in the live red coals. - -A bottle of good claret after dinner does a digger in the red coals no -harm, otherwise than as it has a tendency to throw him out of work. -Mr. Lorry had been idle a long time, and had just poured out his last -glassful of wine with as complete an appearance of satisfaction as is -ever to be found in an elderly gentleman of a fresh complexion who has -got to the end of a bottle, when a rattling of wheels came up the narrow -street, and rumbled into the inn-yard. - -He set down his glass untouched. “This is Mam'selle!” said he. - -In a very few minutes the waiter came in to announce that Miss Manette -had arrived from London, and would be happy to see the gentleman from -Tellson's. - -“So soon?” - -Miss Manette had taken some refreshment on the road, and required none -then, and was extremely anxious to see the gentleman from Tellson's -immediately, if it suited his pleasure and convenience. - -The gentleman from Tellson's had nothing left for it but to empty his -glass with an air of stolid desperation, settle his odd little flaxen -wig at the ears, and follow the waiter to Miss Manette's apartment. -It was a large, dark room, furnished in a funereal manner with black -horsehair, and loaded with heavy dark tables. These had been oiled and -oiled, until the two tall candles on the table in the middle of the room -were gloomily reflected on every leaf; as if _they_ were buried, in deep -graves of black mahogany, and no light to speak of could be expected -from them until they were dug out. - -The obscurity was so difficult to penetrate that Mr. Lorry, picking his -way over the well-worn Turkey carpet, supposed Miss Manette to be, for -the moment, in some adjacent room, until, having got past the two tall -candles, he saw standing to receive him by the table between them and -the fire, a young lady of not more than seventeen, in a riding-cloak, -and still holding her straw travelling-hat by its ribbon in her hand. As -his eyes rested on a short, slight, pretty figure, a quantity of golden -hair, a pair of blue eyes that met his own with an inquiring look, and -a forehead with a singular capacity (remembering how young and smooth -it was), of rifting and knitting itself into an expression that was -not quite one of perplexity, or wonder, or alarm, or merely of a bright -fixed attention, though it included all the four expressions--as his -eyes rested on these things, a sudden vivid likeness passed before him, -of a child whom he had held in his arms on the passage across that very -Channel, one cold time, when the hail drifted heavily and the sea ran -high. The likeness passed away, like a breath along the surface of -the gaunt pier-glass behind her, on the frame of which, a hospital -procession of negro cupids, several headless and all cripples, were -offering black baskets of Dead Sea fruit to black divinities of the -feminine gender--and he made his formal bow to Miss Manette. - -“Pray take a seat, sir.” In a very clear and pleasant young voice; a -little foreign in its accent, but a very little indeed. - -“I kiss your hand, miss,” said Mr. Lorry, with the manners of an earlier -date, as he made his formal bow again, and took his seat. - -“I received a letter from the Bank, sir, yesterday, informing me that -some intelligence--or discovery--” - -“The word is not material, miss; either word will do.” - -“--respecting the small property of my poor father, whom I never saw--so -long dead--” - -Mr. Lorry moved in his chair, and cast a troubled look towards the -hospital procession of negro cupids. As if _they_ had any help for -anybody in their absurd baskets! - -“--rendered it necessary that I should go to Paris, there to communicate -with a gentleman of the Bank, so good as to be despatched to Paris for -the purpose.” - -“Myself.” - -“As I was prepared to hear, sir.” - -She curtseyed to him (young ladies made curtseys in those days), with a -pretty desire to convey to him that she felt how much older and wiser he -was than she. He made her another bow. - -“I replied to the Bank, sir, that as it was considered necessary, by -those who know, and who are so kind as to advise me, that I should go to -France, and that as I am an orphan and have no friend who could go with -me, I should esteem it highly if I might be permitted to place myself, -during the journey, under that worthy gentleman's protection. The -gentleman had left London, but I think a messenger was sent after him to -beg the favour of his waiting for me here.” - -“I was happy,” said Mr. Lorry, “to be entrusted with the charge. I shall -be more happy to execute it.” - -“Sir, I thank you indeed. I thank you very gratefully. It was told me -by the Bank that the gentleman would explain to me the details of the -business, and that I must prepare myself to find them of a surprising -nature. I have done my best to prepare myself, and I naturally have a -strong and eager interest to know what they are.” - -“Naturally,” said Mr. Lorry. “Yes--I--” - -After a pause, he added, again settling the crisp flaxen wig at the -ears, “It is very difficult to begin.” - -He did not begin, but, in his indecision, met her glance. The young -forehead lifted itself into that singular expression--but it was pretty -and characteristic, besides being singular--and she raised her hand, -as if with an involuntary action she caught at, or stayed some passing -shadow. - -“Are you quite a stranger to me, sir?” - -“Am I not?” Mr. Lorry opened his hands, and extended them outwards with -an argumentative smile. - -Between the eyebrows and just over the little feminine nose, the line of -which was as delicate and fine as it was possible to be, the expression -deepened itself as she took her seat thoughtfully in the chair by which -she had hitherto remained standing. He watched her as she mused, and the -moment she raised her eyes again, went on: - -“In your adopted country, I presume, I cannot do better than address you -as a young English lady, Miss Manette?” - -“If you please, sir.” - -“Miss Manette, I am a man of business. I have a business charge to -acquit myself of. In your reception of it, don't heed me any more than -if I was a speaking machine--truly, I am not much else. I will, with -your leave, relate to you, miss, the story of one of our customers.” - -“Story!” - -He seemed wilfully to mistake the word she had repeated, when he added, -in a hurry, “Yes, customers; in the banking business we usually call -our connection our customers. He was a French gentleman; a scientific -gentleman; a man of great acquirements--a Doctor.” - -“Not of Beauvais?” - -“Why, yes, of Beauvais. Like Monsieur Manette, your father, the -gentleman was of Beauvais. Like Monsieur Manette, your father, the -gentleman was of repute in Paris. I had the honour of knowing him there. -Our relations were business relations, but confidential. I was at that -time in our French House, and had been--oh! twenty years.” - -“At that time--I may ask, at what time, sir?” - -“I speak, miss, of twenty years ago. He married--an English lady--and -I was one of the trustees. His affairs, like the affairs of many other -French gentlemen and French families, were entirely in Tellson's hands. -In a similar way I am, or I have been, trustee of one kind or other for -scores of our customers. These are mere business relations, miss; -there is no friendship in them, no particular interest, nothing like -sentiment. I have passed from one to another, in the course of my -business life, just as I pass from one of our customers to another in -the course of my business day; in short, I have no feelings; I am a mere -machine. To go on--” - -“But this is my father's story, sir; and I begin to think”--the -curiously roughened forehead was very intent upon him--“that when I was -left an orphan through my mother's surviving my father only two years, -it was you who brought me to England. I am almost sure it was you.” - -Mr. Lorry took the hesitating little hand that confidingly advanced -to take his, and he put it with some ceremony to his lips. He then -conducted the young lady straightway to her chair again, and, holding -the chair-back with his left hand, and using his right by turns to rub -his chin, pull his wig at the ears, or point what he said, stood looking -down into her face while she sat looking up into his. - -“Miss Manette, it _was_ I. And you will see how truly I spoke of myself -just now, in saying I had no feelings, and that all the relations I hold -with my fellow-creatures are mere business relations, when you reflect -that I have never seen you since. No; you have been the ward of -Tellson's House since, and I have been busy with the other business of -Tellson's House since. Feelings! I have no time for them, no chance -of them. I pass my whole life, miss, in turning an immense pecuniary -Mangle.” - -After this odd description of his daily routine of employment, Mr. Lorry -flattened his flaxen wig upon his head with both hands (which was most -unnecessary, for nothing could be flatter than its shining surface was -before), and resumed his former attitude. - -“So far, miss (as you have remarked), this is the story of your -regretted father. Now comes the difference. If your father had not died -when he did--Don't be frightened! How you start!” - -She did, indeed, start. And she caught his wrist with both her hands. - -“Pray,” said Mr. Lorry, in a soothing tone, bringing his left hand from -the back of the chair to lay it on the supplicatory fingers that clasped -him in so violent a tremble: “pray control your agitation--a matter of -business. As I was saying--” - -Her look so discomposed him that he stopped, wandered, and began anew: - -“As I was saying; if Monsieur Manette had not died; if he had suddenly -and silently disappeared; if he had been spirited away; if it had not -been difficult to guess to what dreadful place, though no art could -trace him; if he had an enemy in some compatriot who could exercise a -privilege that I in my own time have known the boldest people afraid -to speak of in a whisper, across the water there; for instance, the -privilege of filling up blank forms for the consignment of any one -to the oblivion of a prison for any length of time; if his wife had -implored the king, the queen, the court, the clergy, for any tidings of -him, and all quite in vain;--then the history of your father would have -been the history of this unfortunate gentleman, the Doctor of Beauvais.” - -“I entreat you to tell me more, sir.” - -“I will. I am going to. You can bear it?” - -“I can bear anything but the uncertainty you leave me in at this -moment.” - -“You speak collectedly, and you--_are_ collected. That's good!” (Though -his manner was less satisfied than his words.) “A matter of business. -Regard it as a matter of business--business that must be done. Now -if this doctor's wife, though a lady of great courage and spirit, -had suffered so intensely from this cause before her little child was -born--” - -“The little child was a daughter, sir.” - -“A daughter. A-a-matter of business--don't be distressed. Miss, if the -poor lady had suffered so intensely before her little child was born, -that she came to the determination of sparing the poor child the -inheritance of any part of the agony she had known the pains of, by -rearing her in the belief that her father was dead--No, don't kneel! In -Heaven's name why should you kneel to me!” - -“For the truth. O dear, good, compassionate sir, for the truth!” - -“A--a matter of business. You confuse me, and how can I transact -business if I am confused? Let us be clear-headed. If you could kindly -mention now, for instance, what nine times ninepence are, or how many -shillings in twenty guineas, it would be so encouraging. I should be so -much more at my ease about your state of mind.” - -Without directly answering to this appeal, she sat so still when he had -very gently raised her, and the hands that had not ceased to clasp -his wrists were so much more steady than they had been, that she -communicated some reassurance to Mr. Jarvis Lorry. - -“That's right, that's right. Courage! Business! You have business before -you; useful business. Miss Manette, your mother took this course with -you. And when she died--I believe broken-hearted--having never slackened -her unavailing search for your father, she left you, at two years old, -to grow to be blooming, beautiful, and happy, without the dark cloud -upon you of living in uncertainty whether your father soon wore his -heart out in prison, or wasted there through many lingering years.” - -As he said the words he looked down, with an admiring pity, on the -flowing golden hair; as if he pictured to himself that it might have -been already tinged with grey. - -“You know that your parents had no great possession, and that what -they had was secured to your mother and to you. There has been no new -discovery, of money, or of any other property; but--” - -He felt his wrist held closer, and he stopped. The expression in the -forehead, which had so particularly attracted his notice, and which was -now immovable, had deepened into one of pain and horror. - -“But he has been--been found. He is alive. Greatly changed, it is too -probable; almost a wreck, it is possible; though we will hope the best. -Still, alive. Your father has been taken to the house of an old servant -in Paris, and we are going there: I, to identify him if I can: you, to -restore him to life, love, duty, rest, comfort.” - -A shiver ran through her frame, and from it through his. She said, in a -low, distinct, awe-stricken voice, as if she were saying it in a dream, - -“I am going to see his Ghost! It will be his Ghost--not him!” - -Mr. Lorry quietly chafed the hands that held his arm. “There, there, -there! See now, see now! The best and the worst are known to you, now. -You are well on your way to the poor wronged gentleman, and, with a fair -sea voyage, and a fair land journey, you will be soon at his dear side.” - -She repeated in the same tone, sunk to a whisper, “I have been free, I -have been happy, yet his Ghost has never haunted me!” - -“Only one thing more,” said Mr. Lorry, laying stress upon it as a -wholesome means of enforcing her attention: “he has been found under -another name; his own, long forgotten or long concealed. It would be -worse than useless now to inquire which; worse than useless to seek to -know whether he has been for years overlooked, or always designedly -held prisoner. It would be worse than useless now to make any inquiries, -because it would be dangerous. Better not to mention the subject, -anywhere or in any way, and to remove him--for a while at all -events--out of France. Even I, safe as an Englishman, and even -Tellson's, important as they are to French credit, avoid all naming of -the matter. I carry about me, not a scrap of writing openly referring -to it. This is a secret service altogether. My credentials, entries, -and memoranda, are all comprehended in the one line, 'Recalled to Life;' -which may mean anything. But what is the matter! She doesn't notice a -word! Miss Manette!” - -Perfectly still and silent, and not even fallen back in her chair, she -sat under his hand, utterly insensible; with her eyes open and fixed -upon him, and with that last expression looking as if it were carved or -branded into her forehead. So close was her hold upon his arm, that he -feared to detach himself lest he should hurt her; therefore he called -out loudly for assistance without moving. - -A wild-looking woman, whom even in his agitation, Mr. Lorry observed to -be all of a red colour, and to have red hair, and to be dressed in some -extraordinary tight-fitting fashion, and to have on her head a most -wonderful bonnet like a Grenadier wooden measure, and good measure too, -or a great Stilton cheese, came running into the room in advance of the -inn servants, and soon settled the question of his detachment from the -poor young lady, by laying a brawny hand upon his chest, and sending him -flying back against the nearest wall. - -(“I really think this must be a man!” was Mr. Lorry's breathless -reflection, simultaneously with his coming against the wall.) - -“Why, look at you all!” bawled this figure, addressing the inn servants. -“Why don't you go and fetch things, instead of standing there staring -at me? I am not so much to look at, am I? Why don't you go and fetch -things? I'll let you know, if you don't bring smelling-salts, cold -water, and vinegar, quick, I will.” - -There was an immediate dispersal for these restoratives, and she -softly laid the patient on a sofa, and tended her with great skill and -gentleness: calling her “my precious!” and “my bird!” and spreading her -golden hair aside over her shoulders with great pride and care. - -“And you in brown!” she said, indignantly turning to Mr. Lorry; -“couldn't you tell her what you had to tell her, without frightening her -to death? Look at her, with her pretty pale face and her cold hands. Do -you call _that_ being a Banker?” - -Mr. Lorry was so exceedingly disconcerted by a question so hard to -answer, that he could only look on, at a distance, with much feebler -sympathy and humility, while the strong woman, having banished the inn -servants under the mysterious penalty of “letting them know” something -not mentioned if they stayed there, staring, recovered her charge by a -regular series of gradations, and coaxed her to lay her drooping head -upon her shoulder. - -“I hope she will do well now,” said Mr. Lorry. - -“No thanks to you in brown, if she does. My darling pretty!” - -“I hope,” said Mr. Lorry, after another pause of feeble sympathy and -humility, “that you accompany Miss Manette to France?” - -“A likely thing, too!” replied the strong woman. “If it was ever -intended that I should go across salt water, do you suppose Providence -would have cast my lot in an island?” - -This being another question hard to answer, Mr. Jarvis Lorry withdrew to -consider it. - - - - -V. The Wine-shop - - -A large cask of wine had been dropped and broken, in the street. The -accident had happened in getting it out of a cart; the cask had tumbled -out with a run, the hoops had burst, and it lay on the stones just -outside the door of the wine-shop, shattered like a walnut-shell. - -All the people within reach had suspended their business, or their -idleness, to run to the spot and drink the wine. The rough, irregular -stones of the street, pointing every way, and designed, one might have -thought, expressly to lame all living creatures that approached them, -had dammed it into little pools; these were surrounded, each by its own -jostling group or crowd, according to its size. Some men kneeled down, -made scoops of their two hands joined, and sipped, or tried to help -women, who bent over their shoulders, to sip, before the wine had all -run out between their fingers. Others, men and women, dipped in -the puddles with little mugs of mutilated earthenware, or even with -handkerchiefs from women's heads, which were squeezed dry into infants' -mouths; others made small mud-embankments, to stem the wine as it ran; -others, directed by lookers-on up at high windows, darted here and -there, to cut off little streams of wine that started away in new -directions; others devoted themselves to the sodden and lee-dyed -pieces of the cask, licking, and even champing the moister wine-rotted -fragments with eager relish. There was no drainage to carry off the -wine, and not only did it all get taken up, but so much mud got taken up -along with it, that there might have been a scavenger in the street, -if anybody acquainted with it could have believed in such a miraculous -presence. - -A shrill sound of laughter and of amused voices--voices of men, women, -and children--resounded in the street while this wine game lasted. There -was little roughness in the sport, and much playfulness. There was a -special companionship in it, an observable inclination on the part -of every one to join some other one, which led, especially among the -luckier or lighter-hearted, to frolicsome embraces, drinking of healths, -shaking of hands, and even joining of hands and dancing, a dozen -together. When the wine was gone, and the places where it had been -most abundant were raked into a gridiron-pattern by fingers, these -demonstrations ceased, as suddenly as they had broken out. The man who -had left his saw sticking in the firewood he was cutting, set it in -motion again; the women who had left on a door-step the little pot of -hot ashes, at which she had been trying to soften the pain in her own -starved fingers and toes, or in those of her child, returned to it; men -with bare arms, matted locks, and cadaverous faces, who had emerged into -the winter light from cellars, moved away, to descend again; and a gloom -gathered on the scene that appeared more natural to it than sunshine. - -The wine was red wine, and had stained the ground of the narrow street -in the suburb of Saint Antoine, in Paris, where it was spilled. It had -stained many hands, too, and many faces, and many naked feet, and many -wooden shoes. The hands of the man who sawed the wood, left red marks -on the billets; and the forehead of the woman who nursed her baby, was -stained with the stain of the old rag she wound about her head again. -Those who had been greedy with the staves of the cask, had acquired a -tigerish smear about the mouth; and one tall joker so besmirched, his -head more out of a long squalid bag of a nightcap than in it, scrawled -upon a wall with his finger dipped in muddy wine-lees--BLOOD. - -The time was to come, when that wine too would be spilled on the -street-stones, and when the stain of it would be red upon many there. - -And now that the cloud settled on Saint Antoine, which a momentary -gleam had driven from his sacred countenance, the darkness of it was -heavy--cold, dirt, sickness, ignorance, and want, were the lords in -waiting on the saintly presence--nobles of great power all of them; -but, most especially the last. Samples of a people that had undergone a -terrible grinding and regrinding in the mill, and certainly not in the -fabulous mill which ground old people young, shivered at every corner, -passed in and out at every doorway, looked from every window, fluttered -in every vestige of a garment that the wind shook. The mill which -had worked them down, was the mill that grinds young people old; the -children had ancient faces and grave voices; and upon them, and upon the -grown faces, and ploughed into every furrow of age and coming up afresh, -was the sigh, Hunger. It was prevalent everywhere. Hunger was pushed out -of the tall houses, in the wretched clothing that hung upon poles and -lines; Hunger was patched into them with straw and rag and wood and -paper; Hunger was repeated in every fragment of the small modicum of -firewood that the man sawed off; Hunger stared down from the smokeless -chimneys, and started up from the filthy street that had no offal, -among its refuse, of anything to eat. Hunger was the inscription on the -baker's shelves, written in every small loaf of his scanty stock of -bad bread; at the sausage-shop, in every dead-dog preparation that -was offered for sale. Hunger rattled its dry bones among the roasting -chestnuts in the turned cylinder; Hunger was shred into atomics in every -farthing porringer of husky chips of potato, fried with some reluctant -drops of oil. - -Its abiding place was in all things fitted to it. A narrow winding -street, full of offence and stench, with other narrow winding streets -diverging, all peopled by rags and nightcaps, and all smelling of rags -and nightcaps, and all visible things with a brooding look upon them -that looked ill. In the hunted air of the people there was yet some -wild-beast thought of the possibility of turning at bay. Depressed and -slinking though they were, eyes of fire were not wanting among them; nor -compressed lips, white with what they suppressed; nor foreheads knitted -into the likeness of the gallows-rope they mused about enduring, or -inflicting. The trade signs (and they were almost as many as the shops) -were, all, grim illustrations of Want. The butcher and the porkman -painted up, only the leanest scrags of meat; the baker, the coarsest of -meagre loaves. The people rudely pictured as drinking in the wine-shops, -croaked over their scanty measures of thin wine and beer, and were -gloweringly confidential together. Nothing was represented in a -flourishing condition, save tools and weapons; but, the cutler's knives -and axes were sharp and bright, the smith's hammers were heavy, and the -gunmaker's stock was murderous. The crippling stones of the pavement, -with their many little reservoirs of mud and water, had no footways, but -broke off abruptly at the doors. The kennel, to make amends, ran down -the middle of the street--when it ran at all: which was only after heavy -rains, and then it ran, by many eccentric fits, into the houses. Across -the streets, at wide intervals, one clumsy lamp was slung by a rope and -pulley; at night, when the lamplighter had let these down, and lighted, -and hoisted them again, a feeble grove of dim wicks swung in a sickly -manner overhead, as if they were at sea. Indeed they were at sea, and -the ship and crew were in peril of tempest. - -For, the time was to come, when the gaunt scarecrows of that region -should have watched the lamplighter, in their idleness and hunger, so -long, as to conceive the idea of improving on his method, and hauling -up men by those ropes and pulleys, to flare upon the darkness of their -condition. But, the time was not come yet; and every wind that blew over -France shook the rags of the scarecrows in vain, for the birds, fine of -song and feather, took no warning. - -The wine-shop was a corner shop, better than most others in its -appearance and degree, and the master of the wine-shop had stood outside -it, in a yellow waistcoat and green breeches, looking on at the struggle -for the lost wine. “It's not my affair,” said he, with a final shrug -of the shoulders. “The people from the market did it. Let them bring -another.” - -There, his eyes happening to catch the tall joker writing up his joke, -he called to him across the way: - -“Say, then, my Gaspard, what do you do there?” - -The fellow pointed to his joke with immense significance, as is often -the way with his tribe. It missed its mark, and completely failed, as is -often the way with his tribe too. - -“What now? Are you a subject for the mad hospital?” said the wine-shop -keeper, crossing the road, and obliterating the jest with a handful of -mud, picked up for the purpose, and smeared over it. “Why do you write -in the public streets? Is there--tell me thou--is there no other place -to write such words in?” - -In his expostulation he dropped his cleaner hand (perhaps accidentally, -perhaps not) upon the joker's heart. The joker rapped it with his -own, took a nimble spring upward, and came down in a fantastic dancing -attitude, with one of his stained shoes jerked off his foot into his -hand, and held out. A joker of an extremely, not to say wolfishly -practical character, he looked, under those circumstances. - -“Put it on, put it on,” said the other. “Call wine, wine; and finish -there.” With that advice, he wiped his soiled hand upon the joker's -dress, such as it was--quite deliberately, as having dirtied the hand on -his account; and then recrossed the road and entered the wine-shop. - -This wine-shop keeper was a bull-necked, martial-looking man of thirty, -and he should have been of a hot temperament, for, although it was a -bitter day, he wore no coat, but carried one slung over his shoulder. -His shirt-sleeves were rolled up, too, and his brown arms were bare to -the elbows. Neither did he wear anything more on his head than his own -crisply-curling short dark hair. He was a dark man altogether, with good -eyes and a good bold breadth between them. Good-humoured looking on -the whole, but implacable-looking, too; evidently a man of a strong -resolution and a set purpose; a man not desirable to be met, rushing -down a narrow pass with a gulf on either side, for nothing would turn -the man. - -Madame Defarge, his wife, sat in the shop behind the counter as he -came in. Madame Defarge was a stout woman of about his own age, with -a watchful eye that seldom seemed to look at anything, a large hand -heavily ringed, a steady face, strong features, and great composure of -manner. There was a character about Madame Defarge, from which one might -have predicated that she did not often make mistakes against herself -in any of the reckonings over which she presided. Madame Defarge being -sensitive to cold, was wrapped in fur, and had a quantity of bright -shawl twined about her head, though not to the concealment of her large -earrings. Her knitting was before her, but she had laid it down to pick -her teeth with a toothpick. Thus engaged, with her right elbow supported -by her left hand, Madame Defarge said nothing when her lord came in, but -coughed just one grain of cough. This, in combination with the lifting -of her darkly defined eyebrows over her toothpick by the breadth of a -line, suggested to her husband that he would do well to look round the -shop among the customers, for any new customer who had dropped in while -he stepped over the way. - -The wine-shop keeper accordingly rolled his eyes about, until they -rested upon an elderly gentleman and a young lady, who were seated in -a corner. Other company were there: two playing cards, two playing -dominoes, three standing by the counter lengthening out a short supply -of wine. As he passed behind the counter, he took notice that the -elderly gentleman said in a look to the young lady, “This is our man.” - -“What the devil do _you_ do in that galley there?” said Monsieur Defarge -to himself; “I don't know you.” - -But, he feigned not to notice the two strangers, and fell into discourse -with the triumvirate of customers who were drinking at the counter. - -“How goes it, Jacques?” said one of these three to Monsieur Defarge. “Is -all the spilt wine swallowed?” - -“Every drop, Jacques,” answered Monsieur Defarge. - -When this interchange of Christian name was effected, Madame Defarge, -picking her teeth with her toothpick, coughed another grain of cough, -and raised her eyebrows by the breadth of another line. - -“It is not often,” said the second of the three, addressing Monsieur -Defarge, “that many of these miserable beasts know the taste of wine, or -of anything but black bread and death. Is it not so, Jacques?” - -“It is so, Jacques,” Monsieur Defarge returned. - -At this second interchange of the Christian name, Madame Defarge, still -using her toothpick with profound composure, coughed another grain of -cough, and raised her eyebrows by the breadth of another line. - -The last of the three now said his say, as he put down his empty -drinking vessel and smacked his lips. - -“Ah! So much the worse! A bitter taste it is that such poor cattle -always have in their mouths, and hard lives they live, Jacques. Am I -right, Jacques?” - -“You are right, Jacques,” was the response of Monsieur Defarge. - -This third interchange of the Christian name was completed at the moment -when Madame Defarge put her toothpick by, kept her eyebrows up, and -slightly rustled in her seat. - -“Hold then! True!” muttered her husband. “Gentlemen--my wife!” - -The three customers pulled off their hats to Madame Defarge, with three -flourishes. She acknowledged their homage by bending her head, and -giving them a quick look. Then she glanced in a casual manner round the -wine-shop, took up her knitting with great apparent calmness and repose -of spirit, and became absorbed in it. - -“Gentlemen,” said her husband, who had kept his bright eye observantly -upon her, “good day. The chamber, furnished bachelor-fashion, that you -wished to see, and were inquiring for when I stepped out, is on the -fifth floor. The doorway of the staircase gives on the little courtyard -close to the left here,” pointing with his hand, “near to the window of -my establishment. But, now that I remember, one of you has already been -there, and can show the way. Gentlemen, adieu!” - -They paid for their wine, and left the place. The eyes of Monsieur -Defarge were studying his wife at her knitting when the elderly -gentleman advanced from his corner, and begged the favour of a word. - -“Willingly, sir,” said Monsieur Defarge, and quietly stepped with him to -the door. - -Their conference was very short, but very decided. Almost at the first -word, Monsieur Defarge started and became deeply attentive. It had -not lasted a minute, when he nodded and went out. The gentleman then -beckoned to the young lady, and they, too, went out. Madame Defarge -knitted with nimble fingers and steady eyebrows, and saw nothing. - -Mr. Jarvis Lorry and Miss Manette, emerging from the wine-shop thus, -joined Monsieur Defarge in the doorway to which he had directed his own -company just before. It opened from a stinking little black courtyard, -and was the general public entrance to a great pile of houses, inhabited -by a great number of people. In the gloomy tile-paved entry to the -gloomy tile-paved staircase, Monsieur Defarge bent down on one knee -to the child of his old master, and put her hand to his lips. It was -a gentle action, but not at all gently done; a very remarkable -transformation had come over him in a few seconds. He had no good-humour -in his face, nor any openness of aspect left, but had become a secret, -angry, dangerous man. - -“It is very high; it is a little difficult. Better to begin slowly.” - Thus, Monsieur Defarge, in a stern voice, to Mr. Lorry, as they began -ascending the stairs. - -“Is he alone?” the latter whispered. - -“Alone! God help him, who should be with him!” said the other, in the -same low voice. - -“Is he always alone, then?” - -“Yes.” - -“Of his own desire?” - -“Of his own necessity. As he was, when I first saw him after they -found me and demanded to know if I would take him, and, at my peril be -discreet--as he was then, so he is now.” - -“He is greatly changed?” - -“Changed!” - -The keeper of the wine-shop stopped to strike the wall with his hand, -and mutter a tremendous curse. No direct answer could have been half so -forcible. Mr. Lorry's spirits grew heavier and heavier, as he and his -two companions ascended higher and higher. - -Such a staircase, with its accessories, in the older and more crowded -parts of Paris, would be bad enough now; but, at that time, it was vile -indeed to unaccustomed and unhardened senses. Every little habitation -within the great foul nest of one high building--that is to say, -the room or rooms within every door that opened on the general -staircase--left its own heap of refuse on its own landing, besides -flinging other refuse from its own windows. The uncontrollable and -hopeless mass of decomposition so engendered, would have polluted -the air, even if poverty and deprivation had not loaded it with their -intangible impurities; the two bad sources combined made it almost -insupportable. Through such an atmosphere, by a steep dark shaft of dirt -and poison, the way lay. Yielding to his own disturbance of mind, and to -his young companion's agitation, which became greater every instant, Mr. -Jarvis Lorry twice stopped to rest. Each of these stoppages was made -at a doleful grating, by which any languishing good airs that were left -uncorrupted, seemed to escape, and all spoilt and sickly vapours seemed -to crawl in. Through the rusted bars, tastes, rather than glimpses, were -caught of the jumbled neighbourhood; and nothing within range, nearer -or lower than the summits of the two great towers of Notre-Dame, had any -promise on it of healthy life or wholesome aspirations. - -At last, the top of the staircase was gained, and they stopped for the -third time. There was yet an upper staircase, of a steeper inclination -and of contracted dimensions, to be ascended, before the garret story -was reached. The keeper of the wine-shop, always going a little in -advance, and always going on the side which Mr. Lorry took, as though he -dreaded to be asked any question by the young lady, turned himself about -here, and, carefully feeling in the pockets of the coat he carried over -his shoulder, took out a key. - -“The door is locked then, my friend?” said Mr. Lorry, surprised. - -“Ay. Yes,” was the grim reply of Monsieur Defarge. - -“You think it necessary to keep the unfortunate gentleman so retired?” - -“I think it necessary to turn the key.” Monsieur Defarge whispered it -closer in his ear, and frowned heavily. - -“Why?” - -“Why! Because he has lived so long, locked up, that he would be -frightened--rave--tear himself to pieces--die--come to I know not what -harm--if his door was left open.” - -“Is it possible!” exclaimed Mr. Lorry. - -“Is it possible!” repeated Defarge, bitterly. “Yes. And a beautiful -world we live in, when it _is_ possible, and when many other such things -are possible, and not only possible, but done--done, see you!--under -that sky there, every day. Long live the Devil. Let us go on.” - -This dialogue had been held in so very low a whisper, that not a word -of it had reached the young lady's ears. But, by this time she trembled -under such strong emotion, and her face expressed such deep anxiety, -and, above all, such dread and terror, that Mr. Lorry felt it incumbent -on him to speak a word or two of reassurance. - -“Courage, dear miss! Courage! Business! The worst will be over in a -moment; it is but passing the room-door, and the worst is over. Then, -all the good you bring to him, all the relief, all the happiness you -bring to him, begin. Let our good friend here, assist you on that side. -That's well, friend Defarge. Come, now. Business, business!” - -They went up slowly and softly. The staircase was short, and they were -soon at the top. There, as it had an abrupt turn in it, they came all at -once in sight of three men, whose heads were bent down close together at -the side of a door, and who were intently looking into the room to which -the door belonged, through some chinks or holes in the wall. On hearing -footsteps close at hand, these three turned, and rose, and showed -themselves to be the three of one name who had been drinking in the -wine-shop. - -“I forgot them in the surprise of your visit,” explained Monsieur -Defarge. “Leave us, good boys; we have business here.” - -The three glided by, and went silently down. - -There appearing to be no other door on that floor, and the keeper of -the wine-shop going straight to this one when they were left alone, Mr. -Lorry asked him in a whisper, with a little anger: - -“Do you make a show of Monsieur Manette?” - -“I show him, in the way you have seen, to a chosen few.” - -“Is that well?” - -“_I_ think it is well.” - -“Who are the few? How do you choose them?” - -“I choose them as real men, of my name--Jacques is my name--to whom the -sight is likely to do good. Enough; you are English; that is another -thing. Stay there, if you please, a little moment.” - -With an admonitory gesture to keep them back, he stooped, and looked in -through the crevice in the wall. Soon raising his head again, he struck -twice or thrice upon the door--evidently with no other object than to -make a noise there. With the same intention, he drew the key across it, -three or four times, before he put it clumsily into the lock, and turned -it as heavily as he could. - -The door slowly opened inward under his hand, and he looked into the -room and said something. A faint voice answered something. Little more -than a single syllable could have been spoken on either side. - -He looked back over his shoulder, and beckoned them to enter. Mr. Lorry -got his arm securely round the daughter's waist, and held her; for he -felt that she was sinking. - -“A-a-a-business, business!” he urged, with a moisture that was not of -business shining on his cheek. “Come in, come in!” - -“I am afraid of it,” she answered, shuddering. - -“Of it? What?” - -“I mean of him. Of my father.” - -Rendered in a manner desperate, by her state and by the beckoning of -their conductor, he drew over his neck the arm that shook upon his -shoulder, lifted her a little, and hurried her into the room. He sat her -down just within the door, and held her, clinging to him. - -Defarge drew out the key, closed the door, locked it on the inside, -took out the key again, and held it in his hand. All this he did, -methodically, and with as loud and harsh an accompaniment of noise as he -could make. Finally, he walked across the room with a measured tread to -where the window was. He stopped there, and faced round. - -The garret, built to be a depository for firewood and the like, was dim -and dark: for, the window of dormer shape, was in truth a door in the -roof, with a little crane over it for the hoisting up of stores from -the street: unglazed, and closing up the middle in two pieces, like any -other door of French construction. To exclude the cold, one half of this -door was fast closed, and the other was opened but a very little way. -Such a scanty portion of light was admitted through these means, that it -was difficult, on first coming in, to see anything; and long habit -alone could have slowly formed in any one, the ability to do any work -requiring nicety in such obscurity. Yet, work of that kind was being -done in the garret; for, with his back towards the door, and his face -towards the window where the keeper of the wine-shop stood looking at -him, a white-haired man sat on a low bench, stooping forward and very -busy, making shoes. - - - - -VI. The Shoemaker - - -“Good day!” said Monsieur Defarge, looking down at the white head that -bent low over the shoemaking. - -It was raised for a moment, and a very faint voice responded to the -salutation, as if it were at a distance: - -“Good day!” - -“You are still hard at work, I see?” - -After a long silence, the head was lifted for another moment, and the -voice replied, “Yes--I am working.” This time, a pair of haggard eyes -had looked at the questioner, before the face had dropped again. - -The faintness of the voice was pitiable and dreadful. It was not the -faintness of physical weakness, though confinement and hard fare no -doubt had their part in it. Its deplorable peculiarity was, that it was -the faintness of solitude and disuse. It was like the last feeble echo -of a sound made long and long ago. So entirely had it lost the life and -resonance of the human voice, that it affected the senses like a once -beautiful colour faded away into a poor weak stain. So sunken and -suppressed it was, that it was like a voice underground. So expressive -it was, of a hopeless and lost creature, that a famished traveller, -wearied out by lonely wandering in a wilderness, would have remembered -home and friends in such a tone before lying down to die. - -Some minutes of silent work had passed: and the haggard eyes had looked -up again: not with any interest or curiosity, but with a dull mechanical -perception, beforehand, that the spot where the only visitor they were -aware of had stood, was not yet empty. - -“I want,” said Defarge, who had not removed his gaze from the shoemaker, -“to let in a little more light here. You can bear a little more?” - -The shoemaker stopped his work; looked with a vacant air of listening, -at the floor on one side of him; then similarly, at the floor on the -other side of him; then, upward at the speaker. - -“What did you say?” - -“You can bear a little more light?” - -“I must bear it, if you let it in.” (Laying the palest shadow of a -stress upon the second word.) - -The opened half-door was opened a little further, and secured at that -angle for the time. A broad ray of light fell into the garret, and -showed the workman with an unfinished shoe upon his lap, pausing in his -labour. His few common tools and various scraps of leather were at his -feet and on his bench. He had a white beard, raggedly cut, but not very -long, a hollow face, and exceedingly bright eyes. The hollowness and -thinness of his face would have caused them to look large, under his yet -dark eyebrows and his confused white hair, though they had been really -otherwise; but, they were naturally large, and looked unnaturally so. -His yellow rags of shirt lay open at the throat, and showed his body -to be withered and worn. He, and his old canvas frock, and his loose -stockings, and all his poor tatters of clothes, had, in a long seclusion -from direct light and air, faded down to such a dull uniformity of -parchment-yellow, that it would have been hard to say which was which. - -He had put up a hand between his eyes and the light, and the very bones -of it seemed transparent. So he sat, with a steadfastly vacant gaze, -pausing in his work. He never looked at the figure before him, without -first looking down on this side of himself, then on that, as if he had -lost the habit of associating place with sound; he never spoke, without -first wandering in this manner, and forgetting to speak. - -“Are you going to finish that pair of shoes to-day?” asked Defarge, -motioning to Mr. Lorry to come forward. - -“What did you say?” - -“Do you mean to finish that pair of shoes to-day?” - -“I can't say that I mean to. I suppose so. I don't know.” - -But, the question reminded him of his work, and he bent over it again. - -Mr. Lorry came silently forward, leaving the daughter by the door. When -he had stood, for a minute or two, by the side of Defarge, the shoemaker -looked up. He showed no surprise at seeing another figure, but the -unsteady fingers of one of his hands strayed to his lips as he looked at -it (his lips and his nails were of the same pale lead-colour), and then -the hand dropped to his work, and he once more bent over the shoe. The -look and the action had occupied but an instant. - -“You have a visitor, you see,” said Monsieur Defarge. - -“What did you say?” - -“Here is a visitor.” - -The shoemaker looked up as before, but without removing a hand from his -work. - -“Come!” said Defarge. “Here is monsieur, who knows a well-made shoe when -he sees one. Show him that shoe you are working at. Take it, monsieur.” - -Mr. Lorry took it in his hand. - -“Tell monsieur what kind of shoe it is, and the maker's name.” - -There was a longer pause than usual, before the shoemaker replied: - -“I forget what it was you asked me. What did you say?” - -“I said, couldn't you describe the kind of shoe, for monsieur's -information?” - -“It is a lady's shoe. It is a young lady's walking-shoe. It is in the -present mode. I never saw the mode. I have had a pattern in my hand.” He -glanced at the shoe with some little passing touch of pride. - -“And the maker's name?” said Defarge. - -Now that he had no work to hold, he laid the knuckles of the right hand -in the hollow of the left, and then the knuckles of the left hand in the -hollow of the right, and then passed a hand across his bearded chin, and -so on in regular changes, without a moment's intermission. The task of -recalling him from the vagrancy into which he always sank when he -had spoken, was like recalling some very weak person from a swoon, or -endeavouring, in the hope of some disclosure, to stay the spirit of a -fast-dying man. - -“Did you ask me for my name?” - -“Assuredly I did.” - -“One Hundred and Five, North Tower.” - -“Is that all?” - -“One Hundred and Five, North Tower.” - -With a weary sound that was not a sigh, nor a groan, he bent to work -again, until the silence was again broken. - -“You are not a shoemaker by trade?” said Mr. Lorry, looking steadfastly -at him. - -His haggard eyes turned to Defarge as if he would have transferred the -question to him: but as no help came from that quarter, they turned back -on the questioner when they had sought the ground. - -“I am not a shoemaker by trade? No, I was not a shoemaker by trade. I-I -learnt it here. I taught myself. I asked leave to--” - -He lapsed away, even for minutes, ringing those measured changes on his -hands the whole time. His eyes came slowly back, at last, to the face -from which they had wandered; when they rested on it, he started, and -resumed, in the manner of a sleeper that moment awake, reverting to a -subject of last night. - -“I asked leave to teach myself, and I got it with much difficulty after -a long while, and I have made shoes ever since.” - -As he held out his hand for the shoe that had been taken from him, Mr. -Lorry said, still looking steadfastly in his face: - -“Monsieur Manette, do you remember nothing of me?” - -The shoe dropped to the ground, and he sat looking fixedly at the -questioner. - -“Monsieur Manette”; Mr. Lorry laid his hand upon Defarge's arm; “do you -remember nothing of this man? Look at him. Look at me. Is there no old -banker, no old business, no old servant, no old time, rising in your -mind, Monsieur Manette?” - -As the captive of many years sat looking fixedly, by turns, at Mr. -Lorry and at Defarge, some long obliterated marks of an actively intent -intelligence in the middle of the forehead, gradually forced themselves -through the black mist that had fallen on him. They were overclouded -again, they were fainter, they were gone; but they had been there. And -so exactly was the expression repeated on the fair young face of her who -had crept along the wall to a point where she could see him, and where -she now stood looking at him, with hands which at first had been only -raised in frightened compassion, if not even to keep him off and -shut out the sight of him, but which were now extending towards him, -trembling with eagerness to lay the spectral face upon her warm young -breast, and love it back to life and hope--so exactly was the expression -repeated (though in stronger characters) on her fair young face, that it -looked as though it had passed like a moving light, from him to her. - -Darkness had fallen on him in its place. He looked at the two, less and -less attentively, and his eyes in gloomy abstraction sought the ground -and looked about him in the old way. Finally, with a deep long sigh, he -took the shoe up, and resumed his work. - -“Have you recognised him, monsieur?” asked Defarge in a whisper. - -“Yes; for a moment. At first I thought it quite hopeless, but I have -unquestionably seen, for a single moment, the face that I once knew so -well. Hush! Let us draw further back. Hush!” - -She had moved from the wall of the garret, very near to the bench on -which he sat. There was something awful in his unconsciousness of the -figure that could have put out its hand and touched him as he stooped -over his labour. - -Not a word was spoken, not a sound was made. She stood, like a spirit, -beside him, and he bent over his work. - -It happened, at length, that he had occasion to change the instrument -in his hand, for his shoemaker's knife. It lay on that side of him -which was not the side on which she stood. He had taken it up, and was -stooping to work again, when his eyes caught the skirt of her dress. He -raised them, and saw her face. The two spectators started forward, -but she stayed them with a motion of her hand. She had no fear of his -striking at her with the knife, though they had. - -He stared at her with a fearful look, and after a while his lips began -to form some words, though no sound proceeded from them. By degrees, in -the pauses of his quick and laboured breathing, he was heard to say: - -“What is this?” - -With the tears streaming down her face, she put her two hands to her -lips, and kissed them to him; then clasped them on her breast, as if she -laid his ruined head there. - -“You are not the gaoler's daughter?” - -She sighed “No.” - -“Who are you?” - -Not yet trusting the tones of her voice, she sat down on the bench -beside him. He recoiled, but she laid her hand upon his arm. A strange -thrill struck him when she did so, and visibly passed over his frame; he -laid the knife down softly, as he sat staring at her. - -Her golden hair, which she wore in long curls, had been hurriedly pushed -aside, and fell down over her neck. Advancing his hand by little and -little, he took it up and looked at it. In the midst of the action -he went astray, and, with another deep sigh, fell to work at his -shoemaking. - -But not for long. Releasing his arm, she laid her hand upon his -shoulder. After looking doubtfully at it, two or three times, as if to -be sure that it was really there, he laid down his work, put his hand -to his neck, and took off a blackened string with a scrap of folded rag -attached to it. He opened this, carefully, on his knee, and it contained -a very little quantity of hair: not more than one or two long golden -hairs, which he had, in some old day, wound off upon his finger. - -He took her hair into his hand again, and looked closely at it. “It is -the same. How can it be! When was it! How was it!” - -As the concentrated expression returned to his forehead, he seemed to -become conscious that it was in hers too. He turned her full to the -light, and looked at her. - -“She had laid her head upon my shoulder, that night when I was summoned -out--she had a fear of my going, though I had none--and when I was -brought to the North Tower they found these upon my sleeve. 'You will -leave me them? They can never help me to escape in the body, though they -may in the spirit.' Those were the words I said. I remember them very -well.” - -He formed this speech with his lips many times before he could utter it. -But when he did find spoken words for it, they came to him coherently, -though slowly. - -“How was this?--_Was it you_?” - -Once more, the two spectators started, as he turned upon her with a -frightful suddenness. But she sat perfectly still in his grasp, and only -said, in a low voice, “I entreat you, good gentlemen, do not come near -us, do not speak, do not move!” - -“Hark!” he exclaimed. “Whose voice was that?” - -His hands released her as he uttered this cry, and went up to his white -hair, which they tore in a frenzy. It died out, as everything but his -shoemaking did die out of him, and he refolded his little packet and -tried to secure it in his breast; but he still looked at her, and -gloomily shook his head. - -“No, no, no; you are too young, too blooming. It can't be. See what the -prisoner is. These are not the hands she knew, this is not the face -she knew, this is not a voice she ever heard. No, no. She was--and He -was--before the slow years of the North Tower--ages ago. What is your -name, my gentle angel?” - -Hailing his softened tone and manner, his daughter fell upon her knees -before him, with her appealing hands upon his breast. - -“O, sir, at another time you shall know my name, and who my mother was, -and who my father, and how I never knew their hard, hard history. But I -cannot tell you at this time, and I cannot tell you here. All that I may -tell you, here and now, is, that I pray to you to touch me and to bless -me. Kiss me, kiss me! O my dear, my dear!” - -His cold white head mingled with her radiant hair, which warmed and -lighted it as though it were the light of Freedom shining on him. - -“If you hear in my voice--I don't know that it is so, but I hope it -is--if you hear in my voice any resemblance to a voice that once was -sweet music in your ears, weep for it, weep for it! If you touch, in -touching my hair, anything that recalls a beloved head that lay on your -breast when you were young and free, weep for it, weep for it! If, when -I hint to you of a Home that is before us, where I will be true to you -with all my duty and with all my faithful service, I bring back the -remembrance of a Home long desolate, while your poor heart pined away, -weep for it, weep for it!” - -She held him closer round the neck, and rocked him on her breast like a -child. - -“If, when I tell you, dearest dear, that your agony is over, and that I -have come here to take you from it, and that we go to England to be at -peace and at rest, I cause you to think of your useful life laid waste, -and of our native France so wicked to you, weep for it, weep for it! And -if, when I shall tell you of my name, and of my father who is living, -and of my mother who is dead, you learn that I have to kneel to my -honoured father, and implore his pardon for having never for his sake -striven all day and lain awake and wept all night, because the love of -my poor mother hid his torture from me, weep for it, weep for it! Weep -for her, then, and for me! Good gentlemen, thank God! I feel his sacred -tears upon my face, and his sobs strike against my heart. O, see! Thank -God for us, thank God!” - -He had sunk in her arms, and his face dropped on her breast: a sight so -touching, yet so terrible in the tremendous wrong and suffering which -had gone before it, that the two beholders covered their faces. - -When the quiet of the garret had been long undisturbed, and his heaving -breast and shaken form had long yielded to the calm that must follow all -storms--emblem to humanity, of the rest and silence into which the storm -called Life must hush at last--they came forward to raise the father and -daughter from the ground. He had gradually dropped to the floor, and lay -there in a lethargy, worn out. She had nestled down with him, that his -head might lie upon her arm; and her hair drooping over him curtained -him from the light. - -“If, without disturbing him,” she said, raising her hand to Mr. Lorry as -he stooped over them, after repeated blowings of his nose, “all could be -arranged for our leaving Paris at once, so that, from the very door, he -could be taken away--” - -“But, consider. Is he fit for the journey?” asked Mr. Lorry. - -“More fit for that, I think, than to remain in this city, so dreadful to -him.” - -“It is true,” said Defarge, who was kneeling to look on and hear. “More -than that; Monsieur Manette is, for all reasons, best out of France. -Say, shall I hire a carriage and post-horses?” - -“That's business,” said Mr. Lorry, resuming on the shortest notice his -methodical manners; “and if business is to be done, I had better do it.” - -“Then be so kind,” urged Miss Manette, “as to leave us here. You see how -composed he has become, and you cannot be afraid to leave him with me -now. Why should you be? If you will lock the door to secure us from -interruption, I do not doubt that you will find him, when you come back, -as quiet as you leave him. In any case, I will take care of him until -you return, and then we will remove him straight.” - -Both Mr. Lorry and Defarge were rather disinclined to this course, and -in favour of one of them remaining. But, as there were not only carriage -and horses to be seen to, but travelling papers; and as time pressed, -for the day was drawing to an end, it came at last to their hastily -dividing the business that was necessary to be done, and hurrying away -to do it. - -Then, as the darkness closed in, the daughter laid her head down on the -hard ground close at the father's side, and watched him. The darkness -deepened and deepened, and they both lay quiet, until a light gleamed -through the chinks in the wall. - -Mr. Lorry and Monsieur Defarge had made all ready for the journey, and -had brought with them, besides travelling cloaks and wrappers, bread and -meat, wine, and hot coffee. Monsieur Defarge put this provender, and the -lamp he carried, on the shoemaker's bench (there was nothing else in the -garret but a pallet bed), and he and Mr. Lorry roused the captive, and -assisted him to his feet. - -No human intelligence could have read the mysteries of his mind, in -the scared blank wonder of his face. Whether he knew what had happened, -whether he recollected what they had said to him, whether he knew that -he was free, were questions which no sagacity could have solved. They -tried speaking to him; but, he was so confused, and so very slow to -answer, that they took fright at his bewilderment, and agreed for -the time to tamper with him no more. He had a wild, lost manner of -occasionally clasping his head in his hands, that had not been seen -in him before; yet, he had some pleasure in the mere sound of his -daughter's voice, and invariably turned to it when she spoke. - -In the submissive way of one long accustomed to obey under coercion, he -ate and drank what they gave him to eat and drink, and put on the cloak -and other wrappings, that they gave him to wear. He readily responded to -his daughter's drawing her arm through his, and took--and kept--her hand -in both his own. - -They began to descend; Monsieur Defarge going first with the lamp, Mr. -Lorry closing the little procession. They had not traversed many steps -of the long main staircase when he stopped, and stared at the roof and -round at the walls. - -“You remember the place, my father? You remember coming up here?” - -“What did you say?” - -But, before she could repeat the question, he murmured an answer as if -she had repeated it. - -“Remember? No, I don't remember. It was so very long ago.” - -That he had no recollection whatever of his having been brought from his -prison to that house, was apparent to them. They heard him mutter, -“One Hundred and Five, North Tower;” and when he looked about him, it -evidently was for the strong fortress-walls which had long encompassed -him. On their reaching the courtyard he instinctively altered his -tread, as being in expectation of a drawbridge; and when there was -no drawbridge, and he saw the carriage waiting in the open street, he -dropped his daughter's hand and clasped his head again. - -No crowd was about the door; no people were discernible at any of the -many windows; not even a chance passerby was in the street. An unnatural -silence and desertion reigned there. Only one soul was to be seen, and -that was Madame Defarge--who leaned against the door-post, knitting, and -saw nothing. - -The prisoner had got into a coach, and his daughter had followed -him, when Mr. Lorry's feet were arrested on the step by his asking, -miserably, for his shoemaking tools and the unfinished shoes. Madame -Defarge immediately called to her husband that she would get them, and -went, knitting, out of the lamplight, through the courtyard. She quickly -brought them down and handed them in;--and immediately afterwards leaned -against the door-post, knitting, and saw nothing. - -Defarge got upon the box, and gave the word “To the Barrier!” The -postilion cracked his whip, and they clattered away under the feeble -over-swinging lamps. - -Under the over-swinging lamps--swinging ever brighter in the better -streets, and ever dimmer in the worse--and by lighted shops, gay crowds, -illuminated coffee-houses, and theatre-doors, to one of the city -gates. Soldiers with lanterns, at the guard-house there. “Your papers, -travellers!” “See here then, Monsieur the Officer,” said Defarge, -getting down, and taking him gravely apart, “these are the papers of -monsieur inside, with the white head. They were consigned to me, with -him, at the--” He dropped his voice, there was a flutter among the -military lanterns, and one of them being handed into the coach by an arm -in uniform, the eyes connected with the arm looked, not an every day -or an every night look, at monsieur with the white head. “It is well. -Forward!” from the uniform. “Adieu!” from Defarge. And so, under a short -grove of feebler and feebler over-swinging lamps, out under the great -grove of stars. - -Beneath that arch of unmoved and eternal lights; some, so remote from -this little earth that the learned tell us it is doubtful whether their -rays have even yet discovered it, as a point in space where anything -is suffered or done: the shadows of the night were broad and black. -All through the cold and restless interval, until dawn, they once more -whispered in the ears of Mr. Jarvis Lorry--sitting opposite the buried -man who had been dug out, and wondering what subtle powers were for ever -lost to him, and what were capable of restoration--the old inquiry: - -“I hope you care to be recalled to life?” - -And the old answer: - -“I can't say.” - - -The end of the first book. - - - - - -Book the Second--the Golden Thread - - - - -I. Five Years Later - - -Tellson's Bank by Temple Bar was an old-fashioned place, even in the -year one thousand seven hundred and eighty. It was very small, very -dark, very ugly, very incommodious. It was an old-fashioned place, -moreover, in the moral attribute that the partners in the House were -proud of its smallness, proud of its darkness, proud of its ugliness, -proud of its incommodiousness. They were even boastful of its eminence -in those particulars, and were fired by an express conviction that, if -it were less objectionable, it would be less respectable. This was -no passive belief, but an active weapon which they flashed at more -convenient places of business. Tellson's (they said) wanted -no elbow-room, Tellson's wanted no light, Tellson's wanted no -embellishment. Noakes and Co.'s might, or Snooks Brothers' might; but -Tellson's, thank Heaven--! - -Any one of these partners would have disinherited his son on the -question of rebuilding Tellson's. In this respect the House was much -on a par with the Country; which did very often disinherit its sons for -suggesting improvements in laws and customs that had long been highly -objectionable, but were only the more respectable. - -Thus it had come to pass, that Tellson's was the triumphant perfection -of inconvenience. After bursting open a door of idiotic obstinacy with -a weak rattle in its throat, you fell into Tellson's down two steps, -and came to your senses in a miserable little shop, with two little -counters, where the oldest of men made your cheque shake as if the -wind rustled it, while they examined the signature by the dingiest of -windows, which were always under a shower-bath of mud from Fleet-street, -and which were made the dingier by their own iron bars proper, and the -heavy shadow of Temple Bar. If your business necessitated your seeing -“the House,” you were put into a species of Condemned Hold at the back, -where you meditated on a misspent life, until the House came with its -hands in its pockets, and you could hardly blink at it in the dismal -twilight. Your money came out of, or went into, wormy old wooden -drawers, particles of which flew up your nose and down your throat when -they were opened and shut. Your bank-notes had a musty odour, as if they -were fast decomposing into rags again. Your plate was stowed away among -the neighbouring cesspools, and evil communications corrupted its good -polish in a day or two. Your deeds got into extemporised strong-rooms -made of kitchens and sculleries, and fretted all the fat out of their -parchments into the banking-house air. Your lighter boxes of family -papers went up-stairs into a Barmecide room, that always had a great -dining-table in it and never had a dinner, and where, even in the year -one thousand seven hundred and eighty, the first letters written to you -by your old love, or by your little children, were but newly released -from the horror of being ogled through the windows, by the heads -exposed on Temple Bar with an insensate brutality and ferocity worthy of -Abyssinia or Ashantee. - -But indeed, at that time, putting to death was a recipe much in vogue -with all trades and professions, and not least of all with Tellson's. -Death is Nature's remedy for all things, and why not Legislation's? -Accordingly, the forger was put to Death; the utterer of a bad note -was put to Death; the unlawful opener of a letter was put to Death; the -purloiner of forty shillings and sixpence was put to Death; the holder -of a horse at Tellson's door, who made off with it, was put to -Death; the coiner of a bad shilling was put to Death; the sounders of -three-fourths of the notes in the whole gamut of Crime, were put to -Death. Not that it did the least good in the way of prevention--it -might almost have been worth remarking that the fact was exactly the -reverse--but, it cleared off (as to this world) the trouble of each -particular case, and left nothing else connected with it to be looked -after. Thus, Tellson's, in its day, like greater places of business, -its contemporaries, had taken so many lives, that, if the heads laid -low before it had been ranged on Temple Bar instead of being privately -disposed of, they would probably have excluded what little light the -ground floor had, in a rather significant manner. - -Cramped in all kinds of dim cupboards and hutches at Tellson's, the -oldest of men carried on the business gravely. When they took a young -man into Tellson's London house, they hid him somewhere till he was -old. They kept him in a dark place, like a cheese, until he had the full -Tellson flavour and blue-mould upon him. Then only was he permitted to -be seen, spectacularly poring over large books, and casting his breeches -and gaiters into the general weight of the establishment. - -Outside Tellson's--never by any means in it, unless called in--was an -odd-job-man, an occasional porter and messenger, who served as the live -sign of the house. He was never absent during business hours, unless -upon an errand, and then he was represented by his son: a grisly urchin -of twelve, who was his express image. People understood that Tellson's, -in a stately way, tolerated the odd-job-man. The house had always -tolerated some person in that capacity, and time and tide had drifted -this person to the post. His surname was Cruncher, and on the youthful -occasion of his renouncing by proxy the works of darkness, in the -easterly parish church of Hounsditch, he had received the added -appellation of Jerry. - -The scene was Mr. Cruncher's private lodging in Hanging-sword-alley, -Whitefriars: the time, half-past seven of the clock on a windy March -morning, Anno Domini seventeen hundred and eighty. (Mr. Cruncher himself -always spoke of the year of our Lord as Anna Dominoes: apparently under -the impression that the Christian era dated from the invention of a -popular game, by a lady who had bestowed her name upon it.) - -Mr. Cruncher's apartments were not in a savoury neighbourhood, and were -but two in number, even if a closet with a single pane of glass in it -might be counted as one. But they were very decently kept. Early as -it was, on the windy March morning, the room in which he lay abed was -already scrubbed throughout; and between the cups and saucers arranged -for breakfast, and the lumbering deal table, a very clean white cloth -was spread. - -Mr. Cruncher reposed under a patchwork counterpane, like a Harlequin -at home. At first, he slept heavily, but, by degrees, began to roll -and surge in bed, until he rose above the surface, with his spiky hair -looking as if it must tear the sheets to ribbons. At which juncture, he -exclaimed, in a voice of dire exasperation: - -“Bust me, if she ain't at it agin!” - -A woman of orderly and industrious appearance rose from her knees in a -corner, with sufficient haste and trepidation to show that she was the -person referred to. - -“What!” said Mr. Cruncher, looking out of bed for a boot. “You're at it -agin, are you?” - -After hailing the morn with this second salutation, he threw a boot at -the woman as a third. It was a very muddy boot, and may introduce the -odd circumstance connected with Mr. Cruncher's domestic economy, that, -whereas he often came home after banking hours with clean boots, he -often got up next morning to find the same boots covered with clay. - -“What,” said Mr. Cruncher, varying his apostrophe after missing his -mark--“what are you up to, Aggerawayter?” - -“I was only saying my prayers.” - -“Saying your prayers! You're a nice woman! What do you mean by flopping -yourself down and praying agin me?” - -“I was not praying against you; I was praying for you.” - -“You weren't. And if you were, I won't be took the liberty with. Here! -your mother's a nice woman, young Jerry, going a praying agin your -father's prosperity. You've got a dutiful mother, you have, my son. -You've got a religious mother, you have, my boy: going and flopping -herself down, and praying that the bread-and-butter may be snatched out -of the mouth of her only child.” - -Master Cruncher (who was in his shirt) took this very ill, and, turning -to his mother, strongly deprecated any praying away of his personal -board. - -“And what do you suppose, you conceited female,” said Mr. Cruncher, with -unconscious inconsistency, “that the worth of _your_ prayers may be? -Name the price that you put _your_ prayers at!” - -“They only come from the heart, Jerry. They are worth no more than -that.” - -“Worth no more than that,” repeated Mr. Cruncher. “They ain't worth -much, then. Whether or no, I won't be prayed agin, I tell you. I can't -afford it. I'm not a going to be made unlucky by _your_ sneaking. If -you must go flopping yourself down, flop in favour of your husband and -child, and not in opposition to 'em. If I had had any but a unnat'ral -wife, and this poor boy had had any but a unnat'ral mother, I might -have made some money last week instead of being counter-prayed and -countermined and religiously circumwented into the worst of luck. -B-u-u-ust me!” said Mr. Cruncher, who all this time had been putting -on his clothes, “if I ain't, what with piety and one blowed thing and -another, been choused this last week into as bad luck as ever a poor -devil of a honest tradesman met with! Young Jerry, dress yourself, my -boy, and while I clean my boots keep a eye upon your mother now and -then, and if you see any signs of more flopping, give me a call. For, I -tell you,” here he addressed his wife once more, “I won't be gone agin, -in this manner. I am as rickety as a hackney-coach, I'm as sleepy as -laudanum, my lines is strained to that degree that I shouldn't know, if -it wasn't for the pain in 'em, which was me and which somebody else, yet -I'm none the better for it in pocket; and it's my suspicion that you've -been at it from morning to night to prevent me from being the better for -it in pocket, and I won't put up with it, Aggerawayter, and what do you -say now!” - -Growling, in addition, such phrases as “Ah! yes! You're religious, too. -You wouldn't put yourself in opposition to the interests of your husband -and child, would you? Not you!” and throwing off other sarcastic sparks -from the whirling grindstone of his indignation, Mr. Cruncher betook -himself to his boot-cleaning and his general preparation for business. -In the meantime, his son, whose head was garnished with tenderer spikes, -and whose young eyes stood close by one another, as his father's did, -kept the required watch upon his mother. He greatly disturbed that poor -woman at intervals, by darting out of his sleeping closet, where he made -his toilet, with a suppressed cry of “You are going to flop, mother. ---Halloa, father!” and, after raising this fictitious alarm, darting in -again with an undutiful grin. - -Mr. Cruncher's temper was not at all improved when he came to his -breakfast. He resented Mrs. Cruncher's saying grace with particular -animosity. - -“Now, Aggerawayter! What are you up to? At it again?” - -His wife explained that she had merely “asked a blessing.” - -“Don't do it!” said Mr. Crunches looking about, as if he rather expected -to see the loaf disappear under the efficacy of his wife's petitions. “I -ain't a going to be blest out of house and home. I won't have my wittles -blest off my table. Keep still!” - -Exceedingly red-eyed and grim, as if he had been up all night at a party -which had taken anything but a convivial turn, Jerry Cruncher worried -his breakfast rather than ate it, growling over it like any four-footed -inmate of a menagerie. Towards nine o'clock he smoothed his ruffled -aspect, and, presenting as respectable and business-like an exterior as -he could overlay his natural self with, issued forth to the occupation -of the day. - -It could scarcely be called a trade, in spite of his favourite -description of himself as “a honest tradesman.” His stock consisted of -a wooden stool, made out of a broken-backed chair cut down, which stool, -young Jerry, walking at his father's side, carried every morning to -beneath the banking-house window that was nearest Temple Bar: where, -with the addition of the first handful of straw that could be gleaned -from any passing vehicle to keep the cold and wet from the odd-job-man's -feet, it formed the encampment for the day. On this post of his, Mr. -Cruncher was as well known to Fleet-street and the Temple, as the Bar -itself,--and was almost as in-looking. - -Encamped at a quarter before nine, in good time to touch his -three-cornered hat to the oldest of men as they passed in to Tellson's, -Jerry took up his station on this windy March morning, with young Jerry -standing by him, when not engaged in making forays through the Bar, to -inflict bodily and mental injuries of an acute description on passing -boys who were small enough for his amiable purpose. Father and son, -extremely like each other, looking silently on at the morning traffic -in Fleet-street, with their two heads as near to one another as the two -eyes of each were, bore a considerable resemblance to a pair of monkeys. -The resemblance was not lessened by the accidental circumstance, that -the mature Jerry bit and spat out straw, while the twinkling eyes of the -youthful Jerry were as restlessly watchful of him as of everything else -in Fleet-street. - -The head of one of the regular indoor messengers attached to Tellson's -establishment was put through the door, and the word was given: - -“Porter wanted!” - -“Hooray, father! Here's an early job to begin with!” - -Having thus given his parent God speed, young Jerry seated himself on -the stool, entered on his reversionary interest in the straw his father -had been chewing, and cogitated. - -“Al-ways rusty! His fingers is al-ways rusty!” muttered young Jerry. -“Where does my father get all that iron rust from? He don't get no iron -rust here!” - - - - -II. A Sight - - -“You know the Old Bailey well, no doubt?” said one of the oldest of -clerks to Jerry the messenger. - -“Ye-es, sir,” returned Jerry, in something of a dogged manner. “I _do_ -know the Bailey.” - -“Just so. And you know Mr. Lorry.” - -“I know Mr. Lorry, sir, much better than I know the Bailey. Much -better,” said Jerry, not unlike a reluctant witness at the establishment -in question, “than I, as a honest tradesman, wish to know the Bailey.” - -“Very well. Find the door where the witnesses go in, and show the -door-keeper this note for Mr. Lorry. He will then let you in.” - -“Into the court, sir?” - -“Into the court.” - -Mr. Cruncher's eyes seemed to get a little closer to one another, and to -interchange the inquiry, “What do you think of this?” - -“Am I to wait in the court, sir?” he asked, as the result of that -conference. - -“I am going to tell you. The door-keeper will pass the note to Mr. -Lorry, and do you make any gesture that will attract Mr. Lorry's -attention, and show him where you stand. Then what you have to do, is, -to remain there until he wants you.” - -“Is that all, sir?” - -“That's all. He wishes to have a messenger at hand. This is to tell him -you are there.” - -As the ancient clerk deliberately folded and superscribed the note, -Mr. Cruncher, after surveying him in silence until he came to the -blotting-paper stage, remarked: - -“I suppose they'll be trying Forgeries this morning?” - -“Treason!” - -“That's quartering,” said Jerry. “Barbarous!” - -“It is the law,” remarked the ancient clerk, turning his surprised -spectacles upon him. “It is the law.” - -“It's hard in the law to spile a man, I think. It's hard enough to kill -him, but it's wery hard to spile him, sir.” - -“Not at all,” retained the ancient clerk. “Speak well of the law. Take -care of your chest and voice, my good friend, and leave the law to take -care of itself. I give you that advice.” - -“It's the damp, sir, what settles on my chest and voice,” said Jerry. “I -leave you to judge what a damp way of earning a living mine is.” - -“Well, well,” said the old clerk; “we all have our various ways of -gaining a livelihood. Some of us have damp ways, and some of us have dry -ways. Here is the letter. Go along.” - -Jerry took the letter, and, remarking to himself with less internal -deference than he made an outward show of, “You are a lean old one, -too,” made his bow, informed his son, in passing, of his destination, -and went his way. - -They hanged at Tyburn, in those days, so the street outside Newgate had -not obtained one infamous notoriety that has since attached to it. -But, the gaol was a vile place, in which most kinds of debauchery and -villainy were practised, and where dire diseases were bred, that came -into court with the prisoners, and sometimes rushed straight from the -dock at my Lord Chief Justice himself, and pulled him off the bench. It -had more than once happened, that the Judge in the black cap pronounced -his own doom as certainly as the prisoner's, and even died before him. -For the rest, the Old Bailey was famous as a kind of deadly inn-yard, -from which pale travellers set out continually, in carts and coaches, on -a violent passage into the other world: traversing some two miles and a -half of public street and road, and shaming few good citizens, if any. -So powerful is use, and so desirable to be good use in the beginning. It -was famous, too, for the pillory, a wise old institution, that inflicted -a punishment of which no one could foresee the extent; also, for -the whipping-post, another dear old institution, very humanising and -softening to behold in action; also, for extensive transactions in -blood-money, another fragment of ancestral wisdom, systematically -leading to the most frightful mercenary crimes that could be committed -under Heaven. Altogether, the Old Bailey, at that date, was a choice -illustration of the precept, that “Whatever is is right;” an aphorism -that would be as final as it is lazy, did it not include the troublesome -consequence, that nothing that ever was, was wrong. - -Making his way through the tainted crowd, dispersed up and down this -hideous scene of action, with the skill of a man accustomed to make his -way quietly, the messenger found out the door he sought, and handed in -his letter through a trap in it. For, people then paid to see the play -at the Old Bailey, just as they paid to see the play in Bedlam--only the -former entertainment was much the dearer. Therefore, all the Old Bailey -doors were well guarded--except, indeed, the social doors by which the -criminals got there, and those were always left wide open. - -After some delay and demur, the door grudgingly turned on its hinges a -very little way, and allowed Mr. Jerry Cruncher to squeeze himself into -court. - -“What's on?” he asked, in a whisper, of the man he found himself next -to. - -“Nothing yet.” - -“What's coming on?” - -“The Treason case.” - -“The quartering one, eh?” - -“Ah!” returned the man, with a relish; “he'll be drawn on a hurdle to -be half hanged, and then he'll be taken down and sliced before his own -face, and then his inside will be taken out and burnt while he looks on, -and then his head will be chopped off, and he'll be cut into quarters. -That's the sentence.” - -“If he's found Guilty, you mean to say?” Jerry added, by way of proviso. - -“Oh! they'll find him guilty,” said the other. “Don't you be afraid of -that.” - -Mr. Cruncher's attention was here diverted to the door-keeper, whom he -saw making his way to Mr. Lorry, with the note in his hand. Mr. Lorry -sat at a table, among the gentlemen in wigs: not far from a wigged -gentleman, the prisoner's counsel, who had a great bundle of papers -before him: and nearly opposite another wigged gentleman with his hands -in his pockets, whose whole attention, when Mr. Cruncher looked at him -then or afterwards, seemed to be concentrated on the ceiling of the -court. After some gruff coughing and rubbing of his chin and signing -with his hand, Jerry attracted the notice of Mr. Lorry, who had stood up -to look for him, and who quietly nodded and sat down again. - -“What's _he_ got to do with the case?” asked the man he had spoken with. - -“Blest if I know,” said Jerry. - -“What have _you_ got to do with it, then, if a person may inquire?” - -“Blest if I know that either,” said Jerry. - -The entrance of the Judge, and a consequent great stir and settling -down in the court, stopped the dialogue. Presently, the dock became the -central point of interest. Two gaolers, who had been standing there, -went out, and the prisoner was brought in, and put to the bar. - -Everybody present, except the one wigged gentleman who looked at the -ceiling, stared at him. All the human breath in the place, rolled -at him, like a sea, or a wind, or a fire. Eager faces strained round -pillars and corners, to get a sight of him; spectators in back rows -stood up, not to miss a hair of him; people on the floor of the court, -laid their hands on the shoulders of the people before them, to help -themselves, at anybody's cost, to a view of him--stood a-tiptoe, got -upon ledges, stood upon next to nothing, to see every inch of him. -Conspicuous among these latter, like an animated bit of the spiked wall -of Newgate, Jerry stood: aiming at the prisoner the beery breath of a -whet he had taken as he came along, and discharging it to mingle with -the waves of other beer, and gin, and tea, and coffee, and what not, -that flowed at him, and already broke upon the great windows behind him -in an impure mist and rain. - -The object of all this staring and blaring, was a young man of about -five-and-twenty, well-grown and well-looking, with a sunburnt cheek and -a dark eye. His condition was that of a young gentleman. He was plainly -dressed in black, or very dark grey, and his hair, which was long and -dark, was gathered in a ribbon at the back of his neck; more to be out -of his way than for ornament. As an emotion of the mind will express -itself through any covering of the body, so the paleness which his -situation engendered came through the brown upon his cheek, showing the -soul to be stronger than the sun. He was otherwise quite self-possessed, -bowed to the Judge, and stood quiet. - -The sort of interest with which this man was stared and breathed at, -was not a sort that elevated humanity. Had he stood in peril of a less -horrible sentence--had there been a chance of any one of its savage -details being spared--by just so much would he have lost in his -fascination. The form that was to be doomed to be so shamefully mangled, -was the sight; the immortal creature that was to be so butchered -and torn asunder, yielded the sensation. Whatever gloss the various -spectators put upon the interest, according to their several arts and -powers of self-deceit, the interest was, at the root of it, Ogreish. - -Silence in the court! Charles Darnay had yesterday pleaded Not Guilty to -an indictment denouncing him (with infinite jingle and jangle) for that -he was a false traitor to our serene, illustrious, excellent, and so -forth, prince, our Lord the King, by reason of his having, on divers -occasions, and by divers means and ways, assisted Lewis, the French -King, in his wars against our said serene, illustrious, excellent, and -so forth; that was to say, by coming and going, between the dominions of -our said serene, illustrious, excellent, and so forth, and those of the -said French Lewis, and wickedly, falsely, traitorously, and otherwise -evil-adverbiously, revealing to the said French Lewis what forces our -said serene, illustrious, excellent, and so forth, had in preparation -to send to Canada and North America. This much, Jerry, with his head -becoming more and more spiky as the law terms bristled it, made out with -huge satisfaction, and so arrived circuitously at the understanding that -the aforesaid, and over and over again aforesaid, Charles Darnay, stood -there before him upon his trial; that the jury were swearing in; and -that Mr. Attorney-General was making ready to speak. - -The accused, who was (and who knew he was) being mentally hanged, -beheaded, and quartered, by everybody there, neither flinched from -the situation, nor assumed any theatrical air in it. He was quiet and -attentive; watched the opening proceedings with a grave interest; -and stood with his hands resting on the slab of wood before him, so -composedly, that they had not displaced a leaf of the herbs with which -it was strewn. The court was all bestrewn with herbs and sprinkled with -vinegar, as a precaution against gaol air and gaol fever. - -Over the prisoner's head there was a mirror, to throw the light down -upon him. Crowds of the wicked and the wretched had been reflected in -it, and had passed from its surface and this earth's together. Haunted -in a most ghastly manner that abominable place would have been, if the -glass could ever have rendered back its reflections, as the ocean is one -day to give up its dead. Some passing thought of the infamy and disgrace -for which it had been reserved, may have struck the prisoner's mind. Be -that as it may, a change in his position making him conscious of a bar -of light across his face, he looked up; and when he saw the glass his -face flushed, and his right hand pushed the herbs away. - -It happened, that the action turned his face to that side of the court -which was on his left. About on a level with his eyes, there sat, -in that corner of the Judge's bench, two persons upon whom his look -immediately rested; so immediately, and so much to the changing of his -aspect, that all the eyes that were turned upon him, turned to them. - -The spectators saw in the two figures, a young lady of little more than -twenty, and a gentleman who was evidently her father; a man of a very -remarkable appearance in respect of the absolute whiteness of his hair, -and a certain indescribable intensity of face: not of an active kind, -but pondering and self-communing. When this expression was upon him, he -looked as if he were old; but when it was stirred and broken up--as -it was now, in a moment, on his speaking to his daughter--he became a -handsome man, not past the prime of life. - -His daughter had one of her hands drawn through his arm, as she sat by -him, and the other pressed upon it. She had drawn close to him, in her -dread of the scene, and in her pity for the prisoner. Her forehead had -been strikingly expressive of an engrossing terror and compassion -that saw nothing but the peril of the accused. This had been so very -noticeable, so very powerfully and naturally shown, that starers who -had had no pity for him were touched by her; and the whisper went about, -“Who are they?” - -Jerry, the messenger, who had made his own observations, in his own -manner, and who had been sucking the rust off his fingers in his -absorption, stretched his neck to hear who they were. The crowd about -him had pressed and passed the inquiry on to the nearest attendant, and -from him it had been more slowly pressed and passed back; at last it got -to Jerry: - -“Witnesses.” - -“For which side?” - -“Against.” - -“Against what side?” - -“The prisoner's.” - -The Judge, whose eyes had gone in the general direction, recalled them, -leaned back in his seat, and looked steadily at the man whose life was -in his hand, as Mr. Attorney-General rose to spin the rope, grind the -axe, and hammer the nails into the scaffold. - - - - -III. A Disappointment - - -Mr. Attorney-General had to inform the jury, that the prisoner before -them, though young in years, was old in the treasonable practices which -claimed the forfeit of his life. That this correspondence with the -public enemy was not a correspondence of to-day, or of yesterday, or -even of last year, or of the year before. That, it was certain the -prisoner had, for longer than that, been in the habit of passing and -repassing between France and England, on secret business of which -he could give no honest account. That, if it were in the nature of -traitorous ways to thrive (which happily it never was), the real -wickedness and guilt of his business might have remained undiscovered. -That Providence, however, had put it into the heart of a person who -was beyond fear and beyond reproach, to ferret out the nature of the -prisoner's schemes, and, struck with horror, to disclose them to his -Majesty's Chief Secretary of State and most honourable Privy Council. -That, this patriot would be produced before them. That, his position and -attitude were, on the whole, sublime. That, he had been the prisoner's -friend, but, at once in an auspicious and an evil hour detecting his -infamy, had resolved to immolate the traitor he could no longer cherish -in his bosom, on the sacred altar of his country. That, if statues -were decreed in Britain, as in ancient Greece and Rome, to public -benefactors, this shining citizen would assuredly have had one. That, as -they were not so decreed, he probably would not have one. That, Virtue, -as had been observed by the poets (in many passages which he well -knew the jury would have, word for word, at the tips of their tongues; -whereat the jury's countenances displayed a guilty consciousness that -they knew nothing about the passages), was in a manner contagious; more -especially the bright virtue known as patriotism, or love of country. -That, the lofty example of this immaculate and unimpeachable witness -for the Crown, to refer to whom however unworthily was an honour, had -communicated itself to the prisoner's servant, and had engendered in him -a holy determination to examine his master's table-drawers and pockets, -and secrete his papers. That, he (Mr. Attorney-General) was prepared to -hear some disparagement attempted of this admirable servant; but that, -in a general way, he preferred him to his (Mr. Attorney-General's) -brothers and sisters, and honoured him more than his (Mr. -Attorney-General's) father and mother. That, he called with confidence -on the jury to come and do likewise. That, the evidence of these two -witnesses, coupled with the documents of their discovering that would be -produced, would show the prisoner to have been furnished with lists of -his Majesty's forces, and of their disposition and preparation, both by -sea and land, and would leave no doubt that he had habitually conveyed -such information to a hostile power. That, these lists could not be -proved to be in the prisoner's handwriting; but that it was all the -same; that, indeed, it was rather the better for the prosecution, as -showing the prisoner to be artful in his precautions. That, the proof -would go back five years, and would show the prisoner already engaged -in these pernicious missions, within a few weeks before the date of the -very first action fought between the British troops and the Americans. -That, for these reasons, the jury, being a loyal jury (as he knew they -were), and being a responsible jury (as _they_ knew they were), must -positively find the prisoner Guilty, and make an end of him, whether -they liked it or not. That, they never could lay their heads upon their -pillows; that, they never could tolerate the idea of their wives laying -their heads upon their pillows; that, they never could endure the notion -of their children laying their heads upon their pillows; in short, that -there never more could be, for them or theirs, any laying of heads upon -pillows at all, unless the prisoner's head was taken off. That head -Mr. Attorney-General concluded by demanding of them, in the name of -everything he could think of with a round turn in it, and on the faith -of his solemn asseveration that he already considered the prisoner as -good as dead and gone. - -When the Attorney-General ceased, a buzz arose in the court as if -a cloud of great blue-flies were swarming about the prisoner, in -anticipation of what he was soon to become. When toned down again, the -unimpeachable patriot appeared in the witness-box. - -Mr. Solicitor-General then, following his leader's lead, examined the -patriot: John Barsad, gentleman, by name. The story of his pure soul was -exactly what Mr. Attorney-General had described it to be--perhaps, if -it had a fault, a little too exactly. Having released his noble bosom -of its burden, he would have modestly withdrawn himself, but that the -wigged gentleman with the papers before him, sitting not far from Mr. -Lorry, begged to ask him a few questions. The wigged gentleman sitting -opposite, still looking at the ceiling of the court. - -Had he ever been a spy himself? No, he scorned the base insinuation. -What did he live upon? His property. Where was his property? He didn't -precisely remember where it was. What was it? No business of anybody's. -Had he inherited it? Yes, he had. From whom? Distant relation. Very -distant? Rather. Ever been in prison? Certainly not. Never in a debtors' -prison? Didn't see what that had to do with it. Never in a debtors' -prison?--Come, once again. Never? Yes. How many times? Two or three -times. Not five or six? Perhaps. Of what profession? Gentleman. Ever -been kicked? Might have been. Frequently? No. Ever kicked downstairs? -Decidedly not; once received a kick on the top of a staircase, and fell -downstairs of his own accord. Kicked on that occasion for cheating at -dice? Something to that effect was said by the intoxicated liar who -committed the assault, but it was not true. Swear it was not true? -Positively. Ever live by cheating at play? Never. Ever live by play? Not -more than other gentlemen do. Ever borrow money of the prisoner? Yes. -Ever pay him? No. Was not this intimacy with the prisoner, in reality a -very slight one, forced upon the prisoner in coaches, inns, and packets? -No. Sure he saw the prisoner with these lists? Certain. Knew no more -about the lists? No. Had not procured them himself, for instance? No. -Expect to get anything by this evidence? No. Not in regular government -pay and employment, to lay traps? Oh dear no. Or to do anything? Oh dear -no. Swear that? Over and over again. No motives but motives of sheer -patriotism? None whatever. - -The virtuous servant, Roger Cly, swore his way through the case at a -great rate. He had taken service with the prisoner, in good faith and -simplicity, four years ago. He had asked the prisoner, aboard the Calais -packet, if he wanted a handy fellow, and the prisoner had engaged him. -He had not asked the prisoner to take the handy fellow as an act of -charity--never thought of such a thing. He began to have suspicions of -the prisoner, and to keep an eye upon him, soon afterwards. In arranging -his clothes, while travelling, he had seen similar lists to these in the -prisoner's pockets, over and over again. He had taken these lists from -the drawer of the prisoner's desk. He had not put them there first. He -had seen the prisoner show these identical lists to French gentlemen -at Calais, and similar lists to French gentlemen, both at Calais and -Boulogne. He loved his country, and couldn't bear it, and had given -information. He had never been suspected of stealing a silver tea-pot; -he had been maligned respecting a mustard-pot, but it turned out to be -only a plated one. He had known the last witness seven or eight years; -that was merely a coincidence. He didn't call it a particularly curious -coincidence; most coincidences were curious. Neither did he call it a -curious coincidence that true patriotism was _his_ only motive too. He -was a true Briton, and hoped there were many like him. - -The blue-flies buzzed again, and Mr. Attorney-General called Mr. Jarvis -Lorry. - -“Mr. Jarvis Lorry, are you a clerk in Tellson's bank?” - -“I am.” - -“On a certain Friday night in November one thousand seven hundred and -seventy-five, did business occasion you to travel between London and -Dover by the mail?” - -“It did.” - -“Were there any other passengers in the mail?” - -“Two.” - -“Did they alight on the road in the course of the night?” - -“They did.” - -“Mr. Lorry, look upon the prisoner. Was he one of those two passengers?” - -“I cannot undertake to say that he was.” - -“Does he resemble either of these two passengers?” - -“Both were so wrapped up, and the night was so dark, and we were all so -reserved, that I cannot undertake to say even that.” - -“Mr. Lorry, look again upon the prisoner. Supposing him wrapped up as -those two passengers were, is there anything in his bulk and stature to -render it unlikely that he was one of them?” - -“No.” - -“You will not swear, Mr. Lorry, that he was not one of them?” - -“No.” - -“So at least you say he may have been one of them?” - -“Yes. Except that I remember them both to have been--like -myself--timorous of highwaymen, and the prisoner has not a timorous -air.” - -“Did you ever see a counterfeit of timidity, Mr. Lorry?” - -“I certainly have seen that.” - -“Mr. Lorry, look once more upon the prisoner. Have you seen him, to your -certain knowledge, before?” - -“I have.” - -“When?” - -“I was returning from France a few days afterwards, and, at Calais, the -prisoner came on board the packet-ship in which I returned, and made the -voyage with me.” - -“At what hour did he come on board?” - -“At a little after midnight.” - -“In the dead of the night. Was he the only passenger who came on board -at that untimely hour?” - -“He happened to be the only one.” - -“Never mind about 'happening,' Mr. Lorry. He was the only passenger who -came on board in the dead of the night?” - -“He was.” - -“Were you travelling alone, Mr. Lorry, or with any companion?” - -“With two companions. A gentleman and lady. They are here.” - -“They are here. Had you any conversation with the prisoner?” - -“Hardly any. The weather was stormy, and the passage long and rough, and -I lay on a sofa, almost from shore to shore.” - -“Miss Manette!” - -The young lady, to whom all eyes had been turned before, and were now -turned again, stood up where she had sat. Her father rose with her, and -kept her hand drawn through his arm. - -“Miss Manette, look upon the prisoner.” - -To be confronted with such pity, and such earnest youth and beauty, was -far more trying to the accused than to be confronted with all the crowd. -Standing, as it were, apart with her on the edge of his grave, not all -the staring curiosity that looked on, could, for the moment, nerve him -to remain quite still. His hurried right hand parcelled out the herbs -before him into imaginary beds of flowers in a garden; and his efforts -to control and steady his breathing shook the lips from which the colour -rushed to his heart. The buzz of the great flies was loud again. - -“Miss Manette, have you seen the prisoner before?” - -“Yes, sir.” - -“Where?” - -“On board of the packet-ship just now referred to, sir, and on the same -occasion.” - -“You are the young lady just now referred to?” - -“O! most unhappily, I am!” - -The plaintive tone of her compassion merged into the less musical voice -of the Judge, as he said something fiercely: “Answer the questions put -to you, and make no remark upon them.” - -“Miss Manette, had you any conversation with the prisoner on that -passage across the Channel?” - -“Yes, sir.” - -“Recall it.” - -In the midst of a profound stillness, she faintly began: “When the -gentleman came on board--” - -“Do you mean the prisoner?” inquired the Judge, knitting his brows. - -“Yes, my Lord.” - -“Then say the prisoner.” - -“When the prisoner came on board, he noticed that my father,” turning -her eyes lovingly to him as he stood beside her, “was much fatigued -and in a very weak state of health. My father was so reduced that I was -afraid to take him out of the air, and I had made a bed for him on the -deck near the cabin steps, and I sat on the deck at his side to take -care of him. There were no other passengers that night, but we four. -The prisoner was so good as to beg permission to advise me how I could -shelter my father from the wind and weather, better than I had done. I -had not known how to do it well, not understanding how the wind would -set when we were out of the harbour. He did it for me. He expressed -great gentleness and kindness for my father's state, and I am sure he -felt it. That was the manner of our beginning to speak together.” - -“Let me interrupt you for a moment. Had he come on board alone?” - -“No.” - -“How many were with him?” - -“Two French gentlemen.” - -“Had they conferred together?” - -“They had conferred together until the last moment, when it was -necessary for the French gentlemen to be landed in their boat.” - -“Had any papers been handed about among them, similar to these lists?” - -“Some papers had been handed about among them, but I don't know what -papers.” - -“Like these in shape and size?” - -“Possibly, but indeed I don't know, although they stood whispering very -near to me: because they stood at the top of the cabin steps to have the -light of the lamp that was hanging there; it was a dull lamp, and they -spoke very low, and I did not hear what they said, and saw only that -they looked at papers.” - -“Now, to the prisoner's conversation, Miss Manette.” - -“The prisoner was as open in his confidence with me--which arose out -of my helpless situation--as he was kind, and good, and useful to my -father. I hope,” bursting into tears, “I may not repay him by doing him -harm to-day.” - -Buzzing from the blue-flies. - -“Miss Manette, if the prisoner does not perfectly understand that -you give the evidence which it is your duty to give--which you must -give--and which you cannot escape from giving--with great unwillingness, -he is the only person present in that condition. Please to go on.” - -“He told me that he was travelling on business of a delicate and -difficult nature, which might get people into trouble, and that he was -therefore travelling under an assumed name. He said that this business -had, within a few days, taken him to France, and might, at intervals, -take him backwards and forwards between France and England for a long -time to come.” - -“Did he say anything about America, Miss Manette? Be particular.” - -“He tried to explain to me how that quarrel had arisen, and he said -that, so far as he could judge, it was a wrong and foolish one on -England's part. He added, in a jesting way, that perhaps George -Washington might gain almost as great a name in history as George the -Third. But there was no harm in his way of saying this: it was said -laughingly, and to beguile the time.” - -Any strongly marked expression of face on the part of a chief actor in -a scene of great interest to whom many eyes are directed, will be -unconsciously imitated by the spectators. Her forehead was painfully -anxious and intent as she gave this evidence, and, in the pauses when -she stopped for the Judge to write it down, watched its effect upon -the counsel for and against. Among the lookers-on there was the same -expression in all quarters of the court; insomuch, that a great majority -of the foreheads there, might have been mirrors reflecting the witness, -when the Judge looked up from his notes to glare at that tremendous -heresy about George Washington. - -Mr. Attorney-General now signified to my Lord, that he deemed it -necessary, as a matter of precaution and form, to call the young lady's -father, Doctor Manette. Who was called accordingly. - -“Doctor Manette, look upon the prisoner. Have you ever seen him before?” - -“Once. When he called at my lodgings in London. Some three years, or -three years and a half ago.” - -“Can you identify him as your fellow-passenger on board the packet, or -speak to his conversation with your daughter?” - -“Sir, I can do neither.” - -“Is there any particular and special reason for your being unable to do -either?” - -He answered, in a low voice, “There is.” - -“Has it been your misfortune to undergo a long imprisonment, without -trial, or even accusation, in your native country, Doctor Manette?” - -He answered, in a tone that went to every heart, “A long imprisonment.” - -“Were you newly released on the occasion in question?” - -“They tell me so.” - -“Have you no remembrance of the occasion?” - -“None. My mind is a blank, from some time--I cannot even say what -time--when I employed myself, in my captivity, in making shoes, to the -time when I found myself living in London with my dear daughter -here. She had become familiar to me, when a gracious God restored -my faculties; but, I am quite unable even to say how she had become -familiar. I have no remembrance of the process.” - -Mr. Attorney-General sat down, and the father and daughter sat down -together. - -A singular circumstance then arose in the case. The object in hand being -to show that the prisoner went down, with some fellow-plotter untracked, -in the Dover mail on that Friday night in November five years ago, and -got out of the mail in the night, as a blind, at a place where he did -not remain, but from which he travelled back some dozen miles or more, -to a garrison and dockyard, and there collected information; a witness -was called to identify him as having been at the precise time required, -in the coffee-room of an hotel in that garrison-and-dockyard town, -waiting for another person. The prisoner's counsel was cross-examining -this witness with no result, except that he had never seen the prisoner -on any other occasion, when the wigged gentleman who had all this time -been looking at the ceiling of the court, wrote a word or two on a -little piece of paper, screwed it up, and tossed it to him. Opening -this piece of paper in the next pause, the counsel looked with great -attention and curiosity at the prisoner. - -“You say again you are quite sure that it was the prisoner?” - -The witness was quite sure. - -“Did you ever see anybody very like the prisoner?” - -Not so like (the witness said) as that he could be mistaken. - -“Look well upon that gentleman, my learned friend there,” pointing -to him who had tossed the paper over, “and then look well upon the -prisoner. How say you? Are they very like each other?” - -Allowing for my learned friend's appearance being careless and slovenly -if not debauched, they were sufficiently like each other to surprise, -not only the witness, but everybody present, when they were thus brought -into comparison. My Lord being prayed to bid my learned friend lay aside -his wig, and giving no very gracious consent, the likeness became -much more remarkable. My Lord inquired of Mr. Stryver (the prisoner's -counsel), whether they were next to try Mr. Carton (name of my learned -friend) for treason? But, Mr. Stryver replied to my Lord, no; but he -would ask the witness to tell him whether what happened once, might -happen twice; whether he would have been so confident if he had seen -this illustration of his rashness sooner, whether he would be so -confident, having seen it; and more. The upshot of which, was, to smash -this witness like a crockery vessel, and shiver his part of the case to -useless lumber. - -Mr. Cruncher had by this time taken quite a lunch of rust off his -fingers in his following of the evidence. He had now to attend while Mr. -Stryver fitted the prisoner's case on the jury, like a compact suit -of clothes; showing them how the patriot, Barsad, was a hired spy and -traitor, an unblushing trafficker in blood, and one of the greatest -scoundrels upon earth since accursed Judas--which he certainly did look -rather like. How the virtuous servant, Cly, was his friend and partner, -and was worthy to be; how the watchful eyes of those forgers and false -swearers had rested on the prisoner as a victim, because some family -affairs in France, he being of French extraction, did require his making -those passages across the Channel--though what those affairs were, a -consideration for others who were near and dear to him, forbade him, -even for his life, to disclose. How the evidence that had been warped -and wrested from the young lady, whose anguish in giving it they -had witnessed, came to nothing, involving the mere little innocent -gallantries and politenesses likely to pass between any young gentleman -and young lady so thrown together;--with the exception of that -reference to George Washington, which was altogether too extravagant and -impossible to be regarded in any other light than as a monstrous joke. -How it would be a weakness in the government to break down in this -attempt to practise for popularity on the lowest national antipathies -and fears, and therefore Mr. Attorney-General had made the most of it; -how, nevertheless, it rested upon nothing, save that vile and infamous -character of evidence too often disfiguring such cases, and of which the -State Trials of this country were full. But, there my Lord interposed -(with as grave a face as if it had not been true), saying that he could -not sit upon that Bench and suffer those allusions. - -Mr. Stryver then called his few witnesses, and Mr. Cruncher had next to -attend while Mr. Attorney-General turned the whole suit of clothes Mr. -Stryver had fitted on the jury, inside out; showing how Barsad and -Cly were even a hundred times better than he had thought them, and the -prisoner a hundred times worse. Lastly, came my Lord himself, turning -the suit of clothes, now inside out, now outside in, but on the whole -decidedly trimming and shaping them into grave-clothes for the prisoner. - -And now, the jury turned to consider, and the great flies swarmed again. - -Mr. Carton, who had so long sat looking at the ceiling of the court, -changed neither his place nor his attitude, even in this excitement. -While his learned friend, Mr. Stryver, massing his papers before him, -whispered with those who sat near, and from time to time glanced -anxiously at the jury; while all the spectators moved more or less, and -grouped themselves anew; while even my Lord himself arose from his seat, -and slowly paced up and down his platform, not unattended by a suspicion -in the minds of the audience that his state was feverish; this one man -sat leaning back, with his torn gown half off him, his untidy wig put -on just as it had happened to light on his head after its removal, his -hands in his pockets, and his eyes on the ceiling as they had been all -day. Something especially reckless in his demeanour, not only gave him -a disreputable look, but so diminished the strong resemblance he -undoubtedly bore to the prisoner (which his momentary earnestness, -when they were compared together, had strengthened), that many of the -lookers-on, taking note of him now, said to one another they would -hardly have thought the two were so alike. Mr. Cruncher made the -observation to his next neighbour, and added, “I'd hold half a guinea -that _he_ don't get no law-work to do. Don't look like the sort of one -to get any, do he?” - -Yet, this Mr. Carton took in more of the details of the scene than he -appeared to take in; for now, when Miss Manette's head dropped upon -her father's breast, he was the first to see it, and to say audibly: -“Officer! look to that young lady. Help the gentleman to take her out. -Don't you see she will fall!” - -There was much commiseration for her as she was removed, and much -sympathy with her father. It had evidently been a great distress to -him, to have the days of his imprisonment recalled. He had shown -strong internal agitation when he was questioned, and that pondering or -brooding look which made him old, had been upon him, like a heavy cloud, -ever since. As he passed out, the jury, who had turned back and paused a -moment, spoke, through their foreman. - -They were not agreed, and wished to retire. My Lord (perhaps with George -Washington on his mind) showed some surprise that they were not agreed, -but signified his pleasure that they should retire under watch and ward, -and retired himself. The trial had lasted all day, and the lamps in -the court were now being lighted. It began to be rumoured that the -jury would be out a long while. The spectators dropped off to get -refreshment, and the prisoner withdrew to the back of the dock, and sat -down. - -Mr. Lorry, who had gone out when the young lady and her father went out, -now reappeared, and beckoned to Jerry: who, in the slackened interest, -could easily get near him. - -“Jerry, if you wish to take something to eat, you can. But, keep in the -way. You will be sure to hear when the jury come in. Don't be a moment -behind them, for I want you to take the verdict back to the bank. You -are the quickest messenger I know, and will get to Temple Bar long -before I can.” - -Jerry had just enough forehead to knuckle, and he knuckled it in -acknowledgment of this communication and a shilling. Mr. Carton came up -at the moment, and touched Mr. Lorry on the arm. - -“How is the young lady?” - -“She is greatly distressed; but her father is comforting her, and she -feels the better for being out of court.” - -“I'll tell the prisoner so. It won't do for a respectable bank gentleman -like you, to be seen speaking to him publicly, you know.” - -Mr. Lorry reddened as if he were conscious of having debated the point -in his mind, and Mr. Carton made his way to the outside of the bar. -The way out of court lay in that direction, and Jerry followed him, all -eyes, ears, and spikes. - -“Mr. Darnay!” - -The prisoner came forward directly. - -“You will naturally be anxious to hear of the witness, Miss Manette. She -will do very well. You have seen the worst of her agitation.” - -“I am deeply sorry to have been the cause of it. Could you tell her so -for me, with my fervent acknowledgments?” - -“Yes, I could. I will, if you ask it.” - -Mr. Carton's manner was so careless as to be almost insolent. He stood, -half turned from the prisoner, lounging with his elbow against the bar. - -“I do ask it. Accept my cordial thanks.” - -“What,” said Carton, still only half turned towards him, “do you expect, -Mr. Darnay?” - -“The worst.” - -“It's the wisest thing to expect, and the likeliest. But I think their -withdrawing is in your favour.” - -Loitering on the way out of court not being allowed, Jerry heard no -more: but left them--so like each other in feature, so unlike each other -in manner--standing side by side, both reflected in the glass above -them. - -An hour and a half limped heavily away in the thief-and-rascal crowded -passages below, even though assisted off with mutton pies and ale. -The hoarse messenger, uncomfortably seated on a form after taking that -refection, had dropped into a doze, when a loud murmur and a rapid tide -of people setting up the stairs that led to the court, carried him along -with them. - -“Jerry! Jerry!” Mr. Lorry was already calling at the door when he got -there. - -“Here, sir! It's a fight to get back again. Here I am, sir!” - -Mr. Lorry handed him a paper through the throng. “Quick! Have you got -it?” - -“Yes, sir.” - -Hastily written on the paper was the word “ACQUITTED.” - -“If you had sent the message, 'Recalled to Life,' again,” muttered -Jerry, as he turned, “I should have known what you meant, this time.” - -He had no opportunity of saying, or so much as thinking, anything else, -until he was clear of the Old Bailey; for, the crowd came pouring out -with a vehemence that nearly took him off his legs, and a loud buzz -swept into the street as if the baffled blue-flies were dispersing in -search of other carrion. - - - - -IV. Congratulatory - - -From the dimly-lighted passages of the court, the last sediment of the -human stew that had been boiling there all day, was straining off, when -Doctor Manette, Lucie Manette, his daughter, Mr. Lorry, the solicitor -for the defence, and its counsel, Mr. Stryver, stood gathered round Mr. -Charles Darnay--just released--congratulating him on his escape from -death. - -It would have been difficult by a far brighter light, to recognise -in Doctor Manette, intellectual of face and upright of bearing, the -shoemaker of the garret in Paris. Yet, no one could have looked at him -twice, without looking again: even though the opportunity of observation -had not extended to the mournful cadence of his low grave voice, and -to the abstraction that overclouded him fitfully, without any apparent -reason. While one external cause, and that a reference to his long -lingering agony, would always--as on the trial--evoke this condition -from the depths of his soul, it was also in its nature to arise of -itself, and to draw a gloom over him, as incomprehensible to those -unacquainted with his story as if they had seen the shadow of the actual -Bastille thrown upon him by a summer sun, when the substance was three -hundred miles away. - -Only his daughter had the power of charming this black brooding from -his mind. She was the golden thread that united him to a Past beyond his -misery, and to a Present beyond his misery: and the sound of her voice, -the light of her face, the touch of her hand, had a strong beneficial -influence with him almost always. Not absolutely always, for she could -recall some occasions on which her power had failed; but they were few -and slight, and she believed them over. - -Mr. Darnay had kissed her hand fervently and gratefully, and had turned -to Mr. Stryver, whom he warmly thanked. Mr. Stryver, a man of little -more than thirty, but looking twenty years older than he was, stout, -loud, red, bluff, and free from any drawback of delicacy, had a pushing -way of shouldering himself (morally and physically) into companies and -conversations, that argued well for his shouldering his way up in life. - -He still had his wig and gown on, and he said, squaring himself at his -late client to that degree that he squeezed the innocent Mr. Lorry clean -out of the group: “I am glad to have brought you off with honour, Mr. -Darnay. It was an infamous prosecution, grossly infamous; but not the -less likely to succeed on that account.” - -“You have laid me under an obligation to you for life--in two senses,” - said his late client, taking his hand. - -“I have done my best for you, Mr. Darnay; and my best is as good as -another man's, I believe.” - -It clearly being incumbent on some one to say, “Much better,” Mr. Lorry -said it; perhaps not quite disinterestedly, but with the interested -object of squeezing himself back again. - -“You think so?” said Mr. Stryver. “Well! you have been present all day, -and you ought to know. You are a man of business, too.” - -“And as such,” quoth Mr. Lorry, whom the counsel learned in the law had -now shouldered back into the group, just as he had previously shouldered -him out of it--“as such I will appeal to Doctor Manette, to break up -this conference and order us all to our homes. Miss Lucie looks ill, Mr. -Darnay has had a terrible day, we are worn out.” - -“Speak for yourself, Mr. Lorry,” said Stryver; “I have a night's work to -do yet. Speak for yourself.” - -“I speak for myself,” answered Mr. Lorry, “and for Mr. Darnay, and for -Miss Lucie, and--Miss Lucie, do you not think I may speak for us all?” - He asked her the question pointedly, and with a glance at her father. - -His face had become frozen, as it were, in a very curious look at -Darnay: an intent look, deepening into a frown of dislike and distrust, -not even unmixed with fear. With this strange expression on him his -thoughts had wandered away. - -“My father,” said Lucie, softly laying her hand on his. - -He slowly shook the shadow off, and turned to her. - -“Shall we go home, my father?” - -With a long breath, he answered “Yes.” - -The friends of the acquitted prisoner had dispersed, under the -impression--which he himself had originated--that he would not be -released that night. The lights were nearly all extinguished in the -passages, the iron gates were being closed with a jar and a rattle, -and the dismal place was deserted until to-morrow morning's interest of -gallows, pillory, whipping-post, and branding-iron, should repeople it. -Walking between her father and Mr. Darnay, Lucie Manette passed into -the open air. A hackney-coach was called, and the father and daughter -departed in it. - -Mr. Stryver had left them in the passages, to shoulder his way back -to the robing-room. Another person, who had not joined the group, or -interchanged a word with any one of them, but who had been leaning -against the wall where its shadow was darkest, had silently strolled -out after the rest, and had looked on until the coach drove away. He now -stepped up to where Mr. Lorry and Mr. Darnay stood upon the pavement. - -“So, Mr. Lorry! Men of business may speak to Mr. Darnay now?” - -Nobody had made any acknowledgment of Mr. Carton's part in the day's -proceedings; nobody had known of it. He was unrobed, and was none the -better for it in appearance. - -“If you knew what a conflict goes on in the business mind, when the -business mind is divided between good-natured impulse and business -appearances, you would be amused, Mr. Darnay.” - -Mr. Lorry reddened, and said, warmly, “You have mentioned that before, -sir. We men of business, who serve a House, are not our own masters. We -have to think of the House more than ourselves.” - -“_I_ know, _I_ know,” rejoined Mr. Carton, carelessly. “Don't be -nettled, Mr. Lorry. You are as good as another, I have no doubt: better, -I dare say.” - -“And indeed, sir,” pursued Mr. Lorry, not minding him, “I really don't -know what you have to do with the matter. If you'll excuse me, as very -much your elder, for saying so, I really don't know that it is your -business.” - -“Business! Bless you, _I_ have no business,” said Mr. Carton. - -“It is a pity you have not, sir.” - -“I think so, too.” - -“If you had,” pursued Mr. Lorry, “perhaps you would attend to it.” - -“Lord love you, no!--I shouldn't,” said Mr. Carton. - -“Well, sir!” cried Mr. Lorry, thoroughly heated by his indifference, -“business is a very good thing, and a very respectable thing. And, sir, -if business imposes its restraints and its silences and impediments, Mr. -Darnay as a young gentleman of generosity knows how to make allowance -for that circumstance. Mr. Darnay, good night, God bless you, sir! -I hope you have been this day preserved for a prosperous and happy -life.--Chair there!” - -Perhaps a little angry with himself, as well as with the barrister, Mr. -Lorry bustled into the chair, and was carried off to Tellson's. Carton, -who smelt of port wine, and did not appear to be quite sober, laughed -then, and turned to Darnay: - -“This is a strange chance that throws you and me together. This must -be a strange night to you, standing alone here with your counterpart on -these street stones?” - -“I hardly seem yet,” returned Charles Darnay, “to belong to this world -again.” - -“I don't wonder at it; it's not so long since you were pretty far -advanced on your way to another. You speak faintly.” - -“I begin to think I _am_ faint.” - -“Then why the devil don't you dine? I dined, myself, while those -numskulls were deliberating which world you should belong to--this, or -some other. Let me show you the nearest tavern to dine well at.” - -Drawing his arm through his own, he took him down Ludgate-hill to -Fleet-street, and so, up a covered way, into a tavern. Here, they were -shown into a little room, where Charles Darnay was soon recruiting -his strength with a good plain dinner and good wine: while Carton sat -opposite to him at the same table, with his separate bottle of port -before him, and his fully half-insolent manner upon him. - -“Do you feel, yet, that you belong to this terrestrial scheme again, Mr. -Darnay?” - -“I am frightfully confused regarding time and place; but I am so far -mended as to feel that.” - -“It must be an immense satisfaction!” - -He said it bitterly, and filled up his glass again: which was a large -one. - -“As to me, the greatest desire I have, is to forget that I belong to it. -It has no good in it for me--except wine like this--nor I for it. So we -are not much alike in that particular. Indeed, I begin to think we are -not much alike in any particular, you and I.” - -Confused by the emotion of the day, and feeling his being there with -this Double of coarse deportment, to be like a dream, Charles Darnay was -at a loss how to answer; finally, answered not at all. - -“Now your dinner is done,” Carton presently said, “why don't you call a -health, Mr. Darnay; why don't you give your toast?” - -“What health? What toast?” - -“Why, it's on the tip of your tongue. It ought to be, it must be, I'll -swear it's there.” - -“Miss Manette, then!” - -“Miss Manette, then!” - -Looking his companion full in the face while he drank the toast, Carton -flung his glass over his shoulder against the wall, where it shivered to -pieces; then, rang the bell, and ordered in another. - -“That's a fair young lady to hand to a coach in the dark, Mr. Darnay!” - he said, filling his new goblet. - -A slight frown and a laconic “Yes,” were the answer. - -“That's a fair young lady to be pitied by and wept for by! How does it -feel? Is it worth being tried for one's life, to be the object of such -sympathy and compassion, Mr. Darnay?” - -Again Darnay answered not a word. - -“She was mightily pleased to have your message, when I gave it her. Not -that she showed she was pleased, but I suppose she was.” - -The allusion served as a timely reminder to Darnay that this -disagreeable companion had, of his own free will, assisted him in the -strait of the day. He turned the dialogue to that point, and thanked him -for it. - -“I neither want any thanks, nor merit any,” was the careless rejoinder. -“It was nothing to do, in the first place; and I don't know why I did -it, in the second. Mr. Darnay, let me ask you a question.” - -“Willingly, and a small return for your good offices.” - -“Do you think I particularly like you?” - -“Really, Mr. Carton,” returned the other, oddly disconcerted, “I have -not asked myself the question.” - -“But ask yourself the question now.” - -“You have acted as if you do; but I don't think you do.” - -“_I_ don't think I do,” said Carton. “I begin to have a very good -opinion of your understanding.” - -“Nevertheless,” pursued Darnay, rising to ring the bell, “there is -nothing in that, I hope, to prevent my calling the reckoning, and our -parting without ill-blood on either side.” - -Carton rejoining, “Nothing in life!” Darnay rang. “Do you call the whole -reckoning?” said Carton. On his answering in the affirmative, “Then -bring me another pint of this same wine, drawer, and come and wake me at -ten.” - -The bill being paid, Charles Darnay rose and wished him good night. -Without returning the wish, Carton rose too, with something of a threat -of defiance in his manner, and said, “A last word, Mr. Darnay: you think -I am drunk?” - -“I think you have been drinking, Mr. Carton.” - -“Think? You know I have been drinking.” - -“Since I must say so, I know it.” - -“Then you shall likewise know why. I am a disappointed drudge, sir. I -care for no man on earth, and no man on earth cares for me.” - -“Much to be regretted. You might have used your talents better.” - -“May be so, Mr. Darnay; may be not. Don't let your sober face elate you, -however; you don't know what it may come to. Good night!” - -When he was left alone, this strange being took up a candle, went to a -glass that hung against the wall, and surveyed himself minutely in it. - -“Do you particularly like the man?” he muttered, at his own image; “why -should you particularly like a man who resembles you? There is nothing -in you to like; you know that. Ah, confound you! What a change you have -made in yourself! A good reason for taking to a man, that he shows you -what you have fallen away from, and what you might have been! Change -places with him, and would you have been looked at by those blue eyes as -he was, and commiserated by that agitated face as he was? Come on, and -have it out in plain words! You hate the fellow.” - -He resorted to his pint of wine for consolation, drank it all in a few -minutes, and fell asleep on his arms, with his hair straggling over the -table, and a long winding-sheet in the candle dripping down upon him. - - - - -V. The Jackal - - -Those were drinking days, and most men drank hard. So very great is -the improvement Time has brought about in such habits, that a moderate -statement of the quantity of wine and punch which one man would swallow -in the course of a night, without any detriment to his reputation as a -perfect gentleman, would seem, in these days, a ridiculous exaggeration. -The learned profession of the law was certainly not behind any other -learned profession in its Bacchanalian propensities; neither was Mr. -Stryver, already fast shouldering his way to a large and lucrative -practice, behind his compeers in this particular, any more than in the -drier parts of the legal race. - -A favourite at the Old Bailey, and eke at the Sessions, Mr. Stryver had -begun cautiously to hew away the lower staves of the ladder on which -he mounted. Sessions and Old Bailey had now to summon their favourite, -specially, to their longing arms; and shouldering itself towards the -visage of the Lord Chief Justice in the Court of King's Bench, the -florid countenance of Mr. Stryver might be daily seen, bursting out of -the bed of wigs, like a great sunflower pushing its way at the sun from -among a rank garden-full of flaring companions. - -It had once been noted at the Bar, that while Mr. Stryver was a glib -man, and an unscrupulous, and a ready, and a bold, he had not that -faculty of extracting the essence from a heap of statements, which is -among the most striking and necessary of the advocate's accomplishments. -But, a remarkable improvement came upon him as to this. The more -business he got, the greater his power seemed to grow of getting at its -pith and marrow; and however late at night he sat carousing with Sydney -Carton, he always had his points at his fingers' ends in the morning. - -Sydney Carton, idlest and most unpromising of men, was Stryver's great -ally. What the two drank together, between Hilary Term and Michaelmas, -might have floated a king's ship. Stryver never had a case in hand, -anywhere, but Carton was there, with his hands in his pockets, staring -at the ceiling of the court; they went the same Circuit, and even there -they prolonged their usual orgies late into the night, and Carton was -rumoured to be seen at broad day, going home stealthily and unsteadily -to his lodgings, like a dissipated cat. At last, it began to get about, -among such as were interested in the matter, that although Sydney Carton -would never be a lion, he was an amazingly good jackal, and that he -rendered suit and service to Stryver in that humble capacity. - -“Ten o'clock, sir,” said the man at the tavern, whom he had charged to -wake him--“ten o'clock, sir.” - -“_What's_ the matter?” - -“Ten o'clock, sir.” - -“What do you mean? Ten o'clock at night?” - -“Yes, sir. Your honour told me to call you.” - -“Oh! I remember. Very well, very well.” - -After a few dull efforts to get to sleep again, which the man -dexterously combated by stirring the fire continuously for five minutes, -he got up, tossed his hat on, and walked out. He turned into the Temple, -and, having revived himself by twice pacing the pavements of King's -Bench-walk and Paper-buildings, turned into the Stryver chambers. - -The Stryver clerk, who never assisted at these conferences, had gone -home, and the Stryver principal opened the door. He had his slippers on, -and a loose bed-gown, and his throat was bare for his greater ease. He -had that rather wild, strained, seared marking about the eyes, which -may be observed in all free livers of his class, from the portrait of -Jeffries downward, and which can be traced, under various disguises of -Art, through the portraits of every Drinking Age. - -“You are a little late, Memory,” said Stryver. - -“About the usual time; it may be a quarter of an hour later.” - -They went into a dingy room lined with books and littered with papers, -where there was a blazing fire. A kettle steamed upon the hob, and in -the midst of the wreck of papers a table shone, with plenty of wine upon -it, and brandy, and rum, and sugar, and lemons. - -“You have had your bottle, I perceive, Sydney.” - -“Two to-night, I think. I have been dining with the day's client; or -seeing him dine--it's all one!” - -“That was a rare point, Sydney, that you brought to bear upon the -identification. How did you come by it? When did it strike you?” - -“I thought he was rather a handsome fellow, and I thought I should have -been much the same sort of fellow, if I had had any luck.” - -Mr. Stryver laughed till he shook his precocious paunch. - -“You and your luck, Sydney! Get to work, get to work.” - -Sullenly enough, the jackal loosened his dress, went into an adjoining -room, and came back with a large jug of cold water, a basin, and a towel -or two. Steeping the towels in the water, and partially wringing them -out, he folded them on his head in a manner hideous to behold, sat down -at the table, and said, “Now I am ready!” - -“Not much boiling down to be done to-night, Memory,” said Mr. Stryver, -gaily, as he looked among his papers. - -“How much?” - -“Only two sets of them.” - -“Give me the worst first.” - -“There they are, Sydney. Fire away!” - -The lion then composed himself on his back on a sofa on one side of the -drinking-table, while the jackal sat at his own paper-bestrewn table -proper, on the other side of it, with the bottles and glasses ready to -his hand. Both resorted to the drinking-table without stint, but each in -a different way; the lion for the most part reclining with his hands in -his waistband, looking at the fire, or occasionally flirting with some -lighter document; the jackal, with knitted brows and intent face, -so deep in his task, that his eyes did not even follow the hand he -stretched out for his glass--which often groped about, for a minute or -more, before it found the glass for his lips. Two or three times, the -matter in hand became so knotty, that the jackal found it imperative on -him to get up, and steep his towels anew. From these pilgrimages to the -jug and basin, he returned with such eccentricities of damp headgear as -no words can describe; which were made the more ludicrous by his anxious -gravity. - -At length the jackal had got together a compact repast for the lion, and -proceeded to offer it to him. The lion took it with care and caution, -made his selections from it, and his remarks upon it, and the jackal -assisted both. When the repast was fully discussed, the lion put his -hands in his waistband again, and lay down to meditate. The jackal then -invigorated himself with a bumper for his throttle, and a fresh application -to his head, and applied himself to the collection of a second meal; -this was administered to the lion in the same manner, and was not -disposed of until the clocks struck three in the morning. - -“And now we have done, Sydney, fill a bumper of punch,” said Mr. -Stryver. - -The jackal removed the towels from his head, which had been steaming -again, shook himself, yawned, shivered, and complied. - -“You were very sound, Sydney, in the matter of those crown witnesses -to-day. Every question told.” - -“I always am sound; am I not?” - -“I don't gainsay it. What has roughened your temper? Put some punch to -it and smooth it again.” - -With a deprecatory grunt, the jackal again complied. - -“The old Sydney Carton of old Shrewsbury School,” said Stryver, nodding -his head over him as he reviewed him in the present and the past, “the -old seesaw Sydney. Up one minute and down the next; now in spirits and -now in despondency!” - -“Ah!” returned the other, sighing: “yes! The same Sydney, with the same -luck. Even then, I did exercises for other boys, and seldom did my own.” - -“And why not?” - -“God knows. It was my way, I suppose.” - -He sat, with his hands in his pockets and his legs stretched out before -him, looking at the fire. - -“Carton,” said his friend, squaring himself at him with a bullying air, -as if the fire-grate had been the furnace in which sustained endeavour -was forged, and the one delicate thing to be done for the old Sydney -Carton of old Shrewsbury School was to shoulder him into it, “your way -is, and always was, a lame way. You summon no energy and purpose. Look -at me.” - -“Oh, botheration!” returned Sydney, with a lighter and more -good-humoured laugh, “don't _you_ be moral!” - -“How have I done what I have done?” said Stryver; “how do I do what I -do?” - -“Partly through paying me to help you, I suppose. But it's not worth -your while to apostrophise me, or the air, about it; what you want to -do, you do. You were always in the front rank, and I was always behind.” - -“I had to get into the front rank; I was not born there, was I?” - -“I was not present at the ceremony; but my opinion is you were,” said -Carton. At this, he laughed again, and they both laughed. - -“Before Shrewsbury, and at Shrewsbury, and ever since Shrewsbury,” - pursued Carton, “you have fallen into your rank, and I have fallen into -mine. Even when we were fellow-students in the Student-Quarter of Paris, -picking up French, and French law, and other French crumbs that we -didn't get much good of, you were always somewhere, and I was always -nowhere.” - -“And whose fault was that?” - -“Upon my soul, I am not sure that it was not yours. You were always -driving and riving and shouldering and passing, to that restless degree -that I had no chance for my life but in rust and repose. It's a gloomy -thing, however, to talk about one's own past, with the day breaking. -Turn me in some other direction before I go.” - -“Well then! Pledge me to the pretty witness,” said Stryver, holding up -his glass. “Are you turned in a pleasant direction?” - -Apparently not, for he became gloomy again. - -“Pretty witness,” he muttered, looking down into his glass. “I have had -enough of witnesses to-day and to-night; who's your pretty witness?” - -“The picturesque doctor's daughter, Miss Manette.” - -“_She_ pretty?” - -“Is she not?” - -“No.” - -“Why, man alive, she was the admiration of the whole Court!” - -“Rot the admiration of the whole Court! Who made the Old Bailey a judge -of beauty? She was a golden-haired doll!” - -“Do you know, Sydney,” said Mr. Stryver, looking at him with sharp eyes, -and slowly drawing a hand across his florid face: “do you know, I rather -thought, at the time, that you sympathised with the golden-haired doll, -and were quick to see what happened to the golden-haired doll?” - -“Quick to see what happened! If a girl, doll or no doll, swoons within a -yard or two of a man's nose, he can see it without a perspective-glass. -I pledge you, but I deny the beauty. And now I'll have no more drink; -I'll get to bed.” - -When his host followed him out on the staircase with a candle, to light -him down the stairs, the day was coldly looking in through its grimy -windows. When he got out of the house, the air was cold and sad, the -dull sky overcast, the river dark and dim, the whole scene like a -lifeless desert. And wreaths of dust were spinning round and round -before the morning blast, as if the desert-sand had risen far away, and -the first spray of it in its advance had begun to overwhelm the city. - -Waste forces within him, and a desert all around, this man stood still -on his way across a silent terrace, and saw for a moment, lying in the -wilderness before him, a mirage of honourable ambition, self-denial, and -perseverance. In the fair city of this vision, there were airy galleries -from which the loves and graces looked upon him, gardens in which the -fruits of life hung ripening, waters of Hope that sparkled in his sight. -A moment, and it was gone. Climbing to a high chamber in a well of -houses, he threw himself down in his clothes on a neglected bed, and its -pillow was wet with wasted tears. - -Sadly, sadly, the sun rose; it rose upon no sadder sight than the man of -good abilities and good emotions, incapable of their directed exercise, -incapable of his own help and his own happiness, sensible of the blight -on him, and resigning himself to let it eat him away. - - - - -VI. Hundreds of People - - -The quiet lodgings of Doctor Manette were in a quiet street-corner not -far from Soho-square. On the afternoon of a certain fine Sunday when the -waves of four months had rolled over the trial for treason, and carried -it, as to the public interest and memory, far out to sea, Mr. Jarvis -Lorry walked along the sunny streets from Clerkenwell where he lived, -on his way to dine with the Doctor. After several relapses into -business-absorption, Mr. Lorry had become the Doctor's friend, and the -quiet street-corner was the sunny part of his life. - -On this certain fine Sunday, Mr. Lorry walked towards Soho, early in -the afternoon, for three reasons of habit. Firstly, because, on fine -Sundays, he often walked out, before dinner, with the Doctor and Lucie; -secondly, because, on unfavourable Sundays, he was accustomed to be with -them as the family friend, talking, reading, looking out of window, and -generally getting through the day; thirdly, because he happened to have -his own little shrewd doubts to solve, and knew how the ways of the -Doctor's household pointed to that time as a likely time for solving -them. - -A quainter corner than the corner where the Doctor lived, was not to be -found in London. There was no way through it, and the front windows of -the Doctor's lodgings commanded a pleasant little vista of street that -had a congenial air of retirement on it. There were few buildings then, -north of the Oxford-road, and forest-trees flourished, and wild flowers -grew, and the hawthorn blossomed, in the now vanished fields. As a -consequence, country airs circulated in Soho with vigorous freedom, -instead of languishing into the parish like stray paupers without a -settlement; and there was many a good south wall, not far off, on which -the peaches ripened in their season. - -The summer light struck into the corner brilliantly in the earlier part -of the day; but, when the streets grew hot, the corner was in shadow, -though not in shadow so remote but that you could see beyond it into a -glare of brightness. It was a cool spot, staid but cheerful, a wonderful -place for echoes, and a very harbour from the raging streets. - -There ought to have been a tranquil bark in such an anchorage, and -there was. The Doctor occupied two floors of a large stiff house, where -several callings purported to be pursued by day, but whereof little was -audible any day, and which was shunned by all of them at night. In -a building at the back, attainable by a courtyard where a plane-tree -rustled its green leaves, church-organs claimed to be made, and silver -to be chased, and likewise gold to be beaten by some mysterious giant -who had a golden arm starting out of the wall of the front hall--as if -he had beaten himself precious, and menaced a similar conversion of all -visitors. Very little of these trades, or of a lonely lodger rumoured -to live up-stairs, or of a dim coach-trimming maker asserted to have -a counting-house below, was ever heard or seen. Occasionally, a stray -workman putting his coat on, traversed the hall, or a stranger peered -about there, or a distant clink was heard across the courtyard, or a -thump from the golden giant. These, however, were only the exceptions -required to prove the rule that the sparrows in the plane-tree behind -the house, and the echoes in the corner before it, had their own way -from Sunday morning unto Saturday night. - -Doctor Manette received such patients here as his old reputation, and -its revival in the floating whispers of his story, brought him. -His scientific knowledge, and his vigilance and skill in conducting -ingenious experiments, brought him otherwise into moderate request, and -he earned as much as he wanted. - -These things were within Mr. Jarvis Lorry's knowledge, thoughts, and -notice, when he rang the door-bell of the tranquil house in the corner, -on the fine Sunday afternoon. - -“Doctor Manette at home?” - -Expected home. - -“Miss Lucie at home?” - -Expected home. - -“Miss Pross at home?” - -Possibly at home, but of a certainty impossible for handmaid to -anticipate intentions of Miss Pross, as to admission or denial of the -fact. - -“As I am at home myself,” said Mr. Lorry, “I'll go upstairs.” - -Although the Doctor's daughter had known nothing of the country of her -birth, she appeared to have innately derived from it that ability to -make much of little means, which is one of its most useful and most -agreeable characteristics. Simple as the furniture was, it was set off -by so many little adornments, of no value but for their taste and fancy, -that its effect was delightful. The disposition of everything in the -rooms, from the largest object to the least; the arrangement of colours, -the elegant variety and contrast obtained by thrift in trifles, by -delicate hands, clear eyes, and good sense; were at once so pleasant in -themselves, and so expressive of their originator, that, as Mr. Lorry -stood looking about him, the very chairs and tables seemed to ask him, -with something of that peculiar expression which he knew so well by this -time, whether he approved? - -There were three rooms on a floor, and, the doors by which they -communicated being put open that the air might pass freely through them -all, Mr. Lorry, smilingly observant of that fanciful resemblance which -he detected all around him, walked from one to another. The first was -the best room, and in it were Lucie's birds, and flowers, and books, -and desk, and work-table, and box of water-colours; the second was -the Doctor's consulting-room, used also as the dining-room; the third, -changingly speckled by the rustle of the plane-tree in the yard, was the -Doctor's bedroom, and there, in a corner, stood the disused shoemaker's -bench and tray of tools, much as it had stood on the fifth floor of the -dismal house by the wine-shop, in the suburb of Saint Antoine in Paris. - -“I wonder,” said Mr. Lorry, pausing in his looking about, “that he keeps -that reminder of his sufferings about him!” - -“And why wonder at that?” was the abrupt inquiry that made him start. - -It proceeded from Miss Pross, the wild red woman, strong of hand, whose -acquaintance he had first made at the Royal George Hotel at Dover, and -had since improved. - -“I should have thought--” Mr. Lorry began. - -“Pooh! You'd have thought!” said Miss Pross; and Mr. Lorry left off. - -“How do you do?” inquired that lady then--sharply, and yet as if to -express that she bore him no malice. - -“I am pretty well, I thank you,” answered Mr. Lorry, with meekness; “how -are you?” - -“Nothing to boast of,” said Miss Pross. - -“Indeed?” - -“Ah! indeed!” said Miss Pross. “I am very much put out about my -Ladybird.” - -“Indeed?” - -“For gracious sake say something else besides 'indeed,' or you'll -fidget me to death,” said Miss Pross: whose character (dissociated from -stature) was shortness. - -“Really, then?” said Mr. Lorry, as an amendment. - -“Really, is bad enough,” returned Miss Pross, “but better. Yes, I am -very much put out.” - -“May I ask the cause?” - -“I don't want dozens of people who are not at all worthy of Ladybird, to -come here looking after her,” said Miss Pross. - -“_Do_ dozens come for that purpose?” - -“Hundreds,” said Miss Pross. - -It was characteristic of this lady (as of some other people before her -time and since) that whenever her original proposition was questioned, -she exaggerated it. - -“Dear me!” said Mr. Lorry, as the safest remark he could think of. - -“I have lived with the darling--or the darling has lived with me, and -paid me for it; which she certainly should never have done, you may take -your affidavit, if I could have afforded to keep either myself or her -for nothing--since she was ten years old. And it's really very hard,” - said Miss Pross. - -Not seeing with precision what was very hard, Mr. Lorry shook his head; -using that important part of himself as a sort of fairy cloak that would -fit anything. - -“All sorts of people who are not in the least degree worthy of the pet, -are always turning up,” said Miss Pross. “When you began it--” - -“_I_ began it, Miss Pross?” - -“Didn't you? Who brought her father to life?” - -“Oh! If _that_ was beginning it--” said Mr. Lorry. - -“It wasn't ending it, I suppose? I say, when you began it, it was hard -enough; not that I have any fault to find with Doctor Manette, except -that he is not worthy of such a daughter, which is no imputation on -him, for it was not to be expected that anybody should be, under any -circumstances. But it really is doubly and trebly hard to have crowds -and multitudes of people turning up after him (I could have forgiven -him), to take Ladybird's affections away from me.” - -Mr. Lorry knew Miss Pross to be very jealous, but he also knew her by -this time to be, beneath the service of her eccentricity, one of those -unselfish creatures--found only among women--who will, for pure love and -admiration, bind themselves willing slaves, to youth when they have lost -it, to beauty that they never had, to accomplishments that they were -never fortunate enough to gain, to bright hopes that never shone upon -their own sombre lives. He knew enough of the world to know that there -is nothing in it better than the faithful service of the heart; so -rendered and so free from any mercenary taint, he had such an exalted -respect for it, that in the retributive arrangements made by his own -mind--we all make such arrangements, more or less--he stationed Miss -Pross much nearer to the lower Angels than many ladies immeasurably -better got up both by Nature and Art, who had balances at Tellson's. - -“There never was, nor will be, but one man worthy of Ladybird,” said -Miss Pross; “and that was my brother Solomon, if he hadn't made a -mistake in life.” - -Here again: Mr. Lorry's inquiries into Miss Pross's personal history had -established the fact that her brother Solomon was a heartless scoundrel -who had stripped her of everything she possessed, as a stake to -speculate with, and had abandoned her in her poverty for evermore, with -no touch of compunction. Miss Pross's fidelity of belief in Solomon -(deducting a mere trifle for this slight mistake) was quite a serious -matter with Mr. Lorry, and had its weight in his good opinion of her. - -“As we happen to be alone for the moment, and are both people of -business,” he said, when they had got back to the drawing-room and had -sat down there in friendly relations, “let me ask you--does the Doctor, -in talking with Lucie, never refer to the shoemaking time, yet?” - -“Never.” - -“And yet keeps that bench and those tools beside him?” - -“Ah!” returned Miss Pross, shaking her head. “But I don't say he don't -refer to it within himself.” - -“Do you believe that he thinks of it much?” - -“I do,” said Miss Pross. - -“Do you imagine--” Mr. Lorry had begun, when Miss Pross took him up -short with: - -“Never imagine anything. Have no imagination at all.” - -“I stand corrected; do you suppose--you go so far as to suppose, -sometimes?” - -“Now and then,” said Miss Pross. - -“Do you suppose,” Mr. Lorry went on, with a laughing twinkle in his -bright eye, as it looked kindly at her, “that Doctor Manette has any -theory of his own, preserved through all those years, relative to -the cause of his being so oppressed; perhaps, even to the name of his -oppressor?” - -“I don't suppose anything about it but what Ladybird tells me.” - -“And that is--?” - -“That she thinks he has.” - -“Now don't be angry at my asking all these questions; because I am a -mere dull man of business, and you are a woman of business.” - -“Dull?” Miss Pross inquired, with placidity. - -Rather wishing his modest adjective away, Mr. Lorry replied, “No, no, -no. Surely not. To return to business:--Is it not remarkable that Doctor -Manette, unquestionably innocent of any crime as we are all well assured -he is, should never touch upon that question? I will not say with me, -though he had business relations with me many years ago, and we are now -intimate; I will say with the fair daughter to whom he is so devotedly -attached, and who is so devotedly attached to him? Believe me, Miss -Pross, I don't approach the topic with you, out of curiosity, but out of -zealous interest.” - -“Well! To the best of my understanding, and bad's the best, you'll tell -me,” said Miss Pross, softened by the tone of the apology, “he is afraid -of the whole subject.” - -“Afraid?” - -“It's plain enough, I should think, why he may be. It's a dreadful -remembrance. Besides that, his loss of himself grew out of it. Not -knowing how he lost himself, or how he recovered himself, he may never -feel certain of not losing himself again. That alone wouldn't make the -subject pleasant, I should think.” - -It was a profounder remark than Mr. Lorry had looked for. “True,” said -he, “and fearful to reflect upon. Yet, a doubt lurks in my mind, Miss -Pross, whether it is good for Doctor Manette to have that suppression -always shut up within him. Indeed, it is this doubt and the uneasiness -it sometimes causes me that has led me to our present confidence.” - -“Can't be helped,” said Miss Pross, shaking her head. “Touch that -string, and he instantly changes for the worse. Better leave it alone. -In short, must leave it alone, like or no like. Sometimes, he gets up in -the dead of the night, and will be heard, by us overhead there, walking -up and down, walking up and down, in his room. Ladybird has learnt to -know then that his mind is walking up and down, walking up and down, in -his old prison. She hurries to him, and they go on together, walking up -and down, walking up and down, until he is composed. But he never says -a word of the true reason of his restlessness, to her, and she finds it -best not to hint at it to him. In silence they go walking up and down -together, walking up and down together, till her love and company have -brought him to himself.” - -Notwithstanding Miss Pross's denial of her own imagination, there was a -perception of the pain of being monotonously haunted by one sad idea, -in her repetition of the phrase, walking up and down, which testified to -her possessing such a thing. - -The corner has been mentioned as a wonderful corner for echoes; it -had begun to echo so resoundingly to the tread of coming feet, that it -seemed as though the very mention of that weary pacing to and fro had -set it going. - -“Here they are!” said Miss Pross, rising to break up the conference; -“and now we shall have hundreds of people pretty soon!” - -It was such a curious corner in its acoustical properties, such a -peculiar Ear of a place, that as Mr. Lorry stood at the open window, -looking for the father and daughter whose steps he heard, he fancied -they would never approach. Not only would the echoes die away, as though -the steps had gone; but, echoes of other steps that never came would be -heard in their stead, and would die away for good when they seemed close -at hand. However, father and daughter did at last appear, and Miss Pross -was ready at the street door to receive them. - -Miss Pross was a pleasant sight, albeit wild, and red, and grim, taking -off her darling's bonnet when she came up-stairs, and touching it up -with the ends of her handkerchief, and blowing the dust off it, and -folding her mantle ready for laying by, and smoothing her rich hair with -as much pride as she could possibly have taken in her own hair if she -had been the vainest and handsomest of women. Her darling was a pleasant -sight too, embracing her and thanking her, and protesting against -her taking so much trouble for her--which last she only dared to do -playfully, or Miss Pross, sorely hurt, would have retired to her own -chamber and cried. The Doctor was a pleasant sight too, looking on at -them, and telling Miss Pross how she spoilt Lucie, in accents and with -eyes that had as much spoiling in them as Miss Pross had, and would -have had more if it were possible. Mr. Lorry was a pleasant sight too, -beaming at all this in his little wig, and thanking his bachelor -stars for having lighted him in his declining years to a Home. But, no -Hundreds of people came to see the sights, and Mr. Lorry looked in vain -for the fulfilment of Miss Pross's prediction. - -Dinner-time, and still no Hundreds of people. In the arrangements of -the little household, Miss Pross took charge of the lower regions, and -always acquitted herself marvellously. Her dinners, of a very modest -quality, were so well cooked and so well served, and so neat in their -contrivances, half English and half French, that nothing could be -better. Miss Pross's friendship being of the thoroughly practical -kind, she had ravaged Soho and the adjacent provinces, in search of -impoverished French, who, tempted by shillings and half-crowns, would -impart culinary mysteries to her. From these decayed sons and daughters -of Gaul, she had acquired such wonderful arts, that the woman and girl -who formed the staff of domestics regarded her as quite a Sorceress, -or Cinderella's Godmother: who would send out for a fowl, a rabbit, -a vegetable or two from the garden, and change them into anything she -pleased. - -On Sundays, Miss Pross dined at the Doctor's table, but on other days -persisted in taking her meals at unknown periods, either in the lower -regions, or in her own room on the second floor--a blue chamber, to -which no one but her Ladybird ever gained admittance. On this occasion, -Miss Pross, responding to Ladybird's pleasant face and pleasant efforts -to please her, unbent exceedingly; so the dinner was very pleasant, too. - -It was an oppressive day, and, after dinner, Lucie proposed that the -wine should be carried out under the plane-tree, and they should sit -there in the air. As everything turned upon her, and revolved about her, -they went out under the plane-tree, and she carried the wine down for -the special benefit of Mr. Lorry. She had installed herself, some -time before, as Mr. Lorry's cup-bearer; and while they sat under the -plane-tree, talking, she kept his glass replenished. Mysterious backs -and ends of houses peeped at them as they talked, and the plane-tree -whispered to them in its own way above their heads. - -Still, the Hundreds of people did not present themselves. Mr. Darnay -presented himself while they were sitting under the plane-tree, but he -was only One. - -Doctor Manette received him kindly, and so did Lucie. But, Miss Pross -suddenly became afflicted with a twitching in the head and body, and -retired into the house. She was not unfrequently the victim of this -disorder, and she called it, in familiar conversation, “a fit of the -jerks.” - -The Doctor was in his best condition, and looked specially young. The -resemblance between him and Lucie was very strong at such times, and as -they sat side by side, she leaning on his shoulder, and he resting -his arm on the back of her chair, it was very agreeable to trace the -likeness. - -He had been talking all day, on many subjects, and with unusual -vivacity. “Pray, Doctor Manette,” said Mr. Darnay, as they sat under the -plane-tree--and he said it in the natural pursuit of the topic in hand, -which happened to be the old buildings of London--“have you seen much of -the Tower?” - -“Lucie and I have been there; but only casually. We have seen enough of -it, to know that it teems with interest; little more.” - -“_I_ have been there, as you remember,” said Darnay, with a smile, -though reddening a little angrily, “in another character, and not in a -character that gives facilities for seeing much of it. They told me a -curious thing when I was there.” - -“What was that?” Lucie asked. - -“In making some alterations, the workmen came upon an old dungeon, which -had been, for many years, built up and forgotten. Every stone of -its inner wall was covered by inscriptions which had been carved by -prisoners--dates, names, complaints, and prayers. Upon a corner stone -in an angle of the wall, one prisoner, who seemed to have gone to -execution, had cut as his last work, three letters. They were done with -some very poor instrument, and hurriedly, with an unsteady hand. -At first, they were read as D. I. C.; but, on being more carefully -examined, the last letter was found to be G. There was no record or -legend of any prisoner with those initials, and many fruitless guesses -were made what the name could have been. At length, it was suggested -that the letters were not initials, but the complete word, DIG. The -floor was examined very carefully under the inscription, and, in the -earth beneath a stone, or tile, or some fragment of paving, were found -the ashes of a paper, mingled with the ashes of a small leathern case -or bag. What the unknown prisoner had written will never be read, but he -had written something, and hidden it away to keep it from the gaoler.” - -“My father,” exclaimed Lucie, “you are ill!” - -He had suddenly started up, with his hand to his head. His manner and -his look quite terrified them all. - -“No, my dear, not ill. There are large drops of rain falling, and they -made me start. We had better go in.” - -He recovered himself almost instantly. Rain was really falling in large -drops, and he showed the back of his hand with rain-drops on it. But, he -said not a single word in reference to the discovery that had been told -of, and, as they went into the house, the business eye of Mr. Lorry -either detected, or fancied it detected, on his face, as it turned -towards Charles Darnay, the same singular look that had been upon it -when it turned towards him in the passages of the Court House. - -He recovered himself so quickly, however, that Mr. Lorry had doubts of -his business eye. The arm of the golden giant in the hall was not more -steady than he was, when he stopped under it to remark to them that he -was not yet proof against slight surprises (if he ever would be), and -that the rain had startled him. - -Tea-time, and Miss Pross making tea, with another fit of the jerks upon -her, and yet no Hundreds of people. Mr. Carton had lounged in, but he -made only Two. - -The night was so very sultry, that although they sat with doors and -windows open, they were overpowered by heat. When the tea-table was -done with, they all moved to one of the windows, and looked out into the -heavy twilight. Lucie sat by her father; Darnay sat beside her; Carton -leaned against a window. The curtains were long and white, and some of -the thunder-gusts that whirled into the corner, caught them up to the -ceiling, and waved them like spectral wings. - -“The rain-drops are still falling, large, heavy, and few,” said Doctor -Manette. “It comes slowly.” - -“It comes surely,” said Carton. - -They spoke low, as people watching and waiting mostly do; as people in a -dark room, watching and waiting for Lightning, always do. - -There was a great hurry in the streets of people speeding away to -get shelter before the storm broke; the wonderful corner for echoes -resounded with the echoes of footsteps coming and going, yet not a -footstep was there. - -“A multitude of people, and yet a solitude!” said Darnay, when they had -listened for a while. - -“Is it not impressive, Mr. Darnay?” asked Lucie. “Sometimes, I have -sat here of an evening, until I have fancied--but even the shade of -a foolish fancy makes me shudder to-night, when all is so black and -solemn--” - -“Let us shudder too. We may know what it is.” - -“It will seem nothing to you. Such whims are only impressive as we -originate them, I think; they are not to be communicated. I have -sometimes sat alone here of an evening, listening, until I have made -the echoes out to be the echoes of all the footsteps that are coming -by-and-bye into our lives.” - -“There is a great crowd coming one day into our lives, if that be so,” - Sydney Carton struck in, in his moody way. - -The footsteps were incessant, and the hurry of them became more and more -rapid. The corner echoed and re-echoed with the tread of feet; some, -as it seemed, under the windows; some, as it seemed, in the room; some -coming, some going, some breaking off, some stopping altogether; all in -the distant streets, and not one within sight. - -“Are all these footsteps destined to come to all of us, Miss Manette, or -are we to divide them among us?” - -“I don't know, Mr. Darnay; I told you it was a foolish fancy, but you -asked for it. When I have yielded myself to it, I have been alone, and -then I have imagined them the footsteps of the people who are to come -into my life, and my father's.” - -“I take them into mine!” said Carton. “_I_ ask no questions and make no -stipulations. There is a great crowd bearing down upon us, Miss Manette, -and I see them--by the Lightning.” He added the last words, after there -had been a vivid flash which had shown him lounging in the window. - -“And I hear them!” he added again, after a peal of thunder. “Here they -come, fast, fierce, and furious!” - -It was the rush and roar of rain that he typified, and it stopped him, -for no voice could be heard in it. A memorable storm of thunder and -lightning broke with that sweep of water, and there was not a moment's -interval in crash, and fire, and rain, until after the moon rose at -midnight. - -The great bell of Saint Paul's was striking one in the cleared air, when -Mr. Lorry, escorted by Jerry, high-booted and bearing a lantern, set -forth on his return-passage to Clerkenwell. There were solitary patches -of road on the way between Soho and Clerkenwell, and Mr. Lorry, mindful -of foot-pads, always retained Jerry for this service: though it was -usually performed a good two hours earlier. - -“What a night it has been! Almost a night, Jerry,” said Mr. Lorry, “to -bring the dead out of their graves.” - -“I never see the night myself, master--nor yet I don't expect to--what -would do that,” answered Jerry. - -“Good night, Mr. Carton,” said the man of business. “Good night, Mr. -Darnay. Shall we ever see such a night again, together!” - -Perhaps. Perhaps, see the great crowd of people with its rush and roar, -bearing down upon them, too. - - - - -VII. Monseigneur in Town - - -Monseigneur, one of the great lords in power at the Court, held his -fortnightly reception in his grand hotel in Paris. Monseigneur was in -his inner room, his sanctuary of sanctuaries, the Holiest of Holiests to -the crowd of worshippers in the suite of rooms without. Monseigneur -was about to take his chocolate. Monseigneur could swallow a great many -things with ease, and was by some few sullen minds supposed to be rather -rapidly swallowing France; but, his morning's chocolate could not so -much as get into the throat of Monseigneur, without the aid of four -strong men besides the Cook. - -Yes. It took four men, all four ablaze with gorgeous decoration, and the -Chief of them unable to exist with fewer than two gold watches in his -pocket, emulative of the noble and chaste fashion set by Monseigneur, to -conduct the happy chocolate to Monseigneur's lips. One lacquey carried -the chocolate-pot into the sacred presence; a second, milled and frothed -the chocolate with the little instrument he bore for that function; -a third, presented the favoured napkin; a fourth (he of the two gold -watches), poured the chocolate out. It was impossible for Monseigneur to -dispense with one of these attendants on the chocolate and hold his high -place under the admiring Heavens. Deep would have been the blot upon -his escutcheon if his chocolate had been ignobly waited on by only three -men; he must have died of two. - -Monseigneur had been out at a little supper last night, where the Comedy -and the Grand Opera were charmingly represented. Monseigneur was out at -a little supper most nights, with fascinating company. So polite and so -impressible was Monseigneur, that the Comedy and the Grand Opera had far -more influence with him in the tiresome articles of state affairs and -state secrets, than the needs of all France. A happy circumstance -for France, as the like always is for all countries similarly -favoured!--always was for England (by way of example), in the regretted -days of the merry Stuart who sold it. - -Monseigneur had one truly noble idea of general public business, which -was, to let everything go on in its own way; of particular public -business, Monseigneur had the other truly noble idea that it must all go -his way--tend to his own power and pocket. Of his pleasures, general and -particular, Monseigneur had the other truly noble idea, that the world -was made for them. The text of his order (altered from the original -by only a pronoun, which is not much) ran: “The earth and the fulness -thereof are mine, saith Monseigneur.” - -Yet, Monseigneur had slowly found that vulgar embarrassments crept into -his affairs, both private and public; and he had, as to both classes of -affairs, allied himself perforce with a Farmer-General. As to finances -public, because Monseigneur could not make anything at all of them, and -must consequently let them out to somebody who could; as to finances -private, because Farmer-Generals were rich, and Monseigneur, after -generations of great luxury and expense, was growing poor. Hence -Monseigneur had taken his sister from a convent, while there was yet -time to ward off the impending veil, the cheapest garment she could -wear, and had bestowed her as a prize upon a very rich Farmer-General, -poor in family. Which Farmer-General, carrying an appropriate cane with -a golden apple on the top of it, was now among the company in the outer -rooms, much prostrated before by mankind--always excepting superior -mankind of the blood of Monseigneur, who, his own wife included, looked -down upon him with the loftiest contempt. - -A sumptuous man was the Farmer-General. Thirty horses stood in his -stables, twenty-four male domestics sat in his halls, six body-women -waited on his wife. As one who pretended to do nothing but plunder and -forage where he could, the Farmer-General--howsoever his matrimonial -relations conduced to social morality--was at least the greatest reality -among the personages who attended at the hotel of Monseigneur that day. - -For, the rooms, though a beautiful scene to look at, and adorned with -every device of decoration that the taste and skill of the time could -achieve, were, in truth, not a sound business; considered with any -reference to the scarecrows in the rags and nightcaps elsewhere (and not -so far off, either, but that the watching towers of Notre Dame, almost -equidistant from the two extremes, could see them both), they would -have been an exceedingly uncomfortable business--if that could have -been anybody's business, at the house of Monseigneur. Military officers -destitute of military knowledge; naval officers with no idea of a ship; -civil officers without a notion of affairs; brazen ecclesiastics, of the -worst world worldly, with sensual eyes, loose tongues, and looser lives; -all totally unfit for their several callings, all lying horribly in -pretending to belong to them, but all nearly or remotely of the order of -Monseigneur, and therefore foisted on all public employments from which -anything was to be got; these were to be told off by the score and the -score. People not immediately connected with Monseigneur or the State, -yet equally unconnected with anything that was real, or with lives -passed in travelling by any straight road to any true earthly end, were -no less abundant. Doctors who made great fortunes out of dainty remedies -for imaginary disorders that never existed, smiled upon their courtly -patients in the ante-chambers of Monseigneur. Projectors who had -discovered every kind of remedy for the little evils with which the -State was touched, except the remedy of setting to work in earnest to -root out a single sin, poured their distracting babble into any ears -they could lay hold of, at the reception of Monseigneur. Unbelieving -Philosophers who were remodelling the world with words, and making -card-towers of Babel to scale the skies with, talked with Unbelieving -Chemists who had an eye on the transmutation of metals, at this -wonderful gathering accumulated by Monseigneur. Exquisite gentlemen of -the finest breeding, which was at that remarkable time--and has been -since--to be known by its fruits of indifference to every natural -subject of human interest, were in the most exemplary state of -exhaustion, at the hotel of Monseigneur. Such homes had these various -notabilities left behind them in the fine world of Paris, that the spies -among the assembled devotees of Monseigneur--forming a goodly half -of the polite company--would have found it hard to discover among -the angels of that sphere one solitary wife, who, in her manners and -appearance, owned to being a Mother. Indeed, except for the mere act of -bringing a troublesome creature into this world--which does not go far -towards the realisation of the name of mother--there was no such thing -known to the fashion. Peasant women kept the unfashionable babies close, -and brought them up, and charming grandmammas of sixty dressed and -supped as at twenty. - -The leprosy of unreality disfigured every human creature in attendance -upon Monseigneur. In the outermost room were half a dozen exceptional -people who had had, for a few years, some vague misgiving in them that -things in general were going rather wrong. As a promising way of setting -them right, half of the half-dozen had become members of a fantastic -sect of Convulsionists, and were even then considering within themselves -whether they should foam, rage, roar, and turn cataleptic on the -spot--thereby setting up a highly intelligible finger-post to the -Future, for Monseigneur's guidance. Besides these Dervishes, were other -three who had rushed into another sect, which mended matters with a -jargon about “the Centre of Truth:” holding that Man had got out of the -Centre of Truth--which did not need much demonstration--but had not got -out of the Circumference, and that he was to be kept from flying out of -the Circumference, and was even to be shoved back into the Centre, -by fasting and seeing of spirits. Among these, accordingly, much -discoursing with spirits went on--and it did a world of good which never -became manifest. - -But, the comfort was, that all the company at the grand hotel of -Monseigneur were perfectly dressed. If the Day of Judgment had only been -ascertained to be a dress day, everybody there would have been eternally -correct. Such frizzling and powdering and sticking up of hair, such -delicate complexions artificially preserved and mended, such gallant -swords to look at, and such delicate honour to the sense of smell, would -surely keep anything going, for ever and ever. The exquisite gentlemen -of the finest breeding wore little pendent trinkets that chinked as they -languidly moved; these golden fetters rang like precious little bells; -and what with that ringing, and with the rustle of silk and brocade and -fine linen, there was a flutter in the air that fanned Saint Antoine and -his devouring hunger far away. - -Dress was the one unfailing talisman and charm used for keeping all -things in their places. Everybody was dressed for a Fancy Ball that -was never to leave off. From the Palace of the Tuileries, through -Monseigneur and the whole Court, through the Chambers, the Tribunals -of Justice, and all society (except the scarecrows), the Fancy Ball -descended to the Common Executioner: who, in pursuance of the charm, was -required to officiate “frizzled, powdered, in a gold-laced coat, pumps, -and white silk stockings.” At the gallows and the wheel--the axe was a -rarity--Monsieur Paris, as it was the episcopal mode among his brother -Professors of the provinces, Monsieur Orleans, and the rest, to call -him, presided in this dainty dress. And who among the company at -Monseigneur's reception in that seventeen hundred and eightieth year -of our Lord, could possibly doubt, that a system rooted in a frizzled -hangman, powdered, gold-laced, pumped, and white-silk stockinged, would -see the very stars out! - -Monseigneur having eased his four men of their burdens and taken his -chocolate, caused the doors of the Holiest of Holiests to be thrown -open, and issued forth. Then, what submission, what cringing and -fawning, what servility, what abject humiliation! As to bowing down in -body and spirit, nothing in that way was left for Heaven--which may have -been one among other reasons why the worshippers of Monseigneur never -troubled it. - -Bestowing a word of promise here and a smile there, a whisper on one -happy slave and a wave of the hand on another, Monseigneur affably -passed through his rooms to the remote region of the Circumference of -Truth. There, Monseigneur turned, and came back again, and so in due -course of time got himself shut up in his sanctuary by the chocolate -sprites, and was seen no more. - -The show being over, the flutter in the air became quite a little storm, -and the precious little bells went ringing downstairs. There was soon -but one person left of all the crowd, and he, with his hat under his arm -and his snuff-box in his hand, slowly passed among the mirrors on his -way out. - -“I devote you,” said this person, stopping at the last door on his way, -and turning in the direction of the sanctuary, “to the Devil!” - -With that, he shook the snuff from his fingers as if he had shaken the -dust from his feet, and quietly walked downstairs. - -He was a man of about sixty, handsomely dressed, haughty in manner, and -with a face like a fine mask. A face of a transparent paleness; every -feature in it clearly defined; one set expression on it. The nose, -beautifully formed otherwise, was very slightly pinched at the top -of each nostril. In those two compressions, or dints, the only little -change that the face ever showed, resided. They persisted in changing -colour sometimes, and they would be occasionally dilated and contracted -by something like a faint pulsation; then, they gave a look of -treachery, and cruelty, to the whole countenance. Examined with -attention, its capacity of helping such a look was to be found in the -line of the mouth, and the lines of the orbits of the eyes, being much -too horizontal and thin; still, in the effect of the face made, it was a -handsome face, and a remarkable one. - -Its owner went downstairs into the courtyard, got into his carriage, and -drove away. Not many people had talked with him at the reception; he had -stood in a little space apart, and Monseigneur might have been warmer -in his manner. It appeared, under the circumstances, rather agreeable -to him to see the common people dispersed before his horses, and -often barely escaping from being run down. His man drove as if he were -charging an enemy, and the furious recklessness of the man brought no -check into the face, or to the lips, of the master. The complaint had -sometimes made itself audible, even in that deaf city and dumb age, -that, in the narrow streets without footways, the fierce patrician -custom of hard driving endangered and maimed the mere vulgar in a -barbarous manner. But, few cared enough for that to think of it a second -time, and, in this matter, as in all others, the common wretches were -left to get out of their difficulties as they could. - -With a wild rattle and clatter, and an inhuman abandonment of -consideration not easy to be understood in these days, the carriage -dashed through streets and swept round corners, with women screaming -before it, and men clutching each other and clutching children out of -its way. At last, swooping at a street corner by a fountain, one of its -wheels came to a sickening little jolt, and there was a loud cry from a -number of voices, and the horses reared and plunged. - -But for the latter inconvenience, the carriage probably would not have -stopped; carriages were often known to drive on, and leave their wounded -behind, and why not? But the frightened valet had got down in a hurry, -and there were twenty hands at the horses' bridles. - -“What has gone wrong?” said Monsieur, calmly looking out. - -A tall man in a nightcap had caught up a bundle from among the feet of -the horses, and had laid it on the basement of the fountain, and was -down in the mud and wet, howling over it like a wild animal. - -“Pardon, Monsieur the Marquis!” said a ragged and submissive man, “it is -a child.” - -“Why does he make that abominable noise? Is it his child?” - -“Excuse me, Monsieur the Marquis--it is a pity--yes.” - -The fountain was a little removed; for the street opened, where it was, -into a space some ten or twelve yards square. As the tall man suddenly -got up from the ground, and came running at the carriage, Monsieur the -Marquis clapped his hand for an instant on his sword-hilt. - -“Killed!” shrieked the man, in wild desperation, extending both arms at -their length above his head, and staring at him. “Dead!” - -The people closed round, and looked at Monsieur the Marquis. There was -nothing revealed by the many eyes that looked at him but watchfulness -and eagerness; there was no visible menacing or anger. Neither did the -people say anything; after the first cry, they had been silent, and they -remained so. The voice of the submissive man who had spoken, was flat -and tame in its extreme submission. Monsieur the Marquis ran his eyes -over them all, as if they had been mere rats come out of their holes. - -He took out his purse. - -“It is extraordinary to me,” said he, “that you people cannot take care -of yourselves and your children. One or the other of you is for ever in -the way. How do I know what injury you have done my horses. See! Give -him that.” - -He threw out a gold coin for the valet to pick up, and all the heads -craned forward that all the eyes might look down at it as it fell. The -tall man called out again with a most unearthly cry, “Dead!” - -He was arrested by the quick arrival of another man, for whom the rest -made way. On seeing him, the miserable creature fell upon his shoulder, -sobbing and crying, and pointing to the fountain, where some women were -stooping over the motionless bundle, and moving gently about it. They -were as silent, however, as the men. - -“I know all, I know all,” said the last comer. “Be a brave man, my -Gaspard! It is better for the poor little plaything to die so, than to -live. It has died in a moment without pain. Could it have lived an hour -as happily?” - -“You are a philosopher, you there,” said the Marquis, smiling. “How do -they call you?” - -“They call me Defarge.” - -“Of what trade?” - -“Monsieur the Marquis, vendor of wine.” - -“Pick up that, philosopher and vendor of wine,” said the Marquis, -throwing him another gold coin, “and spend it as you will. The horses -there; are they right?” - -Without deigning to look at the assemblage a second time, Monsieur the -Marquis leaned back in his seat, and was just being driven away with the -air of a gentleman who had accidentally broke some common thing, and had -paid for it, and could afford to pay for it; when his ease was suddenly -disturbed by a coin flying into his carriage, and ringing on its floor. - -“Hold!” said Monsieur the Marquis. “Hold the horses! Who threw that?” - -He looked to the spot where Defarge the vendor of wine had stood, a -moment before; but the wretched father was grovelling on his face on -the pavement in that spot, and the figure that stood beside him was the -figure of a dark stout woman, knitting. - -“You dogs!” said the Marquis, but smoothly, and with an unchanged front, -except as to the spots on his nose: “I would ride over any of you very -willingly, and exterminate you from the earth. If I knew which rascal -threw at the carriage, and if that brigand were sufficiently near it, he -should be crushed under the wheels.” - -So cowed was their condition, and so long and hard their experience of -what such a man could do to them, within the law and beyond it, that not -a voice, or a hand, or even an eye was raised. Among the men, not one. -But the woman who stood knitting looked up steadily, and looked the -Marquis in the face. It was not for his dignity to notice it; his -contemptuous eyes passed over her, and over all the other rats; and he -leaned back in his seat again, and gave the word “Go on!” - -He was driven on, and other carriages came whirling by in quick -succession; the Minister, the State-Projector, the Farmer-General, the -Doctor, the Lawyer, the Ecclesiastic, the Grand Opera, the Comedy, the -whole Fancy Ball in a bright continuous flow, came whirling by. The rats -had crept out of their holes to look on, and they remained looking -on for hours; soldiers and police often passing between them and the -spectacle, and making a barrier behind which they slunk, and through -which they peeped. The father had long ago taken up his bundle and -bidden himself away with it, when the women who had tended the bundle -while it lay on the base of the fountain, sat there watching the running -of the water and the rolling of the Fancy Ball--when the one woman who -had stood conspicuous, knitting, still knitted on with the steadfastness -of Fate. The water of the fountain ran, the swift river ran, the day ran -into evening, so much life in the city ran into death according to rule, -time and tide waited for no man, the rats were sleeping close together -in their dark holes again, the Fancy Ball was lighted up at supper, all -things ran their course. - - - - -VIII. Monseigneur in the Country - - -A beautiful landscape, with the corn bright in it, but not abundant. -Patches of poor rye where corn should have been, patches of poor peas -and beans, patches of most coarse vegetable substitutes for wheat. On -inanimate nature, as on the men and women who cultivated it, a prevalent -tendency towards an appearance of vegetating unwillingly--a dejected -disposition to give up, and wither away. - -Monsieur the Marquis in his travelling carriage (which might have been -lighter), conducted by four post-horses and two postilions, fagged up -a steep hill. A blush on the countenance of Monsieur the Marquis was -no impeachment of his high breeding; it was not from within; it was -occasioned by an external circumstance beyond his control--the setting -sun. - -The sunset struck so brilliantly into the travelling carriage when it -gained the hill-top, that its occupant was steeped in crimson. “It will -die out,” said Monsieur the Marquis, glancing at his hands, “directly.” - -In effect, the sun was so low that it dipped at the moment. When the -heavy drag had been adjusted to the wheel, and the carriage slid down -hill, with a cinderous smell, in a cloud of dust, the red glow departed -quickly; the sun and the Marquis going down together, there was no glow -left when the drag was taken off. - -But, there remained a broken country, bold and open, a little village -at the bottom of the hill, a broad sweep and rise beyond it, a -church-tower, a windmill, a forest for the chase, and a crag with a -fortress on it used as a prison. Round upon all these darkening objects -as the night drew on, the Marquis looked, with the air of one who was -coming near home. - -The village had its one poor street, with its poor brewery, poor -tannery, poor tavern, poor stable-yard for relays of post-horses, poor -fountain, all usual poor appointments. It had its poor people too. All -its people were poor, and many of them were sitting at their doors, -shredding spare onions and the like for supper, while many were at the -fountain, washing leaves, and grasses, and any such small yieldings of -the earth that could be eaten. Expressive signs of what made them poor, -were not wanting; the tax for the state, the tax for the church, the tax -for the lord, tax local and tax general, were to be paid here and to be -paid there, according to solemn inscription in the little village, until -the wonder was, that there was any village left unswallowed. - -Few children were to be seen, and no dogs. As to the men and women, -their choice on earth was stated in the prospect--Life on the lowest -terms that could sustain it, down in the little village under the mill; -or captivity and Death in the dominant prison on the crag. - -Heralded by a courier in advance, and by the cracking of his postilions' -whips, which twined snake-like about their heads in the evening air, as -if he came attended by the Furies, Monsieur the Marquis drew up in -his travelling carriage at the posting-house gate. It was hard by the -fountain, and the peasants suspended their operations to look at him. -He looked at them, and saw in them, without knowing it, the slow -sure filing down of misery-worn face and figure, that was to make the -meagreness of Frenchmen an English superstition which should survive the -truth through the best part of a hundred years. - -Monsieur the Marquis cast his eyes over the submissive faces that -drooped before him, as the like of himself had drooped before -Monseigneur of the Court--only the difference was, that these faces -drooped merely to suffer and not to propitiate--when a grizzled mender -of the roads joined the group. - -“Bring me hither that fellow!” said the Marquis to the courier. - -The fellow was brought, cap in hand, and the other fellows closed round -to look and listen, in the manner of the people at the Paris fountain. - -“I passed you on the road?” - -“Monseigneur, it is true. I had the honour of being passed on the road.” - -“Coming up the hill, and at the top of the hill, both?” - -“Monseigneur, it is true.” - -“What did you look at, so fixedly?” - -“Monseigneur, I looked at the man.” - -He stooped a little, and with his tattered blue cap pointed under the -carriage. All his fellows stooped to look under the carriage. - -“What man, pig? And why look there?” - -“Pardon, Monseigneur; he swung by the chain of the shoe--the drag.” - -“Who?” demanded the traveller. - -“Monseigneur, the man.” - -“May the Devil carry away these idiots! How do you call the man? You -know all the men of this part of the country. Who was he?” - -“Your clemency, Monseigneur! He was not of this part of the country. Of -all the days of my life, I never saw him.” - -“Swinging by the chain? To be suffocated?” - -“With your gracious permission, that was the wonder of it, Monseigneur. -His head hanging over--like this!” - -He turned himself sideways to the carriage, and leaned back, with his -face thrown up to the sky, and his head hanging down; then recovered -himself, fumbled with his cap, and made a bow. - -“What was he like?” - -“Monseigneur, he was whiter than the miller. All covered with dust, -white as a spectre, tall as a spectre!” - -The picture produced an immense sensation in the little crowd; but all -eyes, without comparing notes with other eyes, looked at Monsieur -the Marquis. Perhaps, to observe whether he had any spectre on his -conscience. - -“Truly, you did well,” said the Marquis, felicitously sensible that such -vermin were not to ruffle him, “to see a thief accompanying my carriage, -and not open that great mouth of yours. Bah! Put him aside, Monsieur -Gabelle!” - -Monsieur Gabelle was the Postmaster, and some other taxing functionary -united; he had come out with great obsequiousness to assist at this -examination, and had held the examined by the drapery of his arm in an -official manner. - -“Bah! Go aside!” said Monsieur Gabelle. - -“Lay hands on this stranger if he seeks to lodge in your village -to-night, and be sure that his business is honest, Gabelle.” - -“Monseigneur, I am flattered to devote myself to your orders.” - -“Did he run away, fellow?--where is that Accursed?” - -The accursed was already under the carriage with some half-dozen -particular friends, pointing out the chain with his blue cap. Some -half-dozen other particular friends promptly hauled him out, and -presented him breathless to Monsieur the Marquis. - -“Did the man run away, Dolt, when we stopped for the drag?” - -“Monseigneur, he precipitated himself over the hill-side, head first, as -a person plunges into the river.” - -“See to it, Gabelle. Go on!” - -The half-dozen who were peering at the chain were still among the -wheels, like sheep; the wheels turned so suddenly that they were lucky -to save their skins and bones; they had very little else to save, or -they might not have been so fortunate. - -The burst with which the carriage started out of the village and up the -rise beyond, was soon checked by the steepness of the hill. Gradually, -it subsided to a foot pace, swinging and lumbering upward among the many -sweet scents of a summer night. The postilions, with a thousand gossamer -gnats circling about them in lieu of the Furies, quietly mended the -points to the lashes of their whips; the valet walked by the horses; the -courier was audible, trotting on ahead into the dull distance. - -At the steepest point of the hill there was a little burial-ground, -with a Cross and a new large figure of Our Saviour on it; it was a poor -figure in wood, done by some inexperienced rustic carver, but he had -studied the figure from the life--his own life, maybe--for it was -dreadfully spare and thin. - -To this distressful emblem of a great distress that had long been -growing worse, and was not at its worst, a woman was kneeling. She -turned her head as the carriage came up to her, rose quickly, and -presented herself at the carriage-door. - -“It is you, Monseigneur! Monseigneur, a petition.” - -With an exclamation of impatience, but with his unchangeable face, -Monseigneur looked out. - -“How, then! What is it? Always petitions!” - -“Monseigneur. For the love of the great God! My husband, the forester.” - -“What of your husband, the forester? Always the same with you people. He -cannot pay something?” - -“He has paid all, Monseigneur. He is dead.” - -“Well! He is quiet. Can I restore him to you?” - -“Alas, no, Monseigneur! But he lies yonder, under a little heap of poor -grass.” - -“Well?” - -“Monseigneur, there are so many little heaps of poor grass?” - -“Again, well?” - -She looked an old woman, but was young. Her manner was one of passionate -grief; by turns she clasped her veinous and knotted hands together -with wild energy, and laid one of them on the carriage-door--tenderly, -caressingly, as if it had been a human breast, and could be expected to -feel the appealing touch. - -“Monseigneur, hear me! Monseigneur, hear my petition! My husband died of -want; so many die of want; so many more will die of want.” - -“Again, well? Can I feed them?” - -“Monseigneur, the good God knows; but I don't ask it. My petition is, -that a morsel of stone or wood, with my husband's name, may be placed -over him to show where he lies. Otherwise, the place will be quickly -forgotten, it will never be found when I am dead of the same malady, I -shall be laid under some other heap of poor grass. Monseigneur, they -are so many, they increase so fast, there is so much want. Monseigneur! -Monseigneur!” - -The valet had put her away from the door, the carriage had broken into -a brisk trot, the postilions had quickened the pace, she was left far -behind, and Monseigneur, again escorted by the Furies, was rapidly -diminishing the league or two of distance that remained between him and -his chateau. - -The sweet scents of the summer night rose all around him, and rose, as -the rain falls, impartially, on the dusty, ragged, and toil-worn group -at the fountain not far away; to whom the mender of roads, with the aid -of the blue cap without which he was nothing, still enlarged upon his -man like a spectre, as long as they could bear it. By degrees, as they -could bear no more, they dropped off one by one, and lights twinkled -in little casements; which lights, as the casements darkened, and more -stars came out, seemed to have shot up into the sky instead of having -been extinguished. - -The shadow of a large high-roofed house, and of many over-hanging trees, -was upon Monsieur the Marquis by that time; and the shadow was exchanged -for the light of a flambeau, as his carriage stopped, and the great door -of his chateau was opened to him. - -“Monsieur Charles, whom I expect; is he arrived from England?” - -“Monseigneur, not yet.” - - - - -IX. The Gorgon's Head - - -It was a heavy mass of building, that chateau of Monsieur the Marquis, -with a large stone courtyard before it, and two stone sweeps of -staircase meeting in a stone terrace before the principal door. A stony -business altogether, with heavy stone balustrades, and stone urns, and -stone flowers, and stone faces of men, and stone heads of lions, in -all directions. As if the Gorgon's head had surveyed it, when it was -finished, two centuries ago. - -Up the broad flight of shallow steps, Monsieur the Marquis, flambeau -preceded, went from his carriage, sufficiently disturbing the darkness -to elicit loud remonstrance from an owl in the roof of the great pile -of stable building away among the trees. All else was so quiet, that the -flambeau carried up the steps, and the other flambeau held at the great -door, burnt as if they were in a close room of state, instead of being -in the open night-air. Other sound than the owl's voice there was none, -save the falling of a fountain into its stone basin; for, it was one of -those dark nights that hold their breath by the hour together, and then -heave a long low sigh, and hold their breath again. - -The great door clanged behind him, and Monsieur the Marquis crossed a -hall grim with certain old boar-spears, swords, and knives of the chase; -grimmer with certain heavy riding-rods and riding-whips, of which many a -peasant, gone to his benefactor Death, had felt the weight when his lord -was angry. - -Avoiding the larger rooms, which were dark and made fast for the night, -Monsieur the Marquis, with his flambeau-bearer going on before, went up -the staircase to a door in a corridor. This thrown open, admitted him -to his own private apartment of three rooms: his bed-chamber and two -others. High vaulted rooms with cool uncarpeted floors, great dogs upon -the hearths for the burning of wood in winter time, and all luxuries -befitting the state of a marquis in a luxurious age and country. -The fashion of the last Louis but one, of the line that was never to -break--the fourteenth Louis--was conspicuous in their rich furniture; -but, it was diversified by many objects that were illustrations of old -pages in the history of France. - -A supper-table was laid for two, in the third of the rooms; a round -room, in one of the chateau's four extinguisher-topped towers. A small -lofty room, with its window wide open, and the wooden jalousie-blinds -closed, so that the dark night only showed in slight horizontal lines of -black, alternating with their broad lines of stone colour. - -“My nephew,” said the Marquis, glancing at the supper preparation; “they -said he was not arrived.” - -Nor was he; but, he had been expected with Monseigneur. - -“Ah! It is not probable he will arrive to-night; nevertheless, leave the -table as it is. I shall be ready in a quarter of an hour.” - -In a quarter of an hour Monseigneur was ready, and sat down alone to his -sumptuous and choice supper. His chair was opposite to the window, and -he had taken his soup, and was raising his glass of Bordeaux to his -lips, when he put it down. - -“What is that?” he calmly asked, looking with attention at the -horizontal lines of black and stone colour. - -“Monseigneur? That?” - -“Outside the blinds. Open the blinds.” - -It was done. - -“Well?” - -“Monseigneur, it is nothing. The trees and the night are all that are -here.” - -The servant who spoke, had thrown the blinds wide, had looked out into -the vacant darkness, and stood with that blank behind him, looking round -for instructions. - -“Good,” said the imperturbable master. “Close them again.” - -That was done too, and the Marquis went on with his supper. He was -half way through it, when he again stopped with his glass in his hand, -hearing the sound of wheels. It came on briskly, and came up to the -front of the chateau. - -“Ask who is arrived.” - -It was the nephew of Monseigneur. He had been some few leagues behind -Monseigneur, early in the afternoon. He had diminished the distance -rapidly, but not so rapidly as to come up with Monseigneur on the road. -He had heard of Monseigneur, at the posting-houses, as being before him. - -He was to be told (said Monseigneur) that supper awaited him then and -there, and that he was prayed to come to it. In a little while he came. -He had been known in England as Charles Darnay. - -Monseigneur received him in a courtly manner, but they did not shake -hands. - -“You left Paris yesterday, sir?” he said to Monseigneur, as he took his -seat at table. - -“Yesterday. And you?” - -“I come direct.” - -“From London?” - -“Yes.” - -“You have been a long time coming,” said the Marquis, with a smile. - -“On the contrary; I come direct.” - -“Pardon me! I mean, not a long time on the journey; a long time -intending the journey.” - -“I have been detained by”--the nephew stopped a moment in his -answer--“various business.” - -“Without doubt,” said the polished uncle. - -So long as a servant was present, no other words passed between them. -When coffee had been served and they were alone together, the nephew, -looking at the uncle and meeting the eyes of the face that was like a -fine mask, opened a conversation. - -“I have come back, sir, as you anticipate, pursuing the object that -took me away. It carried me into great and unexpected peril; but it is -a sacred object, and if it had carried me to death I hope it would have -sustained me.” - -“Not to death,” said the uncle; “it is not necessary to say, to death.” - -“I doubt, sir,” returned the nephew, “whether, if it had carried me to -the utmost brink of death, you would have cared to stop me there.” - -The deepened marks in the nose, and the lengthening of the fine straight -lines in the cruel face, looked ominous as to that; the uncle made a -graceful gesture of protest, which was so clearly a slight form of good -breeding that it was not reassuring. - -“Indeed, sir,” pursued the nephew, “for anything I know, you may have -expressly worked to give a more suspicious appearance to the suspicious -circumstances that surrounded me.” - -“No, no, no,” said the uncle, pleasantly. - -“But, however that may be,” resumed the nephew, glancing at him with -deep distrust, “I know that your diplomacy would stop me by any means, -and would know no scruple as to means.” - -“My friend, I told you so,” said the uncle, with a fine pulsation in the -two marks. “Do me the favour to recall that I told you so, long ago.” - -“I recall it.” - -“Thank you,” said the Marquis--very sweetly indeed. - -His tone lingered in the air, almost like the tone of a musical -instrument. - -“In effect, sir,” pursued the nephew, “I believe it to be at once your -bad fortune, and my good fortune, that has kept me out of a prison in -France here.” - -“I do not quite understand,” returned the uncle, sipping his coffee. -“Dare I ask you to explain?” - -“I believe that if you were not in disgrace with the Court, and had not -been overshadowed by that cloud for years past, a letter de cachet would -have sent me to some fortress indefinitely.” - -“It is possible,” said the uncle, with great calmness. “For the honour -of the family, I could even resolve to incommode you to that extent. -Pray excuse me!” - -“I perceive that, happily for me, the Reception of the day before -yesterday was, as usual, a cold one,” observed the nephew. - -“I would not say happily, my friend,” returned the uncle, with refined -politeness; “I would not be sure of that. A good opportunity for -consideration, surrounded by the advantages of solitude, might influence -your destiny to far greater advantage than you influence it for -yourself. But it is useless to discuss the question. I am, as you say, -at a disadvantage. These little instruments of correction, these gentle -aids to the power and honour of families, these slight favours that -might so incommode you, are only to be obtained now by interest -and importunity. They are sought by so many, and they are granted -(comparatively) to so few! It used not to be so, but France in all such -things is changed for the worse. Our not remote ancestors held the right -of life and death over the surrounding vulgar. From this room, many such -dogs have been taken out to be hanged; in the next room (my bedroom), -one fellow, to our knowledge, was poniarded on the spot for professing -some insolent delicacy respecting his daughter--_his_ daughter? We have -lost many privileges; a new philosophy has become the mode; and the -assertion of our station, in these days, might (I do not go so far as -to say would, but might) cause us real inconvenience. All very bad, very -bad!” - -The Marquis took a gentle little pinch of snuff, and shook his head; -as elegantly despondent as he could becomingly be of a country still -containing himself, that great means of regeneration. - -“We have so asserted our station, both in the old time and in the modern -time also,” said the nephew, gloomily, “that I believe our name to be -more detested than any name in France.” - -“Let us hope so,” said the uncle. “Detestation of the high is the -involuntary homage of the low.” - -“There is not,” pursued the nephew, in his former tone, “a face I can -look at, in all this country round about us, which looks at me with any -deference on it but the dark deference of fear and slavery.” - -“A compliment,” said the Marquis, “to the grandeur of the family, -merited by the manner in which the family has sustained its grandeur. -Hah!” And he took another gentle little pinch of snuff, and lightly -crossed his legs. - -But, when his nephew, leaning an elbow on the table, covered his eyes -thoughtfully and dejectedly with his hand, the fine mask looked at -him sideways with a stronger concentration of keenness, closeness, -and dislike, than was comportable with its wearer's assumption of -indifference. - -“Repression is the only lasting philosophy. The dark deference of fear -and slavery, my friend,” observed the Marquis, “will keep the dogs -obedient to the whip, as long as this roof,” looking up to it, “shuts -out the sky.” - -That might not be so long as the Marquis supposed. If a picture of the -chateau as it was to be a very few years hence, and of fifty like it as -they too were to be a very few years hence, could have been shown to -him that night, he might have been at a loss to claim his own from -the ghastly, fire-charred, plunder-wrecked rains. As for the roof -he vaunted, he might have found _that_ shutting out the sky in a new -way--to wit, for ever, from the eyes of the bodies into which its lead -was fired, out of the barrels of a hundred thousand muskets. - -“Meanwhile,” said the Marquis, “I will preserve the honour and repose -of the family, if you will not. But you must be fatigued. Shall we -terminate our conference for the night?” - -“A moment more.” - -“An hour, if you please.” - -“Sir,” said the nephew, “we have done wrong, and are reaping the fruits -of wrong.” - -“_We_ have done wrong?” repeated the Marquis, with an inquiring smile, -and delicately pointing, first to his nephew, then to himself. - -“Our family; our honourable family, whose honour is of so much account -to both of us, in such different ways. Even in my father's time, we did -a world of wrong, injuring every human creature who came between us and -our pleasure, whatever it was. Why need I speak of my father's time, -when it is equally yours? Can I separate my father's twin-brother, joint -inheritor, and next successor, from himself?” - -“Death has done that!” said the Marquis. - -“And has left me,” answered the nephew, “bound to a system that is -frightful to me, responsible for it, but powerless in it; seeking to -execute the last request of my dear mother's lips, and obey the last -look of my dear mother's eyes, which implored me to have mercy and to -redress; and tortured by seeking assistance and power in vain.” - -“Seeking them from me, my nephew,” said the Marquis, touching him on the -breast with his forefinger--they were now standing by the hearth--“you -will for ever seek them in vain, be assured.” - -Every fine straight line in the clear whiteness of his face, was -cruelly, craftily, and closely compressed, while he stood looking -quietly at his nephew, with his snuff-box in his hand. Once again he -touched him on the breast, as though his finger were the fine point of -a small sword, with which, in delicate finesse, he ran him through the -body, and said, - -“My friend, I will die, perpetuating the system under which I have -lived.” - -When he had said it, he took a culminating pinch of snuff, and put his -box in his pocket. - -“Better to be a rational creature,” he added then, after ringing a small -bell on the table, “and accept your natural destiny. But you are lost, -Monsieur Charles, I see.” - -“This property and France are lost to me,” said the nephew, sadly; “I -renounce them.” - -“Are they both yours to renounce? France may be, but is the property? It -is scarcely worth mentioning; but, is it yet?” - -“I had no intention, in the words I used, to claim it yet. If it passed -to me from you, to-morrow--” - -“Which I have the vanity to hope is not probable.” - -“--or twenty years hence--” - -“You do me too much honour,” said the Marquis; “still, I prefer that -supposition.” - -“--I would abandon it, and live otherwise and elsewhere. It is little to -relinquish. What is it but a wilderness of misery and ruin!” - -“Hah!” said the Marquis, glancing round the luxurious room. - -“To the eye it is fair enough, here; but seen in its integrity, -under the sky, and by the daylight, it is a crumbling tower of waste, -mismanagement, extortion, debt, mortgage, oppression, hunger, nakedness, -and suffering.” - -“Hah!” said the Marquis again, in a well-satisfied manner. - -“If it ever becomes mine, it shall be put into some hands better -qualified to free it slowly (if such a thing is possible) from the -weight that drags it down, so that the miserable people who cannot leave -it and who have been long wrung to the last point of endurance, may, in -another generation, suffer less; but it is not for me. There is a curse -on it, and on all this land.” - -“And you?” said the uncle. “Forgive my curiosity; do you, under your new -philosophy, graciously intend to live?” - -“I must do, to live, what others of my countrymen, even with nobility at -their backs, may have to do some day--work.” - -“In England, for example?” - -“Yes. The family honour, sir, is safe from me in this country. The -family name can suffer from me in no other, for I bear it in no other.” - -The ringing of the bell had caused the adjoining bed-chamber to be -lighted. It now shone brightly, through the door of communication. The -Marquis looked that way, and listened for the retreating step of his -valet. - -“England is very attractive to you, seeing how indifferently you have -prospered there,” he observed then, turning his calm face to his nephew -with a smile. - -“I have already said, that for my prospering there, I am sensible I may -be indebted to you, sir. For the rest, it is my Refuge.” - -“They say, those boastful English, that it is the Refuge of many. You -know a compatriot who has found a Refuge there? A Doctor?” - -“Yes.” - -“With a daughter?” - -“Yes.” - -“Yes,” said the Marquis. “You are fatigued. Good night!” - -As he bent his head in his most courtly manner, there was a secrecy -in his smiling face, and he conveyed an air of mystery to those words, -which struck the eyes and ears of his nephew forcibly. At the same -time, the thin straight lines of the setting of the eyes, and the thin -straight lips, and the markings in the nose, curved with a sarcasm that -looked handsomely diabolic. - -“Yes,” repeated the Marquis. “A Doctor with a daughter. Yes. So -commences the new philosophy! You are fatigued. Good night!” - -It would have been of as much avail to interrogate any stone face -outside the chateau as to interrogate that face of his. The nephew -looked at him, in vain, in passing on to the door. - -“Good night!” said the uncle. “I look to the pleasure of seeing you -again in the morning. Good repose! Light Monsieur my nephew to his -chamber there!--And burn Monsieur my nephew in his bed, if you will,” he -added to himself, before he rang his little bell again, and summoned his -valet to his own bedroom. - -The valet come and gone, Monsieur the Marquis walked to and fro in his -loose chamber-robe, to prepare himself gently for sleep, that hot still -night. Rustling about the room, his softly-slippered feet making no -noise on the floor, he moved like a refined tiger:--looked like some -enchanted marquis of the impenitently wicked sort, in story, whose -periodical change into tiger form was either just going off, or just -coming on. - -He moved from end to end of his voluptuous bedroom, looking again at the -scraps of the day's journey that came unbidden into his mind; the slow -toil up the hill at sunset, the setting sun, the descent, the mill, the -prison on the crag, the little village in the hollow, the peasants at -the fountain, and the mender of roads with his blue cap pointing out the -chain under the carriage. That fountain suggested the Paris fountain, -the little bundle lying on the step, the women bending over it, and the -tall man with his arms up, crying, “Dead!” - -“I am cool now,” said Monsieur the Marquis, “and may go to bed.” - -So, leaving only one light burning on the large hearth, he let his thin -gauze curtains fall around him, and heard the night break its silence -with a long sigh as he composed himself to sleep. - -The stone faces on the outer walls stared blindly at the black night -for three heavy hours; for three heavy hours, the horses in the stables -rattled at their racks, the dogs barked, and the owl made a noise with -very little resemblance in it to the noise conventionally assigned to -the owl by men-poets. But it is the obstinate custom of such creatures -hardly ever to say what is set down for them. - -For three heavy hours, the stone faces of the chateau, lion and human, -stared blindly at the night. Dead darkness lay on all the landscape, -dead darkness added its own hush to the hushing dust on all the roads. -The burial-place had got to the pass that its little heaps of poor grass -were undistinguishable from one another; the figure on the Cross might -have come down, for anything that could be seen of it. In the village, -taxers and taxed were fast asleep. Dreaming, perhaps, of banquets, as -the starved usually do, and of ease and rest, as the driven slave and -the yoked ox may, its lean inhabitants slept soundly, and were fed and -freed. - -The fountain in the village flowed unseen and unheard, and the fountain -at the chateau dropped unseen and unheard--both melting away, like the -minutes that were falling from the spring of Time--through three dark -hours. Then, the grey water of both began to be ghostly in the light, -and the eyes of the stone faces of the chateau were opened. - -Lighter and lighter, until at last the sun touched the tops of the still -trees, and poured its radiance over the hill. In the glow, the water -of the chateau fountain seemed to turn to blood, and the stone faces -crimsoned. The carol of the birds was loud and high, and, on the -weather-beaten sill of the great window of the bed-chamber of Monsieur -the Marquis, one little bird sang its sweetest song with all its might. -At this, the nearest stone face seemed to stare amazed, and, with open -mouth and dropped under-jaw, looked awe-stricken. - -Now, the sun was full up, and movement began in the village. Casement -windows opened, crazy doors were unbarred, and people came forth -shivering--chilled, as yet, by the new sweet air. Then began the rarely -lightened toil of the day among the village population. Some, to the -fountain; some, to the fields; men and women here, to dig and delve; men -and women there, to see to the poor live stock, and lead the bony cows -out, to such pasture as could be found by the roadside. In the church -and at the Cross, a kneeling figure or two; attendant on the latter -prayers, the led cow, trying for a breakfast among the weeds at its -foot. - -The chateau awoke later, as became its quality, but awoke gradually and -surely. First, the lonely boar-spears and knives of the chase had been -reddened as of old; then, had gleamed trenchant in the morning sunshine; -now, doors and windows were thrown open, horses in their stables looked -round over their shoulders at the light and freshness pouring in at -doorways, leaves sparkled and rustled at iron-grated windows, dogs -pulled hard at their chains, and reared impatient to be loosed. - -All these trivial incidents belonged to the routine of life, and the -return of morning. Surely, not so the ringing of the great bell of the -chateau, nor the running up and down the stairs; nor the hurried -figures on the terrace; nor the booting and tramping here and there and -everywhere, nor the quick saddling of horses and riding away? - -What winds conveyed this hurry to the grizzled mender of roads, already -at work on the hill-top beyond the village, with his day's dinner (not -much to carry) lying in a bundle that it was worth no crow's while to -peck at, on a heap of stones? Had the birds, carrying some grains of it -to a distance, dropped one over him as they sow chance seeds? Whether or -no, the mender of roads ran, on the sultry morning, as if for his life, -down the hill, knee-high in dust, and never stopped till he got to the -fountain. - -All the people of the village were at the fountain, standing about -in their depressed manner, and whispering low, but showing no other -emotions than grim curiosity and surprise. The led cows, hastily brought -in and tethered to anything that would hold them, were looking stupidly -on, or lying down chewing the cud of nothing particularly repaying their -trouble, which they had picked up in their interrupted saunter. Some of -the people of the chateau, and some of those of the posting-house, and -all the taxing authorities, were armed more or less, and were crowded -on the other side of the little street in a purposeless way, that was -highly fraught with nothing. Already, the mender of roads had penetrated -into the midst of a group of fifty particular friends, and was smiting -himself in the breast with his blue cap. What did all this portend, -and what portended the swift hoisting-up of Monsieur Gabelle behind -a servant on horseback, and the conveying away of the said Gabelle -(double-laden though the horse was), at a gallop, like a new version of -the German ballad of Leonora? - -It portended that there was one stone face too many, up at the chateau. - -The Gorgon had surveyed the building again in the night, and had added -the one stone face wanting; the stone face for which it had waited -through about two hundred years. - -It lay back on the pillow of Monsieur the Marquis. It was like a fine -mask, suddenly startled, made angry, and petrified. Driven home into the -heart of the stone figure attached to it, was a knife. Round its hilt -was a frill of paper, on which was scrawled: - -“Drive him fast to his tomb. This, from Jacques.” - - - - -X. Two Promises - - -More months, to the number of twelve, had come and gone, and Mr. Charles -Darnay was established in England as a higher teacher of the French -language who was conversant with French literature. In this age, he -would have been a Professor; in that age, he was a Tutor. He read with -young men who could find any leisure and interest for the study of a -living tongue spoken all over the world, and he cultivated a taste for -its stores of knowledge and fancy. He could write of them, besides, in -sound English, and render them into sound English. Such masters were not -at that time easily found; Princes that had been, and Kings that were -to be, were not yet of the Teacher class, and no ruined nobility had -dropped out of Tellson's ledgers, to turn cooks and carpenters. As a -tutor, whose attainments made the student's way unusually pleasant and -profitable, and as an elegant translator who brought something to his -work besides mere dictionary knowledge, young Mr. Darnay soon became -known and encouraged. He was well acquainted, more-over, with the -circumstances of his country, and those were of ever-growing interest. -So, with great perseverance and untiring industry, he prospered. - -In London, he had expected neither to walk on pavements of gold, nor -to lie on beds of roses; if he had had any such exalted expectation, he -would not have prospered. He had expected labour, and he found it, and -did it and made the best of it. In this, his prosperity consisted. - -A certain portion of his time was passed at Cambridge, where he -read with undergraduates as a sort of tolerated smuggler who drove a -contraband trade in European languages, instead of conveying Greek -and Latin through the Custom-house. The rest of his time he passed in -London. - -Now, from the days when it was always summer in Eden, to these days -when it is mostly winter in fallen latitudes, the world of a man has -invariably gone one way--Charles Darnay's way--the way of the love of a -woman. - -He had loved Lucie Manette from the hour of his danger. He had never -heard a sound so sweet and dear as the sound of her compassionate voice; -he had never seen a face so tenderly beautiful, as hers when it was -confronted with his own on the edge of the grave that had been dug for -him. But, he had not yet spoken to her on the subject; the assassination -at the deserted chateau far away beyond the heaving water and the long, -long, dusty roads--the solid stone chateau which had itself become the -mere mist of a dream--had been done a year, and he had never yet, by so -much as a single spoken word, disclosed to her the state of his heart. - -That he had his reasons for this, he knew full well. It was again a -summer day when, lately arrived in London from his college occupation, -he turned into the quiet corner in Soho, bent on seeking an opportunity -of opening his mind to Doctor Manette. It was the close of the summer -day, and he knew Lucie to be out with Miss Pross. - -He found the Doctor reading in his arm-chair at a window. The energy -which had at once supported him under his old sufferings and aggravated -their sharpness, had been gradually restored to him. He was now a -very energetic man indeed, with great firmness of purpose, strength -of resolution, and vigour of action. In his recovered energy he was -sometimes a little fitful and sudden, as he had at first been in the -exercise of his other recovered faculties; but, this had never been -frequently observable, and had grown more and more rare. - -He studied much, slept little, sustained a great deal of fatigue with -ease, and was equably cheerful. To him, now entered Charles Darnay, at -sight of whom he laid aside his book and held out his hand. - -“Charles Darnay! I rejoice to see you. We have been counting on your -return these three or four days past. Mr. Stryver and Sydney Carton were -both here yesterday, and both made you out to be more than due.” - -“I am obliged to them for their interest in the matter,” he answered, -a little coldly as to them, though very warmly as to the Doctor. “Miss -Manette--” - -“Is well,” said the Doctor, as he stopped short, “and your return will -delight us all. She has gone out on some household matters, but will -soon be home.” - -“Doctor Manette, I knew she was from home. I took the opportunity of her -being from home, to beg to speak to you.” - -There was a blank silence. - -“Yes?” said the Doctor, with evident constraint. “Bring your chair here, -and speak on.” - -He complied as to the chair, but appeared to find the speaking on less -easy. - -“I have had the happiness, Doctor Manette, of being so intimate here,” - so he at length began, “for some year and a half, that I hope the topic -on which I am about to touch may not--” - -He was stayed by the Doctor's putting out his hand to stop him. When he -had kept it so a little while, he said, drawing it back: - -“Is Lucie the topic?” - -“She is.” - -“It is hard for me to speak of her at any time. It is very hard for me -to hear her spoken of in that tone of yours, Charles Darnay.” - -“It is a tone of fervent admiration, true homage, and deep love, Doctor -Manette!” he said deferentially. - -There was another blank silence before her father rejoined: - -“I believe it. I do you justice; I believe it.” - -His constraint was so manifest, and it was so manifest, too, that it -originated in an unwillingness to approach the subject, that Charles -Darnay hesitated. - -“Shall I go on, sir?” - -Another blank. - -“Yes, go on.” - -“You anticipate what I would say, though you cannot know how earnestly -I say it, how earnestly I feel it, without knowing my secret heart, and -the hopes and fears and anxieties with which it has long been -laden. Dear Doctor Manette, I love your daughter fondly, dearly, -disinterestedly, devotedly. If ever there were love in the world, I love -her. You have loved yourself; let your old love speak for me!” - -The Doctor sat with his face turned away, and his eyes bent on the -ground. At the last words, he stretched out his hand again, hurriedly, -and cried: - -“Not that, sir! Let that be! I adjure you, do not recall that!” - -His cry was so like a cry of actual pain, that it rang in Charles -Darnay's ears long after he had ceased. He motioned with the hand he had -extended, and it seemed to be an appeal to Darnay to pause. The latter -so received it, and remained silent. - -“I ask your pardon,” said the Doctor, in a subdued tone, after some -moments. “I do not doubt your loving Lucie; you may be satisfied of it.” - -He turned towards him in his chair, but did not look at him, or -raise his eyes. His chin dropped upon his hand, and his white hair -overshadowed his face: - -“Have you spoken to Lucie?” - -“No.” - -“Nor written?” - -“Never.” - -“It would be ungenerous to affect not to know that your self-denial is -to be referred to your consideration for her father. Her father thanks -you.” - -He offered his hand; but his eyes did not go with it. - -“I know,” said Darnay, respectfully, “how can I fail to know, Doctor -Manette, I who have seen you together from day to day, that between -you and Miss Manette there is an affection so unusual, so touching, so -belonging to the circumstances in which it has been nurtured, that it -can have few parallels, even in the tenderness between a father and -child. I know, Doctor Manette--how can I fail to know--that, mingled -with the affection and duty of a daughter who has become a woman, there -is, in her heart, towards you, all the love and reliance of infancy -itself. I know that, as in her childhood she had no parent, so she is -now devoted to you with all the constancy and fervour of her present -years and character, united to the trustfulness and attachment of the -early days in which you were lost to her. I know perfectly well that if -you had been restored to her from the world beyond this life, you could -hardly be invested, in her sight, with a more sacred character than that -in which you are always with her. I know that when she is clinging to -you, the hands of baby, girl, and woman, all in one, are round your -neck. I know that in loving you she sees and loves her mother at her -own age, sees and loves you at my age, loves her mother broken-hearted, -loves you through your dreadful trial and in your blessed restoration. I -have known this, night and day, since I have known you in your home.” - -Her father sat silent, with his face bent down. His breathing was a -little quickened; but he repressed all other signs of agitation. - -“Dear Doctor Manette, always knowing this, always seeing her and you -with this hallowed light about you, I have forborne, and forborne, as -long as it was in the nature of man to do it. I have felt, and do even -now feel, that to bring my love--even mine--between you, is to touch -your history with something not quite so good as itself. But I love her. -Heaven is my witness that I love her!” - -“I believe it,” answered her father, mournfully. “I have thought so -before now. I believe it.” - -“But, do not believe,” said Darnay, upon whose ear the mournful voice -struck with a reproachful sound, “that if my fortune were so cast as -that, being one day so happy as to make her my wife, I must at any time -put any separation between her and you, I could or would breathe a -word of what I now say. Besides that I should know it to be hopeless, I -should know it to be a baseness. If I had any such possibility, even at -a remote distance of years, harboured in my thoughts, and hidden in my -heart--if it ever had been there--if it ever could be there--I could not -now touch this honoured hand.” - -He laid his own upon it as he spoke. - -“No, dear Doctor Manette. Like you, a voluntary exile from France; like -you, driven from it by its distractions, oppressions, and miseries; like -you, striving to live away from it by my own exertions, and trusting -in a happier future; I look only to sharing your fortunes, sharing your -life and home, and being faithful to you to the death. Not to divide -with Lucie her privilege as your child, companion, and friend; but to -come in aid of it, and bind her closer to you, if such a thing can be.” - -His touch still lingered on her father's hand. Answering the touch for a -moment, but not coldly, her father rested his hands upon the arms of -his chair, and looked up for the first time since the beginning of the -conference. A struggle was evidently in his face; a struggle with that -occasional look which had a tendency in it to dark doubt and dread. - -“You speak so feelingly and so manfully, Charles Darnay, that I thank -you with all my heart, and will open all my heart--or nearly so. Have -you any reason to believe that Lucie loves you?” - -“None. As yet, none.” - -“Is it the immediate object of this confidence, that you may at once -ascertain that, with my knowledge?” - -“Not even so. I might not have the hopefulness to do it for weeks; I -might (mistaken or not mistaken) have that hopefulness to-morrow.” - -“Do you seek any guidance from me?” - -“I ask none, sir. But I have thought it possible that you might have it -in your power, if you should deem it right, to give me some.” - -“Do you seek any promise from me?” - -“I do seek that.” - -“What is it?” - -“I well understand that, without you, I could have no hope. I well -understand that, even if Miss Manette held me at this moment in her -innocent heart--do not think I have the presumption to assume so much--I -could retain no place in it against her love for her father.” - -“If that be so, do you see what, on the other hand, is involved in it?” - -“I understand equally well, that a word from her father in any suitor's -favour, would outweigh herself and all the world. For which reason, -Doctor Manette,” said Darnay, modestly but firmly, “I would not ask that -word, to save my life.” - -“I am sure of it. Charles Darnay, mysteries arise out of close love, as -well as out of wide division; in the former case, they are subtle and -delicate, and difficult to penetrate. My daughter Lucie is, in this one -respect, such a mystery to me; I can make no guess at the state of her -heart.” - -“May I ask, sir, if you think she is--” As he hesitated, her father -supplied the rest. - -“Is sought by any other suitor?” - -“It is what I meant to say.” - -Her father considered a little before he answered: - -“You have seen Mr. Carton here, yourself. Mr. Stryver is here too, -occasionally. If it be at all, it can only be by one of these.” - -“Or both,” said Darnay. - -“I had not thought of both; I should not think either, likely. You want -a promise from me. Tell me what it is.” - -“It is, that if Miss Manette should bring to you at any time, on her own -part, such a confidence as I have ventured to lay before you, you will -bear testimony to what I have said, and to your belief in it. I hope you -may be able to think so well of me, as to urge no influence against -me. I say nothing more of my stake in this; this is what I ask. The -condition on which I ask it, and which you have an undoubted right to -require, I will observe immediately.” - -“I give the promise,” said the Doctor, “without any condition. I believe -your object to be, purely and truthfully, as you have stated it. I -believe your intention is to perpetuate, and not to weaken, the ties -between me and my other and far dearer self. If she should ever tell me -that you are essential to her perfect happiness, I will give her to you. -If there were--Charles Darnay, if there were--” - -The young man had taken his hand gratefully; their hands were joined as -the Doctor spoke: - -“--any fancies, any reasons, any apprehensions, anything whatsoever, -new or old, against the man she really loved--the direct responsibility -thereof not lying on his head--they should all be obliterated for her -sake. She is everything to me; more to me than suffering, more to me -than wrong, more to me--Well! This is idle talk.” - -So strange was the way in which he faded into silence, and so strange -his fixed look when he had ceased to speak, that Darnay felt his own -hand turn cold in the hand that slowly released and dropped it. - -“You said something to me,” said Doctor Manette, breaking into a smile. -“What was it you said to me?” - -He was at a loss how to answer, until he remembered having spoken of a -condition. Relieved as his mind reverted to that, he answered: - -“Your confidence in me ought to be returned with full confidence on my -part. My present name, though but slightly changed from my mother's, is -not, as you will remember, my own. I wish to tell you what that is, and -why I am in England.” - -“Stop!” said the Doctor of Beauvais. - -“I wish it, that I may the better deserve your confidence, and have no -secret from you.” - -“Stop!” - -For an instant, the Doctor even had his two hands at his ears; for -another instant, even had his two hands laid on Darnay's lips. - -“Tell me when I ask you, not now. If your suit should prosper, if Lucie -should love you, you shall tell me on your marriage morning. Do you -promise?” - -“Willingly. - -“Give me your hand. She will be home directly, and it is better she -should not see us together to-night. Go! God bless you!” - -It was dark when Charles Darnay left him, and it was an hour later and -darker when Lucie came home; she hurried into the room alone--for -Miss Pross had gone straight up-stairs--and was surprised to find his -reading-chair empty. - -“My father!” she called to him. “Father dear!” - -Nothing was said in answer, but she heard a low hammering sound in his -bedroom. Passing lightly across the intermediate room, she looked in at -his door and came running back frightened, crying to herself, with her -blood all chilled, “What shall I do! What shall I do!” - -Her uncertainty lasted but a moment; she hurried back, and tapped at -his door, and softly called to him. The noise ceased at the sound of -her voice, and he presently came out to her, and they walked up and down -together for a long time. - -She came down from her bed, to look at him in his sleep that night. He -slept heavily, and his tray of shoemaking tools, and his old unfinished -work, were all as usual. - - - - -XI. A Companion Picture - - -“Sydney,” said Mr. Stryver, on that self-same night, or morning, to his -jackal; “mix another bowl of punch; I have something to say to you.” - -Sydney had been working double tides that night, and the night before, -and the night before that, and a good many nights in succession, making -a grand clearance among Mr. Stryver's papers before the setting in -of the long vacation. The clearance was effected at last; the Stryver -arrears were handsomely fetched up; everything was got rid of until -November should come with its fogs atmospheric, and fogs legal, and -bring grist to the mill again. - -Sydney was none the livelier and none the soberer for so much -application. It had taken a deal of extra wet-towelling to pull him -through the night; a correspondingly extra quantity of wine had preceded -the towelling; and he was in a very damaged condition, as he now pulled -his turban off and threw it into the basin in which he had steeped it at -intervals for the last six hours. - -“Are you mixing that other bowl of punch?” said Stryver the portly, with -his hands in his waistband, glancing round from the sofa where he lay on -his back. - -“I am.” - -“Now, look here! I am going to tell you something that will rather -surprise you, and that perhaps will make you think me not quite as -shrewd as you usually do think me. I intend to marry.” - -“_Do_ you?” - -“Yes. And not for money. What do you say now?” - -“I don't feel disposed to say much. Who is she?” - -“Guess.” - -“Do I know her?” - -“Guess.” - -“I am not going to guess, at five o'clock in the morning, with my brains -frying and sputtering in my head. If you want me to guess, you must ask -me to dinner.” - -“Well then, I'll tell you,” said Stryver, coming slowly into a sitting -posture. “Sydney, I rather despair of making myself intelligible to you, -because you are such an insensible dog.” - -“And you,” returned Sydney, busy concocting the punch, “are such a -sensitive and poetical spirit--” - -“Come!” rejoined Stryver, laughing boastfully, “though I don't prefer -any claim to being the soul of Romance (for I hope I know better), still -I am a tenderer sort of fellow than _you_.” - -“You are a luckier, if you mean that.” - -“I don't mean that. I mean I am a man of more--more--” - -“Say gallantry, while you are about it,” suggested Carton. - -“Well! I'll say gallantry. My meaning is that I am a man,” said Stryver, -inflating himself at his friend as he made the punch, “who cares more to -be agreeable, who takes more pains to be agreeable, who knows better how -to be agreeable, in a woman's society, than you do.” - -“Go on,” said Sydney Carton. - -“No; but before I go on,” said Stryver, shaking his head in his bullying -way, “I'll have this out with you. You've been at Doctor Manette's house -as much as I have, or more than I have. Why, I have been ashamed of your -moroseness there! Your manners have been of that silent and sullen and -hangdog kind, that, upon my life and soul, I have been ashamed of you, -Sydney!” - -“It should be very beneficial to a man in your practice at the bar, to -be ashamed of anything,” returned Sydney; “you ought to be much obliged -to me.” - -“You shall not get off in that way,” rejoined Stryver, shouldering the -rejoinder at him; “no, Sydney, it's my duty to tell you--and I tell you -to your face to do you good--that you are a devilish ill-conditioned -fellow in that sort of society. You are a disagreeable fellow.” - -Sydney drank a bumper of the punch he had made, and laughed. - -“Look at me!” said Stryver, squaring himself; “I have less need to make -myself agreeable than you have, being more independent in circumstances. -Why do I do it?” - -“I never saw you do it yet,” muttered Carton. - -“I do it because it's politic; I do it on principle. And look at me! I -get on.” - -“You don't get on with your account of your matrimonial intentions,” - answered Carton, with a careless air; “I wish you would keep to that. As -to me--will you never understand that I am incorrigible?” - -He asked the question with some appearance of scorn. - -“You have no business to be incorrigible,” was his friend's answer, -delivered in no very soothing tone. - -“I have no business to be, at all, that I know of,” said Sydney Carton. -“Who is the lady?” - -“Now, don't let my announcement of the name make you uncomfortable, -Sydney,” said Mr. Stryver, preparing him with ostentatious friendliness -for the disclosure he was about to make, “because I know you don't mean -half you say; and if you meant it all, it would be of no importance. I -make this little preface, because you once mentioned the young lady to -me in slighting terms.” - -“I did?” - -“Certainly; and in these chambers.” - -Sydney Carton looked at his punch and looked at his complacent friend; -drank his punch and looked at his complacent friend. - -“You made mention of the young lady as a golden-haired doll. The young -lady is Miss Manette. If you had been a fellow of any sensitiveness or -delicacy of feeling in that kind of way, Sydney, I might have been a -little resentful of your employing such a designation; but you are not. -You want that sense altogether; therefore I am no more annoyed when I -think of the expression, than I should be annoyed by a man's opinion of -a picture of mine, who had no eye for pictures: or of a piece of music -of mine, who had no ear for music.” - -Sydney Carton drank the punch at a great rate; drank it by bumpers, -looking at his friend. - -“Now you know all about it, Syd,” said Mr. Stryver. “I don't care about -fortune: she is a charming creature, and I have made up my mind to -please myself: on the whole, I think I can afford to please myself. She -will have in me a man already pretty well off, and a rapidly rising man, -and a man of some distinction: it is a piece of good fortune for her, -but she is worthy of good fortune. Are you astonished?” - -Carton, still drinking the punch, rejoined, “Why should I be -astonished?” - -“You approve?” - -Carton, still drinking the punch, rejoined, “Why should I not approve?” - -“Well!” said his friend Stryver, “you take it more easily than I fancied -you would, and are less mercenary on my behalf than I thought you would -be; though, to be sure, you know well enough by this time that your -ancient chum is a man of a pretty strong will. Yes, Sydney, I have had -enough of this style of life, with no other as a change from it; I -feel that it is a pleasant thing for a man to have a home when he feels -inclined to go to it (when he doesn't, he can stay away), and I feel -that Miss Manette will tell well in any station, and will always do me -credit. So I have made up my mind. And now, Sydney, old boy, I want to -say a word to _you_ about _your_ prospects. You are in a bad way, you -know; you really are in a bad way. You don't know the value of money, -you live hard, you'll knock up one of these days, and be ill and poor; -you really ought to think about a nurse.” - -The prosperous patronage with which he said it, made him look twice as -big as he was, and four times as offensive. - -“Now, let me recommend you,” pursued Stryver, “to look it in the face. -I have looked it in the face, in my different way; look it in the face, -you, in your different way. Marry. Provide somebody to take care of -you. Never mind your having no enjoyment of women's society, nor -understanding of it, nor tact for it. Find out somebody. Find out some -respectable woman with a little property--somebody in the landlady way, -or lodging-letting way--and marry her, against a rainy day. That's the -kind of thing for _you_. Now think of it, Sydney.” - -“I'll think of it,” said Sydney. - - - - -XII. The Fellow of Delicacy - - -Mr. Stryver having made up his mind to that magnanimous bestowal of good -fortune on the Doctor's daughter, resolved to make her happiness known -to her before he left town for the Long Vacation. After some mental -debating of the point, he came to the conclusion that it would be as -well to get all the preliminaries done with, and they could then arrange -at their leisure whether he should give her his hand a week or two -before Michaelmas Term, or in the little Christmas vacation between it -and Hilary. - -As to the strength of his case, he had not a doubt about it, but clearly -saw his way to the verdict. Argued with the jury on substantial worldly -grounds--the only grounds ever worth taking into account--it was a -plain case, and had not a weak spot in it. He called himself for the -plaintiff, there was no getting over his evidence, the counsel for -the defendant threw up his brief, and the jury did not even turn to -consider. After trying it, Stryver, C. J., was satisfied that no plainer -case could be. - -Accordingly, Mr. Stryver inaugurated the Long Vacation with a formal -proposal to take Miss Manette to Vauxhall Gardens; that failing, to -Ranelagh; that unaccountably failing too, it behoved him to present -himself in Soho, and there declare his noble mind. - -Towards Soho, therefore, Mr. Stryver shouldered his way from the Temple, -while the bloom of the Long Vacation's infancy was still upon it. -Anybody who had seen him projecting himself into Soho while he was yet -on Saint Dunstan's side of Temple Bar, bursting in his full-blown way -along the pavement, to the jostlement of all weaker people, might have -seen how safe and strong he was. - -His way taking him past Tellson's, and he both banking at Tellson's and -knowing Mr. Lorry as the intimate friend of the Manettes, it entered Mr. -Stryver's mind to enter the bank, and reveal to Mr. Lorry the brightness -of the Soho horizon. So, he pushed open the door with the weak rattle -in its throat, stumbled down the two steps, got past the two ancient -cashiers, and shouldered himself into the musty back closet where Mr. -Lorry sat at great books ruled for figures, with perpendicular iron -bars to his window as if that were ruled for figures too, and everything -under the clouds were a sum. - -“Halloa!” said Mr. Stryver. “How do you do? I hope you are well!” - -It was Stryver's grand peculiarity that he always seemed too big for any -place, or space. He was so much too big for Tellson's, that old clerks -in distant corners looked up with looks of remonstrance, as though he -squeezed them against the wall. The House itself, magnificently reading -the paper quite in the far-off perspective, lowered displeased, as if -the Stryver head had been butted into its responsible waistcoat. - -The discreet Mr. Lorry said, in a sample tone of the voice he would -recommend under the circumstances, “How do you do, Mr. Stryver? How do -you do, sir?” and shook hands. There was a peculiarity in his manner -of shaking hands, always to be seen in any clerk at Tellson's who shook -hands with a customer when the House pervaded the air. He shook in a -self-abnegating way, as one who shook for Tellson and Co. - -“Can I do anything for you, Mr. Stryver?” asked Mr. Lorry, in his -business character. - -“Why, no, thank you; this is a private visit to yourself, Mr. Lorry; I -have come for a private word.” - -“Oh indeed!” said Mr. Lorry, bending down his ear, while his eye strayed -to the House afar off. - -“I am going,” said Mr. Stryver, leaning his arms confidentially on the -desk: whereupon, although it was a large double one, there appeared to -be not half desk enough for him: “I am going to make an offer of myself -in marriage to your agreeable little friend, Miss Manette, Mr. Lorry.” - -“Oh dear me!” cried Mr. Lorry, rubbing his chin, and looking at his -visitor dubiously. - -“Oh dear me, sir?” repeated Stryver, drawing back. “Oh dear you, sir? -What may your meaning be, Mr. Lorry?” - -“My meaning,” answered the man of business, “is, of course, friendly and -appreciative, and that it does you the greatest credit, and--in short, -my meaning is everything you could desire. But--really, you know, Mr. -Stryver--” Mr. Lorry paused, and shook his head at him in the oddest -manner, as if he were compelled against his will to add, internally, -“you know there really is so much too much of you!” - -“Well!” said Stryver, slapping the desk with his contentious hand, -opening his eyes wider, and taking a long breath, “if I understand you, -Mr. Lorry, I'll be hanged!” - -Mr. Lorry adjusted his little wig at both ears as a means towards that -end, and bit the feather of a pen. - -“D--n it all, sir!” said Stryver, staring at him, “am I not eligible?” - -“Oh dear yes! Yes. Oh yes, you're eligible!” said Mr. Lorry. “If you say -eligible, you are eligible.” - -“Am I not prosperous?” asked Stryver. - -“Oh! if you come to prosperous, you are prosperous,” said Mr. Lorry. - -“And advancing?” - -“If you come to advancing you know,” said Mr. Lorry, delighted to be -able to make another admission, “nobody can doubt that.” - -“Then what on earth is your meaning, Mr. Lorry?” demanded Stryver, -perceptibly crestfallen. - -“Well! I--Were you going there now?” asked Mr. Lorry. - -“Straight!” said Stryver, with a plump of his fist on the desk. - -“Then I think I wouldn't, if I was you.” - -“Why?” said Stryver. “Now, I'll put you in a corner,” forensically -shaking a forefinger at him. “You are a man of business and bound to -have a reason. State your reason. Why wouldn't you go?” - -“Because,” said Mr. Lorry, “I wouldn't go on such an object without -having some cause to believe that I should succeed.” - -“D--n _me_!” cried Stryver, “but this beats everything.” - -Mr. Lorry glanced at the distant House, and glanced at the angry -Stryver. - -“Here's a man of business--a man of years--a man of experience--_in_ -a Bank,” said Stryver; “and having summed up three leading reasons for -complete success, he says there's no reason at all! Says it with his -head on!” Mr. Stryver remarked upon the peculiarity as if it would have -been infinitely less remarkable if he had said it with his head off. - -“When I speak of success, I speak of success with the young lady; and -when I speak of causes and reasons to make success probable, I speak of -causes and reasons that will tell as such with the young lady. The young -lady, my good sir,” said Mr. Lorry, mildly tapping the Stryver arm, “the -young lady. The young lady goes before all.” - -“Then you mean to tell me, Mr. Lorry,” said Stryver, squaring his -elbows, “that it is your deliberate opinion that the young lady at -present in question is a mincing Fool?” - -“Not exactly so. I mean to tell you, Mr. Stryver,” said Mr. Lorry, -reddening, “that I will hear no disrespectful word of that young lady -from any lips; and that if I knew any man--which I hope I do not--whose -taste was so coarse, and whose temper was so overbearing, that he could -not restrain himself from speaking disrespectfully of that young lady at -this desk, not even Tellson's should prevent my giving him a piece of my -mind.” - -The necessity of being angry in a suppressed tone had put Mr. Stryver's -blood-vessels into a dangerous state when it was his turn to be angry; -Mr. Lorry's veins, methodical as their courses could usually be, were in -no better state now it was his turn. - -“That is what I mean to tell you, sir,” said Mr. Lorry. “Pray let there -be no mistake about it.” - -Mr. Stryver sucked the end of a ruler for a little while, and then stood -hitting a tune out of his teeth with it, which probably gave him the -toothache. He broke the awkward silence by saying: - -“This is something new to me, Mr. Lorry. You deliberately advise me not -to go up to Soho and offer myself--_my_self, Stryver of the King's Bench -bar?” - -“Do you ask me for my advice, Mr. Stryver?” - -“Yes, I do.” - -“Very good. Then I give it, and you have repeated it correctly.” - -“And all I can say of it is,” laughed Stryver with a vexed laugh, “that -this--ha, ha!--beats everything past, present, and to come.” - -“Now understand me,” pursued Mr. Lorry. “As a man of business, I am -not justified in saying anything about this matter, for, as a man of -business, I know nothing of it. But, as an old fellow, who has carried -Miss Manette in his arms, who is the trusted friend of Miss Manette and -of her father too, and who has a great affection for them both, I have -spoken. The confidence is not of my seeking, recollect. Now, you think I -may not be right?” - -“Not I!” said Stryver, whistling. “I can't undertake to find third -parties in common sense; I can only find it for myself. I suppose sense -in certain quarters; you suppose mincing bread-and-butter nonsense. It's -new to me, but you are right, I dare say.” - -“What I suppose, Mr. Stryver, I claim to characterise for myself--And -understand me, sir,” said Mr. Lorry, quickly flushing again, “I -will not--not even at Tellson's--have it characterised for me by any -gentleman breathing.” - -“There! I beg your pardon!” said Stryver. - -“Granted. Thank you. Well, Mr. Stryver, I was about to say:--it might be -painful to you to find yourself mistaken, it might be painful to Doctor -Manette to have the task of being explicit with you, it might be very -painful to Miss Manette to have the task of being explicit with you. You -know the terms upon which I have the honour and happiness to stand with -the family. If you please, committing you in no way, representing you -in no way, I will undertake to correct my advice by the exercise of a -little new observation and judgment expressly brought to bear upon -it. If you should then be dissatisfied with it, you can but test its -soundness for yourself; if, on the other hand, you should be satisfied -with it, and it should be what it now is, it may spare all sides what is -best spared. What do you say?” - -“How long would you keep me in town?” - -“Oh! It is only a question of a few hours. I could go to Soho in the -evening, and come to your chambers afterwards.” - -“Then I say yes,” said Stryver: “I won't go up there now, I am not so -hot upon it as that comes to; I say yes, and I shall expect you to look -in to-night. Good morning.” - -Then Mr. Stryver turned and burst out of the Bank, causing such a -concussion of air on his passage through, that to stand up against it -bowing behind the two counters, required the utmost remaining strength -of the two ancient clerks. Those venerable and feeble persons were -always seen by the public in the act of bowing, and were popularly -believed, when they had bowed a customer out, still to keep on bowing in -the empty office until they bowed another customer in. - -The barrister was keen enough to divine that the banker would not have -gone so far in his expression of opinion on any less solid ground than -moral certainty. Unprepared as he was for the large pill he had to -swallow, he got it down. “And now,” said Mr. Stryver, shaking his -forensic forefinger at the Temple in general, when it was down, “my way -out of this, is, to put you all in the wrong.” - -It was a bit of the art of an Old Bailey tactician, in which he found -great relief. “You shall not put me in the wrong, young lady,” said Mr. -Stryver; “I'll do that for you.” - -Accordingly, when Mr. Lorry called that night as late as ten o'clock, -Mr. Stryver, among a quantity of books and papers littered out for the -purpose, seemed to have nothing less on his mind than the subject of -the morning. He even showed surprise when he saw Mr. Lorry, and was -altogether in an absent and preoccupied state. - -“Well!” said that good-natured emissary, after a full half-hour of -bootless attempts to bring him round to the question. “I have been to -Soho.” - -“To Soho?” repeated Mr. Stryver, coldly. “Oh, to be sure! What am I -thinking of!” - -“And I have no doubt,” said Mr. Lorry, “that I was right in the -conversation we had. My opinion is confirmed, and I reiterate my -advice.” - -“I assure you,” returned Mr. Stryver, in the friendliest way, “that I -am sorry for it on your account, and sorry for it on the poor father's -account. I know this must always be a sore subject with the family; let -us say no more about it.” - -“I don't understand you,” said Mr. Lorry. - -“I dare say not,” rejoined Stryver, nodding his head in a smoothing and -final way; “no matter, no matter.” - -“But it does matter,” Mr. Lorry urged. - -“No it doesn't; I assure you it doesn't. Having supposed that there was -sense where there is no sense, and a laudable ambition where there is -not a laudable ambition, I am well out of my mistake, and no harm is -done. Young women have committed similar follies often before, and have -repented them in poverty and obscurity often before. In an unselfish -aspect, I am sorry that the thing is dropped, because it would have been -a bad thing for me in a worldly point of view; in a selfish aspect, I am -glad that the thing has dropped, because it would have been a bad thing -for me in a worldly point of view--it is hardly necessary to say I could -have gained nothing by it. There is no harm at all done. I have not -proposed to the young lady, and, between ourselves, I am by no means -certain, on reflection, that I ever should have committed myself to -that extent. Mr. Lorry, you cannot control the mincing vanities and -giddinesses of empty-headed girls; you must not expect to do it, or you -will always be disappointed. Now, pray say no more about it. I tell you, -I regret it on account of others, but I am satisfied on my own account. -And I am really very much obliged to you for allowing me to sound you, -and for giving me your advice; you know the young lady better than I do; -you were right, it never would have done.” - -Mr. Lorry was so taken aback, that he looked quite stupidly at Mr. -Stryver shouldering him towards the door, with an appearance of -showering generosity, forbearance, and goodwill, on his erring head. -“Make the best of it, my dear sir,” said Stryver; “say no more about it; -thank you again for allowing me to sound you; good night!” - -Mr. Lorry was out in the night, before he knew where he was. Mr. Stryver -was lying back on his sofa, winking at his ceiling. - - - - -XIII. The Fellow of No Delicacy - - -If Sydney Carton ever shone anywhere, he certainly never shone in the -house of Doctor Manette. He had been there often, during a whole year, -and had always been the same moody and morose lounger there. When he -cared to talk, he talked well; but, the cloud of caring for nothing, -which overshadowed him with such a fatal darkness, was very rarely -pierced by the light within him. - -And yet he did care something for the streets that environed that house, -and for the senseless stones that made their pavements. Many a night -he vaguely and unhappily wandered there, when wine had brought no -transitory gladness to him; many a dreary daybreak revealed his solitary -figure lingering there, and still lingering there when the first beams -of the sun brought into strong relief, removed beauties of architecture -in spires of churches and lofty buildings, as perhaps the quiet time -brought some sense of better things, else forgotten and unattainable, -into his mind. Of late, the neglected bed in the Temple Court had known -him more scantily than ever; and often when he had thrown himself upon -it no longer than a few minutes, he had got up again, and haunted that -neighbourhood. - -On a day in August, when Mr. Stryver (after notifying to his jackal -that “he had thought better of that marrying matter”) had carried his -delicacy into Devonshire, and when the sight and scent of flowers in the -City streets had some waifs of goodness in them for the worst, of health -for the sickliest, and of youth for the oldest, Sydney's feet still trod -those stones. From being irresolute and purposeless, his feet became -animated by an intention, and, in the working out of that intention, -they took him to the Doctor's door. - -He was shown up-stairs, and found Lucie at her work, alone. She had -never been quite at her ease with him, and received him with some little -embarrassment as he seated himself near her table. But, looking up at -his face in the interchange of the first few common-places, she observed -a change in it. - -“I fear you are not well, Mr. Carton!” - -“No. But the life I lead, Miss Manette, is not conducive to health. What -is to be expected of, or by, such profligates?” - -“Is it not--forgive me; I have begun the question on my lips--a pity to -live no better life?” - -“God knows it is a shame!” - -“Then why not change it?” - -Looking gently at him again, she was surprised and saddened to see that -there were tears in his eyes. There were tears in his voice too, as he -answered: - -“It is too late for that. I shall never be better than I am. I shall -sink lower, and be worse.” - -He leaned an elbow on her table, and covered his eyes with his hand. The -table trembled in the silence that followed. - -She had never seen him softened, and was much distressed. He knew her to -be so, without looking at her, and said: - -“Pray forgive me, Miss Manette. I break down before the knowledge of -what I want to say to you. Will you hear me?” - -“If it will do you any good, Mr. Carton, if it would make you happier, -it would make me very glad!” - -“God bless you for your sweet compassion!” - -He unshaded his face after a little while, and spoke steadily. - -“Don't be afraid to hear me. Don't shrink from anything I say. I am like -one who died young. All my life might have been.” - -“No, Mr. Carton. I am sure that the best part of it might still be; I am -sure that you might be much, much worthier of yourself.” - -“Say of you, Miss Manette, and although I know better--although in the -mystery of my own wretched heart I know better--I shall never forget -it!” - -She was pale and trembling. He came to her relief with a fixed despair -of himself which made the interview unlike any other that could have -been holden. - -“If it had been possible, Miss Manette, that you could have returned the -love of the man you see before yourself--flung away, wasted, drunken, -poor creature of misuse as you know him to be--he would have been -conscious this day and hour, in spite of his happiness, that he would -bring you to misery, bring you to sorrow and repentance, blight you, -disgrace you, pull you down with him. I know very well that you can have -no tenderness for me; I ask for none; I am even thankful that it cannot -be.” - -“Without it, can I not save you, Mr. Carton? Can I not recall -you--forgive me again!--to a better course? Can I in no way repay your -confidence? I know this is a confidence,” she modestly said, after a -little hesitation, and in earnest tears, “I know you would say this to -no one else. Can I turn it to no good account for yourself, Mr. Carton?” - -He shook his head. - -“To none. No, Miss Manette, to none. If you will hear me through a very -little more, all you can ever do for me is done. I wish you to know that -you have been the last dream of my soul. In my degradation I have not -been so degraded but that the sight of you with your father, and of this -home made such a home by you, has stirred old shadows that I thought had -died out of me. Since I knew you, I have been troubled by a remorse that -I thought would never reproach me again, and have heard whispers from -old voices impelling me upward, that I thought were silent for ever. I -have had unformed ideas of striving afresh, beginning anew, shaking off -sloth and sensuality, and fighting out the abandoned fight. A dream, all -a dream, that ends in nothing, and leaves the sleeper where he lay down, -but I wish you to know that you inspired it.” - -“Will nothing of it remain? O Mr. Carton, think again! Try again!” - -“No, Miss Manette; all through it, I have known myself to be quite -undeserving. And yet I have had the weakness, and have still the -weakness, to wish you to know with what a sudden mastery you kindled me, -heap of ashes that I am, into fire--a fire, however, inseparable in -its nature from myself, quickening nothing, lighting nothing, doing no -service, idly burning away.” - -“Since it is my misfortune, Mr. Carton, to have made you more unhappy -than you were before you knew me--” - -“Don't say that, Miss Manette, for you would have reclaimed me, if -anything could. You will not be the cause of my becoming worse.” - -“Since the state of your mind that you describe, is, at all events, -attributable to some influence of mine--this is what I mean, if I can -make it plain--can I use no influence to serve you? Have I no power for -good, with you, at all?” - -“The utmost good that I am capable of now, Miss Manette, I have come -here to realise. Let me carry through the rest of my misdirected life, -the remembrance that I opened my heart to you, last of all the world; -and that there was something left in me at this time which you could -deplore and pity.” - -“Which I entreated you to believe, again and again, most fervently, with -all my heart, was capable of better things, Mr. Carton!” - -“Entreat me to believe it no more, Miss Manette. I have proved myself, -and I know better. I distress you; I draw fast to an end. Will you let -me believe, when I recall this day, that the last confidence of my life -was reposed in your pure and innocent breast, and that it lies there -alone, and will be shared by no one?” - -“If that will be a consolation to you, yes.” - -“Not even by the dearest one ever to be known to you?” - -“Mr. Carton,” she answered, after an agitated pause, “the secret is -yours, not mine; and I promise to respect it.” - -“Thank you. And again, God bless you.” - -He put her hand to his lips, and moved towards the door. - -“Be under no apprehension, Miss Manette, of my ever resuming this -conversation by so much as a passing word. I will never refer to it -again. If I were dead, that could not be surer than it is henceforth. In -the hour of my death, I shall hold sacred the one good remembrance--and -shall thank and bless you for it--that my last avowal of myself was made -to you, and that my name, and faults, and miseries were gently carried -in your heart. May it otherwise be light and happy!” - -He was so unlike what he had ever shown himself to be, and it was so -sad to think how much he had thrown away, and how much he every day kept -down and perverted, that Lucie Manette wept mournfully for him as he -stood looking back at her. - -“Be comforted!” he said, “I am not worth such feeling, Miss Manette. An -hour or two hence, and the low companions and low habits that I scorn -but yield to, will render me less worth such tears as those, than any -wretch who creeps along the streets. Be comforted! But, within myself, I -shall always be, towards you, what I am now, though outwardly I shall be -what you have heretofore seen me. The last supplication but one I make -to you, is, that you will believe this of me.” - -“I will, Mr. Carton.” - -“My last supplication of all, is this; and with it, I will relieve -you of a visitor with whom I well know you have nothing in unison, and -between whom and you there is an impassable space. It is useless to say -it, I know, but it rises out of my soul. For you, and for any dear to -you, I would do anything. If my career were of that better kind that -there was any opportunity or capacity of sacrifice in it, I would -embrace any sacrifice for you and for those dear to you. Try to hold -me in your mind, at some quiet times, as ardent and sincere in this one -thing. The time will come, the time will not be long in coming, when new -ties will be formed about you--ties that will bind you yet more tenderly -and strongly to the home you so adorn--the dearest ties that will ever -grace and gladden you. O Miss Manette, when the little picture of a -happy father's face looks up in yours, when you see your own bright -beauty springing up anew at your feet, think now and then that there is -a man who would give his life, to keep a life you love beside you!” - -He said, “Farewell!” said a last “God bless you!” and left her. - - - - -XIV. The Honest Tradesman - - -To the eyes of Mr. Jeremiah Cruncher, sitting on his stool in -Fleet-street with his grisly urchin beside him, a vast number and -variety of objects in movement were every day presented. Who could sit -upon anything in Fleet-street during the busy hours of the day, and -not be dazed and deafened by two immense processions, one ever tending -westward with the sun, the other ever tending eastward from the sun, -both ever tending to the plains beyond the range of red and purple where -the sun goes down! - -With his straw in his mouth, Mr. Cruncher sat watching the two streams, -like the heathen rustic who has for several centuries been on duty -watching one stream--saving that Jerry had no expectation of their ever -running dry. Nor would it have been an expectation of a hopeful kind, -since a small part of his income was derived from the pilotage of timid -women (mostly of a full habit and past the middle term of life) from -Tellson's side of the tides to the opposite shore. Brief as such -companionship was in every separate instance, Mr. Cruncher never failed -to become so interested in the lady as to express a strong desire to -have the honour of drinking her very good health. And it was from -the gifts bestowed upon him towards the execution of this benevolent -purpose, that he recruited his finances, as just now observed. - -Time was, when a poet sat upon a stool in a public place, and mused in -the sight of men. Mr. Cruncher, sitting on a stool in a public place, -but not being a poet, mused as little as possible, and looked about him. - -It fell out that he was thus engaged in a season when crowds were -few, and belated women few, and when his affairs in general were so -unprosperous as to awaken a strong suspicion in his breast that Mrs. -Cruncher must have been “flopping” in some pointed manner, when an -unusual concourse pouring down Fleet-street westward, attracted his -attention. Looking that way, Mr. Cruncher made out that some kind of -funeral was coming along, and that there was popular objection to this -funeral, which engendered uproar. - -“Young Jerry,” said Mr. Cruncher, turning to his offspring, “it's a -buryin'.” - -“Hooroar, father!” cried Young Jerry. - -The young gentleman uttered this exultant sound with mysterious -significance. The elder gentleman took the cry so ill, that he watched -his opportunity, and smote the young gentleman on the ear. - -“What d'ye mean? What are you hooroaring at? What do you want to conwey -to your own father, you young Rip? This boy is a getting too many for -_me_!” said Mr. Cruncher, surveying him. “Him and his hooroars! Don't -let me hear no more of you, or you shall feel some more of me. D'ye -hear?” - -“I warn't doing no harm,” Young Jerry protested, rubbing his cheek. - -“Drop it then,” said Mr. Cruncher; “I won't have none of _your_ no -harms. Get a top of that there seat, and look at the crowd.” - -His son obeyed, and the crowd approached; they were bawling and hissing -round a dingy hearse and dingy mourning coach, in which mourning coach -there was only one mourner, dressed in the dingy trappings that were -considered essential to the dignity of the position. The position -appeared by no means to please him, however, with an increasing rabble -surrounding the coach, deriding him, making grimaces at him, and -incessantly groaning and calling out: “Yah! Spies! Tst! Yaha! Spies!” - with many compliments too numerous and forcible to repeat. - -Funerals had at all times a remarkable attraction for Mr. Cruncher; he -always pricked up his senses, and became excited, when a funeral passed -Tellson's. Naturally, therefore, a funeral with this uncommon attendance -excited him greatly, and he asked of the first man who ran against him: - -“What is it, brother? What's it about?” - -“_I_ don't know,” said the man. “Spies! Yaha! Tst! Spies!” - -He asked another man. “Who is it?” - -“_I_ don't know,” returned the man, clapping his hands to his mouth -nevertheless, and vociferating in a surprising heat and with the -greatest ardour, “Spies! Yaha! Tst, tst! Spi--ies!” - -At length, a person better informed on the merits of the case, tumbled -against him, and from this person he learned that the funeral was the -funeral of one Roger Cly. - -“Was he a spy?” asked Mr. Cruncher. - -“Old Bailey spy,” returned his informant. “Yaha! Tst! Yah! Old Bailey -Spi--i--ies!” - -“Why, to be sure!” exclaimed Jerry, recalling the Trial at which he had -assisted. “I've seen him. Dead, is he?” - -“Dead as mutton,” returned the other, “and can't be too dead. Have 'em -out, there! Spies! Pull 'em out, there! Spies!” - -The idea was so acceptable in the prevalent absence of any idea, -that the crowd caught it up with eagerness, and loudly repeating the -suggestion to have 'em out, and to pull 'em out, mobbed the two vehicles -so closely that they came to a stop. On the crowd's opening the coach -doors, the one mourner scuffled out by himself and was in their hands -for a moment; but he was so alert, and made such good use of his time, -that in another moment he was scouring away up a bye-street, after -shedding his cloak, hat, long hatband, white pocket-handkerchief, and -other symbolical tears. - -These, the people tore to pieces and scattered far and wide with great -enjoyment, while the tradesmen hurriedly shut up their shops; for a -crowd in those times stopped at nothing, and was a monster much dreaded. -They had already got the length of opening the hearse to take the coffin -out, when some brighter genius proposed instead, its being escorted to -its destination amidst general rejoicing. Practical suggestions being -much needed, this suggestion, too, was received with acclamation, and -the coach was immediately filled with eight inside and a dozen out, -while as many people got on the roof of the hearse as could by any -exercise of ingenuity stick upon it. Among the first of these volunteers -was Jerry Cruncher himself, who modestly concealed his spiky head from -the observation of Tellson's, in the further corner of the mourning -coach. - -The officiating undertakers made some protest against these changes in -the ceremonies; but, the river being alarmingly near, and several voices -remarking on the efficacy of cold immersion in bringing refractory -members of the profession to reason, the protest was faint and brief. -The remodelled procession started, with a chimney-sweep driving the -hearse--advised by the regular driver, who was perched beside him, under -close inspection, for the purpose--and with a pieman, also attended -by his cabinet minister, driving the mourning coach. A bear-leader, a -popular street character of the time, was impressed as an additional -ornament, before the cavalcade had gone far down the Strand; and his -bear, who was black and very mangy, gave quite an Undertaking air to -that part of the procession in which he walked. - -Thus, with beer-drinking, pipe-smoking, song-roaring, and infinite -caricaturing of woe, the disorderly procession went its way, recruiting -at every step, and all the shops shutting up before it. Its destination -was the old church of Saint Pancras, far off in the fields. It got there -in course of time; insisted on pouring into the burial-ground; finally, -accomplished the interment of the deceased Roger Cly in its own way, and -highly to its own satisfaction. - -The dead man disposed of, and the crowd being under the necessity of -providing some other entertainment for itself, another brighter -genius (or perhaps the same) conceived the humour of impeaching casual -passers-by, as Old Bailey spies, and wreaking vengeance on them. Chase -was given to some scores of inoffensive persons who had never been near -the Old Bailey in their lives, in the realisation of this fancy, and -they were roughly hustled and maltreated. The transition to the sport of -window-breaking, and thence to the plundering of public-houses, was easy -and natural. At last, after several hours, when sundry summer-houses had -been pulled down, and some area-railings had been torn up, to arm -the more belligerent spirits, a rumour got about that the Guards were -coming. Before this rumour, the crowd gradually melted away, and perhaps -the Guards came, and perhaps they never came, and this was the usual -progress of a mob. - -Mr. Cruncher did not assist at the closing sports, but had remained -behind in the churchyard, to confer and condole with the undertakers. -The place had a soothing influence on him. He procured a pipe from a -neighbouring public-house, and smoked it, looking in at the railings and -maturely considering the spot. - -“Jerry,” said Mr. Cruncher, apostrophising himself in his usual way, -“you see that there Cly that day, and you see with your own eyes that he -was a young 'un and a straight made 'un.” - -Having smoked his pipe out, and ruminated a little longer, he turned -himself about, that he might appear, before the hour of closing, on his -station at Tellson's. Whether his meditations on mortality had touched -his liver, or whether his general health had been previously at all -amiss, or whether he desired to show a little attention to an eminent -man, is not so much to the purpose, as that he made a short call upon -his medical adviser--a distinguished surgeon--on his way back. - -Young Jerry relieved his father with dutiful interest, and reported No -job in his absence. The bank closed, the ancient clerks came out, the -usual watch was set, and Mr. Cruncher and his son went home to tea. - -“Now, I tell you where it is!” said Mr. Cruncher to his wife, on -entering. “If, as a honest tradesman, my wenturs goes wrong to-night, I -shall make sure that you've been praying again me, and I shall work you -for it just the same as if I seen you do it.” - -The dejected Mrs. Cruncher shook her head. - -“Why, you're at it afore my face!” said Mr. Cruncher, with signs of -angry apprehension. - -“I am saying nothing.” - -“Well, then; don't meditate nothing. You might as well flop as meditate. -You may as well go again me one way as another. Drop it altogether.” - -“Yes, Jerry.” - -“Yes, Jerry,” repeated Mr. Cruncher sitting down to tea. “Ah! It _is_ -yes, Jerry. That's about it. You may say yes, Jerry.” - -Mr. Cruncher had no particular meaning in these sulky corroborations, -but made use of them, as people not unfrequently do, to express general -ironical dissatisfaction. - -“You and your yes, Jerry,” said Mr. Cruncher, taking a bite out of his -bread-and-butter, and seeming to help it down with a large invisible -oyster out of his saucer. “Ah! I think so. I believe you.” - -“You are going out to-night?” asked his decent wife, when he took -another bite. - -“Yes, I am.” - -“May I go with you, father?” asked his son, briskly. - -“No, you mayn't. I'm a going--as your mother knows--a fishing. That's -where I'm going to. Going a fishing.” - -“Your fishing-rod gets rayther rusty; don't it, father?” - -“Never you mind.” - -“Shall you bring any fish home, father?” - -“If I don't, you'll have short commons, to-morrow,” returned that -gentleman, shaking his head; “that's questions enough for you; I ain't a -going out, till you've been long abed.” - -He devoted himself during the remainder of the evening to keeping a -most vigilant watch on Mrs. Cruncher, and sullenly holding her in -conversation that she might be prevented from meditating any petitions -to his disadvantage. With this view, he urged his son to hold her in -conversation also, and led the unfortunate woman a hard life by dwelling -on any causes of complaint he could bring against her, rather than -he would leave her for a moment to her own reflections. The devoutest -person could have rendered no greater homage to the efficacy of an -honest prayer than he did in this distrust of his wife. It was as if a -professed unbeliever in ghosts should be frightened by a ghost story. - -“And mind you!” said Mr. Cruncher. “No games to-morrow! If I, as a -honest tradesman, succeed in providing a jinte of meat or two, none -of your not touching of it, and sticking to bread. If I, as a honest -tradesman, am able to provide a little beer, none of your declaring -on water. When you go to Rome, do as Rome does. Rome will be a ugly -customer to you, if you don't. _I_'m your Rome, you know.” - -Then he began grumbling again: - -“With your flying into the face of your own wittles and drink! I don't -know how scarce you mayn't make the wittles and drink here, by your -flopping tricks and your unfeeling conduct. Look at your boy: he _is_ -your'n, ain't he? He's as thin as a lath. Do you call yourself a mother, -and not know that a mother's first duty is to blow her boy out?” - -This touched Young Jerry on a tender place; who adjured his mother to -perform her first duty, and, whatever else she did or neglected, above -all things to lay especial stress on the discharge of that maternal -function so affectingly and delicately indicated by his other parent. - -Thus the evening wore away with the Cruncher family, until Young Jerry -was ordered to bed, and his mother, laid under similar injunctions, -obeyed them. Mr. Cruncher beguiled the earlier watches of the night with -solitary pipes, and did not start upon his excursion until nearly one -o'clock. Towards that small and ghostly hour, he rose up from his chair, -took a key out of his pocket, opened a locked cupboard, and brought -forth a sack, a crowbar of convenient size, a rope and chain, and other -fishing tackle of that nature. Disposing these articles about him -in skilful manner, he bestowed a parting defiance on Mrs. Cruncher, -extinguished the light, and went out. - -Young Jerry, who had only made a feint of undressing when he went to -bed, was not long after his father. Under cover of the darkness he -followed out of the room, followed down the stairs, followed down the -court, followed out into the streets. He was in no uneasiness concerning -his getting into the house again, for it was full of lodgers, and the -door stood ajar all night. - -Impelled by a laudable ambition to study the art and mystery of his -father's honest calling, Young Jerry, keeping as close to house fronts, -walls, and doorways, as his eyes were close to one another, held his -honoured parent in view. The honoured parent steering Northward, had not -gone far, when he was joined by another disciple of Izaak Walton, and -the two trudged on together. - -Within half an hour from the first starting, they were beyond the -winking lamps, and the more than winking watchmen, and were out upon a -lonely road. Another fisherman was picked up here--and that so silently, -that if Young Jerry had been superstitious, he might have supposed the -second follower of the gentle craft to have, all of a sudden, split -himself into two. - -The three went on, and Young Jerry went on, until the three stopped -under a bank overhanging the road. Upon the top of the bank was a low -brick wall, surmounted by an iron railing. In the shadow of bank and -wall the three turned out of the road, and up a blind lane, of which -the wall--there, risen to some eight or ten feet high--formed one side. -Crouching down in a corner, peeping up the lane, the next object that -Young Jerry saw, was the form of his honoured parent, pretty well -defined against a watery and clouded moon, nimbly scaling an iron gate. -He was soon over, and then the second fisherman got over, and then the -third. They all dropped softly on the ground within the gate, and lay -there a little--listening perhaps. Then, they moved away on their hands -and knees. - -It was now Young Jerry's turn to approach the gate: which he did, -holding his breath. Crouching down again in a corner there, and looking -in, he made out the three fishermen creeping through some rank grass! -and all the gravestones in the churchyard--it was a large churchyard -that they were in--looking on like ghosts in white, while the church -tower itself looked on like the ghost of a monstrous giant. They did not -creep far, before they stopped and stood upright. And then they began to -fish. - -They fished with a spade, at first. Presently the honoured parent -appeared to be adjusting some instrument like a great corkscrew. -Whatever tools they worked with, they worked hard, until the awful -striking of the church clock so terrified Young Jerry, that he made off, -with his hair as stiff as his father's. - -But, his long-cherished desire to know more about these matters, not -only stopped him in his running away, but lured him back again. They -were still fishing perseveringly, when he peeped in at the gate for -the second time; but, now they seemed to have got a bite. There was a -screwing and complaining sound down below, and their bent figures were -strained, as if by a weight. By slow degrees the weight broke away the -earth upon it, and came to the surface. Young Jerry very well knew what -it would be; but, when he saw it, and saw his honoured parent about to -wrench it open, he was so frightened, being new to the sight, that he -made off again, and never stopped until he had run a mile or more. - -He would not have stopped then, for anything less necessary than breath, -it being a spectral sort of race that he ran, and one highly desirable -to get to the end of. He had a strong idea that the coffin he had seen -was running after him; and, pictured as hopping on behind him, bolt -upright, upon its narrow end, always on the point of overtaking him -and hopping on at his side--perhaps taking his arm--it was a pursuer to -shun. It was an inconsistent and ubiquitous fiend too, for, while it -was making the whole night behind him dreadful, he darted out into the -roadway to avoid dark alleys, fearful of its coming hopping out of them -like a dropsical boy's kite without tail and wings. It hid in doorways -too, rubbing its horrible shoulders against doors, and drawing them up -to its ears, as if it were laughing. It got into shadows on the road, -and lay cunningly on its back to trip him up. All this time it was -incessantly hopping on behind and gaining on him, so that when the boy -got to his own door he had reason for being half dead. And even then -it would not leave him, but followed him upstairs with a bump on every -stair, scrambled into bed with him, and bumped down, dead and heavy, on -his breast when he fell asleep. - -From his oppressed slumber, Young Jerry in his closet was awakened after -daybreak and before sunrise, by the presence of his father in the -family room. Something had gone wrong with him; at least, so Young Jerry -inferred, from the circumstance of his holding Mrs. Cruncher by the -ears, and knocking the back of her head against the head-board of the -bed. - -“I told you I would,” said Mr. Cruncher, “and I did.” - -“Jerry, Jerry, Jerry!” his wife implored. - -“You oppose yourself to the profit of the business,” said Jerry, “and me -and my partners suffer. You was to honour and obey; why the devil don't -you?” - -“I try to be a good wife, Jerry,” the poor woman protested, with tears. - -“Is it being a good wife to oppose your husband's business? Is it -honouring your husband to dishonour his business? Is it obeying your -husband to disobey him on the wital subject of his business?” - -“You hadn't taken to the dreadful business then, Jerry.” - -“It's enough for you,” retorted Mr. Cruncher, “to be the wife of a -honest tradesman, and not to occupy your female mind with calculations -when he took to his trade or when he didn't. A honouring and obeying -wife would let his trade alone altogether. Call yourself a religious -woman? If you're a religious woman, give me a irreligious one! You have -no more nat'ral sense of duty than the bed of this here Thames river has -of a pile, and similarly it must be knocked into you.” - -The altercation was conducted in a low tone of voice, and terminated in -the honest tradesman's kicking off his clay-soiled boots, and lying down -at his length on the floor. After taking a timid peep at him lying on -his back, with his rusty hands under his head for a pillow, his son lay -down too, and fell asleep again. - -There was no fish for breakfast, and not much of anything else. Mr. -Cruncher was out of spirits, and out of temper, and kept an iron pot-lid -by him as a projectile for the correction of Mrs. Cruncher, in case -he should observe any symptoms of her saying Grace. He was brushed -and washed at the usual hour, and set off with his son to pursue his -ostensible calling. - -Young Jerry, walking with the stool under his arm at his father's side -along sunny and crowded Fleet-street, was a very different Young Jerry -from him of the previous night, running home through darkness and -solitude from his grim pursuer. His cunning was fresh with the day, -and his qualms were gone with the night--in which particulars it is not -improbable that he had compeers in Fleet-street and the City of London, -that fine morning. - -“Father,” said Young Jerry, as they walked along: taking care to keep -at arm's length and to have the stool well between them: “what's a -Resurrection-Man?” - -Mr. Cruncher came to a stop on the pavement before he answered, “How -should I know?” - -“I thought you knowed everything, father,” said the artless boy. - -“Hem! Well,” returned Mr. Cruncher, going on again, and lifting off his -hat to give his spikes free play, “he's a tradesman.” - -“What's his goods, father?” asked the brisk Young Jerry. - -“His goods,” said Mr. Cruncher, after turning it over in his mind, “is a -branch of Scientific goods.” - -“Persons' bodies, ain't it, father?” asked the lively boy. - -“I believe it is something of that sort,” said Mr. Cruncher. - -“Oh, father, I should so like to be a Resurrection-Man when I'm quite -growed up!” - -Mr. Cruncher was soothed, but shook his head in a dubious and moral way. -“It depends upon how you dewelop your talents. Be careful to dewelop -your talents, and never to say no more than you can help to nobody, and -there's no telling at the present time what you may not come to be fit -for.” As Young Jerry, thus encouraged, went on a few yards in advance, -to plant the stool in the shadow of the Bar, Mr. Cruncher added to -himself: “Jerry, you honest tradesman, there's hopes wot that boy will -yet be a blessing to you, and a recompense to you for his mother!” - - - - -XV. Knitting - - -There had been earlier drinking than usual in the wine-shop of Monsieur -Defarge. As early as six o'clock in the morning, sallow faces peeping -through its barred windows had descried other faces within, bending over -measures of wine. Monsieur Defarge sold a very thin wine at the best -of times, but it would seem to have been an unusually thin wine that -he sold at this time. A sour wine, moreover, or a souring, for its -influence on the mood of those who drank it was to make them gloomy. No -vivacious Bacchanalian flame leaped out of the pressed grape of Monsieur -Defarge: but, a smouldering fire that burnt in the dark, lay hidden in -the dregs of it. - -This had been the third morning in succession, on which there had been -early drinking at the wine-shop of Monsieur Defarge. It had begun -on Monday, and here was Wednesday come. There had been more of early -brooding than drinking; for, many men had listened and whispered and -slunk about there from the time of the opening of the door, who could -not have laid a piece of money on the counter to save their souls. These -were to the full as interested in the place, however, as if they could -have commanded whole barrels of wine; and they glided from seat to seat, -and from corner to corner, swallowing talk in lieu of drink, with greedy -looks. - -Notwithstanding an unusual flow of company, the master of the wine-shop -was not visible. He was not missed; for, nobody who crossed the -threshold looked for him, nobody asked for him, nobody wondered to see -only Madame Defarge in her seat, presiding over the distribution of -wine, with a bowl of battered small coins before her, as much defaced -and beaten out of their original impress as the small coinage of -humanity from whose ragged pockets they had come. - -A suspended interest and a prevalent absence of mind, were perhaps -observed by the spies who looked in at the wine-shop, as they looked in -at every place, high and low, from the king's palace to the criminal's -gaol. Games at cards languished, players at dominoes musingly built -towers with them, drinkers drew figures on the tables with spilt drops -of wine, Madame Defarge herself picked out the pattern on her sleeve -with her toothpick, and saw and heard something inaudible and invisible -a long way off. - -Thus, Saint Antoine in this vinous feature of his, until midday. It was -high noontide, when two dusty men passed through his streets and under -his swinging lamps: of whom, one was Monsieur Defarge: the other a -mender of roads in a blue cap. All adust and athirst, the two entered -the wine-shop. Their arrival had lighted a kind of fire in the breast -of Saint Antoine, fast spreading as they came along, which stirred and -flickered in flames of faces at most doors and windows. Yet, no one had -followed them, and no man spoke when they entered the wine-shop, though -the eyes of every man there were turned upon them. - -“Good day, gentlemen!” said Monsieur Defarge. - -It may have been a signal for loosening the general tongue. It elicited -an answering chorus of “Good day!” - -“It is bad weather, gentlemen,” said Defarge, shaking his head. - -Upon which, every man looked at his neighbour, and then all cast down -their eyes and sat silent. Except one man, who got up and went out. - -“My wife,” said Defarge aloud, addressing Madame Defarge: “I have -travelled certain leagues with this good mender of roads, called -Jacques. I met him--by accident--a day and half's journey out of Paris. -He is a good child, this mender of roads, called Jacques. Give him to -drink, my wife!” - -A second man got up and went out. Madame Defarge set wine before the -mender of roads called Jacques, who doffed his blue cap to the company, -and drank. In the breast of his blouse he carried some coarse dark -bread; he ate of this between whiles, and sat munching and drinking near -Madame Defarge's counter. A third man got up and went out. - -Defarge refreshed himself with a draught of wine--but, he took less -than was given to the stranger, as being himself a man to whom it was no -rarity--and stood waiting until the countryman had made his breakfast. -He looked at no one present, and no one now looked at him; not even -Madame Defarge, who had taken up her knitting, and was at work. - -“Have you finished your repast, friend?” he asked, in due season. - -“Yes, thank you.” - -“Come, then! You shall see the apartment that I told you you could -occupy. It will suit you to a marvel.” - -Out of the wine-shop into the street, out of the street into a -courtyard, out of the courtyard up a steep staircase, out of the -staircase into a garret--formerly the garret where a white-haired man -sat on a low bench, stooping forward and very busy, making shoes. - -No white-haired man was there now; but, the three men were there who had -gone out of the wine-shop singly. And between them and the white-haired -man afar off, was the one small link, that they had once looked in at -him through the chinks in the wall. - -Defarge closed the door carefully, and spoke in a subdued voice: - -“Jacques One, Jacques Two, Jacques Three! This is the witness -encountered by appointment, by me, Jacques Four. He will tell you all. -Speak, Jacques Five!” - -The mender of roads, blue cap in hand, wiped his swarthy forehead with -it, and said, “Where shall I commence, monsieur?” - -“Commence,” was Monsieur Defarge's not unreasonable reply, “at the -commencement.” - -“I saw him then, messieurs,” began the mender of roads, “a year ago this -running summer, underneath the carriage of the Marquis, hanging by the -chain. Behold the manner of it. I leaving my work on the road, the sun -going to bed, the carriage of the Marquis slowly ascending the hill, he -hanging by the chain--like this.” - -Again the mender of roads went through the whole performance; in which -he ought to have been perfect by that time, seeing that it had been -the infallible resource and indispensable entertainment of his village -during a whole year. - -Jacques One struck in, and asked if he had ever seen the man before? - -“Never,” answered the mender of roads, recovering his perpendicular. - -Jacques Three demanded how he afterwards recognised him then? - -“By his tall figure,” said the mender of roads, softly, and with his -finger at his nose. “When Monsieur the Marquis demands that evening, -'Say, what is he like?' I make response, 'Tall as a spectre.'” - -“You should have said, short as a dwarf,” returned Jacques Two. - -“But what did I know? The deed was not then accomplished, neither did he -confide in me. Observe! Under those circumstances even, I do not -offer my testimony. Monsieur the Marquis indicates me with his finger, -standing near our little fountain, and says, 'To me! Bring that rascal!' -My faith, messieurs, I offer nothing.” - -“He is right there, Jacques,” murmured Defarge, to him who had -interrupted. “Go on!” - -“Good!” said the mender of roads, with an air of mystery. “The tall man -is lost, and he is sought--how many months? Nine, ten, eleven?” - -“No matter, the number,” said Defarge. “He is well hidden, but at last -he is unluckily found. Go on!” - -“I am again at work upon the hill-side, and the sun is again about to -go to bed. I am collecting my tools to descend to my cottage down in the -village below, where it is already dark, when I raise my eyes, and see -coming over the hill six soldiers. In the midst of them is a tall man -with his arms bound--tied to his sides--like this!” - -With the aid of his indispensable cap, he represented a man with his -elbows bound fast at his hips, with cords that were knotted behind him. - -“I stand aside, messieurs, by my heap of stones, to see the soldiers -and their prisoner pass (for it is a solitary road, that, where any -spectacle is well worth looking at), and at first, as they approach, I -see no more than that they are six soldiers with a tall man bound, and -that they are almost black to my sight--except on the side of the sun -going to bed, where they have a red edge, messieurs. Also, I see that -their long shadows are on the hollow ridge on the opposite side of the -road, and are on the hill above it, and are like the shadows of giants. -Also, I see that they are covered with dust, and that the dust moves -with them as they come, tramp, tramp! But when they advance quite near -to me, I recognise the tall man, and he recognises me. Ah, but he would -be well content to precipitate himself over the hill-side once again, as -on the evening when he and I first encountered, close to the same spot!” - -He described it as if he were there, and it was evident that he saw it -vividly; perhaps he had not seen much in his life. - -“I do not show the soldiers that I recognise the tall man; he does not -show the soldiers that he recognises me; we do it, and we know it, with -our eyes. 'Come on!' says the chief of that company, pointing to the -village, 'bring him fast to his tomb!' and they bring him faster. I -follow. His arms are swelled because of being bound so tight, his wooden -shoes are large and clumsy, and he is lame. Because he is lame, and -consequently slow, they drive him with their guns--like this!” - -He imitated the action of a man's being impelled forward by the -butt-ends of muskets. - -“As they descend the hill like madmen running a race, he falls. They -laugh and pick him up again. His face is bleeding and covered with dust, -but he cannot touch it; thereupon they laugh again. They bring him into -the village; all the village runs to look; they take him past the mill, -and up to the prison; all the village sees the prison gate open in the -darkness of the night, and swallow him--like this!” - -He opened his mouth as wide as he could, and shut it with a sounding -snap of his teeth. Observant of his unwillingness to mar the effect by -opening it again, Defarge said, “Go on, Jacques.” - -“All the village,” pursued the mender of roads, on tiptoe and in a low -voice, “withdraws; all the village whispers by the fountain; all the -village sleeps; all the village dreams of that unhappy one, within the -locks and bars of the prison on the crag, and never to come out of it, -except to perish. In the morning, with my tools upon my shoulder, eating -my morsel of black bread as I go, I make a circuit by the prison, on -my way to my work. There I see him, high up, behind the bars of a lofty -iron cage, bloody and dusty as last night, looking through. He has no -hand free, to wave to me; I dare not call to him; he regards me like a -dead man.” - -Defarge and the three glanced darkly at one another. The looks of all -of them were dark, repressed, and revengeful, as they listened to the -countryman's story; the manner of all of them, while it was secret, was -authoritative too. They had the air of a rough tribunal; Jacques One -and Two sitting on the old pallet-bed, each with his chin resting on -his hand, and his eyes intent on the road-mender; Jacques Three, equally -intent, on one knee behind them, with his agitated hand always gliding -over the network of fine nerves about his mouth and nose; Defarge -standing between them and the narrator, whom he had stationed in the -light of the window, by turns looking from him to them, and from them to -him. - -“Go on, Jacques,” said Defarge. - -“He remains up there in his iron cage some days. The village looks -at him by stealth, for it is afraid. But it always looks up, from a -distance, at the prison on the crag; and in the evening, when the work -of the day is achieved and it assembles to gossip at the fountain, all -faces are turned towards the prison. Formerly, they were turned towards -the posting-house; now, they are turned towards the prison. They -whisper at the fountain, that although condemned to death he will not be -executed; they say that petitions have been presented in Paris, showing -that he was enraged and made mad by the death of his child; they say -that a petition has been presented to the King himself. What do I know? -It is possible. Perhaps yes, perhaps no.” - -“Listen then, Jacques,” Number One of that name sternly interposed. -“Know that a petition was presented to the King and Queen. All here, -yourself excepted, saw the King take it, in his carriage in the street, -sitting beside the Queen. It is Defarge whom you see here, who, at the -hazard of his life, darted out before the horses, with the petition in -his hand.” - -“And once again listen, Jacques!” said the kneeling Number Three: -his fingers ever wandering over and over those fine nerves, with a -strikingly greedy air, as if he hungered for something--that was neither -food nor drink; “the guard, horse and foot, surrounded the petitioner, -and struck him blows. You hear?” - -“I hear, messieurs.” - -“Go on then,” said Defarge. - -“Again; on the other hand, they whisper at the fountain,” resumed the -countryman, “that he is brought down into our country to be executed on -the spot, and that he will very certainly be executed. They even whisper -that because he has slain Monseigneur, and because Monseigneur was the -father of his tenants--serfs--what you will--he will be executed as a -parricide. One old man says at the fountain, that his right hand, armed -with the knife, will be burnt off before his face; that, into wounds -which will be made in his arms, his breast, and his legs, there will be -poured boiling oil, melted lead, hot resin, wax, and sulphur; finally, -that he will be torn limb from limb by four strong horses. That old man -says, all this was actually done to a prisoner who made an attempt on -the life of the late King, Louis Fifteen. But how do I know if he lies? -I am not a scholar.” - -“Listen once again then, Jacques!” said the man with the restless hand -and the craving air. “The name of that prisoner was Damiens, and it was -all done in open day, in the open streets of this city of Paris; and -nothing was more noticed in the vast concourse that saw it done, than -the crowd of ladies of quality and fashion, who were full of eager -attention to the last--to the last, Jacques, prolonged until nightfall, -when he had lost two legs and an arm, and still breathed! And it was -done--why, how old are you?” - -“Thirty-five,” said the mender of roads, who looked sixty. - -“It was done when you were more than ten years old; you might have seen -it.” - -“Enough!” said Defarge, with grim impatience. “Long live the Devil! Go -on.” - -“Well! Some whisper this, some whisper that; they speak of nothing else; -even the fountain appears to fall to that tune. At length, on Sunday -night when all the village is asleep, come soldiers, winding down from -the prison, and their guns ring on the stones of the little street. -Workmen dig, workmen hammer, soldiers laugh and sing; in the morning, by -the fountain, there is raised a gallows forty feet high, poisoning the -water.” - -The mender of roads looked _through_ rather than _at_ the low ceiling, -and pointed as if he saw the gallows somewhere in the sky. - -“All work is stopped, all assemble there, nobody leads the cows out, -the cows are there with the rest. At midday, the roll of drums. Soldiers -have marched into the prison in the night, and he is in the midst -of many soldiers. He is bound as before, and in his mouth there is -a gag--tied so, with a tight string, making him look almost as if he -laughed.” He suggested it, by creasing his face with his two thumbs, -from the corners of his mouth to his ears. “On the top of the gallows is -fixed the knife, blade upwards, with its point in the air. He is hanged -there forty feet high--and is left hanging, poisoning the water.” - -They looked at one another, as he used his blue cap to wipe his face, -on which the perspiration had started afresh while he recalled the -spectacle. - -“It is frightful, messieurs. How can the women and the children draw -water! Who can gossip of an evening, under that shadow! Under it, have -I said? When I left the village, Monday evening as the sun was going to -bed, and looked back from the hill, the shadow struck across the church, -across the mill, across the prison--seemed to strike across the earth, -messieurs, to where the sky rests upon it!” - -The hungry man gnawed one of his fingers as he looked at the other -three, and his finger quivered with the craving that was on him. - -“That's all, messieurs. I left at sunset (as I had been warned to do), -and I walked on, that night and half next day, until I met (as I was -warned I should) this comrade. With him, I came on, now riding and now -walking, through the rest of yesterday and through last night. And here -you see me!” - -After a gloomy silence, the first Jacques said, “Good! You have acted -and recounted faithfully. Will you wait for us a little, outside the -door?” - -“Very willingly,” said the mender of roads. Whom Defarge escorted to the -top of the stairs, and, leaving seated there, returned. - -The three had risen, and their heads were together when he came back to -the garret. - -“How say you, Jacques?” demanded Number One. “To be registered?” - -“To be registered, as doomed to destruction,” returned Defarge. - -“Magnificent!” croaked the man with the craving. - -“The chateau, and all the race?” inquired the first. - -“The chateau and all the race,” returned Defarge. “Extermination.” - -The hungry man repeated, in a rapturous croak, “Magnificent!” and began -gnawing another finger. - -“Are you sure,” asked Jacques Two, of Defarge, “that no embarrassment -can arise from our manner of keeping the register? Without doubt it is -safe, for no one beyond ourselves can decipher it; but shall we always -be able to decipher it--or, I ought to say, will she?” - -“Jacques,” returned Defarge, drawing himself up, “if madame my wife -undertook to keep the register in her memory alone, she would not lose -a word of it--not a syllable of it. Knitted, in her own stitches and her -own symbols, it will always be as plain to her as the sun. Confide in -Madame Defarge. It would be easier for the weakest poltroon that lives, -to erase himself from existence, than to erase one letter of his name or -crimes from the knitted register of Madame Defarge.” - -There was a murmur of confidence and approval, and then the man who -hungered, asked: “Is this rustic to be sent back soon? I hope so. He is -very simple; is he not a little dangerous?” - -“He knows nothing,” said Defarge; “at least nothing more than would -easily elevate himself to a gallows of the same height. I charge myself -with him; let him remain with me; I will take care of him, and set him -on his road. He wishes to see the fine world--the King, the Queen, and -Court; let him see them on Sunday.” - -“What?” exclaimed the hungry man, staring. “Is it a good sign, that he -wishes to see Royalty and Nobility?” - -“Jacques,” said Defarge; “judiciously show a cat milk, if you wish her -to thirst for it. Judiciously show a dog his natural prey, if you wish -him to bring it down one day.” - -Nothing more was said, and the mender of roads, being found already -dozing on the topmost stair, was advised to lay himself down on the -pallet-bed and take some rest. He needed no persuasion, and was soon -asleep. - -Worse quarters than Defarge's wine-shop, could easily have been found -in Paris for a provincial slave of that degree. Saving for a mysterious -dread of madame by which he was constantly haunted, his life was very -new and agreeable. But, madame sat all day at her counter, so expressly -unconscious of him, and so particularly determined not to perceive that -his being there had any connection with anything below the surface, that -he shook in his wooden shoes whenever his eye lighted on her. For, he -contended with himself that it was impossible to foresee what that lady -might pretend next; and he felt assured that if she should take it -into her brightly ornamented head to pretend that she had seen him do a -murder and afterwards flay the victim, she would infallibly go through -with it until the play was played out. - -Therefore, when Sunday came, the mender of roads was not enchanted -(though he said he was) to find that madame was to accompany monsieur -and himself to Versailles. It was additionally disconcerting to have -madame knitting all the way there, in a public conveyance; it was -additionally disconcerting yet, to have madame in the crowd in the -afternoon, still with her knitting in her hands as the crowd waited to -see the carriage of the King and Queen. - -“You work hard, madame,” said a man near her. - -“Yes,” answered Madame Defarge; “I have a good deal to do.” - -“What do you make, madame?” - -“Many things.” - -“For instance--” - -“For instance,” returned Madame Defarge, composedly, “shrouds.” - -The man moved a little further away, as soon as he could, and the mender -of roads fanned himself with his blue cap: feeling it mightily close -and oppressive. If he needed a King and Queen to restore him, he was -fortunate in having his remedy at hand; for, soon the large-faced King -and the fair-faced Queen came in their golden coach, attended by the -shining Bull's Eye of their Court, a glittering multitude of laughing -ladies and fine lords; and in jewels and silks and powder and splendour -and elegantly spurning figures and handsomely disdainful faces of both -sexes, the mender of roads bathed himself, so much to his temporary -intoxication, that he cried Long live the King, Long live the Queen, -Long live everybody and everything! as if he had never heard of -ubiquitous Jacques in his time. Then, there were gardens, courtyards, -terraces, fountains, green banks, more King and Queen, more Bull's Eye, -more lords and ladies, more Long live they all! until he absolutely wept -with sentiment. During the whole of this scene, which lasted some three -hours, he had plenty of shouting and weeping and sentimental company, -and throughout Defarge held him by the collar, as if to restrain him -from flying at the objects of his brief devotion and tearing them to -pieces. - -“Bravo!” said Defarge, clapping him on the back when it was over, like a -patron; “you are a good boy!” - -The mender of roads was now coming to himself, and was mistrustful of -having made a mistake in his late demonstrations; but no. - -“You are the fellow we want,” said Defarge, in his ear; “you make -these fools believe that it will last for ever. Then, they are the more -insolent, and it is the nearer ended.” - -“Hey!” cried the mender of roads, reflectively; “that's true.” - -“These fools know nothing. While they despise your breath, and would -stop it for ever and ever, in you or in a hundred like you rather than -in one of their own horses or dogs, they only know what your breath -tells them. Let it deceive them, then, a little longer; it cannot -deceive them too much.” - -Madame Defarge looked superciliously at the client, and nodded in -confirmation. - -“As to you,” said she, “you would shout and shed tears for anything, if -it made a show and a noise. Say! Would you not?” - -“Truly, madame, I think so. For the moment.” - -“If you were shown a great heap of dolls, and were set upon them to -pluck them to pieces and despoil them for your own advantage, you would -pick out the richest and gayest. Say! Would you not?” - -“Truly yes, madame.” - -“Yes. And if you were shown a flock of birds, unable to fly, and were -set upon them to strip them of their feathers for your own advantage, -you would set upon the birds of the finest feathers; would you not?” - -“It is true, madame.” - -“You have seen both dolls and birds to-day,” said Madame Defarge, with -a wave of her hand towards the place where they had last been apparent; -“now, go home!” - - - - -XVI. Still Knitting - - -Madame Defarge and monsieur her husband returned amicably to the -bosom of Saint Antoine, while a speck in a blue cap toiled through the -darkness, and through the dust, and down the weary miles of avenue by -the wayside, slowly tending towards that point of the compass where -the chateau of Monsieur the Marquis, now in his grave, listened to -the whispering trees. Such ample leisure had the stone faces, now, -for listening to the trees and to the fountain, that the few village -scarecrows who, in their quest for herbs to eat and fragments of dead -stick to burn, strayed within sight of the great stone courtyard and -terrace staircase, had it borne in upon their starved fancy that -the expression of the faces was altered. A rumour just lived in the -village--had a faint and bare existence there, as its people had--that -when the knife struck home, the faces changed, from faces of pride to -faces of anger and pain; also, that when that dangling figure was hauled -up forty feet above the fountain, they changed again, and bore a cruel -look of being avenged, which they would henceforth bear for ever. In the -stone face over the great window of the bed-chamber where the murder -was done, two fine dints were pointed out in the sculptured nose, which -everybody recognised, and which nobody had seen of old; and on the -scarce occasions when two or three ragged peasants emerged from the -crowd to take a hurried peep at Monsieur the Marquis petrified, a -skinny finger would not have pointed to it for a minute, before they all -started away among the moss and leaves, like the more fortunate hares -who could find a living there. - -Chateau and hut, stone face and dangling figure, the red stain on the -stone floor, and the pure water in the village well--thousands of acres -of land--a whole province of France--all France itself--lay under the -night sky, concentrated into a faint hair-breadth line. So does a whole -world, with all its greatnesses and littlenesses, lie in a twinkling -star. And as mere human knowledge can split a ray of light and analyse -the manner of its composition, so, sublimer intelligences may read in -the feeble shining of this earth of ours, every thought and act, every -vice and virtue, of every responsible creature on it. - -The Defarges, husband and wife, came lumbering under the starlight, -in their public vehicle, to that gate of Paris whereunto their -journey naturally tended. There was the usual stoppage at the barrier -guardhouse, and the usual lanterns came glancing forth for the usual -examination and inquiry. Monsieur Defarge alighted; knowing one or two -of the soldiery there, and one of the police. The latter he was intimate -with, and affectionately embraced. - -When Saint Antoine had again enfolded the Defarges in his dusky wings, -and they, having finally alighted near the Saint's boundaries, were -picking their way on foot through the black mud and offal of his -streets, Madame Defarge spoke to her husband: - -“Say then, my friend; what did Jacques of the police tell thee?” - -“Very little to-night, but all he knows. There is another spy -commissioned for our quarter. There may be many more, for all that he -can say, but he knows of one.” - -“Eh well!” said Madame Defarge, raising her eyebrows with a cool -business air. “It is necessary to register him. How do they call that -man?” - -“He is English.” - -“So much the better. His name?” - -“Barsad,” said Defarge, making it French by pronunciation. But, he had -been so careful to get it accurately, that he then spelt it with perfect -correctness. - -“Barsad,” repeated madame. “Good. Christian name?” - -“John.” - -“John Barsad,” repeated madame, after murmuring it once to herself. -“Good. His appearance; is it known?” - -“Age, about forty years; height, about five feet nine; black hair; -complexion dark; generally, rather handsome visage; eyes dark, face -thin, long, and sallow; nose aquiline, but not straight, having a -peculiar inclination towards the left cheek; expression, therefore, -sinister.” - -“Eh my faith. It is a portrait!” said madame, laughing. “He shall be -registered to-morrow.” - -They turned into the wine-shop, which was closed (for it was midnight), -and where Madame Defarge immediately took her post at her desk, counted -the small moneys that had been taken during her absence, examined the -stock, went through the entries in the book, made other entries of -her own, checked the serving man in every possible way, and finally -dismissed him to bed. Then she turned out the contents of the bowl -of money for the second time, and began knotting them up in her -handkerchief, in a chain of separate knots, for safe keeping through the -night. All this while, Defarge, with his pipe in his mouth, walked -up and down, complacently admiring, but never interfering; in which -condition, indeed, as to the business and his domestic affairs, he -walked up and down through life. - -The night was hot, and the shop, close shut and surrounded by so foul a -neighbourhood, was ill-smelling. Monsieur Defarge's olfactory sense was -by no means delicate, but the stock of wine smelt much stronger than -it ever tasted, and so did the stock of rum and brandy and aniseed. He -whiffed the compound of scents away, as he put down his smoked-out pipe. - -“You are fatigued,” said madame, raising her glance as she knotted the -money. “There are only the usual odours.” - -“I am a little tired,” her husband acknowledged. - -“You are a little depressed, too,” said madame, whose quick eyes had -never been so intent on the accounts, but they had had a ray or two for -him. “Oh, the men, the men!” - -“But my dear!” began Defarge. - -“But my dear!” repeated madame, nodding firmly; “but my dear! You are -faint of heart to-night, my dear!” - -“Well, then,” said Defarge, as if a thought were wrung out of his -breast, “it _is_ a long time.” - -“It is a long time,” repeated his wife; “and when is it not a long time? -Vengeance and retribution require a long time; it is the rule.” - -“It does not take a long time to strike a man with Lightning,” said -Defarge. - -“How long,” demanded madame, composedly, “does it take to make and store -the lightning? Tell me.” - -Defarge raised his head thoughtfully, as if there were something in that -too. - -“It does not take a long time,” said madame, “for an earthquake to -swallow a town. Eh well! Tell me how long it takes to prepare the -earthquake?” - -“A long time, I suppose,” said Defarge. - -“But when it is ready, it takes place, and grinds to pieces everything -before it. In the meantime, it is always preparing, though it is not -seen or heard. That is your consolation. Keep it.” - -She tied a knot with flashing eyes, as if it throttled a foe. - -“I tell thee,” said madame, extending her right hand, for emphasis, -“that although it is a long time on the road, it is on the road and -coming. I tell thee it never retreats, and never stops. I tell thee it -is always advancing. Look around and consider the lives of all the world -that we know, consider the faces of all the world that we know, consider -the rage and discontent to which the Jacquerie addresses itself with -more and more of certainty every hour. Can such things last? Bah! I mock -you.” - -“My brave wife,” returned Defarge, standing before her with his head -a little bent, and his hands clasped at his back, like a docile and -attentive pupil before his catechist, “I do not question all this. But -it has lasted a long time, and it is possible--you know well, my wife, -it is possible--that it may not come, during our lives.” - -“Eh well! How then?” demanded madame, tying another knot, as if there -were another enemy strangled. - -“Well!” said Defarge, with a half complaining and half apologetic shrug. -“We shall not see the triumph.” - -“We shall have helped it,” returned madame, with her extended hand in -strong action. “Nothing that we do, is done in vain. I believe, with all -my soul, that we shall see the triumph. But even if not, even if I knew -certainly not, show me the neck of an aristocrat and tyrant, and still I -would--” - -Then madame, with her teeth set, tied a very terrible knot indeed. - -“Hold!” cried Defarge, reddening a little as if he felt charged with -cowardice; “I too, my dear, will stop at nothing.” - -“Yes! But it is your weakness that you sometimes need to see your victim -and your opportunity, to sustain you. Sustain yourself without that. -When the time comes, let loose a tiger and a devil; but wait for the -time with the tiger and the devil chained--not shown--yet always ready.” - -Madame enforced the conclusion of this piece of advice by striking her -little counter with her chain of money as if she knocked its brains -out, and then gathering the heavy handkerchief under her arm in a serene -manner, and observing that it was time to go to bed. - -Next noontide saw the admirable woman in her usual place in the -wine-shop, knitting away assiduously. A rose lay beside her, and if she -now and then glanced at the flower, it was with no infraction of her -usual preoccupied air. There were a few customers, drinking or not -drinking, standing or seated, sprinkled about. The day was very hot, -and heaps of flies, who were extending their inquisitive and adventurous -perquisitions into all the glutinous little glasses near madame, fell -dead at the bottom. Their decease made no impression on the other flies -out promenading, who looked at them in the coolest manner (as if they -themselves were elephants, or something as far removed), until they met -the same fate. Curious to consider how heedless flies are!--perhaps they -thought as much at Court that sunny summer day. - -A figure entering at the door threw a shadow on Madame Defarge which she -felt to be a new one. She laid down her knitting, and began to pin her -rose in her head-dress, before she looked at the figure. - -It was curious. The moment Madame Defarge took up the rose, the -customers ceased talking, and began gradually to drop out of the -wine-shop. - -“Good day, madame,” said the new-comer. - -“Good day, monsieur.” - -She said it aloud, but added to herself, as she resumed her knitting: -“Hah! Good day, age about forty, height about five feet nine, black -hair, generally rather handsome visage, complexion dark, eyes dark, -thin, long and sallow face, aquiline nose but not straight, having a -peculiar inclination towards the left cheek which imparts a sinister -expression! Good day, one and all!” - -“Have the goodness to give me a little glass of old cognac, and a -mouthful of cool fresh water, madame.” - -Madame complied with a polite air. - -“Marvellous cognac this, madame!” - -It was the first time it had ever been so complimented, and Madame -Defarge knew enough of its antecedents to know better. She said, -however, that the cognac was flattered, and took up her knitting. The -visitor watched her fingers for a few moments, and took the opportunity -of observing the place in general. - -“You knit with great skill, madame.” - -“I am accustomed to it.” - -“A pretty pattern too!” - -“_You_ think so?” said madame, looking at him with a smile. - -“Decidedly. May one ask what it is for?” - -“Pastime,” said madame, still looking at him with a smile while her -fingers moved nimbly. - -“Not for use?” - -“That depends. I may find a use for it one day. If I do--Well,” said -madame, drawing a breath and nodding her head with a stern kind of -coquetry, “I'll use it!” - -It was remarkable; but, the taste of Saint Antoine seemed to be -decidedly opposed to a rose on the head-dress of Madame Defarge. Two -men had entered separately, and had been about to order drink, when, -catching sight of that novelty, they faltered, made a pretence of -looking about as if for some friend who was not there, and went away. -Nor, of those who had been there when this visitor entered, was there -one left. They had all dropped off. The spy had kept his eyes open, -but had been able to detect no sign. They had lounged away in a -poverty-stricken, purposeless, accidental manner, quite natural and -unimpeachable. - -“_John_,” thought madame, checking off her work as her fingers knitted, -and her eyes looked at the stranger. “Stay long enough, and I shall knit -'BARSAD' before you go.” - -“You have a husband, madame?” - -“I have.” - -“Children?” - -“No children.” - -“Business seems bad?” - -“Business is very bad; the people are so poor.” - -“Ah, the unfortunate, miserable people! So oppressed, too--as you say.” - -“As _you_ say,” madame retorted, correcting him, and deftly knitting an -extra something into his name that boded him no good. - -“Pardon me; certainly it was I who said so, but you naturally think so. -Of course.” - -“_I_ think?” returned madame, in a high voice. “I and my husband have -enough to do to keep this wine-shop open, without thinking. All we -think, here, is how to live. That is the subject _we_ think of, and -it gives us, from morning to night, enough to think about, without -embarrassing our heads concerning others. _I_ think for others? No, no.” - -The spy, who was there to pick up any crumbs he could find or make, did -not allow his baffled state to express itself in his sinister face; but, -stood with an air of gossiping gallantry, leaning his elbow on Madame -Defarge's little counter, and occasionally sipping his cognac. - -“A bad business this, madame, of Gaspard's execution. Ah! the poor -Gaspard!” With a sigh of great compassion. - -“My faith!” returned madame, coolly and lightly, “if people use knives -for such purposes, they have to pay for it. He knew beforehand what the -price of his luxury was; he has paid the price.” - -“I believe,” said the spy, dropping his soft voice to a tone -that invited confidence, and expressing an injured revolutionary -susceptibility in every muscle of his wicked face: “I believe there -is much compassion and anger in this neighbourhood, touching the poor -fellow? Between ourselves.” - -“Is there?” asked madame, vacantly. - -“Is there not?” - -“--Here is my husband!” said Madame Defarge. - -As the keeper of the wine-shop entered at the door, the spy saluted -him by touching his hat, and saying, with an engaging smile, “Good day, -Jacques!” Defarge stopped short, and stared at him. - -“Good day, Jacques!” the spy repeated; with not quite so much -confidence, or quite so easy a smile under the stare. - -“You deceive yourself, monsieur,” returned the keeper of the wine-shop. -“You mistake me for another. That is not my name. I am Ernest Defarge.” - -“It is all the same,” said the spy, airily, but discomfited too: “good -day!” - -“Good day!” answered Defarge, drily. - -“I was saying to madame, with whom I had the pleasure of chatting when -you entered, that they tell me there is--and no wonder!--much sympathy -and anger in Saint Antoine, touching the unhappy fate of poor Gaspard.” - -“No one has told me so,” said Defarge, shaking his head. “I know nothing -of it.” - -Having said it, he passed behind the little counter, and stood with his -hand on the back of his wife's chair, looking over that barrier at the -person to whom they were both opposed, and whom either of them would -have shot with the greatest satisfaction. - -The spy, well used to his business, did not change his unconscious -attitude, but drained his little glass of cognac, took a sip of fresh -water, and asked for another glass of cognac. Madame Defarge poured it -out for him, took to her knitting again, and hummed a little song over -it. - -“You seem to know this quarter well; that is to say, better than I do?” - observed Defarge. - -“Not at all, but I hope to know it better. I am so profoundly interested -in its miserable inhabitants.” - -“Hah!” muttered Defarge. - -“The pleasure of conversing with you, Monsieur Defarge, recalls to me,” - pursued the spy, “that I have the honour of cherishing some interesting -associations with your name.” - -“Indeed!” said Defarge, with much indifference. - -“Yes, indeed. When Doctor Manette was released, you, his old domestic, -had the charge of him, I know. He was delivered to you. You see I am -informed of the circumstances?” - -“Such is the fact, certainly,” said Defarge. He had had it conveyed -to him, in an accidental touch of his wife's elbow as she knitted and -warbled, that he would do best to answer, but always with brevity. - -“It was to you,” said the spy, “that his daughter came; and it was -from your care that his daughter took him, accompanied by a neat brown -monsieur; how is he called?--in a little wig--Lorry--of the bank of -Tellson and Company--over to England.” - -“Such is the fact,” repeated Defarge. - -“Very interesting remembrances!” said the spy. “I have known Doctor -Manette and his daughter, in England.” - -“Yes?” said Defarge. - -“You don't hear much about them now?” said the spy. - -“No,” said Defarge. - -“In effect,” madame struck in, looking up from her work and her little -song, “we never hear about them. We received the news of their safe -arrival, and perhaps another letter, or perhaps two; but, since then, -they have gradually taken their road in life--we, ours--and we have held -no correspondence.” - -“Perfectly so, madame,” replied the spy. “She is going to be married.” - -“Going?” echoed madame. “She was pretty enough to have been married long -ago. You English are cold, it seems to me.” - -“Oh! You know I am English.” - -“I perceive your tongue is,” returned madame; “and what the tongue is, I -suppose the man is.” - -He did not take the identification as a compliment; but he made the best -of it, and turned it off with a laugh. After sipping his cognac to the -end, he added: - -“Yes, Miss Manette is going to be married. But not to an Englishman; to -one who, like herself, is French by birth. And speaking of Gaspard (ah, -poor Gaspard! It was cruel, cruel!), it is a curious thing that she is -going to marry the nephew of Monsieur the Marquis, for whom Gaspard -was exalted to that height of so many feet; in other words, the present -Marquis. But he lives unknown in England, he is no Marquis there; he is -Mr. Charles Darnay. D'Aulnais is the name of his mother's family.” - -Madame Defarge knitted steadily, but the intelligence had a palpable -effect upon her husband. Do what he would, behind the little counter, -as to the striking of a light and the lighting of his pipe, he was -troubled, and his hand was not trustworthy. The spy would have been no -spy if he had failed to see it, or to record it in his mind. - -Having made, at least, this one hit, whatever it might prove to be -worth, and no customers coming in to help him to any other, Mr. Barsad -paid for what he had drunk, and took his leave: taking occasion to say, -in a genteel manner, before he departed, that he looked forward to the -pleasure of seeing Monsieur and Madame Defarge again. For some minutes -after he had emerged into the outer presence of Saint Antoine, the -husband and wife remained exactly as he had left them, lest he should -come back. - -“Can it be true,” said Defarge, in a low voice, looking down at his wife -as he stood smoking with his hand on the back of her chair: “what he has -said of Ma'amselle Manette?” - -“As he has said it,” returned madame, lifting her eyebrows a little, “it -is probably false. But it may be true.” - -“If it is--” Defarge began, and stopped. - -“If it is?” repeated his wife. - -“--And if it does come, while we live to see it triumph--I hope, for her -sake, Destiny will keep her husband out of France.” - -“Her husband's destiny,” said Madame Defarge, with her usual composure, -“will take him where he is to go, and will lead him to the end that is -to end him. That is all I know.” - -“But it is very strange--now, at least, is it not very strange”--said -Defarge, rather pleading with his wife to induce her to admit it, -“that, after all our sympathy for Monsieur her father, and herself, her -husband's name should be proscribed under your hand at this moment, by -the side of that infernal dog's who has just left us?” - -“Stranger things than that will happen when it does come,” answered -madame. “I have them both here, of a certainty; and they are both here -for their merits; that is enough.” - -She rolled up her knitting when she had said those words, and presently -took the rose out of the handkerchief that was wound about her head. -Either Saint Antoine had an instinctive sense that the objectionable -decoration was gone, or Saint Antoine was on the watch for its -disappearance; howbeit, the Saint took courage to lounge in, very -shortly afterwards, and the wine-shop recovered its habitual aspect. - -In the evening, at which season of all others Saint Antoine turned -himself inside out, and sat on door-steps and window-ledges, and came -to the corners of vile streets and courts, for a breath of air, Madame -Defarge with her work in her hand was accustomed to pass from place -to place and from group to group: a Missionary--there were many like -her--such as the world will do well never to breed again. All the women -knitted. They knitted worthless things; but, the mechanical work was a -mechanical substitute for eating and drinking; the hands moved for the -jaws and the digestive apparatus: if the bony fingers had been still, -the stomachs would have been more famine-pinched. - -But, as the fingers went, the eyes went, and the thoughts. And as Madame -Defarge moved on from group to group, all three went quicker and fiercer -among every little knot of women that she had spoken with, and left -behind. - -Her husband smoked at his door, looking after her with admiration. “A -great woman,” said he, “a strong woman, a grand woman, a frightfully -grand woman!” - -Darkness closed around, and then came the ringing of church bells and -the distant beating of the military drums in the Palace Courtyard, as -the women sat knitting, knitting. Darkness encompassed them. Another -darkness was closing in as surely, when the church bells, then ringing -pleasantly in many an airy steeple over France, should be melted into -thundering cannon; when the military drums should be beating to drown a -wretched voice, that night all potent as the voice of Power and Plenty, -Freedom and Life. So much was closing in about the women who sat -knitting, knitting, that they their very selves were closing in around -a structure yet unbuilt, where they were to sit knitting, knitting, -counting dropping heads. - - - - -XVII. One Night - - -Never did the sun go down with a brighter glory on the quiet corner in -Soho, than one memorable evening when the Doctor and his daughter sat -under the plane-tree together. Never did the moon rise with a milder -radiance over great London, than on that night when it found them still -seated under the tree, and shone upon their faces through its leaves. - -Lucie was to be married to-morrow. She had reserved this last evening -for her father, and they sat alone under the plane-tree. - -“You are happy, my dear father?” - -“Quite, my child.” - -They had said little, though they had been there a long time. When it -was yet light enough to work and read, she had neither engaged herself -in her usual work, nor had she read to him. She had employed herself in -both ways, at his side under the tree, many and many a time; but, this -time was not quite like any other, and nothing could make it so. - -“And I am very happy to-night, dear father. I am deeply happy in the -love that Heaven has so blessed--my love for Charles, and Charles's love -for me. But, if my life were not to be still consecrated to you, or -if my marriage were so arranged as that it would part us, even by -the length of a few of these streets, I should be more unhappy and -self-reproachful now than I can tell you. Even as it is--” - -Even as it was, she could not command her voice. - -In the sad moonlight, she clasped him by the neck, and laid her face -upon his breast. In the moonlight which is always sad, as the light of -the sun itself is--as the light called human life is--at its coming and -its going. - -“Dearest dear! Can you tell me, this last time, that you feel quite, -quite sure, no new affections of mine, and no new duties of mine, will -ever interpose between us? _I_ know it well, but do you know it? In your -own heart, do you feel quite certain?” - -Her father answered, with a cheerful firmness of conviction he could -scarcely have assumed, “Quite sure, my darling! More than that,” he -added, as he tenderly kissed her: “my future is far brighter, Lucie, -seen through your marriage, than it could have been--nay, than it ever -was--without it.” - -“If I could hope _that_, my father!--” - -“Believe it, love! Indeed it is so. Consider how natural and how plain -it is, my dear, that it should be so. You, devoted and young, cannot -fully appreciate the anxiety I have felt that your life should not be -wasted--” - -She moved her hand towards his lips, but he took it in his, and repeated -the word. - -“--wasted, my child--should not be wasted, struck aside from the -natural order of things--for my sake. Your unselfishness cannot entirely -comprehend how much my mind has gone on this; but, only ask yourself, -how could my happiness be perfect, while yours was incomplete?” - -“If I had never seen Charles, my father, I should have been quite happy -with you.” - -He smiled at her unconscious admission that she would have been unhappy -without Charles, having seen him; and replied: - -“My child, you did see him, and it is Charles. If it had not been -Charles, it would have been another. Or, if it had been no other, I -should have been the cause, and then the dark part of my life would have -cast its shadow beyond myself, and would have fallen on you.” - -It was the first time, except at the trial, of her ever hearing him -refer to the period of his suffering. It gave her a strange and new -sensation while his words were in her ears; and she remembered it long -afterwards. - -“See!” said the Doctor of Beauvais, raising his hand towards the moon. -“I have looked at her from my prison-window, when I could not bear her -light. I have looked at her when it has been such torture to me to think -of her shining upon what I had lost, that I have beaten my head against -my prison-walls. I have looked at her, in a state so dull and lethargic, -that I have thought of nothing but the number of horizontal lines I -could draw across her at the full, and the number of perpendicular lines -with which I could intersect them.” He added in his inward and pondering -manner, as he looked at the moon, “It was twenty either way, I remember, -and the twentieth was difficult to squeeze in.” - -The strange thrill with which she heard him go back to that time, -deepened as he dwelt upon it; but, there was nothing to shock her in -the manner of his reference. He only seemed to contrast his present -cheerfulness and felicity with the dire endurance that was over. - -“I have looked at her, speculating thousands of times upon the unborn -child from whom I had been rent. Whether it was alive. Whether it had -been born alive, or the poor mother's shock had killed it. Whether it -was a son who would some day avenge his father. (There was a time in my -imprisonment, when my desire for vengeance was unbearable.) Whether it -was a son who would never know his father's story; who might even live -to weigh the possibility of his father's having disappeared of his own -will and act. Whether it was a daughter who would grow to be a woman.” - -She drew closer to him, and kissed his cheek and his hand. - -“I have pictured my daughter, to myself, as perfectly forgetful of -me--rather, altogether ignorant of me, and unconscious of me. I have -cast up the years of her age, year after year. I have seen her married -to a man who knew nothing of my fate. I have altogether perished from -the remembrance of the living, and in the next generation my place was a -blank.” - -“My father! Even to hear that you had such thoughts of a daughter who -never existed, strikes to my heart as if I had been that child.” - -“You, Lucie? It is out of the Consolation and restoration you have -brought to me, that these remembrances arise, and pass between us and -the moon on this last night.--What did I say just now?” - -“She knew nothing of you. She cared nothing for you.” - -“So! But on other moonlight nights, when the sadness and the silence -have touched me in a different way--have affected me with something as -like a sorrowful sense of peace, as any emotion that had pain for its -foundations could--I have imagined her as coming to me in my cell, and -leading me out into the freedom beyond the fortress. I have seen her -image in the moonlight often, as I now see you; except that I never held -her in my arms; it stood between the little grated window and the door. -But, you understand that that was not the child I am speaking of?” - -“The figure was not; the--the--image; the fancy?” - -“No. That was another thing. It stood before my disturbed sense of -sight, but it never moved. The phantom that my mind pursued, was another -and more real child. Of her outward appearance I know no more than -that she was like her mother. The other had that likeness too--as you -have--but was not the same. Can you follow me, Lucie? Hardly, I think? -I doubt you must have been a solitary prisoner to understand these -perplexed distinctions.” - -His collected and calm manner could not prevent her blood from running -cold, as he thus tried to anatomise his old condition. - -“In that more peaceful state, I have imagined her, in the moonlight, -coming to me and taking me out to show me that the home of her married -life was full of her loving remembrance of her lost father. My picture -was in her room, and I was in her prayers. Her life was active, -cheerful, useful; but my poor history pervaded it all.” - -“I was that child, my father, I was not half so good, but in my love -that was I.” - -“And she showed me her children,” said the Doctor of Beauvais, “and -they had heard of me, and had been taught to pity me. When they passed -a prison of the State, they kept far from its frowning walls, and looked -up at its bars, and spoke in whispers. She could never deliver me; I -imagined that she always brought me back after showing me such things. -But then, blessed with the relief of tears, I fell upon my knees, and -blessed her.” - -“I am that child, I hope, my father. O my dear, my dear, will you bless -me as fervently to-morrow?” - -“Lucie, I recall these old troubles in the reason that I have to-night -for loving you better than words can tell, and thanking God for my great -happiness. My thoughts, when they were wildest, never rose near the -happiness that I have known with you, and that we have before us.” - -He embraced her, solemnly commended her to Heaven, and humbly thanked -Heaven for having bestowed her on him. By-and-bye, they went into the -house. - -There was no one bidden to the marriage but Mr. Lorry; there was even to -be no bridesmaid but the gaunt Miss Pross. The marriage was to make no -change in their place of residence; they had been able to extend it, -by taking to themselves the upper rooms formerly belonging to the -apocryphal invisible lodger, and they desired nothing more. - -Doctor Manette was very cheerful at the little supper. They were only -three at table, and Miss Pross made the third. He regretted that Charles -was not there; was more than half disposed to object to the loving -little plot that kept him away; and drank to him affectionately. - -So, the time came for him to bid Lucie good night, and they separated. -But, in the stillness of the third hour of the morning, Lucie came -downstairs again, and stole into his room; not free from unshaped fears, -beforehand. - -All things, however, were in their places; all was quiet; and he lay -asleep, his white hair picturesque on the untroubled pillow, and his -hands lying quiet on the coverlet. She put her needless candle in the -shadow at a distance, crept up to his bed, and put her lips to his; -then, leaned over him, and looked at him. - -Into his handsome face, the bitter waters of captivity had worn; but, he -covered up their tracks with a determination so strong, that he held the -mastery of them even in his sleep. A more remarkable face in its quiet, -resolute, and guarded struggle with an unseen assailant, was not to be -beheld in all the wide dominions of sleep, that night. - -She timidly laid her hand on his dear breast, and put up a prayer that -she might ever be as true to him as her love aspired to be, and as his -sorrows deserved. Then, she withdrew her hand, and kissed his lips once -more, and went away. So, the sunrise came, and the shadows of the leaves -of the plane-tree moved upon his face, as softly as her lips had moved -in praying for him. - - - - -XVIII. Nine Days - - -The marriage-day was shining brightly, and they were ready outside the -closed door of the Doctor's room, where he was speaking with Charles -Darnay. They were ready to go to church; the beautiful bride, Mr. -Lorry, and Miss Pross--to whom the event, through a gradual process of -reconcilement to the inevitable, would have been one of absolute bliss, -but for the yet lingering consideration that her brother Solomon should -have been the bridegroom. - -“And so,” said Mr. Lorry, who could not sufficiently admire the bride, -and who had been moving round her to take in every point of her quiet, -pretty dress; “and so it was for this, my sweet Lucie, that I brought -you across the Channel, such a baby! Lord bless me! How little I thought -what I was doing! How lightly I valued the obligation I was conferring -on my friend Mr. Charles!” - -“You didn't mean it,” remarked the matter-of-fact Miss Pross, “and -therefore how could you know it? Nonsense!” - -“Really? Well; but don't cry,” said the gentle Mr. Lorry. - -“I am not crying,” said Miss Pross; “_you_ are.” - -“I, my Pross?” (By this time, Mr. Lorry dared to be pleasant with her, -on occasion.) - -“You were, just now; I saw you do it, and I don't wonder at it. Such -a present of plate as you have made 'em, is enough to bring tears into -anybody's eyes. There's not a fork or a spoon in the collection,” said -Miss Pross, “that I didn't cry over, last night after the box came, till -I couldn't see it.” - -“I am highly gratified,” said Mr. Lorry, “though, upon my honour, I -had no intention of rendering those trifling articles of remembrance -invisible to any one. Dear me! This is an occasion that makes a man -speculate on all he has lost. Dear, dear, dear! To think that there -might have been a Mrs. Lorry, any time these fifty years almost!” - -“Not at all!” From Miss Pross. - -“You think there never might have been a Mrs. Lorry?” asked the -gentleman of that name. - -“Pooh!” rejoined Miss Pross; “you were a bachelor in your cradle.” - -“Well!” observed Mr. Lorry, beamingly adjusting his little wig, “that -seems probable, too.” - -“And you were cut out for a bachelor,” pursued Miss Pross, “before you -were put in your cradle.” - -“Then, I think,” said Mr. Lorry, “that I was very unhandsomely dealt -with, and that I ought to have had a voice in the selection of my -pattern. Enough! Now, my dear Lucie,” drawing his arm soothingly round -her waist, “I hear them moving in the next room, and Miss Pross and -I, as two formal folks of business, are anxious not to lose the final -opportunity of saying something to you that you wish to hear. You leave -your good father, my dear, in hands as earnest and as loving as your -own; he shall be taken every conceivable care of; during the next -fortnight, while you are in Warwickshire and thereabouts, even Tellson's -shall go to the wall (comparatively speaking) before him. And when, at -the fortnight's end, he comes to join you and your beloved husband, on -your other fortnight's trip in Wales, you shall say that we have sent -him to you in the best health and in the happiest frame. Now, I hear -Somebody's step coming to the door. Let me kiss my dear girl with an -old-fashioned bachelor blessing, before Somebody comes to claim his -own.” - -For a moment, he held the fair face from him to look at the -well-remembered expression on the forehead, and then laid the bright -golden hair against his little brown wig, with a genuine tenderness and -delicacy which, if such things be old-fashioned, were as old as Adam. - -The door of the Doctor's room opened, and he came out with Charles -Darnay. He was so deadly pale--which had not been the case when they -went in together--that no vestige of colour was to be seen in his face. -But, in the composure of his manner he was unaltered, except that to the -shrewd glance of Mr. Lorry it disclosed some shadowy indication that the -old air of avoidance and dread had lately passed over him, like a cold -wind. - -He gave his arm to his daughter, and took her down-stairs to the chariot -which Mr. Lorry had hired in honour of the day. The rest followed in -another carriage, and soon, in a neighbouring church, where no strange -eyes looked on, Charles Darnay and Lucie Manette were happily married. - -Besides the glancing tears that shone among the smiles of the little -group when it was done, some diamonds, very bright and sparkling, -glanced on the bride's hand, which were newly released from the -dark obscurity of one of Mr. Lorry's pockets. They returned home to -breakfast, and all went well, and in due course the golden hair that had -mingled with the poor shoemaker's white locks in the Paris garret, were -mingled with them again in the morning sunlight, on the threshold of the -door at parting. - -It was a hard parting, though it was not for long. But her father -cheered her, and said at last, gently disengaging himself from her -enfolding arms, “Take her, Charles! She is yours!” - -And her agitated hand waved to them from a chaise window, and she was -gone. - -The corner being out of the way of the idle and curious, and the -preparations having been very simple and few, the Doctor, Mr. Lorry, -and Miss Pross, were left quite alone. It was when they turned into -the welcome shade of the cool old hall, that Mr. Lorry observed a great -change to have come over the Doctor; as if the golden arm uplifted -there, had struck him a poisoned blow. - -He had naturally repressed much, and some revulsion might have been -expected in him when the occasion for repression was gone. But, it was -the old scared lost look that troubled Mr. Lorry; and through his absent -manner of clasping his head and drearily wandering away into his own -room when they got up-stairs, Mr. Lorry was reminded of Defarge the -wine-shop keeper, and the starlight ride. - -“I think,” he whispered to Miss Pross, after anxious consideration, “I -think we had best not speak to him just now, or at all disturb him. -I must look in at Tellson's; so I will go there at once and come back -presently. Then, we will take him a ride into the country, and dine -there, and all will be well.” - -It was easier for Mr. Lorry to look in at Tellson's, than to look out of -Tellson's. He was detained two hours. When he came back, he ascended the -old staircase alone, having asked no question of the servant; going thus -into the Doctor's rooms, he was stopped by a low sound of knocking. - -“Good God!” he said, with a start. “What's that?” - -Miss Pross, with a terrified face, was at his ear. “O me, O me! All is -lost!” cried she, wringing her hands. “What is to be told to Ladybird? -He doesn't know me, and is making shoes!” - -Mr. Lorry said what he could to calm her, and went himself into the -Doctor's room. The bench was turned towards the light, as it had been -when he had seen the shoemaker at his work before, and his head was bent -down, and he was very busy. - -“Doctor Manette. My dear friend, Doctor Manette!” - -The Doctor looked at him for a moment--half inquiringly, half as if he -were angry at being spoken to--and bent over his work again. - -He had laid aside his coat and waistcoat; his shirt was open at the -throat, as it used to be when he did that work; and even the old -haggard, faded surface of face had come back to him. He worked -hard--impatiently--as if in some sense of having been interrupted. - -Mr. Lorry glanced at the work in his hand, and observed that it was a -shoe of the old size and shape. He took up another that was lying by -him, and asked what it was. - -“A young lady's walking shoe,” he muttered, without looking up. “It -ought to have been finished long ago. Let it be.” - -“But, Doctor Manette. Look at me!” - -He obeyed, in the old mechanically submissive manner, without pausing in -his work. - -“You know me, my dear friend? Think again. This is not your proper -occupation. Think, dear friend!” - -Nothing would induce him to speak more. He looked up, for an instant at -a time, when he was requested to do so; but, no persuasion would extract -a word from him. He worked, and worked, and worked, in silence, and -words fell on him as they would have fallen on an echoless wall, or on -the air. The only ray of hope that Mr. Lorry could discover, was, that -he sometimes furtively looked up without being asked. In that, there -seemed a faint expression of curiosity or perplexity--as though he were -trying to reconcile some doubts in his mind. - -Two things at once impressed themselves on Mr. Lorry, as important above -all others; the first, that this must be kept secret from Lucie; -the second, that it must be kept secret from all who knew him. In -conjunction with Miss Pross, he took immediate steps towards the latter -precaution, by giving out that the Doctor was not well, and required a -few days of complete rest. In aid of the kind deception to be practised -on his daughter, Miss Pross was to write, describing his having been -called away professionally, and referring to an imaginary letter of -two or three hurried lines in his own hand, represented to have been -addressed to her by the same post. - -These measures, advisable to be taken in any case, Mr. Lorry took in -the hope of his coming to himself. If that should happen soon, he kept -another course in reserve; which was, to have a certain opinion that he -thought the best, on the Doctor's case. - -In the hope of his recovery, and of resort to this third course -being thereby rendered practicable, Mr. Lorry resolved to watch him -attentively, with as little appearance as possible of doing so. He -therefore made arrangements to absent himself from Tellson's for the -first time in his life, and took his post by the window in the same -room. - -He was not long in discovering that it was worse than useless to speak -to him, since, on being pressed, he became worried. He abandoned that -attempt on the first day, and resolved merely to keep himself always -before him, as a silent protest against the delusion into which he had -fallen, or was falling. He remained, therefore, in his seat near the -window, reading and writing, and expressing in as many pleasant and -natural ways as he could think of, that it was a free place. - -Doctor Manette took what was given him to eat and drink, and worked on, -that first day, until it was too dark to see--worked on, half an hour -after Mr. Lorry could not have seen, for his life, to read or write. -When he put his tools aside as useless, until morning, Mr. Lorry rose -and said to him: - -“Will you go out?” - -He looked down at the floor on either side of him in the old manner, -looked up in the old manner, and repeated in the old low voice: - -“Out?” - -“Yes; for a walk with me. Why not?” - -He made no effort to say why not, and said not a word more. But, Mr. -Lorry thought he saw, as he leaned forward on his bench in the dusk, -with his elbows on his knees and his head in his hands, that he was in -some misty way asking himself, “Why not?” The sagacity of the man of -business perceived an advantage here, and determined to hold it. - -Miss Pross and he divided the night into two watches, and observed him -at intervals from the adjoining room. He paced up and down for a long -time before he lay down; but, when he did finally lay himself down, he -fell asleep. In the morning, he was up betimes, and went straight to his -bench and to work. - -On this second day, Mr. Lorry saluted him cheerfully by his name, -and spoke to him on topics that had been of late familiar to them. He -returned no reply, but it was evident that he heard what was said, and -that he thought about it, however confusedly. This encouraged Mr. Lorry -to have Miss Pross in with her work, several times during the day; -at those times, they quietly spoke of Lucie, and of her father then -present, precisely in the usual manner, and as if there were nothing -amiss. This was done without any demonstrative accompaniment, not long -enough, or often enough to harass him; and it lightened Mr. Lorry's -friendly heart to believe that he looked up oftener, and that he -appeared to be stirred by some perception of inconsistencies surrounding -him. - -When it fell dark again, Mr. Lorry asked him as before: - -“Dear Doctor, will you go out?” - -As before, he repeated, “Out?” - -“Yes; for a walk with me. Why not?” - -This time, Mr. Lorry feigned to go out when he could extract no answer -from him, and, after remaining absent for an hour, returned. In the -meanwhile, the Doctor had removed to the seat in the window, and had -sat there looking down at the plane-tree; but, on Mr. Lorry's return, he -slipped away to his bench. - -The time went very slowly on, and Mr. Lorry's hope darkened, and his -heart grew heavier again, and grew yet heavier and heavier every day. -The third day came and went, the fourth, the fifth. Five days, six days, -seven days, eight days, nine days. - -With a hope ever darkening, and with a heart always growing heavier and -heavier, Mr. Lorry passed through this anxious time. The secret was -well kept, and Lucie was unconscious and happy; but he could not fail to -observe that the shoemaker, whose hand had been a little out at first, -was growing dreadfully skilful, and that he had never been so intent on -his work, and that his hands had never been so nimble and expert, as in -the dusk of the ninth evening. - - - - -XIX. An Opinion - - -Worn out by anxious watching, Mr. Lorry fell asleep at his post. On the -tenth morning of his suspense, he was startled by the shining of the sun -into the room where a heavy slumber had overtaken him when it was dark -night. - -He rubbed his eyes and roused himself; but he doubted, when he had -done so, whether he was not still asleep. For, going to the door of the -Doctor's room and looking in, he perceived that the shoemaker's bench -and tools were put aside again, and that the Doctor himself sat reading -at the window. He was in his usual morning dress, and his face (which -Mr. Lorry could distinctly see), though still very pale, was calmly -studious and attentive. - -Even when he had satisfied himself that he was awake, Mr. Lorry felt -giddily uncertain for some few moments whether the late shoemaking might -not be a disturbed dream of his own; for, did not his eyes show him his -friend before him in his accustomed clothing and aspect, and employed -as usual; and was there any sign within their range, that the change of -which he had so strong an impression had actually happened? - -It was but the inquiry of his first confusion and astonishment, the -answer being obvious. If the impression were not produced by a real -corresponding and sufficient cause, how came he, Jarvis Lorry, there? -How came he to have fallen asleep, in his clothes, on the sofa in Doctor -Manette's consulting-room, and to be debating these points outside the -Doctor's bedroom door in the early morning? - -Within a few minutes, Miss Pross stood whispering at his side. If he -had had any particle of doubt left, her talk would of necessity have -resolved it; but he was by that time clear-headed, and had none. -He advised that they should let the time go by until the regular -breakfast-hour, and should then meet the Doctor as if nothing unusual -had occurred. If he appeared to be in his customary state of mind, Mr. -Lorry would then cautiously proceed to seek direction and guidance from -the opinion he had been, in his anxiety, so anxious to obtain. - -Miss Pross, submitting herself to his judgment, the scheme was worked -out with care. Having abundance of time for his usual methodical -toilette, Mr. Lorry presented himself at the breakfast-hour in his usual -white linen, and with his usual neat leg. The Doctor was summoned in the -usual way, and came to breakfast. - -So far as it was possible to comprehend him without overstepping those -delicate and gradual approaches which Mr. Lorry felt to be the only safe -advance, he at first supposed that his daughter's marriage had taken -place yesterday. An incidental allusion, purposely thrown out, to -the day of the week, and the day of the month, set him thinking and -counting, and evidently made him uneasy. In all other respects, however, -he was so composedly himself, that Mr. Lorry determined to have the aid -he sought. And that aid was his own. - -Therefore, when the breakfast was done and cleared away, and he and the -Doctor were left together, Mr. Lorry said, feelingly: - -“My dear Manette, I am anxious to have your opinion, in confidence, on a -very curious case in which I am deeply interested; that is to say, it is -very curious to me; perhaps, to your better information it may be less -so.” - -Glancing at his hands, which were discoloured by his late work, the -Doctor looked troubled, and listened attentively. He had already glanced -at his hands more than once. - -“Doctor Manette,” said Mr. Lorry, touching him affectionately on the -arm, “the case is the case of a particularly dear friend of mine. Pray -give your mind to it, and advise me well for his sake--and above all, -for his daughter's--his daughter's, my dear Manette.” - -“If I understand,” said the Doctor, in a subdued tone, “some mental -shock--?” - -“Yes!” - -“Be explicit,” said the Doctor. “Spare no detail.” - -Mr. Lorry saw that they understood one another, and proceeded. - -“My dear Manette, it is the case of an old and a prolonged shock, -of great acuteness and severity to the affections, the feelings, -the--the--as you express it--the mind. The mind. It is the case of a -shock under which the sufferer was borne down, one cannot say for how -long, because I believe he cannot calculate the time himself, and there -are no other means of getting at it. It is the case of a shock from -which the sufferer recovered, by a process that he cannot trace -himself--as I once heard him publicly relate in a striking manner. It is -the case of a shock from which he has recovered, so completely, as to -be a highly intelligent man, capable of close application of mind, and -great exertion of body, and of constantly making fresh additions to his -stock of knowledge, which was already very large. But, unfortunately, -there has been,” he paused and took a deep breath--“a slight relapse.” - -The Doctor, in a low voice, asked, “Of how long duration?” - -“Nine days and nights.” - -“How did it show itself? I infer,” glancing at his hands again, “in the -resumption of some old pursuit connected with the shock?” - -“That is the fact.” - -“Now, did you ever see him,” asked the Doctor, distinctly and -collectedly, though in the same low voice, “engaged in that pursuit -originally?” - -“Once.” - -“And when the relapse fell on him, was he in most respects--or in all -respects--as he was then?” - -“I think in all respects.” - -“You spoke of his daughter. Does his daughter know of the relapse?” - -“No. It has been kept from her, and I hope will always be kept from her. -It is known only to myself, and to one other who may be trusted.” - -The Doctor grasped his hand, and murmured, “That was very kind. That was -very thoughtful!” Mr. Lorry grasped his hand in return, and neither of -the two spoke for a little while. - -“Now, my dear Manette,” said Mr. Lorry, at length, in his most -considerate and most affectionate way, “I am a mere man of business, -and unfit to cope with such intricate and difficult matters. I do not -possess the kind of information necessary; I do not possess the kind of -intelligence; I want guiding. There is no man in this world on whom -I could so rely for right guidance, as on you. Tell me, how does this -relapse come about? Is there danger of another? Could a repetition of it -be prevented? How should a repetition of it be treated? How does it come -about at all? What can I do for my friend? No man ever can have been -more desirous in his heart to serve a friend, than I am to serve mine, -if I knew how. - -“But I don't know how to originate, in such a case. If your sagacity, -knowledge, and experience, could put me on the right track, I might be -able to do so much; unenlightened and undirected, I can do so little. -Pray discuss it with me; pray enable me to see it a little more clearly, -and teach me how to be a little more useful.” - -Doctor Manette sat meditating after these earnest words were spoken, and -Mr. Lorry did not press him. - -“I think it probable,” said the Doctor, breaking silence with an effort, -“that the relapse you have described, my dear friend, was not quite -unforeseen by its subject.” - -“Was it dreaded by him?” Mr. Lorry ventured to ask. - -“Very much.” He said it with an involuntary shudder. - -“You have no idea how such an apprehension weighs on the sufferer's -mind, and how difficult--how almost impossible--it is, for him to force -himself to utter a word upon the topic that oppresses him.” - -“Would he,” asked Mr. Lorry, “be sensibly relieved if he could prevail -upon himself to impart that secret brooding to any one, when it is on -him?” - -“I think so. But it is, as I have told you, next to impossible. I even -believe it--in some cases--to be quite impossible.” - -“Now,” said Mr. Lorry, gently laying his hand on the Doctor's arm again, -after a short silence on both sides, “to what would you refer this -attack?” - -“I believe,” returned Doctor Manette, “that there had been a strong and -extraordinary revival of the train of thought and remembrance that -was the first cause of the malady. Some intense associations of a most -distressing nature were vividly recalled, I think. It is probable that -there had long been a dread lurking in his mind, that those associations -would be recalled--say, under certain circumstances--say, on a -particular occasion. He tried to prepare himself in vain; perhaps the -effort to prepare himself made him less able to bear it.” - -“Would he remember what took place in the relapse?” asked Mr. Lorry, -with natural hesitation. - -The Doctor looked desolately round the room, shook his head, and -answered, in a low voice, “Not at all.” - -“Now, as to the future,” hinted Mr. Lorry. - -“As to the future,” said the Doctor, recovering firmness, “I should have -great hope. As it pleased Heaven in its mercy to restore him so soon, I -should have great hope. He, yielding under the pressure of a complicated -something, long dreaded and long vaguely foreseen and contended against, -and recovering after the cloud had burst and passed, I should hope that -the worst was over.” - -“Well, well! That's good comfort. I am thankful!” said Mr. Lorry. - -“I am thankful!” repeated the Doctor, bending his head with reverence. - -“There are two other points,” said Mr. Lorry, “on which I am anxious to -be instructed. I may go on?” - -“You cannot do your friend a better service.” The Doctor gave him his -hand. - -“To the first, then. He is of a studious habit, and unusually energetic; -he applies himself with great ardour to the acquisition of professional -knowledge, to the conducting of experiments, to many things. Now, does -he do too much?” - -“I think not. It may be the character of his mind, to be always in -singular need of occupation. That may be, in part, natural to it; in -part, the result of affliction. The less it was occupied with healthy -things, the more it would be in danger of turning in the unhealthy -direction. He may have observed himself, and made the discovery.” - -“You are sure that he is not under too great a strain?” - -“I think I am quite sure of it.” - -“My dear Manette, if he were overworked now--” - -“My dear Lorry, I doubt if that could easily be. There has been a -violent stress in one direction, and it needs a counterweight.” - -“Excuse me, as a persistent man of business. Assuming for a moment, -that he _was_ overworked; it would show itself in some renewal of this -disorder?” - -“I do not think so. I do not think,” said Doctor Manette with the -firmness of self-conviction, “that anything but the one train of -association would renew it. I think that, henceforth, nothing but some -extraordinary jarring of that chord could renew it. After what has -happened, and after his recovery, I find it difficult to imagine any -such violent sounding of that string again. I trust, and I almost -believe, that the circumstances likely to renew it are exhausted.” - -He spoke with the diffidence of a man who knew how slight a thing -would overset the delicate organisation of the mind, and yet with the -confidence of a man who had slowly won his assurance out of personal -endurance and distress. It was not for his friend to abate that -confidence. He professed himself more relieved and encouraged than he -really was, and approached his second and last point. He felt it to -be the most difficult of all; but, remembering his old Sunday morning -conversation with Miss Pross, and remembering what he had seen in the -last nine days, he knew that he must face it. - -“The occupation resumed under the influence of this passing affliction -so happily recovered from,” said Mr. Lorry, clearing his throat, “we -will call--Blacksmith's work, Blacksmith's work. We will say, to put a -case and for the sake of illustration, that he had been used, in his bad -time, to work at a little forge. We will say that he was unexpectedly -found at his forge again. Is it not a pity that he should keep it by -him?” - -The Doctor shaded his forehead with his hand, and beat his foot -nervously on the ground. - -“He has always kept it by him,” said Mr. Lorry, with an anxious look at -his friend. “Now, would it not be better that he should let it go?” - -Still, the Doctor, with shaded forehead, beat his foot nervously on the -ground. - -“You do not find it easy to advise me?” said Mr. Lorry. “I quite -understand it to be a nice question. And yet I think--” And there he -shook his head, and stopped. - -“You see,” said Doctor Manette, turning to him after an uneasy pause, -“it is very hard to explain, consistently, the innermost workings -of this poor man's mind. He once yearned so frightfully for that -occupation, and it was so welcome when it came; no doubt it relieved -his pain so much, by substituting the perplexity of the fingers for -the perplexity of the brain, and by substituting, as he became more -practised, the ingenuity of the hands, for the ingenuity of the mental -torture; that he has never been able to bear the thought of putting it -quite out of his reach. Even now, when I believe he is more hopeful of -himself than he has ever been, and even speaks of himself with a kind -of confidence, the idea that he might need that old employment, and not -find it, gives him a sudden sense of terror, like that which one may -fancy strikes to the heart of a lost child.” - -He looked like his illustration, as he raised his eyes to Mr. Lorry's -face. - -“But may not--mind! I ask for information, as a plodding man of business -who only deals with such material objects as guineas, shillings, and -bank-notes--may not the retention of the thing involve the retention of -the idea? If the thing were gone, my dear Manette, might not the fear go -with it? In short, is it not a concession to the misgiving, to keep the -forge?” - -There was another silence. - -“You see, too,” said the Doctor, tremulously, “it is such an old -companion.” - -“I would not keep it,” said Mr. Lorry, shaking his head; for he gained -in firmness as he saw the Doctor disquieted. “I would recommend him to -sacrifice it. I only want your authority. I am sure it does no good. -Come! Give me your authority, like a dear good man. For his daughter's -sake, my dear Manette!” - -Very strange to see what a struggle there was within him! - -“In her name, then, let it be done; I sanction it. But, I would not take -it away while he was present. Let it be removed when he is not there; -let him miss his old companion after an absence.” - -Mr. Lorry readily engaged for that, and the conference was ended. They -passed the day in the country, and the Doctor was quite restored. On the -three following days he remained perfectly well, and on the fourteenth -day he went away to join Lucie and her husband. The precaution that -had been taken to account for his silence, Mr. Lorry had previously -explained to him, and he had written to Lucie in accordance with it, and -she had no suspicions. - -On the night of the day on which he left the house, Mr. Lorry went into -his room with a chopper, saw, chisel, and hammer, attended by Miss Pross -carrying a light. There, with closed doors, and in a mysterious and -guilty manner, Mr. Lorry hacked the shoemaker's bench to pieces, while -Miss Pross held the candle as if she were assisting at a murder--for -which, indeed, in her grimness, she was no unsuitable figure. The -burning of the body (previously reduced to pieces convenient for the -purpose) was commenced without delay in the kitchen fire; and the tools, -shoes, and leather, were buried in the garden. So wicked do destruction -and secrecy appear to honest minds, that Mr. Lorry and Miss Pross, -while engaged in the commission of their deed and in the removal of its -traces, almost felt, and almost looked, like accomplices in a horrible -crime. - - - - -XX. A Plea - - -When the newly-married pair came home, the first person who appeared, to -offer his congratulations, was Sydney Carton. They had not been at home -many hours, when he presented himself. He was not improved in habits, or -in looks, or in manner; but there was a certain rugged air of fidelity -about him, which was new to the observation of Charles Darnay. - -He watched his opportunity of taking Darnay aside into a window, and of -speaking to him when no one overheard. - -“Mr. Darnay,” said Carton, “I wish we might be friends.” - -“We are already friends, I hope.” - -“You are good enough to say so, as a fashion of speech; but, I don't -mean any fashion of speech. Indeed, when I say I wish we might be -friends, I scarcely mean quite that, either.” - -Charles Darnay--as was natural--asked him, in all good-humour and -good-fellowship, what he did mean? - -“Upon my life,” said Carton, smiling, “I find that easier to comprehend -in my own mind, than to convey to yours. However, let me try. You -remember a certain famous occasion when I was more drunk than--than -usual?” - -“I remember a certain famous occasion when you forced me to confess that -you had been drinking.” - -“I remember it too. The curse of those occasions is heavy upon me, for I -always remember them. I hope it may be taken into account one day, -when all days are at an end for me! Don't be alarmed; I am not going to -preach.” - -“I am not at all alarmed. Earnestness in you, is anything but alarming -to me.” - -“Ah!” said Carton, with a careless wave of his hand, as if he waved that -away. “On the drunken occasion in question (one of a large number, as -you know), I was insufferable about liking you, and not liking you. I -wish you would forget it.” - -“I forgot it long ago.” - -“Fashion of speech again! But, Mr. Darnay, oblivion is not so easy to -me, as you represent it to be to you. I have by no means forgotten it, -and a light answer does not help me to forget it.” - -“If it was a light answer,” returned Darnay, “I beg your forgiveness -for it. I had no other object than to turn a slight thing, which, to my -surprise, seems to trouble you too much, aside. I declare to you, on the -faith of a gentleman, that I have long dismissed it from my mind. Good -Heaven, what was there to dismiss! Have I had nothing more important to -remember, in the great service you rendered me that day?” - -“As to the great service,” said Carton, “I am bound to avow to you, when -you speak of it in that way, that it was mere professional claptrap, I -don't know that I cared what became of you, when I rendered it.--Mind! I -say when I rendered it; I am speaking of the past.” - -“You make light of the obligation,” returned Darnay, “but I will not -quarrel with _your_ light answer.” - -“Genuine truth, Mr. Darnay, trust me! I have gone aside from my purpose; -I was speaking about our being friends. Now, you know me; you know I am -incapable of all the higher and better flights of men. If you doubt it, -ask Stryver, and he'll tell you so.” - -“I prefer to form my own opinion, without the aid of his.” - -“Well! At any rate you know me as a dissolute dog, who has never done -any good, and never will.” - -“I don't know that you 'never will.'” - -“But I do, and you must take my word for it. Well! If you could endure -to have such a worthless fellow, and a fellow of such indifferent -reputation, coming and going at odd times, I should ask that I might be -permitted to come and go as a privileged person here; that I might -be regarded as an useless (and I would add, if it were not for the -resemblance I detected between you and me, an unornamental) piece of -furniture, tolerated for its old service, and taken no notice of. I -doubt if I should abuse the permission. It is a hundred to one if I -should avail myself of it four times in a year. It would satisfy me, I -dare say, to know that I had it.” - -“Will you try?” - -“That is another way of saying that I am placed on the footing I have -indicated. I thank you, Darnay. I may use that freedom with your name?” - -“I think so, Carton, by this time.” - -They shook hands upon it, and Sydney turned away. Within a minute -afterwards, he was, to all outward appearance, as unsubstantial as ever. - -When he was gone, and in the course of an evening passed with Miss -Pross, the Doctor, and Mr. Lorry, Charles Darnay made some mention of -this conversation in general terms, and spoke of Sydney Carton as a -problem of carelessness and recklessness. He spoke of him, in short, not -bitterly or meaning to bear hard upon him, but as anybody might who saw -him as he showed himself. - -He had no idea that this could dwell in the thoughts of his fair young -wife; but, when he afterwards joined her in their own rooms, he found -her waiting for him with the old pretty lifting of the forehead strongly -marked. - -“We are thoughtful to-night!” said Darnay, drawing his arm about her. - -“Yes, dearest Charles,” with her hands on his breast, and the inquiring -and attentive expression fixed upon him; “we are rather thoughtful -to-night, for we have something on our mind to-night.” - -“What is it, my Lucie?” - -“Will you promise not to press one question on me, if I beg you not to -ask it?” - -“Will I promise? What will I not promise to my Love?” - -What, indeed, with his hand putting aside the golden hair from the -cheek, and his other hand against the heart that beat for him! - -“I think, Charles, poor Mr. Carton deserves more consideration and -respect than you expressed for him to-night.” - -“Indeed, my own? Why so?” - -“That is what you are not to ask me. But I think--I know--he does.” - -“If you know it, it is enough. What would you have me do, my Life?” - -“I would ask you, dearest, to be very generous with him always, and very -lenient on his faults when he is not by. I would ask you to believe that -he has a heart he very, very seldom reveals, and that there are deep -wounds in it. My dear, I have seen it bleeding.” - -“It is a painful reflection to me,” said Charles Darnay, quite -astounded, “that I should have done him any wrong. I never thought this -of him.” - -“My husband, it is so. I fear he is not to be reclaimed; there is -scarcely a hope that anything in his character or fortunes is reparable -now. But, I am sure that he is capable of good things, gentle things, -even magnanimous things.” - -She looked so beautiful in the purity of her faith in this lost man, -that her husband could have looked at her as she was for hours. - -“And, O my dearest Love!” she urged, clinging nearer to him, laying her -head upon his breast, and raising her eyes to his, “remember how strong -we are in our happiness, and how weak he is in his misery!” - -The supplication touched him home. “I will always remember it, dear -Heart! I will remember it as long as I live.” - -He bent over the golden head, and put the rosy lips to his, and folded -her in his arms. If one forlorn wanderer then pacing the dark streets, -could have heard her innocent disclosure, and could have seen the drops -of pity kissed away by her husband from the soft blue eyes so loving of -that husband, he might have cried to the night--and the words would not -have parted from his lips for the first time-- - -“God bless her for her sweet compassion!” - - - - -XXI. Echoing Footsteps - - -A wonderful corner for echoes, it has been remarked, that corner where -the Doctor lived. Ever busily winding the golden thread which bound -her husband, and her father, and herself, and her old directress and -companion, in a life of quiet bliss, Lucie sat in the still house in -the tranquilly resounding corner, listening to the echoing footsteps of -years. - -At first, there were times, though she was a perfectly happy young wife, -when her work would slowly fall from her hands, and her eyes would be -dimmed. For, there was something coming in the echoes, something light, -afar off, and scarcely audible yet, that stirred her heart too much. -Fluttering hopes and doubts--hopes, of a love as yet unknown to her: -doubts, of her remaining upon earth, to enjoy that new delight--divided -her breast. Among the echoes then, there would arise the sound of -footsteps at her own early grave; and thoughts of the husband who would -be left so desolate, and who would mourn for her so much, swelled to her -eyes, and broke like waves. - -That time passed, and her little Lucie lay on her bosom. Then, among the -advancing echoes, there was the tread of her tiny feet and the sound of -her prattling words. Let greater echoes resound as they would, the young -mother at the cradle side could always hear those coming. They came, and -the shady house was sunny with a child's laugh, and the Divine friend of -children, to whom in her trouble she had confided hers, seemed to take -her child in his arms, as He took the child of old, and made it a sacred -joy to her. - -Ever busily winding the golden thread that bound them all together, -weaving the service of her happy influence through the tissue of all -their lives, and making it predominate nowhere, Lucie heard in the -echoes of years none but friendly and soothing sounds. Her husband's -step was strong and prosperous among them; her father's firm and equal. -Lo, Miss Pross, in harness of string, awakening the echoes, as an -unruly charger, whip-corrected, snorting and pawing the earth under the -plane-tree in the garden! - -Even when there were sounds of sorrow among the rest, they were not -harsh nor cruel. Even when golden hair, like her own, lay in a halo on a -pillow round the worn face of a little boy, and he said, with a radiant -smile, “Dear papa and mamma, I am very sorry to leave you both, and to -leave my pretty sister; but I am called, and I must go!” those were not -tears all of agony that wetted his young mother's cheek, as the spirit -departed from her embrace that had been entrusted to it. Suffer them and -forbid them not. They see my Father's face. O Father, blessed words! - -Thus, the rustling of an Angel's wings got blended with the other -echoes, and they were not wholly of earth, but had in them that breath -of Heaven. Sighs of the winds that blew over a little garden-tomb were -mingled with them also, and both were audible to Lucie, in a hushed -murmur--like the breathing of a summer sea asleep upon a sandy shore--as -the little Lucie, comically studious at the task of the morning, or -dressing a doll at her mother's footstool, chattered in the tongues of -the Two Cities that were blended in her life. - -The Echoes rarely answered to the actual tread of Sydney Carton. Some -half-dozen times a year, at most, he claimed his privilege of coming in -uninvited, and would sit among them through the evening, as he had once -done often. He never came there heated with wine. And one other thing -regarding him was whispered in the echoes, which has been whispered by -all true echoes for ages and ages. - -No man ever really loved a woman, lost her, and knew her with a -blameless though an unchanged mind, when she was a wife and a mother, -but her children had a strange sympathy with him--an instinctive -delicacy of pity for him. What fine hidden sensibilities are touched in -such a case, no echoes tell; but it is so, and it was so here. Carton -was the first stranger to whom little Lucie held out her chubby arms, -and he kept his place with her as she grew. The little boy had spoken of -him, almost at the last. “Poor Carton! Kiss him for me!” - -Mr. Stryver shouldered his way through the law, like some great engine -forcing itself through turbid water, and dragged his useful friend in -his wake, like a boat towed astern. As the boat so favoured is usually -in a rough plight, and mostly under water, so, Sydney had a swamped -life of it. But, easy and strong custom, unhappily so much easier and -stronger in him than any stimulating sense of desert or disgrace, made -it the life he was to lead; and he no more thought of emerging from his -state of lion's jackal, than any real jackal may be supposed to think of -rising to be a lion. Stryver was rich; had married a florid widow with -property and three boys, who had nothing particularly shining about them -but the straight hair of their dumpling heads. - -These three young gentlemen, Mr. Stryver, exuding patronage of the most -offensive quality from every pore, had walked before him like three -sheep to the quiet corner in Soho, and had offered as pupils to -Lucie's husband: delicately saying “Halloa! here are three lumps of -bread-and-cheese towards your matrimonial picnic, Darnay!” The polite -rejection of the three lumps of bread-and-cheese had quite bloated Mr. -Stryver with indignation, which he afterwards turned to account in the -training of the young gentlemen, by directing them to beware of the -pride of Beggars, like that tutor-fellow. He was also in the habit of -declaiming to Mrs. Stryver, over his full-bodied wine, on the arts -Mrs. Darnay had once put in practice to “catch” him, and on the -diamond-cut-diamond arts in himself, madam, which had rendered him “not -to be caught.” Some of his King's Bench familiars, who were occasionally -parties to the full-bodied wine and the lie, excused him for the -latter by saying that he had told it so often, that he believed -it himself--which is surely such an incorrigible aggravation of an -originally bad offence, as to justify any such offender's being carried -off to some suitably retired spot, and there hanged out of the way. - -These were among the echoes to which Lucie, sometimes pensive, sometimes -amused and laughing, listened in the echoing corner, until her little -daughter was six years old. How near to her heart the echoes of her -child's tread came, and those of her own dear father's, always active -and self-possessed, and those of her dear husband's, need not be told. -Nor, how the lightest echo of their united home, directed by herself -with such a wise and elegant thrift that it was more abundant than any -waste, was music to her. Nor, how there were echoes all about her, sweet -in her ears, of the many times her father had told her that he found her -more devoted to him married (if that could be) than single, and of the -many times her husband had said to her that no cares and duties seemed -to divide her love for him or her help to him, and asked her “What is -the magic secret, my darling, of your being everything to all of us, -as if there were only one of us, yet never seeming to be hurried, or to -have too much to do?” - -But, there were other echoes, from a distance, that rumbled menacingly -in the corner all through this space of time. And it was now, about -little Lucie's sixth birthday, that they began to have an awful sound, -as of a great storm in France with a dreadful sea rising. - -On a night in mid-July, one thousand seven hundred and eighty-nine, Mr. -Lorry came in late, from Tellson's, and sat himself down by Lucie and -her husband in the dark window. It was a hot, wild night, and they were -all three reminded of the old Sunday night when they had looked at the -lightning from the same place. - -“I began to think,” said Mr. Lorry, pushing his brown wig back, “that -I should have to pass the night at Tellson's. We have been so full of -business all day, that we have not known what to do first, or which way -to turn. There is such an uneasiness in Paris, that we have actually a -run of confidence upon us! Our customers over there, seem not to be able -to confide their property to us fast enough. There is positively a mania -among some of them for sending it to England.” - -“That has a bad look,” said Darnay-- - -“A bad look, you say, my dear Darnay? Yes, but we don't know what reason -there is in it. People are so unreasonable! Some of us at Tellson's are -getting old, and we really can't be troubled out of the ordinary course -without due occasion.” - -“Still,” said Darnay, “you know how gloomy and threatening the sky is.” - -“I know that, to be sure,” assented Mr. Lorry, trying to persuade -himself that his sweet temper was soured, and that he grumbled, “but I -am determined to be peevish after my long day's botheration. Where is -Manette?” - -“Here he is,” said the Doctor, entering the dark room at the moment. - -“I am quite glad you are at home; for these hurries and forebodings by -which I have been surrounded all day long, have made me nervous without -reason. You are not going out, I hope?” - -“No; I am going to play backgammon with you, if you like,” said the -Doctor. - -“I don't think I do like, if I may speak my mind. I am not fit to be -pitted against you to-night. Is the teaboard still there, Lucie? I can't -see.” - -“Of course, it has been kept for you.” - -“Thank ye, my dear. The precious child is safe in bed?” - -“And sleeping soundly.” - -“That's right; all safe and well! I don't know why anything should be -otherwise than safe and well here, thank God; but I have been so put out -all day, and I am not as young as I was! My tea, my dear! Thank ye. Now, -come and take your place in the circle, and let us sit quiet, and hear -the echoes about which you have your theory.” - -“Not a theory; it was a fancy.” - -“A fancy, then, my wise pet,” said Mr. Lorry, patting her hand. “They -are very numerous and very loud, though, are they not? Only hear them!” - -Headlong, mad, and dangerous footsteps to force their way into anybody's -life, footsteps not easily made clean again if once stained red, the -footsteps raging in Saint Antoine afar off, as the little circle sat in -the dark London window. - -Saint Antoine had been, that morning, a vast dusky mass of scarecrows -heaving to and fro, with frequent gleams of light above the billowy -heads, where steel blades and bayonets shone in the sun. A tremendous -roar arose from the throat of Saint Antoine, and a forest of naked arms -struggled in the air like shrivelled branches of trees in a winter wind: -all the fingers convulsively clutching at every weapon or semblance of a -weapon that was thrown up from the depths below, no matter how far off. - -Who gave them out, whence they last came, where they began, through what -agency they crookedly quivered and jerked, scores at a time, over the -heads of the crowd, like a kind of lightning, no eye in the throng could -have told; but, muskets were being distributed--so were cartridges, -powder, and ball, bars of iron and wood, knives, axes, pikes, every -weapon that distracted ingenuity could discover or devise. People who -could lay hold of nothing else, set themselves with bleeding hands to -force stones and bricks out of their places in walls. Every pulse and -heart in Saint Antoine was on high-fever strain and at high-fever heat. -Every living creature there held life as of no account, and was demented -with a passionate readiness to sacrifice it. - -As a whirlpool of boiling waters has a centre point, so, all this raging -circled round Defarge's wine-shop, and every human drop in the caldron -had a tendency to be sucked towards the vortex where Defarge himself, -already begrimed with gunpowder and sweat, issued orders, issued arms, -thrust this man back, dragged this man forward, disarmed one to arm -another, laboured and strove in the thickest of the uproar. - -“Keep near to me, Jacques Three,” cried Defarge; “and do you, Jacques -One and Two, separate and put yourselves at the head of as many of these -patriots as you can. Where is my wife?” - -“Eh, well! Here you see me!” said madame, composed as ever, but not -knitting to-day. Madame's resolute right hand was occupied with an axe, -in place of the usual softer implements, and in her girdle were a pistol -and a cruel knife. - -“Where do you go, my wife?” - -“I go,” said madame, “with you at present. You shall see me at the head -of women, by-and-bye.” - -“Come, then!” cried Defarge, in a resounding voice. “Patriots and -friends, we are ready! The Bastille!” - -With a roar that sounded as if all the breath in France had been shaped -into the detested word, the living sea rose, wave on wave, depth on -depth, and overflowed the city to that point. Alarm-bells ringing, drums -beating, the sea raging and thundering on its new beach, the attack -began. - -Deep ditches, double drawbridge, massive stone walls, eight great -towers, cannon, muskets, fire and smoke. Through the fire and through -the smoke--in the fire and in the smoke, for the sea cast him up against -a cannon, and on the instant he became a cannonier--Defarge of the -wine-shop worked like a manful soldier, Two fierce hours. - -Deep ditch, single drawbridge, massive stone walls, eight great towers, -cannon, muskets, fire and smoke. One drawbridge down! “Work, comrades -all, work! Work, Jacques One, Jacques Two, Jacques One Thousand, Jacques -Two Thousand, Jacques Five-and-Twenty Thousand; in the name of all -the Angels or the Devils--which you prefer--work!” Thus Defarge of the -wine-shop, still at his gun, which had long grown hot. - -“To me, women!” cried madame his wife. “What! We can kill as well as -the men when the place is taken!” And to her, with a shrill thirsty -cry, trooping women variously armed, but all armed alike in hunger and -revenge. - -Cannon, muskets, fire and smoke; but, still the deep ditch, the single -drawbridge, the massive stone walls, and the eight great towers. Slight -displacements of the raging sea, made by the falling wounded. Flashing -weapons, blazing torches, smoking waggonloads of wet straw, hard work -at neighbouring barricades in all directions, shrieks, volleys, -execrations, bravery without stint, boom smash and rattle, and the -furious sounding of the living sea; but, still the deep ditch, and the -single drawbridge, and the massive stone walls, and the eight great -towers, and still Defarge of the wine-shop at his gun, grown doubly hot -by the service of Four fierce hours. - -A white flag from within the fortress, and a parley--this dimly -perceptible through the raging storm, nothing audible in it--suddenly -the sea rose immeasurably wider and higher, and swept Defarge of the -wine-shop over the lowered drawbridge, past the massive stone outer -walls, in among the eight great towers surrendered! - -So resistless was the force of the ocean bearing him on, that even to -draw his breath or turn his head was as impracticable as if he had been -struggling in the surf at the South Sea, until he was landed in the -outer courtyard of the Bastille. There, against an angle of a wall, he -made a struggle to look about him. Jacques Three was nearly at his side; -Madame Defarge, still heading some of her women, was visible in the -inner distance, and her knife was in her hand. Everywhere was tumult, -exultation, deafening and maniacal bewilderment, astounding noise, yet -furious dumb-show. - -“The Prisoners!” - -“The Records!” - -“The secret cells!” - -“The instruments of torture!” - -“The Prisoners!” - -Of all these cries, and ten thousand incoherences, “The Prisoners!” was -the cry most taken up by the sea that rushed in, as if there were an -eternity of people, as well as of time and space. When the foremost -billows rolled past, bearing the prison officers with them, and -threatening them all with instant death if any secret nook remained -undisclosed, Defarge laid his strong hand on the breast of one of -these men--a man with a grey head, who had a lighted torch in his -hand--separated him from the rest, and got him between himself and the -wall. - -“Show me the North Tower!” said Defarge. “Quick!” - -“I will faithfully,” replied the man, “if you will come with me. But -there is no one there.” - -“What is the meaning of One Hundred and Five, North Tower?” asked -Defarge. “Quick!” - -“The meaning, monsieur?” - -“Does it mean a captive, or a place of captivity? Or do you mean that I -shall strike you dead?” - -“Kill him!” croaked Jacques Three, who had come close up. - -“Monsieur, it is a cell.” - -“Show it me!” - -“Pass this way, then.” - -Jacques Three, with his usual craving on him, and evidently disappointed -by the dialogue taking a turn that did not seem to promise bloodshed, -held by Defarge's arm as he held by the turnkey's. Their three heads had -been close together during this brief discourse, and it had been as much -as they could do to hear one another, even then: so tremendous was the -noise of the living ocean, in its irruption into the Fortress, and -its inundation of the courts and passages and staircases. All around -outside, too, it beat the walls with a deep, hoarse roar, from which, -occasionally, some partial shouts of tumult broke and leaped into the -air like spray. - -Through gloomy vaults where the light of day had never shone, past -hideous doors of dark dens and cages, down cavernous flights of steps, -and again up steep rugged ascents of stone and brick, more like dry -waterfalls than staircases, Defarge, the turnkey, and Jacques Three, -linked hand and arm, went with all the speed they could make. Here and -there, especially at first, the inundation started on them and swept by; -but when they had done descending, and were winding and climbing up a -tower, they were alone. Hemmed in here by the massive thickness of walls -and arches, the storm within the fortress and without was only audible -to them in a dull, subdued way, as if the noise out of which they had -come had almost destroyed their sense of hearing. - -The turnkey stopped at a low door, put a key in a clashing lock, swung -the door slowly open, and said, as they all bent their heads and passed -in: - -“One hundred and five, North Tower!” - -There was a small, heavily-grated, unglazed window high in the wall, -with a stone screen before it, so that the sky could be only seen by -stooping low and looking up. There was a small chimney, heavily barred -across, a few feet within. There was a heap of old feathery wood-ashes -on the hearth. There was a stool, and table, and a straw bed. There were -the four blackened walls, and a rusted iron ring in one of them. - -“Pass that torch slowly along these walls, that I may see them,” said -Defarge to the turnkey. - -The man obeyed, and Defarge followed the light closely with his eyes. - -“Stop!--Look here, Jacques!” - -“A. M.!” croaked Jacques Three, as he read greedily. - -“Alexandre Manette,” said Defarge in his ear, following the letters -with his swart forefinger, deeply engrained with gunpowder. “And here he -wrote 'a poor physician.' And it was he, without doubt, who scratched -a calendar on this stone. What is that in your hand? A crowbar? Give it -me!” - -He had still the linstock of his gun in his own hand. He made a sudden -exchange of the two instruments, and turning on the worm-eaten stool and -table, beat them to pieces in a few blows. - -“Hold the light higher!” he said, wrathfully, to the turnkey. “Look -among those fragments with care, Jacques. And see! Here is my knife,” - throwing it to him; “rip open that bed, and search the straw. Hold the -light higher, you!” - -With a menacing look at the turnkey he crawled upon the hearth, and, -peering up the chimney, struck and prised at its sides with the crowbar, -and worked at the iron grating across it. In a few minutes, some mortar -and dust came dropping down, which he averted his face to avoid; and -in it, and in the old wood-ashes, and in a crevice in the chimney -into which his weapon had slipped or wrought itself, he groped with a -cautious touch. - -“Nothing in the wood, and nothing in the straw, Jacques?” - -“Nothing.” - -“Let us collect them together, in the middle of the cell. So! Light -them, you!” - -The turnkey fired the little pile, which blazed high and hot. Stooping -again to come out at the low-arched door, they left it burning, and -retraced their way to the courtyard; seeming to recover their sense -of hearing as they came down, until they were in the raging flood once -more. - -They found it surging and tossing, in quest of Defarge himself. Saint -Antoine was clamorous to have its wine-shop keeper foremost in the guard -upon the governor who had defended the Bastille and shot the people. -Otherwise, the governor would not be marched to the Hotel de Ville for -judgment. Otherwise, the governor would escape, and the people's -blood (suddenly of some value, after many years of worthlessness) be -unavenged. - -In the howling universe of passion and contention that seemed to -encompass this grim old officer conspicuous in his grey coat and red -decoration, there was but one quite steady figure, and that was a -woman's. “See, there is my husband!” she cried, pointing him out. -“See Defarge!” She stood immovable close to the grim old officer, and -remained immovable close to him; remained immovable close to him through -the streets, as Defarge and the rest bore him along; remained immovable -close to him when he was got near his destination, and began to -be struck at from behind; remained immovable close to him when the -long-gathering rain of stabs and blows fell heavy; was so close to him -when he dropped dead under it, that, suddenly animated, she put her foot -upon his neck, and with her cruel knife--long ready--hewed off his head. - -The hour was come, when Saint Antoine was to execute his horrible idea -of hoisting up men for lamps to show what he could be and do. Saint -Antoine's blood was up, and the blood of tyranny and domination by the -iron hand was down--down on the steps of the Hotel de Ville where the -governor's body lay--down on the sole of the shoe of Madame Defarge -where she had trodden on the body to steady it for mutilation. “Lower -the lamp yonder!” cried Saint Antoine, after glaring round for a new -means of death; “here is one of his soldiers to be left on guard!” The -swinging sentinel was posted, and the sea rushed on. - -The sea of black and threatening waters, and of destructive upheaving -of wave against wave, whose depths were yet unfathomed and whose forces -were yet unknown. The remorseless sea of turbulently swaying shapes, -voices of vengeance, and faces hardened in the furnaces of suffering -until the touch of pity could make no mark on them. - -But, in the ocean of faces where every fierce and furious expression was -in vivid life, there were two groups of faces--each seven in number--so -fixedly contrasting with the rest, that never did sea roll which bore -more memorable wrecks with it. Seven faces of prisoners, suddenly -released by the storm that had burst their tomb, were carried high -overhead: all scared, all lost, all wondering and amazed, as if the Last -Day were come, and those who rejoiced around them were lost spirits. -Other seven faces there were, carried higher, seven dead faces, whose -drooping eyelids and half-seen eyes awaited the Last Day. Impassive -faces, yet with a suspended--not an abolished--expression on them; -faces, rather, in a fearful pause, as having yet to raise the dropped -lids of the eyes, and bear witness with the bloodless lips, “THOU DIDST -IT!” - -Seven prisoners released, seven gory heads on pikes, the keys of the -accursed fortress of the eight strong towers, some discovered letters -and other memorials of prisoners of old time, long dead of broken -hearts,--such, and such--like, the loudly echoing footsteps of Saint -Antoine escort through the Paris streets in mid-July, one thousand seven -hundred and eighty-nine. Now, Heaven defeat the fancy of Lucie Darnay, -and keep these feet far out of her life! For, they are headlong, mad, -and dangerous; and in the years so long after the breaking of the cask -at Defarge's wine-shop door, they are not easily purified when once -stained red. - - - - -XXII. The Sea Still Rises - - -Haggard Saint Antoine had had only one exultant week, in which to soften -his modicum of hard and bitter bread to such extent as he could, with -the relish of fraternal embraces and congratulations, when Madame -Defarge sat at her counter, as usual, presiding over the customers. -Madame Defarge wore no rose in her head, for the great brotherhood of -Spies had become, even in one short week, extremely chary of trusting -themselves to the saint's mercies. The lamps across his streets had a -portentously elastic swing with them. - -Madame Defarge, with her arms folded, sat in the morning light and heat, -contemplating the wine-shop and the street. In both, there were several -knots of loungers, squalid and miserable, but now with a manifest sense -of power enthroned on their distress. The raggedest nightcap, awry on -the wretchedest head, had this crooked significance in it: “I know how -hard it has grown for me, the wearer of this, to support life in myself; -but do you know how easy it has grown for me, the wearer of this, to -destroy life in you?” Every lean bare arm, that had been without work -before, had this work always ready for it now, that it could strike. -The fingers of the knitting women were vicious, with the experience that -they could tear. There was a change in the appearance of Saint Antoine; -the image had been hammering into this for hundreds of years, and the -last finishing blows had told mightily on the expression. - -Madame Defarge sat observing it, with such suppressed approval as was -to be desired in the leader of the Saint Antoine women. One of her -sisterhood knitted beside her. The short, rather plump wife of a starved -grocer, and the mother of two children withal, this lieutenant had -already earned the complimentary name of The Vengeance. - -“Hark!” said The Vengeance. “Listen, then! Who comes?” - -As if a train of powder laid from the outermost bound of Saint Antoine -Quarter to the wine-shop door, had been suddenly fired, a fast-spreading -murmur came rushing along. - -“It is Defarge,” said madame. “Silence, patriots!” - -Defarge came in breathless, pulled off a red cap he wore, and looked -around him! “Listen, everywhere!” said madame again. “Listen to him!” - Defarge stood, panting, against a background of eager eyes and open -mouths, formed outside the door; all those within the wine-shop had -sprung to their feet. - -“Say then, my husband. What is it?” - -“News from the other world!” - -“How, then?” cried madame, contemptuously. “The other world?” - -“Does everybody here recall old Foulon, who told the famished people -that they might eat grass, and who died, and went to Hell?” - -“Everybody!” from all throats. - -“The news is of him. He is among us!” - -“Among us!” from the universal throat again. “And dead?” - -“Not dead! He feared us so much--and with reason--that he caused himself -to be represented as dead, and had a grand mock-funeral. But they have -found him alive, hiding in the country, and have brought him in. I have -seen him but now, on his way to the Hotel de Ville, a prisoner. I have -said that he had reason to fear us. Say all! _Had_ he reason?” - -Wretched old sinner of more than threescore years and ten, if he had -never known it yet, he would have known it in his heart of hearts if he -could have heard the answering cry. - -A moment of profound silence followed. Defarge and his wife looked -steadfastly at one another. The Vengeance stooped, and the jar of a drum -was heard as she moved it at her feet behind the counter. - -“Patriots!” said Defarge, in a determined voice, “are we ready?” - -Instantly Madame Defarge's knife was in her girdle; the drum was beating -in the streets, as if it and a drummer had flown together by magic; and -The Vengeance, uttering terrific shrieks, and flinging her arms about -her head like all the forty Furies at once, was tearing from house to -house, rousing the women. - -The men were terrible, in the bloody-minded anger with which they looked -from windows, caught up what arms they had, and came pouring down into -the streets; but, the women were a sight to chill the boldest. From -such household occupations as their bare poverty yielded, from their -children, from their aged and their sick crouching on the bare ground -famished and naked, they ran out with streaming hair, urging one -another, and themselves, to madness with the wildest cries and actions. -Villain Foulon taken, my sister! Old Foulon taken, my mother! Miscreant -Foulon taken, my daughter! Then, a score of others ran into the midst of -these, beating their breasts, tearing their hair, and screaming, Foulon -alive! Foulon who told the starving people they might eat grass! Foulon -who told my old father that he might eat grass, when I had no bread -to give him! Foulon who told my baby it might suck grass, when these -breasts were dry with want! O mother of God, this Foulon! O Heaven our -suffering! Hear me, my dead baby and my withered father: I swear on my -knees, on these stones, to avenge you on Foulon! Husbands, and brothers, -and young men, Give us the blood of Foulon, Give us the head of Foulon, -Give us the heart of Foulon, Give us the body and soul of Foulon, Rend -Foulon to pieces, and dig him into the ground, that grass may grow from -him! With these cries, numbers of the women, lashed into blind frenzy, -whirled about, striking and tearing at their own friends until they -dropped into a passionate swoon, and were only saved by the men -belonging to them from being trampled under foot. - -Nevertheless, not a moment was lost; not a moment! This Foulon was at -the Hotel de Ville, and might be loosed. Never, if Saint Antoine knew -his own sufferings, insults, and wrongs! Armed men and women flocked out -of the Quarter so fast, and drew even these last dregs after them with -such a force of suction, that within a quarter of an hour there was not -a human creature in Saint Antoine's bosom but a few old crones and the -wailing children. - -No. They were all by that time choking the Hall of Examination where -this old man, ugly and wicked, was, and overflowing into the adjacent -open space and streets. The Defarges, husband and wife, The Vengeance, -and Jacques Three, were in the first press, and at no great distance -from him in the Hall. - -“See!” cried madame, pointing with her knife. “See the old villain bound -with ropes. That was well done to tie a bunch of grass upon his back. -Ha, ha! That was well done. Let him eat it now!” Madame put her knife -under her arm, and clapped her hands as at a play. - -The people immediately behind Madame Defarge, explaining the cause of -her satisfaction to those behind them, and those again explaining to -others, and those to others, the neighbouring streets resounded with the -clapping of hands. Similarly, during two or three hours of drawl, -and the winnowing of many bushels of words, Madame Defarge's frequent -expressions of impatience were taken up, with marvellous quickness, at -a distance: the more readily, because certain men who had by some -wonderful exercise of agility climbed up the external architecture -to look in from the windows, knew Madame Defarge well, and acted as a -telegraph between her and the crowd outside the building. - -At length the sun rose so high that it struck a kindly ray as of hope or -protection, directly down upon the old prisoner's head. The favour was -too much to bear; in an instant the barrier of dust and chaff that had -stood surprisingly long, went to the winds, and Saint Antoine had got -him! - -It was known directly, to the furthest confines of the crowd. Defarge -had but sprung over a railing and a table, and folded the miserable -wretch in a deadly embrace--Madame Defarge had but followed and turned -her hand in one of the ropes with which he was tied--The Vengeance and -Jacques Three were not yet up with them, and the men at the windows -had not yet swooped into the Hall, like birds of prey from their high -perches--when the cry seemed to go up, all over the city, “Bring him -out! Bring him to the lamp!” - -Down, and up, and head foremost on the steps of the building; now, on -his knees; now, on his feet; now, on his back; dragged, and struck at, -and stifled by the bunches of grass and straw that were thrust into his -face by hundreds of hands; torn, bruised, panting, bleeding, yet always -entreating and beseeching for mercy; now full of vehement agony of -action, with a small clear space about him as the people drew one -another back that they might see; now, a log of dead wood drawn through -a forest of legs; he was hauled to the nearest street corner where one -of the fatal lamps swung, and there Madame Defarge let him go--as a cat -might have done to a mouse--and silently and composedly looked at him -while they made ready, and while he besought her: the women passionately -screeching at him all the time, and the men sternly calling out to have -him killed with grass in his mouth. Once, he went aloft, and the rope -broke, and they caught him shrieking; twice, he went aloft, and the rope -broke, and they caught him shrieking; then, the rope was merciful, and -held him, and his head was soon upon a pike, with grass enough in the -mouth for all Saint Antoine to dance at the sight of. - -Nor was this the end of the day's bad work, for Saint Antoine so shouted -and danced his angry blood up, that it boiled again, on hearing when -the day closed in that the son-in-law of the despatched, another of the -people's enemies and insulters, was coming into Paris under a guard -five hundred strong, in cavalry alone. Saint Antoine wrote his crimes -on flaring sheets of paper, seized him--would have torn him out of the -breast of an army to bear Foulon company--set his head and heart on -pikes, and carried the three spoils of the day, in Wolf-procession -through the streets. - -Not before dark night did the men and women come back to the children, -wailing and breadless. Then, the miserable bakers' shops were beset by -long files of them, patiently waiting to buy bad bread; and while -they waited with stomachs faint and empty, they beguiled the time by -embracing one another on the triumphs of the day, and achieving them -again in gossip. Gradually, these strings of ragged people shortened and -frayed away; and then poor lights began to shine in high windows, and -slender fires were made in the streets, at which neighbours cooked in -common, afterwards supping at their doors. - -Scanty and insufficient suppers those, and innocent of meat, as of -most other sauce to wretched bread. Yet, human fellowship infused -some nourishment into the flinty viands, and struck some sparks of -cheerfulness out of them. Fathers and mothers who had had their full -share in the worst of the day, played gently with their meagre children; -and lovers, with such a world around them and before them, loved and -hoped. - -It was almost morning, when Defarge's wine-shop parted with its last -knot of customers, and Monsieur Defarge said to madame his wife, in -husky tones, while fastening the door: - -“At last it is come, my dear!” - -“Eh well!” returned madame. “Almost.” - -Saint Antoine slept, the Defarges slept: even The Vengeance slept with -her starved grocer, and the drum was at rest. The drum's was the -only voice in Saint Antoine that blood and hurry had not changed. The -Vengeance, as custodian of the drum, could have wakened him up and had -the same speech out of him as before the Bastille fell, or old Foulon -was seized; not so with the hoarse tones of the men and women in Saint -Antoine's bosom. - - - - -XXIII. Fire Rises - - -There was a change on the village where the fountain fell, and where -the mender of roads went forth daily to hammer out of the stones on the -highway such morsels of bread as might serve for patches to hold his -poor ignorant soul and his poor reduced body together. The prison on the -crag was not so dominant as of yore; there were soldiers to guard it, -but not many; there were officers to guard the soldiers, but not one of -them knew what his men would do--beyond this: that it would probably not -be what he was ordered. - -Far and wide lay a ruined country, yielding nothing but desolation. -Every green leaf, every blade of grass and blade of grain, was as -shrivelled and poor as the miserable people. Everything was bowed down, -dejected, oppressed, and broken. Habitations, fences, domesticated -animals, men, women, children, and the soil that bore them--all worn -out. - -Monseigneur (often a most worthy individual gentleman) was a national -blessing, gave a chivalrous tone to things, was a polite example of -luxurious and shining life, and a great deal more to equal purpose; -nevertheless, Monseigneur as a class had, somehow or other, brought -things to this. Strange that Creation, designed expressly for -Monseigneur, should be so soon wrung dry and squeezed out! There must -be something short-sighted in the eternal arrangements, surely! Thus it -was, however; and the last drop of blood having been extracted from the -flints, and the last screw of the rack having been turned so often that -its purchase crumbled, and it now turned and turned with nothing -to bite, Monseigneur began to run away from a phenomenon so low and -unaccountable. - -But, this was not the change on the village, and on many a village like -it. For scores of years gone by, Monseigneur had squeezed it and wrung -it, and had seldom graced it with his presence except for the pleasures -of the chase--now, found in hunting the people; now, found in hunting -the beasts, for whose preservation Monseigneur made edifying spaces -of barbarous and barren wilderness. No. The change consisted in -the appearance of strange faces of low caste, rather than in the -disappearance of the high caste, chiselled, and otherwise beautified and -beautifying features of Monseigneur. - -For, in these times, as the mender of roads worked, solitary, in the -dust, not often troubling himself to reflect that dust he was and -to dust he must return, being for the most part too much occupied in -thinking how little he had for supper and how much more he would eat if -he had it--in these times, as he raised his eyes from his lonely labour, -and viewed the prospect, he would see some rough figure approaching on -foot, the like of which was once a rarity in those parts, but was now -a frequent presence. As it advanced, the mender of roads would discern -without surprise, that it was a shaggy-haired man, of almost barbarian -aspect, tall, in wooden shoes that were clumsy even to the eyes of a -mender of roads, grim, rough, swart, steeped in the mud and dust of many -highways, dank with the marshy moisture of many low grounds, sprinkled -with the thorns and leaves and moss of many byways through woods. - -Such a man came upon him, like a ghost, at noon in the July weather, -as he sat on his heap of stones under a bank, taking such shelter as he -could get from a shower of hail. - -The man looked at him, looked at the village in the hollow, at the mill, -and at the prison on the crag. When he had identified these objects -in what benighted mind he had, he said, in a dialect that was just -intelligible: - -“How goes it, Jacques?” - -“All well, Jacques.” - -“Touch then!” - -They joined hands, and the man sat down on the heap of stones. - -“No dinner?” - -“Nothing but supper now,” said the mender of roads, with a hungry face. - -“It is the fashion,” growled the man. “I meet no dinner anywhere.” - -He took out a blackened pipe, filled it, lighted it with flint and -steel, pulled at it until it was in a bright glow: then, suddenly held -it from him and dropped something into it from between his finger and -thumb, that blazed and went out in a puff of smoke. - -“Touch then.” It was the turn of the mender of roads to say it this -time, after observing these operations. They again joined hands. - -“To-night?” said the mender of roads. - -“To-night,” said the man, putting the pipe in his mouth. - -“Where?” - -“Here.” - -He and the mender of roads sat on the heap of stones looking silently at -one another, with the hail driving in between them like a pigmy charge -of bayonets, until the sky began to clear over the village. - -“Show me!” said the traveller then, moving to the brow of the hill. - -“See!” returned the mender of roads, with extended finger. “You go down -here, and straight through the street, and past the fountain--” - -“To the Devil with all that!” interrupted the other, rolling his eye -over the landscape. “_I_ go through no streets and past no fountains. -Well?” - -“Well! About two leagues beyond the summit of that hill above the -village.” - -“Good. When do you cease to work?” - -“At sunset.” - -“Will you wake me, before departing? I have walked two nights without -resting. Let me finish my pipe, and I shall sleep like a child. Will you -wake me?” - -“Surely.” - -The wayfarer smoked his pipe out, put it in his breast, slipped off his -great wooden shoes, and lay down on his back on the heap of stones. He -was fast asleep directly. - -As the road-mender plied his dusty labour, and the hail-clouds, rolling -away, revealed bright bars and streaks of sky which were responded to -by silver gleams upon the landscape, the little man (who wore a red cap -now, in place of his blue one) seemed fascinated by the figure on the -heap of stones. His eyes were so often turned towards it, that he used -his tools mechanically, and, one would have said, to very poor account. -The bronze face, the shaggy black hair and beard, the coarse woollen -red cap, the rough medley dress of home-spun stuff and hairy skins of -beasts, the powerful frame attenuated by spare living, and the sullen -and desperate compression of the lips in sleep, inspired the mender -of roads with awe. The traveller had travelled far, and his feet were -footsore, and his ankles chafed and bleeding; his great shoes, stuffed -with leaves and grass, had been heavy to drag over the many long -leagues, and his clothes were chafed into holes, as he himself was into -sores. Stooping down beside him, the road-mender tried to get a peep at -secret weapons in his breast or where not; but, in vain, for he slept -with his arms crossed upon him, and set as resolutely as his lips. -Fortified towns with their stockades, guard-houses, gates, trenches, and -drawbridges, seemed to the mender of roads, to be so much air as against -this figure. And when he lifted his eyes from it to the horizon and -looked around, he saw in his small fancy similar figures, stopped by no -obstacle, tending to centres all over France. - -The man slept on, indifferent to showers of hail and intervals of -brightness, to sunshine on his face and shadow, to the paltering lumps -of dull ice on his body and the diamonds into which the sun changed -them, until the sun was low in the west, and the sky was glowing. Then, -the mender of roads having got his tools together and all things ready -to go down into the village, roused him. - -“Good!” said the sleeper, rising on his elbow. “Two leagues beyond the -summit of the hill?” - -“About.” - -“About. Good!” - -The mender of roads went home, with the dust going on before him -according to the set of the wind, and was soon at the fountain, -squeezing himself in among the lean kine brought there to drink, and -appearing even to whisper to them in his whispering to all the village. -When the village had taken its poor supper, it did not creep to bed, -as it usually did, but came out of doors again, and remained there. A -curious contagion of whispering was upon it, and also, when it gathered -together at the fountain in the dark, another curious contagion of -looking expectantly at the sky in one direction only. Monsieur Gabelle, -chief functionary of the place, became uneasy; went out on his house-top -alone, and looked in that direction too; glanced down from behind his -chimneys at the darkening faces by the fountain below, and sent word to -the sacristan who kept the keys of the church, that there might be need -to ring the tocsin by-and-bye. - -The night deepened. The trees environing the old chateau, keeping its -solitary state apart, moved in a rising wind, as though they threatened -the pile of building massive and dark in the gloom. Up the two terrace -flights of steps the rain ran wildly, and beat at the great door, like a -swift messenger rousing those within; uneasy rushes of wind went through -the hall, among the old spears and knives, and passed lamenting up the -stairs, and shook the curtains of the bed where the last Marquis -had slept. East, West, North, and South, through the woods, four -heavy-treading, unkempt figures crushed the high grass and cracked the -branches, striding on cautiously to come together in the courtyard. Four -lights broke out there, and moved away in different directions, and all -was black again. - -But, not for long. Presently, the chateau began to make itself strangely -visible by some light of its own, as though it were growing luminous. -Then, a flickering streak played behind the architecture of the front, -picking out transparent places, and showing where balustrades, arches, -and windows were. Then it soared higher, and grew broader and brighter. -Soon, from a score of the great windows, flames burst forth, and the -stone faces awakened, stared out of fire. - -A faint murmur arose about the house from the few people who were left -there, and there was a saddling of a horse and riding away. There was -spurring and splashing through the darkness, and bridle was drawn in the -space by the village fountain, and the horse in a foam stood at Monsieur -Gabelle's door. “Help, Gabelle! Help, every one!” The tocsin rang -impatiently, but other help (if that were any) there was none. The -mender of roads, and two hundred and fifty particular friends, stood -with folded arms at the fountain, looking at the pillar of fire in the -sky. “It must be forty feet high,” said they, grimly; and never moved. - -The rider from the chateau, and the horse in a foam, clattered away -through the village, and galloped up the stony steep, to the prison on -the crag. At the gate, a group of officers were looking at the fire; -removed from them, a group of soldiers. “Help, gentlemen--officers! The -chateau is on fire; valuable objects may be saved from the flames by -timely aid! Help, help!” The officers looked towards the soldiers who -looked at the fire; gave no orders; and answered, with shrugs and biting -of lips, “It must burn.” - -As the rider rattled down the hill again and through the street, the -village was illuminating. The mender of roads, and the two hundred and -fifty particular friends, inspired as one man and woman by the idea of -lighting up, had darted into their houses, and were putting candles in -every dull little pane of glass. The general scarcity of everything, -occasioned candles to be borrowed in a rather peremptory manner of -Monsieur Gabelle; and in a moment of reluctance and hesitation on -that functionary's part, the mender of roads, once so submissive to -authority, had remarked that carriages were good to make bonfires with, -and that post-horses would roast. - -The chateau was left to itself to flame and burn. In the roaring and -raging of the conflagration, a red-hot wind, driving straight from the -infernal regions, seemed to be blowing the edifice away. With the rising -and falling of the blaze, the stone faces showed as if they were in -torment. When great masses of stone and timber fell, the face with the -two dints in the nose became obscured: anon struggled out of the smoke -again, as if it were the face of the cruel Marquis, burning at the stake -and contending with the fire. - -The chateau burned; the nearest trees, laid hold of by the fire, -scorched and shrivelled; trees at a distance, fired by the four fierce -figures, begirt the blazing edifice with a new forest of smoke. Molten -lead and iron boiled in the marble basin of the fountain; the water ran -dry; the extinguisher tops of the towers vanished like ice before the -heat, and trickled down into four rugged wells of flame. Great rents and -splits branched out in the solid walls, like crystallisation; stupefied -birds wheeled about and dropped into the furnace; four fierce figures -trudged away, East, West, North, and South, along the night-enshrouded -roads, guided by the beacon they had lighted, towards their next -destination. The illuminated village had seized hold of the tocsin, and, -abolishing the lawful ringer, rang for joy. - -Not only that; but the village, light-headed with famine, fire, and -bell-ringing, and bethinking itself that Monsieur Gabelle had to do with -the collection of rent and taxes--though it was but a small instalment -of taxes, and no rent at all, that Gabelle had got in those latter -days--became impatient for an interview with him, and, surrounding his -house, summoned him to come forth for personal conference. Whereupon, -Monsieur Gabelle did heavily bar his door, and retire to hold counsel -with himself. The result of that conference was, that Gabelle again -withdrew himself to his housetop behind his stack of chimneys; this time -resolved, if his door were broken in (he was a small Southern man -of retaliative temperament), to pitch himself head foremost over the -parapet, and crush a man or two below. - -Probably, Monsieur Gabelle passed a long night up there, with the -distant chateau for fire and candle, and the beating at his door, -combined with the joy-ringing, for music; not to mention his having an -ill-omened lamp slung across the road before his posting-house gate, -which the village showed a lively inclination to displace in his favour. -A trying suspense, to be passing a whole summer night on the brink of -the black ocean, ready to take that plunge into it upon which Monsieur -Gabelle had resolved! But, the friendly dawn appearing at last, and the -rush-candles of the village guttering out, the people happily dispersed, -and Monsieur Gabelle came down bringing his life with him for that -while. - -Within a hundred miles, and in the light of other fires, there were -other functionaries less fortunate, that night and other nights, whom -the rising sun found hanging across once-peaceful streets, where they -had been born and bred; also, there were other villagers and townspeople -less fortunate than the mender of roads and his fellows, upon whom the -functionaries and soldiery turned with success, and whom they strung up -in their turn. But, the fierce figures were steadily wending East, West, -North, and South, be that as it would; and whosoever hung, fire burned. -The altitude of the gallows that would turn to water and quench it, -no functionary, by any stretch of mathematics, was able to calculate -successfully. - - - - -XXIV. Drawn to the Loadstone Rock - - -In such risings of fire and risings of sea--the firm earth shaken by -the rushes of an angry ocean which had now no ebb, but was always on the -flow, higher and higher, to the terror and wonder of the beholders on -the shore--three years of tempest were consumed. Three more birthdays -of little Lucie had been woven by the golden thread into the peaceful -tissue of the life of her home. - -Many a night and many a day had its inmates listened to the echoes in -the corner, with hearts that failed them when they heard the thronging -feet. For, the footsteps had become to their minds as the footsteps of -a people, tumultuous under a red flag and with their country declared in -danger, changed into wild beasts, by terrible enchantment long persisted -in. - -Monseigneur, as a class, had dissociated himself from the phenomenon of -his not being appreciated: of his being so little wanted in France, as -to incur considerable danger of receiving his dismissal from it, and -this life together. Like the fabled rustic who raised the Devil with -infinite pains, and was so terrified at the sight of him that he could -ask the Enemy no question, but immediately fled; so, Monseigneur, after -boldly reading the Lord's Prayer backwards for a great number of years, -and performing many other potent spells for compelling the Evil One, no -sooner beheld him in his terrors than he took to his noble heels. - -The shining Bull's Eye of the Court was gone, or it would have been the -mark for a hurricane of national bullets. It had never been a good -eye to see with--had long had the mote in it of Lucifer's pride, -Sardanapalus's luxury, and a mole's blindness--but it had dropped -out and was gone. The Court, from that exclusive inner circle to its -outermost rotten ring of intrigue, corruption, and dissimulation, was -all gone together. Royalty was gone; had been besieged in its Palace and -“suspended,” when the last tidings came over. - -The August of the year one thousand seven hundred and ninety-two was -come, and Monseigneur was by this time scattered far and wide. - -As was natural, the head-quarters and great gathering-place of -Monseigneur, in London, was Tellson's Bank. Spirits are supposed to -haunt the places where their bodies most resorted, and Monseigneur -without a guinea haunted the spot where his guineas used to be. -Moreover, it was the spot to which such French intelligence as was most -to be relied upon, came quickest. Again: Tellson's was a munificent -house, and extended great liberality to old customers who had fallen -from their high estate. Again: those nobles who had seen the coming -storm in time, and anticipating plunder or confiscation, had made -provident remittances to Tellson's, were always to be heard of there -by their needy brethren. To which it must be added that every new-comer -from France reported himself and his tidings at Tellson's, almost as -a matter of course. For such variety of reasons, Tellson's was at that -time, as to French intelligence, a kind of High Exchange; and this -was so well known to the public, and the inquiries made there were in -consequence so numerous, that Tellson's sometimes wrote the latest news -out in a line or so and posted it in the Bank windows, for all who ran -through Temple Bar to read. - -On a steaming, misty afternoon, Mr. Lorry sat at his desk, and Charles -Darnay stood leaning on it, talking with him in a low voice. The -penitential den once set apart for interviews with the House, was now -the news-Exchange, and was filled to overflowing. It was within half an -hour or so of the time of closing. - -“But, although you are the youngest man that ever lived,” said Charles -Darnay, rather hesitating, “I must still suggest to you--” - -“I understand. That I am too old?” said Mr. Lorry. - -“Unsettled weather, a long journey, uncertain means of travelling, a -disorganised country, a city that may not be even safe for you.” - -“My dear Charles,” said Mr. Lorry, with cheerful confidence, “you touch -some of the reasons for my going: not for my staying away. It is safe -enough for me; nobody will care to interfere with an old fellow of hard -upon fourscore when there are so many people there much better worth -interfering with. As to its being a disorganised city, if it were not a -disorganised city there would be no occasion to send somebody from our -House here to our House there, who knows the city and the business, of -old, and is in Tellson's confidence. As to the uncertain travelling, the -long journey, and the winter weather, if I were not prepared to submit -myself to a few inconveniences for the sake of Tellson's, after all -these years, who ought to be?” - -“I wish I were going myself,” said Charles Darnay, somewhat restlessly, -and like one thinking aloud. - -“Indeed! You are a pretty fellow to object and advise!” exclaimed Mr. -Lorry. “You wish you were going yourself? And you a Frenchman born? You -are a wise counsellor.” - -“My dear Mr. Lorry, it is because I am a Frenchman born, that the -thought (which I did not mean to utter here, however) has passed through -my mind often. One cannot help thinking, having had some sympathy for -the miserable people, and having abandoned something to them,” he spoke -here in his former thoughtful manner, “that one might be listened to, -and might have the power to persuade to some restraint. Only last night, -after you had left us, when I was talking to Lucie--” - -“When you were talking to Lucie,” Mr. Lorry repeated. “Yes. I wonder you -are not ashamed to mention the name of Lucie! Wishing you were going to -France at this time of day!” - -“However, I am not going,” said Charles Darnay, with a smile. “It is -more to the purpose that you say you are.” - -“And I am, in plain reality. The truth is, my dear Charles,” Mr. Lorry -glanced at the distant House, and lowered his voice, “you can have no -conception of the difficulty with which our business is transacted, and -of the peril in which our books and papers over yonder are involved. The -Lord above knows what the compromising consequences would be to numbers -of people, if some of our documents were seized or destroyed; and they -might be, at any time, you know, for who can say that Paris is not set -afire to-day, or sacked to-morrow! Now, a judicious selection from these -with the least possible delay, and the burying of them, or otherwise -getting of them out of harm's way, is within the power (without loss of -precious time) of scarcely any one but myself, if any one. And shall -I hang back, when Tellson's knows this and says this--Tellson's, whose -bread I have eaten these sixty years--because I am a little stiff about -the joints? Why, I am a boy, sir, to half a dozen old codgers here!” - -“How I admire the gallantry of your youthful spirit, Mr. Lorry.” - -“Tut! Nonsense, sir!--And, my dear Charles,” said Mr. Lorry, glancing at -the House again, “you are to remember, that getting things out of -Paris at this present time, no matter what things, is next to an -impossibility. Papers and precious matters were this very day brought -to us here (I speak in strict confidence; it is not business-like to -whisper it, even to you), by the strangest bearers you can imagine, -every one of whom had his head hanging on by a single hair as he passed -the Barriers. At another time, our parcels would come and go, as easily -as in business-like Old England; but now, everything is stopped.” - -“And do you really go to-night?” - -“I really go to-night, for the case has become too pressing to admit of -delay.” - -“And do you take no one with you?” - -“All sorts of people have been proposed to me, but I will have nothing -to say to any of them. I intend to take Jerry. Jerry has been my -bodyguard on Sunday nights for a long time past and I am used to him. -Nobody will suspect Jerry of being anything but an English bull-dog, or -of having any design in his head but to fly at anybody who touches his -master.” - -“I must say again that I heartily admire your gallantry and -youthfulness.” - -“I must say again, nonsense, nonsense! When I have executed this little -commission, I shall, perhaps, accept Tellson's proposal to retire and -live at my ease. Time enough, then, to think about growing old.” - -This dialogue had taken place at Mr. Lorry's usual desk, with -Monseigneur swarming within a yard or two of it, boastful of what he -would do to avenge himself on the rascal-people before long. It was too -much the way of Monseigneur under his reverses as a refugee, and it -was much too much the way of native British orthodoxy, to talk of this -terrible Revolution as if it were the only harvest ever known under -the skies that had not been sown--as if nothing had ever been done, or -omitted to be done, that had led to it--as if observers of the wretched -millions in France, and of the misused and perverted resources that -should have made them prosperous, had not seen it inevitably coming, -years before, and had not in plain words recorded what they saw. Such -vapouring, combined with the extravagant plots of Monseigneur for the -restoration of a state of things that had utterly exhausted itself, -and worn out Heaven and earth as well as itself, was hard to be endured -without some remonstrance by any sane man who knew the truth. And it was -such vapouring all about his ears, like a troublesome confusion of blood -in his own head, added to a latent uneasiness in his mind, which had -already made Charles Darnay restless, and which still kept him so. - -Among the talkers, was Stryver, of the King's Bench Bar, far on his -way to state promotion, and, therefore, loud on the theme: broaching -to Monseigneur, his devices for blowing the people up and exterminating -them from the face of the earth, and doing without them: and for -accomplishing many similar objects akin in their nature to the abolition -of eagles by sprinkling salt on the tails of the race. Him, Darnay heard -with a particular feeling of objection; and Darnay stood divided between -going away that he might hear no more, and remaining to interpose his -word, when the thing that was to be, went on to shape itself out. - -The House approached Mr. Lorry, and laying a soiled and unopened letter -before him, asked if he had yet discovered any traces of the person to -whom it was addressed? The House laid the letter down so close to Darnay -that he saw the direction--the more quickly because it was his own right -name. The address, turned into English, ran: - -“Very pressing. To Monsieur heretofore the Marquis St. Evremonde, of -France. Confided to the cares of Messrs. Tellson and Co., Bankers, -London, England.” - -On the marriage morning, Doctor Manette had made it his one urgent and -express request to Charles Darnay, that the secret of this name should -be--unless he, the Doctor, dissolved the obligation--kept inviolate -between them. Nobody else knew it to be his name; his own wife had no -suspicion of the fact; Mr. Lorry could have none. - -“No,” said Mr. Lorry, in reply to the House; “I have referred it, -I think, to everybody now here, and no one can tell me where this -gentleman is to be found.” - -The hands of the clock verging upon the hour of closing the Bank, there -was a general set of the current of talkers past Mr. Lorry's desk. He -held the letter out inquiringly; and Monseigneur looked at it, in the -person of this plotting and indignant refugee; and Monseigneur looked at -it in the person of that plotting and indignant refugee; and This, That, -and The Other, all had something disparaging to say, in French or in -English, concerning the Marquis who was not to be found. - -“Nephew, I believe--but in any case degenerate successor--of the -polished Marquis who was murdered,” said one. “Happy to say, I never -knew him.” - -“A craven who abandoned his post,” said another--this Monseigneur had -been got out of Paris, legs uppermost and half suffocated, in a load of -hay--“some years ago.” - -“Infected with the new doctrines,” said a third, eyeing the direction -through his glass in passing; “set himself in opposition to the last -Marquis, abandoned the estates when he inherited them, and left them to -the ruffian herd. They will recompense him now, I hope, as he deserves.” - -“Hey?” cried the blatant Stryver. “Did he though? Is that the sort of -fellow? Let us look at his infamous name. D--n the fellow!” - -Darnay, unable to restrain himself any longer, touched Mr. Stryver on -the shoulder, and said: - -“I know the fellow.” - -“Do you, by Jupiter?” said Stryver. “I am sorry for it.” - -“Why?” - -“Why, Mr. Darnay? D'ye hear what he did? Don't ask, why, in these -times.” - -“But I do ask why?” - -“Then I tell you again, Mr. Darnay, I am sorry for it. I am sorry to -hear you putting any such extraordinary questions. Here is a fellow, -who, infected by the most pestilent and blasphemous code of devilry that -ever was known, abandoned his property to the vilest scum of the earth -that ever did murder by wholesale, and you ask me why I am sorry that a -man who instructs youth knows him? Well, but I'll answer you. I am sorry -because I believe there is contamination in such a scoundrel. That's -why.” - -Mindful of the secret, Darnay with great difficulty checked himself, and -said: “You may not understand the gentleman.” - -“I understand how to put _you_ in a corner, Mr. Darnay,” said Bully -Stryver, “and I'll do it. If this fellow is a gentleman, I _don't_ -understand him. You may tell him so, with my compliments. You may also -tell him, from me, that after abandoning his worldly goods and position -to this butcherly mob, I wonder he is not at the head of them. But, no, -gentlemen,” said Stryver, looking all round, and snapping his fingers, -“I know something of human nature, and I tell you that you'll never -find a fellow like this fellow, trusting himself to the mercies of such -precious _protégés_. No, gentlemen; he'll always show 'em a clean pair -of heels very early in the scuffle, and sneak away.” - -With those words, and a final snap of his fingers, Mr. Stryver -shouldered himself into Fleet-street, amidst the general approbation of -his hearers. Mr. Lorry and Charles Darnay were left alone at the desk, -in the general departure from the Bank. - -“Will you take charge of the letter?” said Mr. Lorry. “You know where to -deliver it?” - -“I do.” - -“Will you undertake to explain, that we suppose it to have been -addressed here, on the chance of our knowing where to forward it, and -that it has been here some time?” - -“I will do so. Do you start for Paris from here?” - -“From here, at eight.” - -“I will come back, to see you off.” - -Very ill at ease with himself, and with Stryver and most other men, -Darnay made the best of his way into the quiet of the Temple, opened the -letter, and read it. These were its contents: - - -“Prison of the Abbaye, Paris. - -“June 21, 1792. “MONSIEUR HERETOFORE THE MARQUIS. - -“After having long been in danger of my life at the hands of the -village, I have been seized, with great violence and indignity, and -brought a long journey on foot to Paris. On the road I have suffered a -great deal. Nor is that all; my house has been destroyed--razed to the -ground. - -“The crime for which I am imprisoned, Monsieur heretofore the Marquis, -and for which I shall be summoned before the tribunal, and shall lose my -life (without your so generous help), is, they tell me, treason against -the majesty of the people, in that I have acted against them for an -emigrant. It is in vain I represent that I have acted for them, and not -against, according to your commands. It is in vain I represent that, -before the sequestration of emigrant property, I had remitted the -imposts they had ceased to pay; that I had collected no rent; that I had -had recourse to no process. The only response is, that I have acted for -an emigrant, and where is that emigrant? - -“Ah! most gracious Monsieur heretofore the Marquis, where is that -emigrant? I cry in my sleep where is he? I demand of Heaven, will he -not come to deliver me? No answer. Ah Monsieur heretofore the Marquis, -I send my desolate cry across the sea, hoping it may perhaps reach your -ears through the great bank of Tilson known at Paris! - -“For the love of Heaven, of justice, of generosity, of the honour of -your noble name, I supplicate you, Monsieur heretofore the Marquis, to -succour and release me. My fault is, that I have been true to you. Oh -Monsieur heretofore the Marquis, I pray you be you true to me! - -“From this prison here of horror, whence I every hour tend nearer and -nearer to destruction, I send you, Monsieur heretofore the Marquis, the -assurance of my dolorous and unhappy service. - -“Your afflicted, - -“Gabelle.” - - -The latent uneasiness in Darnay's mind was roused to vigourous life -by this letter. The peril of an old servant and a good one, whose -only crime was fidelity to himself and his family, stared him so -reproachfully in the face, that, as he walked to and fro in the Temple -considering what to do, he almost hid his face from the passersby. - -He knew very well, that in his horror of the deed which had culminated -the bad deeds and bad reputation of the old family house, in his -resentful suspicions of his uncle, and in the aversion with which his -conscience regarded the crumbling fabric that he was supposed to uphold, -he had acted imperfectly. He knew very well, that in his love for Lucie, -his renunciation of his social place, though by no means new to his own -mind, had been hurried and incomplete. He knew that he ought to have -systematically worked it out and supervised it, and that he had meant to -do it, and that it had never been done. - -The happiness of his own chosen English home, the necessity of being -always actively employed, the swift changes and troubles of the time -which had followed on one another so fast, that the events of this week -annihilated the immature plans of last week, and the events of the week -following made all new again; he knew very well, that to the force of -these circumstances he had yielded:--not without disquiet, but still -without continuous and accumulating resistance. That he had watched -the times for a time of action, and that they had shifted and struggled -until the time had gone by, and the nobility were trooping from -France by every highway and byway, and their property was in course of -confiscation and destruction, and their very names were blotting out, -was as well known to himself as it could be to any new authority in -France that might impeach him for it. - -But, he had oppressed no man, he had imprisoned no man; he was so -far from having harshly exacted payment of his dues, that he had -relinquished them of his own will, thrown himself on a world with no -favour in it, won his own private place there, and earned his own -bread. Monsieur Gabelle had held the impoverished and involved estate -on written instructions, to spare the people, to give them what little -there was to give--such fuel as the heavy creditors would let them have -in the winter, and such produce as could be saved from the same grip in -the summer--and no doubt he had put the fact in plea and proof, for his -own safety, so that it could not but appear now. - -This favoured the desperate resolution Charles Darnay had begun to make, -that he would go to Paris. - -Yes. Like the mariner in the old story, the winds and streams had driven -him within the influence of the Loadstone Rock, and it was drawing him -to itself, and he must go. Everything that arose before his mind drifted -him on, faster and faster, more and more steadily, to the terrible -attraction. His latent uneasiness had been, that bad aims were being -worked out in his own unhappy land by bad instruments, and that he who -could not fail to know that he was better than they, was not there, -trying to do something to stay bloodshed, and assert the claims of mercy -and humanity. With this uneasiness half stifled, and half reproaching -him, he had been brought to the pointed comparison of himself with the -brave old gentleman in whom duty was so strong; upon that comparison -(injurious to himself) had instantly followed the sneers of Monseigneur, -which had stung him bitterly, and those of Stryver, which above all were -coarse and galling, for old reasons. Upon those, had followed Gabelle's -letter: the appeal of an innocent prisoner, in danger of death, to his -justice, honour, and good name. - -His resolution was made. He must go to Paris. - -Yes. The Loadstone Rock was drawing him, and he must sail on, until he -struck. He knew of no rock; he saw hardly any danger. The intention -with which he had done what he had done, even although he had left -it incomplete, presented it before him in an aspect that would be -gratefully acknowledged in France on his presenting himself to assert -it. Then, that glorious vision of doing good, which is so often the -sanguine mirage of so many good minds, arose before him, and he even -saw himself in the illusion with some influence to guide this raging -Revolution that was running so fearfully wild. - -As he walked to and fro with his resolution made, he considered that -neither Lucie nor her father must know of it until he was gone. -Lucie should be spared the pain of separation; and her father, always -reluctant to turn his thoughts towards the dangerous ground of old, -should come to the knowledge of the step, as a step taken, and not in -the balance of suspense and doubt. How much of the incompleteness of his -situation was referable to her father, through the painful anxiety -to avoid reviving old associations of France in his mind, he did not -discuss with himself. But, that circumstance too, had had its influence -in his course. - -He walked to and fro, with thoughts very busy, until it was time to -return to Tellson's and take leave of Mr. Lorry. As soon as he arrived -in Paris he would present himself to this old friend, but he must say -nothing of his intention now. - -A carriage with post-horses was ready at the Bank door, and Jerry was -booted and equipped. - -“I have delivered that letter,” said Charles Darnay to Mr. Lorry. “I -would not consent to your being charged with any written answer, but -perhaps you will take a verbal one?” - -“That I will, and readily,” said Mr. Lorry, “if it is not dangerous.” - -“Not at all. Though it is to a prisoner in the Abbaye.” - -“What is his name?” said Mr. Lorry, with his open pocket-book in his -hand. - -“Gabelle.” - -“Gabelle. And what is the message to the unfortunate Gabelle in prison?” - -“Simply, 'that he has received the letter, and will come.'” - -“Any time mentioned?” - -“He will start upon his journey to-morrow night.” - -“Any person mentioned?” - -“No.” - -He helped Mr. Lorry to wrap himself in a number of coats and cloaks, -and went out with him from the warm atmosphere of the old Bank, into the -misty air of Fleet-street. “My love to Lucie, and to little Lucie,” said -Mr. Lorry at parting, “and take precious care of them till I come back.” - Charles Darnay shook his head and doubtfully smiled, as the carriage -rolled away. - -That night--it was the fourteenth of August--he sat up late, and wrote -two fervent letters; one was to Lucie, explaining the strong obligation -he was under to go to Paris, and showing her, at length, the reasons -that he had, for feeling confident that he could become involved in no -personal danger there; the other was to the Doctor, confiding Lucie and -their dear child to his care, and dwelling on the same topics with the -strongest assurances. To both, he wrote that he would despatch letters -in proof of his safety, immediately after his arrival. - -It was a hard day, that day of being among them, with the first -reservation of their joint lives on his mind. It was a hard matter to -preserve the innocent deceit of which they were profoundly unsuspicious. -But, an affectionate glance at his wife, so happy and busy, made him -resolute not to tell her what impended (he had been half moved to do it, -so strange it was to him to act in anything without her quiet aid), and -the day passed quickly. Early in the evening he embraced her, and her -scarcely less dear namesake, pretending that he would return by-and-bye -(an imaginary engagement took him out, and he had secreted a valise -of clothes ready), and so he emerged into the heavy mist of the heavy -streets, with a heavier heart. - -The unseen force was drawing him fast to itself, now, and all the tides -and winds were setting straight and strong towards it. He left his -two letters with a trusty porter, to be delivered half an hour before -midnight, and no sooner; took horse for Dover; and began his journey. -“For the love of Heaven, of justice, of generosity, of the honour of -your noble name!” was the poor prisoner's cry with which he strengthened -his sinking heart, as he left all that was dear on earth behind him, and -floated away for the Loadstone Rock. - - -The end of the second book. - - - - - -Book the Third--the Track of a Storm - - - - -I. In Secret - - -The traveller fared slowly on his way, who fared towards Paris from -England in the autumn of the year one thousand seven hundred and -ninety-two. More than enough of bad roads, bad equipages, and bad -horses, he would have encountered to delay him, though the fallen and -unfortunate King of France had been upon his throne in all his glory; -but, the changed times were fraught with other obstacles than -these. Every town-gate and village taxing-house had its band of -citizen-patriots, with their national muskets in a most explosive state -of readiness, who stopped all comers and goers, cross-questioned them, -inspected their papers, looked for their names in lists of their own, -turned them back, or sent them on, or stopped them and laid them in -hold, as their capricious judgment or fancy deemed best for the dawning -Republic One and Indivisible, of Liberty, Equality, Fraternity, or -Death. - -A very few French leagues of his journey were accomplished, when Charles -Darnay began to perceive that for him along these country roads there -was no hope of return until he should have been declared a good citizen -at Paris. Whatever might befall now, he must on to his journey's end. -Not a mean village closed upon him, not a common barrier dropped across -the road behind him, but he knew it to be another iron door in -the series that was barred between him and England. The universal -watchfulness so encompassed him, that if he had been taken in a net, -or were being forwarded to his destination in a cage, he could not have -felt his freedom more completely gone. - -This universal watchfulness not only stopped him on the highway twenty -times in a stage, but retarded his progress twenty times in a day, by -riding after him and taking him back, riding before him and stopping him -by anticipation, riding with him and keeping him in charge. He had been -days upon his journey in France alone, when he went to bed tired out, in -a little town on the high road, still a long way from Paris. - -Nothing but the production of the afflicted Gabelle's letter from his -prison of the Abbaye would have got him on so far. His difficulty at the -guard-house in this small place had been such, that he felt his journey -to have come to a crisis. And he was, therefore, as little surprised as -a man could be, to find himself awakened at the small inn to which he -had been remitted until morning, in the middle of the night. - -Awakened by a timid local functionary and three armed patriots in rough -red caps and with pipes in their mouths, who sat down on the bed. - -“Emigrant,” said the functionary, “I am going to send you on to Paris, -under an escort.” - -“Citizen, I desire nothing more than to get to Paris, though I could -dispense with the escort.” - -“Silence!” growled a red-cap, striking at the coverlet with the butt-end -of his musket. “Peace, aristocrat!” - -“It is as the good patriot says,” observed the timid functionary. “You -are an aristocrat, and must have an escort--and must pay for it.” - -“I have no choice,” said Charles Darnay. - -“Choice! Listen to him!” cried the same scowling red-cap. “As if it was -not a favour to be protected from the lamp-iron!” - -“It is always as the good patriot says,” observed the functionary. “Rise -and dress yourself, emigrant.” - -Darnay complied, and was taken back to the guard-house, where other -patriots in rough red caps were smoking, drinking, and sleeping, by -a watch-fire. Here he paid a heavy price for his escort, and hence he -started with it on the wet, wet roads at three o'clock in the morning. - -The escort were two mounted patriots in red caps and tri-coloured -cockades, armed with national muskets and sabres, who rode one on either -side of him. - -The escorted governed his own horse, but a loose line was attached to -his bridle, the end of which one of the patriots kept girded round his -wrist. In this state they set forth with the sharp rain driving in their -faces: clattering at a heavy dragoon trot over the uneven town pavement, -and out upon the mire-deep roads. In this state they traversed without -change, except of horses and pace, all the mire-deep leagues that lay -between them and the capital. - -They travelled in the night, halting an hour or two after daybreak, and -lying by until the twilight fell. The escort were so wretchedly clothed, -that they twisted straw round their bare legs, and thatched their ragged -shoulders to keep the wet off. Apart from the personal discomfort of -being so attended, and apart from such considerations of present danger -as arose from one of the patriots being chronically drunk, and carrying -his musket very recklessly, Charles Darnay did not allow the restraint -that was laid upon him to awaken any serious fears in his breast; for, -he reasoned with himself that it could have no reference to the merits -of an individual case that was not yet stated, and of representations, -confirmable by the prisoner in the Abbaye, that were not yet made. - -But when they came to the town of Beauvais--which they did at eventide, -when the streets were filled with people--he could not conceal from -himself that the aspect of affairs was very alarming. An ominous crowd -gathered to see him dismount of the posting-yard, and many voices called -out loudly, “Down with the emigrant!” - -He stopped in the act of swinging himself out of his saddle, and, -resuming it as his safest place, said: - -“Emigrant, my friends! Do you not see me here, in France, of my own -will?” - -“You are a cursed emigrant,” cried a farrier, making at him in a -furious manner through the press, hammer in hand; “and you are a cursed -aristocrat!” - -The postmaster interposed himself between this man and the rider's -bridle (at which he was evidently making), and soothingly said, “Let him -be; let him be! He will be judged at Paris.” - -“Judged!” repeated the farrier, swinging his hammer. “Ay! and condemned -as a traitor.” At this the crowd roared approval. - -Checking the postmaster, who was for turning his horse's head to the -yard (the drunken patriot sat composedly in his saddle looking on, with -the line round his wrist), Darnay said, as soon as he could make his -voice heard: - -“Friends, you deceive yourselves, or you are deceived. I am not a -traitor.” - -“He lies!” cried the smith. “He is a traitor since the decree. His life -is forfeit to the people. His cursed life is not his own!” - -At the instant when Darnay saw a rush in the eyes of the crowd, which -another instant would have brought upon him, the postmaster turned his -horse into the yard, the escort rode in close upon his horse's flanks, -and the postmaster shut and barred the crazy double gates. The farrier -struck a blow upon them with his hammer, and the crowd groaned; but, no -more was done. - -“What is this decree that the smith spoke of?” Darnay asked the -postmaster, when he had thanked him, and stood beside him in the yard. - -“Truly, a decree for selling the property of emigrants.” - -“When passed?” - -“On the fourteenth.” - -“The day I left England!” - -“Everybody says it is but one of several, and that there will be -others--if there are not already--banishing all emigrants, and -condemning all to death who return. That is what he meant when he said -your life was not your own.” - -“But there are no such decrees yet?” - -“What do I know!” said the postmaster, shrugging his shoulders; “there -may be, or there will be. It is all the same. What would you have?” - -They rested on some straw in a loft until the middle of the night, and -then rode forward again when all the town was asleep. Among the many -wild changes observable on familiar things which made this wild ride -unreal, not the least was the seeming rarity of sleep. After long and -lonely spurring over dreary roads, they would come to a cluster of poor -cottages, not steeped in darkness, but all glittering with lights, and -would find the people, in a ghostly manner in the dead of the night, -circling hand in hand round a shrivelled tree of Liberty, or all drawn -up together singing a Liberty song. Happily, however, there was sleep in -Beauvais that night to help them out of it and they passed on once more -into solitude and loneliness: jingling through the untimely cold and -wet, among impoverished fields that had yielded no fruits of the earth -that year, diversified by the blackened remains of burnt houses, and by -the sudden emergence from ambuscade, and sharp reining up across their -way, of patriot patrols on the watch on all the roads. - -Daylight at last found them before the wall of Paris. The barrier was -closed and strongly guarded when they rode up to it. - -“Where are the papers of this prisoner?” demanded a resolute-looking man -in authority, who was summoned out by the guard. - -Naturally struck by the disagreeable word, Charles Darnay requested the -speaker to take notice that he was a free traveller and French citizen, -in charge of an escort which the disturbed state of the country had -imposed upon him, and which he had paid for. - -“Where,” repeated the same personage, without taking any heed of him -whatever, “are the papers of this prisoner?” - -The drunken patriot had them in his cap, and produced them. Casting his -eyes over Gabelle's letter, the same personage in authority showed some -disorder and surprise, and looked at Darnay with a close attention. - -He left escort and escorted without saying a word, however, and went -into the guard-room; meanwhile, they sat upon their horses outside the -gate. Looking about him while in this state of suspense, Charles -Darnay observed that the gate was held by a mixed guard of soldiers and -patriots, the latter far outnumbering the former; and that while ingress -into the city for peasants' carts bringing in supplies, and for similar -traffic and traffickers, was easy enough, egress, even for the homeliest -people, was very difficult. A numerous medley of men and women, not -to mention beasts and vehicles of various sorts, was waiting to issue -forth; but, the previous identification was so strict, that they -filtered through the barrier very slowly. Some of these people knew -their turn for examination to be so far off, that they lay down on the -ground to sleep or smoke, while others talked together, or loitered -about. The red cap and tri-colour cockade were universal, both among men -and women. - -When he had sat in his saddle some half-hour, taking note of these -things, Darnay found himself confronted by the same man in authority, -who directed the guard to open the barrier. Then he delivered to the -escort, drunk and sober, a receipt for the escorted, and requested him -to dismount. He did so, and the two patriots, leading his tired horse, -turned and rode away without entering the city. - -He accompanied his conductor into a guard-room, smelling of common wine -and tobacco, where certain soldiers and patriots, asleep and awake, -drunk and sober, and in various neutral states between sleeping and -waking, drunkenness and sobriety, were standing and lying about. The -light in the guard-house, half derived from the waning oil-lamps of -the night, and half from the overcast day, was in a correspondingly -uncertain condition. Some registers were lying open on a desk, and an -officer of a coarse, dark aspect, presided over these. - -“Citizen Defarge,” said he to Darnay's conductor, as he took a slip of -paper to write on. “Is this the emigrant Evremonde?” - -“This is the man.” - -“Your age, Evremonde?” - -“Thirty-seven.” - -“Married, Evremonde?” - -“Yes.” - -“Where married?” - -“In England.” - -“Without doubt. Where is your wife, Evremonde?” - -“In England.” - -“Without doubt. You are consigned, Evremonde, to the prison of La -Force.” - -“Just Heaven!” exclaimed Darnay. “Under what law, and for what offence?” - -The officer looked up from his slip of paper for a moment. - -“We have new laws, Evremonde, and new offences, since you were here.” He -said it with a hard smile, and went on writing. - -“I entreat you to observe that I have come here voluntarily, in response -to that written appeal of a fellow-countryman which lies before you. I -demand no more than the opportunity to do so without delay. Is not that -my right?” - -“Emigrants have no rights, Evremonde,” was the stolid reply. The officer -wrote until he had finished, read over to himself what he had written, -sanded it, and handed it to Defarge, with the words “In secret.” - -Defarge motioned with the paper to the prisoner that he must accompany -him. The prisoner obeyed, and a guard of two armed patriots attended -them. - -“Is it you,” said Defarge, in a low voice, as they went down the -guardhouse steps and turned into Paris, “who married the daughter of -Doctor Manette, once a prisoner in the Bastille that is no more?” - -“Yes,” replied Darnay, looking at him with surprise. - -“My name is Defarge, and I keep a wine-shop in the Quarter Saint -Antoine. Possibly you have heard of me.” - -“My wife came to your house to reclaim her father? Yes!” - -The word “wife” seemed to serve as a gloomy reminder to Defarge, to say -with sudden impatience, “In the name of that sharp female newly-born, -and called La Guillotine, why did you come to France?” - -“You heard me say why, a minute ago. Do you not believe it is the -truth?” - -“A bad truth for you,” said Defarge, speaking with knitted brows, and -looking straight before him. - -“Indeed I am lost here. All here is so unprecedented, so changed, so -sudden and unfair, that I am absolutely lost. Will you render me a -little help?” - -“None.” Defarge spoke, always looking straight before him. - -“Will you answer me a single question?” - -“Perhaps. According to its nature. You can say what it is.” - -“In this prison that I am going to so unjustly, shall I have some free -communication with the world outside?” - -“You will see.” - -“I am not to be buried there, prejudged, and without any means of -presenting my case?” - -“You will see. But, what then? Other people have been similarly buried -in worse prisons, before now.” - -“But never by me, Citizen Defarge.” - -Defarge glanced darkly at him for answer, and walked on in a steady -and set silence. The deeper he sank into this silence, the fainter hope -there was--or so Darnay thought--of his softening in any slight degree. -He, therefore, made haste to say: - -“It is of the utmost importance to me (you know, Citizen, even better -than I, of how much importance), that I should be able to communicate to -Mr. Lorry of Tellson's Bank, an English gentleman who is now in Paris, -the simple fact, without comment, that I have been thrown into the -prison of La Force. Will you cause that to be done for me?” - -“I will do,” Defarge doggedly rejoined, “nothing for you. My duty is to -my country and the People. I am the sworn servant of both, against you. -I will do nothing for you.” - -Charles Darnay felt it hopeless to entreat him further, and his pride -was touched besides. As they walked on in silence, he could not but see -how used the people were to the spectacle of prisoners passing along the -streets. The very children scarcely noticed him. A few passers turned -their heads, and a few shook their fingers at him as an aristocrat; -otherwise, that a man in good clothes should be going to prison, was no -more remarkable than that a labourer in working clothes should be -going to work. In one narrow, dark, and dirty street through which they -passed, an excited orator, mounted on a stool, was addressing an excited -audience on the crimes against the people, of the king and the royal -family. The few words that he caught from this man's lips, first made -it known to Charles Darnay that the king was in prison, and that the -foreign ambassadors had one and all left Paris. On the road (except at -Beauvais) he had heard absolutely nothing. The escort and the universal -watchfulness had completely isolated him. - -That he had fallen among far greater dangers than those which had -developed themselves when he left England, he of course knew now. That -perils had thickened about him fast, and might thicken faster and faster -yet, he of course knew now. He could not but admit to himself that he -might not have made this journey, if he could have foreseen the events -of a few days. And yet his misgivings were not so dark as, imagined by -the light of this later time, they would appear. Troubled as the future -was, it was the unknown future, and in its obscurity there was ignorant -hope. The horrible massacre, days and nights long, which, within a few -rounds of the clock, was to set a great mark of blood upon the blessed -garnering time of harvest, was as far out of his knowledge as if it had -been a hundred thousand years away. The “sharp female newly-born, and -called La Guillotine,” was hardly known to him, or to the generality -of people, by name. The frightful deeds that were to be soon done, were -probably unimagined at that time in the brains of the doers. How could -they have a place in the shadowy conceptions of a gentle mind? - -Of unjust treatment in detention and hardship, and in cruel separation -from his wife and child, he foreshadowed the likelihood, or the -certainty; but, beyond this, he dreaded nothing distinctly. With this on -his mind, which was enough to carry into a dreary prison courtyard, he -arrived at the prison of La Force. - -A man with a bloated face opened the strong wicket, to whom Defarge -presented “The Emigrant Evremonde.” - -“What the Devil! How many more of them!” exclaimed the man with the -bloated face. - -Defarge took his receipt without noticing the exclamation, and withdrew, -with his two fellow-patriots. - -“What the Devil, I say again!” exclaimed the gaoler, left with his wife. -“How many more!” - -The gaoler's wife, being provided with no answer to the question, merely -replied, “One must have patience, my dear!” Three turnkeys who entered -responsive to a bell she rang, echoed the sentiment, and one added, “For -the love of Liberty;” which sounded in that place like an inappropriate -conclusion. - -The prison of La Force was a gloomy prison, dark and filthy, and with a -horrible smell of foul sleep in it. Extraordinary how soon the noisome -flavour of imprisoned sleep, becomes manifest in all such places that -are ill cared for! - -“In secret, too,” grumbled the gaoler, looking at the written paper. “As -if I was not already full to bursting!” - -He stuck the paper on a file, in an ill-humour, and Charles Darnay -awaited his further pleasure for half an hour: sometimes, pacing to and -fro in the strong arched room: sometimes, resting on a stone seat: in -either case detained to be imprinted on the memory of the chief and his -subordinates. - -“Come!” said the chief, at length taking up his keys, “come with me, -emigrant.” - -Through the dismal prison twilight, his new charge accompanied him by -corridor and staircase, many doors clanging and locking behind them, -until they came into a large, low, vaulted chamber, crowded with -prisoners of both sexes. The women were seated at a long table, reading -and writing, knitting, sewing, and embroidering; the men were for the -most part standing behind their chairs, or lingering up and down the -room. - -In the instinctive association of prisoners with shameful crime and -disgrace, the new-comer recoiled from this company. But the crowning -unreality of his long unreal ride, was, their all at once rising to -receive him, with every refinement of manner known to the time, and with -all the engaging graces and courtesies of life. - -So strangely clouded were these refinements by the prison manners and -gloom, so spectral did they become in the inappropriate squalor and -misery through which they were seen, that Charles Darnay seemed to stand -in a company of the dead. Ghosts all! The ghost of beauty, the ghost -of stateliness, the ghost of elegance, the ghost of pride, the ghost of -frivolity, the ghost of wit, the ghost of youth, the ghost of age, all -waiting their dismissal from the desolate shore, all turning on him eyes -that were changed by the death they had died in coming there. - -It struck him motionless. The gaoler standing at his side, and the other -gaolers moving about, who would have been well enough as to appearance -in the ordinary exercise of their functions, looked so extravagantly -coarse contrasted with sorrowing mothers and blooming daughters who were -there--with the apparitions of the coquette, the young beauty, and the -mature woman delicately bred--that the inversion of all experience and -likelihood which the scene of shadows presented, was heightened to its -utmost. Surely, ghosts all. Surely, the long unreal ride some progress -of disease that had brought him to these gloomy shades! - -“In the name of the assembled companions in misfortune,” said a -gentleman of courtly appearance and address, coming forward, “I have the -honour of giving you welcome to La Force, and of condoling with you -on the calamity that has brought you among us. May it soon terminate -happily! It would be an impertinence elsewhere, but it is not so here, -to ask your name and condition?” - -Charles Darnay roused himself, and gave the required information, in -words as suitable as he could find. - -“But I hope,” said the gentleman, following the chief gaoler with his -eyes, who moved across the room, “that you are not in secret?” - -“I do not understand the meaning of the term, but I have heard them say -so.” - -“Ah, what a pity! We so much regret it! But take courage; several -members of our society have been in secret, at first, and it has lasted -but a short time.” Then he added, raising his voice, “I grieve to inform -the society--in secret.” - -There was a murmur of commiseration as Charles Darnay crossed the room -to a grated door where the gaoler awaited him, and many voices--among -which, the soft and compassionate voices of women were conspicuous--gave -him good wishes and encouragement. He turned at the grated door, to -render the thanks of his heart; it closed under the gaoler's hand; and -the apparitions vanished from his sight forever. - -The wicket opened on a stone staircase, leading upward. When they had -ascended forty steps (the prisoner of half an hour already counted -them), the gaoler opened a low black door, and they passed into a -solitary cell. It struck cold and damp, but was not dark. - -“Yours,” said the gaoler. - -“Why am I confined alone?” - -“How do I know!” - -“I can buy pen, ink, and paper?” - -“Such are not my orders. You will be visited, and can ask then. At -present, you may buy your food, and nothing more.” - -There were in the cell, a chair, a table, and a straw mattress. As -the gaoler made a general inspection of these objects, and of the four -walls, before going out, a wandering fancy wandered through the mind of -the prisoner leaning against the wall opposite to him, that this gaoler -was so unwholesomely bloated, both in face and person, as to look like -a man who had been drowned and filled with water. When the gaoler was -gone, he thought in the same wandering way, “Now am I left, as if I were -dead.” Stopping then, to look down at the mattress, he turned from it -with a sick feeling, and thought, “And here in these crawling creatures -is the first condition of the body after death.” - -“Five paces by four and a half, five paces by four and a half, five -paces by four and a half.” The prisoner walked to and fro in his cell, -counting its measurement, and the roar of the city arose like muffled -drums with a wild swell of voices added to them. “He made shoes, he made -shoes, he made shoes.” The prisoner counted the measurement again, and -paced faster, to draw his mind with him from that latter repetition. -“The ghosts that vanished when the wicket closed. There was one among -them, the appearance of a lady dressed in black, who was leaning in the -embrasure of a window, and she had a light shining upon her golden -hair, and she looked like * * * * Let us ride on again, for God's sake, -through the illuminated villages with the people all awake! * * * * He -made shoes, he made shoes, he made shoes. * * * * Five paces by four and -a half.” With such scraps tossing and rolling upward from the depths of -his mind, the prisoner walked faster and faster, obstinately counting -and counting; and the roar of the city changed to this extent--that it -still rolled in like muffled drums, but with the wail of voices that he -knew, in the swell that rose above them. - - - - -II. The Grindstone - - -Tellson's Bank, established in the Saint Germain Quarter of Paris, was -in a wing of a large house, approached by a courtyard and shut off from -the street by a high wall and a strong gate. The house belonged to -a great nobleman who had lived in it until he made a flight from the -troubles, in his own cook's dress, and got across the borders. A -mere beast of the chase flying from hunters, he was still in his -metempsychosis no other than the same Monseigneur, the preparation -of whose chocolate for whose lips had once occupied three strong men -besides the cook in question. - -Monseigneur gone, and the three strong men absolving themselves from the -sin of having drawn his high wages, by being more than ready and -willing to cut his throat on the altar of the dawning Republic one and -indivisible of Liberty, Equality, Fraternity, or Death, Monseigneur's -house had been first sequestrated, and then confiscated. For, all -things moved so fast, and decree followed decree with that fierce -precipitation, that now upon the third night of the autumn month -of September, patriot emissaries of the law were in possession of -Monseigneur's house, and had marked it with the tri-colour, and were -drinking brandy in its state apartments. - -A place of business in London like Tellson's place of business in Paris, -would soon have driven the House out of its mind and into the Gazette. -For, what would staid British responsibility and respectability have -said to orange-trees in boxes in a Bank courtyard, and even to a Cupid -over the counter? Yet such things were. Tellson's had whitewashed the -Cupid, but he was still to be seen on the ceiling, in the coolest -linen, aiming (as he very often does) at money from morning to -night. Bankruptcy must inevitably have come of this young Pagan, in -Lombard-street, London, and also of a curtained alcove in the rear of -the immortal boy, and also of a looking-glass let into the wall, and -also of clerks not at all old, who danced in public on the slightest -provocation. Yet, a French Tellson's could get on with these things -exceedingly well, and, as long as the times held together, no man had -taken fright at them, and drawn out his money. - -What money would be drawn out of Tellson's henceforth, and what would -lie there, lost and forgotten; what plate and jewels would tarnish in -Tellson's hiding-places, while the depositors rusted in prisons, -and when they should have violently perished; how many accounts with -Tellson's never to be balanced in this world, must be carried over into -the next; no man could have said, that night, any more than Mr. Jarvis -Lorry could, though he thought heavily of these questions. He sat by -a newly-lighted wood fire (the blighted and unfruitful year was -prematurely cold), and on his honest and courageous face there was a -deeper shade than the pendent lamp could throw, or any object in the -room distortedly reflect--a shade of horror. - -He occupied rooms in the Bank, in his fidelity to the House of which -he had grown to be a part, like strong root-ivy. It chanced that they -derived a kind of security from the patriotic occupation of the main -building, but the true-hearted old gentleman never calculated about -that. All such circumstances were indifferent to him, so that he did -his duty. On the opposite side of the courtyard, under a colonnade, -was extensive standing--for carriages--where, indeed, some carriages -of Monseigneur yet stood. Against two of the pillars were fastened two -great flaring flambeaux, and in the light of these, standing out in the -open air, was a large grindstone: a roughly mounted thing which appeared -to have hurriedly been brought there from some neighbouring smithy, -or other workshop. Rising and looking out of window at these harmless -objects, Mr. Lorry shivered, and retired to his seat by the fire. He had -opened, not only the glass window, but the lattice blind outside it, and -he had closed both again, and he shivered through his frame. - -From the streets beyond the high wall and the strong gate, there came -the usual night hum of the city, with now and then an indescribable ring -in it, weird and unearthly, as if some unwonted sounds of a terrible -nature were going up to Heaven. - -“Thank God,” said Mr. Lorry, clasping his hands, “that no one near and -dear to me is in this dreadful town to-night. May He have mercy on all -who are in danger!” - -Soon afterwards, the bell at the great gate sounded, and he thought, -“They have come back!” and sat listening. But, there was no loud -irruption into the courtyard, as he had expected, and he heard the gate -clash again, and all was quiet. - -The nervousness and dread that were upon him inspired that vague -uneasiness respecting the Bank, which a great change would naturally -awaken, with such feelings roused. It was well guarded, and he got up to -go among the trusty people who were watching it, when his door suddenly -opened, and two figures rushed in, at sight of which he fell back in -amazement. - -Lucie and her father! Lucie with her arms stretched out to him, and with -that old look of earnestness so concentrated and intensified, that it -seemed as though it had been stamped upon her face expressly to give -force and power to it in this one passage of her life. - -“What is this?” cried Mr. Lorry, breathless and confused. “What is the -matter? Lucie! Manette! What has happened? What has brought you here? -What is it?” - -With the look fixed upon him, in her paleness and wildness, she panted -out in his arms, imploringly, “O my dear friend! My husband!” - -“Your husband, Lucie?” - -“Charles.” - -“What of Charles?” - -“Here. - -“Here, in Paris?” - -“Has been here some days--three or four--I don't know how many--I can't -collect my thoughts. An errand of generosity brought him here unknown to -us; he was stopped at the barrier, and sent to prison.” - -The old man uttered an irrepressible cry. Almost at the same moment, the -bell of the great gate rang again, and a loud noise of feet and voices -came pouring into the courtyard. - -“What is that noise?” said the Doctor, turning towards the window. - -“Don't look!” cried Mr. Lorry. “Don't look out! Manette, for your life, -don't touch the blind!” - -The Doctor turned, with his hand upon the fastening of the window, and -said, with a cool, bold smile: - -“My dear friend, I have a charmed life in this city. I have been -a Bastille prisoner. There is no patriot in Paris--in Paris? In -France--who, knowing me to have been a prisoner in the Bastille, would -touch me, except to overwhelm me with embraces, or carry me in triumph. -My old pain has given me a power that has brought us through the -barrier, and gained us news of Charles there, and brought us here. I -knew it would be so; I knew I could help Charles out of all danger; I -told Lucie so.--What is that noise?” His hand was again upon the window. - -“Don't look!” cried Mr. Lorry, absolutely desperate. “No, Lucie, my -dear, nor you!” He got his arm round her, and held her. “Don't be so -terrified, my love. I solemnly swear to you that I know of no harm -having happened to Charles; that I had no suspicion even of his being in -this fatal place. What prison is he in?” - -“La Force!” - -“La Force! Lucie, my child, if ever you were brave and serviceable in -your life--and you were always both--you will compose yourself now, to -do exactly as I bid you; for more depends upon it than you can think, or -I can say. There is no help for you in any action on your part to-night; -you cannot possibly stir out. I say this, because what I must bid you -to do for Charles's sake, is the hardest thing to do of all. You must -instantly be obedient, still, and quiet. You must let me put you in a -room at the back here. You must leave your father and me alone for -two minutes, and as there are Life and Death in the world you must not -delay.” - -“I will be submissive to you. I see in your face that you know I can do -nothing else than this. I know you are true.” - -The old man kissed her, and hurried her into his room, and turned the -key; then, came hurrying back to the Doctor, and opened the window and -partly opened the blind, and put his hand upon the Doctor's arm, and -looked out with him into the courtyard. - -Looked out upon a throng of men and women: not enough in number, or near -enough, to fill the courtyard: not more than forty or fifty in all. The -people in possession of the house had let them in at the gate, and they -had rushed in to work at the grindstone; it had evidently been set up -there for their purpose, as in a convenient and retired spot. - -But, such awful workers, and such awful work! - -The grindstone had a double handle, and, turning at it madly were two -men, whose faces, as their long hair flapped back when the whirlings of -the grindstone brought their faces up, were more horrible and cruel than -the visages of the wildest savages in their most barbarous disguise. -False eyebrows and false moustaches were stuck upon them, and their -hideous countenances were all bloody and sweaty, and all awry with -howling, and all staring and glaring with beastly excitement and want of -sleep. As these ruffians turned and turned, their matted locks now flung -forward over their eyes, now flung backward over their necks, some women -held wine to their mouths that they might drink; and what with dropping -blood, and what with dropping wine, and what with the stream of sparks -struck out of the stone, all their wicked atmosphere seemed gore and -fire. The eye could not detect one creature in the group free from -the smear of blood. Shouldering one another to get next at the -sharpening-stone, were men stripped to the waist, with the stain all -over their limbs and bodies; men in all sorts of rags, with the stain -upon those rags; men devilishly set off with spoils of women's lace -and silk and ribbon, with the stain dyeing those trifles through -and through. Hatchets, knives, bayonets, swords, all brought to be -sharpened, were all red with it. Some of the hacked swords were tied to -the wrists of those who carried them, with strips of linen and fragments -of dress: ligatures various in kind, but all deep of the one colour. And -as the frantic wielders of these weapons snatched them from the stream -of sparks and tore away into the streets, the same red hue was red in -their frenzied eyes;--eyes which any unbrutalised beholder would have -given twenty years of life, to petrify with a well-directed gun. - -All this was seen in a moment, as the vision of a drowning man, or of -any human creature at any very great pass, could see a world if it -were there. They drew back from the window, and the Doctor looked for -explanation in his friend's ashy face. - -“They are,” Mr. Lorry whispered the words, glancing fearfully round at -the locked room, “murdering the prisoners. If you are sure of what you -say; if you really have the power you think you have--as I believe you -have--make yourself known to these devils, and get taken to La Force. It -may be too late, I don't know, but let it not be a minute later!” - -Doctor Manette pressed his hand, hastened bareheaded out of the room, -and was in the courtyard when Mr. Lorry regained the blind. - -His streaming white hair, his remarkable face, and the impetuous -confidence of his manner, as he put the weapons aside like water, -carried him in an instant to the heart of the concourse at the stone. -For a few moments there was a pause, and a hurry, and a murmur, and -the unintelligible sound of his voice; and then Mr. Lorry saw him, -surrounded by all, and in the midst of a line of twenty men long, all -linked shoulder to shoulder, and hand to shoulder, hurried out with -cries of--“Live the Bastille prisoner! Help for the Bastille prisoner's -kindred in La Force! Room for the Bastille prisoner in front there! Save -the prisoner Evremonde at La Force!” and a thousand answering shouts. - -He closed the lattice again with a fluttering heart, closed the window -and the curtain, hastened to Lucie, and told her that her father was -assisted by the people, and gone in search of her husband. He found -her child and Miss Pross with her; but, it never occurred to him to be -surprised by their appearance until a long time afterwards, when he sat -watching them in such quiet as the night knew. - -Lucie had, by that time, fallen into a stupor on the floor at his feet, -clinging to his hand. Miss Pross had laid the child down on his own -bed, and her head had gradually fallen on the pillow beside her pretty -charge. O the long, long night, with the moans of the poor wife! And O -the long, long night, with no return of her father and no tidings! - -Twice more in the darkness the bell at the great gate sounded, and the -irruption was repeated, and the grindstone whirled and spluttered. -“What is it?” cried Lucie, affrighted. “Hush! The soldiers' swords are -sharpened there,” said Mr. Lorry. “The place is national property now, -and used as a kind of armoury, my love.” - -Twice more in all; but, the last spell of work was feeble and fitful. -Soon afterwards the day began to dawn, and he softly detached himself -from the clasping hand, and cautiously looked out again. A man, so -besmeared that he might have been a sorely wounded soldier creeping back -to consciousness on a field of slain, was rising from the pavement by -the side of the grindstone, and looking about him with a vacant air. -Shortly, this worn-out murderer descried in the imperfect light one of -the carriages of Monseigneur, and, staggering to that gorgeous vehicle, -climbed in at the door, and shut himself up to take his rest on its -dainty cushions. - -The great grindstone, Earth, had turned when Mr. Lorry looked out again, -and the sun was red on the courtyard. But, the lesser grindstone stood -alone there in the calm morning air, with a red upon it that the sun had -never given, and would never take away. - - - - -III. The Shadow - - -One of the first considerations which arose in the business mind of Mr. -Lorry when business hours came round, was this:--that he had no right to -imperil Tellson's by sheltering the wife of an emigrant prisoner under -the Bank roof. His own possessions, safety, life, he would have hazarded -for Lucie and her child, without a moment's demur; but the great trust -he held was not his own, and as to that business charge he was a strict -man of business. - -At first, his mind reverted to Defarge, and he thought of finding out -the wine-shop again and taking counsel with its master in reference to -the safest dwelling-place in the distracted state of the city. But, the -same consideration that suggested him, repudiated him; he lived in the -most violent Quarter, and doubtless was influential there, and deep in -its dangerous workings. - -Noon coming, and the Doctor not returning, and every minute's delay -tending to compromise Tellson's, Mr. Lorry advised with Lucie. She said -that her father had spoken of hiring a lodging for a short term, in that -Quarter, near the Banking-house. As there was no business objection to -this, and as he foresaw that even if it were all well with Charles, and -he were to be released, he could not hope to leave the city, Mr. Lorry -went out in quest of such a lodging, and found a suitable one, high up -in a removed by-street where the closed blinds in all the other windows -of a high melancholy square of buildings marked deserted homes. - -To this lodging he at once removed Lucie and her child, and Miss Pross: -giving them what comfort he could, and much more than he had himself. -He left Jerry with them, as a figure to fill a doorway that would bear -considerable knocking on the head, and returned to his own occupations. -A disturbed and doleful mind he brought to bear upon them, and slowly -and heavily the day lagged on with him. - -It wore itself out, and wore him out with it, until the Bank closed. He -was again alone in his room of the previous night, considering what to -do next, when he heard a foot upon the stair. In a few moments, a -man stood in his presence, who, with a keenly observant look at him, -addressed him by his name. - -“Your servant,” said Mr. Lorry. “Do you know me?” - -He was a strongly made man with dark curling hair, from forty-five -to fifty years of age. For answer he repeated, without any change of -emphasis, the words: - -“Do you know me?” - -“I have seen you somewhere.” - -“Perhaps at my wine-shop?” - -Much interested and agitated, Mr. Lorry said: “You come from Doctor -Manette?” - -“Yes. I come from Doctor Manette.” - -“And what says he? What does he send me?” - -Defarge gave into his anxious hand, an open scrap of paper. It bore the -words in the Doctor's writing: - - “Charles is safe, but I cannot safely leave this place yet. - I have obtained the favour that the bearer has a short note - from Charles to his wife. Let the bearer see his wife.” - -It was dated from La Force, within an hour. - -“Will you accompany me,” said Mr. Lorry, joyfully relieved after reading -this note aloud, “to where his wife resides?” - -“Yes,” returned Defarge. - -Scarcely noticing as yet, in what a curiously reserved and mechanical -way Defarge spoke, Mr. Lorry put on his hat and they went down into the -courtyard. There, they found two women; one, knitting. - -“Madame Defarge, surely!” said Mr. Lorry, who had left her in exactly -the same attitude some seventeen years ago. - -“It is she,” observed her husband. - -“Does Madame go with us?” inquired Mr. Lorry, seeing that she moved as -they moved. - -“Yes. That she may be able to recognise the faces and know the persons. -It is for their safety.” - -Beginning to be struck by Defarge's manner, Mr. Lorry looked dubiously -at him, and led the way. Both the women followed; the second woman being -The Vengeance. - -They passed through the intervening streets as quickly as they might, -ascended the staircase of the new domicile, were admitted by Jerry, -and found Lucie weeping, alone. She was thrown into a transport by the -tidings Mr. Lorry gave her of her husband, and clasped the hand that -delivered his note--little thinking what it had been doing near him in -the night, and might, but for a chance, have done to him. - - “DEAREST,--Take courage. I am well, and your father has - influence around me. You cannot answer this. - Kiss our child for me.” - -That was all the writing. It was so much, however, to her who received -it, that she turned from Defarge to his wife, and kissed one of the -hands that knitted. It was a passionate, loving, thankful, womanly -action, but the hand made no response--dropped cold and heavy, and took -to its knitting again. - -There was something in its touch that gave Lucie a check. She stopped in -the act of putting the note in her bosom, and, with her hands yet at her -neck, looked terrified at Madame Defarge. Madame Defarge met the lifted -eyebrows and forehead with a cold, impassive stare. - -“My dear,” said Mr. Lorry, striking in to explain; “there are frequent -risings in the streets; and, although it is not likely they will ever -trouble you, Madame Defarge wishes to see those whom she has the power -to protect at such times, to the end that she may know them--that she -may identify them. I believe,” said Mr. Lorry, rather halting in his -reassuring words, as the stony manner of all the three impressed itself -upon him more and more, “I state the case, Citizen Defarge?” - -Defarge looked gloomily at his wife, and gave no other answer than a -gruff sound of acquiescence. - -“You had better, Lucie,” said Mr. Lorry, doing all he could to -propitiate, by tone and manner, “have the dear child here, and our -good Pross. Our good Pross, Defarge, is an English lady, and knows no -French.” - -The lady in question, whose rooted conviction that she was more than a -match for any foreigner, was not to be shaken by distress and, danger, -appeared with folded arms, and observed in English to The Vengeance, -whom her eyes first encountered, “Well, I am sure, Boldface! I hope -_you_ are pretty well!” She also bestowed a British cough on Madame -Defarge; but, neither of the two took much heed of her. - -“Is that his child?” said Madame Defarge, stopping in her work for the -first time, and pointing her knitting-needle at little Lucie as if it -were the finger of Fate. - -“Yes, madame,” answered Mr. Lorry; “this is our poor prisoner's darling -daughter, and only child.” - -The shadow attendant on Madame Defarge and her party seemed to fall so -threatening and dark on the child, that her mother instinctively -kneeled on the ground beside her, and held her to her breast. The -shadow attendant on Madame Defarge and her party seemed then to fall, -threatening and dark, on both the mother and the child. - -“It is enough, my husband,” said Madame Defarge. “I have seen them. We -may go.” - -But, the suppressed manner had enough of menace in it--not visible and -presented, but indistinct and withheld--to alarm Lucie into saying, as -she laid her appealing hand on Madame Defarge's dress: - -“You will be good to my poor husband. You will do him no harm. You will -help me to see him if you can?” - -“Your husband is not my business here,” returned Madame Defarge, looking -down at her with perfect composure. “It is the daughter of your father -who is my business here.” - -“For my sake, then, be merciful to my husband. For my child's sake! She -will put her hands together and pray you to be merciful. We are more -afraid of you than of these others.” - -Madame Defarge received it as a compliment, and looked at her husband. -Defarge, who had been uneasily biting his thumb-nail and looking at her, -collected his face into a sterner expression. - -“What is it that your husband says in that little letter?” asked Madame -Defarge, with a lowering smile. “Influence; he says something touching -influence?” - -“That my father,” said Lucie, hurriedly taking the paper from her -breast, but with her alarmed eyes on her questioner and not on it, “has -much influence around him.” - -“Surely it will release him!” said Madame Defarge. “Let it do so.” - -“As a wife and mother,” cried Lucie, most earnestly, “I implore you to -have pity on me and not to exercise any power that you possess, against -my innocent husband, but to use it in his behalf. O sister-woman, think -of me. As a wife and mother!” - -Madame Defarge looked, coldly as ever, at the suppliant, and said, -turning to her friend The Vengeance: - -“The wives and mothers we have been used to see, since we were as little -as this child, and much less, have not been greatly considered? We have -known _their_ husbands and fathers laid in prison and kept from them, -often enough? All our lives, we have seen our sister-women suffer, in -themselves and in their children, poverty, nakedness, hunger, thirst, -sickness, misery, oppression and neglect of all kinds?” - -“We have seen nothing else,” returned The Vengeance. - -“We have borne this a long time,” said Madame Defarge, turning her eyes -again upon Lucie. “Judge you! Is it likely that the trouble of one wife -and mother would be much to us now?” - -She resumed her knitting and went out. The Vengeance followed. Defarge -went last, and closed the door. - -“Courage, my dear Lucie,” said Mr. Lorry, as he raised her. “Courage, -courage! So far all goes well with us--much, much better than it has of -late gone with many poor souls. Cheer up, and have a thankful heart.” - -“I am not thankless, I hope, but that dreadful woman seems to throw a -shadow on me and on all my hopes.” - -“Tut, tut!” said Mr. Lorry; “what is this despondency in the brave -little breast? A shadow indeed! No substance in it, Lucie.” - -But the shadow of the manner of these Defarges was dark upon himself, -for all that, and in his secret mind it troubled him greatly. - - - - -IV. Calm in Storm - - -Doctor Manette did not return until the morning of the fourth day of his -absence. So much of what had happened in that dreadful time as could be -kept from the knowledge of Lucie was so well concealed from her, that -not until long afterwards, when France and she were far apart, did she -know that eleven hundred defenceless prisoners of both sexes and all -ages had been killed by the populace; that four days and nights had been -darkened by this deed of horror; and that the air around her had been -tainted by the slain. She only knew that there had been an attack upon -the prisons, that all political prisoners had been in danger, and that -some had been dragged out by the crowd and murdered. - -To Mr. Lorry, the Doctor communicated under an injunction of secrecy on -which he had no need to dwell, that the crowd had taken him through a -scene of carnage to the prison of La Force. That, in the prison he had -found a self-appointed Tribunal sitting, before which the prisoners were -brought singly, and by which they were rapidly ordered to be put forth -to be massacred, or to be released, or (in a few cases) to be sent back -to their cells. That, presented by his conductors to this Tribunal, he -had announced himself by name and profession as having been for eighteen -years a secret and unaccused prisoner in the Bastille; that, one of the -body so sitting in judgment had risen and identified him, and that this -man was Defarge. - -That, hereupon he had ascertained, through the registers on the table, -that his son-in-law was among the living prisoners, and had pleaded hard -to the Tribunal--of whom some members were asleep and some awake, some -dirty with murder and some clean, some sober and some not--for his life -and liberty. That, in the first frantic greetings lavished on himself as -a notable sufferer under the overthrown system, it had been accorded -to him to have Charles Darnay brought before the lawless Court, and -examined. That, he seemed on the point of being at once released, when -the tide in his favour met with some unexplained check (not intelligible -to the Doctor), which led to a few words of secret conference. That, -the man sitting as President had then informed Doctor Manette that -the prisoner must remain in custody, but should, for his sake, be held -inviolate in safe custody. That, immediately, on a signal, the prisoner -was removed to the interior of the prison again; but, that he, the -Doctor, had then so strongly pleaded for permission to remain and -assure himself that his son-in-law was, through no malice or mischance, -delivered to the concourse whose murderous yells outside the gate had -often drowned the proceedings, that he had obtained the permission, and -had remained in that Hall of Blood until the danger was over. - -The sights he had seen there, with brief snatches of food and sleep by -intervals, shall remain untold. The mad joy over the prisoners who were -saved, had astounded him scarcely less than the mad ferocity against -those who were cut to pieces. One prisoner there was, he said, who had -been discharged into the street free, but at whom a mistaken savage had -thrust a pike as he passed out. Being besought to go to him and dress -the wound, the Doctor had passed out at the same gate, and had found him -in the arms of a company of Samaritans, who were seated on the bodies -of their victims. With an inconsistency as monstrous as anything in this -awful nightmare, they had helped the healer, and tended the wounded man -with the gentlest solicitude--had made a litter for him and escorted him -carefully from the spot--had then caught up their weapons and plunged -anew into a butchery so dreadful, that the Doctor had covered his eyes -with his hands, and swooned away in the midst of it. - -As Mr. Lorry received these confidences, and as he watched the face of -his friend now sixty-two years of age, a misgiving arose within him that -such dread experiences would revive the old danger. - -But, he had never seen his friend in his present aspect: he had never -at all known him in his present character. For the first time the Doctor -felt, now, that his suffering was strength and power. For the first time -he felt that in that sharp fire, he had slowly forged the iron which -could break the prison door of his daughter's husband, and deliver him. -“It all tended to a good end, my friend; it was not mere waste and ruin. -As my beloved child was helpful in restoring me to myself, I will be -helpful now in restoring the dearest part of herself to her; by the aid -of Heaven I will do it!” Thus, Doctor Manette. And when Jarvis Lorry saw -the kindled eyes, the resolute face, the calm strong look and bearing -of the man whose life always seemed to him to have been stopped, like a -clock, for so many years, and then set going again with an energy which -had lain dormant during the cessation of its usefulness, he believed. - -Greater things than the Doctor had at that time to contend with, would -have yielded before his persevering purpose. While he kept himself -in his place, as a physician, whose business was with all degrees -of mankind, bond and free, rich and poor, bad and good, he used his -personal influence so wisely, that he was soon the inspecting physician -of three prisons, and among them of La Force. He could now assure Lucie -that her husband was no longer confined alone, but was mixed with the -general body of prisoners; he saw her husband weekly, and brought sweet -messages to her, straight from his lips; sometimes her husband himself -sent a letter to her (though never by the Doctor's hand), but she was -not permitted to write to him: for, among the many wild suspicions of -plots in the prisons, the wildest of all pointed at emigrants who were -known to have made friends or permanent connections abroad. - -This new life of the Doctor's was an anxious life, no doubt; still, the -sagacious Mr. Lorry saw that there was a new sustaining pride in it. -Nothing unbecoming tinged the pride; it was a natural and worthy one; -but he observed it as a curiosity. The Doctor knew, that up to that -time, his imprisonment had been associated in the minds of his daughter -and his friend, with his personal affliction, deprivation, and weakness. -Now that this was changed, and he knew himself to be invested through -that old trial with forces to which they both looked for Charles's -ultimate safety and deliverance, he became so far exalted by the change, -that he took the lead and direction, and required them as the weak, to -trust to him as the strong. The preceding relative positions of himself -and Lucie were reversed, yet only as the liveliest gratitude and -affection could reverse them, for he could have had no pride but in -rendering some service to her who had rendered so much to him. “All -curious to see,” thought Mr. Lorry, in his amiably shrewd way, “but all -natural and right; so, take the lead, my dear friend, and keep it; it -couldn't be in better hands.” - -But, though the Doctor tried hard, and never ceased trying, to get -Charles Darnay set at liberty, or at least to get him brought to trial, -the public current of the time set too strong and fast for him. The new -era began; the king was tried, doomed, and beheaded; the Republic of -Liberty, Equality, Fraternity, or Death, declared for victory or death -against the world in arms; the black flag waved night and day from the -great towers of Notre Dame; three hundred thousand men, summoned to rise -against the tyrants of the earth, rose from all the varying soils -of France, as if the dragon's teeth had been sown broadcast, and -had yielded fruit equally on hill and plain, on rock, in gravel, and -alluvial mud, under the bright sky of the South and under the clouds of -the North, in fell and forest, in the vineyards and the olive-grounds -and among the cropped grass and the stubble of the corn, along the -fruitful banks of the broad rivers, and in the sand of the sea-shore. -What private solicitude could rear itself against the deluge of the Year -One of Liberty--the deluge rising from below, not falling from above, -and with the windows of Heaven shut, not opened! - -There was no pause, no pity, no peace, no interval of relenting rest, no -measurement of time. Though days and nights circled as regularly as when -time was young, and the evening and morning were the first day, other -count of time there was none. Hold of it was lost in the raging fever -of a nation, as it is in the fever of one patient. Now, breaking the -unnatural silence of a whole city, the executioner showed the people the -head of the king--and now, it seemed almost in the same breath, the -head of his fair wife which had had eight weary months of imprisoned -widowhood and misery, to turn it grey. - -And yet, observing the strange law of contradiction which obtains in -all such cases, the time was long, while it flamed by so fast. A -revolutionary tribunal in the capital, and forty or fifty thousand -revolutionary committees all over the land; a law of the Suspected, -which struck away all security for liberty or life, and delivered over -any good and innocent person to any bad and guilty one; prisons gorged -with people who had committed no offence, and could obtain no hearing; -these things became the established order and nature of appointed -things, and seemed to be ancient usage before they were many weeks old. -Above all, one hideous figure grew as familiar as if it had been before -the general gaze from the foundations of the world--the figure of the -sharp female called La Guillotine. - -It was the popular theme for jests; it was the best cure for headache, -it infallibly prevented the hair from turning grey, it imparted a -peculiar delicacy to the complexion, it was the National Razor which -shaved close: who kissed La Guillotine, looked through the little window -and sneezed into the sack. It was the sign of the regeneration of the -human race. It superseded the Cross. Models of it were worn on breasts -from which the Cross was discarded, and it was bowed down to and -believed in where the Cross was denied. - -It sheared off heads so many, that it, and the ground it most polluted, -were a rotten red. It was taken to pieces, like a toy-puzzle for a young -Devil, and was put together again when the occasion wanted it. It hushed -the eloquent, struck down the powerful, abolished the beautiful and -good. Twenty-two friends of high public mark, twenty-one living and one -dead, it had lopped the heads off, in one morning, in as many minutes. -The name of the strong man of Old Scripture had descended to the chief -functionary who worked it; but, so armed, he was stronger than his -namesake, and blinder, and tore away the gates of God's own Temple every -day. - -Among these terrors, and the brood belonging to them, the Doctor walked -with a steady head: confident in his power, cautiously persistent in his -end, never doubting that he would save Lucie's husband at last. Yet the -current of the time swept by, so strong and deep, and carried the time -away so fiercely, that Charles had lain in prison one year and three -months when the Doctor was thus steady and confident. So much more -wicked and distracted had the Revolution grown in that December month, -that the rivers of the South were encumbered with the bodies of the -violently drowned by night, and prisoners were shot in lines and squares -under the southern wintry sun. Still, the Doctor walked among the -terrors with a steady head. No man better known than he, in Paris at -that day; no man in a stranger situation. Silent, humane, indispensable -in hospital and prison, using his art equally among assassins and -victims, he was a man apart. In the exercise of his skill, the -appearance and the story of the Bastille Captive removed him from all -other men. He was not suspected or brought in question, any more than if -he had indeed been recalled to life some eighteen years before, or were -a Spirit moving among mortals. - - - - -V. The Wood-Sawyer - - -One year and three months. During all that time Lucie was never -sure, from hour to hour, but that the Guillotine would strike off her -husband's head next day. Every day, through the stony streets, the -tumbrils now jolted heavily, filled with Condemned. Lovely girls; bright -women, brown-haired, black-haired, and grey; youths; stalwart men and -old; gentle born and peasant born; all red wine for La Guillotine, all -daily brought into light from the dark cellars of the loathsome prisons, -and carried to her through the streets to slake her devouring thirst. -Liberty, equality, fraternity, or death;--the last, much the easiest to -bestow, O Guillotine! - -If the suddenness of her calamity, and the whirling wheels of the time, -had stunned the Doctor's daughter into awaiting the result in idle -despair, it would but have been with her as it was with many. But, from -the hour when she had taken the white head to her fresh young bosom in -the garret of Saint Antoine, she had been true to her duties. She was -truest to them in the season of trial, as all the quietly loyal and good -will always be. - -As soon as they were established in their new residence, and her father -had entered on the routine of his avocations, she arranged the little -household as exactly as if her husband had been there. Everything had -its appointed place and its appointed time. Little Lucie she taught, -as regularly, as if they had all been united in their English home. The -slight devices with which she cheated herself into the show of a belief -that they would soon be reunited--the little preparations for his speedy -return, the setting aside of his chair and his books--these, and the -solemn prayer at night for one dear prisoner especially, among the many -unhappy souls in prison and the shadow of death--were almost the only -outspoken reliefs of her heavy mind. - -She did not greatly alter in appearance. The plain dark dresses, akin to -mourning dresses, which she and her child wore, were as neat and as well -attended to as the brighter clothes of happy days. She lost her colour, -and the old and intent expression was a constant, not an occasional, -thing; otherwise, she remained very pretty and comely. Sometimes, at -night on kissing her father, she would burst into the grief she had -repressed all day, and would say that her sole reliance, under Heaven, -was on him. He always resolutely answered: “Nothing can happen to him -without my knowledge, and I know that I can save him, Lucie.” - -They had not made the round of their changed life many weeks, when her -father said to her, on coming home one evening: - -“My dear, there is an upper window in the prison, to which Charles can -sometimes gain access at three in the afternoon. When he can get to -it--which depends on many uncertainties and incidents--he might see you -in the street, he thinks, if you stood in a certain place that I can -show you. But you will not be able to see him, my poor child, and even -if you could, it would be unsafe for you to make a sign of recognition.” - -“O show me the place, my father, and I will go there every day.” - -From that time, in all weathers, she waited there two hours. As the -clock struck two, she was there, and at four she turned resignedly away. -When it was not too wet or inclement for her child to be with her, they -went together; at other times she was alone; but, she never missed a -single day. - -It was the dark and dirty corner of a small winding street. The hovel -of a cutter of wood into lengths for burning, was the only house at that -end; all else was wall. On the third day of her being there, he noticed -her. - -“Good day, citizeness.” - -“Good day, citizen.” - -This mode of address was now prescribed by decree. It had been -established voluntarily some time ago, among the more thorough patriots; -but, was now law for everybody. - -“Walking here again, citizeness?” - -“You see me, citizen!” - -The wood-sawyer, who was a little man with a redundancy of gesture (he -had once been a mender of roads), cast a glance at the prison, pointed -at the prison, and putting his ten fingers before his face to represent -bars, peeped through them jocosely. - -“But it's not my business,” said he. And went on sawing his wood. - -Next day he was looking out for her, and accosted her the moment she -appeared. - -“What? Walking here again, citizeness?” - -“Yes, citizen.” - -“Ah! A child too! Your mother, is it not, my little citizeness?” - -“Do I say yes, mamma?” whispered little Lucie, drawing close to her. - -“Yes, dearest.” - -“Yes, citizen.” - -“Ah! But it's not my business. My work is my business. See my saw! I -call it my Little Guillotine. La, la, la; La, la, la! And off his head -comes!” - -The billet fell as he spoke, and he threw it into a basket. - -“I call myself the Samson of the firewood guillotine. See here again! -Loo, loo, loo; Loo, loo, loo! And off _her_ head comes! Now, a child. -Tickle, tickle; Pickle, pickle! And off _its_ head comes. All the -family!” - -Lucie shuddered as he threw two more billets into his basket, but it was -impossible to be there while the wood-sawyer was at work, and not be in -his sight. Thenceforth, to secure his good will, she always spoke to him -first, and often gave him drink-money, which he readily received. - -He was an inquisitive fellow, and sometimes when she had quite forgotten -him in gazing at the prison roof and grates, and in lifting her heart -up to her husband, she would come to herself to find him looking at her, -with his knee on his bench and his saw stopped in its work. “But it's -not my business!” he would generally say at those times, and would -briskly fall to his sawing again. - -In all weathers, in the snow and frost of winter, in the bitter winds of -spring, in the hot sunshine of summer, in the rains of autumn, and again -in the snow and frost of winter, Lucie passed two hours of every day at -this place; and every day on leaving it, she kissed the prison wall. -Her husband saw her (so she learned from her father) it might be once in -five or six times: it might be twice or thrice running: it might be, not -for a week or a fortnight together. It was enough that he could and did -see her when the chances served, and on that possibility she would have -waited out the day, seven days a week. - -These occupations brought her round to the December month, wherein her -father walked among the terrors with a steady head. On a lightly-snowing -afternoon she arrived at the usual corner. It was a day of some wild -rejoicing, and a festival. She had seen the houses, as she came along, -decorated with little pikes, and with little red caps stuck upon them; -also, with tricoloured ribbons; also, with the standard inscription -(tricoloured letters were the favourite), Republic One and Indivisible. -Liberty, Equality, Fraternity, or Death! - -The miserable shop of the wood-sawyer was so small, that its whole -surface furnished very indifferent space for this legend. He had got -somebody to scrawl it up for him, however, who had squeezed Death in -with most inappropriate difficulty. On his house-top, he displayed pike -and cap, as a good citizen must, and in a window he had stationed his -saw inscribed as his “Little Sainte Guillotine”--for the great sharp -female was by that time popularly canonised. His shop was shut and he -was not there, which was a relief to Lucie, and left her quite alone. - -But, he was not far off, for presently she heard a troubled movement -and a shouting coming along, which filled her with fear. A moment -afterwards, and a throng of people came pouring round the corner by the -prison wall, in the midst of whom was the wood-sawyer hand in hand with -The Vengeance. There could not be fewer than five hundred people, and -they were dancing like five thousand demons. There was no other music -than their own singing. They danced to the popular Revolution song, -keeping a ferocious time that was like a gnashing of teeth in unison. -Men and women danced together, women danced together, men danced -together, as hazard had brought them together. At first, they were a -mere storm of coarse red caps and coarse woollen rags; but, as they -filled the place, and stopped to dance about Lucie, some ghastly -apparition of a dance-figure gone raving mad arose among them. They -advanced, retreated, struck at one another's hands, clutched at one -another's heads, spun round alone, caught one another and spun round -in pairs, until many of them dropped. While those were down, the rest -linked hand in hand, and all spun round together: then the ring broke, -and in separate rings of two and four they turned and turned until they -all stopped at once, began again, struck, clutched, and tore, and then -reversed the spin, and all spun round another way. Suddenly they stopped -again, paused, struck out the time afresh, formed into lines the width -of the public way, and, with their heads low down and their hands high -up, swooped screaming off. No fight could have been half so terrible -as this dance. It was so emphatically a fallen sport--a something, once -innocent, delivered over to all devilry--a healthy pastime changed into -a means of angering the blood, bewildering the senses, and steeling the -heart. Such grace as was visible in it, made it the uglier, showing how -warped and perverted all things good by nature were become. The maidenly -bosom bared to this, the pretty almost-child's head thus distracted, the -delicate foot mincing in this slough of blood and dirt, were types of -the disjointed time. - -This was the Carmagnole. As it passed, leaving Lucie frightened and -bewildered in the doorway of the wood-sawyer's house, the feathery snow -fell as quietly and lay as white and soft, as if it had never been. - -“O my father!” for he stood before her when she lifted up the eyes she -had momentarily darkened with her hand; “such a cruel, bad sight.” - -“I know, my dear, I know. I have seen it many times. Don't be -frightened! Not one of them would harm you.” - -“I am not frightened for myself, my father. But when I think of my -husband, and the mercies of these people--” - -“We will set him above their mercies very soon. I left him climbing to -the window, and I came to tell you. There is no one here to see. You may -kiss your hand towards that highest shelving roof.” - -“I do so, father, and I send him my Soul with it!” - -“You cannot see him, my poor dear?” - -“No, father,” said Lucie, yearning and weeping as she kissed her hand, -“no.” - -A footstep in the snow. Madame Defarge. “I salute you, citizeness,” - from the Doctor. “I salute you, citizen.” This in passing. Nothing more. -Madame Defarge gone, like a shadow over the white road. - -“Give me your arm, my love. Pass from here with an air of cheerfulness -and courage, for his sake. That was well done;” they had left the spot; -“it shall not be in vain. Charles is summoned for to-morrow.” - -“For to-morrow!” - -“There is no time to lose. I am well prepared, but there are precautions -to be taken, that could not be taken until he was actually summoned -before the Tribunal. He has not received the notice yet, but I know -that he will presently be summoned for to-morrow, and removed to the -Conciergerie; I have timely information. You are not afraid?” - -She could scarcely answer, “I trust in you.” - -“Do so, implicitly. Your suspense is nearly ended, my darling; he shall -be restored to you within a few hours; I have encompassed him with every -protection. I must see Lorry.” - -He stopped. There was a heavy lumbering of wheels within hearing. They -both knew too well what it meant. One. Two. Three. Three tumbrils faring -away with their dread loads over the hushing snow. - -“I must see Lorry,” the Doctor repeated, turning her another way. - -The staunch old gentleman was still in his trust; had never left it. He -and his books were in frequent requisition as to property confiscated -and made national. What he could save for the owners, he saved. No -better man living to hold fast by what Tellson's had in keeping, and to -hold his peace. - -A murky red and yellow sky, and a rising mist from the Seine, denoted -the approach of darkness. It was almost dark when they arrived at the -Bank. The stately residence of Monseigneur was altogether blighted and -deserted. Above a heap of dust and ashes in the court, ran the letters: -National Property. Republic One and Indivisible. Liberty, Equality, -Fraternity, or Death! - -Who could that be with Mr. Lorry--the owner of the riding-coat upon the -chair--who must not be seen? From whom newly arrived, did he come out, -agitated and surprised, to take his favourite in his arms? To whom did -he appear to repeat her faltering words, when, raising his voice and -turning his head towards the door of the room from which he had issued, -he said: “Removed to the Conciergerie, and summoned for to-morrow?” - - - - -VI. Triumph - - -The dread tribunal of five Judges, Public Prosecutor, and determined -Jury, sat every day. Their lists went forth every evening, and were -read out by the gaolers of the various prisons to their prisoners. The -standard gaoler-joke was, “Come out and listen to the Evening Paper, you -inside there!” - -“Charles Evremonde, called Darnay!” - -So at last began the Evening Paper at La Force. - -When a name was called, its owner stepped apart into a spot reserved -for those who were announced as being thus fatally recorded. Charles -Evremonde, called Darnay, had reason to know the usage; he had seen -hundreds pass away so. - -His bloated gaoler, who wore spectacles to read with, glanced over them -to assure himself that he had taken his place, and went through the -list, making a similar short pause at each name. There were twenty-three -names, but only twenty were responded to; for one of the prisoners so -summoned had died in gaol and been forgotten, and two had already been -guillotined and forgotten. The list was read, in the vaulted chamber -where Darnay had seen the associated prisoners on the night of his -arrival. Every one of those had perished in the massacre; every human -creature he had since cared for and parted with, had died on the -scaffold. - -There were hurried words of farewell and kindness, but the parting was -soon over. It was the incident of every day, and the society of La Force -were engaged in the preparation of some games of forfeits and a little -concert, for that evening. They crowded to the grates and shed tears -there; but, twenty places in the projected entertainments had to be -refilled, and the time was, at best, short to the lock-up hour, when the -common rooms and corridors would be delivered over to the great dogs -who kept watch there through the night. The prisoners were far from -insensible or unfeeling; their ways arose out of the condition of the -time. Similarly, though with a subtle difference, a species of fervour -or intoxication, known, without doubt, to have led some persons to -brave the guillotine unnecessarily, and to die by it, was not mere -boastfulness, but a wild infection of the wildly shaken public mind. In -seasons of pestilence, some of us will have a secret attraction to the -disease--a terrible passing inclination to die of it. And all of us have -like wonders hidden in our breasts, only needing circumstances to evoke -them. - -The passage to the Conciergerie was short and dark; the night in its -vermin-haunted cells was long and cold. Next day, fifteen prisoners were -put to the bar before Charles Darnay's name was called. All the fifteen -were condemned, and the trials of the whole occupied an hour and a half. - -“Charles Evremonde, called Darnay,” was at length arraigned. - -His judges sat upon the Bench in feathered hats; but the rough red cap -and tricoloured cockade was the head-dress otherwise prevailing. Looking -at the Jury and the turbulent audience, he might have thought that the -usual order of things was reversed, and that the felons were trying the -honest men. The lowest, cruelest, and worst populace of a city, never -without its quantity of low, cruel, and bad, were the directing -spirits of the scene: noisily commenting, applauding, disapproving, -anticipating, and precipitating the result, without a check. Of the men, -the greater part were armed in various ways; of the women, some wore -knives, some daggers, some ate and drank as they looked on, many -knitted. Among these last, was one, with a spare piece of knitting under -her arm as she worked. She was in a front row, by the side of a man whom -he had never seen since his arrival at the Barrier, but whom he directly -remembered as Defarge. He noticed that she once or twice whispered in -his ear, and that she seemed to be his wife; but, what he most noticed -in the two figures was, that although they were posted as close to -himself as they could be, they never looked towards him. They seemed to -be waiting for something with a dogged determination, and they looked at -the Jury, but at nothing else. Under the President sat Doctor Manette, -in his usual quiet dress. As well as the prisoner could see, he and Mr. -Lorry were the only men there, unconnected with the Tribunal, who -wore their usual clothes, and had not assumed the coarse garb of the -Carmagnole. - -Charles Evremonde, called Darnay, was accused by the public prosecutor -as an emigrant, whose life was forfeit to the Republic, under the decree -which banished all emigrants on pain of Death. It was nothing that the -decree bore date since his return to France. There he was, and there was -the decree; he had been taken in France, and his head was demanded. - -“Take off his head!” cried the audience. “An enemy to the Republic!” - -The President rang his bell to silence those cries, and asked the -prisoner whether it was not true that he had lived many years in -England? - -Undoubtedly it was. - -Was he not an emigrant then? What did he call himself? - -Not an emigrant, he hoped, within the sense and spirit of the law. - -Why not? the President desired to know. - -Because he had voluntarily relinquished a title that was distasteful -to him, and a station that was distasteful to him, and had left -his country--he submitted before the word emigrant in the present -acceptation by the Tribunal was in use--to live by his own industry in -England, rather than on the industry of the overladen people of France. - -What proof had he of this? - -He handed in the names of two witnesses; Theophile Gabelle, and -Alexandre Manette. - -But he had married in England? the President reminded him. - -True, but not an English woman. - -A citizeness of France? - -Yes. By birth. - -Her name and family? - -“Lucie Manette, only daughter of Doctor Manette, the good physician who -sits there.” - -This answer had a happy effect upon the audience. Cries in exaltation -of the well-known good physician rent the hall. So capriciously were -the people moved, that tears immediately rolled down several ferocious -countenances which had been glaring at the prisoner a moment before, as -if with impatience to pluck him out into the streets and kill him. - -On these few steps of his dangerous way, Charles Darnay had set his foot -according to Doctor Manette's reiterated instructions. The same cautious -counsel directed every step that lay before him, and had prepared every -inch of his road. - -The President asked, why had he returned to France when he did, and not -sooner? - -He had not returned sooner, he replied, simply because he had no means -of living in France, save those he had resigned; whereas, in England, -he lived by giving instruction in the French language and literature. -He had returned when he did, on the pressing and written entreaty of -a French citizen, who represented that his life was endangered by his -absence. He had come back, to save a citizen's life, and to bear his -testimony, at whatever personal hazard, to the truth. Was that criminal -in the eyes of the Republic? - -The populace cried enthusiastically, “No!” and the President rang his -bell to quiet them. Which it did not, for they continued to cry “No!” - until they left off, of their own will. - -The President required the name of that citizen. The accused explained -that the citizen was his first witness. He also referred with confidence -to the citizen's letter, which had been taken from him at the Barrier, -but which he did not doubt would be found among the papers then before -the President. - -The Doctor had taken care that it should be there--had assured him that -it would be there--and at this stage of the proceedings it was produced -and read. Citizen Gabelle was called to confirm it, and did so. Citizen -Gabelle hinted, with infinite delicacy and politeness, that in the -pressure of business imposed on the Tribunal by the multitude of -enemies of the Republic with which it had to deal, he had been slightly -overlooked in his prison of the Abbaye--in fact, had rather passed out -of the Tribunal's patriotic remembrance--until three days ago; when he -had been summoned before it, and had been set at liberty on the Jury's -declaring themselves satisfied that the accusation against him was -answered, as to himself, by the surrender of the citizen Evremonde, -called Darnay. - -Doctor Manette was next questioned. His high personal popularity, -and the clearness of his answers, made a great impression; but, as he -proceeded, as he showed that the Accused was his first friend on his -release from his long imprisonment; that, the accused had remained in -England, always faithful and devoted to his daughter and himself in -their exile; that, so far from being in favour with the Aristocrat -government there, he had actually been tried for his life by it, as -the foe of England and friend of the United States--as he brought these -circumstances into view, with the greatest discretion and with the -straightforward force of truth and earnestness, the Jury and the -populace became one. At last, when he appealed by name to Monsieur -Lorry, an English gentleman then and there present, who, like himself, -had been a witness on that English trial and could corroborate his -account of it, the Jury declared that they had heard enough, and that -they were ready with their votes if the President were content to -receive them. - -At every vote (the Jurymen voted aloud and individually), the populace -set up a shout of applause. All the voices were in the prisoner's -favour, and the President declared him free. - -Then, began one of those extraordinary scenes with which the populace -sometimes gratified their fickleness, or their better impulses towards -generosity and mercy, or which they regarded as some set-off against -their swollen account of cruel rage. No man can decide now to which of -these motives such extraordinary scenes were referable; it is probable, -to a blending of all the three, with the second predominating. No sooner -was the acquittal pronounced, than tears were shed as freely as blood -at another time, and such fraternal embraces were bestowed upon the -prisoner by as many of both sexes as could rush at him, that after -his long and unwholesome confinement he was in danger of fainting from -exhaustion; none the less because he knew very well, that the very same -people, carried by another current, would have rushed at him with -the very same intensity, to rend him to pieces and strew him over the -streets. - -His removal, to make way for other accused persons who were to be tried, -rescued him from these caresses for the moment. Five were to be tried -together, next, as enemies of the Republic, forasmuch as they had not -assisted it by word or deed. So quick was the Tribunal to compensate -itself and the nation for a chance lost, that these five came down to -him before he left the place, condemned to die within twenty-four -hours. The first of them told him so, with the customary prison sign -of Death--a raised finger--and they all added in words, “Long live the -Republic!” - -The five had had, it is true, no audience to lengthen their proceedings, -for when he and Doctor Manette emerged from the gate, there was a great -crowd about it, in which there seemed to be every face he had seen in -Court--except two, for which he looked in vain. On his coming out, the -concourse made at him anew, weeping, embracing, and shouting, all by -turns and all together, until the very tide of the river on the bank of -which the mad scene was acted, seemed to run mad, like the people on the -shore. - -They put him into a great chair they had among them, and which they had -taken either out of the Court itself, or one of its rooms or passages. -Over the chair they had thrown a red flag, and to the back of it they -had bound a pike with a red cap on its top. In this car of triumph, not -even the Doctor's entreaties could prevent his being carried to his home -on men's shoulders, with a confused sea of red caps heaving about him, -and casting up to sight from the stormy deep such wrecks of faces, that -he more than once misdoubted his mind being in confusion, and that he -was in the tumbril on his way to the Guillotine. - -In wild dreamlike procession, embracing whom they met and pointing -him out, they carried him on. Reddening the snowy streets with the -prevailing Republican colour, in winding and tramping through them, as -they had reddened them below the snow with a deeper dye, they carried -him thus into the courtyard of the building where he lived. Her father -had gone on before, to prepare her, and when her husband stood upon his -feet, she dropped insensible in his arms. - -As he held her to his heart and turned her beautiful head between his -face and the brawling crowd, so that his tears and her lips might come -together unseen, a few of the people fell to dancing. Instantly, all the -rest fell to dancing, and the courtyard overflowed with the Carmagnole. -Then, they elevated into the vacant chair a young woman from the -crowd to be carried as the Goddess of Liberty, and then swelling and -overflowing out into the adjacent streets, and along the river's bank, -and over the bridge, the Carmagnole absorbed them every one and whirled -them away. - -After grasping the Doctor's hand, as he stood victorious and proud -before him; after grasping the hand of Mr. Lorry, who came panting in -breathless from his struggle against the waterspout of the Carmagnole; -after kissing little Lucie, who was lifted up to clasp her arms round -his neck; and after embracing the ever zealous and faithful Pross who -lifted her; he took his wife in his arms, and carried her up to their -rooms. - -“Lucie! My own! I am safe.” - -“O dearest Charles, let me thank God for this on my knees as I have -prayed to Him.” - -They all reverently bowed their heads and hearts. When she was again in -his arms, he said to her: - -“And now speak to your father, dearest. No other man in all this France -could have done what he has done for me.” - -She laid her head upon her father's breast, as she had laid his poor -head on her own breast, long, long ago. He was happy in the return he -had made her, he was recompensed for his suffering, he was proud of his -strength. “You must not be weak, my darling,” he remonstrated; “don't -tremble so. I have saved him.” - - - - -VII. A Knock at the Door - - -“I have saved him.” It was not another of the dreams in which he had -often come back; he was really here. And yet his wife trembled, and a -vague but heavy fear was upon her. - -All the air round was so thick and dark, the people were so passionately -revengeful and fitful, the innocent were so constantly put to death on -vague suspicion and black malice, it was so impossible to forget that -many as blameless as her husband and as dear to others as he was to -her, every day shared the fate from which he had been clutched, that her -heart could not be as lightened of its load as she felt it ought to be. -The shadows of the wintry afternoon were beginning to fall, and even now -the dreadful carts were rolling through the streets. Her mind pursued -them, looking for him among the Condemned; and then she clung closer to -his real presence and trembled more. - -Her father, cheering her, showed a compassionate superiority to this -woman's weakness, which was wonderful to see. No garret, no shoemaking, -no One Hundred and Five, North Tower, now! He had accomplished the task -he had set himself, his promise was redeemed, he had saved Charles. Let -them all lean upon him. - -Their housekeeping was of a very frugal kind: not only because that was -the safest way of life, involving the least offence to the people, but -because they were not rich, and Charles, throughout his imprisonment, -had had to pay heavily for his bad food, and for his guard, and towards -the living of the poorer prisoners. Partly on this account, and -partly to avoid a domestic spy, they kept no servant; the citizen and -citizeness who acted as porters at the courtyard gate, rendered them -occasional service; and Jerry (almost wholly transferred to them by -Mr. Lorry) had become their daily retainer, and had his bed there every -night. - -It was an ordinance of the Republic One and Indivisible of Liberty, -Equality, Fraternity, or Death, that on the door or doorpost of every -house, the name of every inmate must be legibly inscribed in letters -of a certain size, at a certain convenient height from the ground. Mr. -Jerry Cruncher's name, therefore, duly embellished the doorpost down -below; and, as the afternoon shadows deepened, the owner of that name -himself appeared, from overlooking a painter whom Doctor Manette had -employed to add to the list the name of Charles Evremonde, called -Darnay. - -In the universal fear and distrust that darkened the time, all the usual -harmless ways of life were changed. In the Doctor's little household, as -in very many others, the articles of daily consumption that were wanted -were purchased every evening, in small quantities and at various small -shops. To avoid attracting notice, and to give as little occasion as -possible for talk and envy, was the general desire. - -For some months past, Miss Pross and Mr. Cruncher had discharged the -office of purveyors; the former carrying the money; the latter, the -basket. Every afternoon at about the time when the public lamps were -lighted, they fared forth on this duty, and made and brought home -such purchases as were needful. Although Miss Pross, through her long -association with a French family, might have known as much of their -language as of her own, if she had had a mind, she had no mind in that -direction; consequently she knew no more of that “nonsense” (as she was -pleased to call it) than Mr. Cruncher did. So her manner of marketing -was to plump a noun-substantive at the head of a shopkeeper without any -introduction in the nature of an article, and, if it happened not to be -the name of the thing she wanted, to look round for that thing, lay hold -of it, and hold on by it until the bargain was concluded. She always -made a bargain for it, by holding up, as a statement of its just price, -one finger less than the merchant held up, whatever his number might be. - -“Now, Mr. Cruncher,” said Miss Pross, whose eyes were red with felicity; -“if you are ready, I am.” - -Jerry hoarsely professed himself at Miss Pross's service. He had worn -all his rust off long ago, but nothing would file his spiky head down. - -“There's all manner of things wanted,” said Miss Pross, “and we shall -have a precious time of it. We want wine, among the rest. Nice toasts -these Redheads will be drinking, wherever we buy it.” - -“It will be much the same to your knowledge, miss, I should think,” - retorted Jerry, “whether they drink your health or the Old Un's.” - -“Who's he?” said Miss Pross. - -Mr. Cruncher, with some diffidence, explained himself as meaning “Old -Nick's.” - -“Ha!” said Miss Pross, “it doesn't need an interpreter to explain the -meaning of these creatures. They have but one, and it's Midnight Murder, -and Mischief.” - -“Hush, dear! Pray, pray, be cautious!” cried Lucie. - -“Yes, yes, yes, I'll be cautious,” said Miss Pross; “but I may say -among ourselves, that I do hope there will be no oniony and tobaccoey -smotherings in the form of embracings all round, going on in the -streets. Now, Ladybird, never you stir from that fire till I come back! -Take care of the dear husband you have recovered, and don't move your -pretty head from his shoulder as you have it now, till you see me again! -May I ask a question, Doctor Manette, before I go?” - -“I think you may take that liberty,” the Doctor answered, smiling. - -“For gracious sake, don't talk about Liberty; we have quite enough of -that,” said Miss Pross. - -“Hush, dear! Again?” Lucie remonstrated. - -“Well, my sweet,” said Miss Pross, nodding her head emphatically, “the -short and the long of it is, that I am a subject of His Most Gracious -Majesty King George the Third;” Miss Pross curtseyed at the name; “and -as such, my maxim is, Confound their politics, Frustrate their knavish -tricks, On him our hopes we fix, God save the King!” - -Mr. Cruncher, in an access of loyalty, growlingly repeated the words -after Miss Pross, like somebody at church. - -“I am glad you have so much of the Englishman in you, though I wish you -had never taken that cold in your voice,” said Miss Pross, approvingly. -“But the question, Doctor Manette. Is there”--it was the good creature's -way to affect to make light of anything that was a great anxiety -with them all, and to come at it in this chance manner--“is there any -prospect yet, of our getting out of this place?” - -“I fear not yet. It would be dangerous for Charles yet.” - -“Heigh-ho-hum!” said Miss Pross, cheerfully repressing a sigh as she -glanced at her darling's golden hair in the light of the fire, “then we -must have patience and wait: that's all. We must hold up our heads and -fight low, as my brother Solomon used to say. Now, Mr. Cruncher!--Don't -you move, Ladybird!” - -They went out, leaving Lucie, and her husband, her father, and the -child, by a bright fire. Mr. Lorry was expected back presently from the -Banking House. Miss Pross had lighted the lamp, but had put it aside in -a corner, that they might enjoy the fire-light undisturbed. Little Lucie -sat by her grandfather with her hands clasped through his arm: and he, -in a tone not rising much above a whisper, began to tell her a story of -a great and powerful Fairy who had opened a prison-wall and let out -a captive who had once done the Fairy a service. All was subdued and -quiet, and Lucie was more at ease than she had been. - -“What is that?” she cried, all at once. - -“My dear!” said her father, stopping in his story, and laying his hand -on hers, “command yourself. What a disordered state you are in! The -least thing--nothing--startles you! _You_, your father's daughter!” - -“I thought, my father,” said Lucie, excusing herself, with a pale face -and in a faltering voice, “that I heard strange feet upon the stairs.” - -“My love, the staircase is as still as Death.” - -As he said the word, a blow was struck upon the door. - -“Oh father, father. What can this be! Hide Charles. Save him!” - -“My child,” said the Doctor, rising, and laying his hand upon her -shoulder, “I _have_ saved him. What weakness is this, my dear! Let me go -to the door.” - -He took the lamp in his hand, crossed the two intervening outer rooms, -and opened it. A rude clattering of feet over the floor, and four rough -men in red caps, armed with sabres and pistols, entered the room. - -“The Citizen Evremonde, called Darnay,” said the first. - -“Who seeks him?” answered Darnay. - -“I seek him. We seek him. I know you, Evremonde; I saw you before the -Tribunal to-day. You are again the prisoner of the Republic.” - -The four surrounded him, where he stood with his wife and child clinging -to him. - -“Tell me how and why am I again a prisoner?” - -“It is enough that you return straight to the Conciergerie, and will -know to-morrow. You are summoned for to-morrow.” - -Doctor Manette, whom this visitation had so turned into stone, that he -stood with the lamp in his hand, as if he were a statue made to hold it, -moved after these words were spoken, put the lamp down, and confronting -the speaker, and taking him, not ungently, by the loose front of his red -woollen shirt, said: - -“You know him, you have said. Do you know me?” - -“Yes, I know you, Citizen Doctor.” - -“We all know you, Citizen Doctor,” said the other three. - -He looked abstractedly from one to another, and said, in a lower voice, -after a pause: - -“Will you answer his question to me then? How does this happen?” - -“Citizen Doctor,” said the first, reluctantly, “he has been denounced to -the Section of Saint Antoine. This citizen,” pointing out the second who -had entered, “is from Saint Antoine.” - -The citizen here indicated nodded his head, and added: - -“He is accused by Saint Antoine.” - -“Of what?” asked the Doctor. - -“Citizen Doctor,” said the first, with his former reluctance, “ask no -more. If the Republic demands sacrifices from you, without doubt you as -a good patriot will be happy to make them. The Republic goes before all. -The People is supreme. Evremonde, we are pressed.” - -“One word,” the Doctor entreated. “Will you tell me who denounced him?” - -“It is against rule,” answered the first; “but you can ask Him of Saint -Antoine here.” - -The Doctor turned his eyes upon that man. Who moved uneasily on his -feet, rubbed his beard a little, and at length said: - -“Well! Truly it is against rule. But he is denounced--and gravely--by -the Citizen and Citizeness Defarge. And by one other.” - -“What other?” - -“Do _you_ ask, Citizen Doctor?” - -“Yes.” - -“Then,” said he of Saint Antoine, with a strange look, “you will be -answered to-morrow. Now, I am dumb!” - - - - -VIII. A Hand at Cards - - -Happily unconscious of the new calamity at home, Miss Pross threaded her -way along the narrow streets and crossed the river by the bridge of the -Pont-Neuf, reckoning in her mind the number of indispensable purchases -she had to make. Mr. Cruncher, with the basket, walked at her side. They -both looked to the right and to the left into most of the shops they -passed, had a wary eye for all gregarious assemblages of people, and -turned out of their road to avoid any very excited group of talkers. It -was a raw evening, and the misty river, blurred to the eye with blazing -lights and to the ear with harsh noises, showed where the barges were -stationed in which the smiths worked, making guns for the Army of the -Republic. Woe to the man who played tricks with _that_ Army, or got -undeserved promotion in it! Better for him that his beard had never -grown, for the National Razor shaved him close. - -Having purchased a few small articles of grocery, and a measure of oil -for the lamp, Miss Pross bethought herself of the wine they wanted. -After peeping into several wine-shops, she stopped at the sign of the -Good Republican Brutus of Antiquity, not far from the National Palace, -once (and twice) the Tuileries, where the aspect of things rather -took her fancy. It had a quieter look than any other place of the same -description they had passed, and, though red with patriotic caps, was -not so red as the rest. Sounding Mr. Cruncher, and finding him of her -opinion, Miss Pross resorted to the Good Republican Brutus of Antiquity, -attended by her cavalier. - -Slightly observant of the smoky lights; of the people, pipe in mouth, -playing with limp cards and yellow dominoes; of the one bare-breasted, -bare-armed, soot-begrimed workman reading a journal aloud, and of -the others listening to him; of the weapons worn, or laid aside to be -resumed; of the two or three customers fallen forward asleep, who in the -popular high-shouldered shaggy black spencer looked, in that attitude, -like slumbering bears or dogs; the two outlandish customers approached -the counter, and showed what they wanted. - -As their wine was measuring out, a man parted from another man in a -corner, and rose to depart. In going, he had to face Miss Pross. No -sooner did he face her, than Miss Pross uttered a scream, and clapped -her hands. - -In a moment, the whole company were on their feet. That somebody was -assassinated by somebody vindicating a difference of opinion was the -likeliest occurrence. Everybody looked to see somebody fall, but only -saw a man and a woman standing staring at each other; the man with all -the outward aspect of a Frenchman and a thorough Republican; the woman, -evidently English. - -What was said in this disappointing anti-climax, by the disciples of the -Good Republican Brutus of Antiquity, except that it was something very -voluble and loud, would have been as so much Hebrew or Chaldean to Miss -Pross and her protector, though they had been all ears. But, they had no -ears for anything in their surprise. For, it must be recorded, that -not only was Miss Pross lost in amazement and agitation, but, -Mr. Cruncher--though it seemed on his own separate and individual -account--was in a state of the greatest wonder. - -“What is the matter?” said the man who had caused Miss Pross to scream; -speaking in a vexed, abrupt voice (though in a low tone), and in -English. - -“Oh, Solomon, dear Solomon!” cried Miss Pross, clapping her hands again. -“After not setting eyes upon you or hearing of you for so long a time, -do I find you here!” - -“Don't call me Solomon. Do you want to be the death of me?” asked the -man, in a furtive, frightened way. - -“Brother, brother!” cried Miss Pross, bursting into tears. “Have I ever -been so hard with you that you ask me such a cruel question?” - -“Then hold your meddlesome tongue,” said Solomon, “and come out, if you -want to speak to me. Pay for your wine, and come out. Who's this man?” - -Miss Pross, shaking her loving and dejected head at her by no means -affectionate brother, said through her tears, “Mr. Cruncher.” - -“Let him come out too,” said Solomon. “Does he think me a ghost?” - -Apparently, Mr. Cruncher did, to judge from his looks. He said not a -word, however, and Miss Pross, exploring the depths of her reticule -through her tears with great difficulty paid for her wine. As she did -so, Solomon turned to the followers of the Good Republican Brutus -of Antiquity, and offered a few words of explanation in the French -language, which caused them all to relapse into their former places and -pursuits. - -“Now,” said Solomon, stopping at the dark street corner, “what do you -want?” - -“How dreadfully unkind in a brother nothing has ever turned my love away -from!” cried Miss Pross, “to give me such a greeting, and show me no -affection.” - -“There. Confound it! There,” said Solomon, making a dab at Miss Pross's -lips with his own. “Now are you content?” - -Miss Pross only shook her head and wept in silence. - -“If you expect me to be surprised,” said her brother Solomon, “I am not -surprised; I knew you were here; I know of most people who are here. If -you really don't want to endanger my existence--which I half believe you -do--go your ways as soon as possible, and let me go mine. I am busy. I -am an official.” - -“My English brother Solomon,” mourned Miss Pross, casting up her -tear-fraught eyes, “that had the makings in him of one of the best and -greatest of men in his native country, an official among foreigners, and -such foreigners! I would almost sooner have seen the dear boy lying in -his--” - -“I said so!” cried her brother, interrupting. “I knew it. You want to be -the death of me. I shall be rendered Suspected, by my own sister. Just -as I am getting on!” - -“The gracious and merciful Heavens forbid!” cried Miss Pross. “Far -rather would I never see you again, dear Solomon, though I have ever -loved you truly, and ever shall. Say but one affectionate word to me, -and tell me there is nothing angry or estranged between us, and I will -detain you no longer.” - -Good Miss Pross! As if the estrangement between them had come of any -culpability of hers. As if Mr. Lorry had not known it for a fact, years -ago, in the quiet corner in Soho, that this precious brother had spent -her money and left her! - -He was saying the affectionate word, however, with a far more grudging -condescension and patronage than he could have shown if their relative -merits and positions had been reversed (which is invariably the case, -all the world over), when Mr. Cruncher, touching him on the shoulder, -hoarsely and unexpectedly interposed with the following singular -question: - -“I say! Might I ask the favour? As to whether your name is John Solomon, -or Solomon John?” - -The official turned towards him with sudden distrust. He had not -previously uttered a word. - -“Come!” said Mr. Cruncher. “Speak out, you know.” (Which, by the way, -was more than he could do himself.) “John Solomon, or Solomon John? She -calls you Solomon, and she must know, being your sister. And _I_ know -you're John, you know. Which of the two goes first? And regarding that -name of Pross, likewise. That warn't your name over the water.” - -“What do you mean?” - -“Well, I don't know all I mean, for I can't call to mind what your name -was, over the water.” - -“No?” - -“No. But I'll swear it was a name of two syllables.” - -“Indeed?” - -“Yes. T'other one's was one syllable. I know you. You was a spy--witness -at the Bailey. What, in the name of the Father of Lies, own father to -yourself, was you called at that time?” - -“Barsad,” said another voice, striking in. - -“That's the name for a thousand pound!” cried Jerry. - -The speaker who struck in, was Sydney Carton. He had his hands behind -him under the skirts of his riding-coat, and he stood at Mr. Cruncher's -elbow as negligently as he might have stood at the Old Bailey itself. - -“Don't be alarmed, my dear Miss Pross. I arrived at Mr. Lorry's, to his -surprise, yesterday evening; we agreed that I would not present myself -elsewhere until all was well, or unless I could be useful; I present -myself here, to beg a little talk with your brother. I wish you had a -better employed brother than Mr. Barsad. I wish for your sake Mr. Barsad -was not a Sheep of the Prisons.” - -Sheep was a cant word of the time for a spy, under the gaolers. The spy, -who was pale, turned paler, and asked him how he dared-- - -“I'll tell you,” said Sydney. “I lighted on you, Mr. Barsad, coming out -of the prison of the Conciergerie while I was contemplating the walls, -an hour or more ago. You have a face to be remembered, and I remember -faces well. Made curious by seeing you in that connection, and having -a reason, to which you are no stranger, for associating you with -the misfortunes of a friend now very unfortunate, I walked in your -direction. I walked into the wine-shop here, close after you, and -sat near you. I had no difficulty in deducing from your unreserved -conversation, and the rumour openly going about among your admirers, the -nature of your calling. And gradually, what I had done at random, seemed -to shape itself into a purpose, Mr. Barsad.” - -“What purpose?” the spy asked. - -“It would be troublesome, and might be dangerous, to explain in the -street. Could you favour me, in confidence, with some minutes of your -company--at the office of Tellson's Bank, for instance?” - -“Under a threat?” - -“Oh! Did I say that?” - -“Then, why should I go there?” - -“Really, Mr. Barsad, I can't say, if you can't.” - -“Do you mean that you won't say, sir?” the spy irresolutely asked. - -“You apprehend me very clearly, Mr. Barsad. I won't.” - -Carton's negligent recklessness of manner came powerfully in aid of his -quickness and skill, in such a business as he had in his secret mind, -and with such a man as he had to do with. His practised eye saw it, and -made the most of it. - -“Now, I told you so,” said the spy, casting a reproachful look at his -sister; “if any trouble comes of this, it's your doing.” - -“Come, come, Mr. Barsad!” exclaimed Sydney. “Don't be ungrateful. -But for my great respect for your sister, I might not have led up so -pleasantly to a little proposal that I wish to make for our mutual -satisfaction. Do you go with me to the Bank?” - -“I'll hear what you have got to say. Yes, I'll go with you.” - -“I propose that we first conduct your sister safely to the corner of her -own street. Let me take your arm, Miss Pross. This is not a good city, -at this time, for you to be out in, unprotected; and as your escort -knows Mr. Barsad, I will invite him to Mr. Lorry's with us. Are we -ready? Come then!” - -Miss Pross recalled soon afterwards, and to the end of her life -remembered, that as she pressed her hands on Sydney's arm and looked up -in his face, imploring him to do no hurt to Solomon, there was a braced -purpose in the arm and a kind of inspiration in the eyes, which not only -contradicted his light manner, but changed and raised the man. She was -too much occupied then with fears for the brother who so little deserved -her affection, and with Sydney's friendly reassurances, adequately to -heed what she observed. - -They left her at the corner of the street, and Carton led the way to Mr. -Lorry's, which was within a few minutes' walk. John Barsad, or Solomon -Pross, walked at his side. - -Mr. Lorry had just finished his dinner, and was sitting before a cheery -little log or two of fire--perhaps looking into their blaze for the -picture of that younger elderly gentleman from Tellson's, who had looked -into the red coals at the Royal George at Dover, now a good many years -ago. He turned his head as they entered, and showed the surprise with -which he saw a stranger. - -“Miss Pross's brother, sir,” said Sydney. “Mr. Barsad.” - -“Barsad?” repeated the old gentleman, “Barsad? I have an association -with the name--and with the face.” - -“I told you you had a remarkable face, Mr. Barsad,” observed Carton, -coolly. “Pray sit down.” - -As he took a chair himself, he supplied the link that Mr. Lorry wanted, -by saying to him with a frown, “Witness at that trial.” Mr. Lorry -immediately remembered, and regarded his new visitor with an undisguised -look of abhorrence. - -“Mr. Barsad has been recognised by Miss Pross as the affectionate -brother you have heard of,” said Sydney, “and has acknowledged the -relationship. I pass to worse news. Darnay has been arrested again.” - -Struck with consternation, the old gentleman exclaimed, “What do you -tell me! I left him safe and free within these two hours, and am about -to return to him!” - -“Arrested for all that. When was it done, Mr. Barsad?” - -“Just now, if at all.” - -“Mr. Barsad is the best authority possible, sir,” said Sydney, “and I -have it from Mr. Barsad's communication to a friend and brother Sheep -over a bottle of wine, that the arrest has taken place. He left the -messengers at the gate, and saw them admitted by the porter. There is no -earthly doubt that he is retaken.” - -Mr. Lorry's business eye read in the speaker's face that it was loss -of time to dwell upon the point. Confused, but sensible that something -might depend on his presence of mind, he commanded himself, and was -silently attentive. - -“Now, I trust,” said Sydney to him, “that the name and influence of -Doctor Manette may stand him in as good stead to-morrow--you said he -would be before the Tribunal again to-morrow, Mr. Barsad?--” - -“Yes; I believe so.” - -“--In as good stead to-morrow as to-day. But it may not be so. I own -to you, I am shaken, Mr. Lorry, by Doctor Manette's not having had the -power to prevent this arrest.” - -“He may not have known of it beforehand,” said Mr. Lorry. - -“But that very circumstance would be alarming, when we remember how -identified he is with his son-in-law.” - -“That's true,” Mr. Lorry acknowledged, with his troubled hand at his -chin, and his troubled eyes on Carton. - -“In short,” said Sydney, “this is a desperate time, when desperate games -are played for desperate stakes. Let the Doctor play the winning game; I -will play the losing one. No man's life here is worth purchase. Any one -carried home by the people to-day, may be condemned tomorrow. Now, the -stake I have resolved to play for, in case of the worst, is a friend -in the Conciergerie. And the friend I purpose to myself to win, is Mr. -Barsad.” - -“You need have good cards, sir,” said the spy. - -“I'll run them over. I'll see what I hold,--Mr. Lorry, you know what a -brute I am; I wish you'd give me a little brandy.” - -It was put before him, and he drank off a glassful--drank off another -glassful--pushed the bottle thoughtfully away. - -“Mr. Barsad,” he went on, in the tone of one who really was looking -over a hand at cards: “Sheep of the prisons, emissary of Republican -committees, now turnkey, now prisoner, always spy and secret informer, -so much the more valuable here for being English that an Englishman -is less open to suspicion of subornation in those characters than a -Frenchman, represents himself to his employers under a false name. -That's a very good card. Mr. Barsad, now in the employ of the republican -French government, was formerly in the employ of the aristocratic -English government, the enemy of France and freedom. That's an excellent -card. Inference clear as day in this region of suspicion, that Mr. -Barsad, still in the pay of the aristocratic English government, is the -spy of Pitt, the treacherous foe of the Republic crouching in its bosom, -the English traitor and agent of all mischief so much spoken of and so -difficult to find. That's a card not to be beaten. Have you followed my -hand, Mr. Barsad?” - -“Not to understand your play,” returned the spy, somewhat uneasily. - -“I play my Ace, Denunciation of Mr. Barsad to the nearest Section -Committee. Look over your hand, Mr. Barsad, and see what you have. Don't -hurry.” - -He drew the bottle near, poured out another glassful of brandy, and -drank it off. He saw that the spy was fearful of his drinking himself -into a fit state for the immediate denunciation of him. Seeing it, he -poured out and drank another glassful. - -“Look over your hand carefully, Mr. Barsad. Take time.” - -It was a poorer hand than he suspected. Mr. Barsad saw losing cards -in it that Sydney Carton knew nothing of. Thrown out of his honourable -employment in England, through too much unsuccessful hard swearing -there--not because he was not wanted there; our English reasons for -vaunting our superiority to secrecy and spies are of very modern -date--he knew that he had crossed the Channel, and accepted service in -France: first, as a tempter and an eavesdropper among his own countrymen -there: gradually, as a tempter and an eavesdropper among the natives. He -knew that under the overthrown government he had been a spy upon Saint -Antoine and Defarge's wine-shop; had received from the watchful police -such heads of information concerning Doctor Manette's imprisonment, -release, and history, as should serve him for an introduction to -familiar conversation with the Defarges; and tried them on Madame -Defarge, and had broken down with them signally. He always remembered -with fear and trembling, that that terrible woman had knitted when he -talked with her, and had looked ominously at him as her fingers moved. -He had since seen her, in the Section of Saint Antoine, over and over -again produce her knitted registers, and denounce people whose lives the -guillotine then surely swallowed up. He knew, as every one employed as -he was did, that he was never safe; that flight was impossible; that -he was tied fast under the shadow of the axe; and that in spite of -his utmost tergiversation and treachery in furtherance of the reigning -terror, a word might bring it down upon him. Once denounced, and on such -grave grounds as had just now been suggested to his mind, he foresaw -that the dreadful woman of whose unrelenting character he had seen many -proofs, would produce against him that fatal register, and would quash -his last chance of life. Besides that all secret men are men soon -terrified, here were surely cards enough of one black suit, to justify -the holder in growing rather livid as he turned them over. - -“You scarcely seem to like your hand,” said Sydney, with the greatest -composure. “Do you play?” - -“I think, sir,” said the spy, in the meanest manner, as he turned to Mr. -Lorry, “I may appeal to a gentleman of your years and benevolence, to -put it to this other gentleman, so much your junior, whether he can -under any circumstances reconcile it to his station to play that Ace -of which he has spoken. I admit that _I_ am a spy, and that it is -considered a discreditable station--though it must be filled by -somebody; but this gentleman is no spy, and why should he so demean -himself as to make himself one?” - -“I play my Ace, Mr. Barsad,” said Carton, taking the answer on himself, -and looking at his watch, “without any scruple, in a very few minutes.” - -“I should have hoped, gentlemen both,” said the spy, always striving to -hook Mr. Lorry into the discussion, “that your respect for my sister--” - -“I could not better testify my respect for your sister than by finally -relieving her of her brother,” said Sydney Carton. - -“You think not, sir?” - -“I have thoroughly made up my mind about it.” - -The smooth manner of the spy, curiously in dissonance with his -ostentatiously rough dress, and probably with his usual demeanour, -received such a check from the inscrutability of Carton,--who was a -mystery to wiser and honester men than he,--that it faltered here and -failed him. While he was at a loss, Carton said, resuming his former air -of contemplating cards: - -“And indeed, now I think again, I have a strong impression that I -have another good card here, not yet enumerated. That friend and -fellow-Sheep, who spoke of himself as pasturing in the country prisons; -who was he?” - -“French. You don't know him,” said the spy, quickly. - -“French, eh?” repeated Carton, musing, and not appearing to notice him -at all, though he echoed his word. “Well; he may be.” - -“Is, I assure you,” said the spy; “though it's not important.” - -“Though it's not important,” repeated Carton, in the same mechanical -way--“though it's not important--No, it's not important. No. Yet I know -the face.” - -“I think not. I am sure not. It can't be,” said the spy. - -“It-can't-be,” muttered Sydney Carton, retrospectively, and idling his -glass (which fortunately was a small one) again. “Can't-be. Spoke good -French. Yet like a foreigner, I thought?” - -“Provincial,” said the spy. - -“No. Foreign!” cried Carton, striking his open hand on the table, as a -light broke clearly on his mind. “Cly! Disguised, but the same man. We -had that man before us at the Old Bailey.” - -“Now, there you are hasty, sir,” said Barsad, with a smile that gave his -aquiline nose an extra inclination to one side; “there you really give -me an advantage over you. Cly (who I will unreservedly admit, at this -distance of time, was a partner of mine) has been dead several years. I -attended him in his last illness. He was buried in London, at the church -of Saint Pancras-in-the-Fields. His unpopularity with the blackguard -multitude at the moment prevented my following his remains, but I helped -to lay him in his coffin.” - -Here, Mr. Lorry became aware, from where he sat, of a most remarkable -goblin shadow on the wall. Tracing it to its source, he discovered it -to be caused by a sudden extraordinary rising and stiffening of all the -risen and stiff hair on Mr. Cruncher's head. - -“Let us be reasonable,” said the spy, “and let us be fair. To show you -how mistaken you are, and what an unfounded assumption yours is, I will -lay before you a certificate of Cly's burial, which I happened to have -carried in my pocket-book,” with a hurried hand he produced and opened -it, “ever since. There it is. Oh, look at it, look at it! You may take -it in your hand; it's no forgery.” - -Here, Mr. Lorry perceived the reflection on the wall to elongate, and -Mr. Cruncher rose and stepped forward. His hair could not have been more -violently on end, if it had been that moment dressed by the Cow with the -crumpled horn in the house that Jack built. - -Unseen by the spy, Mr. Cruncher stood at his side, and touched him on -the shoulder like a ghostly bailiff. - -“That there Roger Cly, master,” said Mr. Cruncher, with a taciturn and -iron-bound visage. “So _you_ put him in his coffin?” - -“I did.” - -“Who took him out of it?” - -Barsad leaned back in his chair, and stammered, “What do you mean?” - -“I mean,” said Mr. Cruncher, “that he warn't never in it. No! Not he! -I'll have my head took off, if he was ever in it.” - -The spy looked round at the two gentlemen; they both looked in -unspeakable astonishment at Jerry. - -“I tell you,” said Jerry, “that you buried paving-stones and earth in -that there coffin. Don't go and tell me that you buried Cly. It was a -take in. Me and two more knows it.” - -“How do you know it?” - -“What's that to you? Ecod!” growled Mr. Cruncher, “it's you I have got a -old grudge again, is it, with your shameful impositions upon tradesmen! -I'd catch hold of your throat and choke you for half a guinea.” - -Sydney Carton, who, with Mr. Lorry, had been lost in amazement at -this turn of the business, here requested Mr. Cruncher to moderate and -explain himself. - -“At another time, sir,” he returned, evasively, “the present time is -ill-conwenient for explainin'. What I stand to, is, that he knows well -wot that there Cly was never in that there coffin. Let him say he was, -in so much as a word of one syllable, and I'll either catch hold of his -throat and choke him for half a guinea;” Mr. Cruncher dwelt upon this as -quite a liberal offer; “or I'll out and announce him.” - -“Humph! I see one thing,” said Carton. “I hold another card, Mr. Barsad. -Impossible, here in raging Paris, with Suspicion filling the air, for -you to outlive denunciation, when you are in communication with another -aristocratic spy of the same antecedents as yourself, who, moreover, has -the mystery about him of having feigned death and come to life again! -A plot in the prisons, of the foreigner against the Republic. A strong -card--a certain Guillotine card! Do you play?” - -“No!” returned the spy. “I throw up. I confess that we were so unpopular -with the outrageous mob, that I only got away from England at the risk -of being ducked to death, and that Cly was so ferreted up and down, that -he never would have got away at all but for that sham. Though how this -man knows it was a sham, is a wonder of wonders to me.” - -“Never you trouble your head about this man,” retorted the contentious -Mr. Cruncher; “you'll have trouble enough with giving your attention to -that gentleman. And look here! Once more!”--Mr. Cruncher could not -be restrained from making rather an ostentatious parade of his -liberality--“I'd catch hold of your throat and choke you for half a -guinea.” - -The Sheep of the prisons turned from him to Sydney Carton, and said, -with more decision, “It has come to a point. I go on duty soon, and -can't overstay my time. You told me you had a proposal; what is it? -Now, it is of no use asking too much of me. Ask me to do anything in my -office, putting my head in great extra danger, and I had better trust my -life to the chances of a refusal than the chances of consent. In short, -I should make that choice. You talk of desperation. We are all desperate -here. Remember! I may denounce you if I think proper, and I can swear my -way through stone walls, and so can others. Now, what do you want with -me?” - -“Not very much. You are a turnkey at the Conciergerie?” - -“I tell you once for all, there is no such thing as an escape possible,” - said the spy, firmly. - -“Why need you tell me what I have not asked? You are a turnkey at the -Conciergerie?” - -“I am sometimes.” - -“You can be when you choose?” - -“I can pass in and out when I choose.” - -Sydney Carton filled another glass with brandy, poured it slowly out -upon the hearth, and watched it as it dropped. It being all spent, he -said, rising: - -“So far, we have spoken before these two, because it was as well that -the merits of the cards should not rest solely between you and me. Come -into the dark room here, and let us have one final word alone.” - - - - -IX. The Game Made - - -While Sydney Carton and the Sheep of the prisons were in the adjoining -dark room, speaking so low that not a sound was heard, Mr. Lorry looked -at Jerry in considerable doubt and mistrust. That honest tradesman's -manner of receiving the look, did not inspire confidence; he changed the -leg on which he rested, as often as if he had fifty of those limbs, -and were trying them all; he examined his finger-nails with a very -questionable closeness of attention; and whenever Mr. Lorry's eye caught -his, he was taken with that peculiar kind of short cough requiring the -hollow of a hand before it, which is seldom, if ever, known to be an -infirmity attendant on perfect openness of character. - -“Jerry,” said Mr. Lorry. “Come here.” - -Mr. Cruncher came forward sideways, with one of his shoulders in advance -of him. - -“What have you been, besides a messenger?” - -After some cogitation, accompanied with an intent look at his patron, -Mr. Cruncher conceived the luminous idea of replying, “Agicultooral -character.” - -“My mind misgives me much,” said Mr. Lorry, angrily shaking a forefinger -at him, “that you have used the respectable and great house of Tellson's -as a blind, and that you have had an unlawful occupation of an infamous -description. If you have, don't expect me to befriend you when you -get back to England. If you have, don't expect me to keep your secret. -Tellson's shall not be imposed upon.” - -“I hope, sir,” pleaded the abashed Mr. Cruncher, “that a gentleman like -yourself wot I've had the honour of odd jobbing till I'm grey at it, -would think twice about harming of me, even if it wos so--I don't say it -is, but even if it wos. And which it is to be took into account that if -it wos, it wouldn't, even then, be all o' one side. There'd be two sides -to it. There might be medical doctors at the present hour, a picking -up their guineas where a honest tradesman don't pick up his -fardens--fardens! no, nor yet his half fardens--half fardens! no, nor -yet his quarter--a banking away like smoke at Tellson's, and a cocking -their medical eyes at that tradesman on the sly, a going in and going -out to their own carriages--ah! equally like smoke, if not more so. -Well, that 'ud be imposing, too, on Tellson's. For you cannot sarse the -goose and not the gander. And here's Mrs. Cruncher, or leastways wos -in the Old England times, and would be to-morrow, if cause given, -a floppin' again the business to that degree as is ruinating--stark -ruinating! Whereas them medical doctors' wives don't flop--catch 'em at -it! Or, if they flop, their floppings goes in favour of more patients, -and how can you rightly have one without t'other? Then, wot with -undertakers, and wot with parish clerks, and wot with sextons, and wot -with private watchmen (all awaricious and all in it), a man wouldn't get -much by it, even if it wos so. And wot little a man did get, would never -prosper with him, Mr. Lorry. He'd never have no good of it; he'd want -all along to be out of the line, if he, could see his way out, being -once in--even if it wos so.” - -“Ugh!” cried Mr. Lorry, rather relenting, nevertheless, “I am shocked at -the sight of you.” - -“Now, what I would humbly offer to you, sir,” pursued Mr. Cruncher, -“even if it wos so, which I don't say it is--” - -“Don't prevaricate,” said Mr. Lorry. - -“No, I will _not_, sir,” returned Mr. Crunches as if nothing were -further from his thoughts or practice--“which I don't say it is--wot I -would humbly offer to you, sir, would be this. Upon that there stool, at -that there Bar, sets that there boy of mine, brought up and growed up to -be a man, wot will errand you, message you, general-light-job you, till -your heels is where your head is, if such should be your wishes. If it -wos so, which I still don't say it is (for I will not prewaricate to -you, sir), let that there boy keep his father's place, and take care of -his mother; don't blow upon that boy's father--do not do it, sir--and -let that father go into the line of the reg'lar diggin', and make amends -for what he would have undug--if it wos so--by diggin' of 'em in with -a will, and with conwictions respectin' the futur' keepin' of 'em safe. -That, Mr. Lorry,” said Mr. Cruncher, wiping his forehead with his -arm, as an announcement that he had arrived at the peroration of his -discourse, “is wot I would respectfully offer to you, sir. A man don't -see all this here a goin' on dreadful round him, in the way of Subjects -without heads, dear me, plentiful enough fur to bring the price down -to porterage and hardly that, without havin' his serious thoughts of -things. And these here would be mine, if it wos so, entreatin' of you -fur to bear in mind that wot I said just now, I up and said in the good -cause when I might have kep' it back.” - -“That at least is true,” said Mr. Lorry. “Say no more now. It may be -that I shall yet stand your friend, if you deserve it, and repent in -action--not in words. I want no more words.” - -Mr. Cruncher knuckled his forehead, as Sydney Carton and the spy -returned from the dark room. “Adieu, Mr. Barsad,” said the former; “our -arrangement thus made, you have nothing to fear from me.” - -He sat down in a chair on the hearth, over against Mr. Lorry. When they -were alone, Mr. Lorry asked him what he had done? - -“Not much. If it should go ill with the prisoner, I have ensured access -to him, once.” - -Mr. Lorry's countenance fell. - -“It is all I could do,” said Carton. “To propose too much, would be -to put this man's head under the axe, and, as he himself said, nothing -worse could happen to him if he were denounced. It was obviously the -weakness of the position. There is no help for it.” - -“But access to him,” said Mr. Lorry, “if it should go ill before the -Tribunal, will not save him.” - -“I never said it would.” - -Mr. Lorry's eyes gradually sought the fire; his sympathy with his -darling, and the heavy disappointment of his second arrest, gradually -weakened them; he was an old man now, overborne with anxiety of late, -and his tears fell. - -“You are a good man and a true friend,” said Carton, in an altered -voice. “Forgive me if I notice that you are affected. I could not see my -father weep, and sit by, careless. And I could not respect your -sorrow more, if you were my father. You are free from that misfortune, -however.” - -Though he said the last words, with a slip into his usual manner, there -was a true feeling and respect both in his tone and in his touch, -that Mr. Lorry, who had never seen the better side of him, was wholly -unprepared for. He gave him his hand, and Carton gently pressed it. - -“To return to poor Darnay,” said Carton. “Don't tell Her of this -interview, or this arrangement. It would not enable Her to go to see -him. She might think it was contrived, in case of the worse, to convey -to him the means of anticipating the sentence.” - -Mr. Lorry had not thought of that, and he looked quickly at Carton to -see if it were in his mind. It seemed to be; he returned the look, and -evidently understood it. - -“She might think a thousand things,” Carton said, “and any of them would -only add to her trouble. Don't speak of me to her. As I said to you when -I first came, I had better not see her. I can put my hand out, to do any -little helpful work for her that my hand can find to do, without that. -You are going to her, I hope? She must be very desolate to-night.” - -“I am going now, directly.” - -“I am glad of that. She has such a strong attachment to you and reliance -on you. How does she look?” - -“Anxious and unhappy, but very beautiful.” - -“Ah!” - -It was a long, grieving sound, like a sigh--almost like a sob. It -attracted Mr. Lorry's eyes to Carton's face, which was turned to the -fire. A light, or a shade (the old gentleman could not have said which), -passed from it as swiftly as a change will sweep over a hill-side on a -wild bright day, and he lifted his foot to put back one of the little -flaming logs, which was tumbling forward. He wore the white riding-coat -and top-boots, then in vogue, and the light of the fire touching their -light surfaces made him look very pale, with his long brown hair, -all untrimmed, hanging loose about him. His indifference to fire was -sufficiently remarkable to elicit a word of remonstrance from Mr. Lorry; -his boot was still upon the hot embers of the flaming log, when it had -broken under the weight of his foot. - -“I forgot it,” he said. - -Mr. Lorry's eyes were again attracted to his face. Taking note of the -wasted air which clouded the naturally handsome features, and having -the expression of prisoners' faces fresh in his mind, he was strongly -reminded of that expression. - -“And your duties here have drawn to an end, sir?” said Carton, turning -to him. - -“Yes. As I was telling you last night when Lucie came in so -unexpectedly, I have at length done all that I can do here. I hoped to -have left them in perfect safety, and then to have quitted Paris. I have -my Leave to Pass. I was ready to go.” - -They were both silent. - -“Yours is a long life to look back upon, sir?” said Carton, wistfully. - -“I am in my seventy-eighth year.” - -“You have been useful all your life; steadily and constantly occupied; -trusted, respected, and looked up to?” - -“I have been a man of business, ever since I have been a man. Indeed, I -may say that I was a man of business when a boy.” - -“See what a place you fill at seventy-eight. How many people will miss -you when you leave it empty!” - -“A solitary old bachelor,” answered Mr. Lorry, shaking his head. “There -is nobody to weep for me.” - -“How can you say that? Wouldn't She weep for you? Wouldn't her child?” - -“Yes, yes, thank God. I didn't quite mean what I said.” - -“It _is_ a thing to thank God for; is it not?” - -“Surely, surely.” - -“If you could say, with truth, to your own solitary heart, to-night, -'I have secured to myself the love and attachment, the gratitude or -respect, of no human creature; I have won myself a tender place in no -regard; I have done nothing good or serviceable to be remembered by!' -your seventy-eight years would be seventy-eight heavy curses; would they -not?” - -“You say truly, Mr. Carton; I think they would be.” - -Sydney turned his eyes again upon the fire, and, after a silence of a -few moments, said: - -“I should like to ask you:--Does your childhood seem far off? Do the -days when you sat at your mother's knee, seem days of very long ago?” - -Responding to his softened manner, Mr. Lorry answered: - -“Twenty years back, yes; at this time of my life, no. For, as I draw -closer and closer to the end, I travel in the circle, nearer and -nearer to the beginning. It seems to be one of the kind smoothings and -preparings of the way. My heart is touched now, by many remembrances -that had long fallen asleep, of my pretty young mother (and I so old!), -and by many associations of the days when what we call the World was not -so real with me, and my faults were not confirmed in me.” - -“I understand the feeling!” exclaimed Carton, with a bright flush. “And -you are the better for it?” - -“I hope so.” - -Carton terminated the conversation here, by rising to help him on with -his outer coat; “But you,” said Mr. Lorry, reverting to the theme, “you -are young.” - -“Yes,” said Carton. “I am not old, but my young way was never the way to -age. Enough of me.” - -“And of me, I am sure,” said Mr. Lorry. “Are you going out?” - -“I'll walk with you to her gate. You know my vagabond and restless -habits. If I should prowl about the streets a long time, don't be -uneasy; I shall reappear in the morning. You go to the Court to-morrow?” - -“Yes, unhappily.” - -“I shall be there, but only as one of the crowd. My Spy will find a -place for me. Take my arm, sir.” - -Mr. Lorry did so, and they went down-stairs and out in the streets. A -few minutes brought them to Mr. Lorry's destination. Carton left him -there; but lingered at a little distance, and turned back to the gate -again when it was shut, and touched it. He had heard of her going to -the prison every day. “She came out here,” he said, looking about him, -“turned this way, must have trod on these stones often. Let me follow in -her steps.” - -It was ten o'clock at night when he stood before the prison of La Force, -where she had stood hundreds of times. A little wood-sawyer, having -closed his shop, was smoking his pipe at his shop-door. - -“Good night, citizen,” said Sydney Carton, pausing in going by; for, the -man eyed him inquisitively. - -“Good night, citizen.” - -“How goes the Republic?” - -“You mean the Guillotine. Not ill. Sixty-three to-day. We shall mount -to a hundred soon. Samson and his men complain sometimes, of being -exhausted. Ha, ha, ha! He is so droll, that Samson. Such a Barber!” - -“Do you often go to see him--” - -“Shave? Always. Every day. What a barber! You have seen him at work?” - -“Never.” - -“Go and see him when he has a good batch. Figure this to yourself, -citizen; he shaved the sixty-three to-day, in less than two pipes! Less -than two pipes. Word of honour!” - -As the grinning little man held out the pipe he was smoking, to explain -how he timed the executioner, Carton was so sensible of a rising desire -to strike the life out of him, that he turned away. - -“But you are not English,” said the wood-sawyer, “though you wear -English dress?” - -“Yes,” said Carton, pausing again, and answering over his shoulder. - -“You speak like a Frenchman.” - -“I am an old student here.” - -“Aha, a perfect Frenchman! Good night, Englishman.” - -“Good night, citizen.” - -“But go and see that droll dog,” the little man persisted, calling after -him. “And take a pipe with you!” - -Sydney had not gone far out of sight, when he stopped in the middle of -the street under a glimmering lamp, and wrote with his pencil on a scrap -of paper. Then, traversing with the decided step of one who remembered -the way well, several dark and dirty streets--much dirtier than usual, -for the best public thoroughfares remained uncleansed in those times of -terror--he stopped at a chemist's shop, which the owner was closing with -his own hands. A small, dim, crooked shop, kept in a tortuous, up-hill -thoroughfare, by a small, dim, crooked man. - -Giving this citizen, too, good night, as he confronted him at his -counter, he laid the scrap of paper before him. “Whew!” the chemist -whistled softly, as he read it. “Hi! hi! hi!” - -Sydney Carton took no heed, and the chemist said: - -“For you, citizen?” - -“For me.” - -“You will be careful to keep them separate, citizen? You know the -consequences of mixing them?” - -“Perfectly.” - -Certain small packets were made and given to him. He put them, one by -one, in the breast of his inner coat, counted out the money for them, -and deliberately left the shop. “There is nothing more to do,” said he, -glancing upward at the moon, “until to-morrow. I can't sleep.” - -It was not a reckless manner, the manner in which he said these words -aloud under the fast-sailing clouds, nor was it more expressive of -negligence than defiance. It was the settled manner of a tired man, who -had wandered and struggled and got lost, but who at length struck into -his road and saw its end. - -Long ago, when he had been famous among his earliest competitors as a -youth of great promise, he had followed his father to the grave. His -mother had died, years before. These solemn words, which had been -read at his father's grave, arose in his mind as he went down the dark -streets, among the heavy shadows, with the moon and the clouds sailing -on high above him. “I am the resurrection and the life, saith the Lord: -he that believeth in me, though he were dead, yet shall he live: and -whosoever liveth and believeth in me, shall never die.” - -In a city dominated by the axe, alone at night, with natural sorrow -rising in him for the sixty-three who had been that day put to death, -and for to-morrow's victims then awaiting their doom in the prisons, -and still of to-morrow's and to-morrow's, the chain of association that -brought the words home, like a rusty old ship's anchor from the deep, -might have been easily found. He did not seek it, but repeated them and -went on. - -With a solemn interest in the lighted windows where the people were -going to rest, forgetful through a few calm hours of the horrors -surrounding them; in the towers of the churches, where no prayers -were said, for the popular revulsion had even travelled that length -of self-destruction from years of priestly impostors, plunderers, and -profligates; in the distant burial-places, reserved, as they wrote upon -the gates, for Eternal Sleep; in the abounding gaols; and in the streets -along which the sixties rolled to a death which had become so common and -material, that no sorrowful story of a haunting Spirit ever arose among -the people out of all the working of the Guillotine; with a solemn -interest in the whole life and death of the city settling down to its -short nightly pause in fury; Sydney Carton crossed the Seine again for -the lighter streets. - -Few coaches were abroad, for riders in coaches were liable to be -suspected, and gentility hid its head in red nightcaps, and put on heavy -shoes, and trudged. But, the theatres were all well filled, and the -people poured cheerfully out as he passed, and went chatting home. At -one of the theatre doors, there was a little girl with a mother, looking -for a way across the street through the mud. He carried the child over, -and before the timid arm was loosed from his neck asked her for a kiss. - -“I am the resurrection and the life, saith the Lord: he that believeth -in me, though he were dead, yet shall he live: and whosoever liveth and -believeth in me, shall never die.” - -Now, that the streets were quiet, and the night wore on, the words -were in the echoes of his feet, and were in the air. Perfectly calm -and steady, he sometimes repeated them to himself as he walked; but, he -heard them always. - -The night wore out, and, as he stood upon the bridge listening to the -water as it splashed the river-walls of the Island of Paris, where the -picturesque confusion of houses and cathedral shone bright in the light -of the moon, the day came coldly, looking like a dead face out of the -sky. Then, the night, with the moon and the stars, turned pale and died, -and for a little while it seemed as if Creation were delivered over to -Death's dominion. - -But, the glorious sun, rising, seemed to strike those words, that burden -of the night, straight and warm to his heart in its long bright rays. -And looking along them, with reverently shaded eyes, a bridge of light -appeared to span the air between him and the sun, while the river -sparkled under it. - -The strong tide, so swift, so deep, and certain, was like a congenial -friend, in the morning stillness. He walked by the stream, far from the -houses, and in the light and warmth of the sun fell asleep on the -bank. When he awoke and was afoot again, he lingered there yet a little -longer, watching an eddy that turned and turned purposeless, until the -stream absorbed it, and carried it on to the sea.--“Like me.” - -A trading-boat, with a sail of the softened colour of a dead leaf, then -glided into his view, floated by him, and died away. As its silent track -in the water disappeared, the prayer that had broken up out of his heart -for a merciful consideration of all his poor blindnesses and errors, -ended in the words, “I am the resurrection and the life.” - -Mr. Lorry was already out when he got back, and it was easy to surmise -where the good old man was gone. Sydney Carton drank nothing but a -little coffee, ate some bread, and, having washed and changed to refresh -himself, went out to the place of trial. - -The court was all astir and a-buzz, when the black sheep--whom many fell -away from in dread--pressed him into an obscure corner among the crowd. -Mr. Lorry was there, and Doctor Manette was there. She was there, -sitting beside her father. - -When her husband was brought in, she turned a look upon him, so -sustaining, so encouraging, so full of admiring love and pitying -tenderness, yet so courageous for his sake, that it called the healthy -blood into his face, brightened his glance, and animated his heart. If -there had been any eyes to notice the influence of her look, on Sydney -Carton, it would have been seen to be the same influence exactly. - -Before that unjust Tribunal, there was little or no order of procedure, -ensuring to any accused person any reasonable hearing. There could have -been no such Revolution, if all laws, forms, and ceremonies, had not -first been so monstrously abused, that the suicidal vengeance of the -Revolution was to scatter them all to the winds. - -Every eye was turned to the jury. The same determined patriots and good -republicans as yesterday and the day before, and to-morrow and the day -after. Eager and prominent among them, one man with a craving face, and -his fingers perpetually hovering about his lips, whose appearance -gave great satisfaction to the spectators. A life-thirsting, -cannibal-looking, bloody-minded juryman, the Jacques Three of St. -Antoine. The whole jury, as a jury of dogs empannelled to try the deer. - -Every eye then turned to the five judges and the public prosecutor. -No favourable leaning in that quarter to-day. A fell, uncompromising, -murderous business-meaning there. Every eye then sought some other eye -in the crowd, and gleamed at it approvingly; and heads nodded at one -another, before bending forward with a strained attention. - -Charles Evremonde, called Darnay. Released yesterday. Reaccused and -retaken yesterday. Indictment delivered to him last night. Suspected and -Denounced enemy of the Republic, Aristocrat, one of a family of tyrants, -one of a race proscribed, for that they had used their abolished -privileges to the infamous oppression of the people. Charles Evremonde, -called Darnay, in right of such proscription, absolutely Dead in Law. - -To this effect, in as few or fewer words, the Public Prosecutor. - -The President asked, was the Accused openly denounced or secretly? - -“Openly, President.” - -“By whom?” - -“Three voices. Ernest Defarge, wine-vendor of St. Antoine.” - -“Good.” - -“Therese Defarge, his wife.” - -“Good.” - -“Alexandre Manette, physician.” - -A great uproar took place in the court, and in the midst of it, Doctor -Manette was seen, pale and trembling, standing where he had been seated. - -“President, I indignantly protest to you that this is a forgery and -a fraud. You know the accused to be the husband of my daughter. My -daughter, and those dear to her, are far dearer to me than my life. Who -and where is the false conspirator who says that I denounce the husband -of my child!” - -“Citizen Manette, be tranquil. To fail in submission to the authority of -the Tribunal would be to put yourself out of Law. As to what is dearer -to you than life, nothing can be so dear to a good citizen as the -Republic.” - -Loud acclamations hailed this rebuke. The President rang his bell, and -with warmth resumed. - -“If the Republic should demand of you the sacrifice of your child -herself, you would have no duty but to sacrifice her. Listen to what is -to follow. In the meanwhile, be silent!” - -Frantic acclamations were again raised. Doctor Manette sat down, with -his eyes looking around, and his lips trembling; his daughter drew -closer to him. The craving man on the jury rubbed his hands together, -and restored the usual hand to his mouth. - -Defarge was produced, when the court was quiet enough to admit of his -being heard, and rapidly expounded the story of the imprisonment, and of -his having been a mere boy in the Doctor's service, and of the release, -and of the state of the prisoner when released and delivered to him. -This short examination followed, for the court was quick with its work. - -“You did good service at the taking of the Bastille, citizen?” - -“I believe so.” - -Here, an excited woman screeched from the crowd: “You were one of the -best patriots there. Why not say so? You were a cannonier that day -there, and you were among the first to enter the accursed fortress when -it fell. Patriots, I speak the truth!” - -It was The Vengeance who, amidst the warm commendations of the audience, -thus assisted the proceedings. The President rang his bell; but, The -Vengeance, warming with encouragement, shrieked, “I defy that bell!” - wherein she was likewise much commended. - -“Inform the Tribunal of what you did that day within the Bastille, -citizen.” - -“I knew,” said Defarge, looking down at his wife, who stood at the -bottom of the steps on which he was raised, looking steadily up at him; -“I knew that this prisoner, of whom I speak, had been confined in a cell -known as One Hundred and Five, North Tower. I knew it from himself. He -knew himself by no other name than One Hundred and Five, North Tower, -when he made shoes under my care. As I serve my gun that day, I resolve, -when the place shall fall, to examine that cell. It falls. I mount to -the cell, with a fellow-citizen who is one of the Jury, directed by a -gaoler. I examine it, very closely. In a hole in the chimney, where a -stone has been worked out and replaced, I find a written paper. This is -that written paper. I have made it my business to examine some specimens -of the writing of Doctor Manette. This is the writing of Doctor Manette. -I confide this paper, in the writing of Doctor Manette, to the hands of -the President.” - -“Let it be read.” - -In a dead silence and stillness--the prisoner under trial looking -lovingly at his wife, his wife only looking from him to look with -solicitude at her father, Doctor Manette keeping his eyes fixed on the -reader, Madame Defarge never taking hers from the prisoner, Defarge -never taking his from his feasting wife, and all the other eyes there -intent upon the Doctor, who saw none of them--the paper was read, as -follows. - - - - -X. The Substance of the Shadow - - -“I, Alexandre Manette, unfortunate physician, native of Beauvais, and -afterwards resident in Paris, write this melancholy paper in my doleful -cell in the Bastille, during the last month of the year, 1767. I write -it at stolen intervals, under every difficulty. I design to secrete it -in the wall of the chimney, where I have slowly and laboriously made a -place of concealment for it. Some pitying hand may find it there, when I -and my sorrows are dust. - -“These words are formed by the rusty iron point with which I write with -difficulty in scrapings of soot and charcoal from the chimney, mixed -with blood, in the last month of the tenth year of my captivity. Hope -has quite departed from my breast. I know from terrible warnings I have -noted in myself that my reason will not long remain unimpaired, but I -solemnly declare that I am at this time in the possession of my right -mind--that my memory is exact and circumstantial--and that I write the -truth as I shall answer for these my last recorded words, whether they -be ever read by men or not, at the Eternal Judgment-seat. - -“One cloudy moonlight night, in the third week of December (I think the -twenty-second of the month) in the year 1757, I was walking on a retired -part of the quay by the Seine for the refreshment of the frosty air, -at an hour's distance from my place of residence in the Street of the -School of Medicine, when a carriage came along behind me, driven very -fast. As I stood aside to let that carriage pass, apprehensive that it -might otherwise run me down, a head was put out at the window, and a -voice called to the driver to stop. - -“The carriage stopped as soon as the driver could rein in his horses, -and the same voice called to me by my name. I answered. The carriage -was then so far in advance of me that two gentlemen had time to open the -door and alight before I came up with it. - -“I observed that they were both wrapped in cloaks, and appeared to -conceal themselves. As they stood side by side near the carriage door, -I also observed that they both looked of about my own age, or rather -younger, and that they were greatly alike, in stature, manner, voice, -and (as far as I could see) face too. - -“'You are Doctor Manette?' said one. - -“I am.” - -“'Doctor Manette, formerly of Beauvais,' said the other; 'the young -physician, originally an expert surgeon, who within the last year or two -has made a rising reputation in Paris?' - -“'Gentlemen,' I returned, 'I am that Doctor Manette of whom you speak so -graciously.' - -“'We have been to your residence,' said the first, 'and not being -so fortunate as to find you there, and being informed that you were -probably walking in this direction, we followed, in the hope of -overtaking you. Will you please to enter the carriage?' - -“The manner of both was imperious, and they both moved, as these words -were spoken, so as to place me between themselves and the carriage door. -They were armed. I was not. - -“'Gentlemen,' said I, 'pardon me; but I usually inquire who does me -the honour to seek my assistance, and what is the nature of the case to -which I am summoned.' - -“The reply to this was made by him who had spoken second. 'Doctor, -your clients are people of condition. As to the nature of the case, -our confidence in your skill assures us that you will ascertain it for -yourself better than we can describe it. Enough. Will you please to -enter the carriage?' - -“I could do nothing but comply, and I entered it in silence. They both -entered after me--the last springing in, after putting up the steps. The -carriage turned about, and drove on at its former speed. - -“I repeat this conversation exactly as it occurred. I have no doubt that -it is, word for word, the same. I describe everything exactly as it took -place, constraining my mind not to wander from the task. Where I make -the broken marks that follow here, I leave off for the time, and put my -paper in its hiding-place. - - ***** - -“The carriage left the streets behind, passed the North Barrier, and -emerged upon the country road. At two-thirds of a league from the -Barrier--I did not estimate the distance at that time, but afterwards -when I traversed it--it struck out of the main avenue, and presently -stopped at a solitary house, We all three alighted, and walked, by -a damp soft footpath in a garden where a neglected fountain had -overflowed, to the door of the house. It was not opened immediately, in -answer to the ringing of the bell, and one of my two conductors struck -the man who opened it, with his heavy riding glove, across the face. - -“There was nothing in this action to attract my particular attention, -for I had seen common people struck more commonly than dogs. But, the -other of the two, being angry likewise, struck the man in like manner -with his arm; the look and bearing of the brothers were then so exactly -alike, that I then first perceived them to be twin brothers. - -“From the time of our alighting at the outer gate (which we found -locked, and which one of the brothers had opened to admit us, and had -relocked), I had heard cries proceeding from an upper chamber. I was -conducted to this chamber straight, the cries growing louder as we -ascended the stairs, and I found a patient in a high fever of the brain, -lying on a bed. - -“The patient was a woman of great beauty, and young; assuredly not much -past twenty. Her hair was torn and ragged, and her arms were bound to -her sides with sashes and handkerchiefs. I noticed that these bonds were -all portions of a gentleman's dress. On one of them, which was a fringed -scarf for a dress of ceremony, I saw the armorial bearings of a Noble, -and the letter E. - -“I saw this, within the first minute of my contemplation of the patient; -for, in her restless strivings she had turned over on her face on the -edge of the bed, had drawn the end of the scarf into her mouth, and was -in danger of suffocation. My first act was to put out my hand to relieve -her breathing; and in moving the scarf aside, the embroidery in the -corner caught my sight. - -“I turned her gently over, placed my hands upon her breast to calm her -and keep her down, and looked into her face. Her eyes were dilated and -wild, and she constantly uttered piercing shrieks, and repeated the -words, 'My husband, my father, and my brother!' and then counted up to -twelve, and said, 'Hush!' For an instant, and no more, she would pause -to listen, and then the piercing shrieks would begin again, and she -would repeat the cry, 'My husband, my father, and my brother!' and -would count up to twelve, and say, 'Hush!' There was no variation in the -order, or the manner. There was no cessation, but the regular moment's -pause, in the utterance of these sounds. - -“'How long,' I asked, 'has this lasted?' - -“To distinguish the brothers, I will call them the elder and the -younger; by the elder, I mean him who exercised the most authority. It -was the elder who replied, 'Since about this hour last night.' - -“'She has a husband, a father, and a brother?' - -“'A brother.' - -“'I do not address her brother?' - -“He answered with great contempt, 'No.' - -“'She has some recent association with the number twelve?' - -“The younger brother impatiently rejoined, 'With twelve o'clock?' - -“'See, gentlemen,' said I, still keeping my hands upon her breast, 'how -useless I am, as you have brought me! If I had known what I was coming -to see, I could have come provided. As it is, time must be lost. There -are no medicines to be obtained in this lonely place.' - -“The elder brother looked to the younger, who said haughtily, 'There is -a case of medicines here;' and brought it from a closet, and put it on -the table. - - ***** - -“I opened some of the bottles, smelt them, and put the stoppers to my -lips. If I had wanted to use anything save narcotic medicines that were -poisons in themselves, I would not have administered any of those. - -“'Do you doubt them?' asked the younger brother. - -“'You see, monsieur, I am going to use them,' I replied, and said no -more. - -“I made the patient swallow, with great difficulty, and after many -efforts, the dose that I desired to give. As I intended to repeat it -after a while, and as it was necessary to watch its influence, I then -sat down by the side of the bed. There was a timid and suppressed woman -in attendance (wife of the man down-stairs), who had retreated into -a corner. The house was damp and decayed, indifferently -furnished--evidently, recently occupied and temporarily used. Some thick -old hangings had been nailed up before the windows, to deaden the -sound of the shrieks. They continued to be uttered in their regular -succession, with the cry, 'My husband, my father, and my brother!' the -counting up to twelve, and 'Hush!' The frenzy was so violent, that I had -not unfastened the bandages restraining the arms; but, I had looked to -them, to see that they were not painful. The only spark of encouragement -in the case, was, that my hand upon the sufferer's breast had this much -soothing influence, that for minutes at a time it tranquillised the -figure. It had no effect upon the cries; no pendulum could be more -regular. - -“For the reason that my hand had this effect (I assume), I had sat by -the side of the bed for half an hour, with the two brothers looking on, -before the elder said: - -“'There is another patient.' - -“I was startled, and asked, 'Is it a pressing case?' - -“'You had better see,' he carelessly answered; and took up a light. - - ***** - -“The other patient lay in a back room across a second staircase, which -was a species of loft over a stable. There was a low plastered ceiling -to a part of it; the rest was open, to the ridge of the tiled roof, and -there were beams across. Hay and straw were stored in that portion of -the place, fagots for firing, and a heap of apples in sand. I had to -pass through that part, to get at the other. My memory is circumstantial -and unshaken. I try it with these details, and I see them all, in -this my cell in the Bastille, near the close of the tenth year of my -captivity, as I saw them all that night. - -“On some hay on the ground, with a cushion thrown under his head, lay a -handsome peasant boy--a boy of not more than seventeen at the most. -He lay on his back, with his teeth set, his right hand clenched on his -breast, and his glaring eyes looking straight upward. I could not see -where his wound was, as I kneeled on one knee over him; but, I could see -that he was dying of a wound from a sharp point. - -“'I am a doctor, my poor fellow,' said I. 'Let me examine it.' - -“'I do not want it examined,' he answered; 'let it be.' - -“It was under his hand, and I soothed him to let me move his hand away. -The wound was a sword-thrust, received from twenty to twenty-four hours -before, but no skill could have saved him if it had been looked to -without delay. He was then dying fast. As I turned my eyes to the elder -brother, I saw him looking down at this handsome boy whose life was -ebbing out, as if he were a wounded bird, or hare, or rabbit; not at all -as if he were a fellow-creature. - -“'How has this been done, monsieur?' said I. - -“'A crazed young common dog! A serf! Forced my brother to draw upon him, -and has fallen by my brother's sword--like a gentleman.' - -“There was no touch of pity, sorrow, or kindred humanity, in this -answer. The speaker seemed to acknowledge that it was inconvenient to -have that different order of creature dying there, and that it would -have been better if he had died in the usual obscure routine of his -vermin kind. He was quite incapable of any compassionate feeling about -the boy, or about his fate. - -“The boy's eyes had slowly moved to him as he had spoken, and they now -slowly moved to me. - -“'Doctor, they are very proud, these Nobles; but we common dogs are -proud too, sometimes. They plunder us, outrage us, beat us, kill us; but -we have a little pride left, sometimes. She--have you seen her, Doctor?' - -“The shrieks and the cries were audible there, though subdued by the -distance. He referred to them, as if she were lying in our presence. - -“I said, 'I have seen her.' - -“'She is my sister, Doctor. They have had their shameful rights, these -Nobles, in the modesty and virtue of our sisters, many years, but we -have had good girls among us. I know it, and have heard my father say -so. She was a good girl. She was betrothed to a good young man, too: a -tenant of his. We were all tenants of his--that man's who stands there. -The other is his brother, the worst of a bad race.' - -“It was with the greatest difficulty that the boy gathered bodily force -to speak; but, his spirit spoke with a dreadful emphasis. - -“'We were so robbed by that man who stands there, as all we common dogs -are by those superior Beings--taxed by him without mercy, obliged to -work for him without pay, obliged to grind our corn at his mill, obliged -to feed scores of his tame birds on our wretched crops, and forbidden -for our lives to keep a single tame bird of our own, pillaged and -plundered to that degree that when we chanced to have a bit of meat, we -ate it in fear, with the door barred and the shutters closed, that his -people should not see it and take it from us--I say, we were so robbed, -and hunted, and were made so poor, that our father told us it was a -dreadful thing to bring a child into the world, and that what we should -most pray for, was, that our women might be barren and our miserable -race die out!' - -“I had never before seen the sense of being oppressed, bursting forth -like a fire. I had supposed that it must be latent in the people -somewhere; but, I had never seen it break out, until I saw it in the -dying boy. - -“'Nevertheless, Doctor, my sister married. He was ailing at that time, -poor fellow, and she married her lover, that she might tend and comfort -him in our cottage--our dog-hut, as that man would call it. She had not -been married many weeks, when that man's brother saw her and admired -her, and asked that man to lend her to him--for what are husbands among -us! He was willing enough, but my sister was good and virtuous, and -hated his brother with a hatred as strong as mine. What did the two -then, to persuade her husband to use his influence with her, to make her -willing?' - -“The boy's eyes, which had been fixed on mine, slowly turned to the -looker-on, and I saw in the two faces that all he said was true. The two -opposing kinds of pride confronting one another, I can see, even in this -Bastille; the gentleman's, all negligent indifference; the peasant's, all -trodden-down sentiment, and passionate revenge. - -“'You know, Doctor, that it is among the Rights of these Nobles to -harness us common dogs to carts, and drive us. They so harnessed him and -drove him. You know that it is among their Rights to keep us in their -grounds all night, quieting the frogs, in order that their noble sleep -may not be disturbed. They kept him out in the unwholesome mists at -night, and ordered him back into his harness in the day. But he was -not persuaded. No! Taken out of harness one day at noon, to feed--if he -could find food--he sobbed twelve times, once for every stroke of the -bell, and died on her bosom.' - -“Nothing human could have held life in the boy but his determination to -tell all his wrong. He forced back the gathering shadows of death, as -he forced his clenched right hand to remain clenched, and to cover his -wound. - -“'Then, with that man's permission and even with his aid, his -brother took her away; in spite of what I know she must have told his -brother--and what that is, will not be long unknown to you, Doctor, if -it is now--his brother took her away--for his pleasure and diversion, -for a little while. I saw her pass me on the road. When I took the -tidings home, our father's heart burst; he never spoke one of the words -that filled it. I took my young sister (for I have another) to a place -beyond the reach of this man, and where, at least, she will never be -_his_ vassal. Then, I tracked the brother here, and last night climbed -in--a common dog, but sword in hand.--Where is the loft window? It was -somewhere here?' - -“The room was darkening to his sight; the world was narrowing around -him. I glanced about me, and saw that the hay and straw were trampled -over the floor, as if there had been a struggle. - -“'She heard me, and ran in. I told her not to come near us till he was -dead. He came in and first tossed me some pieces of money; then struck -at me with a whip. But I, though a common dog, so struck at him as to -make him draw. Let him break into as many pieces as he will, the sword -that he stained with my common blood; he drew to defend himself--thrust -at me with all his skill for his life.' - -“My glance had fallen, but a few moments before, on the fragments of -a broken sword, lying among the hay. That weapon was a gentleman's. In -another place, lay an old sword that seemed to have been a soldier's. - -“'Now, lift me up, Doctor; lift me up. Where is he?' - -“'He is not here,' I said, supporting the boy, and thinking that he -referred to the brother. - -“'He! Proud as these nobles are, he is afraid to see me. Where is the -man who was here? Turn my face to him.' - -“I did so, raising the boy's head against my knee. But, invested for the -moment with extraordinary power, he raised himself completely: obliging -me to rise too, or I could not have still supported him. - -“'Marquis,' said the boy, turned to him with his eyes opened wide, and -his right hand raised, 'in the days when all these things are to be -answered for, I summon you and yours, to the last of your bad race, to -answer for them. I mark this cross of blood upon you, as a sign that -I do it. In the days when all these things are to be answered for, -I summon your brother, the worst of the bad race, to answer for them -separately. I mark this cross of blood upon him, as a sign that I do -it.' - -“Twice, he put his hand to the wound in his breast, and with his -forefinger drew a cross in the air. He stood for an instant with the -finger yet raised, and as it dropped, he dropped with it, and I laid him -down dead. - - ***** - -“When I returned to the bedside of the young woman, I found her raving -in precisely the same order of continuity. I knew that this might last -for many hours, and that it would probably end in the silence of the -grave. - -“I repeated the medicines I had given her, and I sat at the side of -the bed until the night was far advanced. She never abated the piercing -quality of her shrieks, never stumbled in the distinctness or the order -of her words. They were always 'My husband, my father, and my brother! -One, two, three, four, five, six, seven, eight, nine, ten, eleven, -twelve. Hush!' - -“This lasted twenty-six hours from the time when I first saw her. I had -come and gone twice, and was again sitting by her, when she began to -falter. I did what little could be done to assist that opportunity, and -by-and-bye she sank into a lethargy, and lay like the dead. - -“It was as if the wind and rain had lulled at last, after a long and -fearful storm. I released her arms, and called the woman to assist me to -compose her figure and the dress she had torn. It was then that I knew -her condition to be that of one in whom the first expectations of being -a mother have arisen; and it was then that I lost the little hope I had -had of her. - -“'Is she dead?' asked the Marquis, whom I will still describe as the -elder brother, coming booted into the room from his horse. - -“'Not dead,' said I; 'but like to die.' - -“'What strength there is in these common bodies!' he said, looking down -at her with some curiosity. - -“'There is prodigious strength,' I answered him, 'in sorrow and -despair.' - -“He first laughed at my words, and then frowned at them. He moved a -chair with his foot near to mine, ordered the woman away, and said in a -subdued voice, - -“'Doctor, finding my brother in this difficulty with these hinds, I -recommended that your aid should be invited. Your reputation is high, -and, as a young man with your fortune to make, you are probably mindful -of your interest. The things that you see here, are things to be seen, -and not spoken of.' - -“I listened to the patient's breathing, and avoided answering. - -“'Do you honour me with your attention, Doctor?' - -“'Monsieur,' said I, 'in my profession, the communications of patients -are always received in confidence.' I was guarded in my answer, for I -was troubled in my mind with what I had heard and seen. - -“Her breathing was so difficult to trace, that I carefully tried the -pulse and the heart. There was life, and no more. Looking round as I -resumed my seat, I found both the brothers intent upon me. - - ***** - -“I write with so much difficulty, the cold is so severe, I am so -fearful of being detected and consigned to an underground cell and total -darkness, that I must abridge this narrative. There is no confusion or -failure in my memory; it can recall, and could detail, every word that -was ever spoken between me and those brothers. - -“She lingered for a week. Towards the last, I could understand some few -syllables that she said to me, by placing my ear close to her lips. She -asked me where she was, and I told her; who I was, and I told her. It -was in vain that I asked her for her family name. She faintly shook her -head upon the pillow, and kept her secret, as the boy had done. - -“I had no opportunity of asking her any question, until I had told the -brothers she was sinking fast, and could not live another day. Until -then, though no one was ever presented to her consciousness save the -woman and myself, one or other of them had always jealously sat behind -the curtain at the head of the bed when I was there. But when it came to -that, they seemed careless what communication I might hold with her; as -if--the thought passed through my mind--I were dying too. - -“I always observed that their pride bitterly resented the younger -brother's (as I call him) having crossed swords with a peasant, and that -peasant a boy. The only consideration that appeared to affect the mind -of either of them was the consideration that this was highly degrading -to the family, and was ridiculous. As often as I caught the younger -brother's eyes, their expression reminded me that he disliked me deeply, -for knowing what I knew from the boy. He was smoother and more polite to -me than the elder; but I saw this. I also saw that I was an incumbrance -in the mind of the elder, too. - -“My patient died, two hours before midnight--at a time, by my watch, -answering almost to the minute when I had first seen her. I was alone -with her, when her forlorn young head drooped gently on one side, and -all her earthly wrongs and sorrows ended. - -“The brothers were waiting in a room down-stairs, impatient to ride -away. I had heard them, alone at the bedside, striking their boots with -their riding-whips, and loitering up and down. - -“'At last she is dead?' said the elder, when I went in. - -“'She is dead,' said I. - -“'I congratulate you, my brother,' were his words as he turned round. - -“He had before offered me money, which I had postponed taking. He now -gave me a rouleau of gold. I took it from his hand, but laid it on -the table. I had considered the question, and had resolved to accept -nothing. - -“'Pray excuse me,' said I. 'Under the circumstances, no.' - -“They exchanged looks, but bent their heads to me as I bent mine to -them, and we parted without another word on either side. - - ***** - -“I am weary, weary, weary--worn down by misery. I cannot read what I -have written with this gaunt hand. - -“Early in the morning, the rouleau of gold was left at my door in a -little box, with my name on the outside. From the first, I had anxiously -considered what I ought to do. I decided, that day, to write privately -to the Minister, stating the nature of the two cases to which I had been -summoned, and the place to which I had gone: in effect, stating all the -circumstances. I knew what Court influence was, and what the immunities -of the Nobles were, and I expected that the matter would never be -heard of; but, I wished to relieve my own mind. I had kept the matter a -profound secret, even from my wife; and this, too, I resolved to state -in my letter. I had no apprehension whatever of my real danger; but -I was conscious that there might be danger for others, if others were -compromised by possessing the knowledge that I possessed. - -“I was much engaged that day, and could not complete my letter that -night. I rose long before my usual time next morning to finish it. -It was the last day of the year. The letter was lying before me just -completed, when I was told that a lady waited, who wished to see me. - - ***** - -“I am growing more and more unequal to the task I have set myself. It is -so cold, so dark, my senses are so benumbed, and the gloom upon me is so -dreadful. - -“The lady was young, engaging, and handsome, but not marked for long -life. She was in great agitation. She presented herself to me as the -wife of the Marquis St. Evremonde. I connected the title by which the -boy had addressed the elder brother, with the initial letter embroidered -on the scarf, and had no difficulty in arriving at the conclusion that I -had seen that nobleman very lately. - -“My memory is still accurate, but I cannot write the words of our -conversation. I suspect that I am watched more closely than I was, and I -know not at what times I may be watched. She had in part suspected, and -in part discovered, the main facts of the cruel story, of her husband's -share in it, and my being resorted to. She did not know that the girl -was dead. Her hope had been, she said in great distress, to show her, -in secret, a woman's sympathy. Her hope had been to avert the wrath of -Heaven from a House that had long been hateful to the suffering many. - -“She had reasons for believing that there was a young sister living, and -her greatest desire was, to help that sister. I could tell her nothing -but that there was such a sister; beyond that, I knew nothing. Her -inducement to come to me, relying on my confidence, had been the hope -that I could tell her the name and place of abode. Whereas, to this -wretched hour I am ignorant of both. - - ***** - -“These scraps of paper fail me. One was taken from me, with a warning, -yesterday. I must finish my record to-day. - -“She was a good, compassionate lady, and not happy in her marriage. How -could she be! The brother distrusted and disliked her, and his influence -was all opposed to her; she stood in dread of him, and in dread of her -husband too. When I handed her down to the door, there was a child, a -pretty boy from two to three years old, in her carriage. - -“'For his sake, Doctor,' she said, pointing to him in tears, 'I would do -all I can to make what poor amends I can. He will never prosper in his -inheritance otherwise. I have a presentiment that if no other innocent -atonement is made for this, it will one day be required of him. What -I have left to call my own--it is little beyond the worth of a few -jewels--I will make it the first charge of his life to bestow, with the -compassion and lamenting of his dead mother, on this injured family, if -the sister can be discovered.' - -“She kissed the boy, and said, caressing him, 'It is for thine own dear -sake. Thou wilt be faithful, little Charles?' The child answered her -bravely, 'Yes!' I kissed her hand, and she took him in her arms, and -went away caressing him. I never saw her more. - -“As she had mentioned her husband's name in the faith that I knew it, -I added no mention of it to my letter. I sealed my letter, and, not -trusting it out of my own hands, delivered it myself that day. - -“That night, the last night of the year, towards nine o'clock, a man in -a black dress rang at my gate, demanded to see me, and softly followed -my servant, Ernest Defarge, a youth, up-stairs. When my servant came -into the room where I sat with my wife--O my wife, beloved of my heart! -My fair young English wife!--we saw the man, who was supposed to be at -the gate, standing silent behind him. - -“An urgent case in the Rue St. Honore, he said. It would not detain me, -he had a coach in waiting. - -“It brought me here, it brought me to my grave. When I was clear of the -house, a black muffler was drawn tightly over my mouth from behind, and -my arms were pinioned. The two brothers crossed the road from a dark -corner, and identified me with a single gesture. The Marquis took from -his pocket the letter I had written, showed it me, burnt it in the light -of a lantern that was held, and extinguished the ashes with his foot. -Not a word was spoken. I was brought here, I was brought to my living -grave. - -“If it had pleased _God_ to put it in the hard heart of either of the -brothers, in all these frightful years, to grant me any tidings of -my dearest wife--so much as to let me know by a word whether alive or -dead--I might have thought that He had not quite abandoned them. But, -now I believe that the mark of the red cross is fatal to them, and that -they have no part in His mercies. And them and their descendants, to the -last of their race, I, Alexandre Manette, unhappy prisoner, do this last -night of the year 1767, in my unbearable agony, denounce to the times -when all these things shall be answered for. I denounce them to Heaven -and to earth.” - -A terrible sound arose when the reading of this document was done. A -sound of craving and eagerness that had nothing articulate in it but -blood. The narrative called up the most revengeful passions of the time, -and there was not a head in the nation but must have dropped before it. - -Little need, in presence of that tribunal and that auditory, to show -how the Defarges had not made the paper public, with the other captured -Bastille memorials borne in procession, and had kept it, biding their -time. Little need to show that this detested family name had long been -anathematised by Saint Antoine, and was wrought into the fatal register. -The man never trod ground whose virtues and services would have -sustained him in that place that day, against such denunciation. - -And all the worse for the doomed man, that the denouncer was a -well-known citizen, his own attached friend, the father of his wife. One -of the frenzied aspirations of the populace was, for imitations of -the questionable public virtues of antiquity, and for sacrifices and -self-immolations on the people's altar. Therefore when the President -said (else had his own head quivered on his shoulders), that the good -physician of the Republic would deserve better still of the Republic by -rooting out an obnoxious family of Aristocrats, and would doubtless feel -a sacred glow and joy in making his daughter a widow and her child an -orphan, there was wild excitement, patriotic fervour, not a touch of -human sympathy. - -“Much influence around him, has that Doctor?” murmured Madame Defarge, -smiling to The Vengeance. “Save him now, my Doctor, save him!” - -At every juryman's vote, there was a roar. Another and another. Roar and -roar. - -Unanimously voted. At heart and by descent an Aristocrat, an enemy -of the Republic, a notorious oppressor of the People. Back to the -Conciergerie, and Death within four-and-twenty hours! - - - - -XI. Dusk - - -The wretched wife of the innocent man thus doomed to die, fell under -the sentence, as if she had been mortally stricken. But, she uttered no -sound; and so strong was the voice within her, representing that it was -she of all the world who must uphold him in his misery and not augment -it, that it quickly raised her, even from that shock. - -The Judges having to take part in a public demonstration out of doors, -the Tribunal adjourned. The quick noise and movement of the court's -emptying itself by many passages had not ceased, when Lucie stood -stretching out her arms towards her husband, with nothing in her face -but love and consolation. - -“If I might touch him! If I might embrace him once! O, good citizens, if -you would have so much compassion for us!” - -There was but a gaoler left, along with two of the four men who had -taken him last night, and Barsad. The people had all poured out to the -show in the streets. Barsad proposed to the rest, “Let her embrace -him then; it is but a moment.” It was silently acquiesced in, and they -passed her over the seats in the hall to a raised place, where he, by -leaning over the dock, could fold her in his arms. - -“Farewell, dear darling of my soul. My parting blessing on my love. We -shall meet again, where the weary are at rest!” - -They were her husband's words, as he held her to his bosom. - -“I can bear it, dear Charles. I am supported from above: don't suffer -for me. A parting blessing for our child.” - -“I send it to her by you. I kiss her by you. I say farewell to her by -you.” - -“My husband. No! A moment!” He was tearing himself apart from her. -“We shall not be separated long. I feel that this will break my heart -by-and-bye; but I will do my duty while I can, and when I leave her, God -will raise up friends for her, as He did for me.” - -Her father had followed her, and would have fallen on his knees to both -of them, but that Darnay put out a hand and seized him, crying: - -“No, no! What have you done, what have you done, that you should kneel -to us! We know now, what a struggle you made of old. We know, now what -you underwent when you suspected my descent, and when you knew it. We -know now, the natural antipathy you strove against, and conquered, for -her dear sake. We thank you with all our hearts, and all our love and -duty. Heaven be with you!” - -Her father's only answer was to draw his hands through his white hair, -and wring them with a shriek of anguish. - -“It could not be otherwise,” said the prisoner. “All things have worked -together as they have fallen out. It was the always-vain endeavour to -discharge my poor mother's trust that first brought my fatal presence -near you. Good could never come of such evil, a happier end was not in -nature to so unhappy a beginning. Be comforted, and forgive me. Heaven -bless you!” - -As he was drawn away, his wife released him, and stood looking after him -with her hands touching one another in the attitude of prayer, and -with a radiant look upon her face, in which there was even a comforting -smile. As he went out at the prisoners' door, she turned, laid her head -lovingly on her father's breast, tried to speak to him, and fell at his -feet. - -Then, issuing from the obscure corner from which he had never moved, -Sydney Carton came and took her up. Only her father and Mr. Lorry were -with her. His arm trembled as it raised her, and supported her head. -Yet, there was an air about him that was not all of pity--that had a -flush of pride in it. - -“Shall I take her to a coach? I shall never feel her weight.” - -He carried her lightly to the door, and laid her tenderly down in a -coach. Her father and their old friend got into it, and he took his seat -beside the driver. - -When they arrived at the gateway where he had paused in the dark not -many hours before, to picture to himself on which of the rough stones of -the street her feet had trodden, he lifted her again, and carried her up -the staircase to their rooms. There, he laid her down on a couch, where -her child and Miss Pross wept over her. - -“Don't recall her to herself,” he said, softly, to the latter, “she is -better so. Don't revive her to consciousness, while she only faints.” - -“Oh, Carton, Carton, dear Carton!” cried little Lucie, springing up and -throwing her arms passionately round him, in a burst of grief. “Now that -you have come, I think you will do something to help mamma, something to -save papa! O, look at her, dear Carton! Can you, of all the people who -love her, bear to see her so?” - -He bent over the child, and laid her blooming cheek against his face. He -put her gently from him, and looked at her unconscious mother. - -“Before I go,” he said, and paused--“I may kiss her?” - -It was remembered afterwards that when he bent down and touched her face -with his lips, he murmured some words. The child, who was nearest to -him, told them afterwards, and told her grandchildren when she was a -handsome old lady, that she heard him say, “A life you love.” - -When he had gone out into the next room, he turned suddenly on Mr. Lorry -and her father, who were following, and said to the latter: - -“You had great influence but yesterday, Doctor Manette; let it at least -be tried. These judges, and all the men in power, are very friendly to -you, and very recognisant of your services; are they not?” - -“Nothing connected with Charles was concealed from me. I had the -strongest assurances that I should save him; and I did.” He returned the -answer in great trouble, and very slowly. - -“Try them again. The hours between this and to-morrow afternoon are few -and short, but try.” - -“I intend to try. I will not rest a moment.” - -“That's well. I have known such energy as yours do great things before -now--though never,” he added, with a smile and a sigh together, “such -great things as this. But try! Of little worth as life is when we misuse -it, it is worth that effort. It would cost nothing to lay down if it -were not.” - -“I will go,” said Doctor Manette, “to the Prosecutor and the President -straight, and I will go to others whom it is better not to name. I will -write too, and--But stay! There is a Celebration in the streets, and no -one will be accessible until dark.” - -“That's true. Well! It is a forlorn hope at the best, and not much the -forlorner for being delayed till dark. I should like to know how you -speed; though, mind! I expect nothing! When are you likely to have seen -these dread powers, Doctor Manette?” - -“Immediately after dark, I should hope. Within an hour or two from -this.” - -“It will be dark soon after four. Let us stretch the hour or two. If I -go to Mr. Lorry's at nine, shall I hear what you have done, either from -our friend or from yourself?” - -“Yes.” - -“May you prosper!” - -Mr. Lorry followed Sydney to the outer door, and, touching him on the -shoulder as he was going away, caused him to turn. - -“I have no hope,” said Mr. Lorry, in a low and sorrowful whisper. - -“Nor have I.” - -“If any one of these men, or all of these men, were disposed to spare -him--which is a large supposition; for what is his life, or any man's -to them!--I doubt if they durst spare him after the demonstration in the -court.” - -“And so do I. I heard the fall of the axe in that sound.” - -Mr. Lorry leaned his arm upon the door-post, and bowed his face upon it. - -“Don't despond,” said Carton, very gently; “don't grieve. I encouraged -Doctor Manette in this idea, because I felt that it might one day be -consolatory to her. Otherwise, she might think 'his life was wantonly -thrown away or wasted,' and that might trouble her.” - -“Yes, yes, yes,” returned Mr. Lorry, drying his eyes, “you are right. -But he will perish; there is no real hope.” - -“Yes. He will perish: there is no real hope,” echoed Carton. - -And walked with a settled step, down-stairs. - - - - -XII. Darkness - - -Sydney Carton paused in the street, not quite decided where to go. “At -Tellson's banking-house at nine,” he said, with a musing face. “Shall I -do well, in the mean time, to show myself? I think so. It is best that -these people should know there is such a man as I here; it is a sound -precaution, and may be a necessary preparation. But care, care, care! -Let me think it out!” - -Checking his steps which had begun to tend towards an object, he took a -turn or two in the already darkening street, and traced the thought -in his mind to its possible consequences. His first impression was -confirmed. “It is best,” he said, finally resolved, “that these people -should know there is such a man as I here.” And he turned his face -towards Saint Antoine. - -Defarge had described himself, that day, as the keeper of a wine-shop in -the Saint Antoine suburb. It was not difficult for one who knew the city -well, to find his house without asking any question. Having ascertained -its situation, Carton came out of those closer streets again, and dined -at a place of refreshment and fell sound asleep after dinner. For the -first time in many years, he had no strong drink. Since last night he -had taken nothing but a little light thin wine, and last night he had -dropped the brandy slowly down on Mr. Lorry's hearth like a man who had -done with it. - -It was as late as seven o'clock when he awoke refreshed, and went out -into the streets again. As he passed along towards Saint Antoine, he -stopped at a shop-window where there was a mirror, and slightly altered -the disordered arrangement of his loose cravat, and his coat-collar, and -his wild hair. This done, he went on direct to Defarge's, and went in. - -There happened to be no customer in the shop but Jacques Three, of the -restless fingers and the croaking voice. This man, whom he had seen upon -the Jury, stood drinking at the little counter, in conversation with the -Defarges, man and wife. The Vengeance assisted in the conversation, like -a regular member of the establishment. - -As Carton walked in, took his seat and asked (in very indifferent -French) for a small measure of wine, Madame Defarge cast a careless -glance at him, and then a keener, and then a keener, and then advanced -to him herself, and asked him what it was he had ordered. - -He repeated what he had already said. - -“English?” asked Madame Defarge, inquisitively raising her dark -eyebrows. - -After looking at her, as if the sound of even a single French word were -slow to express itself to him, he answered, in his former strong foreign -accent. “Yes, madame, yes. I am English!” - -Madame Defarge returned to her counter to get the wine, and, as he -took up a Jacobin journal and feigned to pore over it puzzling out its -meaning, he heard her say, “I swear to you, like Evremonde!” - -Defarge brought him the wine, and gave him Good Evening. - -“How?” - -“Good evening.” - -“Oh! Good evening, citizen,” filling his glass. “Ah! and good wine. I -drink to the Republic.” - -Defarge went back to the counter, and said, “Certainly, a little like.” - Madame sternly retorted, “I tell you a good deal like.” Jacques Three -pacifically remarked, “He is so much in your mind, see you, madame.” - The amiable Vengeance added, with a laugh, “Yes, my faith! And you -are looking forward with so much pleasure to seeing him once more -to-morrow!” - -Carton followed the lines and words of his paper, with a slow -forefinger, and with a studious and absorbed face. They were all leaning -their arms on the counter close together, speaking low. After a silence -of a few moments, during which they all looked towards him without -disturbing his outward attention from the Jacobin editor, they resumed -their conversation. - -“It is true what madame says,” observed Jacques Three. “Why stop? There -is great force in that. Why stop?” - -“Well, well,” reasoned Defarge, “but one must stop somewhere. After all, -the question is still where?” - -“At extermination,” said madame. - -“Magnificent!” croaked Jacques Three. The Vengeance, also, highly -approved. - -“Extermination is good doctrine, my wife,” said Defarge, rather -troubled; “in general, I say nothing against it. But this Doctor has -suffered much; you have seen him to-day; you have observed his face when -the paper was read.” - -“I have observed his face!” repeated madame, contemptuously and angrily. -“Yes. I have observed his face. I have observed his face to be not the -face of a true friend of the Republic. Let him take care of his face!” - -“And you have observed, my wife,” said Defarge, in a deprecatory manner, -“the anguish of his daughter, which must be a dreadful anguish to him!” - -“I have observed his daughter,” repeated madame; “yes, I have observed -his daughter, more times than one. I have observed her to-day, and I -have observed her other days. I have observed her in the court, and -I have observed her in the street by the prison. Let me but lift my -finger--!” She seemed to raise it (the listener's eyes were always on -his paper), and to let it fall with a rattle on the ledge before her, as -if the axe had dropped. - -“The citizeness is superb!” croaked the Juryman. - -“She is an Angel!” said The Vengeance, and embraced her. - -“As to thee,” pursued madame, implacably, addressing her husband, “if it -depended on thee--which, happily, it does not--thou wouldst rescue this -man even now.” - -“No!” protested Defarge. “Not if to lift this glass would do it! But I -would leave the matter there. I say, stop there.” - -“See you then, Jacques,” said Madame Defarge, wrathfully; “and see you, -too, my little Vengeance; see you both! Listen! For other crimes as -tyrants and oppressors, I have this race a long time on my register, -doomed to destruction and extermination. Ask my husband, is that so.” - -“It is so,” assented Defarge, without being asked. - -“In the beginning of the great days, when the Bastille falls, he finds -this paper of to-day, and he brings it home, and in the middle of the -night when this place is clear and shut, we read it, here on this spot, -by the light of this lamp. Ask him, is that so.” - -“It is so,” assented Defarge. - -“That night, I tell him, when the paper is read through, and the lamp is -burnt out, and the day is gleaming in above those shutters and between -those iron bars, that I have now a secret to communicate. Ask him, is -that so.” - -“It is so,” assented Defarge again. - -“I communicate to him that secret. I smite this bosom with these two -hands as I smite it now, and I tell him, 'Defarge, I was brought up -among the fishermen of the sea-shore, and that peasant family so injured -by the two Evremonde brothers, as that Bastille paper describes, is my -family. Defarge, that sister of the mortally wounded boy upon the ground -was my sister, that husband was my sister's husband, that unborn child -was their child, that brother was my brother, that father was my father, -those dead are my dead, and that summons to answer for those things -descends to me!' Ask him, is that so.” - -“It is so,” assented Defarge once more. - -“Then tell Wind and Fire where to stop,” returned madame; “but don't -tell me.” - -Both her hearers derived a horrible enjoyment from the deadly nature -of her wrath--the listener could feel how white she was, without seeing -her--and both highly commended it. Defarge, a weak minority, interposed -a few words for the memory of the compassionate wife of the Marquis; but -only elicited from his own wife a repetition of her last reply. “Tell -the Wind and the Fire where to stop; not me!” - -Customers entered, and the group was broken up. The English customer -paid for what he had had, perplexedly counted his change, and asked, as -a stranger, to be directed towards the National Palace. Madame Defarge -took him to the door, and put her arm on his, in pointing out the road. -The English customer was not without his reflections then, that it might -be a good deed to seize that arm, lift it, and strike under it sharp and -deep. - -But, he went his way, and was soon swallowed up in the shadow of the -prison wall. At the appointed hour, he emerged from it to present -himself in Mr. Lorry's room again, where he found the old gentleman -walking to and fro in restless anxiety. He said he had been with Lucie -until just now, and had only left her for a few minutes, to come and -keep his appointment. Her father had not been seen, since he quitted the -banking-house towards four o'clock. She had some faint hopes that his -mediation might save Charles, but they were very slight. He had been -more than five hours gone: where could he be? - -Mr. Lorry waited until ten; but, Doctor Manette not returning, and -he being unwilling to leave Lucie any longer, it was arranged that he -should go back to her, and come to the banking-house again at midnight. -In the meanwhile, Carton would wait alone by the fire for the Doctor. - -He waited and waited, and the clock struck twelve; but Doctor Manette -did not come back. Mr. Lorry returned, and found no tidings of him, and -brought none. Where could he be? - -They were discussing this question, and were almost building up some -weak structure of hope on his prolonged absence, when they heard him on -the stairs. The instant he entered the room, it was plain that all was -lost. - -Whether he had really been to any one, or whether he had been all that -time traversing the streets, was never known. As he stood staring at -them, they asked him no question, for his face told them everything. - -“I cannot find it,” said he, “and I must have it. Where is it?” - -His head and throat were bare, and, as he spoke with a helpless look -straying all around, he took his coat off, and let it drop on the floor. - -“Where is my bench? I have been looking everywhere for my bench, and I -can't find it. What have they done with my work? Time presses: I must -finish those shoes.” - -They looked at one another, and their hearts died within them. - -“Come, come!” said he, in a whimpering miserable way; “let me get to -work. Give me my work.” - -Receiving no answer, he tore his hair, and beat his feet upon the -ground, like a distracted child. - -“Don't torture a poor forlorn wretch,” he implored them, with a dreadful -cry; “but give me my work! What is to become of us, if those shoes are -not done to-night?” - -Lost, utterly lost! - -It was so clearly beyond hope to reason with him, or try to restore him, -that--as if by agreement--they each put a hand upon his shoulder, and -soothed him to sit down before the fire, with a promise that he should -have his work presently. He sank into the chair, and brooded over the -embers, and shed tears. As if all that had happened since the garret -time were a momentary fancy, or a dream, Mr. Lorry saw him shrink into -the exact figure that Defarge had had in keeping. - -Affected, and impressed with terror as they both were, by this spectacle -of ruin, it was not a time to yield to such emotions. His lonely -daughter, bereft of her final hope and reliance, appealed to them both -too strongly. Again, as if by agreement, they looked at one another with -one meaning in their faces. Carton was the first to speak: - -“The last chance is gone: it was not much. Yes; he had better be taken -to her. But, before you go, will you, for a moment, steadily attend to -me? Don't ask me why I make the stipulations I am going to make, and -exact the promise I am going to exact; I have a reason--a good one.” - -“I do not doubt it,” answered Mr. Lorry. “Say on.” - -The figure in the chair between them, was all the time monotonously -rocking itself to and fro, and moaning. They spoke in such a tone as -they would have used if they had been watching by a sick-bed in the -night. - -Carton stooped to pick up the coat, which lay almost entangling his -feet. As he did so, a small case in which the Doctor was accustomed to -carry the lists of his day's duties, fell lightly on the floor. Carton -took it up, and there was a folded paper in it. “We should look -at this!” he said. Mr. Lorry nodded his consent. He opened it, and -exclaimed, “Thank _God!_” - -“What is it?” asked Mr. Lorry, eagerly. - -“A moment! Let me speak of it in its place. First,” he put his hand in -his coat, and took another paper from it, “that is the certificate which -enables me to pass out of this city. Look at it. You see--Sydney Carton, -an Englishman?” - -Mr. Lorry held it open in his hand, gazing in his earnest face. - -“Keep it for me until to-morrow. I shall see him to-morrow, you -remember, and I had better not take it into the prison.” - -“Why not?” - -“I don't know; I prefer not to do so. Now, take this paper that Doctor -Manette has carried about him. It is a similar certificate, enabling him -and his daughter and her child, at any time, to pass the barrier and the -frontier! You see?” - -“Yes!” - -“Perhaps he obtained it as his last and utmost precaution against evil, -yesterday. When is it dated? But no matter; don't stay to look; put it -up carefully with mine and your own. Now, observe! I never doubted until -within this hour or two, that he had, or could have such a paper. It is -good, until recalled. But it may be soon recalled, and, I have reason to -think, will be.” - -“They are not in danger?” - -“They are in great danger. They are in danger of denunciation by Madame -Defarge. I know it from her own lips. I have overheard words of that -woman's, to-night, which have presented their danger to me in strong -colours. I have lost no time, and since then, I have seen the spy. He -confirms me. He knows that a wood-sawyer, living by the prison wall, -is under the control of the Defarges, and has been rehearsed by -Madame Defarge as to his having seen Her”--he never mentioned Lucie's -name--“making signs and signals to prisoners. It is easy to foresee that -the pretence will be the common one, a prison plot, and that it will -involve her life--and perhaps her child's--and perhaps her father's--for -both have been seen with her at that place. Don't look so horrified. You -will save them all.” - -“Heaven grant I may, Carton! But how?” - -“I am going to tell you how. It will depend on you, and it could depend -on no better man. This new denunciation will certainly not take place -until after to-morrow; probably not until two or three days afterwards; -more probably a week afterwards. You know it is a capital crime, to -mourn for, or sympathise with, a victim of the Guillotine. She and her -father would unquestionably be guilty of this crime, and this woman (the -inveteracy of whose pursuit cannot be described) would wait to add that -strength to her case, and make herself doubly sure. You follow me?” - -“So attentively, and with so much confidence in what you say, that for -the moment I lose sight,” touching the back of the Doctor's chair, “even -of this distress.” - -“You have money, and can buy the means of travelling to the seacoast -as quickly as the journey can be made. Your preparations have been -completed for some days, to return to England. Early to-morrow have your -horses ready, so that they may be in starting trim at two o'clock in the -afternoon.” - -“It shall be done!” - -His manner was so fervent and inspiring, that Mr. Lorry caught the -flame, and was as quick as youth. - -“You are a noble heart. Did I say we could depend upon no better man? -Tell her, to-night, what you know of her danger as involving her child -and her father. Dwell upon that, for she would lay her own fair head -beside her husband's cheerfully.” He faltered for an instant; then went -on as before. “For the sake of her child and her father, press upon her -the necessity of leaving Paris, with them and you, at that hour. Tell -her that it was her husband's last arrangement. Tell her that more -depends upon it than she dare believe, or hope. You think that her -father, even in this sad state, will submit himself to her; do you not?” - -“I am sure of it.” - -“I thought so. Quietly and steadily have all these arrangements made in -the courtyard here, even to the taking of your own seat in the carriage. -The moment I come to you, take me in, and drive away.” - -“I understand that I wait for you under all circumstances?” - -“You have my certificate in your hand with the rest, you know, and will -reserve my place. Wait for nothing but to have my place occupied, and -then for England!” - -“Why, then,” said Mr. Lorry, grasping his eager but so firm and steady -hand, “it does not all depend on one old man, but I shall have a young -and ardent man at my side.” - -“By the help of Heaven you shall! Promise me solemnly that nothing will -influence you to alter the course on which we now stand pledged to one -another.” - -“Nothing, Carton.” - -“Remember these words to-morrow: change the course, or delay in it--for -any reason--and no life can possibly be saved, and many lives must -inevitably be sacrificed.” - -“I will remember them. I hope to do my part faithfully.” - -“And I hope to do mine. Now, good bye!” - -Though he said it with a grave smile of earnestness, and though he even -put the old man's hand to his lips, he did not part from him then. He -helped him so far to arouse the rocking figure before the dying embers, -as to get a cloak and hat put upon it, and to tempt it forth to find -where the bench and work were hidden that it still moaningly besought -to have. He walked on the other side of it and protected it to the -courtyard of the house where the afflicted heart--so happy in -the memorable time when he had revealed his own desolate heart to -it--outwatched the awful night. He entered the courtyard and remained -there for a few moments alone, looking up at the light in the window of -her room. Before he went away, he breathed a blessing towards it, and a -Farewell. - - - - -XIII. Fifty-two - - -In the black prison of the Conciergerie, the doomed of the day awaited -their fate. They were in number as the weeks of the year. Fifty-two were -to roll that afternoon on the life-tide of the city to the boundless -everlasting sea. Before their cells were quit of them, new occupants -were appointed; before their blood ran into the blood spilled yesterday, -the blood that was to mingle with theirs to-morrow was already set -apart. - -Two score and twelve were told off. From the farmer-general of seventy, -whose riches could not buy his life, to the seamstress of twenty, whose -poverty and obscurity could not save her. Physical diseases, engendered -in the vices and neglects of men, will seize on victims of all degrees; -and the frightful moral disorder, born of unspeakable suffering, -intolerable oppression, and heartless indifference, smote equally -without distinction. - -Charles Darnay, alone in a cell, had sustained himself with no -flattering delusion since he came to it from the Tribunal. In every line -of the narrative he had heard, he had heard his condemnation. He had -fully comprehended that no personal influence could possibly save him, -that he was virtually sentenced by the millions, and that units could -avail him nothing. - -Nevertheless, it was not easy, with the face of his beloved wife fresh -before him, to compose his mind to what it must bear. His hold on life -was strong, and it was very, very hard, to loosen; by gradual efforts -and degrees unclosed a little here, it clenched the tighter there; and -when he brought his strength to bear on that hand and it yielded, -this was closed again. There was a hurry, too, in all his thoughts, -a turbulent and heated working of his heart, that contended against -resignation. If, for a moment, he did feel resigned, then his wife and -child who had to live after him, seemed to protest and to make it a -selfish thing. - -But, all this was at first. Before long, the consideration that there -was no disgrace in the fate he must meet, and that numbers went the same -road wrongfully, and trod it firmly every day, sprang up to stimulate -him. Next followed the thought that much of the future peace of mind -enjoyable by the dear ones, depended on his quiet fortitude. So, -by degrees he calmed into the better state, when he could raise his -thoughts much higher, and draw comfort down. - -Before it had set in dark on the night of his condemnation, he had -travelled thus far on his last way. Being allowed to purchase the means -of writing, and a light, he sat down to write until such time as the -prison lamps should be extinguished. - -He wrote a long letter to Lucie, showing her that he had known nothing -of her father's imprisonment, until he had heard of it from herself, -and that he had been as ignorant as she of his father's and uncle's -responsibility for that misery, until the paper had been read. He had -already explained to her that his concealment from herself of the name -he had relinquished, was the one condition--fully intelligible now--that -her father had attached to their betrothal, and was the one promise he -had still exacted on the morning of their marriage. He entreated her, -for her father's sake, never to seek to know whether her father had -become oblivious of the existence of the paper, or had had it recalled -to him (for the moment, or for good), by the story of the Tower, on -that old Sunday under the dear old plane-tree in the garden. If he had -preserved any definite remembrance of it, there could be no doubt that -he had supposed it destroyed with the Bastille, when he had found no -mention of it among the relics of prisoners which the populace had -discovered there, and which had been described to all the world. He -besought her--though he added that he knew it was needless--to console -her father, by impressing him through every tender means she could think -of, with the truth that he had done nothing for which he could justly -reproach himself, but had uniformly forgotten himself for their joint -sakes. Next to her preservation of his own last grateful love and -blessing, and her overcoming of her sorrow, to devote herself to their -dear child, he adjured her, as they would meet in Heaven, to comfort her -father. - -To her father himself, he wrote in the same strain; but, he told her -father that he expressly confided his wife and child to his care. And -he told him this, very strongly, with the hope of rousing him from any -despondency or dangerous retrospect towards which he foresaw he might be -tending. - -To Mr. Lorry, he commended them all, and explained his worldly affairs. -That done, with many added sentences of grateful friendship and warm -attachment, all was done. He never thought of Carton. His mind was so -full of the others, that he never once thought of him. - -He had time to finish these letters before the lights were put out. When -he lay down on his straw bed, he thought he had done with this world. - -But, it beckoned him back in his sleep, and showed itself in shining -forms. Free and happy, back in the old house in Soho (though it had -nothing in it like the real house), unaccountably released and light of -heart, he was with Lucie again, and she told him it was all a dream, and -he had never gone away. A pause of forgetfulness, and then he had even -suffered, and had come back to her, dead and at peace, and yet there -was no difference in him. Another pause of oblivion, and he awoke in the -sombre morning, unconscious where he was or what had happened, until it -flashed upon his mind, “this is the day of my death!” - -Thus, had he come through the hours, to the day when the fifty-two heads -were to fall. And now, while he was composed, and hoped that he could -meet the end with quiet heroism, a new action began in his waking -thoughts, which was very difficult to master. - -He had never seen the instrument that was to terminate his life. How -high it was from the ground, how many steps it had, where he would be -stood, how he would be touched, whether the touching hands would be dyed -red, which way his face would be turned, whether he would be the first, -or might be the last: these and many similar questions, in nowise -directed by his will, obtruded themselves over and over again, countless -times. Neither were they connected with fear: he was conscious of no -fear. Rather, they originated in a strange besetting desire to know what -to do when the time came; a desire gigantically disproportionate to the -few swift moments to which it referred; a wondering that was more like -the wondering of some other spirit within his, than his own. - -The hours went on as he walked to and fro, and the clocks struck the -numbers he would never hear again. Nine gone for ever, ten gone for -ever, eleven gone for ever, twelve coming on to pass away. After a hard -contest with that eccentric action of thought which had last perplexed -him, he had got the better of it. He walked up and down, softly -repeating their names to himself. The worst of the strife was over. -He could walk up and down, free from distracting fancies, praying for -himself and for them. - -Twelve gone for ever. - -He had been apprised that the final hour was Three, and he knew he would -be summoned some time earlier, inasmuch as the tumbrils jolted heavily -and slowly through the streets. Therefore, he resolved to keep Two -before his mind, as the hour, and so to strengthen himself in the -interval that he might be able, after that time, to strengthen others. - -Walking regularly to and fro with his arms folded on his breast, a very -different man from the prisoner, who had walked to and fro at La Force, -he heard One struck away from him, without surprise. The hour had -measured like most other hours. Devoutly thankful to Heaven for his -recovered self-possession, he thought, “There is but another now,” and -turned to walk again. - -Footsteps in the stone passage outside the door. He stopped. - -The key was put in the lock, and turned. Before the door was opened, or -as it opened, a man said in a low voice, in English: “He has never seen -me here; I have kept out of his way. Go you in alone; I wait near. Lose -no time!” - -The door was quickly opened and closed, and there stood before him -face to face, quiet, intent upon him, with the light of a smile on his -features, and a cautionary finger on his lip, Sydney Carton. - -There was something so bright and remarkable in his look, that, for the -first moment, the prisoner misdoubted him to be an apparition of his own -imagining. But, he spoke, and it was his voice; he took the prisoner's -hand, and it was his real grasp. - -“Of all the people upon earth, you least expected to see me?” he said. - -“I could not believe it to be you. I can scarcely believe it now. You -are not”--the apprehension came suddenly into his mind--“a prisoner?” - -“No. I am accidentally possessed of a power over one of the keepers -here, and in virtue of it I stand before you. I come from her--your -wife, dear Darnay.” - -The prisoner wrung his hand. - -“I bring you a request from her.” - -“What is it?” - -“A most earnest, pressing, and emphatic entreaty, addressed to you -in the most pathetic tones of the voice so dear to you, that you well -remember.” - -The prisoner turned his face partly aside. - -“You have no time to ask me why I bring it, or what it means; I have -no time to tell you. You must comply with it--take off those boots you -wear, and draw on these of mine.” - -There was a chair against the wall of the cell, behind the prisoner. -Carton, pressing forward, had already, with the speed of lightning, got -him down into it, and stood over him, barefoot. - -“Draw on these boots of mine. Put your hands to them; put your will to -them. Quick!” - -“Carton, there is no escaping from this place; it never can be done. You -will only die with me. It is madness.” - -“It would be madness if I asked you to escape; but do I? When I ask you -to pass out at that door, tell me it is madness and remain here. Change -that cravat for this of mine, that coat for this of mine. While you do -it, let me take this ribbon from your hair, and shake out your hair like -this of mine!” - -With wonderful quickness, and with a strength both of will and action, -that appeared quite supernatural, he forced all these changes upon him. -The prisoner was like a young child in his hands. - -“Carton! Dear Carton! It is madness. It cannot be accomplished, it never -can be done, it has been attempted, and has always failed. I implore you -not to add your death to the bitterness of mine.” - -“Do I ask you, my dear Darnay, to pass the door? When I ask that, -refuse. There are pen and ink and paper on this table. Is your hand -steady enough to write?” - -“It was when you came in.” - -“Steady it again, and write what I shall dictate. Quick, friend, quick!” - -Pressing his hand to his bewildered head, Darnay sat down at the table. -Carton, with his right hand in his breast, stood close beside him. - -“Write exactly as I speak.” - -“To whom do I address it?” - -“To no one.” Carton still had his hand in his breast. - -“Do I date it?” - -“No.” - -The prisoner looked up, at each question. Carton, standing over him with -his hand in his breast, looked down. - -“'If you remember,'” said Carton, dictating, “'the words that passed -between us, long ago, you will readily comprehend this when you see it. -You do remember them, I know. It is not in your nature to forget them.'” - -He was drawing his hand from his breast; the prisoner chancing to look -up in his hurried wonder as he wrote, the hand stopped, closing upon -something. - -“Have you written 'forget them'?” Carton asked. - -“I have. Is that a weapon in your hand?” - -“No; I am not armed.” - -“What is it in your hand?” - -“You shall know directly. Write on; there are but a few words more.” He -dictated again. “'I am thankful that the time has come, when I can prove -them. That I do so is no subject for regret or grief.'” As he said these -words with his eyes fixed on the writer, his hand slowly and softly -moved down close to the writer's face. - -The pen dropped from Darnay's fingers on the table, and he looked about -him vacantly. - -“What vapour is that?” he asked. - -“Vapour?” - -“Something that crossed me?” - -“I am conscious of nothing; there can be nothing here. Take up the pen -and finish. Hurry, hurry!” - -As if his memory were impaired, or his faculties disordered, the -prisoner made an effort to rally his attention. As he looked at Carton -with clouded eyes and with an altered manner of breathing, Carton--his -hand again in his breast--looked steadily at him. - -“Hurry, hurry!” - -The prisoner bent over the paper, once more. - -“'If it had been otherwise;'” Carton's hand was again watchfully and -softly stealing down; “'I never should have used the longer opportunity. -If it had been otherwise;'” the hand was at the prisoner's face; “'I -should but have had so much the more to answer for. If it had been -otherwise--'” Carton looked at the pen and saw it was trailing off into -unintelligible signs. - -Carton's hand moved back to his breast no more. The prisoner sprang up -with a reproachful look, but Carton's hand was close and firm at his -nostrils, and Carton's left arm caught him round the waist. For a few -seconds he faintly struggled with the man who had come to lay down his -life for him; but, within a minute or so, he was stretched insensible on -the ground. - -Quickly, but with hands as true to the purpose as his heart was, Carton -dressed himself in the clothes the prisoner had laid aside, combed back -his hair, and tied it with the ribbon the prisoner had worn. Then, he -softly called, “Enter there! Come in!” and the Spy presented himself. - -“You see?” said Carton, looking up, as he kneeled on one knee beside the -insensible figure, putting the paper in the breast: “is your hazard very -great?” - -“Mr. Carton,” the Spy answered, with a timid snap of his fingers, “my -hazard is not _that_, in the thick of business here, if you are true to -the whole of your bargain.” - -“Don't fear me. I will be true to the death.” - -“You must be, Mr. Carton, if the tale of fifty-two is to be right. Being -made right by you in that dress, I shall have no fear.” - -“Have no fear! I shall soon be out of the way of harming you, and the -rest will soon be far from here, please God! Now, get assistance and -take me to the coach.” - -“You?” said the Spy nervously. - -“Him, man, with whom I have exchanged. You go out at the gate by which -you brought me in?” - -“Of course.” - -“I was weak and faint when you brought me in, and I am fainter now you -take me out. The parting interview has overpowered me. Such a thing has -happened here, often, and too often. Your life is in your own hands. -Quick! Call assistance!” - -“You swear not to betray me?” said the trembling Spy, as he paused for a -last moment. - -“Man, man!” returned Carton, stamping his foot; “have I sworn by no -solemn vow already, to go through with this, that you waste the precious -moments now? Take him yourself to the courtyard you know of, place -him yourself in the carriage, show him yourself to Mr. Lorry, tell him -yourself to give him no restorative but air, and to remember my words of -last night, and his promise of last night, and drive away!” - -The Spy withdrew, and Carton seated himself at the table, resting his -forehead on his hands. The Spy returned immediately, with two men. - -“How, then?” said one of them, contemplating the fallen figure. “So -afflicted to find that his friend has drawn a prize in the lottery of -Sainte Guillotine?” - -“A good patriot,” said the other, “could hardly have been more afflicted -if the Aristocrat had drawn a blank.” - -They raised the unconscious figure, placed it on a litter they had -brought to the door, and bent to carry it away. - -“The time is short, Evremonde,” said the Spy, in a warning voice. - -“I know it well,” answered Carton. “Be careful of my friend, I entreat -you, and leave me.” - -“Come, then, my children,” said Barsad. “Lift him, and come away!” - -The door closed, and Carton was left alone. Straining his powers of -listening to the utmost, he listened for any sound that might denote -suspicion or alarm. There was none. Keys turned, doors clashed, -footsteps passed along distant passages: no cry was raised, or hurry -made, that seemed unusual. Breathing more freely in a little while, he -sat down at the table, and listened again until the clock struck Two. - -Sounds that he was not afraid of, for he divined their meaning, then -began to be audible. Several doors were opened in succession, and -finally his own. A gaoler, with a list in his hand, looked in, merely -saying, “Follow me, Evremonde!” and he followed into a large dark room, -at a distance. It was a dark winter day, and what with the shadows -within, and what with the shadows without, he could but dimly discern -the others who were brought there to have their arms bound. Some were -standing; some seated. Some were lamenting, and in restless motion; -but, these were few. The great majority were silent and still, looking -fixedly at the ground. - -As he stood by the wall in a dim corner, while some of the fifty-two -were brought in after him, one man stopped in passing, to embrace him, -as having a knowledge of him. It thrilled him with a great dread of -discovery; but the man went on. A very few moments after that, a young -woman, with a slight girlish form, a sweet spare face in which there was -no vestige of colour, and large widely opened patient eyes, rose from -the seat where he had observed her sitting, and came to speak to him. - -“Citizen Evremonde,” she said, touching him with her cold hand. “I am a -poor little seamstress, who was with you in La Force.” - -He murmured for answer: “True. I forget what you were accused of?” - -“Plots. Though the just Heaven knows that I am innocent of any. Is it -likely? Who would think of plotting with a poor little weak creature -like me?” - -The forlorn smile with which she said it, so touched him, that tears -started from his eyes. - -“I am not afraid to die, Citizen Evremonde, but I have done nothing. I -am not unwilling to die, if the Republic which is to do so much good -to us poor, will profit by my death; but I do not know how that can be, -Citizen Evremonde. Such a poor weak little creature!” - -As the last thing on earth that his heart was to warm and soften to, it -warmed and softened to this pitiable girl. - -“I heard you were released, Citizen Evremonde. I hoped it was true?” - -“It was. But, I was again taken and condemned.” - -“If I may ride with you, Citizen Evremonde, will you let me hold your -hand? I am not afraid, but I am little and weak, and it will give me -more courage.” - -As the patient eyes were lifted to his face, he saw a sudden doubt in -them, and then astonishment. He pressed the work-worn, hunger-worn young -fingers, and touched his lips. - -“Are you dying for him?” she whispered. - -“And his wife and child. Hush! Yes.” - -“O you will let me hold your brave hand, stranger?” - -“Hush! Yes, my poor sister; to the last.” - - ***** - -The same shadows that are falling on the prison, are falling, in that -same hour of the early afternoon, on the Barrier with the crowd about -it, when a coach going out of Paris drives up to be examined. - -“Who goes here? Whom have we within? Papers!” - -The papers are handed out, and read. - -“Alexandre Manette. Physician. French. Which is he?” - -This is he; this helpless, inarticulately murmuring, wandering old man -pointed out. - -“Apparently the Citizen-Doctor is not in his right mind? The -Revolution-fever will have been too much for him?” - -Greatly too much for him. - -“Hah! Many suffer with it. Lucie. His daughter. French. Which is she?” - -This is she. - -“Apparently it must be. Lucie, the wife of Evremonde; is it not?” - -It is. - -“Hah! Evremonde has an assignation elsewhere. Lucie, her child. English. -This is she?” - -She and no other. - -“Kiss me, child of Evremonde. Now, thou hast kissed a good Republican; -something new in thy family; remember it! Sydney Carton. Advocate. -English. Which is he?” - -He lies here, in this corner of the carriage. He, too, is pointed out. - -“Apparently the English advocate is in a swoon?” - -It is hoped he will recover in the fresher air. It is represented that -he is not in strong health, and has separated sadly from a friend who is -under the displeasure of the Republic. - -“Is that all? It is not a great deal, that! Many are under the -displeasure of the Republic, and must look out at the little window. -Jarvis Lorry. Banker. English. Which is he?” - -“I am he. Necessarily, being the last.” - -It is Jarvis Lorry who has replied to all the previous questions. It -is Jarvis Lorry who has alighted and stands with his hand on the coach -door, replying to a group of officials. They leisurely walk round the -carriage and leisurely mount the box, to look at what little luggage it -carries on the roof; the country-people hanging about, press nearer to -the coach doors and greedily stare in; a little child, carried by its -mother, has its short arm held out for it, that it may touch the wife of -an aristocrat who has gone to the Guillotine. - -“Behold your papers, Jarvis Lorry, countersigned.” - -“One can depart, citizen?” - -“One can depart. Forward, my postilions! A good journey!” - -“I salute you, citizens.--And the first danger passed!” - -These are again the words of Jarvis Lorry, as he clasps his hands, and -looks upward. There is terror in the carriage, there is weeping, there -is the heavy breathing of the insensible traveller. - -“Are we not going too slowly? Can they not be induced to go faster?” - asks Lucie, clinging to the old man. - -“It would seem like flight, my darling. I must not urge them too much; -it would rouse suspicion.” - -“Look back, look back, and see if we are pursued!” - -“The road is clear, my dearest. So far, we are not pursued.” - -Houses in twos and threes pass by us, solitary farms, ruinous buildings, -dye-works, tanneries, and the like, open country, avenues of leafless -trees. The hard uneven pavement is under us, the soft deep mud is on -either side. Sometimes, we strike into the skirting mud, to avoid the -stones that clatter us and shake us; sometimes, we stick in ruts and -sloughs there. The agony of our impatience is then so great, that in our -wild alarm and hurry we are for getting out and running--hiding--doing -anything but stopping. - -Out of the open country, in again among ruinous buildings, solitary -farms, dye-works, tanneries, and the like, cottages in twos and threes, -avenues of leafless trees. Have these men deceived us, and taken us back -by another road? Is not this the same place twice over? Thank Heaven, -no. A village. Look back, look back, and see if we are pursued! Hush! -the posting-house. - -Leisurely, our four horses are taken out; leisurely, the coach stands in -the little street, bereft of horses, and with no likelihood upon it -of ever moving again; leisurely, the new horses come into visible -existence, one by one; leisurely, the new postilions follow, sucking and -plaiting the lashes of their whips; leisurely, the old postilions count -their money, make wrong additions, and arrive at dissatisfied results. -All the time, our overfraught hearts are beating at a rate that would -far outstrip the fastest gallop of the fastest horses ever foaled. - -At length the new postilions are in their saddles, and the old are left -behind. We are through the village, up the hill, and down the hill, and -on the low watery grounds. Suddenly, the postilions exchange speech with -animated gesticulation, and the horses are pulled up, almost on their -haunches. We are pursued? - -“Ho! Within the carriage there. Speak then!” - -“What is it?” asks Mr. Lorry, looking out at window. - -“How many did they say?” - -“I do not understand you.” - -“--At the last post. How many to the Guillotine to-day?” - -“Fifty-two.” - -“I said so! A brave number! My fellow-citizen here would have it -forty-two; ten more heads are worth having. The Guillotine goes -handsomely. I love it. Hi forward. Whoop!” - -The night comes on dark. He moves more; he is beginning to revive, and -to speak intelligibly; he thinks they are still together; he asks him, -by his name, what he has in his hand. O pity us, kind Heaven, and help -us! Look out, look out, and see if we are pursued. - -The wind is rushing after us, and the clouds are flying after us, and -the moon is plunging after us, and the whole wild night is in pursuit of -us; but, so far, we are pursued by nothing else. - - - - -XIV. The Knitting Done - - -In that same juncture of time when the Fifty-Two awaited their fate -Madame Defarge held darkly ominous council with The Vengeance and -Jacques Three of the Revolutionary Jury. Not in the wine-shop did Madame -Defarge confer with these ministers, but in the shed of the wood-sawyer, -erst a mender of roads. The sawyer himself did not participate in the -conference, but abided at a little distance, like an outer satellite who -was not to speak until required, or to offer an opinion until invited. - -“But our Defarge,” said Jacques Three, “is undoubtedly a good -Republican? Eh?” - -“There is no better,” the voluble Vengeance protested in her shrill -notes, “in France.” - -“Peace, little Vengeance,” said Madame Defarge, laying her hand with -a slight frown on her lieutenant's lips, “hear me speak. My husband, -fellow-citizen, is a good Republican and a bold man; he has deserved -well of the Republic, and possesses its confidence. But my husband has -his weaknesses, and he is so weak as to relent towards this Doctor.” - -“It is a great pity,” croaked Jacques Three, dubiously shaking his head, -with his cruel fingers at his hungry mouth; “it is not quite like a good -citizen; it is a thing to regret.” - -“See you,” said madame, “I care nothing for this Doctor, I. He may wear -his head or lose it, for any interest I have in him; it is all one to -me. But, the Evremonde people are to be exterminated, and the wife and -child must follow the husband and father.” - -“She has a fine head for it,” croaked Jacques Three. “I have seen blue -eyes and golden hair there, and they looked charming when Samson held -them up.” Ogre that he was, he spoke like an epicure. - -Madame Defarge cast down her eyes, and reflected a little. - -“The child also,” observed Jacques Three, with a meditative enjoyment -of his words, “has golden hair and blue eyes. And we seldom have a child -there. It is a pretty sight!” - -“In a word,” said Madame Defarge, coming out of her short abstraction, -“I cannot trust my husband in this matter. Not only do I feel, since -last night, that I dare not confide to him the details of my projects; -but also I feel that if I delay, there is danger of his giving warning, -and then they might escape.” - -“That must never be,” croaked Jacques Three; “no one must escape. We -have not half enough as it is. We ought to have six score a day.” - -“In a word,” Madame Defarge went on, “my husband has not my reason for -pursuing this family to annihilation, and I have not his reason for -regarding this Doctor with any sensibility. I must act for myself, -therefore. Come hither, little citizen.” - -The wood-sawyer, who held her in the respect, and himself in the -submission, of mortal fear, advanced with his hand to his red cap. - -“Touching those signals, little citizen,” said Madame Defarge, sternly, -“that she made to the prisoners; you are ready to bear witness to them -this very day?” - -“Ay, ay, why not!” cried the sawyer. “Every day, in all weathers, from -two to four, always signalling, sometimes with the little one, sometimes -without. I know what I know. I have seen with my eyes.” - -He made all manner of gestures while he spoke, as if in incidental -imitation of some few of the great diversity of signals that he had -never seen. - -“Clearly plots,” said Jacques Three. “Transparently!” - -“There is no doubt of the Jury?” inquired Madame Defarge, letting her -eyes turn to him with a gloomy smile. - -“Rely upon the patriotic Jury, dear citizeness. I answer for my -fellow-Jurymen.” - -“Now, let me see,” said Madame Defarge, pondering again. “Yet once more! -Can I spare this Doctor to my husband? I have no feeling either way. Can -I spare him?” - -“He would count as one head,” observed Jacques Three, in a low voice. -“We really have not heads enough; it would be a pity, I think.” - -“He was signalling with her when I saw her,” argued Madame Defarge; “I -cannot speak of one without the other; and I must not be silent, and -trust the case wholly to him, this little citizen here. For, I am not a -bad witness.” - -The Vengeance and Jacques Three vied with each other in their fervent -protestations that she was the most admirable and marvellous of -witnesses. The little citizen, not to be outdone, declared her to be a -celestial witness. - -“He must take his chance,” said Madame Defarge. “No, I cannot spare -him! You are engaged at three o'clock; you are going to see the batch of -to-day executed.--You?” - -The question was addressed to the wood-sawyer, who hurriedly replied in -the affirmative: seizing the occasion to add that he was the most ardent -of Republicans, and that he would be in effect the most desolate of -Republicans, if anything prevented him from enjoying the pleasure of -smoking his afternoon pipe in the contemplation of the droll national -barber. He was so very demonstrative herein, that he might have been -suspected (perhaps was, by the dark eyes that looked contemptuously at -him out of Madame Defarge's head) of having his small individual fears -for his own personal safety, every hour in the day. - -“I,” said madame, “am equally engaged at the same place. After it is -over--say at eight to-night--come you to me, in Saint Antoine, and we -will give information against these people at my Section.” - -The wood-sawyer said he would be proud and flattered to attend the -citizeness. The citizeness looking at him, he became embarrassed, evaded -her glance as a small dog would have done, retreated among his wood, and -hid his confusion over the handle of his saw. - -Madame Defarge beckoned the Juryman and The Vengeance a little nearer to -the door, and there expounded her further views to them thus: - -“She will now be at home, awaiting the moment of his death. She will -be mourning and grieving. She will be in a state of mind to impeach the -justice of the Republic. She will be full of sympathy with its enemies. -I will go to her.” - -“What an admirable woman; what an adorable woman!” exclaimed Jacques -Three, rapturously. “Ah, my cherished!” cried The Vengeance; and -embraced her. - -“Take you my knitting,” said Madame Defarge, placing it in her -lieutenant's hands, “and have it ready for me in my usual seat. Keep -me my usual chair. Go you there, straight, for there will probably be a -greater concourse than usual, to-day.” - -“I willingly obey the orders of my Chief,” said The Vengeance with -alacrity, and kissing her cheek. “You will not be late?” - -“I shall be there before the commencement.” - -“And before the tumbrils arrive. Be sure you are there, my soul,” said -The Vengeance, calling after her, for she had already turned into the -street, “before the tumbrils arrive!” - -Madame Defarge slightly waved her hand, to imply that she heard, and -might be relied upon to arrive in good time, and so went through the -mud, and round the corner of the prison wall. The Vengeance and the -Juryman, looking after her as she walked away, were highly appreciative -of her fine figure, and her superb moral endowments. - -There were many women at that time, upon whom the time laid a dreadfully -disfiguring hand; but, there was not one among them more to be dreaded -than this ruthless woman, now taking her way along the streets. Of a -strong and fearless character, of shrewd sense and readiness, of great -determination, of that kind of beauty which not only seems to impart -to its possessor firmness and animosity, but to strike into others an -instinctive recognition of those qualities; the troubled time would have -heaved her up, under any circumstances. But, imbued from her childhood -with a brooding sense of wrong, and an inveterate hatred of a class, -opportunity had developed her into a tigress. She was absolutely without -pity. If she had ever had the virtue in her, it had quite gone out of -her. - -It was nothing to her, that an innocent man was to die for the sins of -his forefathers; she saw, not him, but them. It was nothing to her, that -his wife was to be made a widow and his daughter an orphan; that was -insufficient punishment, because they were her natural enemies and -her prey, and as such had no right to live. To appeal to her, was made -hopeless by her having no sense of pity, even for herself. If she had -been laid low in the streets, in any of the many encounters in which -she had been engaged, she would not have pitied herself; nor, if she had -been ordered to the axe to-morrow, would she have gone to it with any -softer feeling than a fierce desire to change places with the man who -sent her there. - -Such a heart Madame Defarge carried under her rough robe. Carelessly -worn, it was a becoming robe enough, in a certain weird way, and her -dark hair looked rich under her coarse red cap. Lying hidden in her -bosom, was a loaded pistol. Lying hidden at her waist, was a sharpened -dagger. Thus accoutred, and walking with the confident tread of such -a character, and with the supple freedom of a woman who had habitually -walked in her girlhood, bare-foot and bare-legged, on the brown -sea-sand, Madame Defarge took her way along the streets. - -Now, when the journey of the travelling coach, at that very moment -waiting for the completion of its load, had been planned out last night, -the difficulty of taking Miss Pross in it had much engaged Mr. Lorry's -attention. It was not merely desirable to avoid overloading the coach, -but it was of the highest importance that the time occupied in examining -it and its passengers, should be reduced to the utmost; since their -escape might depend on the saving of only a few seconds here and there. -Finally, he had proposed, after anxious consideration, that Miss Pross -and Jerry, who were at liberty to leave the city, should leave it at -three o'clock in the lightest-wheeled conveyance known to that period. -Unencumbered with luggage, they would soon overtake the coach, and, -passing it and preceding it on the road, would order its horses in -advance, and greatly facilitate its progress during the precious hours -of the night, when delay was the most to be dreaded. - -Seeing in this arrangement the hope of rendering real service in that -pressing emergency, Miss Pross hailed it with joy. She and Jerry had -beheld the coach start, had known who it was that Solomon brought, had -passed some ten minutes in tortures of suspense, and were now concluding -their arrangements to follow the coach, even as Madame Defarge, -taking her way through the streets, now drew nearer and nearer to the -else-deserted lodging in which they held their consultation. - -“Now what do you think, Mr. Cruncher,” said Miss Pross, whose agitation -was so great that she could hardly speak, or stand, or move, or live: -“what do you think of our not starting from this courtyard? Another -carriage having already gone from here to-day, it might awaken -suspicion.” - -“My opinion, miss,” returned Mr. Cruncher, “is as you're right. Likewise -wot I'll stand by you, right or wrong.” - -“I am so distracted with fear and hope for our precious creatures,” said -Miss Pross, wildly crying, “that I am incapable of forming any plan. Are -_you_ capable of forming any plan, my dear good Mr. Cruncher?” - -“Respectin' a future spear o' life, miss,” returned Mr. Cruncher, “I -hope so. Respectin' any present use o' this here blessed old head o' -mine, I think not. Would you do me the favour, miss, to take notice o' -two promises and wows wot it is my wishes fur to record in this here -crisis?” - -“Oh, for gracious sake!” cried Miss Pross, still wildly crying, “record -them at once, and get them out of the way, like an excellent man.” - -“First,” said Mr. Cruncher, who was all in a tremble, and who spoke with -an ashy and solemn visage, “them poor things well out o' this, never no -more will I do it, never no more!” - -“I am quite sure, Mr. Cruncher,” returned Miss Pross, “that you -never will do it again, whatever it is, and I beg you not to think it -necessary to mention more particularly what it is.” - -“No, miss,” returned Jerry, “it shall not be named to you. Second: them -poor things well out o' this, and never no more will I interfere with -Mrs. Cruncher's flopping, never no more!” - -“Whatever housekeeping arrangement that may be,” said Miss Pross, -striving to dry her eyes and compose herself, “I have no doubt it -is best that Mrs. Cruncher should have it entirely under her own -superintendence.--O my poor darlings!” - -“I go so far as to say, miss, moreover,” proceeded Mr. Cruncher, with a -most alarming tendency to hold forth as from a pulpit--“and let my words -be took down and took to Mrs. Cruncher through yourself--that wot my -opinions respectin' flopping has undergone a change, and that wot I only -hope with all my heart as Mrs. Cruncher may be a flopping at the present -time.” - -“There, there, there! I hope she is, my dear man,” cried the distracted -Miss Pross, “and I hope she finds it answering her expectations.” - -“Forbid it,” proceeded Mr. Cruncher, with additional solemnity, -additional slowness, and additional tendency to hold forth and hold -out, “as anything wot I have ever said or done should be wisited on my -earnest wishes for them poor creeturs now! Forbid it as we shouldn't all -flop (if it was anyways conwenient) to get 'em out o' this here dismal -risk! Forbid it, miss! Wot I say, for-_bid_ it!” This was Mr. Cruncher's -conclusion after a protracted but vain endeavour to find a better one. - -And still Madame Defarge, pursuing her way along the streets, came -nearer and nearer. - -“If we ever get back to our native land,” said Miss Pross, “you may rely -upon my telling Mrs. Cruncher as much as I may be able to remember and -understand of what you have so impressively said; and at all events -you may be sure that I shall bear witness to your being thoroughly in -earnest at this dreadful time. Now, pray let us think! My esteemed Mr. -Cruncher, let us think!” - -Still, Madame Defarge, pursuing her way along the streets, came nearer -and nearer. - -“If you were to go before,” said Miss Pross, “and stop the vehicle and -horses from coming here, and were to wait somewhere for me; wouldn't -that be best?” - -Mr. Cruncher thought it might be best. - -“Where could you wait for me?” asked Miss Pross. - -Mr. Cruncher was so bewildered that he could think of no locality but -Temple Bar. Alas! Temple Bar was hundreds of miles away, and Madame -Defarge was drawing very near indeed. - -“By the cathedral door,” said Miss Pross. “Would it be much out of -the way, to take me in, near the great cathedral door between the two -towers?” - -“No, miss,” answered Mr. Cruncher. - -“Then, like the best of men,” said Miss Pross, “go to the posting-house -straight, and make that change.” - -“I am doubtful,” said Mr. Cruncher, hesitating and shaking his head, -“about leaving of you, you see. We don't know what may happen.” - -“Heaven knows we don't,” returned Miss Pross, “but have no fear for me. -Take me in at the cathedral, at Three o'Clock, or as near it as you can, -and I am sure it will be better than our going from here. I feel certain -of it. There! Bless you, Mr. Cruncher! Think-not of me, but of the lives -that may depend on both of us!” - -This exordium, and Miss Pross's two hands in quite agonised entreaty -clasping his, decided Mr. Cruncher. With an encouraging nod or two, he -immediately went out to alter the arrangements, and left her by herself -to follow as she had proposed. - -The having originated a precaution which was already in course of -execution, was a great relief to Miss Pross. The necessity of composing -her appearance so that it should attract no special notice in the -streets, was another relief. She looked at her watch, and it was twenty -minutes past two. She had no time to lose, but must get ready at once. - -Afraid, in her extreme perturbation, of the loneliness of the deserted -rooms, and of half-imagined faces peeping from behind every open door -in them, Miss Pross got a basin of cold water and began laving her eyes, -which were swollen and red. Haunted by her feverish apprehensions, she -could not bear to have her sight obscured for a minute at a time by the -dripping water, but constantly paused and looked round to see that there -was no one watching her. In one of those pauses she recoiled and cried -out, for she saw a figure standing in the room. - -The basin fell to the ground broken, and the water flowed to the feet of -Madame Defarge. By strange stern ways, and through much staining blood, -those feet had come to meet that water. - -Madame Defarge looked coldly at her, and said, “The wife of Evremonde; -where is she?” - -It flashed upon Miss Pross's mind that the doors were all standing open, -and would suggest the flight. Her first act was to shut them. There were -four in the room, and she shut them all. She then placed herself before -the door of the chamber which Lucie had occupied. - -Madame Defarge's dark eyes followed her through this rapid movement, -and rested on her when it was finished. Miss Pross had nothing beautiful -about her; years had not tamed the wildness, or softened the grimness, -of her appearance; but, she too was a determined woman in her different -way, and she measured Madame Defarge with her eyes, every inch. - -“You might, from your appearance, be the wife of Lucifer,” said Miss -Pross, in her breathing. “Nevertheless, you shall not get the better of -me. I am an Englishwoman.” - -Madame Defarge looked at her scornfully, but still with something of -Miss Pross's own perception that they two were at bay. She saw a tight, -hard, wiry woman before her, as Mr. Lorry had seen in the same figure a -woman with a strong hand, in the years gone by. She knew full well that -Miss Pross was the family's devoted friend; Miss Pross knew full well -that Madame Defarge was the family's malevolent enemy. - -“On my way yonder,” said Madame Defarge, with a slight movement of -her hand towards the fatal spot, “where they reserve my chair and my -knitting for me, I am come to make my compliments to her in passing. I -wish to see her.” - -“I know that your intentions are evil,” said Miss Pross, “and you may -depend upon it, I'll hold my own against them.” - -Each spoke in her own language; neither understood the other's words; -both were very watchful, and intent to deduce from look and manner, what -the unintelligible words meant. - -“It will do her no good to keep herself concealed from me at this -moment,” said Madame Defarge. “Good patriots will know what that means. -Let me see her. Go tell her that I wish to see her. Do you hear?” - -“If those eyes of yours were bed-winches,” returned Miss Pross, “and I -was an English four-poster, they shouldn't loose a splinter of me. No, -you wicked foreign woman; I am your match.” - -Madame Defarge was not likely to follow these idiomatic remarks in -detail; but, she so far understood them as to perceive that she was set -at naught. - -“Woman imbecile and pig-like!” said Madame Defarge, frowning. “I take no -answer from you. I demand to see her. Either tell her that I demand -to see her, or stand out of the way of the door and let me go to her!” - This, with an angry explanatory wave of her right arm. - -“I little thought,” said Miss Pross, “that I should ever want to -understand your nonsensical language; but I would give all I have, -except the clothes I wear, to know whether you suspect the truth, or any -part of it.” - -Neither of them for a single moment released the other's eyes. Madame -Defarge had not moved from the spot where she stood when Miss Pross -first became aware of her; but, she now advanced one step. - -“I am a Briton,” said Miss Pross, “I am desperate. I don't care an -English Twopence for myself. I know that the longer I keep you here, the -greater hope there is for my Ladybird. I'll not leave a handful of that -dark hair upon your head, if you lay a finger on me!” - -Thus Miss Pross, with a shake of her head and a flash of her eyes -between every rapid sentence, and every rapid sentence a whole breath. -Thus Miss Pross, who had never struck a blow in her life. - -But, her courage was of that emotional nature that it brought the -irrepressible tears into her eyes. This was a courage that Madame -Defarge so little comprehended as to mistake for weakness. “Ha, ha!” she -laughed, “you poor wretch! What are you worth! I address myself to that -Doctor.” Then she raised her voice and called out, “Citizen Doctor! Wife -of Evremonde! Child of Evremonde! Any person but this miserable fool, -answer the Citizeness Defarge!” - -Perhaps the following silence, perhaps some latent disclosure in the -expression of Miss Pross's face, perhaps a sudden misgiving apart from -either suggestion, whispered to Madame Defarge that they were gone. -Three of the doors she opened swiftly, and looked in. - -“Those rooms are all in disorder, there has been hurried packing, there -are odds and ends upon the ground. There is no one in that room behind -you! Let me look.” - -“Never!” said Miss Pross, who understood the request as perfectly as -Madame Defarge understood the answer. - -“If they are not in that room, they are gone, and can be pursued and -brought back,” said Madame Defarge to herself. - -“As long as you don't know whether they are in that room or not, you are -uncertain what to do,” said Miss Pross to herself; “and you shall not -know that, if I can prevent your knowing it; and know that, or not know -that, you shall not leave here while I can hold you.” - -“I have been in the streets from the first, nothing has stopped me, -I will tear you to pieces, but I will have you from that door,” said -Madame Defarge. - -“We are alone at the top of a high house in a solitary courtyard, we are -not likely to be heard, and I pray for bodily strength to keep you here, -while every minute you are here is worth a hundred thousand guineas to -my darling,” said Miss Pross. - -Madame Defarge made at the door. Miss Pross, on the instinct of the -moment, seized her round the waist in both her arms, and held her tight. -It was in vain for Madame Defarge to struggle and to strike; Miss Pross, -with the vigorous tenacity of love, always so much stronger than hate, -clasped her tight, and even lifted her from the floor in the struggle -that they had. The two hands of Madame Defarge buffeted and tore her -face; but, Miss Pross, with her head down, held her round the waist, and -clung to her with more than the hold of a drowning woman. - -Soon, Madame Defarge's hands ceased to strike, and felt at her encircled -waist. “It is under my arm,” said Miss Pross, in smothered tones, “you -shall not draw it. I am stronger than you, I bless Heaven for it. I hold -you till one or other of us faints or dies!” - -Madame Defarge's hands were at her bosom. Miss Pross looked up, saw -what it was, struck at it, struck out a flash and a crash, and stood -alone--blinded with smoke. - -All this was in a second. As the smoke cleared, leaving an awful -stillness, it passed out on the air, like the soul of the furious woman -whose body lay lifeless on the ground. - -In the first fright and horror of her situation, Miss Pross passed the -body as far from it as she could, and ran down the stairs to call for -fruitless help. Happily, she bethought herself of the consequences of -what she did, in time to check herself and go back. It was dreadful to -go in at the door again; but, she did go in, and even went near it, to -get the bonnet and other things that she must wear. These she put on, -out on the staircase, first shutting and locking the door and taking -away the key. She then sat down on the stairs a few moments to breathe -and to cry, and then got up and hurried away. - -By good fortune she had a veil on her bonnet, or she could hardly have -gone along the streets without being stopped. By good fortune, too, she -was naturally so peculiar in appearance as not to show disfigurement -like any other woman. She needed both advantages, for the marks of -gripping fingers were deep in her face, and her hair was torn, and her -dress (hastily composed with unsteady hands) was clutched and dragged a -hundred ways. - -In crossing the bridge, she dropped the door key in the river. Arriving -at the cathedral some few minutes before her escort, and waiting there, -she thought, what if the key were already taken in a net, what if -it were identified, what if the door were opened and the remains -discovered, what if she were stopped at the gate, sent to prison, and -charged with murder! In the midst of these fluttering thoughts, the -escort appeared, took her in, and took her away. - -“Is there any noise in the streets?” she asked him. - -“The usual noises,” Mr. Cruncher replied; and looked surprised by the -question and by her aspect. - -“I don't hear you,” said Miss Pross. “What do you say?” - -It was in vain for Mr. Cruncher to repeat what he said; Miss Pross could -not hear him. “So I'll nod my head,” thought Mr. Cruncher, amazed, “at -all events she'll see that.” And she did. - -“Is there any noise in the streets now?” asked Miss Pross again, -presently. - -Again Mr. Cruncher nodded his head. - -“I don't hear it.” - -“Gone deaf in an hour?” said Mr. Cruncher, ruminating, with his mind -much disturbed; “wot's come to her?” - -“I feel,” said Miss Pross, “as if there had been a flash and a crash, -and that crash was the last thing I should ever hear in this life.” - -“Blest if she ain't in a queer condition!” said Mr. Cruncher, more and -more disturbed. “Wot can she have been a takin', to keep her courage up? -Hark! There's the roll of them dreadful carts! You can hear that, miss?” - -“I can hear,” said Miss Pross, seeing that he spoke to her, “nothing. O, -my good man, there was first a great crash, and then a great stillness, -and that stillness seems to be fixed and unchangeable, never to be -broken any more as long as my life lasts.” - -“If she don't hear the roll of those dreadful carts, now very nigh their -journey's end,” said Mr. Cruncher, glancing over his shoulder, “it's my -opinion that indeed she never will hear anything else in this world.” - -And indeed she never did. - - - - -XV. The Footsteps Die Out For Ever - - -Along the Paris streets, the death-carts rumble, hollow and harsh. Six -tumbrils carry the day's wine to La Guillotine. All the devouring and -insatiate Monsters imagined since imagination could record itself, -are fused in the one realisation, Guillotine. And yet there is not in -France, with its rich variety of soil and climate, a blade, a leaf, -a root, a sprig, a peppercorn, which will grow to maturity under -conditions more certain than those that have produced this horror. Crush -humanity out of shape once more, under similar hammers, and it will -twist itself into the same tortured forms. Sow the same seed of -rapacious license and oppression over again, and it will surely yield -the same fruit according to its kind. - -Six tumbrils roll along the streets. Change these back again to what -they were, thou powerful enchanter, Time, and they shall be seen to be -the carriages of absolute monarchs, the equipages of feudal nobles, the -toilettes of flaring Jezebels, the churches that are not my father's -house but dens of thieves, the huts of millions of starving peasants! -No; the great magician who majestically works out the appointed order -of the Creator, never reverses his transformations. “If thou be changed -into this shape by the will of God,” say the seers to the enchanted, in -the wise Arabian stories, “then remain so! But, if thou wear this -form through mere passing conjuration, then resume thy former aspect!” - Changeless and hopeless, the tumbrils roll along. - -As the sombre wheels of the six carts go round, they seem to plough up -a long crooked furrow among the populace in the streets. Ridges of faces -are thrown to this side and to that, and the ploughs go steadily onward. -So used are the regular inhabitants of the houses to the spectacle, that -in many windows there are no people, and in some the occupation of the -hands is not so much as suspended, while the eyes survey the faces in -the tumbrils. Here and there, the inmate has visitors to see the sight; -then he points his finger, with something of the complacency of a -curator or authorised exponent, to this cart and to this, and seems to -tell who sat here yesterday, and who there the day before. - -Of the riders in the tumbrils, some observe these things, and all -things on their last roadside, with an impassive stare; others, with -a lingering interest in the ways of life and men. Some, seated with -drooping heads, are sunk in silent despair; again, there are some so -heedful of their looks that they cast upon the multitude such glances as -they have seen in theatres, and in pictures. Several close their eyes, -and think, or try to get their straying thoughts together. Only one, and -he a miserable creature, of a crazed aspect, is so shattered and made -drunk by horror, that he sings, and tries to dance. Not one of the whole -number appeals by look or gesture, to the pity of the people. - -There is a guard of sundry horsemen riding abreast of the tumbrils, -and faces are often turned up to some of them, and they are asked some -question. It would seem to be always the same question, for, it is -always followed by a press of people towards the third cart. The -horsemen abreast of that cart, frequently point out one man in it with -their swords. The leading curiosity is, to know which is he; he stands -at the back of the tumbril with his head bent down, to converse with a -mere girl who sits on the side of the cart, and holds his hand. He has -no curiosity or care for the scene about him, and always speaks to the -girl. Here and there in the long street of St. Honore, cries are raised -against him. If they move him at all, it is only to a quiet smile, as he -shakes his hair a little more loosely about his face. He cannot easily -touch his face, his arms being bound. - -On the steps of a church, awaiting the coming-up of the tumbrils, stands -the Spy and prison-sheep. He looks into the first of them: not there. -He looks into the second: not there. He already asks himself, “Has he -sacrificed me?” when his face clears, as he looks into the third. - -“Which is Evremonde?” says a man behind him. - -“That. At the back there.” - -“With his hand in the girl's?” - -“Yes.” - -The man cries, “Down, Evremonde! To the Guillotine all aristocrats! -Down, Evremonde!” - -“Hush, hush!” the Spy entreats him, timidly. - -“And why not, citizen?” - -“He is going to pay the forfeit: it will be paid in five minutes more. -Let him be at peace.” - -But the man continuing to exclaim, “Down, Evremonde!” the face of -Evremonde is for a moment turned towards him. Evremonde then sees the -Spy, and looks attentively at him, and goes his way. - -The clocks are on the stroke of three, and the furrow ploughed among the -populace is turning round, to come on into the place of execution, and -end. The ridges thrown to this side and to that, now crumble in and -close behind the last plough as it passes on, for all are following -to the Guillotine. In front of it, seated in chairs, as in a garden of -public diversion, are a number of women, busily knitting. On one of the -fore-most chairs, stands The Vengeance, looking about for her friend. - -“Therese!” she cries, in her shrill tones. “Who has seen her? Therese -Defarge!” - -“She never missed before,” says a knitting-woman of the sisterhood. - -“No; nor will she miss now,” cries The Vengeance, petulantly. “Therese.” - -“Louder,” the woman recommends. - -Ay! Louder, Vengeance, much louder, and still she will scarcely hear -thee. Louder yet, Vengeance, with a little oath or so added, and yet -it will hardly bring her. Send other women up and down to seek her, -lingering somewhere; and yet, although the messengers have done dread -deeds, it is questionable whether of their own wills they will go far -enough to find her! - -“Bad Fortune!” cries The Vengeance, stamping her foot in the chair, “and -here are the tumbrils! And Evremonde will be despatched in a wink, and -she not here! See her knitting in my hand, and her empty chair ready for -her. I cry with vexation and disappointment!” - -As The Vengeance descends from her elevation to do it, the tumbrils -begin to discharge their loads. The ministers of Sainte Guillotine are -robed and ready. Crash!--A head is held up, and the knitting-women who -scarcely lifted their eyes to look at it a moment ago when it could -think and speak, count One. - -The second tumbril empties and moves on; the third comes up. Crash!--And -the knitting-women, never faltering or pausing in their Work, count Two. - -The supposed Evremonde descends, and the seamstress is lifted out next -after him. He has not relinquished her patient hand in getting out, but -still holds it as he promised. He gently places her with her back to the -crashing engine that constantly whirrs up and falls, and she looks into -his face and thanks him. - -“But for you, dear stranger, I should not be so composed, for I am -naturally a poor little thing, faint of heart; nor should I have been -able to raise my thoughts to Him who was put to death, that we might -have hope and comfort here to-day. I think you were sent to me by -Heaven.” - -“Or you to me,” says Sydney Carton. “Keep your eyes upon me, dear child, -and mind no other object.” - -“I mind nothing while I hold your hand. I shall mind nothing when I let -it go, if they are rapid.” - -“They will be rapid. Fear not!” - -The two stand in the fast-thinning throng of victims, but they speak as -if they were alone. Eye to eye, voice to voice, hand to hand, heart to -heart, these two children of the Universal Mother, else so wide apart -and differing, have come together on the dark highway, to repair home -together, and to rest in her bosom. - -“Brave and generous friend, will you let me ask you one last question? I -am very ignorant, and it troubles me--just a little.” - -“Tell me what it is.” - -“I have a cousin, an only relative and an orphan, like myself, whom I -love very dearly. She is five years younger than I, and she lives in a -farmer's house in the south country. Poverty parted us, and she knows -nothing of my fate--for I cannot write--and if I could, how should I -tell her! It is better as it is.” - -“Yes, yes: better as it is.” - -“What I have been thinking as we came along, and what I am still -thinking now, as I look into your kind strong face which gives me so -much support, is this:--If the Republic really does good to the poor, -and they come to be less hungry, and in all ways to suffer less, she may -live a long time: she may even live to be old.” - -“What then, my gentle sister?” - -“Do you think:” the uncomplaining eyes in which there is so much -endurance, fill with tears, and the lips part a little more and tremble: -“that it will seem long to me, while I wait for her in the better land -where I trust both you and I will be mercifully sheltered?” - -“It cannot be, my child; there is no Time there, and no trouble there.” - -“You comfort me so much! I am so ignorant. Am I to kiss you now? Is the -moment come?” - -“Yes.” - -She kisses his lips; he kisses hers; they solemnly bless each other. -The spare hand does not tremble as he releases it; nothing worse than -a sweet, bright constancy is in the patient face. She goes next before -him--is gone; the knitting-women count Twenty-Two. - -“I am the Resurrection and the Life, saith the Lord: he that believeth -in me, though he were dead, yet shall he live: and whosoever liveth and -believeth in me shall never die.” - -The murmuring of many voices, the upturning of many faces, the pressing -on of many footsteps in the outskirts of the crowd, so that it swells -forward in a mass, like one great heave of water, all flashes away. -Twenty-Three. - - ***** - -They said of him, about the city that night, that it was the -peacefullest man's face ever beheld there. Many added that he looked -sublime and prophetic. - -One of the most remarkable sufferers by the same axe--a woman--had asked -at the foot of the same scaffold, not long before, to be allowed to -write down the thoughts that were inspiring her. If he had given any -utterance to his, and they were prophetic, they would have been these: - -“I see Barsad, and Cly, Defarge, The Vengeance, the Juryman, the Judge, -long ranks of the new oppressors who have risen on the destruction of -the old, perishing by this retributive instrument, before it shall cease -out of its present use. I see a beautiful city and a brilliant people -rising from this abyss, and, in their struggles to be truly free, in -their triumphs and defeats, through long years to come, I see the evil -of this time and of the previous time of which this is the natural -birth, gradually making expiation for itself and wearing out. - -“I see the lives for which I lay down my life, peaceful, useful, -prosperous and happy, in that England which I shall see no more. I see -Her with a child upon her bosom, who bears my name. I see her father, -aged and bent, but otherwise restored, and faithful to all men in his -healing office, and at peace. I see the good old man, so long their -friend, in ten years' time enriching them with all he has, and passing -tranquilly to his reward. - -“I see that I hold a sanctuary in their hearts, and in the hearts of -their descendants, generations hence. I see her, an old woman, weeping -for me on the anniversary of this day. I see her and her husband, their -course done, lying side by side in their last earthly bed, and I know -that each was not more honoured and held sacred in the other's soul, -than I was in the souls of both. - -“I see that child who lay upon her bosom and who bore my name, a man -winning his way up in that path of life which once was mine. I see him -winning it so well, that my name is made illustrious there by the -light of his. I see the blots I threw upon it, faded away. I see him, -fore-most of just judges and honoured men, bringing a boy of my name, -with a forehead that I know and golden hair, to this place--then fair to -look upon, with not a trace of this day's disfigurement--and I hear him -tell the child my story, with a tender and a faltering voice. - -“It is a far, far better thing that I do, than I have ever done; it is a -far, far better rest that I go to than I have ever known.” - - - - - - - - - - - -End of the Project Gutenberg EBook of A Tale of Two Cities, by Charles Dickens - -*** END OF THIS PROJECT GUTENBERG EBOOK A TALE OF TWO CITIES *** - -***** This file should be named 98-0.txt or 98-0.zip ***** -This and all associated files of various formats will be found in: - http://www.gutenberg.org/9/98/ - -Produced by Judith Boss - -Updated editions will replace the previous one--the old editions -will be renamed. - -Creating the works from public domain print editions means that no -one owns a United States copyright in these works, so the Foundation -(and you!) can copy and distribute it in the United States without -permission and without paying copyright royalties. Special rules, -set forth in the General Terms of Use part of this license, apply to -copying and distributing Project Gutenberg-tm electronic works to -protect the PROJECT GUTENBERG-tm concept and trademark. Project -Gutenberg is a registered trademark, and may not be used if you -charge for the eBooks, unless you receive specific permission. If you -do not charge anything for copies of this eBook, complying with the -rules is very easy. You may use this eBook for nearly any purpose -such as creation of derivative works, reports, performances and -research. They may be modified and printed and given away--you may do -practically ANYTHING with public domain eBooks. Redistribution is -subject to the trademark license, especially commercial -redistribution. - - - -*** START: FULL LICENSE *** - -THE FULL PROJECT GUTENBERG LICENSE -PLEASE READ THIS BEFORE YOU DISTRIBUTE OR USE THIS WORK - -To protect the Project Gutenberg-tm mission of promoting the free -distribution of electronic works, by using or distributing this work -(or any other work associated in any way with the phrase “Project -Gutenberg”), you agree to comply with all the terms of the Full Project -Gutenberg-tm License (available with this file or online at -http://gutenberg.org/license). - - -Section 1. General Terms of Use and Redistributing Project Gutenberg-tm -electronic works - -1.A. By reading or using any part of this Project Gutenberg-tm -electronic work, you indicate that you have read, understand, agree to -and accept all the terms of this license and intellectual property -(trademark/copyright) agreement. If you do not agree to abide by all -the terms of this agreement, you must cease using and return or destroy -all copies of Project Gutenberg-tm electronic works in your possession. -If you paid a fee for obtaining a copy of or access to a Project -Gutenberg-tm electronic work and you do not agree to be bound by the -terms of this agreement, you may obtain a refund from the person or -entity to whom you paid the fee as set forth in paragraph 1.E.8. - -1.B. “Project Gutenberg” is a registered trademark. It may only be -used on or associated in any way with an electronic work by people who -agree to be bound by the terms of this agreement. There are a few -things that you can do with most Project Gutenberg-tm electronic works -even without complying with the full terms of this agreement. See -paragraph 1.C below. There are a lot of things you can do with Project -Gutenberg-tm electronic works if you follow the terms of this agreement -and help preserve free future access to Project Gutenberg-tm electronic -works. See paragraph 1.E below. - -1.C. The Project Gutenberg Literary Archive Foundation (“the Foundation” - or PGLAF), owns a compilation copyright in the collection of Project -Gutenberg-tm electronic works. Nearly all the individual works in the -collection are in the public domain in the United States. If an -individual work is in the public domain in the United States and you are -located in the United States, we do not claim a right to prevent you from -copying, distributing, performing, displaying or creating derivative -works based on the work as long as all references to Project Gutenberg -are removed. Of course, we hope that you will support the Project -Gutenberg-tm mission of promoting free access to electronic works by -freely sharing Project Gutenberg-tm works in compliance with the terms of -this agreement for keeping the Project Gutenberg-tm name associated with -the work. You can easily comply with the terms of this agreement by -keeping this work in the same format with its attached full Project -Gutenberg-tm License when you share it without charge with others. - -1.D. The copyright laws of the place where you are located also govern -what you can do with this work. Copyright laws in most countries are in -a constant state of change. If you are outside the United States, check -the laws of your country in addition to the terms of this agreement -before downloading, copying, displaying, performing, distributing or -creating derivative works based on this work or any other Project -Gutenberg-tm work. The Foundation makes no representations concerning -the copyright status of any work in any country outside the United -States. - -1.E. Unless you have removed all references to Project Gutenberg: - -1.E.1. The following sentence, with active links to, or other immediate -access to, the full Project Gutenberg-tm License must appear prominently -whenever any copy of a Project Gutenberg-tm work (any work on which the -phrase “Project Gutenberg” appears, or with which the phrase “Project -Gutenberg” is associated) is accessed, displayed, performed, viewed, -copied or distributed: - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - -1.E.2. If an individual Project Gutenberg-tm electronic work is derived -from the public domain (does not contain a notice indicating that it is -posted with permission of the copyright holder), the work can be copied -and distributed to anyone in the United States without paying any fees -or charges. If you are redistributing or providing access to a work -with the phrase “Project Gutenberg” associated with or appearing on the -work, you must comply either with the requirements of paragraphs 1.E.1 -through 1.E.7 or obtain permission for the use of the work and the -Project Gutenberg-tm trademark as set forth in paragraphs 1.E.8 or -1.E.9. - -1.E.3. If an individual Project Gutenberg-tm electronic work is posted -with the permission of the copyright holder, your use and distribution -must comply with both paragraphs 1.E.1 through 1.E.7 and any additional -terms imposed by the copyright holder. Additional terms will be linked -to the Project Gutenberg-tm License for all works posted with the -permission of the copyright holder found at the beginning of this work. - -1.E.4. Do not unlink or detach or remove the full Project Gutenberg-tm -License terms from this work, or any files containing a part of this -work or any other work associated with Project Gutenberg-tm. - -1.E.5. Do not copy, display, perform, distribute or redistribute this -electronic work, or any part of this electronic work, without -prominently displaying the sentence set forth in paragraph 1.E.1 with -active links or immediate access to the full terms of the Project -Gutenberg-tm License. - -1.E.6. You may convert to and distribute this work in any binary, -compressed, marked up, nonproprietary or proprietary form, including any -word processing or hypertext form. However, if you provide access to or -distribute copies of a Project Gutenberg-tm work in a format other than -“Plain Vanilla ASCII” or other format used in the official version -posted on the official Project Gutenberg-tm web site (www.gutenberg.org), -you must, at no additional cost, fee or expense to the user, provide a -copy, a means of exporting a copy, or a means of obtaining a copy upon -request, of the work in its original “Plain Vanilla ASCII” or other -form. Any alternate format must include the full Project Gutenberg-tm -License as specified in paragraph 1.E.1. - -1.E.7. Do not charge a fee for access to, viewing, displaying, -performing, copying or distributing any Project Gutenberg-tm works -unless you comply with paragraph 1.E.8 or 1.E.9. - -1.E.8. You may charge a reasonable fee for copies of or providing -access to or distributing Project Gutenberg-tm electronic works provided -that - -- You pay a royalty fee of 20% of the gross profits you derive from - the use of Project Gutenberg-tm works calculated using the method - you already use to calculate your applicable taxes. The fee is - owed to the owner of the Project Gutenberg-tm trademark, but he - has agreed to donate royalties under this paragraph to the - Project Gutenberg Literary Archive Foundation. Royalty payments - must be paid within 60 days following each date on which you - prepare (or are legally required to prepare) your periodic tax - returns. Royalty payments should be clearly marked as such and - sent to the Project Gutenberg Literary Archive Foundation at the - address specified in Section 4, “Information about donations to - the Project Gutenberg Literary Archive Foundation.” - -- You provide a full refund of any money paid by a user who notifies - you in writing (or by e-mail) within 30 days of receipt that s/he - does not agree to the terms of the full Project Gutenberg-tm - License. You must require such a user to return or - destroy all copies of the works possessed in a physical medium - and discontinue all use of and all access to other copies of - Project Gutenberg-tm works. - -- You provide, in accordance with paragraph 1.F.3, a full refund of any - money paid for a work or a replacement copy, if a defect in the - electronic work is discovered and reported to you within 90 days - of receipt of the work. - -- You comply with all other terms of this agreement for free - distribution of Project Gutenberg-tm works. - -1.E.9. If you wish to charge a fee or distribute a Project Gutenberg-tm -electronic work or group of works on different terms than are set -forth in this agreement, you must obtain permission in writing from -both the Project Gutenberg Literary Archive Foundation and Michael -Hart, the owner of the Project Gutenberg-tm trademark. Contact the -Foundation as set forth in Section 3 below. - -1.F. - -1.F.1. Project Gutenberg volunteers and employees expend considerable -effort to identify, do copyright research on, transcribe and proofread -public domain works in creating the Project Gutenberg-tm -collection. Despite these efforts, Project Gutenberg-tm electronic -works, and the medium on which they may be stored, may contain -“Defects,” such as, but not limited to, incomplete, inaccurate or -corrupt data, transcription errors, a copyright or other intellectual -property infringement, a defective or damaged disk or other medium, a -computer virus, or computer codes that damage or cannot be read by -your equipment. - -1.F.2. LIMITED WARRANTY, DISCLAIMER OF DAMAGES - Except for the “Right -of Replacement or Refund” described in paragraph 1.F.3, the Project -Gutenberg Literary Archive Foundation, the owner of the Project -Gutenberg-tm trademark, and any other party distributing a Project -Gutenberg-tm electronic work under this agreement, disclaim all -liability to you for damages, costs and expenses, including legal -fees. YOU AGREE THAT YOU HAVE NO REMEDIES FOR NEGLIGENCE, STRICT -LIABILITY, BREACH OF WARRANTY OR BREACH OF CONTRACT EXCEPT THOSE -PROVIDED IN PARAGRAPH F3. YOU AGREE THAT THE FOUNDATION, THE -TRADEMARK OWNER, AND ANY DISTRIBUTOR UNDER THIS AGREEMENT WILL NOT BE -LIABLE TO YOU FOR ACTUAL, DIRECT, INDIRECT, CONSEQUENTIAL, PUNITIVE OR -INCIDENTAL DAMAGES EVEN IF YOU GIVE NOTICE OF THE POSSIBILITY OF SUCH -DAMAGE. - -1.F.3. LIMITED RIGHT OF REPLACEMENT OR REFUND - If you discover a -defect in this electronic work within 90 days of receiving it, you can -receive a refund of the money (if any) you paid for it by sending a -written explanation to the person you received the work from. If you -received the work on a physical medium, you must return the medium with -your written explanation. The person or entity that provided you with -the defective work may elect to provide a replacement copy in lieu of a -refund. If you received the work electronically, the person or entity -providing it to you may choose to give you a second opportunity to -receive the work electronically in lieu of a refund. If the second copy -is also defective, you may demand a refund in writing without further -opportunities to fix the problem. - -1.F.4. Except for the limited right of replacement or refund set forth -in paragraph 1.F.3, this work is provided to you 'AS-IS' WITH NO OTHER -WARRANTIES OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO -WARRANTIES OF MERCHANTIBILITY OR FITNESS FOR ANY PURPOSE. - -1.F.5. Some states do not allow disclaimers of certain implied -warranties or the exclusion or limitation of certain types of damages. -If any disclaimer or limitation set forth in this agreement violates the -law of the state applicable to this agreement, the agreement shall be -interpreted to make the maximum disclaimer or limitation permitted by -the applicable state law. The invalidity or unenforceability of any -provision of this agreement shall not void the remaining provisions. - -1.F.6. INDEMNITY - You agree to indemnify and hold the Foundation, the -trademark owner, any agent or employee of the Foundation, anyone -providing copies of Project Gutenberg-tm electronic works in accordance -with this agreement, and any volunteers associated with the production, -promotion and distribution of Project Gutenberg-tm electronic works, -harmless from all liability, costs and expenses, including legal fees, -that arise directly or indirectly from any of the following which you do -or cause to occur: (a) distribution of this or any Project Gutenberg-tm -work, (b) alteration, modification, or additions or deletions to any -Project Gutenberg-tm work, and (c) any Defect you cause. - - -Section 2. Information about the Mission of Project Gutenberg-tm - -Project Gutenberg-tm is synonymous with the free distribution of -electronic works in formats readable by the widest variety of computers -including obsolete, old, middle-aged and new computers. It exists -because of the efforts of hundreds of volunteers and donations from -people in all walks of life. - -Volunteers and financial support to provide volunteers with the -assistance they need, are critical to reaching Project Gutenberg-tm's -goals and ensuring that the Project Gutenberg-tm collection will -remain freely available for generations to come. In 2001, the Project -Gutenberg Literary Archive Foundation was created to provide a secure -and permanent future for Project Gutenberg-tm and future generations. -To learn more about the Project Gutenberg Literary Archive Foundation -and how your efforts and donations can help, see Sections 3 and 4 -and the Foundation web page at http://www.pglaf.org. - - -Section 3. Information about the Project Gutenberg Literary Archive -Foundation - -The Project Gutenberg Literary Archive Foundation is a non profit -501(c)(3) educational corporation organized under the laws of the -state of Mississippi and granted tax exempt status by the Internal -Revenue Service. The Foundation's EIN or federal tax identification -number is 64-6221541. Its 501(c)(3) letter is posted at -http://pglaf.org/fundraising. Contributions to the Project Gutenberg -Literary Archive Foundation are tax deductible to the full extent -permitted by U.S. federal laws and your state's laws. - -The Foundation's principal office is located at 4557 Melan Dr. S. -Fairbanks, AK, 99712., but its volunteers and employees are scattered -throughout numerous locations. Its business office is located at -809 North 1500 West, Salt Lake City, UT 84116, (801) 596-1887, email -business@pglaf.org. Email contact links and up to date contact -information can be found at the Foundation's web site and official -page at http://pglaf.org - -For additional contact information: - Dr. Gregory B. Newby - Chief Executive and Director - gbnewby@pglaf.org - - -Section 4. Information about Donations to the Project Gutenberg -Literary Archive Foundation - -Project Gutenberg-tm depends upon and cannot survive without wide -spread public support and donations to carry out its mission of -increasing the number of public domain and licensed works that can be -freely distributed in machine readable form accessible by the widest -array of equipment including outdated equipment. Many small donations -($1 to $5,000) are particularly important to maintaining tax exempt -status with the IRS. - -The Foundation is committed to complying with the laws regulating -charities and charitable donations in all 50 states of the United -States. Compliance requirements are not uniform and it takes a -considerable effort, much paperwork and many fees to meet and keep up -with these requirements. We do not solicit donations in locations -where we have not received written confirmation of compliance. To -SEND DONATIONS or determine the status of compliance for any -particular state visit http://pglaf.org - -While we cannot and do not solicit contributions from states where we -have not met the solicitation requirements, we know of no prohibition -against accepting unsolicited donations from donors in such states who -approach us with offers to donate. - -International donations are gratefully accepted, but we cannot make -any statements concerning tax treatment of donations received from -outside the United States. U.S. laws alone swamp our small staff. - -Please check the Project Gutenberg Web pages for current donation -methods and addresses. Donations are accepted in a number of other -ways including checks, online payments and credit card donations. -To donate, please visit: http://pglaf.org/donate - - -Section 5. General Information About Project Gutenberg-tm electronic -works. - -Professor Michael S. Hart is the originator of the Project Gutenberg-tm -concept of a library of electronic works that could be freely shared -with anyone. For thirty years, he produced and distributed Project -Gutenberg-tm eBooks with only a loose network of volunteer support. - - -Project Gutenberg-tm eBooks are often created from several printed -editions, all of which are confirmed as Public Domain in the U.S. -unless a copyright notice is included. Thus, we do not necessarily -keep eBooks in compliance with any particular paper edition. - - -Most people start at our Web site which has the main PG search facility: - - http://www.gutenberg.org - -This Web site includes information about Project Gutenberg-tm, -including how to make donations to the Project Gutenberg Literary -Archive Foundation, how to help produce our new eBooks, and how to -subscribe to our email newsletter to hear about new eBooks. -The Project Gutenberg EBook of A Tale of Two Cities, by Charles Dickens - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - - -Title: A Tale of Two Cities - A Story of the French Revolution - -Author: Charles Dickens - -Release Date: January, 1994 [EBook #98] -Posting Date: November 28, 2009 -Last Updated: March 4, 2018 - -Language: English - -Character set encoding: UTF-8 - -*** START OF THIS PROJECT GUTENBERG EBOOK A TALE OF TWO CITIES *** - - - - -Produced by Judith Boss - - - - - - - - -A TALE OF TWO CITIES - -A STORY OF THE FRENCH REVOLUTION - -By Charles Dickens - - -CONTENTS - - - Book the First--Recalled to Life - - Chapter I The Period - Chapter II The Mail - Chapter III The Night Shadows - Chapter IV The Preparation - Chapter V The Wine-shop - Chapter VI The Shoemaker - - - Book the Second--the Golden Thread - - Chapter I Five Years Later - Chapter II A Sight - Chapter III A Disappointment - Chapter IV Congratulatory - Chapter V The Jackal - Chapter VI Hundreds of People - Chapter VII Monseigneur in Town - Chapter VIII Monseigneur in the Country - Chapter IX The Gorgon's Head - Chapter X Two Promises - Chapter XI A Companion Picture - Chapter XII The Fellow of Delicacy - Chapter XIII The Fellow of no Delicacy - Chapter XIV The Honest Tradesman - Chapter XV Knitting - Chapter XVI Still Knitting - Chapter XVII One Night - Chapter XVIII Nine Days - Chapter XIX An Opinion - Chapter XX A Plea - Chapter XXI Echoing Footsteps - Chapter XXII The Sea Still Rises - Chapter XXIII Fire Rises - Chapter XXIV Drawn to the Loadstone Rock - - - Book the Third--the Track of a Storm - - Chapter I In Secret - Chapter II The Grindstone - Chapter III The Shadow - Chapter IV Calm in Storm - Chapter V The Wood-sawyer - Chapter VI Triumph - Chapter VII A Knock at the Door - Chapter VIII A Hand at Cards - Chapter IX The Game Made - Chapter X The Substance of the Shadow - Chapter XI Dusk - Chapter XII Darkness - Chapter XIII Fifty-two - Chapter XIV The Knitting Done - Chapter XV The Footsteps Die Out For Ever - - - - - -Book the First--Recalled to Life - - - - -I. The Period - - -It was the best of times, -it was the worst of times, -it was the age of wisdom, -it was the age of foolishness, -it was the epoch of belief, -it was the epoch of incredulity, -it was the season of Light, -it was the season of Darkness, -it was the spring of hope, -it was the winter of despair, -we had everything before us, -we had nothing before us, -we were all going direct to Heaven, -we were all going direct the other way-- -in short, the period was so far like the present period, that some of -its noisiest authorities insisted on its being received, for good or for -evil, in the superlative degree of comparison only. - -There were a king with a large jaw and a queen with a plain face, on the -throne of England; there were a king with a large jaw and a queen with -a fair face, on the throne of France. In both countries it was clearer -than crystal to the lords of the State preserves of loaves and fishes, -that things in general were settled for ever. - -It was the year of Our Lord one thousand seven hundred and seventy-five. -Spiritual revelations were conceded to England at that favoured period, -as at this. Mrs. Southcott had recently attained her five-and-twentieth -blessed birthday, of whom a prophetic private in the Life Guards had -heralded the sublime appearance by announcing that arrangements were -made for the swallowing up of London and Westminster. Even the Cock-lane -ghost had been laid only a round dozen of years, after rapping out its -messages, as the spirits of this very year last past (supernaturally -deficient in originality) rapped out theirs. Mere messages in the -earthly order of events had lately come to the English Crown and People, -from a congress of British subjects in America: which, strange -to relate, have proved more important to the human race than any -communications yet received through any of the chickens of the Cock-lane -brood. - -France, less favoured on the whole as to matters spiritual than her -sister of the shield and trident, rolled with exceeding smoothness down -hill, making paper money and spending it. Under the guidance of her -Christian pastors, she entertained herself, besides, with such humane -achievements as sentencing a youth to have his hands cut off, his tongue -torn out with pincers, and his body burned alive, because he had not -kneeled down in the rain to do honour to a dirty procession of monks -which passed within his view, at a distance of some fifty or sixty -yards. It is likely enough that, rooted in the woods of France and -Norway, there were growing trees, when that sufferer was put to death, -already marked by the Woodman, Fate, to come down and be sawn into -boards, to make a certain movable framework with a sack and a knife in -it, terrible in history. It is likely enough that in the rough outhouses -of some tillers of the heavy lands adjacent to Paris, there were -sheltered from the weather that very day, rude carts, bespattered with -rustic mire, snuffed about by pigs, and roosted in by poultry, which -the Farmer, Death, had already set apart to be his tumbrils of -the Revolution. But that Woodman and that Farmer, though they work -unceasingly, work silently, and no one heard them as they went about -with muffled tread: the rather, forasmuch as to entertain any suspicion -that they were awake, was to be atheistical and traitorous. - -In England, there was scarcely an amount of order and protection to -justify much national boasting. Daring burglaries by armed men, and -highway robberies, took place in the capital itself every night; -families were publicly cautioned not to go out of town without removing -their furniture to upholsterers' warehouses for security; the highwayman -in the dark was a City tradesman in the light, and, being recognised and -challenged by his fellow-tradesman whom he stopped in his character of -“the Captain,” gallantly shot him through the head and rode away; the -mail was waylaid by seven robbers, and the guard shot three dead, and -then got shot dead himself by the other four, “in consequence of the -failure of his ammunition:” after which the mail was robbed in peace; -that magnificent potentate, the Lord Mayor of London, was made to stand -and deliver on Turnham Green, by one highwayman, who despoiled the -illustrious creature in sight of all his retinue; prisoners in London -gaols fought battles with their turnkeys, and the majesty of the law -fired blunderbusses in among them, loaded with rounds of shot and ball; -thieves snipped off diamond crosses from the necks of noble lords at -Court drawing-rooms; musketeers went into St. Giles's, to search -for contraband goods, and the mob fired on the musketeers, and the -musketeers fired on the mob, and nobody thought any of these occurrences -much out of the common way. In the midst of them, the hangman, ever busy -and ever worse than useless, was in constant requisition; now, stringing -up long rows of miscellaneous criminals; now, hanging a housebreaker on -Saturday who had been taken on Tuesday; now, burning people in the -hand at Newgate by the dozen, and now burning pamphlets at the door of -Westminster Hall; to-day, taking the life of an atrocious murderer, -and to-morrow of a wretched pilferer who had robbed a farmer's boy of -sixpence. - -All these things, and a thousand like them, came to pass in and close -upon the dear old year one thousand seven hundred and seventy-five. -Environed by them, while the Woodman and the Farmer worked unheeded, -those two of the large jaws, and those other two of the plain and the -fair faces, trod with stir enough, and carried their divine rights -with a high hand. Thus did the year one thousand seven hundred -and seventy-five conduct their Greatnesses, and myriads of small -creatures--the creatures of this chronicle among the rest--along the -roads that lay before them. - - - - -II. The Mail - - -It was the Dover road that lay, on a Friday night late in November, -before the first of the persons with whom this history has business. -The Dover road lay, as to him, beyond the Dover mail, as it lumbered up -Shooter's Hill. He walked up hill in the mire by the side of the mail, -as the rest of the passengers did; not because they had the least relish -for walking exercise, under the circumstances, but because the hill, -and the harness, and the mud, and the mail, were all so heavy, that the -horses had three times already come to a stop, besides once drawing the -coach across the road, with the mutinous intent of taking it back -to Blackheath. Reins and whip and coachman and guard, however, in -combination, had read that article of war which forbade a purpose -otherwise strongly in favour of the argument, that some brute animals -are endued with Reason; and the team had capitulated and returned to -their duty. - -With drooping heads and tremulous tails, they mashed their way through -the thick mud, floundering and stumbling between whiles, as if they were -falling to pieces at the larger joints. As often as the driver rested -them and brought them to a stand, with a wary “Wo-ho! so-ho-then!” the -near leader violently shook his head and everything upon it--like an -unusually emphatic horse, denying that the coach could be got up the -hill. Whenever the leader made this rattle, the passenger started, as a -nervous passenger might, and was disturbed in mind. - -There was a steaming mist in all the hollows, and it had roamed in its -forlornness up the hill, like an evil spirit, seeking rest and finding -none. A clammy and intensely cold mist, it made its slow way through the -air in ripples that visibly followed and overspread one another, as the -waves of an unwholesome sea might do. It was dense enough to shut out -everything from the light of the coach-lamps but these its own workings, -and a few yards of road; and the reek of the labouring horses steamed -into it, as if they had made it all. - -Two other passengers, besides the one, were plodding up the hill by the -side of the mail. All three were wrapped to the cheekbones and over the -ears, and wore jack-boots. Not one of the three could have said, from -anything he saw, what either of the other two was like; and each was -hidden under almost as many wrappers from the eyes of the mind, as from -the eyes of the body, of his two companions. In those days, travellers -were very shy of being confidential on a short notice, for anybody on -the road might be a robber or in league with robbers. As to the latter, -when every posting-house and ale-house could produce somebody in -“the Captain's” pay, ranging from the landlord to the lowest stable -non-descript, it was the likeliest thing upon the cards. So the guard -of the Dover mail thought to himself, that Friday night in November, one -thousand seven hundred and seventy-five, lumbering up Shooter's Hill, as -he stood on his own particular perch behind the mail, beating his feet, -and keeping an eye and a hand on the arm-chest before him, where a -loaded blunderbuss lay at the top of six or eight loaded horse-pistols, -deposited on a substratum of cutlass. - -The Dover mail was in its usual genial position that the guard suspected -the passengers, the passengers suspected one another and the guard, they -all suspected everybody else, and the coachman was sure of nothing but -the horses; as to which cattle he could with a clear conscience have -taken his oath on the two Testaments that they were not fit for the -journey. - -“Wo-ho!” said the coachman. “So, then! One more pull and you're at the -top and be damned to you, for I have had trouble enough to get you to -it!--Joe!” - -“Halloa!” the guard replied. - -“What o'clock do you make it, Joe?” - -“Ten minutes, good, past eleven.” - -“My blood!” ejaculated the vexed coachman, “and not atop of Shooter's -yet! Tst! Yah! Get on with you!” - -The emphatic horse, cut short by the whip in a most decided negative, -made a decided scramble for it, and the three other horses followed -suit. Once more, the Dover mail struggled on, with the jack-boots of its -passengers squashing along by its side. They had stopped when the coach -stopped, and they kept close company with it. If any one of the three -had had the hardihood to propose to another to walk on a little ahead -into the mist and darkness, he would have put himself in a fair way of -getting shot instantly as a highwayman. - -The last burst carried the mail to the summit of the hill. The horses -stopped to breathe again, and the guard got down to skid the wheel for -the descent, and open the coach-door to let the passengers in. - -“Tst! Joe!” cried the coachman in a warning voice, looking down from his -box. - -“What do you say, Tom?” - -They both listened. - -“I say a horse at a canter coming up, Joe.” - -“_I_ say a horse at a gallop, Tom,” returned the guard, leaving his hold -of the door, and mounting nimbly to his place. “Gentlemen! In the king's -name, all of you!” - -With this hurried adjuration, he cocked his blunderbuss, and stood on -the offensive. - -The passenger booked by this history, was on the coach-step, getting in; -the two other passengers were close behind him, and about to follow. He -remained on the step, half in the coach and half out of; they remained -in the road below him. They all looked from the coachman to the guard, -and from the guard to the coachman, and listened. The coachman looked -back and the guard looked back, and even the emphatic leader pricked up -his ears and looked back, without contradicting. - -The stillness consequent on the cessation of the rumbling and labouring -of the coach, added to the stillness of the night, made it very quiet -indeed. The panting of the horses communicated a tremulous motion to -the coach, as if it were in a state of agitation. The hearts of the -passengers beat loud enough perhaps to be heard; but at any rate, the -quiet pause was audibly expressive of people out of breath, and holding -the breath, and having the pulses quickened by expectation. - -The sound of a horse at a gallop came fast and furiously up the hill. - -“So-ho!” the guard sang out, as loud as he could roar. “Yo there! Stand! -I shall fire!” - -The pace was suddenly checked, and, with much splashing and floundering, -a man's voice called from the mist, “Is that the Dover mail?” - -“Never you mind what it is!” the guard retorted. “What are you?” - -“_Is_ that the Dover mail?” - -“Why do you want to know?” - -“I want a passenger, if it is.” - -“What passenger?” - -“Mr. Jarvis Lorry.” - -Our booked passenger showed in a moment that it was his name. The guard, -the coachman, and the two other passengers eyed him distrustfully. - -“Keep where you are,” the guard called to the voice in the mist, -“because, if I should make a mistake, it could never be set right in -your lifetime. Gentleman of the name of Lorry answer straight.” - -“What is the matter?” asked the passenger, then, with mildly quavering -speech. “Who wants me? Is it Jerry?” - -(“I don't like Jerry's voice, if it is Jerry,” growled the guard to -himself. “He's hoarser than suits me, is Jerry.”) - -“Yes, Mr. Lorry.” - -“What is the matter?” - -“A despatch sent after you from over yonder. T. and Co.” - -“I know this messenger, guard,” said Mr. Lorry, getting down into the -road--assisted from behind more swiftly than politely by the other two -passengers, who immediately scrambled into the coach, shut the door, and -pulled up the window. “He may come close; there's nothing wrong.” - -“I hope there ain't, but I can't make so 'Nation sure of that,” said the -guard, in gruff soliloquy. “Hallo you!” - -“Well! And hallo you!” said Jerry, more hoarsely than before. - -“Come on at a footpace! d'ye mind me? And if you've got holsters to that -saddle o' yourn, don't let me see your hand go nigh 'em. For I'm a devil -at a quick mistake, and when I make one it takes the form of Lead. So -now let's look at you.” - -The figures of a horse and rider came slowly through the eddying mist, -and came to the side of the mail, where the passenger stood. The rider -stooped, and, casting up his eyes at the guard, handed the passenger -a small folded paper. The rider's horse was blown, and both horse and -rider were covered with mud, from the hoofs of the horse to the hat of -the man. - -“Guard!” said the passenger, in a tone of quiet business confidence. - -The watchful guard, with his right hand at the stock of his raised -blunderbuss, his left at the barrel, and his eye on the horseman, -answered curtly, “Sir.” - -“There is nothing to apprehend. I belong to Tellson's Bank. You must -know Tellson's Bank in London. I am going to Paris on business. A crown -to drink. I may read this?” - -“If so be as you're quick, sir.” - -He opened it in the light of the coach-lamp on that side, and -read--first to himself and then aloud: “'Wait at Dover for Mam'selle.' -It's not long, you see, guard. Jerry, say that my answer was, RECALLED -TO LIFE.” - -Jerry started in his saddle. “That's a Blazing strange answer, too,” - said he, at his hoarsest. - -“Take that message back, and they will know that I received this, as -well as if I wrote. Make the best of your way. Good night.” - -With those words the passenger opened the coach-door and got in; not at -all assisted by his fellow-passengers, who had expeditiously secreted -their watches and purses in their boots, and were now making a general -pretence of being asleep. With no more definite purpose than to escape -the hazard of originating any other kind of action. - -The coach lumbered on again, with heavier wreaths of mist closing round -it as it began the descent. The guard soon replaced his blunderbuss -in his arm-chest, and, having looked to the rest of its contents, and -having looked to the supplementary pistols that he wore in his belt, -looked to a smaller chest beneath his seat, in which there were a -few smith's tools, a couple of torches, and a tinder-box. For he was -furnished with that completeness that if the coach-lamps had been blown -and stormed out, which did occasionally happen, he had only to shut -himself up inside, keep the flint and steel sparks well off the straw, -and get a light with tolerable safety and ease (if he were lucky) in -five minutes. - -“Tom!” softly over the coach roof. - -“Hallo, Joe.” - -“Did you hear the message?” - -“I did, Joe.” - -“What did you make of it, Tom?” - -“Nothing at all, Joe.” - -“That's a coincidence, too,” the guard mused, “for I made the same of it -myself.” - -Jerry, left alone in the mist and darkness, dismounted meanwhile, not -only to ease his spent horse, but to wipe the mud from his face, and -shake the wet out of his hat-brim, which might be capable of -holding about half a gallon. After standing with the bridle over his -heavily-splashed arm, until the wheels of the mail were no longer within -hearing and the night was quite still again, he turned to walk down the -hill. - -“After that there gallop from Temple Bar, old lady, I won't trust your -fore-legs till I get you on the level,” said this hoarse messenger, -glancing at his mare. “'Recalled to life.' That's a Blazing strange -message. Much of that wouldn't do for you, Jerry! I say, Jerry! You'd -be in a Blazing bad way, if recalling to life was to come into fashion, -Jerry!” - - - - -III. The Night Shadows - - -A wonderful fact to reflect upon, that every human creature is -constituted to be that profound secret and mystery to every other. A -solemn consideration, when I enter a great city by night, that every -one of those darkly clustered houses encloses its own secret; that every -room in every one of them encloses its own secret; that every beating -heart in the hundreds of thousands of breasts there, is, in some of -its imaginings, a secret to the heart nearest it! Something of the -awfulness, even of Death itself, is referable to this. No more can I -turn the leaves of this dear book that I loved, and vainly hope in time -to read it all. No more can I look into the depths of this unfathomable -water, wherein, as momentary lights glanced into it, I have had glimpses -of buried treasure and other things submerged. It was appointed that the -book should shut with a spring, for ever and for ever, when I had read -but a page. It was appointed that the water should be locked in an -eternal frost, when the light was playing on its surface, and I stood -in ignorance on the shore. My friend is dead, my neighbour is dead, -my love, the darling of my soul, is dead; it is the inexorable -consolidation and perpetuation of the secret that was always in that -individuality, and which I shall carry in mine to my life's end. In -any of the burial-places of this city through which I pass, is there -a sleeper more inscrutable than its busy inhabitants are, in their -innermost personality, to me, or than I am to them? - -As to this, his natural and not to be alienated inheritance, the -messenger on horseback had exactly the same possessions as the King, the -first Minister of State, or the richest merchant in London. So with the -three passengers shut up in the narrow compass of one lumbering old mail -coach; they were mysteries to one another, as complete as if each had -been in his own coach and six, or his own coach and sixty, with the -breadth of a county between him and the next. - -The messenger rode back at an easy trot, stopping pretty often at -ale-houses by the way to drink, but evincing a tendency to keep his -own counsel, and to keep his hat cocked over his eyes. He had eyes that -assorted very well with that decoration, being of a surface black, with -no depth in the colour or form, and much too near together--as if they -were afraid of being found out in something, singly, if they kept too -far apart. They had a sinister expression, under an old cocked-hat like -a three-cornered spittoon, and over a great muffler for the chin and -throat, which descended nearly to the wearer's knees. When he stopped -for drink, he moved this muffler with his left hand, only while he -poured his liquor in with his right; as soon as that was done, he -muffled again. - -“No, Jerry, no!” said the messenger, harping on one theme as he rode. -“It wouldn't do for you, Jerry. Jerry, you honest tradesman, it wouldn't -suit _your_ line of business! Recalled--! Bust me if I don't think he'd -been a drinking!” - -His message perplexed his mind to that degree that he was fain, several -times, to take off his hat to scratch his head. Except on the crown, -which was raggedly bald, he had stiff, black hair, standing jaggedly all -over it, and growing down hill almost to his broad, blunt nose. It was -so like Smith's work, so much more like the top of a strongly spiked -wall than a head of hair, that the best of players at leap-frog might -have declined him, as the most dangerous man in the world to go over. - -While he trotted back with the message he was to deliver to the night -watchman in his box at the door of Tellson's Bank, by Temple Bar, who -was to deliver it to greater authorities within, the shadows of the -night took such shapes to him as arose out of the message, and took such -shapes to the mare as arose out of _her_ private topics of uneasiness. -They seemed to be numerous, for she shied at every shadow on the road. - -What time, the mail-coach lumbered, jolted, rattled, and bumped upon -its tedious way, with its three fellow-inscrutables inside. To whom, -likewise, the shadows of the night revealed themselves, in the forms -their dozing eyes and wandering thoughts suggested. - -Tellson's Bank had a run upon it in the mail. As the bank -passenger--with an arm drawn through the leathern strap, which did what -lay in it to keep him from pounding against the next passenger, -and driving him into his corner, whenever the coach got a special -jolt--nodded in his place, with half-shut eyes, the little -coach-windows, and the coach-lamp dimly gleaming through them, and the -bulky bundle of opposite passenger, became the bank, and did a great -stroke of business. The rattle of the harness was the chink of money, -and more drafts were honoured in five minutes than even Tellson's, with -all its foreign and home connection, ever paid in thrice the time. Then -the strong-rooms underground, at Tellson's, with such of their valuable -stores and secrets as were known to the passenger (and it was not a -little that he knew about them), opened before him, and he went in among -them with the great keys and the feebly-burning candle, and found them -safe, and strong, and sound, and still, just as he had last seen them. - -But, though the bank was almost always with him, and though the coach -(in a confused way, like the presence of pain under an opiate) was -always with him, there was another current of impression that never -ceased to run, all through the night. He was on his way to dig some one -out of a grave. - -Now, which of the multitude of faces that showed themselves before him -was the true face of the buried person, the shadows of the night did -not indicate; but they were all the faces of a man of five-and-forty by -years, and they differed principally in the passions they expressed, -and in the ghastliness of their worn and wasted state. Pride, contempt, -defiance, stubbornness, submission, lamentation, succeeded one another; -so did varieties of sunken cheek, cadaverous colour, emaciated hands -and figures. But the face was in the main one face, and every head was -prematurely white. A hundred times the dozing passenger inquired of this -spectre: - -“Buried how long?” - -The answer was always the same: “Almost eighteen years.” - -“You had abandoned all hope of being dug out?” - -“Long ago.” - -“You know that you are recalled to life?” - -“They tell me so.” - -“I hope you care to live?” - -“I can't say.” - -“Shall I show her to you? Will you come and see her?” - -The answers to this question were various and contradictory. Sometimes -the broken reply was, “Wait! It would kill me if I saw her too soon.” - Sometimes, it was given in a tender rain of tears, and then it was, -“Take me to her.” Sometimes it was staring and bewildered, and then it -was, “I don't know her. I don't understand.” - -After such imaginary discourse, the passenger in his fancy would dig, -and dig, dig--now with a spade, now with a great key, now with his -hands--to dig this wretched creature out. Got out at last, with earth -hanging about his face and hair, he would suddenly fan away to dust. The -passenger would then start to himself, and lower the window, to get the -reality of mist and rain on his cheek. - -Yet even when his eyes were opened on the mist and rain, on the moving -patch of light from the lamps, and the hedge at the roadside retreating -by jerks, the night shadows outside the coach would fall into the train -of the night shadows within. The real Banking-house by Temple Bar, the -real business of the past day, the real strong rooms, the real express -sent after him, and the real message returned, would all be there. Out -of the midst of them, the ghostly face would rise, and he would accost -it again. - -“Buried how long?” - -“Almost eighteen years.” - -“I hope you care to live?” - -“I can't say.” - -Dig--dig--dig--until an impatient movement from one of the two -passengers would admonish him to pull up the window, draw his arm -securely through the leathern strap, and speculate upon the two -slumbering forms, until his mind lost its hold of them, and they again -slid away into the bank and the grave. - -“Buried how long?” - -“Almost eighteen years.” - -“You had abandoned all hope of being dug out?” - -“Long ago.” - -The words were still in his hearing as just spoken--distinctly in -his hearing as ever spoken words had been in his life--when the weary -passenger started to the consciousness of daylight, and found that the -shadows of the night were gone. - -He lowered the window, and looked out at the rising sun. There was a -ridge of ploughed land, with a plough upon it where it had been left -last night when the horses were unyoked; beyond, a quiet coppice-wood, -in which many leaves of burning red and golden yellow still remained -upon the trees. Though the earth was cold and wet, the sky was clear, -and the sun rose bright, placid, and beautiful. - -“Eighteen years!” said the passenger, looking at the sun. “Gracious -Creator of day! To be buried alive for eighteen years!” - - - - -IV. The Preparation - - -When the mail got successfully to Dover, in the course of the forenoon, -the head drawer at the Royal George Hotel opened the coach-door as his -custom was. He did it with some flourish of ceremony, for a mail journey -from London in winter was an achievement to congratulate an adventurous -traveller upon. - -By that time, there was only one adventurous traveller left be -congratulated: for the two others had been set down at their respective -roadside destinations. The mildewy inside of the coach, with its damp -and dirty straw, its disagreeable smell, and its obscurity, was rather -like a larger dog-kennel. Mr. Lorry, the passenger, shaking himself out -of it in chains of straw, a tangle of shaggy wrapper, flapping hat, and -muddy legs, was rather like a larger sort of dog. - -“There will be a packet to Calais, tomorrow, drawer?” - -“Yes, sir, if the weather holds and the wind sets tolerable fair. The -tide will serve pretty nicely at about two in the afternoon, sir. Bed, -sir?” - -“I shall not go to bed till night; but I want a bedroom, and a barber.” - -“And then breakfast, sir? Yes, sir. That way, sir, if you please. -Show Concord! Gentleman's valise and hot water to Concord. Pull off -gentleman's boots in Concord. (You will find a fine sea-coal fire, sir.) -Fetch barber to Concord. Stir about there, now, for Concord!” - -The Concord bed-chamber being always assigned to a passenger by the -mail, and passengers by the mail being always heavily wrapped up from -head to foot, the room had the odd interest for the establishment of the -Royal George, that although but one kind of man was seen to go into it, -all kinds and varieties of men came out of it. Consequently, another -drawer, and two porters, and several maids and the landlady, were all -loitering by accident at various points of the road between the Concord -and the coffee-room, when a gentleman of sixty, formally dressed in a -brown suit of clothes, pretty well worn, but very well kept, with large -square cuffs and large flaps to the pockets, passed along on his way to -his breakfast. - -The coffee-room had no other occupant, that forenoon, than the gentleman -in brown. His breakfast-table was drawn before the fire, and as he sat, -with its light shining on him, waiting for the meal, he sat so still, -that he might have been sitting for his portrait. - -Very orderly and methodical he looked, with a hand on each knee, and a -loud watch ticking a sonorous sermon under his flapped waist-coat, -as though it pitted its gravity and longevity against the levity and -evanescence of the brisk fire. He had a good leg, and was a little vain -of it, for his brown stockings fitted sleek and close, and were of a -fine texture; his shoes and buckles, too, though plain, were trim. He -wore an odd little sleek crisp flaxen wig, setting very close to his -head: which wig, it is to be presumed, was made of hair, but which -looked far more as though it were spun from filaments of silk or glass. -His linen, though not of a fineness in accordance with his stockings, -was as white as the tops of the waves that broke upon the neighbouring -beach, or the specks of sail that glinted in the sunlight far at sea. A -face habitually suppressed and quieted, was still lighted up under the -quaint wig by a pair of moist bright eyes that it must have cost -their owner, in years gone by, some pains to drill to the composed and -reserved expression of Tellson's Bank. He had a healthy colour in his -cheeks, and his face, though lined, bore few traces of anxiety. -But, perhaps the confidential bachelor clerks in Tellson's Bank were -principally occupied with the cares of other people; and perhaps -second-hand cares, like second-hand clothes, come easily off and on. - -Completing his resemblance to a man who was sitting for his portrait, -Mr. Lorry dropped off to sleep. The arrival of his breakfast roused him, -and he said to the drawer, as he moved his chair to it: - -“I wish accommodation prepared for a young lady who may come here at any -time to-day. She may ask for Mr. Jarvis Lorry, or she may only ask for a -gentleman from Tellson's Bank. Please to let me know.” - -“Yes, sir. Tellson's Bank in London, sir?” - -“Yes.” - -“Yes, sir. We have oftentimes the honour to entertain your gentlemen in -their travelling backwards and forwards betwixt London and Paris, sir. A -vast deal of travelling, sir, in Tellson and Company's House.” - -“Yes. We are quite a French House, as well as an English one.” - -“Yes, sir. Not much in the habit of such travelling yourself, I think, -sir?” - -“Not of late years. It is fifteen years since we--since I--came last -from France.” - -“Indeed, sir? That was before my time here, sir. Before our people's -time here, sir. The George was in other hands at that time, sir.” - -“I believe so.” - -“But I would hold a pretty wager, sir, that a House like Tellson and -Company was flourishing, a matter of fifty, not to speak of fifteen -years ago?” - -“You might treble that, and say a hundred and fifty, yet not be far from -the truth.” - -“Indeed, sir!” - -Rounding his mouth and both his eyes, as he stepped backward from the -table, the waiter shifted his napkin from his right arm to his left, -dropped into a comfortable attitude, and stood surveying the guest while -he ate and drank, as from an observatory or watchtower. According to the -immemorial usage of waiters in all ages. - -When Mr. Lorry had finished his breakfast, he went out for a stroll on -the beach. The little narrow, crooked town of Dover hid itself away -from the beach, and ran its head into the chalk cliffs, like a marine -ostrich. The beach was a desert of heaps of sea and stones tumbling -wildly about, and the sea did what it liked, and what it liked was -destruction. It thundered at the town, and thundered at the cliffs, and -brought the coast down, madly. The air among the houses was of so strong -a piscatory flavour that one might have supposed sick fish went up to be -dipped in it, as sick people went down to be dipped in the sea. A little -fishing was done in the port, and a quantity of strolling about by -night, and looking seaward: particularly at those times when the tide -made, and was near flood. Small tradesmen, who did no business whatever, -sometimes unaccountably realised large fortunes, and it was remarkable -that nobody in the neighbourhood could endure a lamplighter. - -As the day declined into the afternoon, and the air, which had been -at intervals clear enough to allow the French coast to be seen, became -again charged with mist and vapour, Mr. Lorry's thoughts seemed to cloud -too. When it was dark, and he sat before the coffee-room fire, awaiting -his dinner as he had awaited his breakfast, his mind was busily digging, -digging, digging, in the live red coals. - -A bottle of good claret after dinner does a digger in the red coals no -harm, otherwise than as it has a tendency to throw him out of work. -Mr. Lorry had been idle a long time, and had just poured out his last -glassful of wine with as complete an appearance of satisfaction as is -ever to be found in an elderly gentleman of a fresh complexion who has -got to the end of a bottle, when a rattling of wheels came up the narrow -street, and rumbled into the inn-yard. - -He set down his glass untouched. “This is Mam'selle!” said he. - -In a very few minutes the waiter came in to announce that Miss Manette -had arrived from London, and would be happy to see the gentleman from -Tellson's. - -“So soon?” - -Miss Manette had taken some refreshment on the road, and required none -then, and was extremely anxious to see the gentleman from Tellson's -immediately, if it suited his pleasure and convenience. - -The gentleman from Tellson's had nothing left for it but to empty his -glass with an air of stolid desperation, settle his odd little flaxen -wig at the ears, and follow the waiter to Miss Manette's apartment. -It was a large, dark room, furnished in a funereal manner with black -horsehair, and loaded with heavy dark tables. These had been oiled and -oiled, until the two tall candles on the table in the middle of the room -were gloomily reflected on every leaf; as if _they_ were buried, in deep -graves of black mahogany, and no light to speak of could be expected -from them until they were dug out. - -The obscurity was so difficult to penetrate that Mr. Lorry, picking his -way over the well-worn Turkey carpet, supposed Miss Manette to be, for -the moment, in some adjacent room, until, having got past the two tall -candles, he saw standing to receive him by the table between them and -the fire, a young lady of not more than seventeen, in a riding-cloak, -and still holding her straw travelling-hat by its ribbon in her hand. As -his eyes rested on a short, slight, pretty figure, a quantity of golden -hair, a pair of blue eyes that met his own with an inquiring look, and -a forehead with a singular capacity (remembering how young and smooth -it was), of rifting and knitting itself into an expression that was -not quite one of perplexity, or wonder, or alarm, or merely of a bright -fixed attention, though it included all the four expressions--as his -eyes rested on these things, a sudden vivid likeness passed before him, -of a child whom he had held in his arms on the passage across that very -Channel, one cold time, when the hail drifted heavily and the sea ran -high. The likeness passed away, like a breath along the surface of -the gaunt pier-glass behind her, on the frame of which, a hospital -procession of negro cupids, several headless and all cripples, were -offering black baskets of Dead Sea fruit to black divinities of the -feminine gender--and he made his formal bow to Miss Manette. - -“Pray take a seat, sir.” In a very clear and pleasant young voice; a -little foreign in its accent, but a very little indeed. - -“I kiss your hand, miss,” said Mr. Lorry, with the manners of an earlier -date, as he made his formal bow again, and took his seat. - -“I received a letter from the Bank, sir, yesterday, informing me that -some intelligence--or discovery--” - -“The word is not material, miss; either word will do.” - -“--respecting the small property of my poor father, whom I never saw--so -long dead--” - -Mr. Lorry moved in his chair, and cast a troubled look towards the -hospital procession of negro cupids. As if _they_ had any help for -anybody in their absurd baskets! - -“--rendered it necessary that I should go to Paris, there to communicate -with a gentleman of the Bank, so good as to be despatched to Paris for -the purpose.” - -“Myself.” - -“As I was prepared to hear, sir.” - -She curtseyed to him (young ladies made curtseys in those days), with a -pretty desire to convey to him that she felt how much older and wiser he -was than she. He made her another bow. - -“I replied to the Bank, sir, that as it was considered necessary, by -those who know, and who are so kind as to advise me, that I should go to -France, and that as I am an orphan and have no friend who could go with -me, I should esteem it highly if I might be permitted to place myself, -during the journey, under that worthy gentleman's protection. The -gentleman had left London, but I think a messenger was sent after him to -beg the favour of his waiting for me here.” - -“I was happy,” said Mr. Lorry, “to be entrusted with the charge. I shall -be more happy to execute it.” - -“Sir, I thank you indeed. I thank you very gratefully. It was told me -by the Bank that the gentleman would explain to me the details of the -business, and that I must prepare myself to find them of a surprising -nature. I have done my best to prepare myself, and I naturally have a -strong and eager interest to know what they are.” - -“Naturally,” said Mr. Lorry. “Yes--I--” - -After a pause, he added, again settling the crisp flaxen wig at the -ears, “It is very difficult to begin.” - -He did not begin, but, in his indecision, met her glance. The young -forehead lifted itself into that singular expression--but it was pretty -and characteristic, besides being singular--and she raised her hand, -as if with an involuntary action she caught at, or stayed some passing -shadow. - -“Are you quite a stranger to me, sir?” - -“Am I not?” Mr. Lorry opened his hands, and extended them outwards with -an argumentative smile. - -Between the eyebrows and just over the little feminine nose, the line of -which was as delicate and fine as it was possible to be, the expression -deepened itself as she took her seat thoughtfully in the chair by which -she had hitherto remained standing. He watched her as she mused, and the -moment she raised her eyes again, went on: - -“In your adopted country, I presume, I cannot do better than address you -as a young English lady, Miss Manette?” - -“If you please, sir.” - -“Miss Manette, I am a man of business. I have a business charge to -acquit myself of. In your reception of it, don't heed me any more than -if I was a speaking machine--truly, I am not much else. I will, with -your leave, relate to you, miss, the story of one of our customers.” - -“Story!” - -He seemed wilfully to mistake the word she had repeated, when he added, -in a hurry, “Yes, customers; in the banking business we usually call -our connection our customers. He was a French gentleman; a scientific -gentleman; a man of great acquirements--a Doctor.” - -“Not of Beauvais?” - -“Why, yes, of Beauvais. Like Monsieur Manette, your father, the -gentleman was of Beauvais. Like Monsieur Manette, your father, the -gentleman was of repute in Paris. I had the honour of knowing him there. -Our relations were business relations, but confidential. I was at that -time in our French House, and had been--oh! twenty years.” - -“At that time--I may ask, at what time, sir?” - -“I speak, miss, of twenty years ago. He married--an English lady--and -I was one of the trustees. His affairs, like the affairs of many other -French gentlemen and French families, were entirely in Tellson's hands. -In a similar way I am, or I have been, trustee of one kind or other for -scores of our customers. These are mere business relations, miss; -there is no friendship in them, no particular interest, nothing like -sentiment. I have passed from one to another, in the course of my -business life, just as I pass from one of our customers to another in -the course of my business day; in short, I have no feelings; I am a mere -machine. To go on--” - -“But this is my father's story, sir; and I begin to think”--the -curiously roughened forehead was very intent upon him--“that when I was -left an orphan through my mother's surviving my father only two years, -it was you who brought me to England. I am almost sure it was you.” - -Mr. Lorry took the hesitating little hand that confidingly advanced -to take his, and he put it with some ceremony to his lips. He then -conducted the young lady straightway to her chair again, and, holding -the chair-back with his left hand, and using his right by turns to rub -his chin, pull his wig at the ears, or point what he said, stood looking -down into her face while she sat looking up into his. - -“Miss Manette, it _was_ I. And you will see how truly I spoke of myself -just now, in saying I had no feelings, and that all the relations I hold -with my fellow-creatures are mere business relations, when you reflect -that I have never seen you since. No; you have been the ward of -Tellson's House since, and I have been busy with the other business of -Tellson's House since. Feelings! I have no time for them, no chance -of them. I pass my whole life, miss, in turning an immense pecuniary -Mangle.” - -After this odd description of his daily routine of employment, Mr. Lorry -flattened his flaxen wig upon his head with both hands (which was most -unnecessary, for nothing could be flatter than its shining surface was -before), and resumed his former attitude. - -“So far, miss (as you have remarked), this is the story of your -regretted father. Now comes the difference. If your father had not died -when he did--Don't be frightened! How you start!” - -She did, indeed, start. And she caught his wrist with both her hands. - -“Pray,” said Mr. Lorry, in a soothing tone, bringing his left hand from -the back of the chair to lay it on the supplicatory fingers that clasped -him in so violent a tremble: “pray control your agitation--a matter of -business. As I was saying--” - -Her look so discomposed him that he stopped, wandered, and began anew: - -“As I was saying; if Monsieur Manette had not died; if he had suddenly -and silently disappeared; if he had been spirited away; if it had not -been difficult to guess to what dreadful place, though no art could -trace him; if he had an enemy in some compatriot who could exercise a -privilege that I in my own time have known the boldest people afraid -to speak of in a whisper, across the water there; for instance, the -privilege of filling up blank forms for the consignment of any one -to the oblivion of a prison for any length of time; if his wife had -implored the king, the queen, the court, the clergy, for any tidings of -him, and all quite in vain;--then the history of your father would have -been the history of this unfortunate gentleman, the Doctor of Beauvais.” - -“I entreat you to tell me more, sir.” - -“I will. I am going to. You can bear it?” - -“I can bear anything but the uncertainty you leave me in at this -moment.” - -“You speak collectedly, and you--_are_ collected. That's good!” (Though -his manner was less satisfied than his words.) “A matter of business. -Regard it as a matter of business--business that must be done. Now -if this doctor's wife, though a lady of great courage and spirit, -had suffered so intensely from this cause before her little child was -born--” - -“The little child was a daughter, sir.” - -“A daughter. A-a-matter of business--don't be distressed. Miss, if the -poor lady had suffered so intensely before her little child was born, -that she came to the determination of sparing the poor child the -inheritance of any part of the agony she had known the pains of, by -rearing her in the belief that her father was dead--No, don't kneel! In -Heaven's name why should you kneel to me!” - -“For the truth. O dear, good, compassionate sir, for the truth!” - -“A--a matter of business. You confuse me, and how can I transact -business if I am confused? Let us be clear-headed. If you could kindly -mention now, for instance, what nine times ninepence are, or how many -shillings in twenty guineas, it would be so encouraging. I should be so -much more at my ease about your state of mind.” - -Without directly answering to this appeal, she sat so still when he had -very gently raised her, and the hands that had not ceased to clasp -his wrists were so much more steady than they had been, that she -communicated some reassurance to Mr. Jarvis Lorry. - -“That's right, that's right. Courage! Business! You have business before -you; useful business. Miss Manette, your mother took this course with -you. And when she died--I believe broken-hearted--having never slackened -her unavailing search for your father, she left you, at two years old, -to grow to be blooming, beautiful, and happy, without the dark cloud -upon you of living in uncertainty whether your father soon wore his -heart out in prison, or wasted there through many lingering years.” - -As he said the words he looked down, with an admiring pity, on the -flowing golden hair; as if he pictured to himself that it might have -been already tinged with grey. - -“You know that your parents had no great possession, and that what -they had was secured to your mother and to you. There has been no new -discovery, of money, or of any other property; but--” - -He felt his wrist held closer, and he stopped. The expression in the -forehead, which had so particularly attracted his notice, and which was -now immovable, had deepened into one of pain and horror. - -“But he has been--been found. He is alive. Greatly changed, it is too -probable; almost a wreck, it is possible; though we will hope the best. -Still, alive. Your father has been taken to the house of an old servant -in Paris, and we are going there: I, to identify him if I can: you, to -restore him to life, love, duty, rest, comfort.” - -A shiver ran through her frame, and from it through his. She said, in a -low, distinct, awe-stricken voice, as if she were saying it in a dream, - -“I am going to see his Ghost! It will be his Ghost--not him!” - -Mr. Lorry quietly chafed the hands that held his arm. “There, there, -there! See now, see now! The best and the worst are known to you, now. -You are well on your way to the poor wronged gentleman, and, with a fair -sea voyage, and a fair land journey, you will be soon at his dear side.” - -She repeated in the same tone, sunk to a whisper, “I have been free, I -have been happy, yet his Ghost has never haunted me!” - -“Only one thing more,” said Mr. Lorry, laying stress upon it as a -wholesome means of enforcing her attention: “he has been found under -another name; his own, long forgotten or long concealed. It would be -worse than useless now to inquire which; worse than useless to seek to -know whether he has been for years overlooked, or always designedly -held prisoner. It would be worse than useless now to make any inquiries, -because it would be dangerous. Better not to mention the subject, -anywhere or in any way, and to remove him--for a while at all -events--out of France. Even I, safe as an Englishman, and even -Tellson's, important as they are to French credit, avoid all naming of -the matter. I carry about me, not a scrap of writing openly referring -to it. This is a secret service altogether. My credentials, entries, -and memoranda, are all comprehended in the one line, 'Recalled to Life;' -which may mean anything. But what is the matter! She doesn't notice a -word! Miss Manette!” - -Perfectly still and silent, and not even fallen back in her chair, she -sat under his hand, utterly insensible; with her eyes open and fixed -upon him, and with that last expression looking as if it were carved or -branded into her forehead. So close was her hold upon his arm, that he -feared to detach himself lest he should hurt her; therefore he called -out loudly for assistance without moving. - -A wild-looking woman, whom even in his agitation, Mr. Lorry observed to -be all of a red colour, and to have red hair, and to be dressed in some -extraordinary tight-fitting fashion, and to have on her head a most -wonderful bonnet like a Grenadier wooden measure, and good measure too, -or a great Stilton cheese, came running into the room in advance of the -inn servants, and soon settled the question of his detachment from the -poor young lady, by laying a brawny hand upon his chest, and sending him -flying back against the nearest wall. - -(“I really think this must be a man!” was Mr. Lorry's breathless -reflection, simultaneously with his coming against the wall.) - -“Why, look at you all!” bawled this figure, addressing the inn servants. -“Why don't you go and fetch things, instead of standing there staring -at me? I am not so much to look at, am I? Why don't you go and fetch -things? I'll let you know, if you don't bring smelling-salts, cold -water, and vinegar, quick, I will.” - -There was an immediate dispersal for these restoratives, and she -softly laid the patient on a sofa, and tended her with great skill and -gentleness: calling her “my precious!” and “my bird!” and spreading her -golden hair aside over her shoulders with great pride and care. - -“And you in brown!” she said, indignantly turning to Mr. Lorry; -“couldn't you tell her what you had to tell her, without frightening her -to death? Look at her, with her pretty pale face and her cold hands. Do -you call _that_ being a Banker?” - -Mr. Lorry was so exceedingly disconcerted by a question so hard to -answer, that he could only look on, at a distance, with much feebler -sympathy and humility, while the strong woman, having banished the inn -servants under the mysterious penalty of “letting them know” something -not mentioned if they stayed there, staring, recovered her charge by a -regular series of gradations, and coaxed her to lay her drooping head -upon her shoulder. - -“I hope she will do well now,” said Mr. Lorry. - -“No thanks to you in brown, if she does. My darling pretty!” - -“I hope,” said Mr. Lorry, after another pause of feeble sympathy and -humility, “that you accompany Miss Manette to France?” - -“A likely thing, too!” replied the strong woman. “If it was ever -intended that I should go across salt water, do you suppose Providence -would have cast my lot in an island?” - -This being another question hard to answer, Mr. Jarvis Lorry withdrew to -consider it. - - - - -V. The Wine-shop - - -A large cask of wine had been dropped and broken, in the street. The -accident had happened in getting it out of a cart; the cask had tumbled -out with a run, the hoops had burst, and it lay on the stones just -outside the door of the wine-shop, shattered like a walnut-shell. - -All the people within reach had suspended their business, or their -idleness, to run to the spot and drink the wine. The rough, irregular -stones of the street, pointing every way, and designed, one might have -thought, expressly to lame all living creatures that approached them, -had dammed it into little pools; these were surrounded, each by its own -jostling group or crowd, according to its size. Some men kneeled down, -made scoops of their two hands joined, and sipped, or tried to help -women, who bent over their shoulders, to sip, before the wine had all -run out between their fingers. Others, men and women, dipped in -the puddles with little mugs of mutilated earthenware, or even with -handkerchiefs from women's heads, which were squeezed dry into infants' -mouths; others made small mud-embankments, to stem the wine as it ran; -others, directed by lookers-on up at high windows, darted here and -there, to cut off little streams of wine that started away in new -directions; others devoted themselves to the sodden and lee-dyed -pieces of the cask, licking, and even champing the moister wine-rotted -fragments with eager relish. There was no drainage to carry off the -wine, and not only did it all get taken up, but so much mud got taken up -along with it, that there might have been a scavenger in the street, -if anybody acquainted with it could have believed in such a miraculous -presence. - -A shrill sound of laughter and of amused voices--voices of men, women, -and children--resounded in the street while this wine game lasted. There -was little roughness in the sport, and much playfulness. There was a -special companionship in it, an observable inclination on the part -of every one to join some other one, which led, especially among the -luckier or lighter-hearted, to frolicsome embraces, drinking of healths, -shaking of hands, and even joining of hands and dancing, a dozen -together. When the wine was gone, and the places where it had been -most abundant were raked into a gridiron-pattern by fingers, these -demonstrations ceased, as suddenly as they had broken out. The man who -had left his saw sticking in the firewood he was cutting, set it in -motion again; the women who had left on a door-step the little pot of -hot ashes, at which she had been trying to soften the pain in her own -starved fingers and toes, or in those of her child, returned to it; men -with bare arms, matted locks, and cadaverous faces, who had emerged into -the winter light from cellars, moved away, to descend again; and a gloom -gathered on the scene that appeared more natural to it than sunshine. - -The wine was red wine, and had stained the ground of the narrow street -in the suburb of Saint Antoine, in Paris, where it was spilled. It had -stained many hands, too, and many faces, and many naked feet, and many -wooden shoes. The hands of the man who sawed the wood, left red marks -on the billets; and the forehead of the woman who nursed her baby, was -stained with the stain of the old rag she wound about her head again. -Those who had been greedy with the staves of the cask, had acquired a -tigerish smear about the mouth; and one tall joker so besmirched, his -head more out of a long squalid bag of a nightcap than in it, scrawled -upon a wall with his finger dipped in muddy wine-lees--BLOOD. - -The time was to come, when that wine too would be spilled on the -street-stones, and when the stain of it would be red upon many there. - -And now that the cloud settled on Saint Antoine, which a momentary -gleam had driven from his sacred countenance, the darkness of it was -heavy--cold, dirt, sickness, ignorance, and want, were the lords in -waiting on the saintly presence--nobles of great power all of them; -but, most especially the last. Samples of a people that had undergone a -terrible grinding and regrinding in the mill, and certainly not in the -fabulous mill which ground old people young, shivered at every corner, -passed in and out at every doorway, looked from every window, fluttered -in every vestige of a garment that the wind shook. The mill which -had worked them down, was the mill that grinds young people old; the -children had ancient faces and grave voices; and upon them, and upon the -grown faces, and ploughed into every furrow of age and coming up afresh, -was the sigh, Hunger. It was prevalent everywhere. Hunger was pushed out -of the tall houses, in the wretched clothing that hung upon poles and -lines; Hunger was patched into them with straw and rag and wood and -paper; Hunger was repeated in every fragment of the small modicum of -firewood that the man sawed off; Hunger stared down from the smokeless -chimneys, and started up from the filthy street that had no offal, -among its refuse, of anything to eat. Hunger was the inscription on the -baker's shelves, written in every small loaf of his scanty stock of -bad bread; at the sausage-shop, in every dead-dog preparation that -was offered for sale. Hunger rattled its dry bones among the roasting -chestnuts in the turned cylinder; Hunger was shred into atomics in every -farthing porringer of husky chips of potato, fried with some reluctant -drops of oil. - -Its abiding place was in all things fitted to it. A narrow winding -street, full of offence and stench, with other narrow winding streets -diverging, all peopled by rags and nightcaps, and all smelling of rags -and nightcaps, and all visible things with a brooding look upon them -that looked ill. In the hunted air of the people there was yet some -wild-beast thought of the possibility of turning at bay. Depressed and -slinking though they were, eyes of fire were not wanting among them; nor -compressed lips, white with what they suppressed; nor foreheads knitted -into the likeness of the gallows-rope they mused about enduring, or -inflicting. The trade signs (and they were almost as many as the shops) -were, all, grim illustrations of Want. The butcher and the porkman -painted up, only the leanest scrags of meat; the baker, the coarsest of -meagre loaves. The people rudely pictured as drinking in the wine-shops, -croaked over their scanty measures of thin wine and beer, and were -gloweringly confidential together. Nothing was represented in a -flourishing condition, save tools and weapons; but, the cutler's knives -and axes were sharp and bright, the smith's hammers were heavy, and the -gunmaker's stock was murderous. The crippling stones of the pavement, -with their many little reservoirs of mud and water, had no footways, but -broke off abruptly at the doors. The kennel, to make amends, ran down -the middle of the street--when it ran at all: which was only after heavy -rains, and then it ran, by many eccentric fits, into the houses. Across -the streets, at wide intervals, one clumsy lamp was slung by a rope and -pulley; at night, when the lamplighter had let these down, and lighted, -and hoisted them again, a feeble grove of dim wicks swung in a sickly -manner overhead, as if they were at sea. Indeed they were at sea, and -the ship and crew were in peril of tempest. - -For, the time was to come, when the gaunt scarecrows of that region -should have watched the lamplighter, in their idleness and hunger, so -long, as to conceive the idea of improving on his method, and hauling -up men by those ropes and pulleys, to flare upon the darkness of their -condition. But, the time was not come yet; and every wind that blew over -France shook the rags of the scarecrows in vain, for the birds, fine of -song and feather, took no warning. - -The wine-shop was a corner shop, better than most others in its -appearance and degree, and the master of the wine-shop had stood outside -it, in a yellow waistcoat and green breeches, looking on at the struggle -for the lost wine. “It's not my affair,” said he, with a final shrug -of the shoulders. “The people from the market did it. Let them bring -another.” - -There, his eyes happening to catch the tall joker writing up his joke, -he called to him across the way: - -“Say, then, my Gaspard, what do you do there?” - -The fellow pointed to his joke with immense significance, as is often -the way with his tribe. It missed its mark, and completely failed, as is -often the way with his tribe too. - -“What now? Are you a subject for the mad hospital?” said the wine-shop -keeper, crossing the road, and obliterating the jest with a handful of -mud, picked up for the purpose, and smeared over it. “Why do you write -in the public streets? Is there--tell me thou--is there no other place -to write such words in?” - -In his expostulation he dropped his cleaner hand (perhaps accidentally, -perhaps not) upon the joker's heart. The joker rapped it with his -own, took a nimble spring upward, and came down in a fantastic dancing -attitude, with one of his stained shoes jerked off his foot into his -hand, and held out. A joker of an extremely, not to say wolfishly -practical character, he looked, under those circumstances. - -“Put it on, put it on,” said the other. “Call wine, wine; and finish -there.” With that advice, he wiped his soiled hand upon the joker's -dress, such as it was--quite deliberately, as having dirtied the hand on -his account; and then recrossed the road and entered the wine-shop. - -This wine-shop keeper was a bull-necked, martial-looking man of thirty, -and he should have been of a hot temperament, for, although it was a -bitter day, he wore no coat, but carried one slung over his shoulder. -His shirt-sleeves were rolled up, too, and his brown arms were bare to -the elbows. Neither did he wear anything more on his head than his own -crisply-curling short dark hair. He was a dark man altogether, with good -eyes and a good bold breadth between them. Good-humoured looking on -the whole, but implacable-looking, too; evidently a man of a strong -resolution and a set purpose; a man not desirable to be met, rushing -down a narrow pass with a gulf on either side, for nothing would turn -the man. - -Madame Defarge, his wife, sat in the shop behind the counter as he -came in. Madame Defarge was a stout woman of about his own age, with -a watchful eye that seldom seemed to look at anything, a large hand -heavily ringed, a steady face, strong features, and great composure of -manner. There was a character about Madame Defarge, from which one might -have predicated that she did not often make mistakes against herself -in any of the reckonings over which she presided. Madame Defarge being -sensitive to cold, was wrapped in fur, and had a quantity of bright -shawl twined about her head, though not to the concealment of her large -earrings. Her knitting was before her, but she had laid it down to pick -her teeth with a toothpick. Thus engaged, with her right elbow supported -by her left hand, Madame Defarge said nothing when her lord came in, but -coughed just one grain of cough. This, in combination with the lifting -of her darkly defined eyebrows over her toothpick by the breadth of a -line, suggested to her husband that he would do well to look round the -shop among the customers, for any new customer who had dropped in while -he stepped over the way. - -The wine-shop keeper accordingly rolled his eyes about, until they -rested upon an elderly gentleman and a young lady, who were seated in -a corner. Other company were there: two playing cards, two playing -dominoes, three standing by the counter lengthening out a short supply -of wine. As he passed behind the counter, he took notice that the -elderly gentleman said in a look to the young lady, “This is our man.” - -“What the devil do _you_ do in that galley there?” said Monsieur Defarge -to himself; “I don't know you.” - -But, he feigned not to notice the two strangers, and fell into discourse -with the triumvirate of customers who were drinking at the counter. - -“How goes it, Jacques?” said one of these three to Monsieur Defarge. “Is -all the spilt wine swallowed?” - -“Every drop, Jacques,” answered Monsieur Defarge. - -When this interchange of Christian name was effected, Madame Defarge, -picking her teeth with her toothpick, coughed another grain of cough, -and raised her eyebrows by the breadth of another line. - -“It is not often,” said the second of the three, addressing Monsieur -Defarge, “that many of these miserable beasts know the taste of wine, or -of anything but black bread and death. Is it not so, Jacques?” - -“It is so, Jacques,” Monsieur Defarge returned. - -At this second interchange of the Christian name, Madame Defarge, still -using her toothpick with profound composure, coughed another grain of -cough, and raised her eyebrows by the breadth of another line. - -The last of the three now said his say, as he put down his empty -drinking vessel and smacked his lips. - -“Ah! So much the worse! A bitter taste it is that such poor cattle -always have in their mouths, and hard lives they live, Jacques. Am I -right, Jacques?” - -“You are right, Jacques,” was the response of Monsieur Defarge. - -This third interchange of the Christian name was completed at the moment -when Madame Defarge put her toothpick by, kept her eyebrows up, and -slightly rustled in her seat. - -“Hold then! True!” muttered her husband. “Gentlemen--my wife!” - -The three customers pulled off their hats to Madame Defarge, with three -flourishes. She acknowledged their homage by bending her head, and -giving them a quick look. Then she glanced in a casual manner round the -wine-shop, took up her knitting with great apparent calmness and repose -of spirit, and became absorbed in it. - -“Gentlemen,” said her husband, who had kept his bright eye observantly -upon her, “good day. The chamber, furnished bachelor-fashion, that you -wished to see, and were inquiring for when I stepped out, is on the -fifth floor. The doorway of the staircase gives on the little courtyard -close to the left here,” pointing with his hand, “near to the window of -my establishment. But, now that I remember, one of you has already been -there, and can show the way. Gentlemen, adieu!” - -They paid for their wine, and left the place. The eyes of Monsieur -Defarge were studying his wife at her knitting when the elderly -gentleman advanced from his corner, and begged the favour of a word. - -“Willingly, sir,” said Monsieur Defarge, and quietly stepped with him to -the door. - -Their conference was very short, but very decided. Almost at the first -word, Monsieur Defarge started and became deeply attentive. It had -not lasted a minute, when he nodded and went out. The gentleman then -beckoned to the young lady, and they, too, went out. Madame Defarge -knitted with nimble fingers and steady eyebrows, and saw nothing. - -Mr. Jarvis Lorry and Miss Manette, emerging from the wine-shop thus, -joined Monsieur Defarge in the doorway to which he had directed his own -company just before. It opened from a stinking little black courtyard, -and was the general public entrance to a great pile of houses, inhabited -by a great number of people. In the gloomy tile-paved entry to the -gloomy tile-paved staircase, Monsieur Defarge bent down on one knee -to the child of his old master, and put her hand to his lips. It was -a gentle action, but not at all gently done; a very remarkable -transformation had come over him in a few seconds. He had no good-humour -in his face, nor any openness of aspect left, but had become a secret, -angry, dangerous man. - -“It is very high; it is a little difficult. Better to begin slowly.” - Thus, Monsieur Defarge, in a stern voice, to Mr. Lorry, as they began -ascending the stairs. - -“Is he alone?” the latter whispered. - -“Alone! God help him, who should be with him!” said the other, in the -same low voice. - -“Is he always alone, then?” - -“Yes.” - -“Of his own desire?” - -“Of his own necessity. As he was, when I first saw him after they -found me and demanded to know if I would take him, and, at my peril be -discreet--as he was then, so he is now.” - -“He is greatly changed?” - -“Changed!” - -The keeper of the wine-shop stopped to strike the wall with his hand, -and mutter a tremendous curse. No direct answer could have been half so -forcible. Mr. Lorry's spirits grew heavier and heavier, as he and his -two companions ascended higher and higher. - -Such a staircase, with its accessories, in the older and more crowded -parts of Paris, would be bad enough now; but, at that time, it was vile -indeed to unaccustomed and unhardened senses. Every little habitation -within the great foul nest of one high building--that is to say, -the room or rooms within every door that opened on the general -staircase--left its own heap of refuse on its own landing, besides -flinging other refuse from its own windows. The uncontrollable and -hopeless mass of decomposition so engendered, would have polluted -the air, even if poverty and deprivation had not loaded it with their -intangible impurities; the two bad sources combined made it almost -insupportable. Through such an atmosphere, by a steep dark shaft of dirt -and poison, the way lay. Yielding to his own disturbance of mind, and to -his young companion's agitation, which became greater every instant, Mr. -Jarvis Lorry twice stopped to rest. Each of these stoppages was made -at a doleful grating, by which any languishing good airs that were left -uncorrupted, seemed to escape, and all spoilt and sickly vapours seemed -to crawl in. Through the rusted bars, tastes, rather than glimpses, were -caught of the jumbled neighbourhood; and nothing within range, nearer -or lower than the summits of the two great towers of Notre-Dame, had any -promise on it of healthy life or wholesome aspirations. - -At last, the top of the staircase was gained, and they stopped for the -third time. There was yet an upper staircase, of a steeper inclination -and of contracted dimensions, to be ascended, before the garret story -was reached. The keeper of the wine-shop, always going a little in -advance, and always going on the side which Mr. Lorry took, as though he -dreaded to be asked any question by the young lady, turned himself about -here, and, carefully feeling in the pockets of the coat he carried over -his shoulder, took out a key. - -“The door is locked then, my friend?” said Mr. Lorry, surprised. - -“Ay. Yes,” was the grim reply of Monsieur Defarge. - -“You think it necessary to keep the unfortunate gentleman so retired?” - -“I think it necessary to turn the key.” Monsieur Defarge whispered it -closer in his ear, and frowned heavily. - -“Why?” - -“Why! Because he has lived so long, locked up, that he would be -frightened--rave--tear himself to pieces--die--come to I know not what -harm--if his door was left open.” - -“Is it possible!” exclaimed Mr. Lorry. - -“Is it possible!” repeated Defarge, bitterly. “Yes. And a beautiful -world we live in, when it _is_ possible, and when many other such things -are possible, and not only possible, but done--done, see you!--under -that sky there, every day. Long live the Devil. Let us go on.” - -This dialogue had been held in so very low a whisper, that not a word -of it had reached the young lady's ears. But, by this time she trembled -under such strong emotion, and her face expressed such deep anxiety, -and, above all, such dread and terror, that Mr. Lorry felt it incumbent -on him to speak a word or two of reassurance. - -“Courage, dear miss! Courage! Business! The worst will be over in a -moment; it is but passing the room-door, and the worst is over. Then, -all the good you bring to him, all the relief, all the happiness you -bring to him, begin. Let our good friend here, assist you on that side. -That's well, friend Defarge. Come, now. Business, business!” - -They went up slowly and softly. The staircase was short, and they were -soon at the top. There, as it had an abrupt turn in it, they came all at -once in sight of three men, whose heads were bent down close together at -the side of a door, and who were intently looking into the room to which -the door belonged, through some chinks or holes in the wall. On hearing -footsteps close at hand, these three turned, and rose, and showed -themselves to be the three of one name who had been drinking in the -wine-shop. - -“I forgot them in the surprise of your visit,” explained Monsieur -Defarge. “Leave us, good boys; we have business here.” - -The three glided by, and went silently down. - -There appearing to be no other door on that floor, and the keeper of -the wine-shop going straight to this one when they were left alone, Mr. -Lorry asked him in a whisper, with a little anger: - -“Do you make a show of Monsieur Manette?” - -“I show him, in the way you have seen, to a chosen few.” - -“Is that well?” - -“_I_ think it is well.” - -“Who are the few? How do you choose them?” - -“I choose them as real men, of my name--Jacques is my name--to whom the -sight is likely to do good. Enough; you are English; that is another -thing. Stay there, if you please, a little moment.” - -With an admonitory gesture to keep them back, he stooped, and looked in -through the crevice in the wall. Soon raising his head again, he struck -twice or thrice upon the door--evidently with no other object than to -make a noise there. With the same intention, he drew the key across it, -three or four times, before he put it clumsily into the lock, and turned -it as heavily as he could. - -The door slowly opened inward under his hand, and he looked into the -room and said something. A faint voice answered something. Little more -than a single syllable could have been spoken on either side. - -He looked back over his shoulder, and beckoned them to enter. Mr. Lorry -got his arm securely round the daughter's waist, and held her; for he -felt that she was sinking. - -“A-a-a-business, business!” he urged, with a moisture that was not of -business shining on his cheek. “Come in, come in!” - -“I am afraid of it,” she answered, shuddering. - -“Of it? What?” - -“I mean of him. Of my father.” - -Rendered in a manner desperate, by her state and by the beckoning of -their conductor, he drew over his neck the arm that shook upon his -shoulder, lifted her a little, and hurried her into the room. He sat her -down just within the door, and held her, clinging to him. - -Defarge drew out the key, closed the door, locked it on the inside, -took out the key again, and held it in his hand. All this he did, -methodically, and with as loud and harsh an accompaniment of noise as he -could make. Finally, he walked across the room with a measured tread to -where the window was. He stopped there, and faced round. - -The garret, built to be a depository for firewood and the like, was dim -and dark: for, the window of dormer shape, was in truth a door in the -roof, with a little crane over it for the hoisting up of stores from -the street: unglazed, and closing up the middle in two pieces, like any -other door of French construction. To exclude the cold, one half of this -door was fast closed, and the other was opened but a very little way. -Such a scanty portion of light was admitted through these means, that it -was difficult, on first coming in, to see anything; and long habit -alone could have slowly formed in any one, the ability to do any work -requiring nicety in such obscurity. Yet, work of that kind was being -done in the garret; for, with his back towards the door, and his face -towards the window where the keeper of the wine-shop stood looking at -him, a white-haired man sat on a low bench, stooping forward and very -busy, making shoes. - - - - -VI. The Shoemaker - - -“Good day!” said Monsieur Defarge, looking down at the white head that -bent low over the shoemaking. - -It was raised for a moment, and a very faint voice responded to the -salutation, as if it were at a distance: - -“Good day!” - -“You are still hard at work, I see?” - -After a long silence, the head was lifted for another moment, and the -voice replied, “Yes--I am working.” This time, a pair of haggard eyes -had looked at the questioner, before the face had dropped again. - -The faintness of the voice was pitiable and dreadful. It was not the -faintness of physical weakness, though confinement and hard fare no -doubt had their part in it. Its deplorable peculiarity was, that it was -the faintness of solitude and disuse. It was like the last feeble echo -of a sound made long and long ago. So entirely had it lost the life and -resonance of the human voice, that it affected the senses like a once -beautiful colour faded away into a poor weak stain. So sunken and -suppressed it was, that it was like a voice underground. So expressive -it was, of a hopeless and lost creature, that a famished traveller, -wearied out by lonely wandering in a wilderness, would have remembered -home and friends in such a tone before lying down to die. - -Some minutes of silent work had passed: and the haggard eyes had looked -up again: not with any interest or curiosity, but with a dull mechanical -perception, beforehand, that the spot where the only visitor they were -aware of had stood, was not yet empty. - -“I want,” said Defarge, who had not removed his gaze from the shoemaker, -“to let in a little more light here. You can bear a little more?” - -The shoemaker stopped his work; looked with a vacant air of listening, -at the floor on one side of him; then similarly, at the floor on the -other side of him; then, upward at the speaker. - -“What did you say?” - -“You can bear a little more light?” - -“I must bear it, if you let it in.” (Laying the palest shadow of a -stress upon the second word.) - -The opened half-door was opened a little further, and secured at that -angle for the time. A broad ray of light fell into the garret, and -showed the workman with an unfinished shoe upon his lap, pausing in his -labour. His few common tools and various scraps of leather were at his -feet and on his bench. He had a white beard, raggedly cut, but not very -long, a hollow face, and exceedingly bright eyes. The hollowness and -thinness of his face would have caused them to look large, under his yet -dark eyebrows and his confused white hair, though they had been really -otherwise; but, they were naturally large, and looked unnaturally so. -His yellow rags of shirt lay open at the throat, and showed his body -to be withered and worn. He, and his old canvas frock, and his loose -stockings, and all his poor tatters of clothes, had, in a long seclusion -from direct light and air, faded down to such a dull uniformity of -parchment-yellow, that it would have been hard to say which was which. - -He had put up a hand between his eyes and the light, and the very bones -of it seemed transparent. So he sat, with a steadfastly vacant gaze, -pausing in his work. He never looked at the figure before him, without -first looking down on this side of himself, then on that, as if he had -lost the habit of associating place with sound; he never spoke, without -first wandering in this manner, and forgetting to speak. - -“Are you going to finish that pair of shoes to-day?” asked Defarge, -motioning to Mr. Lorry to come forward. - -“What did you say?” - -“Do you mean to finish that pair of shoes to-day?” - -“I can't say that I mean to. I suppose so. I don't know.” - -But, the question reminded him of his work, and he bent over it again. - -Mr. Lorry came silently forward, leaving the daughter by the door. When -he had stood, for a minute or two, by the side of Defarge, the shoemaker -looked up. He showed no surprise at seeing another figure, but the -unsteady fingers of one of his hands strayed to his lips as he looked at -it (his lips and his nails were of the same pale lead-colour), and then -the hand dropped to his work, and he once more bent over the shoe. The -look and the action had occupied but an instant. - -“You have a visitor, you see,” said Monsieur Defarge. - -“What did you say?” - -“Here is a visitor.” - -The shoemaker looked up as before, but without removing a hand from his -work. - -“Come!” said Defarge. “Here is monsieur, who knows a well-made shoe when -he sees one. Show him that shoe you are working at. Take it, monsieur.” - -Mr. Lorry took it in his hand. - -“Tell monsieur what kind of shoe it is, and the maker's name.” - -There was a longer pause than usual, before the shoemaker replied: - -“I forget what it was you asked me. What did you say?” - -“I said, couldn't you describe the kind of shoe, for monsieur's -information?” - -“It is a lady's shoe. It is a young lady's walking-shoe. It is in the -present mode. I never saw the mode. I have had a pattern in my hand.” He -glanced at the shoe with some little passing touch of pride. - -“And the maker's name?” said Defarge. - -Now that he had no work to hold, he laid the knuckles of the right hand -in the hollow of the left, and then the knuckles of the left hand in the -hollow of the right, and then passed a hand across his bearded chin, and -so on in regular changes, without a moment's intermission. The task of -recalling him from the vagrancy into which he always sank when he -had spoken, was like recalling some very weak person from a swoon, or -endeavouring, in the hope of some disclosure, to stay the spirit of a -fast-dying man. - -“Did you ask me for my name?” - -“Assuredly I did.” - -“One Hundred and Five, North Tower.” - -“Is that all?” - -“One Hundred and Five, North Tower.” - -With a weary sound that was not a sigh, nor a groan, he bent to work -again, until the silence was again broken. - -“You are not a shoemaker by trade?” said Mr. Lorry, looking steadfastly -at him. - -His haggard eyes turned to Defarge as if he would have transferred the -question to him: but as no help came from that quarter, they turned back -on the questioner when they had sought the ground. - -“I am not a shoemaker by trade? No, I was not a shoemaker by trade. I-I -learnt it here. I taught myself. I asked leave to--” - -He lapsed away, even for minutes, ringing those measured changes on his -hands the whole time. His eyes came slowly back, at last, to the face -from which they had wandered; when they rested on it, he started, and -resumed, in the manner of a sleeper that moment awake, reverting to a -subject of last night. - -“I asked leave to teach myself, and I got it with much difficulty after -a long while, and I have made shoes ever since.” - -As he held out his hand for the shoe that had been taken from him, Mr. -Lorry said, still looking steadfastly in his face: - -“Monsieur Manette, do you remember nothing of me?” - -The shoe dropped to the ground, and he sat looking fixedly at the -questioner. - -“Monsieur Manette”; Mr. Lorry laid his hand upon Defarge's arm; “do you -remember nothing of this man? Look at him. Look at me. Is there no old -banker, no old business, no old servant, no old time, rising in your -mind, Monsieur Manette?” - -As the captive of many years sat looking fixedly, by turns, at Mr. -Lorry and at Defarge, some long obliterated marks of an actively intent -intelligence in the middle of the forehead, gradually forced themselves -through the black mist that had fallen on him. They were overclouded -again, they were fainter, they were gone; but they had been there. And -so exactly was the expression repeated on the fair young face of her who -had crept along the wall to a point where she could see him, and where -she now stood looking at him, with hands which at first had been only -raised in frightened compassion, if not even to keep him off and -shut out the sight of him, but which were now extending towards him, -trembling with eagerness to lay the spectral face upon her warm young -breast, and love it back to life and hope--so exactly was the expression -repeated (though in stronger characters) on her fair young face, that it -looked as though it had passed like a moving light, from him to her. - -Darkness had fallen on him in its place. He looked at the two, less and -less attentively, and his eyes in gloomy abstraction sought the ground -and looked about him in the old way. Finally, with a deep long sigh, he -took the shoe up, and resumed his work. - -“Have you recognised him, monsieur?” asked Defarge in a whisper. - -“Yes; for a moment. At first I thought it quite hopeless, but I have -unquestionably seen, for a single moment, the face that I once knew so -well. Hush! Let us draw further back. Hush!” - -She had moved from the wall of the garret, very near to the bench on -which he sat. There was something awful in his unconsciousness of the -figure that could have put out its hand and touched him as he stooped -over his labour. - -Not a word was spoken, not a sound was made. She stood, like a spirit, -beside him, and he bent over his work. - -It happened, at length, that he had occasion to change the instrument -in his hand, for his shoemaker's knife. It lay on that side of him -which was not the side on which she stood. He had taken it up, and was -stooping to work again, when his eyes caught the skirt of her dress. He -raised them, and saw her face. The two spectators started forward, -but she stayed them with a motion of her hand. She had no fear of his -striking at her with the knife, though they had. - -He stared at her with a fearful look, and after a while his lips began -to form some words, though no sound proceeded from them. By degrees, in -the pauses of his quick and laboured breathing, he was heard to say: - -“What is this?” - -With the tears streaming down her face, she put her two hands to her -lips, and kissed them to him; then clasped them on her breast, as if she -laid his ruined head there. - -“You are not the gaoler's daughter?” - -She sighed “No.” - -“Who are you?” - -Not yet trusting the tones of her voice, she sat down on the bench -beside him. He recoiled, but she laid her hand upon his arm. A strange -thrill struck him when she did so, and visibly passed over his frame; he -laid the knife down softly, as he sat staring at her. - -Her golden hair, which she wore in long curls, had been hurriedly pushed -aside, and fell down over her neck. Advancing his hand by little and -little, he took it up and looked at it. In the midst of the action -he went astray, and, with another deep sigh, fell to work at his -shoemaking. - -But not for long. Releasing his arm, she laid her hand upon his -shoulder. After looking doubtfully at it, two or three times, as if to -be sure that it was really there, he laid down his work, put his hand -to his neck, and took off a blackened string with a scrap of folded rag -attached to it. He opened this, carefully, on his knee, and it contained -a very little quantity of hair: not more than one or two long golden -hairs, which he had, in some old day, wound off upon his finger. - -He took her hair into his hand again, and looked closely at it. “It is -the same. How can it be! When was it! How was it!” - -As the concentrated expression returned to his forehead, he seemed to -become conscious that it was in hers too. He turned her full to the -light, and looked at her. - -“She had laid her head upon my shoulder, that night when I was summoned -out--she had a fear of my going, though I had none--and when I was -brought to the North Tower they found these upon my sleeve. 'You will -leave me them? They can never help me to escape in the body, though they -may in the spirit.' Those were the words I said. I remember them very -well.” - -He formed this speech with his lips many times before he could utter it. -But when he did find spoken words for it, they came to him coherently, -though slowly. - -“How was this?--_Was it you_?” - -Once more, the two spectators started, as he turned upon her with a -frightful suddenness. But she sat perfectly still in his grasp, and only -said, in a low voice, “I entreat you, good gentlemen, do not come near -us, do not speak, do not move!” - -“Hark!” he exclaimed. “Whose voice was that?” - -His hands released her as he uttered this cry, and went up to his white -hair, which they tore in a frenzy. It died out, as everything but his -shoemaking did die out of him, and he refolded his little packet and -tried to secure it in his breast; but he still looked at her, and -gloomily shook his head. - -“No, no, no; you are too young, too blooming. It can't be. See what the -prisoner is. These are not the hands she knew, this is not the face -she knew, this is not a voice she ever heard. No, no. She was--and He -was--before the slow years of the North Tower--ages ago. What is your -name, my gentle angel?” - -Hailing his softened tone and manner, his daughter fell upon her knees -before him, with her appealing hands upon his breast. - -“O, sir, at another time you shall know my name, and who my mother was, -and who my father, and how I never knew their hard, hard history. But I -cannot tell you at this time, and I cannot tell you here. All that I may -tell you, here and now, is, that I pray to you to touch me and to bless -me. Kiss me, kiss me! O my dear, my dear!” - -His cold white head mingled with her radiant hair, which warmed and -lighted it as though it were the light of Freedom shining on him. - -“If you hear in my voice--I don't know that it is so, but I hope it -is--if you hear in my voice any resemblance to a voice that once was -sweet music in your ears, weep for it, weep for it! If you touch, in -touching my hair, anything that recalls a beloved head that lay on your -breast when you were young and free, weep for it, weep for it! If, when -I hint to you of a Home that is before us, where I will be true to you -with all my duty and with all my faithful service, I bring back the -remembrance of a Home long desolate, while your poor heart pined away, -weep for it, weep for it!” - -She held him closer round the neck, and rocked him on her breast like a -child. - -“If, when I tell you, dearest dear, that your agony is over, and that I -have come here to take you from it, and that we go to England to be at -peace and at rest, I cause you to think of your useful life laid waste, -and of our native France so wicked to you, weep for it, weep for it! And -if, when I shall tell you of my name, and of my father who is living, -and of my mother who is dead, you learn that I have to kneel to my -honoured father, and implore his pardon for having never for his sake -striven all day and lain awake and wept all night, because the love of -my poor mother hid his torture from me, weep for it, weep for it! Weep -for her, then, and for me! Good gentlemen, thank God! I feel his sacred -tears upon my face, and his sobs strike against my heart. O, see! Thank -God for us, thank God!” - -He had sunk in her arms, and his face dropped on her breast: a sight so -touching, yet so terrible in the tremendous wrong and suffering which -had gone before it, that the two beholders covered their faces. - -When the quiet of the garret had been long undisturbed, and his heaving -breast and shaken form had long yielded to the calm that must follow all -storms--emblem to humanity, of the rest and silence into which the storm -called Life must hush at last--they came forward to raise the father and -daughter from the ground. He had gradually dropped to the floor, and lay -there in a lethargy, worn out. She had nestled down with him, that his -head might lie upon her arm; and her hair drooping over him curtained -him from the light. - -“If, without disturbing him,” she said, raising her hand to Mr. Lorry as -he stooped over them, after repeated blowings of his nose, “all could be -arranged for our leaving Paris at once, so that, from the very door, he -could be taken away--” - -“But, consider. Is he fit for the journey?” asked Mr. Lorry. - -“More fit for that, I think, than to remain in this city, so dreadful to -him.” - -“It is true,” said Defarge, who was kneeling to look on and hear. “More -than that; Monsieur Manette is, for all reasons, best out of France. -Say, shall I hire a carriage and post-horses?” - -“That's business,” said Mr. Lorry, resuming on the shortest notice his -methodical manners; “and if business is to be done, I had better do it.” - -“Then be so kind,” urged Miss Manette, “as to leave us here. You see how -composed he has become, and you cannot be afraid to leave him with me -now. Why should you be? If you will lock the door to secure us from -interruption, I do not doubt that you will find him, when you come back, -as quiet as you leave him. In any case, I will take care of him until -you return, and then we will remove him straight.” - -Both Mr. Lorry and Defarge were rather disinclined to this course, and -in favour of one of them remaining. But, as there were not only carriage -and horses to be seen to, but travelling papers; and as time pressed, -for the day was drawing to an end, it came at last to their hastily -dividing the business that was necessary to be done, and hurrying away -to do it. - -Then, as the darkness closed in, the daughter laid her head down on the -hard ground close at the father's side, and watched him. The darkness -deepened and deepened, and they both lay quiet, until a light gleamed -through the chinks in the wall. - -Mr. Lorry and Monsieur Defarge had made all ready for the journey, and -had brought with them, besides travelling cloaks and wrappers, bread and -meat, wine, and hot coffee. Monsieur Defarge put this provender, and the -lamp he carried, on the shoemaker's bench (there was nothing else in the -garret but a pallet bed), and he and Mr. Lorry roused the captive, and -assisted him to his feet. - -No human intelligence could have read the mysteries of his mind, in -the scared blank wonder of his face. Whether he knew what had happened, -whether he recollected what they had said to him, whether he knew that -he was free, were questions which no sagacity could have solved. They -tried speaking to him; but, he was so confused, and so very slow to -answer, that they took fright at his bewilderment, and agreed for -the time to tamper with him no more. He had a wild, lost manner of -occasionally clasping his head in his hands, that had not been seen -in him before; yet, he had some pleasure in the mere sound of his -daughter's voice, and invariably turned to it when she spoke. - -In the submissive way of one long accustomed to obey under coercion, he -ate and drank what they gave him to eat and drink, and put on the cloak -and other wrappings, that they gave him to wear. He readily responded to -his daughter's drawing her arm through his, and took--and kept--her hand -in both his own. - -They began to descend; Monsieur Defarge going first with the lamp, Mr. -Lorry closing the little procession. They had not traversed many steps -of the long main staircase when he stopped, and stared at the roof and -round at the walls. - -“You remember the place, my father? You remember coming up here?” - -“What did you say?” - -But, before she could repeat the question, he murmured an answer as if -she had repeated it. - -“Remember? No, I don't remember. It was so very long ago.” - -That he had no recollection whatever of his having been brought from his -prison to that house, was apparent to them. They heard him mutter, -“One Hundred and Five, North Tower;” and when he looked about him, it -evidently was for the strong fortress-walls which had long encompassed -him. On their reaching the courtyard he instinctively altered his -tread, as being in expectation of a drawbridge; and when there was -no drawbridge, and he saw the carriage waiting in the open street, he -dropped his daughter's hand and clasped his head again. - -No crowd was about the door; no people were discernible at any of the -many windows; not even a chance passerby was in the street. An unnatural -silence and desertion reigned there. Only one soul was to be seen, and -that was Madame Defarge--who leaned against the door-post, knitting, and -saw nothing. - -The prisoner had got into a coach, and his daughter had followed -him, when Mr. Lorry's feet were arrested on the step by his asking, -miserably, for his shoemaking tools and the unfinished shoes. Madame -Defarge immediately called to her husband that she would get them, and -went, knitting, out of the lamplight, through the courtyard. She quickly -brought them down and handed them in;--and immediately afterwards leaned -against the door-post, knitting, and saw nothing. - -Defarge got upon the box, and gave the word “To the Barrier!” The -postilion cracked his whip, and they clattered away under the feeble -over-swinging lamps. - -Under the over-swinging lamps--swinging ever brighter in the better -streets, and ever dimmer in the worse--and by lighted shops, gay crowds, -illuminated coffee-houses, and theatre-doors, to one of the city -gates. Soldiers with lanterns, at the guard-house there. “Your papers, -travellers!” “See here then, Monsieur the Officer,” said Defarge, -getting down, and taking him gravely apart, “these are the papers of -monsieur inside, with the white head. They were consigned to me, with -him, at the--” He dropped his voice, there was a flutter among the -military lanterns, and one of them being handed into the coach by an arm -in uniform, the eyes connected with the arm looked, not an every day -or an every night look, at monsieur with the white head. “It is well. -Forward!” from the uniform. “Adieu!” from Defarge. And so, under a short -grove of feebler and feebler over-swinging lamps, out under the great -grove of stars. - -Beneath that arch of unmoved and eternal lights; some, so remote from -this little earth that the learned tell us it is doubtful whether their -rays have even yet discovered it, as a point in space where anything -is suffered or done: the shadows of the night were broad and black. -All through the cold and restless interval, until dawn, they once more -whispered in the ears of Mr. Jarvis Lorry--sitting opposite the buried -man who had been dug out, and wondering what subtle powers were for ever -lost to him, and what were capable of restoration--the old inquiry: - -“I hope you care to be recalled to life?” - -And the old answer: - -“I can't say.” - - -The end of the first book. - - - - - -Book the Second--the Golden Thread - - - - -I. Five Years Later - - -Tellson's Bank by Temple Bar was an old-fashioned place, even in the -year one thousand seven hundred and eighty. It was very small, very -dark, very ugly, very incommodious. It was an old-fashioned place, -moreover, in the moral attribute that the partners in the House were -proud of its smallness, proud of its darkness, proud of its ugliness, -proud of its incommodiousness. They were even boastful of its eminence -in those particulars, and were fired by an express conviction that, if -it were less objectionable, it would be less respectable. This was -no passive belief, but an active weapon which they flashed at more -convenient places of business. Tellson's (they said) wanted -no elbow-room, Tellson's wanted no light, Tellson's wanted no -embellishment. Noakes and Co.'s might, or Snooks Brothers' might; but -Tellson's, thank Heaven--! - -Any one of these partners would have disinherited his son on the -question of rebuilding Tellson's. In this respect the House was much -on a par with the Country; which did very often disinherit its sons for -suggesting improvements in laws and customs that had long been highly -objectionable, but were only the more respectable. - -Thus it had come to pass, that Tellson's was the triumphant perfection -of inconvenience. After bursting open a door of idiotic obstinacy with -a weak rattle in its throat, you fell into Tellson's down two steps, -and came to your senses in a miserable little shop, with two little -counters, where the oldest of men made your cheque shake as if the -wind rustled it, while they examined the signature by the dingiest of -windows, which were always under a shower-bath of mud from Fleet-street, -and which were made the dingier by their own iron bars proper, and the -heavy shadow of Temple Bar. If your business necessitated your seeing -“the House,” you were put into a species of Condemned Hold at the back, -where you meditated on a misspent life, until the House came with its -hands in its pockets, and you could hardly blink at it in the dismal -twilight. Your money came out of, or went into, wormy old wooden -drawers, particles of which flew up your nose and down your throat when -they were opened and shut. Your bank-notes had a musty odour, as if they -were fast decomposing into rags again. Your plate was stowed away among -the neighbouring cesspools, and evil communications corrupted its good -polish in a day or two. Your deeds got into extemporised strong-rooms -made of kitchens and sculleries, and fretted all the fat out of their -parchments into the banking-house air. Your lighter boxes of family -papers went up-stairs into a Barmecide room, that always had a great -dining-table in it and never had a dinner, and where, even in the year -one thousand seven hundred and eighty, the first letters written to you -by your old love, or by your little children, were but newly released -from the horror of being ogled through the windows, by the heads -exposed on Temple Bar with an insensate brutality and ferocity worthy of -Abyssinia or Ashantee. - -But indeed, at that time, putting to death was a recipe much in vogue -with all trades and professions, and not least of all with Tellson's. -Death is Nature's remedy for all things, and why not Legislation's? -Accordingly, the forger was put to Death; the utterer of a bad note -was put to Death; the unlawful opener of a letter was put to Death; the -purloiner of forty shillings and sixpence was put to Death; the holder -of a horse at Tellson's door, who made off with it, was put to -Death; the coiner of a bad shilling was put to Death; the sounders of -three-fourths of the notes in the whole gamut of Crime, were put to -Death. Not that it did the least good in the way of prevention--it -might almost have been worth remarking that the fact was exactly the -reverse--but, it cleared off (as to this world) the trouble of each -particular case, and left nothing else connected with it to be looked -after. Thus, Tellson's, in its day, like greater places of business, -its contemporaries, had taken so many lives, that, if the heads laid -low before it had been ranged on Temple Bar instead of being privately -disposed of, they would probably have excluded what little light the -ground floor had, in a rather significant manner. - -Cramped in all kinds of dim cupboards and hutches at Tellson's, the -oldest of men carried on the business gravely. When they took a young -man into Tellson's London house, they hid him somewhere till he was -old. They kept him in a dark place, like a cheese, until he had the full -Tellson flavour and blue-mould upon him. Then only was he permitted to -be seen, spectacularly poring over large books, and casting his breeches -and gaiters into the general weight of the establishment. - -Outside Tellson's--never by any means in it, unless called in--was an -odd-job-man, an occasional porter and messenger, who served as the live -sign of the house. He was never absent during business hours, unless -upon an errand, and then he was represented by his son: a grisly urchin -of twelve, who was his express image. People understood that Tellson's, -in a stately way, tolerated the odd-job-man. The house had always -tolerated some person in that capacity, and time and tide had drifted -this person to the post. His surname was Cruncher, and on the youthful -occasion of his renouncing by proxy the works of darkness, in the -easterly parish church of Hounsditch, he had received the added -appellation of Jerry. - -The scene was Mr. Cruncher's private lodging in Hanging-sword-alley, -Whitefriars: the time, half-past seven of the clock on a windy March -morning, Anno Domini seventeen hundred and eighty. (Mr. Cruncher himself -always spoke of the year of our Lord as Anna Dominoes: apparently under -the impression that the Christian era dated from the invention of a -popular game, by a lady who had bestowed her name upon it.) - -Mr. Cruncher's apartments were not in a savoury neighbourhood, and were -but two in number, even if a closet with a single pane of glass in it -might be counted as one. But they were very decently kept. Early as -it was, on the windy March morning, the room in which he lay abed was -already scrubbed throughout; and between the cups and saucers arranged -for breakfast, and the lumbering deal table, a very clean white cloth -was spread. - -Mr. Cruncher reposed under a patchwork counterpane, like a Harlequin -at home. At first, he slept heavily, but, by degrees, began to roll -and surge in bed, until he rose above the surface, with his spiky hair -looking as if it must tear the sheets to ribbons. At which juncture, he -exclaimed, in a voice of dire exasperation: - -“Bust me, if she ain't at it agin!” - -A woman of orderly and industrious appearance rose from her knees in a -corner, with sufficient haste and trepidation to show that she was the -person referred to. - -“What!” said Mr. Cruncher, looking out of bed for a boot. “You're at it -agin, are you?” - -After hailing the morn with this second salutation, he threw a boot at -the woman as a third. It was a very muddy boot, and may introduce the -odd circumstance connected with Mr. Cruncher's domestic economy, that, -whereas he often came home after banking hours with clean boots, he -often got up next morning to find the same boots covered with clay. - -“What,” said Mr. Cruncher, varying his apostrophe after missing his -mark--“what are you up to, Aggerawayter?” - -“I was only saying my prayers.” - -“Saying your prayers! You're a nice woman! What do you mean by flopping -yourself down and praying agin me?” - -“I was not praying against you; I was praying for you.” - -“You weren't. And if you were, I won't be took the liberty with. Here! -your mother's a nice woman, young Jerry, going a praying agin your -father's prosperity. You've got a dutiful mother, you have, my son. -You've got a religious mother, you have, my boy: going and flopping -herself down, and praying that the bread-and-butter may be snatched out -of the mouth of her only child.” - -Master Cruncher (who was in his shirt) took this very ill, and, turning -to his mother, strongly deprecated any praying away of his personal -board. - -“And what do you suppose, you conceited female,” said Mr. Cruncher, with -unconscious inconsistency, “that the worth of _your_ prayers may be? -Name the price that you put _your_ prayers at!” - -“They only come from the heart, Jerry. They are worth no more than -that.” - -“Worth no more than that,” repeated Mr. Cruncher. “They ain't worth -much, then. Whether or no, I won't be prayed agin, I tell you. I can't -afford it. I'm not a going to be made unlucky by _your_ sneaking. If -you must go flopping yourself down, flop in favour of your husband and -child, and not in opposition to 'em. If I had had any but a unnat'ral -wife, and this poor boy had had any but a unnat'ral mother, I might -have made some money last week instead of being counter-prayed and -countermined and religiously circumwented into the worst of luck. -B-u-u-ust me!” said Mr. Cruncher, who all this time had been putting -on his clothes, “if I ain't, what with piety and one blowed thing and -another, been choused this last week into as bad luck as ever a poor -devil of a honest tradesman met with! Young Jerry, dress yourself, my -boy, and while I clean my boots keep a eye upon your mother now and -then, and if you see any signs of more flopping, give me a call. For, I -tell you,” here he addressed his wife once more, “I won't be gone agin, -in this manner. I am as rickety as a hackney-coach, I'm as sleepy as -laudanum, my lines is strained to that degree that I shouldn't know, if -it wasn't for the pain in 'em, which was me and which somebody else, yet -I'm none the better for it in pocket; and it's my suspicion that you've -been at it from morning to night to prevent me from being the better for -it in pocket, and I won't put up with it, Aggerawayter, and what do you -say now!” - -Growling, in addition, such phrases as “Ah! yes! You're religious, too. -You wouldn't put yourself in opposition to the interests of your husband -and child, would you? Not you!” and throwing off other sarcastic sparks -from the whirling grindstone of his indignation, Mr. Cruncher betook -himself to his boot-cleaning and his general preparation for business. -In the meantime, his son, whose head was garnished with tenderer spikes, -and whose young eyes stood close by one another, as his father's did, -kept the required watch upon his mother. He greatly disturbed that poor -woman at intervals, by darting out of his sleeping closet, where he made -his toilet, with a suppressed cry of “You are going to flop, mother. ---Halloa, father!” and, after raising this fictitious alarm, darting in -again with an undutiful grin. - -Mr. Cruncher's temper was not at all improved when he came to his -breakfast. He resented Mrs. Cruncher's saying grace with particular -animosity. - -“Now, Aggerawayter! What are you up to? At it again?” - -His wife explained that she had merely “asked a blessing.” - -“Don't do it!” said Mr. Crunches looking about, as if he rather expected -to see the loaf disappear under the efficacy of his wife's petitions. “I -ain't a going to be blest out of house and home. I won't have my wittles -blest off my table. Keep still!” - -Exceedingly red-eyed and grim, as if he had been up all night at a party -which had taken anything but a convivial turn, Jerry Cruncher worried -his breakfast rather than ate it, growling over it like any four-footed -inmate of a menagerie. Towards nine o'clock he smoothed his ruffled -aspect, and, presenting as respectable and business-like an exterior as -he could overlay his natural self with, issued forth to the occupation -of the day. - -It could scarcely be called a trade, in spite of his favourite -description of himself as “a honest tradesman.” His stock consisted of -a wooden stool, made out of a broken-backed chair cut down, which stool, -young Jerry, walking at his father's side, carried every morning to -beneath the banking-house window that was nearest Temple Bar: where, -with the addition of the first handful of straw that could be gleaned -from any passing vehicle to keep the cold and wet from the odd-job-man's -feet, it formed the encampment for the day. On this post of his, Mr. -Cruncher was as well known to Fleet-street and the Temple, as the Bar -itself,--and was almost as in-looking. - -Encamped at a quarter before nine, in good time to touch his -three-cornered hat to the oldest of men as they passed in to Tellson's, -Jerry took up his station on this windy March morning, with young Jerry -standing by him, when not engaged in making forays through the Bar, to -inflict bodily and mental injuries of an acute description on passing -boys who were small enough for his amiable purpose. Father and son, -extremely like each other, looking silently on at the morning traffic -in Fleet-street, with their two heads as near to one another as the two -eyes of each were, bore a considerable resemblance to a pair of monkeys. -The resemblance was not lessened by the accidental circumstance, that -the mature Jerry bit and spat out straw, while the twinkling eyes of the -youthful Jerry were as restlessly watchful of him as of everything else -in Fleet-street. - -The head of one of the regular indoor messengers attached to Tellson's -establishment was put through the door, and the word was given: - -“Porter wanted!” - -“Hooray, father! Here's an early job to begin with!” - -Having thus given his parent God speed, young Jerry seated himself on -the stool, entered on his reversionary interest in the straw his father -had been chewing, and cogitated. - -“Al-ways rusty! His fingers is al-ways rusty!” muttered young Jerry. -“Where does my father get all that iron rust from? He don't get no iron -rust here!” - - - - -II. A Sight - - -“You know the Old Bailey well, no doubt?” said one of the oldest of -clerks to Jerry the messenger. - -“Ye-es, sir,” returned Jerry, in something of a dogged manner. “I _do_ -know the Bailey.” - -“Just so. And you know Mr. Lorry.” - -“I know Mr. Lorry, sir, much better than I know the Bailey. Much -better,” said Jerry, not unlike a reluctant witness at the establishment -in question, “than I, as a honest tradesman, wish to know the Bailey.” - -“Very well. Find the door where the witnesses go in, and show the -door-keeper this note for Mr. Lorry. He will then let you in.” - -“Into the court, sir?” - -“Into the court.” - -Mr. Cruncher's eyes seemed to get a little closer to one another, and to -interchange the inquiry, “What do you think of this?” - -“Am I to wait in the court, sir?” he asked, as the result of that -conference. - -“I am going to tell you. The door-keeper will pass the note to Mr. -Lorry, and do you make any gesture that will attract Mr. Lorry's -attention, and show him where you stand. Then what you have to do, is, -to remain there until he wants you.” - -“Is that all, sir?” - -“That's all. He wishes to have a messenger at hand. This is to tell him -you are there.” - -As the ancient clerk deliberately folded and superscribed the note, -Mr. Cruncher, after surveying him in silence until he came to the -blotting-paper stage, remarked: - -“I suppose they'll be trying Forgeries this morning?” - -“Treason!” - -“That's quartering,” said Jerry. “Barbarous!” - -“It is the law,” remarked the ancient clerk, turning his surprised -spectacles upon him. “It is the law.” - -“It's hard in the law to spile a man, I think. It's hard enough to kill -him, but it's wery hard to spile him, sir.” - -“Not at all,” retained the ancient clerk. “Speak well of the law. Take -care of your chest and voice, my good friend, and leave the law to take -care of itself. I give you that advice.” - -“It's the damp, sir, what settles on my chest and voice,” said Jerry. “I -leave you to judge what a damp way of earning a living mine is.” - -“Well, well,” said the old clerk; “we all have our various ways of -gaining a livelihood. Some of us have damp ways, and some of us have dry -ways. Here is the letter. Go along.” - -Jerry took the letter, and, remarking to himself with less internal -deference than he made an outward show of, “You are a lean old one, -too,” made his bow, informed his son, in passing, of his destination, -and went his way. - -They hanged at Tyburn, in those days, so the street outside Newgate had -not obtained one infamous notoriety that has since attached to it. -But, the gaol was a vile place, in which most kinds of debauchery and -villainy were practised, and where dire diseases were bred, that came -into court with the prisoners, and sometimes rushed straight from the -dock at my Lord Chief Justice himself, and pulled him off the bench. It -had more than once happened, that the Judge in the black cap pronounced -his own doom as certainly as the prisoner's, and even died before him. -For the rest, the Old Bailey was famous as a kind of deadly inn-yard, -from which pale travellers set out continually, in carts and coaches, on -a violent passage into the other world: traversing some two miles and a -half of public street and road, and shaming few good citizens, if any. -So powerful is use, and so desirable to be good use in the beginning. It -was famous, too, for the pillory, a wise old institution, that inflicted -a punishment of which no one could foresee the extent; also, for -the whipping-post, another dear old institution, very humanising and -softening to behold in action; also, for extensive transactions in -blood-money, another fragment of ancestral wisdom, systematically -leading to the most frightful mercenary crimes that could be committed -under Heaven. Altogether, the Old Bailey, at that date, was a choice -illustration of the precept, that “Whatever is is right;” an aphorism -that would be as final as it is lazy, did it not include the troublesome -consequence, that nothing that ever was, was wrong. - -Making his way through the tainted crowd, dispersed up and down this -hideous scene of action, with the skill of a man accustomed to make his -way quietly, the messenger found out the door he sought, and handed in -his letter through a trap in it. For, people then paid to see the play -at the Old Bailey, just as they paid to see the play in Bedlam--only the -former entertainment was much the dearer. Therefore, all the Old Bailey -doors were well guarded--except, indeed, the social doors by which the -criminals got there, and those were always left wide open. - -After some delay and demur, the door grudgingly turned on its hinges a -very little way, and allowed Mr. Jerry Cruncher to squeeze himself into -court. - -“What's on?” he asked, in a whisper, of the man he found himself next -to. - -“Nothing yet.” - -“What's coming on?” - -“The Treason case.” - -“The quartering one, eh?” - -“Ah!” returned the man, with a relish; “he'll be drawn on a hurdle to -be half hanged, and then he'll be taken down and sliced before his own -face, and then his inside will be taken out and burnt while he looks on, -and then his head will be chopped off, and he'll be cut into quarters. -That's the sentence.” - -“If he's found Guilty, you mean to say?” Jerry added, by way of proviso. - -“Oh! they'll find him guilty,” said the other. “Don't you be afraid of -that.” - -Mr. Cruncher's attention was here diverted to the door-keeper, whom he -saw making his way to Mr. Lorry, with the note in his hand. Mr. Lorry -sat at a table, among the gentlemen in wigs: not far from a wigged -gentleman, the prisoner's counsel, who had a great bundle of papers -before him: and nearly opposite another wigged gentleman with his hands -in his pockets, whose whole attention, when Mr. Cruncher looked at him -then or afterwards, seemed to be concentrated on the ceiling of the -court. After some gruff coughing and rubbing of his chin and signing -with his hand, Jerry attracted the notice of Mr. Lorry, who had stood up -to look for him, and who quietly nodded and sat down again. - -“What's _he_ got to do with the case?” asked the man he had spoken with. - -“Blest if I know,” said Jerry. - -“What have _you_ got to do with it, then, if a person may inquire?” - -“Blest if I know that either,” said Jerry. - -The entrance of the Judge, and a consequent great stir and settling -down in the court, stopped the dialogue. Presently, the dock became the -central point of interest. Two gaolers, who had been standing there, -went out, and the prisoner was brought in, and put to the bar. - -Everybody present, except the one wigged gentleman who looked at the -ceiling, stared at him. All the human breath in the place, rolled -at him, like a sea, or a wind, or a fire. Eager faces strained round -pillars and corners, to get a sight of him; spectators in back rows -stood up, not to miss a hair of him; people on the floor of the court, -laid their hands on the shoulders of the people before them, to help -themselves, at anybody's cost, to a view of him--stood a-tiptoe, got -upon ledges, stood upon next to nothing, to see every inch of him. -Conspicuous among these latter, like an animated bit of the spiked wall -of Newgate, Jerry stood: aiming at the prisoner the beery breath of a -whet he had taken as he came along, and discharging it to mingle with -the waves of other beer, and gin, and tea, and coffee, and what not, -that flowed at him, and already broke upon the great windows behind him -in an impure mist and rain. - -The object of all this staring and blaring, was a young man of about -five-and-twenty, well-grown and well-looking, with a sunburnt cheek and -a dark eye. His condition was that of a young gentleman. He was plainly -dressed in black, or very dark grey, and his hair, which was long and -dark, was gathered in a ribbon at the back of his neck; more to be out -of his way than for ornament. As an emotion of the mind will express -itself through any covering of the body, so the paleness which his -situation engendered came through the brown upon his cheek, showing the -soul to be stronger than the sun. He was otherwise quite self-possessed, -bowed to the Judge, and stood quiet. - -The sort of interest with which this man was stared and breathed at, -was not a sort that elevated humanity. Had he stood in peril of a less -horrible sentence--had there been a chance of any one of its savage -details being spared--by just so much would he have lost in his -fascination. The form that was to be doomed to be so shamefully mangled, -was the sight; the immortal creature that was to be so butchered -and torn asunder, yielded the sensation. Whatever gloss the various -spectators put upon the interest, according to their several arts and -powers of self-deceit, the interest was, at the root of it, Ogreish. - -Silence in the court! Charles Darnay had yesterday pleaded Not Guilty to -an indictment denouncing him (with infinite jingle and jangle) for that -he was a false traitor to our serene, illustrious, excellent, and so -forth, prince, our Lord the King, by reason of his having, on divers -occasions, and by divers means and ways, assisted Lewis, the French -King, in his wars against our said serene, illustrious, excellent, and -so forth; that was to say, by coming and going, between the dominions of -our said serene, illustrious, excellent, and so forth, and those of the -said French Lewis, and wickedly, falsely, traitorously, and otherwise -evil-adverbiously, revealing to the said French Lewis what forces our -said serene, illustrious, excellent, and so forth, had in preparation -to send to Canada and North America. This much, Jerry, with his head -becoming more and more spiky as the law terms bristled it, made out with -huge satisfaction, and so arrived circuitously at the understanding that -the aforesaid, and over and over again aforesaid, Charles Darnay, stood -there before him upon his trial; that the jury were swearing in; and -that Mr. Attorney-General was making ready to speak. - -The accused, who was (and who knew he was) being mentally hanged, -beheaded, and quartered, by everybody there, neither flinched from -the situation, nor assumed any theatrical air in it. He was quiet and -attentive; watched the opening proceedings with a grave interest; -and stood with his hands resting on the slab of wood before him, so -composedly, that they had not displaced a leaf of the herbs with which -it was strewn. The court was all bestrewn with herbs and sprinkled with -vinegar, as a precaution against gaol air and gaol fever. - -Over the prisoner's head there was a mirror, to throw the light down -upon him. Crowds of the wicked and the wretched had been reflected in -it, and had passed from its surface and this earth's together. Haunted -in a most ghastly manner that abominable place would have been, if the -glass could ever have rendered back its reflections, as the ocean is one -day to give up its dead. Some passing thought of the infamy and disgrace -for which it had been reserved, may have struck the prisoner's mind. Be -that as it may, a change in his position making him conscious of a bar -of light across his face, he looked up; and when he saw the glass his -face flushed, and his right hand pushed the herbs away. - -It happened, that the action turned his face to that side of the court -which was on his left. About on a level with his eyes, there sat, -in that corner of the Judge's bench, two persons upon whom his look -immediately rested; so immediately, and so much to the changing of his -aspect, that all the eyes that were turned upon him, turned to them. - -The spectators saw in the two figures, a young lady of little more than -twenty, and a gentleman who was evidently her father; a man of a very -remarkable appearance in respect of the absolute whiteness of his hair, -and a certain indescribable intensity of face: not of an active kind, -but pondering and self-communing. When this expression was upon him, he -looked as if he were old; but when it was stirred and broken up--as -it was now, in a moment, on his speaking to his daughter--he became a -handsome man, not past the prime of life. - -His daughter had one of her hands drawn through his arm, as she sat by -him, and the other pressed upon it. She had drawn close to him, in her -dread of the scene, and in her pity for the prisoner. Her forehead had -been strikingly expressive of an engrossing terror and compassion -that saw nothing but the peril of the accused. This had been so very -noticeable, so very powerfully and naturally shown, that starers who -had had no pity for him were touched by her; and the whisper went about, -“Who are they?” - -Jerry, the messenger, who had made his own observations, in his own -manner, and who had been sucking the rust off his fingers in his -absorption, stretched his neck to hear who they were. The crowd about -him had pressed and passed the inquiry on to the nearest attendant, and -from him it had been more slowly pressed and passed back; at last it got -to Jerry: - -“Witnesses.” - -“For which side?” - -“Against.” - -“Against what side?” - -“The prisoner's.” - -The Judge, whose eyes had gone in the general direction, recalled them, -leaned back in his seat, and looked steadily at the man whose life was -in his hand, as Mr. Attorney-General rose to spin the rope, grind the -axe, and hammer the nails into the scaffold. - - - - -III. A Disappointment - - -Mr. Attorney-General had to inform the jury, that the prisoner before -them, though young in years, was old in the treasonable practices which -claimed the forfeit of his life. That this correspondence with the -public enemy was not a correspondence of to-day, or of yesterday, or -even of last year, or of the year before. That, it was certain the -prisoner had, for longer than that, been in the habit of passing and -repassing between France and England, on secret business of which -he could give no honest account. That, if it were in the nature of -traitorous ways to thrive (which happily it never was), the real -wickedness and guilt of his business might have remained undiscovered. -That Providence, however, had put it into the heart of a person who -was beyond fear and beyond reproach, to ferret out the nature of the -prisoner's schemes, and, struck with horror, to disclose them to his -Majesty's Chief Secretary of State and most honourable Privy Council. -That, this patriot would be produced before them. That, his position and -attitude were, on the whole, sublime. That, he had been the prisoner's -friend, but, at once in an auspicious and an evil hour detecting his -infamy, had resolved to immolate the traitor he could no longer cherish -in his bosom, on the sacred altar of his country. That, if statues -were decreed in Britain, as in ancient Greece and Rome, to public -benefactors, this shining citizen would assuredly have had one. That, as -they were not so decreed, he probably would not have one. That, Virtue, -as had been observed by the poets (in many passages which he well -knew the jury would have, word for word, at the tips of their tongues; -whereat the jury's countenances displayed a guilty consciousness that -they knew nothing about the passages), was in a manner contagious; more -especially the bright virtue known as patriotism, or love of country. -That, the lofty example of this immaculate and unimpeachable witness -for the Crown, to refer to whom however unworthily was an honour, had -communicated itself to the prisoner's servant, and had engendered in him -a holy determination to examine his master's table-drawers and pockets, -and secrete his papers. That, he (Mr. Attorney-General) was prepared to -hear some disparagement attempted of this admirable servant; but that, -in a general way, he preferred him to his (Mr. Attorney-General's) -brothers and sisters, and honoured him more than his (Mr. -Attorney-General's) father and mother. That, he called with confidence -on the jury to come and do likewise. That, the evidence of these two -witnesses, coupled with the documents of their discovering that would be -produced, would show the prisoner to have been furnished with lists of -his Majesty's forces, and of their disposition and preparation, both by -sea and land, and would leave no doubt that he had habitually conveyed -such information to a hostile power. That, these lists could not be -proved to be in the prisoner's handwriting; but that it was all the -same; that, indeed, it was rather the better for the prosecution, as -showing the prisoner to be artful in his precautions. That, the proof -would go back five years, and would show the prisoner already engaged -in these pernicious missions, within a few weeks before the date of the -very first action fought between the British troops and the Americans. -That, for these reasons, the jury, being a loyal jury (as he knew they -were), and being a responsible jury (as _they_ knew they were), must -positively find the prisoner Guilty, and make an end of him, whether -they liked it or not. That, they never could lay their heads upon their -pillows; that, they never could tolerate the idea of their wives laying -their heads upon their pillows; that, they never could endure the notion -of their children laying their heads upon their pillows; in short, that -there never more could be, for them or theirs, any laying of heads upon -pillows at all, unless the prisoner's head was taken off. That head -Mr. Attorney-General concluded by demanding of them, in the name of -everything he could think of with a round turn in it, and on the faith -of his solemn asseveration that he already considered the prisoner as -good as dead and gone. - -When the Attorney-General ceased, a buzz arose in the court as if -a cloud of great blue-flies were swarming about the prisoner, in -anticipation of what he was soon to become. When toned down again, the -unimpeachable patriot appeared in the witness-box. - -Mr. Solicitor-General then, following his leader's lead, examined the -patriot: John Barsad, gentleman, by name. The story of his pure soul was -exactly what Mr. Attorney-General had described it to be--perhaps, if -it had a fault, a little too exactly. Having released his noble bosom -of its burden, he would have modestly withdrawn himself, but that the -wigged gentleman with the papers before him, sitting not far from Mr. -Lorry, begged to ask him a few questions. The wigged gentleman sitting -opposite, still looking at the ceiling of the court. - -Had he ever been a spy himself? No, he scorned the base insinuation. -What did he live upon? His property. Where was his property? He didn't -precisely remember where it was. What was it? No business of anybody's. -Had he inherited it? Yes, he had. From whom? Distant relation. Very -distant? Rather. Ever been in prison? Certainly not. Never in a debtors' -prison? Didn't see what that had to do with it. Never in a debtors' -prison?--Come, once again. Never? Yes. How many times? Two or three -times. Not five or six? Perhaps. Of what profession? Gentleman. Ever -been kicked? Might have been. Frequently? No. Ever kicked downstairs? -Decidedly not; once received a kick on the top of a staircase, and fell -downstairs of his own accord. Kicked on that occasion for cheating at -dice? Something to that effect was said by the intoxicated liar who -committed the assault, but it was not true. Swear it was not true? -Positively. Ever live by cheating at play? Never. Ever live by play? Not -more than other gentlemen do. Ever borrow money of the prisoner? Yes. -Ever pay him? No. Was not this intimacy with the prisoner, in reality a -very slight one, forced upon the prisoner in coaches, inns, and packets? -No. Sure he saw the prisoner with these lists? Certain. Knew no more -about the lists? No. Had not procured them himself, for instance? No. -Expect to get anything by this evidence? No. Not in regular government -pay and employment, to lay traps? Oh dear no. Or to do anything? Oh dear -no. Swear that? Over and over again. No motives but motives of sheer -patriotism? None whatever. - -The virtuous servant, Roger Cly, swore his way through the case at a -great rate. He had taken service with the prisoner, in good faith and -simplicity, four years ago. He had asked the prisoner, aboard the Calais -packet, if he wanted a handy fellow, and the prisoner had engaged him. -He had not asked the prisoner to take the handy fellow as an act of -charity--never thought of such a thing. He began to have suspicions of -the prisoner, and to keep an eye upon him, soon afterwards. In arranging -his clothes, while travelling, he had seen similar lists to these in the -prisoner's pockets, over and over again. He had taken these lists from -the drawer of the prisoner's desk. He had not put them there first. He -had seen the prisoner show these identical lists to French gentlemen -at Calais, and similar lists to French gentlemen, both at Calais and -Boulogne. He loved his country, and couldn't bear it, and had given -information. He had never been suspected of stealing a silver tea-pot; -he had been maligned respecting a mustard-pot, but it turned out to be -only a plated one. He had known the last witness seven or eight years; -that was merely a coincidence. He didn't call it a particularly curious -coincidence; most coincidences were curious. Neither did he call it a -curious coincidence that true patriotism was _his_ only motive too. He -was a true Briton, and hoped there were many like him. - -The blue-flies buzzed again, and Mr. Attorney-General called Mr. Jarvis -Lorry. - -“Mr. Jarvis Lorry, are you a clerk in Tellson's bank?” - -“I am.” - -“On a certain Friday night in November one thousand seven hundred and -seventy-five, did business occasion you to travel between London and -Dover by the mail?” - -“It did.” - -“Were there any other passengers in the mail?” - -“Two.” - -“Did they alight on the road in the course of the night?” - -“They did.” - -“Mr. Lorry, look upon the prisoner. Was he one of those two passengers?” - -“I cannot undertake to say that he was.” - -“Does he resemble either of these two passengers?” - -“Both were so wrapped up, and the night was so dark, and we were all so -reserved, that I cannot undertake to say even that.” - -“Mr. Lorry, look again upon the prisoner. Supposing him wrapped up as -those two passengers were, is there anything in his bulk and stature to -render it unlikely that he was one of them?” - -“No.” - -“You will not swear, Mr. Lorry, that he was not one of them?” - -“No.” - -“So at least you say he may have been one of them?” - -“Yes. Except that I remember them both to have been--like -myself--timorous of highwaymen, and the prisoner has not a timorous -air.” - -“Did you ever see a counterfeit of timidity, Mr. Lorry?” - -“I certainly have seen that.” - -“Mr. Lorry, look once more upon the prisoner. Have you seen him, to your -certain knowledge, before?” - -“I have.” - -“When?” - -“I was returning from France a few days afterwards, and, at Calais, the -prisoner came on board the packet-ship in which I returned, and made the -voyage with me.” - -“At what hour did he come on board?” - -“At a little after midnight.” - -“In the dead of the night. Was he the only passenger who came on board -at that untimely hour?” - -“He happened to be the only one.” - -“Never mind about 'happening,' Mr. Lorry. He was the only passenger who -came on board in the dead of the night?” - -“He was.” - -“Were you travelling alone, Mr. Lorry, or with any companion?” - -“With two companions. A gentleman and lady. They are here.” - -“They are here. Had you any conversation with the prisoner?” - -“Hardly any. The weather was stormy, and the passage long and rough, and -I lay on a sofa, almost from shore to shore.” - -“Miss Manette!” - -The young lady, to whom all eyes had been turned before, and were now -turned again, stood up where she had sat. Her father rose with her, and -kept her hand drawn through his arm. - -“Miss Manette, look upon the prisoner.” - -To be confronted with such pity, and such earnest youth and beauty, was -far more trying to the accused than to be confronted with all the crowd. -Standing, as it were, apart with her on the edge of his grave, not all -the staring curiosity that looked on, could, for the moment, nerve him -to remain quite still. His hurried right hand parcelled out the herbs -before him into imaginary beds of flowers in a garden; and his efforts -to control and steady his breathing shook the lips from which the colour -rushed to his heart. The buzz of the great flies was loud again. - -“Miss Manette, have you seen the prisoner before?” - -“Yes, sir.” - -“Where?” - -“On board of the packet-ship just now referred to, sir, and on the same -occasion.” - -“You are the young lady just now referred to?” - -“O! most unhappily, I am!” - -The plaintive tone of her compassion merged into the less musical voice -of the Judge, as he said something fiercely: “Answer the questions put -to you, and make no remark upon them.” - -“Miss Manette, had you any conversation with the prisoner on that -passage across the Channel?” - -“Yes, sir.” - -“Recall it.” - -In the midst of a profound stillness, she faintly began: “When the -gentleman came on board--” - -“Do you mean the prisoner?” inquired the Judge, knitting his brows. - -“Yes, my Lord.” - -“Then say the prisoner.” - -“When the prisoner came on board, he noticed that my father,” turning -her eyes lovingly to him as he stood beside her, “was much fatigued -and in a very weak state of health. My father was so reduced that I was -afraid to take him out of the air, and I had made a bed for him on the -deck near the cabin steps, and I sat on the deck at his side to take -care of him. There were no other passengers that night, but we four. -The prisoner was so good as to beg permission to advise me how I could -shelter my father from the wind and weather, better than I had done. I -had not known how to do it well, not understanding how the wind would -set when we were out of the harbour. He did it for me. He expressed -great gentleness and kindness for my father's state, and I am sure he -felt it. That was the manner of our beginning to speak together.” - -“Let me interrupt you for a moment. Had he come on board alone?” - -“No.” - -“How many were with him?” - -“Two French gentlemen.” - -“Had they conferred together?” - -“They had conferred together until the last moment, when it was -necessary for the French gentlemen to be landed in their boat.” - -“Had any papers been handed about among them, similar to these lists?” - -“Some papers had been handed about among them, but I don't know what -papers.” - -“Like these in shape and size?” - -“Possibly, but indeed I don't know, although they stood whispering very -near to me: because they stood at the top of the cabin steps to have the -light of the lamp that was hanging there; it was a dull lamp, and they -spoke very low, and I did not hear what they said, and saw only that -they looked at papers.” - -“Now, to the prisoner's conversation, Miss Manette.” - -“The prisoner was as open in his confidence with me--which arose out -of my helpless situation--as he was kind, and good, and useful to my -father. I hope,” bursting into tears, “I may not repay him by doing him -harm to-day.” - -Buzzing from the blue-flies. - -“Miss Manette, if the prisoner does not perfectly understand that -you give the evidence which it is your duty to give--which you must -give--and which you cannot escape from giving--with great unwillingness, -he is the only person present in that condition. Please to go on.” - -“He told me that he was travelling on business of a delicate and -difficult nature, which might get people into trouble, and that he was -therefore travelling under an assumed name. He said that this business -had, within a few days, taken him to France, and might, at intervals, -take him backwards and forwards between France and England for a long -time to come.” - -“Did he say anything about America, Miss Manette? Be particular.” - -“He tried to explain to me how that quarrel had arisen, and he said -that, so far as he could judge, it was a wrong and foolish one on -England's part. He added, in a jesting way, that perhaps George -Washington might gain almost as great a name in history as George the -Third. But there was no harm in his way of saying this: it was said -laughingly, and to beguile the time.” - -Any strongly marked expression of face on the part of a chief actor in -a scene of great interest to whom many eyes are directed, will be -unconsciously imitated by the spectators. Her forehead was painfully -anxious and intent as she gave this evidence, and, in the pauses when -she stopped for the Judge to write it down, watched its effect upon -the counsel for and against. Among the lookers-on there was the same -expression in all quarters of the court; insomuch, that a great majority -of the foreheads there, might have been mirrors reflecting the witness, -when the Judge looked up from his notes to glare at that tremendous -heresy about George Washington. - -Mr. Attorney-General now signified to my Lord, that he deemed it -necessary, as a matter of precaution and form, to call the young lady's -father, Doctor Manette. Who was called accordingly. - -“Doctor Manette, look upon the prisoner. Have you ever seen him before?” - -“Once. When he called at my lodgings in London. Some three years, or -three years and a half ago.” - -“Can you identify him as your fellow-passenger on board the packet, or -speak to his conversation with your daughter?” - -“Sir, I can do neither.” - -“Is there any particular and special reason for your being unable to do -either?” - -He answered, in a low voice, “There is.” - -“Has it been your misfortune to undergo a long imprisonment, without -trial, or even accusation, in your native country, Doctor Manette?” - -He answered, in a tone that went to every heart, “A long imprisonment.” - -“Were you newly released on the occasion in question?” - -“They tell me so.” - -“Have you no remembrance of the occasion?” - -“None. My mind is a blank, from some time--I cannot even say what -time--when I employed myself, in my captivity, in making shoes, to the -time when I found myself living in London with my dear daughter -here. She had become familiar to me, when a gracious God restored -my faculties; but, I am quite unable even to say how she had become -familiar. I have no remembrance of the process.” - -Mr. Attorney-General sat down, and the father and daughter sat down -together. - -A singular circumstance then arose in the case. The object in hand being -to show that the prisoner went down, with some fellow-plotter untracked, -in the Dover mail on that Friday night in November five years ago, and -got out of the mail in the night, as a blind, at a place where he did -not remain, but from which he travelled back some dozen miles or more, -to a garrison and dockyard, and there collected information; a witness -was called to identify him as having been at the precise time required, -in the coffee-room of an hotel in that garrison-and-dockyard town, -waiting for another person. The prisoner's counsel was cross-examining -this witness with no result, except that he had never seen the prisoner -on any other occasion, when the wigged gentleman who had all this time -been looking at the ceiling of the court, wrote a word or two on a -little piece of paper, screwed it up, and tossed it to him. Opening -this piece of paper in the next pause, the counsel looked with great -attention and curiosity at the prisoner. - -“You say again you are quite sure that it was the prisoner?” - -The witness was quite sure. - -“Did you ever see anybody very like the prisoner?” - -Not so like (the witness said) as that he could be mistaken. - -“Look well upon that gentleman, my learned friend there,” pointing -to him who had tossed the paper over, “and then look well upon the -prisoner. How say you? Are they very like each other?” - -Allowing for my learned friend's appearance being careless and slovenly -if not debauched, they were sufficiently like each other to surprise, -not only the witness, but everybody present, when they were thus brought -into comparison. My Lord being prayed to bid my learned friend lay aside -his wig, and giving no very gracious consent, the likeness became -much more remarkable. My Lord inquired of Mr. Stryver (the prisoner's -counsel), whether they were next to try Mr. Carton (name of my learned -friend) for treason? But, Mr. Stryver replied to my Lord, no; but he -would ask the witness to tell him whether what happened once, might -happen twice; whether he would have been so confident if he had seen -this illustration of his rashness sooner, whether he would be so -confident, having seen it; and more. The upshot of which, was, to smash -this witness like a crockery vessel, and shiver his part of the case to -useless lumber. - -Mr. Cruncher had by this time taken quite a lunch of rust off his -fingers in his following of the evidence. He had now to attend while Mr. -Stryver fitted the prisoner's case on the jury, like a compact suit -of clothes; showing them how the patriot, Barsad, was a hired spy and -traitor, an unblushing trafficker in blood, and one of the greatest -scoundrels upon earth since accursed Judas--which he certainly did look -rather like. How the virtuous servant, Cly, was his friend and partner, -and was worthy to be; how the watchful eyes of those forgers and false -swearers had rested on the prisoner as a victim, because some family -affairs in France, he being of French extraction, did require his making -those passages across the Channel--though what those affairs were, a -consideration for others who were near and dear to him, forbade him, -even for his life, to disclose. How the evidence that had been warped -and wrested from the young lady, whose anguish in giving it they -had witnessed, came to nothing, involving the mere little innocent -gallantries and politenesses likely to pass between any young gentleman -and young lady so thrown together;--with the exception of that -reference to George Washington, which was altogether too extravagant and -impossible to be regarded in any other light than as a monstrous joke. -How it would be a weakness in the government to break down in this -attempt to practise for popularity on the lowest national antipathies -and fears, and therefore Mr. Attorney-General had made the most of it; -how, nevertheless, it rested upon nothing, save that vile and infamous -character of evidence too often disfiguring such cases, and of which the -State Trials of this country were full. But, there my Lord interposed -(with as grave a face as if it had not been true), saying that he could -not sit upon that Bench and suffer those allusions. - -Mr. Stryver then called his few witnesses, and Mr. Cruncher had next to -attend while Mr. Attorney-General turned the whole suit of clothes Mr. -Stryver had fitted on the jury, inside out; showing how Barsad and -Cly were even a hundred times better than he had thought them, and the -prisoner a hundred times worse. Lastly, came my Lord himself, turning -the suit of clothes, now inside out, now outside in, but on the whole -decidedly trimming and shaping them into grave-clothes for the prisoner. - -And now, the jury turned to consider, and the great flies swarmed again. - -Mr. Carton, who had so long sat looking at the ceiling of the court, -changed neither his place nor his attitude, even in this excitement. -While his learned friend, Mr. Stryver, massing his papers before him, -whispered with those who sat near, and from time to time glanced -anxiously at the jury; while all the spectators moved more or less, and -grouped themselves anew; while even my Lord himself arose from his seat, -and slowly paced up and down his platform, not unattended by a suspicion -in the minds of the audience that his state was feverish; this one man -sat leaning back, with his torn gown half off him, his untidy wig put -on just as it had happened to light on his head after its removal, his -hands in his pockets, and his eyes on the ceiling as they had been all -day. Something especially reckless in his demeanour, not only gave him -a disreputable look, but so diminished the strong resemblance he -undoubtedly bore to the prisoner (which his momentary earnestness, -when they were compared together, had strengthened), that many of the -lookers-on, taking note of him now, said to one another they would -hardly have thought the two were so alike. Mr. Cruncher made the -observation to his next neighbour, and added, “I'd hold half a guinea -that _he_ don't get no law-work to do. Don't look like the sort of one -to get any, do he?” - -Yet, this Mr. Carton took in more of the details of the scene than he -appeared to take in; for now, when Miss Manette's head dropped upon -her father's breast, he was the first to see it, and to say audibly: -“Officer! look to that young lady. Help the gentleman to take her out. -Don't you see she will fall!” - -There was much commiseration for her as she was removed, and much -sympathy with her father. It had evidently been a great distress to -him, to have the days of his imprisonment recalled. He had shown -strong internal agitation when he was questioned, and that pondering or -brooding look which made him old, had been upon him, like a heavy cloud, -ever since. As he passed out, the jury, who had turned back and paused a -moment, spoke, through their foreman. - -They were not agreed, and wished to retire. My Lord (perhaps with George -Washington on his mind) showed some surprise that they were not agreed, -but signified his pleasure that they should retire under watch and ward, -and retired himself. The trial had lasted all day, and the lamps in -the court were now being lighted. It began to be rumoured that the -jury would be out a long while. The spectators dropped off to get -refreshment, and the prisoner withdrew to the back of the dock, and sat -down. - -Mr. Lorry, who had gone out when the young lady and her father went out, -now reappeared, and beckoned to Jerry: who, in the slackened interest, -could easily get near him. - -“Jerry, if you wish to take something to eat, you can. But, keep in the -way. You will be sure to hear when the jury come in. Don't be a moment -behind them, for I want you to take the verdict back to the bank. You -are the quickest messenger I know, and will get to Temple Bar long -before I can.” - -Jerry had just enough forehead to knuckle, and he knuckled it in -acknowledgment of this communication and a shilling. Mr. Carton came up -at the moment, and touched Mr. Lorry on the arm. - -“How is the young lady?” - -“She is greatly distressed; but her father is comforting her, and she -feels the better for being out of court.” - -“I'll tell the prisoner so. It won't do for a respectable bank gentleman -like you, to be seen speaking to him publicly, you know.” - -Mr. Lorry reddened as if he were conscious of having debated the point -in his mind, and Mr. Carton made his way to the outside of the bar. -The way out of court lay in that direction, and Jerry followed him, all -eyes, ears, and spikes. - -“Mr. Darnay!” - -The prisoner came forward directly. - -“You will naturally be anxious to hear of the witness, Miss Manette. She -will do very well. You have seen the worst of her agitation.” - -“I am deeply sorry to have been the cause of it. Could you tell her so -for me, with my fervent acknowledgments?” - -“Yes, I could. I will, if you ask it.” - -Mr. Carton's manner was so careless as to be almost insolent. He stood, -half turned from the prisoner, lounging with his elbow against the bar. - -“I do ask it. Accept my cordial thanks.” - -“What,” said Carton, still only half turned towards him, “do you expect, -Mr. Darnay?” - -“The worst.” - -“It's the wisest thing to expect, and the likeliest. But I think their -withdrawing is in your favour.” - -Loitering on the way out of court not being allowed, Jerry heard no -more: but left them--so like each other in feature, so unlike each other -in manner--standing side by side, both reflected in the glass above -them. - -An hour and a half limped heavily away in the thief-and-rascal crowded -passages below, even though assisted off with mutton pies and ale. -The hoarse messenger, uncomfortably seated on a form after taking that -refection, had dropped into a doze, when a loud murmur and a rapid tide -of people setting up the stairs that led to the court, carried him along -with them. - -“Jerry! Jerry!” Mr. Lorry was already calling at the door when he got -there. - -“Here, sir! It's a fight to get back again. Here I am, sir!” - -Mr. Lorry handed him a paper through the throng. “Quick! Have you got -it?” - -“Yes, sir.” - -Hastily written on the paper was the word “ACQUITTED.” - -“If you had sent the message, 'Recalled to Life,' again,” muttered -Jerry, as he turned, “I should have known what you meant, this time.” - -He had no opportunity of saying, or so much as thinking, anything else, -until he was clear of the Old Bailey; for, the crowd came pouring out -with a vehemence that nearly took him off his legs, and a loud buzz -swept into the street as if the baffled blue-flies were dispersing in -search of other carrion. - - - - -IV. Congratulatory - - -From the dimly-lighted passages of the court, the last sediment of the -human stew that had been boiling there all day, was straining off, when -Doctor Manette, Lucie Manette, his daughter, Mr. Lorry, the solicitor -for the defence, and its counsel, Mr. Stryver, stood gathered round Mr. -Charles Darnay--just released--congratulating him on his escape from -death. - -It would have been difficult by a far brighter light, to recognise -in Doctor Manette, intellectual of face and upright of bearing, the -shoemaker of the garret in Paris. Yet, no one could have looked at him -twice, without looking again: even though the opportunity of observation -had not extended to the mournful cadence of his low grave voice, and -to the abstraction that overclouded him fitfully, without any apparent -reason. While one external cause, and that a reference to his long -lingering agony, would always--as on the trial--evoke this condition -from the depths of his soul, it was also in its nature to arise of -itself, and to draw a gloom over him, as incomprehensible to those -unacquainted with his story as if they had seen the shadow of the actual -Bastille thrown upon him by a summer sun, when the substance was three -hundred miles away. - -Only his daughter had the power of charming this black brooding from -his mind. She was the golden thread that united him to a Past beyond his -misery, and to a Present beyond his misery: and the sound of her voice, -the light of her face, the touch of her hand, had a strong beneficial -influence with him almost always. Not absolutely always, for she could -recall some occasions on which her power had failed; but they were few -and slight, and she believed them over. - -Mr. Darnay had kissed her hand fervently and gratefully, and had turned -to Mr. Stryver, whom he warmly thanked. Mr. Stryver, a man of little -more than thirty, but looking twenty years older than he was, stout, -loud, red, bluff, and free from any drawback of delicacy, had a pushing -way of shouldering himself (morally and physically) into companies and -conversations, that argued well for his shouldering his way up in life. - -He still had his wig and gown on, and he said, squaring himself at his -late client to that degree that he squeezed the innocent Mr. Lorry clean -out of the group: “I am glad to have brought you off with honour, Mr. -Darnay. It was an infamous prosecution, grossly infamous; but not the -less likely to succeed on that account.” - -“You have laid me under an obligation to you for life--in two senses,” - said his late client, taking his hand. - -“I have done my best for you, Mr. Darnay; and my best is as good as -another man's, I believe.” - -It clearly being incumbent on some one to say, “Much better,” Mr. Lorry -said it; perhaps not quite disinterestedly, but with the interested -object of squeezing himself back again. - -“You think so?” said Mr. Stryver. “Well! you have been present all day, -and you ought to know. You are a man of business, too.” - -“And as such,” quoth Mr. Lorry, whom the counsel learned in the law had -now shouldered back into the group, just as he had previously shouldered -him out of it--“as such I will appeal to Doctor Manette, to break up -this conference and order us all to our homes. Miss Lucie looks ill, Mr. -Darnay has had a terrible day, we are worn out.” - -“Speak for yourself, Mr. Lorry,” said Stryver; “I have a night's work to -do yet. Speak for yourself.” - -“I speak for myself,” answered Mr. Lorry, “and for Mr. Darnay, and for -Miss Lucie, and--Miss Lucie, do you not think I may speak for us all?” - He asked her the question pointedly, and with a glance at her father. - -His face had become frozen, as it were, in a very curious look at -Darnay: an intent look, deepening into a frown of dislike and distrust, -not even unmixed with fear. With this strange expression on him his -thoughts had wandered away. - -“My father,” said Lucie, softly laying her hand on his. - -He slowly shook the shadow off, and turned to her. - -“Shall we go home, my father?” - -With a long breath, he answered “Yes.” - -The friends of the acquitted prisoner had dispersed, under the -impression--which he himself had originated--that he would not be -released that night. The lights were nearly all extinguished in the -passages, the iron gates were being closed with a jar and a rattle, -and the dismal place was deserted until to-morrow morning's interest of -gallows, pillory, whipping-post, and branding-iron, should repeople it. -Walking between her father and Mr. Darnay, Lucie Manette passed into -the open air. A hackney-coach was called, and the father and daughter -departed in it. - -Mr. Stryver had left them in the passages, to shoulder his way back -to the robing-room. Another person, who had not joined the group, or -interchanged a word with any one of them, but who had been leaning -against the wall where its shadow was darkest, had silently strolled -out after the rest, and had looked on until the coach drove away. He now -stepped up to where Mr. Lorry and Mr. Darnay stood upon the pavement. - -“So, Mr. Lorry! Men of business may speak to Mr. Darnay now?” - -Nobody had made any acknowledgment of Mr. Carton's part in the day's -proceedings; nobody had known of it. He was unrobed, and was none the -better for it in appearance. - -“If you knew what a conflict goes on in the business mind, when the -business mind is divided between good-natured impulse and business -appearances, you would be amused, Mr. Darnay.” - -Mr. Lorry reddened, and said, warmly, “You have mentioned that before, -sir. We men of business, who serve a House, are not our own masters. We -have to think of the House more than ourselves.” - -“_I_ know, _I_ know,” rejoined Mr. Carton, carelessly. “Don't be -nettled, Mr. Lorry. You are as good as another, I have no doubt: better, -I dare say.” - -“And indeed, sir,” pursued Mr. Lorry, not minding him, “I really don't -know what you have to do with the matter. If you'll excuse me, as very -much your elder, for saying so, I really don't know that it is your -business.” - -“Business! Bless you, _I_ have no business,” said Mr. Carton. - -“It is a pity you have not, sir.” - -“I think so, too.” - -“If you had,” pursued Mr. Lorry, “perhaps you would attend to it.” - -“Lord love you, no!--I shouldn't,” said Mr. Carton. - -“Well, sir!” cried Mr. Lorry, thoroughly heated by his indifference, -“business is a very good thing, and a very respectable thing. And, sir, -if business imposes its restraints and its silences and impediments, Mr. -Darnay as a young gentleman of generosity knows how to make allowance -for that circumstance. Mr. Darnay, good night, God bless you, sir! -I hope you have been this day preserved for a prosperous and happy -life.--Chair there!” - -Perhaps a little angry with himself, as well as with the barrister, Mr. -Lorry bustled into the chair, and was carried off to Tellson's. Carton, -who smelt of port wine, and did not appear to be quite sober, laughed -then, and turned to Darnay: - -“This is a strange chance that throws you and me together. This must -be a strange night to you, standing alone here with your counterpart on -these street stones?” - -“I hardly seem yet,” returned Charles Darnay, “to belong to this world -again.” - -“I don't wonder at it; it's not so long since you were pretty far -advanced on your way to another. You speak faintly.” - -“I begin to think I _am_ faint.” - -“Then why the devil don't you dine? I dined, myself, while those -numskulls were deliberating which world you should belong to--this, or -some other. Let me show you the nearest tavern to dine well at.” - -Drawing his arm through his own, he took him down Ludgate-hill to -Fleet-street, and so, up a covered way, into a tavern. Here, they were -shown into a little room, where Charles Darnay was soon recruiting -his strength with a good plain dinner and good wine: while Carton sat -opposite to him at the same table, with his separate bottle of port -before him, and his fully half-insolent manner upon him. - -“Do you feel, yet, that you belong to this terrestrial scheme again, Mr. -Darnay?” - -“I am frightfully confused regarding time and place; but I am so far -mended as to feel that.” - -“It must be an immense satisfaction!” - -He said it bitterly, and filled up his glass again: which was a large -one. - -“As to me, the greatest desire I have, is to forget that I belong to it. -It has no good in it for me--except wine like this--nor I for it. So we -are not much alike in that particular. Indeed, I begin to think we are -not much alike in any particular, you and I.” - -Confused by the emotion of the day, and feeling his being there with -this Double of coarse deportment, to be like a dream, Charles Darnay was -at a loss how to answer; finally, answered not at all. - -“Now your dinner is done,” Carton presently said, “why don't you call a -health, Mr. Darnay; why don't you give your toast?” - -“What health? What toast?” - -“Why, it's on the tip of your tongue. It ought to be, it must be, I'll -swear it's there.” - -“Miss Manette, then!” - -“Miss Manette, then!” - -Looking his companion full in the face while he drank the toast, Carton -flung his glass over his shoulder against the wall, where it shivered to -pieces; then, rang the bell, and ordered in another. - -“That's a fair young lady to hand to a coach in the dark, Mr. Darnay!” - he said, filling his new goblet. - -A slight frown and a laconic “Yes,” were the answer. - -“That's a fair young lady to be pitied by and wept for by! How does it -feel? Is it worth being tried for one's life, to be the object of such -sympathy and compassion, Mr. Darnay?” - -Again Darnay answered not a word. - -“She was mightily pleased to have your message, when I gave it her. Not -that she showed she was pleased, but I suppose she was.” - -The allusion served as a timely reminder to Darnay that this -disagreeable companion had, of his own free will, assisted him in the -strait of the day. He turned the dialogue to that point, and thanked him -for it. - -“I neither want any thanks, nor merit any,” was the careless rejoinder. -“It was nothing to do, in the first place; and I don't know why I did -it, in the second. Mr. Darnay, let me ask you a question.” - -“Willingly, and a small return for your good offices.” - -“Do you think I particularly like you?” - -“Really, Mr. Carton,” returned the other, oddly disconcerted, “I have -not asked myself the question.” - -“But ask yourself the question now.” - -“You have acted as if you do; but I don't think you do.” - -“_I_ don't think I do,” said Carton. “I begin to have a very good -opinion of your understanding.” - -“Nevertheless,” pursued Darnay, rising to ring the bell, “there is -nothing in that, I hope, to prevent my calling the reckoning, and our -parting without ill-blood on either side.” - -Carton rejoining, “Nothing in life!” Darnay rang. “Do you call the whole -reckoning?” said Carton. On his answering in the affirmative, “Then -bring me another pint of this same wine, drawer, and come and wake me at -ten.” - -The bill being paid, Charles Darnay rose and wished him good night. -Without returning the wish, Carton rose too, with something of a threat -of defiance in his manner, and said, “A last word, Mr. Darnay: you think -I am drunk?” - -“I think you have been drinking, Mr. Carton.” - -“Think? You know I have been drinking.” - -“Since I must say so, I know it.” - -“Then you shall likewise know why. I am a disappointed drudge, sir. I -care for no man on earth, and no man on earth cares for me.” - -“Much to be regretted. You might have used your talents better.” - -“May be so, Mr. Darnay; may be not. Don't let your sober face elate you, -however; you don't know what it may come to. Good night!” - -When he was left alone, this strange being took up a candle, went to a -glass that hung against the wall, and surveyed himself minutely in it. - -“Do you particularly like the man?” he muttered, at his own image; “why -should you particularly like a man who resembles you? There is nothing -in you to like; you know that. Ah, confound you! What a change you have -made in yourself! A good reason for taking to a man, that he shows you -what you have fallen away from, and what you might have been! Change -places with him, and would you have been looked at by those blue eyes as -he was, and commiserated by that agitated face as he was? Come on, and -have it out in plain words! You hate the fellow.” - -He resorted to his pint of wine for consolation, drank it all in a few -minutes, and fell asleep on his arms, with his hair straggling over the -table, and a long winding-sheet in the candle dripping down upon him. - - - - -V. The Jackal - - -Those were drinking days, and most men drank hard. So very great is -the improvement Time has brought about in such habits, that a moderate -statement of the quantity of wine and punch which one man would swallow -in the course of a night, without any detriment to his reputation as a -perfect gentleman, would seem, in these days, a ridiculous exaggeration. -The learned profession of the law was certainly not behind any other -learned profession in its Bacchanalian propensities; neither was Mr. -Stryver, already fast shouldering his way to a large and lucrative -practice, behind his compeers in this particular, any more than in the -drier parts of the legal race. - -A favourite at the Old Bailey, and eke at the Sessions, Mr. Stryver had -begun cautiously to hew away the lower staves of the ladder on which -he mounted. Sessions and Old Bailey had now to summon their favourite, -specially, to their longing arms; and shouldering itself towards the -visage of the Lord Chief Justice in the Court of King's Bench, the -florid countenance of Mr. Stryver might be daily seen, bursting out of -the bed of wigs, like a great sunflower pushing its way at the sun from -among a rank garden-full of flaring companions. - -It had once been noted at the Bar, that while Mr. Stryver was a glib -man, and an unscrupulous, and a ready, and a bold, he had not that -faculty of extracting the essence from a heap of statements, which is -among the most striking and necessary of the advocate's accomplishments. -But, a remarkable improvement came upon him as to this. The more -business he got, the greater his power seemed to grow of getting at its -pith and marrow; and however late at night he sat carousing with Sydney -Carton, he always had his points at his fingers' ends in the morning. - -Sydney Carton, idlest and most unpromising of men, was Stryver's great -ally. What the two drank together, between Hilary Term and Michaelmas, -might have floated a king's ship. Stryver never had a case in hand, -anywhere, but Carton was there, with his hands in his pockets, staring -at the ceiling of the court; they went the same Circuit, and even there -they prolonged their usual orgies late into the night, and Carton was -rumoured to be seen at broad day, going home stealthily and unsteadily -to his lodgings, like a dissipated cat. At last, it began to get about, -among such as were interested in the matter, that although Sydney Carton -would never be a lion, he was an amazingly good jackal, and that he -rendered suit and service to Stryver in that humble capacity. - -“Ten o'clock, sir,” said the man at the tavern, whom he had charged to -wake him--“ten o'clock, sir.” - -“_What's_ the matter?” - -“Ten o'clock, sir.” - -“What do you mean? Ten o'clock at night?” - -“Yes, sir. Your honour told me to call you.” - -“Oh! I remember. Very well, very well.” - -After a few dull efforts to get to sleep again, which the man -dexterously combated by stirring the fire continuously for five minutes, -he got up, tossed his hat on, and walked out. He turned into the Temple, -and, having revived himself by twice pacing the pavements of King's -Bench-walk and Paper-buildings, turned into the Stryver chambers. - -The Stryver clerk, who never assisted at these conferences, had gone -home, and the Stryver principal opened the door. He had his slippers on, -and a loose bed-gown, and his throat was bare for his greater ease. He -had that rather wild, strained, seared marking about the eyes, which -may be observed in all free livers of his class, from the portrait of -Jeffries downward, and which can be traced, under various disguises of -Art, through the portraits of every Drinking Age. - -“You are a little late, Memory,” said Stryver. - -“About the usual time; it may be a quarter of an hour later.” - -They went into a dingy room lined with books and littered with papers, -where there was a blazing fire. A kettle steamed upon the hob, and in -the midst of the wreck of papers a table shone, with plenty of wine upon -it, and brandy, and rum, and sugar, and lemons. - -“You have had your bottle, I perceive, Sydney.” - -“Two to-night, I think. I have been dining with the day's client; or -seeing him dine--it's all one!” - -“That was a rare point, Sydney, that you brought to bear upon the -identification. How did you come by it? When did it strike you?” - -“I thought he was rather a handsome fellow, and I thought I should have -been much the same sort of fellow, if I had had any luck.” - -Mr. Stryver laughed till he shook his precocious paunch. - -“You and your luck, Sydney! Get to work, get to work.” - -Sullenly enough, the jackal loosened his dress, went into an adjoining -room, and came back with a large jug of cold water, a basin, and a towel -or two. Steeping the towels in the water, and partially wringing them -out, he folded them on his head in a manner hideous to behold, sat down -at the table, and said, “Now I am ready!” - -“Not much boiling down to be done to-night, Memory,” said Mr. Stryver, -gaily, as he looked among his papers. - -“How much?” - -“Only two sets of them.” - -“Give me the worst first.” - -“There they are, Sydney. Fire away!” - -The lion then composed himself on his back on a sofa on one side of the -drinking-table, while the jackal sat at his own paper-bestrewn table -proper, on the other side of it, with the bottles and glasses ready to -his hand. Both resorted to the drinking-table without stint, but each in -a different way; the lion for the most part reclining with his hands in -his waistband, looking at the fire, or occasionally flirting with some -lighter document; the jackal, with knitted brows and intent face, -so deep in his task, that his eyes did not even follow the hand he -stretched out for his glass--which often groped about, for a minute or -more, before it found the glass for his lips. Two or three times, the -matter in hand became so knotty, that the jackal found it imperative on -him to get up, and steep his towels anew. From these pilgrimages to the -jug and basin, he returned with such eccentricities of damp headgear as -no words can describe; which were made the more ludicrous by his anxious -gravity. - -At length the jackal had got together a compact repast for the lion, and -proceeded to offer it to him. The lion took it with care and caution, -made his selections from it, and his remarks upon it, and the jackal -assisted both. When the repast was fully discussed, the lion put his -hands in his waistband again, and lay down to meditate. The jackal then -invigorated himself with a bumper for his throttle, and a fresh application -to his head, and applied himself to the collection of a second meal; -this was administered to the lion in the same manner, and was not -disposed of until the clocks struck three in the morning. - -“And now we have done, Sydney, fill a bumper of punch,” said Mr. -Stryver. - -The jackal removed the towels from his head, which had been steaming -again, shook himself, yawned, shivered, and complied. - -“You were very sound, Sydney, in the matter of those crown witnesses -to-day. Every question told.” - -“I always am sound; am I not?” - -“I don't gainsay it. What has roughened your temper? Put some punch to -it and smooth it again.” - -With a deprecatory grunt, the jackal again complied. - -“The old Sydney Carton of old Shrewsbury School,” said Stryver, nodding -his head over him as he reviewed him in the present and the past, “the -old seesaw Sydney. Up one minute and down the next; now in spirits and -now in despondency!” - -“Ah!” returned the other, sighing: “yes! The same Sydney, with the same -luck. Even then, I did exercises for other boys, and seldom did my own.” - -“And why not?” - -“God knows. It was my way, I suppose.” - -He sat, with his hands in his pockets and his legs stretched out before -him, looking at the fire. - -“Carton,” said his friend, squaring himself at him with a bullying air, -as if the fire-grate had been the furnace in which sustained endeavour -was forged, and the one delicate thing to be done for the old Sydney -Carton of old Shrewsbury School was to shoulder him into it, “your way -is, and always was, a lame way. You summon no energy and purpose. Look -at me.” - -“Oh, botheration!” returned Sydney, with a lighter and more -good-humoured laugh, “don't _you_ be moral!” - -“How have I done what I have done?” said Stryver; “how do I do what I -do?” - -“Partly through paying me to help you, I suppose. But it's not worth -your while to apostrophise me, or the air, about it; what you want to -do, you do. You were always in the front rank, and I was always behind.” - -“I had to get into the front rank; I was not born there, was I?” - -“I was not present at the ceremony; but my opinion is you were,” said -Carton. At this, he laughed again, and they both laughed. - -“Before Shrewsbury, and at Shrewsbury, and ever since Shrewsbury,” - pursued Carton, “you have fallen into your rank, and I have fallen into -mine. Even when we were fellow-students in the Student-Quarter of Paris, -picking up French, and French law, and other French crumbs that we -didn't get much good of, you were always somewhere, and I was always -nowhere.” - -“And whose fault was that?” - -“Upon my soul, I am not sure that it was not yours. You were always -driving and riving and shouldering and passing, to that restless degree -that I had no chance for my life but in rust and repose. It's a gloomy -thing, however, to talk about one's own past, with the day breaking. -Turn me in some other direction before I go.” - -“Well then! Pledge me to the pretty witness,” said Stryver, holding up -his glass. “Are you turned in a pleasant direction?” - -Apparently not, for he became gloomy again. - -“Pretty witness,” he muttered, looking down into his glass. “I have had -enough of witnesses to-day and to-night; who's your pretty witness?” - -“The picturesque doctor's daughter, Miss Manette.” - -“_She_ pretty?” - -“Is she not?” - -“No.” - -“Why, man alive, she was the admiration of the whole Court!” - -“Rot the admiration of the whole Court! Who made the Old Bailey a judge -of beauty? She was a golden-haired doll!” - -“Do you know, Sydney,” said Mr. Stryver, looking at him with sharp eyes, -and slowly drawing a hand across his florid face: “do you know, I rather -thought, at the time, that you sympathised with the golden-haired doll, -and were quick to see what happened to the golden-haired doll?” - -“Quick to see what happened! If a girl, doll or no doll, swoons within a -yard or two of a man's nose, he can see it without a perspective-glass. -I pledge you, but I deny the beauty. And now I'll have no more drink; -I'll get to bed.” - -When his host followed him out on the staircase with a candle, to light -him down the stairs, the day was coldly looking in through its grimy -windows. When he got out of the house, the air was cold and sad, the -dull sky overcast, the river dark and dim, the whole scene like a -lifeless desert. And wreaths of dust were spinning round and round -before the morning blast, as if the desert-sand had risen far away, and -the first spray of it in its advance had begun to overwhelm the city. - -Waste forces within him, and a desert all around, this man stood still -on his way across a silent terrace, and saw for a moment, lying in the -wilderness before him, a mirage of honourable ambition, self-denial, and -perseverance. In the fair city of this vision, there were airy galleries -from which the loves and graces looked upon him, gardens in which the -fruits of life hung ripening, waters of Hope that sparkled in his sight. -A moment, and it was gone. Climbing to a high chamber in a well of -houses, he threw himself down in his clothes on a neglected bed, and its -pillow was wet with wasted tears. - -Sadly, sadly, the sun rose; it rose upon no sadder sight than the man of -good abilities and good emotions, incapable of their directed exercise, -incapable of his own help and his own happiness, sensible of the blight -on him, and resigning himself to let it eat him away. - - - - -VI. Hundreds of People - - -The quiet lodgings of Doctor Manette were in a quiet street-corner not -far from Soho-square. On the afternoon of a certain fine Sunday when the -waves of four months had rolled over the trial for treason, and carried -it, as to the public interest and memory, far out to sea, Mr. Jarvis -Lorry walked along the sunny streets from Clerkenwell where he lived, -on his way to dine with the Doctor. After several relapses into -business-absorption, Mr. Lorry had become the Doctor's friend, and the -quiet street-corner was the sunny part of his life. - -On this certain fine Sunday, Mr. Lorry walked towards Soho, early in -the afternoon, for three reasons of habit. Firstly, because, on fine -Sundays, he often walked out, before dinner, with the Doctor and Lucie; -secondly, because, on unfavourable Sundays, he was accustomed to be with -them as the family friend, talking, reading, looking out of window, and -generally getting through the day; thirdly, because he happened to have -his own little shrewd doubts to solve, and knew how the ways of the -Doctor's household pointed to that time as a likely time for solving -them. - -A quainter corner than the corner where the Doctor lived, was not to be -found in London. There was no way through it, and the front windows of -the Doctor's lodgings commanded a pleasant little vista of street that -had a congenial air of retirement on it. There were few buildings then, -north of the Oxford-road, and forest-trees flourished, and wild flowers -grew, and the hawthorn blossomed, in the now vanished fields. As a -consequence, country airs circulated in Soho with vigorous freedom, -instead of languishing into the parish like stray paupers without a -settlement; and there was many a good south wall, not far off, on which -the peaches ripened in their season. - -The summer light struck into the corner brilliantly in the earlier part -of the day; but, when the streets grew hot, the corner was in shadow, -though not in shadow so remote but that you could see beyond it into a -glare of brightness. It was a cool spot, staid but cheerful, a wonderful -place for echoes, and a very harbour from the raging streets. - -There ought to have been a tranquil bark in such an anchorage, and -there was. The Doctor occupied two floors of a large stiff house, where -several callings purported to be pursued by day, but whereof little was -audible any day, and which was shunned by all of them at night. In -a building at the back, attainable by a courtyard where a plane-tree -rustled its green leaves, church-organs claimed to be made, and silver -to be chased, and likewise gold to be beaten by some mysterious giant -who had a golden arm starting out of the wall of the front hall--as if -he had beaten himself precious, and menaced a similar conversion of all -visitors. Very little of these trades, or of a lonely lodger rumoured -to live up-stairs, or of a dim coach-trimming maker asserted to have -a counting-house below, was ever heard or seen. Occasionally, a stray -workman putting his coat on, traversed the hall, or a stranger peered -about there, or a distant clink was heard across the courtyard, or a -thump from the golden giant. These, however, were only the exceptions -required to prove the rule that the sparrows in the plane-tree behind -the house, and the echoes in the corner before it, had their own way -from Sunday morning unto Saturday night. - -Doctor Manette received such patients here as his old reputation, and -its revival in the floating whispers of his story, brought him. -His scientific knowledge, and his vigilance and skill in conducting -ingenious experiments, brought him otherwise into moderate request, and -he earned as much as he wanted. - -These things were within Mr. Jarvis Lorry's knowledge, thoughts, and -notice, when he rang the door-bell of the tranquil house in the corner, -on the fine Sunday afternoon. - -“Doctor Manette at home?” - -Expected home. - -“Miss Lucie at home?” - -Expected home. - -“Miss Pross at home?” - -Possibly at home, but of a certainty impossible for handmaid to -anticipate intentions of Miss Pross, as to admission or denial of the -fact. - -“As I am at home myself,” said Mr. Lorry, “I'll go upstairs.” - -Although the Doctor's daughter had known nothing of the country of her -birth, she appeared to have innately derived from it that ability to -make much of little means, which is one of its most useful and most -agreeable characteristics. Simple as the furniture was, it was set off -by so many little adornments, of no value but for their taste and fancy, -that its effect was delightful. The disposition of everything in the -rooms, from the largest object to the least; the arrangement of colours, -the elegant variety and contrast obtained by thrift in trifles, by -delicate hands, clear eyes, and good sense; were at once so pleasant in -themselves, and so expressive of their originator, that, as Mr. Lorry -stood looking about him, the very chairs and tables seemed to ask him, -with something of that peculiar expression which he knew so well by this -time, whether he approved? - -There were three rooms on a floor, and, the doors by which they -communicated being put open that the air might pass freely through them -all, Mr. Lorry, smilingly observant of that fanciful resemblance which -he detected all around him, walked from one to another. The first was -the best room, and in it were Lucie's birds, and flowers, and books, -and desk, and work-table, and box of water-colours; the second was -the Doctor's consulting-room, used also as the dining-room; the third, -changingly speckled by the rustle of the plane-tree in the yard, was the -Doctor's bedroom, and there, in a corner, stood the disused shoemaker's -bench and tray of tools, much as it had stood on the fifth floor of the -dismal house by the wine-shop, in the suburb of Saint Antoine in Paris. - -“I wonder,” said Mr. Lorry, pausing in his looking about, “that he keeps -that reminder of his sufferings about him!” - -“And why wonder at that?” was the abrupt inquiry that made him start. - -It proceeded from Miss Pross, the wild red woman, strong of hand, whose -acquaintance he had first made at the Royal George Hotel at Dover, and -had since improved. - -“I should have thought--” Mr. Lorry began. - -“Pooh! You'd have thought!” said Miss Pross; and Mr. Lorry left off. - -“How do you do?” inquired that lady then--sharply, and yet as if to -express that she bore him no malice. - -“I am pretty well, I thank you,” answered Mr. Lorry, with meekness; “how -are you?” - -“Nothing to boast of,” said Miss Pross. - -“Indeed?” - -“Ah! indeed!” said Miss Pross. “I am very much put out about my -Ladybird.” - -“Indeed?” - -“For gracious sake say something else besides 'indeed,' or you'll -fidget me to death,” said Miss Pross: whose character (dissociated from -stature) was shortness. - -“Really, then?” said Mr. Lorry, as an amendment. - -“Really, is bad enough,” returned Miss Pross, “but better. Yes, I am -very much put out.” - -“May I ask the cause?” - -“I don't want dozens of people who are not at all worthy of Ladybird, to -come here looking after her,” said Miss Pross. - -“_Do_ dozens come for that purpose?” - -“Hundreds,” said Miss Pross. - -It was characteristic of this lady (as of some other people before her -time and since) that whenever her original proposition was questioned, -she exaggerated it. - -“Dear me!” said Mr. Lorry, as the safest remark he could think of. - -“I have lived with the darling--or the darling has lived with me, and -paid me for it; which she certainly should never have done, you may take -your affidavit, if I could have afforded to keep either myself or her -for nothing--since she was ten years old. And it's really very hard,” - said Miss Pross. - -Not seeing with precision what was very hard, Mr. Lorry shook his head; -using that important part of himself as a sort of fairy cloak that would -fit anything. - -“All sorts of people who are not in the least degree worthy of the pet, -are always turning up,” said Miss Pross. “When you began it--” - -“_I_ began it, Miss Pross?” - -“Didn't you? Who brought her father to life?” - -“Oh! If _that_ was beginning it--” said Mr. Lorry. - -“It wasn't ending it, I suppose? I say, when you began it, it was hard -enough; not that I have any fault to find with Doctor Manette, except -that he is not worthy of such a daughter, which is no imputation on -him, for it was not to be expected that anybody should be, under any -circumstances. But it really is doubly and trebly hard to have crowds -and multitudes of people turning up after him (I could have forgiven -him), to take Ladybird's affections away from me.” - -Mr. Lorry knew Miss Pross to be very jealous, but he also knew her by -this time to be, beneath the service of her eccentricity, one of those -unselfish creatures--found only among women--who will, for pure love and -admiration, bind themselves willing slaves, to youth when they have lost -it, to beauty that they never had, to accomplishments that they were -never fortunate enough to gain, to bright hopes that never shone upon -their own sombre lives. He knew enough of the world to know that there -is nothing in it better than the faithful service of the heart; so -rendered and so free from any mercenary taint, he had such an exalted -respect for it, that in the retributive arrangements made by his own -mind--we all make such arrangements, more or less--he stationed Miss -Pross much nearer to the lower Angels than many ladies immeasurably -better got up both by Nature and Art, who had balances at Tellson's. - -“There never was, nor will be, but one man worthy of Ladybird,” said -Miss Pross; “and that was my brother Solomon, if he hadn't made a -mistake in life.” - -Here again: Mr. Lorry's inquiries into Miss Pross's personal history had -established the fact that her brother Solomon was a heartless scoundrel -who had stripped her of everything she possessed, as a stake to -speculate with, and had abandoned her in her poverty for evermore, with -no touch of compunction. Miss Pross's fidelity of belief in Solomon -(deducting a mere trifle for this slight mistake) was quite a serious -matter with Mr. Lorry, and had its weight in his good opinion of her. - -“As we happen to be alone for the moment, and are both people of -business,” he said, when they had got back to the drawing-room and had -sat down there in friendly relations, “let me ask you--does the Doctor, -in talking with Lucie, never refer to the shoemaking time, yet?” - -“Never.” - -“And yet keeps that bench and those tools beside him?” - -“Ah!” returned Miss Pross, shaking her head. “But I don't say he don't -refer to it within himself.” - -“Do you believe that he thinks of it much?” - -“I do,” said Miss Pross. - -“Do you imagine--” Mr. Lorry had begun, when Miss Pross took him up -short with: - -“Never imagine anything. Have no imagination at all.” - -“I stand corrected; do you suppose--you go so far as to suppose, -sometimes?” - -“Now and then,” said Miss Pross. - -“Do you suppose,” Mr. Lorry went on, with a laughing twinkle in his -bright eye, as it looked kindly at her, “that Doctor Manette has any -theory of his own, preserved through all those years, relative to -the cause of his being so oppressed; perhaps, even to the name of his -oppressor?” - -“I don't suppose anything about it but what Ladybird tells me.” - -“And that is--?” - -“That she thinks he has.” - -“Now don't be angry at my asking all these questions; because I am a -mere dull man of business, and you are a woman of business.” - -“Dull?” Miss Pross inquired, with placidity. - -Rather wishing his modest adjective away, Mr. Lorry replied, “No, no, -no. Surely not. To return to business:--Is it not remarkable that Doctor -Manette, unquestionably innocent of any crime as we are all well assured -he is, should never touch upon that question? I will not say with me, -though he had business relations with me many years ago, and we are now -intimate; I will say with the fair daughter to whom he is so devotedly -attached, and who is so devotedly attached to him? Believe me, Miss -Pross, I don't approach the topic with you, out of curiosity, but out of -zealous interest.” - -“Well! To the best of my understanding, and bad's the best, you'll tell -me,” said Miss Pross, softened by the tone of the apology, “he is afraid -of the whole subject.” - -“Afraid?” - -“It's plain enough, I should think, why he may be. It's a dreadful -remembrance. Besides that, his loss of himself grew out of it. Not -knowing how he lost himself, or how he recovered himself, he may never -feel certain of not losing himself again. That alone wouldn't make the -subject pleasant, I should think.” - -It was a profounder remark than Mr. Lorry had looked for. “True,” said -he, “and fearful to reflect upon. Yet, a doubt lurks in my mind, Miss -Pross, whether it is good for Doctor Manette to have that suppression -always shut up within him. Indeed, it is this doubt and the uneasiness -it sometimes causes me that has led me to our present confidence.” - -“Can't be helped,” said Miss Pross, shaking her head. “Touch that -string, and he instantly changes for the worse. Better leave it alone. -In short, must leave it alone, like or no like. Sometimes, he gets up in -the dead of the night, and will be heard, by us overhead there, walking -up and down, walking up and down, in his room. Ladybird has learnt to -know then that his mind is walking up and down, walking up and down, in -his old prison. She hurries to him, and they go on together, walking up -and down, walking up and down, until he is composed. But he never says -a word of the true reason of his restlessness, to her, and she finds it -best not to hint at it to him. In silence they go walking up and down -together, walking up and down together, till her love and company have -brought him to himself.” - -Notwithstanding Miss Pross's denial of her own imagination, there was a -perception of the pain of being monotonously haunted by one sad idea, -in her repetition of the phrase, walking up and down, which testified to -her possessing such a thing. - -The corner has been mentioned as a wonderful corner for echoes; it -had begun to echo so resoundingly to the tread of coming feet, that it -seemed as though the very mention of that weary pacing to and fro had -set it going. - -“Here they are!” said Miss Pross, rising to break up the conference; -“and now we shall have hundreds of people pretty soon!” - -It was such a curious corner in its acoustical properties, such a -peculiar Ear of a place, that as Mr. Lorry stood at the open window, -looking for the father and daughter whose steps he heard, he fancied -they would never approach. Not only would the echoes die away, as though -the steps had gone; but, echoes of other steps that never came would be -heard in their stead, and would die away for good when they seemed close -at hand. However, father and daughter did at last appear, and Miss Pross -was ready at the street door to receive them. - -Miss Pross was a pleasant sight, albeit wild, and red, and grim, taking -off her darling's bonnet when she came up-stairs, and touching it up -with the ends of her handkerchief, and blowing the dust off it, and -folding her mantle ready for laying by, and smoothing her rich hair with -as much pride as she could possibly have taken in her own hair if she -had been the vainest and handsomest of women. Her darling was a pleasant -sight too, embracing her and thanking her, and protesting against -her taking so much trouble for her--which last she only dared to do -playfully, or Miss Pross, sorely hurt, would have retired to her own -chamber and cried. The Doctor was a pleasant sight too, looking on at -them, and telling Miss Pross how she spoilt Lucie, in accents and with -eyes that had as much spoiling in them as Miss Pross had, and would -have had more if it were possible. Mr. Lorry was a pleasant sight too, -beaming at all this in his little wig, and thanking his bachelor -stars for having lighted him in his declining years to a Home. But, no -Hundreds of people came to see the sights, and Mr. Lorry looked in vain -for the fulfilment of Miss Pross's prediction. - -Dinner-time, and still no Hundreds of people. In the arrangements of -the little household, Miss Pross took charge of the lower regions, and -always acquitted herself marvellously. Her dinners, of a very modest -quality, were so well cooked and so well served, and so neat in their -contrivances, half English and half French, that nothing could be -better. Miss Pross's friendship being of the thoroughly practical -kind, she had ravaged Soho and the adjacent provinces, in search of -impoverished French, who, tempted by shillings and half-crowns, would -impart culinary mysteries to her. From these decayed sons and daughters -of Gaul, she had acquired such wonderful arts, that the woman and girl -who formed the staff of domestics regarded her as quite a Sorceress, -or Cinderella's Godmother: who would send out for a fowl, a rabbit, -a vegetable or two from the garden, and change them into anything she -pleased. - -On Sundays, Miss Pross dined at the Doctor's table, but on other days -persisted in taking her meals at unknown periods, either in the lower -regions, or in her own room on the second floor--a blue chamber, to -which no one but her Ladybird ever gained admittance. On this occasion, -Miss Pross, responding to Ladybird's pleasant face and pleasant efforts -to please her, unbent exceedingly; so the dinner was very pleasant, too. - -It was an oppressive day, and, after dinner, Lucie proposed that the -wine should be carried out under the plane-tree, and they should sit -there in the air. As everything turned upon her, and revolved about her, -they went out under the plane-tree, and she carried the wine down for -the special benefit of Mr. Lorry. She had installed herself, some -time before, as Mr. Lorry's cup-bearer; and while they sat under the -plane-tree, talking, she kept his glass replenished. Mysterious backs -and ends of houses peeped at them as they talked, and the plane-tree -whispered to them in its own way above their heads. - -Still, the Hundreds of people did not present themselves. Mr. Darnay -presented himself while they were sitting under the plane-tree, but he -was only One. - -Doctor Manette received him kindly, and so did Lucie. But, Miss Pross -suddenly became afflicted with a twitching in the head and body, and -retired into the house. She was not unfrequently the victim of this -disorder, and she called it, in familiar conversation, “a fit of the -jerks.” - -The Doctor was in his best condition, and looked specially young. The -resemblance between him and Lucie was very strong at such times, and as -they sat side by side, she leaning on his shoulder, and he resting -his arm on the back of her chair, it was very agreeable to trace the -likeness. - -He had been talking all day, on many subjects, and with unusual -vivacity. “Pray, Doctor Manette,” said Mr. Darnay, as they sat under the -plane-tree--and he said it in the natural pursuit of the topic in hand, -which happened to be the old buildings of London--“have you seen much of -the Tower?” - -“Lucie and I have been there; but only casually. We have seen enough of -it, to know that it teems with interest; little more.” - -“_I_ have been there, as you remember,” said Darnay, with a smile, -though reddening a little angrily, “in another character, and not in a -character that gives facilities for seeing much of it. They told me a -curious thing when I was there.” - -“What was that?” Lucie asked. - -“In making some alterations, the workmen came upon an old dungeon, which -had been, for many years, built up and forgotten. Every stone of -its inner wall was covered by inscriptions which had been carved by -prisoners--dates, names, complaints, and prayers. Upon a corner stone -in an angle of the wall, one prisoner, who seemed to have gone to -execution, had cut as his last work, three letters. They were done with -some very poor instrument, and hurriedly, with an unsteady hand. -At first, they were read as D. I. C.; but, on being more carefully -examined, the last letter was found to be G. There was no record or -legend of any prisoner with those initials, and many fruitless guesses -were made what the name could have been. At length, it was suggested -that the letters were not initials, but the complete word, DIG. The -floor was examined very carefully under the inscription, and, in the -earth beneath a stone, or tile, or some fragment of paving, were found -the ashes of a paper, mingled with the ashes of a small leathern case -or bag. What the unknown prisoner had written will never be read, but he -had written something, and hidden it away to keep it from the gaoler.” - -“My father,” exclaimed Lucie, “you are ill!” - -He had suddenly started up, with his hand to his head. His manner and -his look quite terrified them all. - -“No, my dear, not ill. There are large drops of rain falling, and they -made me start. We had better go in.” - -He recovered himself almost instantly. Rain was really falling in large -drops, and he showed the back of his hand with rain-drops on it. But, he -said not a single word in reference to the discovery that had been told -of, and, as they went into the house, the business eye of Mr. Lorry -either detected, or fancied it detected, on his face, as it turned -towards Charles Darnay, the same singular look that had been upon it -when it turned towards him in the passages of the Court House. - -He recovered himself so quickly, however, that Mr. Lorry had doubts of -his business eye. The arm of the golden giant in the hall was not more -steady than he was, when he stopped under it to remark to them that he -was not yet proof against slight surprises (if he ever would be), and -that the rain had startled him. - -Tea-time, and Miss Pross making tea, with another fit of the jerks upon -her, and yet no Hundreds of people. Mr. Carton had lounged in, but he -made only Two. - -The night was so very sultry, that although they sat with doors and -windows open, they were overpowered by heat. When the tea-table was -done with, they all moved to one of the windows, and looked out into the -heavy twilight. Lucie sat by her father; Darnay sat beside her; Carton -leaned against a window. The curtains were long and white, and some of -the thunder-gusts that whirled into the corner, caught them up to the -ceiling, and waved them like spectral wings. - -“The rain-drops are still falling, large, heavy, and few,” said Doctor -Manette. “It comes slowly.” - -“It comes surely,” said Carton. - -They spoke low, as people watching and waiting mostly do; as people in a -dark room, watching and waiting for Lightning, always do. - -There was a great hurry in the streets of people speeding away to -get shelter before the storm broke; the wonderful corner for echoes -resounded with the echoes of footsteps coming and going, yet not a -footstep was there. - -“A multitude of people, and yet a solitude!” said Darnay, when they had -listened for a while. - -“Is it not impressive, Mr. Darnay?” asked Lucie. “Sometimes, I have -sat here of an evening, until I have fancied--but even the shade of -a foolish fancy makes me shudder to-night, when all is so black and -solemn--” - -“Let us shudder too. We may know what it is.” - -“It will seem nothing to you. Such whims are only impressive as we -originate them, I think; they are not to be communicated. I have -sometimes sat alone here of an evening, listening, until I have made -the echoes out to be the echoes of all the footsteps that are coming -by-and-bye into our lives.” - -“There is a great crowd coming one day into our lives, if that be so,” - Sydney Carton struck in, in his moody way. - -The footsteps were incessant, and the hurry of them became more and more -rapid. The corner echoed and re-echoed with the tread of feet; some, -as it seemed, under the windows; some, as it seemed, in the room; some -coming, some going, some breaking off, some stopping altogether; all in -the distant streets, and not one within sight. - -“Are all these footsteps destined to come to all of us, Miss Manette, or -are we to divide them among us?” - -“I don't know, Mr. Darnay; I told you it was a foolish fancy, but you -asked for it. When I have yielded myself to it, I have been alone, and -then I have imagined them the footsteps of the people who are to come -into my life, and my father's.” - -“I take them into mine!” said Carton. “_I_ ask no questions and make no -stipulations. There is a great crowd bearing down upon us, Miss Manette, -and I see them--by the Lightning.” He added the last words, after there -had been a vivid flash which had shown him lounging in the window. - -“And I hear them!” he added again, after a peal of thunder. “Here they -come, fast, fierce, and furious!” - -It was the rush and roar of rain that he typified, and it stopped him, -for no voice could be heard in it. A memorable storm of thunder and -lightning broke with that sweep of water, and there was not a moment's -interval in crash, and fire, and rain, until after the moon rose at -midnight. - -The great bell of Saint Paul's was striking one in the cleared air, when -Mr. Lorry, escorted by Jerry, high-booted and bearing a lantern, set -forth on his return-passage to Clerkenwell. There were solitary patches -of road on the way between Soho and Clerkenwell, and Mr. Lorry, mindful -of foot-pads, always retained Jerry for this service: though it was -usually performed a good two hours earlier. - -“What a night it has been! Almost a night, Jerry,” said Mr. Lorry, “to -bring the dead out of their graves.” - -“I never see the night myself, master--nor yet I don't expect to--what -would do that,” answered Jerry. - -“Good night, Mr. Carton,” said the man of business. “Good night, Mr. -Darnay. Shall we ever see such a night again, together!” - -Perhaps. Perhaps, see the great crowd of people with its rush and roar, -bearing down upon them, too. - - - - -VII. Monseigneur in Town - - -Monseigneur, one of the great lords in power at the Court, held his -fortnightly reception in his grand hotel in Paris. Monseigneur was in -his inner room, his sanctuary of sanctuaries, the Holiest of Holiests to -the crowd of worshippers in the suite of rooms without. Monseigneur -was about to take his chocolate. Monseigneur could swallow a great many -things with ease, and was by some few sullen minds supposed to be rather -rapidly swallowing France; but, his morning's chocolate could not so -much as get into the throat of Monseigneur, without the aid of four -strong men besides the Cook. - -Yes. It took four men, all four ablaze with gorgeous decoration, and the -Chief of them unable to exist with fewer than two gold watches in his -pocket, emulative of the noble and chaste fashion set by Monseigneur, to -conduct the happy chocolate to Monseigneur's lips. One lacquey carried -the chocolate-pot into the sacred presence; a second, milled and frothed -the chocolate with the little instrument he bore for that function; -a third, presented the favoured napkin; a fourth (he of the two gold -watches), poured the chocolate out. It was impossible for Monseigneur to -dispense with one of these attendants on the chocolate and hold his high -place under the admiring Heavens. Deep would have been the blot upon -his escutcheon if his chocolate had been ignobly waited on by only three -men; he must have died of two. - -Monseigneur had been out at a little supper last night, where the Comedy -and the Grand Opera were charmingly represented. Monseigneur was out at -a little supper most nights, with fascinating company. So polite and so -impressible was Monseigneur, that the Comedy and the Grand Opera had far -more influence with him in the tiresome articles of state affairs and -state secrets, than the needs of all France. A happy circumstance -for France, as the like always is for all countries similarly -favoured!--always was for England (by way of example), in the regretted -days of the merry Stuart who sold it. - -Monseigneur had one truly noble idea of general public business, which -was, to let everything go on in its own way; of particular public -business, Monseigneur had the other truly noble idea that it must all go -his way--tend to his own power and pocket. Of his pleasures, general and -particular, Monseigneur had the other truly noble idea, that the world -was made for them. The text of his order (altered from the original -by only a pronoun, which is not much) ran: “The earth and the fulness -thereof are mine, saith Monseigneur.” - -Yet, Monseigneur had slowly found that vulgar embarrassments crept into -his affairs, both private and public; and he had, as to both classes of -affairs, allied himself perforce with a Farmer-General. As to finances -public, because Monseigneur could not make anything at all of them, and -must consequently let them out to somebody who could; as to finances -private, because Farmer-Generals were rich, and Monseigneur, after -generations of great luxury and expense, was growing poor. Hence -Monseigneur had taken his sister from a convent, while there was yet -time to ward off the impending veil, the cheapest garment she could -wear, and had bestowed her as a prize upon a very rich Farmer-General, -poor in family. Which Farmer-General, carrying an appropriate cane with -a golden apple on the top of it, was now among the company in the outer -rooms, much prostrated before by mankind--always excepting superior -mankind of the blood of Monseigneur, who, his own wife included, looked -down upon him with the loftiest contempt. - -A sumptuous man was the Farmer-General. Thirty horses stood in his -stables, twenty-four male domestics sat in his halls, six body-women -waited on his wife. As one who pretended to do nothing but plunder and -forage where he could, the Farmer-General--howsoever his matrimonial -relations conduced to social morality--was at least the greatest reality -among the personages who attended at the hotel of Monseigneur that day. - -For, the rooms, though a beautiful scene to look at, and adorned with -every device of decoration that the taste and skill of the time could -achieve, were, in truth, not a sound business; considered with any -reference to the scarecrows in the rags and nightcaps elsewhere (and not -so far off, either, but that the watching towers of Notre Dame, almost -equidistant from the two extremes, could see them both), they would -have been an exceedingly uncomfortable business--if that could have -been anybody's business, at the house of Monseigneur. Military officers -destitute of military knowledge; naval officers with no idea of a ship; -civil officers without a notion of affairs; brazen ecclesiastics, of the -worst world worldly, with sensual eyes, loose tongues, and looser lives; -all totally unfit for their several callings, all lying horribly in -pretending to belong to them, but all nearly or remotely of the order of -Monseigneur, and therefore foisted on all public employments from which -anything was to be got; these were to be told off by the score and the -score. People not immediately connected with Monseigneur or the State, -yet equally unconnected with anything that was real, or with lives -passed in travelling by any straight road to any true earthly end, were -no less abundant. Doctors who made great fortunes out of dainty remedies -for imaginary disorders that never existed, smiled upon their courtly -patients in the ante-chambers of Monseigneur. Projectors who had -discovered every kind of remedy for the little evils with which the -State was touched, except the remedy of setting to work in earnest to -root out a single sin, poured their distracting babble into any ears -they could lay hold of, at the reception of Monseigneur. Unbelieving -Philosophers who were remodelling the world with words, and making -card-towers of Babel to scale the skies with, talked with Unbelieving -Chemists who had an eye on the transmutation of metals, at this -wonderful gathering accumulated by Monseigneur. Exquisite gentlemen of -the finest breeding, which was at that remarkable time--and has been -since--to be known by its fruits of indifference to every natural -subject of human interest, were in the most exemplary state of -exhaustion, at the hotel of Monseigneur. Such homes had these various -notabilities left behind them in the fine world of Paris, that the spies -among the assembled devotees of Monseigneur--forming a goodly half -of the polite company--would have found it hard to discover among -the angels of that sphere one solitary wife, who, in her manners and -appearance, owned to being a Mother. Indeed, except for the mere act of -bringing a troublesome creature into this world--which does not go far -towards the realisation of the name of mother--there was no such thing -known to the fashion. Peasant women kept the unfashionable babies close, -and brought them up, and charming grandmammas of sixty dressed and -supped as at twenty. - -The leprosy of unreality disfigured every human creature in attendance -upon Monseigneur. In the outermost room were half a dozen exceptional -people who had had, for a few years, some vague misgiving in them that -things in general were going rather wrong. As a promising way of setting -them right, half of the half-dozen had become members of a fantastic -sect of Convulsionists, and were even then considering within themselves -whether they should foam, rage, roar, and turn cataleptic on the -spot--thereby setting up a highly intelligible finger-post to the -Future, for Monseigneur's guidance. Besides these Dervishes, were other -three who had rushed into another sect, which mended matters with a -jargon about “the Centre of Truth:” holding that Man had got out of the -Centre of Truth--which did not need much demonstration--but had not got -out of the Circumference, and that he was to be kept from flying out of -the Circumference, and was even to be shoved back into the Centre, -by fasting and seeing of spirits. Among these, accordingly, much -discoursing with spirits went on--and it did a world of good which never -became manifest. - -But, the comfort was, that all the company at the grand hotel of -Monseigneur were perfectly dressed. If the Day of Judgment had only been -ascertained to be a dress day, everybody there would have been eternally -correct. Such frizzling and powdering and sticking up of hair, such -delicate complexions artificially preserved and mended, such gallant -swords to look at, and such delicate honour to the sense of smell, would -surely keep anything going, for ever and ever. The exquisite gentlemen -of the finest breeding wore little pendent trinkets that chinked as they -languidly moved; these golden fetters rang like precious little bells; -and what with that ringing, and with the rustle of silk and brocade and -fine linen, there was a flutter in the air that fanned Saint Antoine and -his devouring hunger far away. - -Dress was the one unfailing talisman and charm used for keeping all -things in their places. Everybody was dressed for a Fancy Ball that -was never to leave off. From the Palace of the Tuileries, through -Monseigneur and the whole Court, through the Chambers, the Tribunals -of Justice, and all society (except the scarecrows), the Fancy Ball -descended to the Common Executioner: who, in pursuance of the charm, was -required to officiate “frizzled, powdered, in a gold-laced coat, pumps, -and white silk stockings.” At the gallows and the wheel--the axe was a -rarity--Monsieur Paris, as it was the episcopal mode among his brother -Professors of the provinces, Monsieur Orleans, and the rest, to call -him, presided in this dainty dress. And who among the company at -Monseigneur's reception in that seventeen hundred and eightieth year -of our Lord, could possibly doubt, that a system rooted in a frizzled -hangman, powdered, gold-laced, pumped, and white-silk stockinged, would -see the very stars out! - -Monseigneur having eased his four men of their burdens and taken his -chocolate, caused the doors of the Holiest of Holiests to be thrown -open, and issued forth. Then, what submission, what cringing and -fawning, what servility, what abject humiliation! As to bowing down in -body and spirit, nothing in that way was left for Heaven--which may have -been one among other reasons why the worshippers of Monseigneur never -troubled it. - -Bestowing a word of promise here and a smile there, a whisper on one -happy slave and a wave of the hand on another, Monseigneur affably -passed through his rooms to the remote region of the Circumference of -Truth. There, Monseigneur turned, and came back again, and so in due -course of time got himself shut up in his sanctuary by the chocolate -sprites, and was seen no more. - -The show being over, the flutter in the air became quite a little storm, -and the precious little bells went ringing downstairs. There was soon -but one person left of all the crowd, and he, with his hat under his arm -and his snuff-box in his hand, slowly passed among the mirrors on his -way out. - -“I devote you,” said this person, stopping at the last door on his way, -and turning in the direction of the sanctuary, “to the Devil!” - -With that, he shook the snuff from his fingers as if he had shaken the -dust from his feet, and quietly walked downstairs. - -He was a man of about sixty, handsomely dressed, haughty in manner, and -with a face like a fine mask. A face of a transparent paleness; every -feature in it clearly defined; one set expression on it. The nose, -beautifully formed otherwise, was very slightly pinched at the top -of each nostril. In those two compressions, or dints, the only little -change that the face ever showed, resided. They persisted in changing -colour sometimes, and they would be occasionally dilated and contracted -by something like a faint pulsation; then, they gave a look of -treachery, and cruelty, to the whole countenance. Examined with -attention, its capacity of helping such a look was to be found in the -line of the mouth, and the lines of the orbits of the eyes, being much -too horizontal and thin; still, in the effect of the face made, it was a -handsome face, and a remarkable one. - -Its owner went downstairs into the courtyard, got into his carriage, and -drove away. Not many people had talked with him at the reception; he had -stood in a little space apart, and Monseigneur might have been warmer -in his manner. It appeared, under the circumstances, rather agreeable -to him to see the common people dispersed before his horses, and -often barely escaping from being run down. His man drove as if he were -charging an enemy, and the furious recklessness of the man brought no -check into the face, or to the lips, of the master. The complaint had -sometimes made itself audible, even in that deaf city and dumb age, -that, in the narrow streets without footways, the fierce patrician -custom of hard driving endangered and maimed the mere vulgar in a -barbarous manner. But, few cared enough for that to think of it a second -time, and, in this matter, as in all others, the common wretches were -left to get out of their difficulties as they could. - -With a wild rattle and clatter, and an inhuman abandonment of -consideration not easy to be understood in these days, the carriage -dashed through streets and swept round corners, with women screaming -before it, and men clutching each other and clutching children out of -its way. At last, swooping at a street corner by a fountain, one of its -wheels came to a sickening little jolt, and there was a loud cry from a -number of voices, and the horses reared and plunged. - -But for the latter inconvenience, the carriage probably would not have -stopped; carriages were often known to drive on, and leave their wounded -behind, and why not? But the frightened valet had got down in a hurry, -and there were twenty hands at the horses' bridles. - -“What has gone wrong?” said Monsieur, calmly looking out. - -A tall man in a nightcap had caught up a bundle from among the feet of -the horses, and had laid it on the basement of the fountain, and was -down in the mud and wet, howling over it like a wild animal. - -“Pardon, Monsieur the Marquis!” said a ragged and submissive man, “it is -a child.” - -“Why does he make that abominable noise? Is it his child?” - -“Excuse me, Monsieur the Marquis--it is a pity--yes.” - -The fountain was a little removed; for the street opened, where it was, -into a space some ten or twelve yards square. As the tall man suddenly -got up from the ground, and came running at the carriage, Monsieur the -Marquis clapped his hand for an instant on his sword-hilt. - -“Killed!” shrieked the man, in wild desperation, extending both arms at -their length above his head, and staring at him. “Dead!” - -The people closed round, and looked at Monsieur the Marquis. There was -nothing revealed by the many eyes that looked at him but watchfulness -and eagerness; there was no visible menacing or anger. Neither did the -people say anything; after the first cry, they had been silent, and they -remained so. The voice of the submissive man who had spoken, was flat -and tame in its extreme submission. Monsieur the Marquis ran his eyes -over them all, as if they had been mere rats come out of their holes. - -He took out his purse. - -“It is extraordinary to me,” said he, “that you people cannot take care -of yourselves and your children. One or the other of you is for ever in -the way. How do I know what injury you have done my horses. See! Give -him that.” - -He threw out a gold coin for the valet to pick up, and all the heads -craned forward that all the eyes might look down at it as it fell. The -tall man called out again with a most unearthly cry, “Dead!” - -He was arrested by the quick arrival of another man, for whom the rest -made way. On seeing him, the miserable creature fell upon his shoulder, -sobbing and crying, and pointing to the fountain, where some women were -stooping over the motionless bundle, and moving gently about it. They -were as silent, however, as the men. - -“I know all, I know all,” said the last comer. “Be a brave man, my -Gaspard! It is better for the poor little plaything to die so, than to -live. It has died in a moment without pain. Could it have lived an hour -as happily?” - -“You are a philosopher, you there,” said the Marquis, smiling. “How do -they call you?” - -“They call me Defarge.” - -“Of what trade?” - -“Monsieur the Marquis, vendor of wine.” - -“Pick up that, philosopher and vendor of wine,” said the Marquis, -throwing him another gold coin, “and spend it as you will. The horses -there; are they right?” - -Without deigning to look at the assemblage a second time, Monsieur the -Marquis leaned back in his seat, and was just being driven away with the -air of a gentleman who had accidentally broke some common thing, and had -paid for it, and could afford to pay for it; when his ease was suddenly -disturbed by a coin flying into his carriage, and ringing on its floor. - -“Hold!” said Monsieur the Marquis. “Hold the horses! Who threw that?” - -He looked to the spot where Defarge the vendor of wine had stood, a -moment before; but the wretched father was grovelling on his face on -the pavement in that spot, and the figure that stood beside him was the -figure of a dark stout woman, knitting. - -“You dogs!” said the Marquis, but smoothly, and with an unchanged front, -except as to the spots on his nose: “I would ride over any of you very -willingly, and exterminate you from the earth. If I knew which rascal -threw at the carriage, and if that brigand were sufficiently near it, he -should be crushed under the wheels.” - -So cowed was their condition, and so long and hard their experience of -what such a man could do to them, within the law and beyond it, that not -a voice, or a hand, or even an eye was raised. Among the men, not one. -But the woman who stood knitting looked up steadily, and looked the -Marquis in the face. It was not for his dignity to notice it; his -contemptuous eyes passed over her, and over all the other rats; and he -leaned back in his seat again, and gave the word “Go on!” - -He was driven on, and other carriages came whirling by in quick -succession; the Minister, the State-Projector, the Farmer-General, the -Doctor, the Lawyer, the Ecclesiastic, the Grand Opera, the Comedy, the -whole Fancy Ball in a bright continuous flow, came whirling by. The rats -had crept out of their holes to look on, and they remained looking -on for hours; soldiers and police often passing between them and the -spectacle, and making a barrier behind which they slunk, and through -which they peeped. The father had long ago taken up his bundle and -bidden himself away with it, when the women who had tended the bundle -while it lay on the base of the fountain, sat there watching the running -of the water and the rolling of the Fancy Ball--when the one woman who -had stood conspicuous, knitting, still knitted on with the steadfastness -of Fate. The water of the fountain ran, the swift river ran, the day ran -into evening, so much life in the city ran into death according to rule, -time and tide waited for no man, the rats were sleeping close together -in their dark holes again, the Fancy Ball was lighted up at supper, all -things ran their course. - - - - -VIII. Monseigneur in the Country - - -A beautiful landscape, with the corn bright in it, but not abundant. -Patches of poor rye where corn should have been, patches of poor peas -and beans, patches of most coarse vegetable substitutes for wheat. On -inanimate nature, as on the men and women who cultivated it, a prevalent -tendency towards an appearance of vegetating unwillingly--a dejected -disposition to give up, and wither away. - -Monsieur the Marquis in his travelling carriage (which might have been -lighter), conducted by four post-horses and two postilions, fagged up -a steep hill. A blush on the countenance of Monsieur the Marquis was -no impeachment of his high breeding; it was not from within; it was -occasioned by an external circumstance beyond his control--the setting -sun. - -The sunset struck so brilliantly into the travelling carriage when it -gained the hill-top, that its occupant was steeped in crimson. “It will -die out,” said Monsieur the Marquis, glancing at his hands, “directly.” - -In effect, the sun was so low that it dipped at the moment. When the -heavy drag had been adjusted to the wheel, and the carriage slid down -hill, with a cinderous smell, in a cloud of dust, the red glow departed -quickly; the sun and the Marquis going down together, there was no glow -left when the drag was taken off. - -But, there remained a broken country, bold and open, a little village -at the bottom of the hill, a broad sweep and rise beyond it, a -church-tower, a windmill, a forest for the chase, and a crag with a -fortress on it used as a prison. Round upon all these darkening objects -as the night drew on, the Marquis looked, with the air of one who was -coming near home. - -The village had its one poor street, with its poor brewery, poor -tannery, poor tavern, poor stable-yard for relays of post-horses, poor -fountain, all usual poor appointments. It had its poor people too. All -its people were poor, and many of them were sitting at their doors, -shredding spare onions and the like for supper, while many were at the -fountain, washing leaves, and grasses, and any such small yieldings of -the earth that could be eaten. Expressive signs of what made them poor, -were not wanting; the tax for the state, the tax for the church, the tax -for the lord, tax local and tax general, were to be paid here and to be -paid there, according to solemn inscription in the little village, until -the wonder was, that there was any village left unswallowed. - -Few children were to be seen, and no dogs. As to the men and women, -their choice on earth was stated in the prospect--Life on the lowest -terms that could sustain it, down in the little village under the mill; -or captivity and Death in the dominant prison on the crag. - -Heralded by a courier in advance, and by the cracking of his postilions' -whips, which twined snake-like about their heads in the evening air, as -if he came attended by the Furies, Monsieur the Marquis drew up in -his travelling carriage at the posting-house gate. It was hard by the -fountain, and the peasants suspended their operations to look at him. -He looked at them, and saw in them, without knowing it, the slow -sure filing down of misery-worn face and figure, that was to make the -meagreness of Frenchmen an English superstition which should survive the -truth through the best part of a hundred years. - -Monsieur the Marquis cast his eyes over the submissive faces that -drooped before him, as the like of himself had drooped before -Monseigneur of the Court--only the difference was, that these faces -drooped merely to suffer and not to propitiate--when a grizzled mender -of the roads joined the group. - -“Bring me hither that fellow!” said the Marquis to the courier. - -The fellow was brought, cap in hand, and the other fellows closed round -to look and listen, in the manner of the people at the Paris fountain. - -“I passed you on the road?” - -“Monseigneur, it is true. I had the honour of being passed on the road.” - -“Coming up the hill, and at the top of the hill, both?” - -“Monseigneur, it is true.” - -“What did you look at, so fixedly?” - -“Monseigneur, I looked at the man.” - -He stooped a little, and with his tattered blue cap pointed under the -carriage. All his fellows stooped to look under the carriage. - -“What man, pig? And why look there?” - -“Pardon, Monseigneur; he swung by the chain of the shoe--the drag.” - -“Who?” demanded the traveller. - -“Monseigneur, the man.” - -“May the Devil carry away these idiots! How do you call the man? You -know all the men of this part of the country. Who was he?” - -“Your clemency, Monseigneur! He was not of this part of the country. Of -all the days of my life, I never saw him.” - -“Swinging by the chain? To be suffocated?” - -“With your gracious permission, that was the wonder of it, Monseigneur. -His head hanging over--like this!” - -He turned himself sideways to the carriage, and leaned back, with his -face thrown up to the sky, and his head hanging down; then recovered -himself, fumbled with his cap, and made a bow. - -“What was he like?” - -“Monseigneur, he was whiter than the miller. All covered with dust, -white as a spectre, tall as a spectre!” - -The picture produced an immense sensation in the little crowd; but all -eyes, without comparing notes with other eyes, looked at Monsieur -the Marquis. Perhaps, to observe whether he had any spectre on his -conscience. - -“Truly, you did well,” said the Marquis, felicitously sensible that such -vermin were not to ruffle him, “to see a thief accompanying my carriage, -and not open that great mouth of yours. Bah! Put him aside, Monsieur -Gabelle!” - -Monsieur Gabelle was the Postmaster, and some other taxing functionary -united; he had come out with great obsequiousness to assist at this -examination, and had held the examined by the drapery of his arm in an -official manner. - -“Bah! Go aside!” said Monsieur Gabelle. - -“Lay hands on this stranger if he seeks to lodge in your village -to-night, and be sure that his business is honest, Gabelle.” - -“Monseigneur, I am flattered to devote myself to your orders.” - -“Did he run away, fellow?--where is that Accursed?” - -The accursed was already under the carriage with some half-dozen -particular friends, pointing out the chain with his blue cap. Some -half-dozen other particular friends promptly hauled him out, and -presented him breathless to Monsieur the Marquis. - -“Did the man run away, Dolt, when we stopped for the drag?” - -“Monseigneur, he precipitated himself over the hill-side, head first, as -a person plunges into the river.” - -“See to it, Gabelle. Go on!” - -The half-dozen who were peering at the chain were still among the -wheels, like sheep; the wheels turned so suddenly that they were lucky -to save their skins and bones; they had very little else to save, or -they might not have been so fortunate. - -The burst with which the carriage started out of the village and up the -rise beyond, was soon checked by the steepness of the hill. Gradually, -it subsided to a foot pace, swinging and lumbering upward among the many -sweet scents of a summer night. The postilions, with a thousand gossamer -gnats circling about them in lieu of the Furies, quietly mended the -points to the lashes of their whips; the valet walked by the horses; the -courier was audible, trotting on ahead into the dull distance. - -At the steepest point of the hill there was a little burial-ground, -with a Cross and a new large figure of Our Saviour on it; it was a poor -figure in wood, done by some inexperienced rustic carver, but he had -studied the figure from the life--his own life, maybe--for it was -dreadfully spare and thin. - -To this distressful emblem of a great distress that had long been -growing worse, and was not at its worst, a woman was kneeling. She -turned her head as the carriage came up to her, rose quickly, and -presented herself at the carriage-door. - -“It is you, Monseigneur! Monseigneur, a petition.” - -With an exclamation of impatience, but with his unchangeable face, -Monseigneur looked out. - -“How, then! What is it? Always petitions!” - -“Monseigneur. For the love of the great God! My husband, the forester.” - -“What of your husband, the forester? Always the same with you people. He -cannot pay something?” - -“He has paid all, Monseigneur. He is dead.” - -“Well! He is quiet. Can I restore him to you?” - -“Alas, no, Monseigneur! But he lies yonder, under a little heap of poor -grass.” - -“Well?” - -“Monseigneur, there are so many little heaps of poor grass?” - -“Again, well?” - -She looked an old woman, but was young. Her manner was one of passionate -grief; by turns she clasped her veinous and knotted hands together -with wild energy, and laid one of them on the carriage-door--tenderly, -caressingly, as if it had been a human breast, and could be expected to -feel the appealing touch. - -“Monseigneur, hear me! Monseigneur, hear my petition! My husband died of -want; so many die of want; so many more will die of want.” - -“Again, well? Can I feed them?” - -“Monseigneur, the good God knows; but I don't ask it. My petition is, -that a morsel of stone or wood, with my husband's name, may be placed -over him to show where he lies. Otherwise, the place will be quickly -forgotten, it will never be found when I am dead of the same malady, I -shall be laid under some other heap of poor grass. Monseigneur, they -are so many, they increase so fast, there is so much want. Monseigneur! -Monseigneur!” - -The valet had put her away from the door, the carriage had broken into -a brisk trot, the postilions had quickened the pace, she was left far -behind, and Monseigneur, again escorted by the Furies, was rapidly -diminishing the league or two of distance that remained between him and -his chateau. - -The sweet scents of the summer night rose all around him, and rose, as -the rain falls, impartially, on the dusty, ragged, and toil-worn group -at the fountain not far away; to whom the mender of roads, with the aid -of the blue cap without which he was nothing, still enlarged upon his -man like a spectre, as long as they could bear it. By degrees, as they -could bear no more, they dropped off one by one, and lights twinkled -in little casements; which lights, as the casements darkened, and more -stars came out, seemed to have shot up into the sky instead of having -been extinguished. - -The shadow of a large high-roofed house, and of many over-hanging trees, -was upon Monsieur the Marquis by that time; and the shadow was exchanged -for the light of a flambeau, as his carriage stopped, and the great door -of his chateau was opened to him. - -“Monsieur Charles, whom I expect; is he arrived from England?” - -“Monseigneur, not yet.” - - - - -IX. The Gorgon's Head - - -It was a heavy mass of building, that chateau of Monsieur the Marquis, -with a large stone courtyard before it, and two stone sweeps of -staircase meeting in a stone terrace before the principal door. A stony -business altogether, with heavy stone balustrades, and stone urns, and -stone flowers, and stone faces of men, and stone heads of lions, in -all directions. As if the Gorgon's head had surveyed it, when it was -finished, two centuries ago. - -Up the broad flight of shallow steps, Monsieur the Marquis, flambeau -preceded, went from his carriage, sufficiently disturbing the darkness -to elicit loud remonstrance from an owl in the roof of the great pile -of stable building away among the trees. All else was so quiet, that the -flambeau carried up the steps, and the other flambeau held at the great -door, burnt as if they were in a close room of state, instead of being -in the open night-air. Other sound than the owl's voice there was none, -save the falling of a fountain into its stone basin; for, it was one of -those dark nights that hold their breath by the hour together, and then -heave a long low sigh, and hold their breath again. - -The great door clanged behind him, and Monsieur the Marquis crossed a -hall grim with certain old boar-spears, swords, and knives of the chase; -grimmer with certain heavy riding-rods and riding-whips, of which many a -peasant, gone to his benefactor Death, had felt the weight when his lord -was angry. - -Avoiding the larger rooms, which were dark and made fast for the night, -Monsieur the Marquis, with his flambeau-bearer going on before, went up -the staircase to a door in a corridor. This thrown open, admitted him -to his own private apartment of three rooms: his bed-chamber and two -others. High vaulted rooms with cool uncarpeted floors, great dogs upon -the hearths for the burning of wood in winter time, and all luxuries -befitting the state of a marquis in a luxurious age and country. -The fashion of the last Louis but one, of the line that was never to -break--the fourteenth Louis--was conspicuous in their rich furniture; -but, it was diversified by many objects that were illustrations of old -pages in the history of France. - -A supper-table was laid for two, in the third of the rooms; a round -room, in one of the chateau's four extinguisher-topped towers. A small -lofty room, with its window wide open, and the wooden jalousie-blinds -closed, so that the dark night only showed in slight horizontal lines of -black, alternating with their broad lines of stone colour. - -“My nephew,” said the Marquis, glancing at the supper preparation; “they -said he was not arrived.” - -Nor was he; but, he had been expected with Monseigneur. - -“Ah! It is not probable he will arrive to-night; nevertheless, leave the -table as it is. I shall be ready in a quarter of an hour.” - -In a quarter of an hour Monseigneur was ready, and sat down alone to his -sumptuous and choice supper. His chair was opposite to the window, and -he had taken his soup, and was raising his glass of Bordeaux to his -lips, when he put it down. - -“What is that?” he calmly asked, looking with attention at the -horizontal lines of black and stone colour. - -“Monseigneur? That?” - -“Outside the blinds. Open the blinds.” - -It was done. - -“Well?” - -“Monseigneur, it is nothing. The trees and the night are all that are -here.” - -The servant who spoke, had thrown the blinds wide, had looked out into -the vacant darkness, and stood with that blank behind him, looking round -for instructions. - -“Good,” said the imperturbable master. “Close them again.” - -That was done too, and the Marquis went on with his supper. He was -half way through it, when he again stopped with his glass in his hand, -hearing the sound of wheels. It came on briskly, and came up to the -front of the chateau. - -“Ask who is arrived.” - -It was the nephew of Monseigneur. He had been some few leagues behind -Monseigneur, early in the afternoon. He had diminished the distance -rapidly, but not so rapidly as to come up with Monseigneur on the road. -He had heard of Monseigneur, at the posting-houses, as being before him. - -He was to be told (said Monseigneur) that supper awaited him then and -there, and that he was prayed to come to it. In a little while he came. -He had been known in England as Charles Darnay. - -Monseigneur received him in a courtly manner, but they did not shake -hands. - -“You left Paris yesterday, sir?” he said to Monseigneur, as he took his -seat at table. - -“Yesterday. And you?” - -“I come direct.” - -“From London?” - -“Yes.” - -“You have been a long time coming,” said the Marquis, with a smile. - -“On the contrary; I come direct.” - -“Pardon me! I mean, not a long time on the journey; a long time -intending the journey.” - -“I have been detained by”--the nephew stopped a moment in his -answer--“various business.” - -“Without doubt,” said the polished uncle. - -So long as a servant was present, no other words passed between them. -When coffee had been served and they were alone together, the nephew, -looking at the uncle and meeting the eyes of the face that was like a -fine mask, opened a conversation. - -“I have come back, sir, as you anticipate, pursuing the object that -took me away. It carried me into great and unexpected peril; but it is -a sacred object, and if it had carried me to death I hope it would have -sustained me.” - -“Not to death,” said the uncle; “it is not necessary to say, to death.” - -“I doubt, sir,” returned the nephew, “whether, if it had carried me to -the utmost brink of death, you would have cared to stop me there.” - -The deepened marks in the nose, and the lengthening of the fine straight -lines in the cruel face, looked ominous as to that; the uncle made a -graceful gesture of protest, which was so clearly a slight form of good -breeding that it was not reassuring. - -“Indeed, sir,” pursued the nephew, “for anything I know, you may have -expressly worked to give a more suspicious appearance to the suspicious -circumstances that surrounded me.” - -“No, no, no,” said the uncle, pleasantly. - -“But, however that may be,” resumed the nephew, glancing at him with -deep distrust, “I know that your diplomacy would stop me by any means, -and would know no scruple as to means.” - -“My friend, I told you so,” said the uncle, with a fine pulsation in the -two marks. “Do me the favour to recall that I told you so, long ago.” - -“I recall it.” - -“Thank you,” said the Marquis--very sweetly indeed. - -His tone lingered in the air, almost like the tone of a musical -instrument. - -“In effect, sir,” pursued the nephew, “I believe it to be at once your -bad fortune, and my good fortune, that has kept me out of a prison in -France here.” - -“I do not quite understand,” returned the uncle, sipping his coffee. -“Dare I ask you to explain?” - -“I believe that if you were not in disgrace with the Court, and had not -been overshadowed by that cloud for years past, a letter de cachet would -have sent me to some fortress indefinitely.” - -“It is possible,” said the uncle, with great calmness. “For the honour -of the family, I could even resolve to incommode you to that extent. -Pray excuse me!” - -“I perceive that, happily for me, the Reception of the day before -yesterday was, as usual, a cold one,” observed the nephew. - -“I would not say happily, my friend,” returned the uncle, with refined -politeness; “I would not be sure of that. A good opportunity for -consideration, surrounded by the advantages of solitude, might influence -your destiny to far greater advantage than you influence it for -yourself. But it is useless to discuss the question. I am, as you say, -at a disadvantage. These little instruments of correction, these gentle -aids to the power and honour of families, these slight favours that -might so incommode you, are only to be obtained now by interest -and importunity. They are sought by so many, and they are granted -(comparatively) to so few! It used not to be so, but France in all such -things is changed for the worse. Our not remote ancestors held the right -of life and death over the surrounding vulgar. From this room, many such -dogs have been taken out to be hanged; in the next room (my bedroom), -one fellow, to our knowledge, was poniarded on the spot for professing -some insolent delicacy respecting his daughter--_his_ daughter? We have -lost many privileges; a new philosophy has become the mode; and the -assertion of our station, in these days, might (I do not go so far as -to say would, but might) cause us real inconvenience. All very bad, very -bad!” - -The Marquis took a gentle little pinch of snuff, and shook his head; -as elegantly despondent as he could becomingly be of a country still -containing himself, that great means of regeneration. - -“We have so asserted our station, both in the old time and in the modern -time also,” said the nephew, gloomily, “that I believe our name to be -more detested than any name in France.” - -“Let us hope so,” said the uncle. “Detestation of the high is the -involuntary homage of the low.” - -“There is not,” pursued the nephew, in his former tone, “a face I can -look at, in all this country round about us, which looks at me with any -deference on it but the dark deference of fear and slavery.” - -“A compliment,” said the Marquis, “to the grandeur of the family, -merited by the manner in which the family has sustained its grandeur. -Hah!” And he took another gentle little pinch of snuff, and lightly -crossed his legs. - -But, when his nephew, leaning an elbow on the table, covered his eyes -thoughtfully and dejectedly with his hand, the fine mask looked at -him sideways with a stronger concentration of keenness, closeness, -and dislike, than was comportable with its wearer's assumption of -indifference. - -“Repression is the only lasting philosophy. The dark deference of fear -and slavery, my friend,” observed the Marquis, “will keep the dogs -obedient to the whip, as long as this roof,” looking up to it, “shuts -out the sky.” - -That might not be so long as the Marquis supposed. If a picture of the -chateau as it was to be a very few years hence, and of fifty like it as -they too were to be a very few years hence, could have been shown to -him that night, he might have been at a loss to claim his own from -the ghastly, fire-charred, plunder-wrecked rains. As for the roof -he vaunted, he might have found _that_ shutting out the sky in a new -way--to wit, for ever, from the eyes of the bodies into which its lead -was fired, out of the barrels of a hundred thousand muskets. - -“Meanwhile,” said the Marquis, “I will preserve the honour and repose -of the family, if you will not. But you must be fatigued. Shall we -terminate our conference for the night?” - -“A moment more.” - -“An hour, if you please.” - -“Sir,” said the nephew, “we have done wrong, and are reaping the fruits -of wrong.” - -“_We_ have done wrong?” repeated the Marquis, with an inquiring smile, -and delicately pointing, first to his nephew, then to himself. - -“Our family; our honourable family, whose honour is of so much account -to both of us, in such different ways. Even in my father's time, we did -a world of wrong, injuring every human creature who came between us and -our pleasure, whatever it was. Why need I speak of my father's time, -when it is equally yours? Can I separate my father's twin-brother, joint -inheritor, and next successor, from himself?” - -“Death has done that!” said the Marquis. - -“And has left me,” answered the nephew, “bound to a system that is -frightful to me, responsible for it, but powerless in it; seeking to -execute the last request of my dear mother's lips, and obey the last -look of my dear mother's eyes, which implored me to have mercy and to -redress; and tortured by seeking assistance and power in vain.” - -“Seeking them from me, my nephew,” said the Marquis, touching him on the -breast with his forefinger--they were now standing by the hearth--“you -will for ever seek them in vain, be assured.” - -Every fine straight line in the clear whiteness of his face, was -cruelly, craftily, and closely compressed, while he stood looking -quietly at his nephew, with his snuff-box in his hand. Once again he -touched him on the breast, as though his finger were the fine point of -a small sword, with which, in delicate finesse, he ran him through the -body, and said, - -“My friend, I will die, perpetuating the system under which I have -lived.” - -When he had said it, he took a culminating pinch of snuff, and put his -box in his pocket. - -“Better to be a rational creature,” he added then, after ringing a small -bell on the table, “and accept your natural destiny. But you are lost, -Monsieur Charles, I see.” - -“This property and France are lost to me,” said the nephew, sadly; “I -renounce them.” - -“Are they both yours to renounce? France may be, but is the property? It -is scarcely worth mentioning; but, is it yet?” - -“I had no intention, in the words I used, to claim it yet. If it passed -to me from you, to-morrow--” - -“Which I have the vanity to hope is not probable.” - -“--or twenty years hence--” - -“You do me too much honour,” said the Marquis; “still, I prefer that -supposition.” - -“--I would abandon it, and live otherwise and elsewhere. It is little to -relinquish. What is it but a wilderness of misery and ruin!” - -“Hah!” said the Marquis, glancing round the luxurious room. - -“To the eye it is fair enough, here; but seen in its integrity, -under the sky, and by the daylight, it is a crumbling tower of waste, -mismanagement, extortion, debt, mortgage, oppression, hunger, nakedness, -and suffering.” - -“Hah!” said the Marquis again, in a well-satisfied manner. - -“If it ever becomes mine, it shall be put into some hands better -qualified to free it slowly (if such a thing is possible) from the -weight that drags it down, so that the miserable people who cannot leave -it and who have been long wrung to the last point of endurance, may, in -another generation, suffer less; but it is not for me. There is a curse -on it, and on all this land.” - -“And you?” said the uncle. “Forgive my curiosity; do you, under your new -philosophy, graciously intend to live?” - -“I must do, to live, what others of my countrymen, even with nobility at -their backs, may have to do some day--work.” - -“In England, for example?” - -“Yes. The family honour, sir, is safe from me in this country. The -family name can suffer from me in no other, for I bear it in no other.” - -The ringing of the bell had caused the adjoining bed-chamber to be -lighted. It now shone brightly, through the door of communication. The -Marquis looked that way, and listened for the retreating step of his -valet. - -“England is very attractive to you, seeing how indifferently you have -prospered there,” he observed then, turning his calm face to his nephew -with a smile. - -“I have already said, that for my prospering there, I am sensible I may -be indebted to you, sir. For the rest, it is my Refuge.” - -“They say, those boastful English, that it is the Refuge of many. You -know a compatriot who has found a Refuge there? A Doctor?” - -“Yes.” - -“With a daughter?” - -“Yes.” - -“Yes,” said the Marquis. “You are fatigued. Good night!” - -As he bent his head in his most courtly manner, there was a secrecy -in his smiling face, and he conveyed an air of mystery to those words, -which struck the eyes and ears of his nephew forcibly. At the same -time, the thin straight lines of the setting of the eyes, and the thin -straight lips, and the markings in the nose, curved with a sarcasm that -looked handsomely diabolic. - -“Yes,” repeated the Marquis. “A Doctor with a daughter. Yes. So -commences the new philosophy! You are fatigued. Good night!” - -It would have been of as much avail to interrogate any stone face -outside the chateau as to interrogate that face of his. The nephew -looked at him, in vain, in passing on to the door. - -“Good night!” said the uncle. “I look to the pleasure of seeing you -again in the morning. Good repose! Light Monsieur my nephew to his -chamber there!--And burn Monsieur my nephew in his bed, if you will,” he -added to himself, before he rang his little bell again, and summoned his -valet to his own bedroom. - -The valet come and gone, Monsieur the Marquis walked to and fro in his -loose chamber-robe, to prepare himself gently for sleep, that hot still -night. Rustling about the room, his softly-slippered feet making no -noise on the floor, he moved like a refined tiger:--looked like some -enchanted marquis of the impenitently wicked sort, in story, whose -periodical change into tiger form was either just going off, or just -coming on. - -He moved from end to end of his voluptuous bedroom, looking again at the -scraps of the day's journey that came unbidden into his mind; the slow -toil up the hill at sunset, the setting sun, the descent, the mill, the -prison on the crag, the little village in the hollow, the peasants at -the fountain, and the mender of roads with his blue cap pointing out the -chain under the carriage. That fountain suggested the Paris fountain, -the little bundle lying on the step, the women bending over it, and the -tall man with his arms up, crying, “Dead!” - -“I am cool now,” said Monsieur the Marquis, “and may go to bed.” - -So, leaving only one light burning on the large hearth, he let his thin -gauze curtains fall around him, and heard the night break its silence -with a long sigh as he composed himself to sleep. - -The stone faces on the outer walls stared blindly at the black night -for three heavy hours; for three heavy hours, the horses in the stables -rattled at their racks, the dogs barked, and the owl made a noise with -very little resemblance in it to the noise conventionally assigned to -the owl by men-poets. But it is the obstinate custom of such creatures -hardly ever to say what is set down for them. - -For three heavy hours, the stone faces of the chateau, lion and human, -stared blindly at the night. Dead darkness lay on all the landscape, -dead darkness added its own hush to the hushing dust on all the roads. -The burial-place had got to the pass that its little heaps of poor grass -were undistinguishable from one another; the figure on the Cross might -have come down, for anything that could be seen of it. In the village, -taxers and taxed were fast asleep. Dreaming, perhaps, of banquets, as -the starved usually do, and of ease and rest, as the driven slave and -the yoked ox may, its lean inhabitants slept soundly, and were fed and -freed. - -The fountain in the village flowed unseen and unheard, and the fountain -at the chateau dropped unseen and unheard--both melting away, like the -minutes that were falling from the spring of Time--through three dark -hours. Then, the grey water of both began to be ghostly in the light, -and the eyes of the stone faces of the chateau were opened. - -Lighter and lighter, until at last the sun touched the tops of the still -trees, and poured its radiance over the hill. In the glow, the water -of the chateau fountain seemed to turn to blood, and the stone faces -crimsoned. The carol of the birds was loud and high, and, on the -weather-beaten sill of the great window of the bed-chamber of Monsieur -the Marquis, one little bird sang its sweetest song with all its might. -At this, the nearest stone face seemed to stare amazed, and, with open -mouth and dropped under-jaw, looked awe-stricken. - -Now, the sun was full up, and movement began in the village. Casement -windows opened, crazy doors were unbarred, and people came forth -shivering--chilled, as yet, by the new sweet air. Then began the rarely -lightened toil of the day among the village population. Some, to the -fountain; some, to the fields; men and women here, to dig and delve; men -and women there, to see to the poor live stock, and lead the bony cows -out, to such pasture as could be found by the roadside. In the church -and at the Cross, a kneeling figure or two; attendant on the latter -prayers, the led cow, trying for a breakfast among the weeds at its -foot. - -The chateau awoke later, as became its quality, but awoke gradually and -surely. First, the lonely boar-spears and knives of the chase had been -reddened as of old; then, had gleamed trenchant in the morning sunshine; -now, doors and windows were thrown open, horses in their stables looked -round over their shoulders at the light and freshness pouring in at -doorways, leaves sparkled and rustled at iron-grated windows, dogs -pulled hard at their chains, and reared impatient to be loosed. - -All these trivial incidents belonged to the routine of life, and the -return of morning. Surely, not so the ringing of the great bell of the -chateau, nor the running up and down the stairs; nor the hurried -figures on the terrace; nor the booting and tramping here and there and -everywhere, nor the quick saddling of horses and riding away? - -What winds conveyed this hurry to the grizzled mender of roads, already -at work on the hill-top beyond the village, with his day's dinner (not -much to carry) lying in a bundle that it was worth no crow's while to -peck at, on a heap of stones? Had the birds, carrying some grains of it -to a distance, dropped one over him as they sow chance seeds? Whether or -no, the mender of roads ran, on the sultry morning, as if for his life, -down the hill, knee-high in dust, and never stopped till he got to the -fountain. - -All the people of the village were at the fountain, standing about -in their depressed manner, and whispering low, but showing no other -emotions than grim curiosity and surprise. The led cows, hastily brought -in and tethered to anything that would hold them, were looking stupidly -on, or lying down chewing the cud of nothing particularly repaying their -trouble, which they had picked up in their interrupted saunter. Some of -the people of the chateau, and some of those of the posting-house, and -all the taxing authorities, were armed more or less, and were crowded -on the other side of the little street in a purposeless way, that was -highly fraught with nothing. Already, the mender of roads had penetrated -into the midst of a group of fifty particular friends, and was smiting -himself in the breast with his blue cap. What did all this portend, -and what portended the swift hoisting-up of Monsieur Gabelle behind -a servant on horseback, and the conveying away of the said Gabelle -(double-laden though the horse was), at a gallop, like a new version of -the German ballad of Leonora? - -It portended that there was one stone face too many, up at the chateau. - -The Gorgon had surveyed the building again in the night, and had added -the one stone face wanting; the stone face for which it had waited -through about two hundred years. - -It lay back on the pillow of Monsieur the Marquis. It was like a fine -mask, suddenly startled, made angry, and petrified. Driven home into the -heart of the stone figure attached to it, was a knife. Round its hilt -was a frill of paper, on which was scrawled: - -“Drive him fast to his tomb. This, from Jacques.” - - - - -X. Two Promises - - -More months, to the number of twelve, had come and gone, and Mr. Charles -Darnay was established in England as a higher teacher of the French -language who was conversant with French literature. In this age, he -would have been a Professor; in that age, he was a Tutor. He read with -young men who could find any leisure and interest for the study of a -living tongue spoken all over the world, and he cultivated a taste for -its stores of knowledge and fancy. He could write of them, besides, in -sound English, and render them into sound English. Such masters were not -at that time easily found; Princes that had been, and Kings that were -to be, were not yet of the Teacher class, and no ruined nobility had -dropped out of Tellson's ledgers, to turn cooks and carpenters. As a -tutor, whose attainments made the student's way unusually pleasant and -profitable, and as an elegant translator who brought something to his -work besides mere dictionary knowledge, young Mr. Darnay soon became -known and encouraged. He was well acquainted, more-over, with the -circumstances of his country, and those were of ever-growing interest. -So, with great perseverance and untiring industry, he prospered. - -In London, he had expected neither to walk on pavements of gold, nor -to lie on beds of roses; if he had had any such exalted expectation, he -would not have prospered. He had expected labour, and he found it, and -did it and made the best of it. In this, his prosperity consisted. - -A certain portion of his time was passed at Cambridge, where he -read with undergraduates as a sort of tolerated smuggler who drove a -contraband trade in European languages, instead of conveying Greek -and Latin through the Custom-house. The rest of his time he passed in -London. - -Now, from the days when it was always summer in Eden, to these days -when it is mostly winter in fallen latitudes, the world of a man has -invariably gone one way--Charles Darnay's way--the way of the love of a -woman. - -He had loved Lucie Manette from the hour of his danger. He had never -heard a sound so sweet and dear as the sound of her compassionate voice; -he had never seen a face so tenderly beautiful, as hers when it was -confronted with his own on the edge of the grave that had been dug for -him. But, he had not yet spoken to her on the subject; the assassination -at the deserted chateau far away beyond the heaving water and the long, -long, dusty roads--the solid stone chateau which had itself become the -mere mist of a dream--had been done a year, and he had never yet, by so -much as a single spoken word, disclosed to her the state of his heart. - -That he had his reasons for this, he knew full well. It was again a -summer day when, lately arrived in London from his college occupation, -he turned into the quiet corner in Soho, bent on seeking an opportunity -of opening his mind to Doctor Manette. It was the close of the summer -day, and he knew Lucie to be out with Miss Pross. - -He found the Doctor reading in his arm-chair at a window. The energy -which had at once supported him under his old sufferings and aggravated -their sharpness, had been gradually restored to him. He was now a -very energetic man indeed, with great firmness of purpose, strength -of resolution, and vigour of action. In his recovered energy he was -sometimes a little fitful and sudden, as he had at first been in the -exercise of his other recovered faculties; but, this had never been -frequently observable, and had grown more and more rare. - -He studied much, slept little, sustained a great deal of fatigue with -ease, and was equably cheerful. To him, now entered Charles Darnay, at -sight of whom he laid aside his book and held out his hand. - -“Charles Darnay! I rejoice to see you. We have been counting on your -return these three or four days past. Mr. Stryver and Sydney Carton were -both here yesterday, and both made you out to be more than due.” - -“I am obliged to them for their interest in the matter,” he answered, -a little coldly as to them, though very warmly as to the Doctor. “Miss -Manette--” - -“Is well,” said the Doctor, as he stopped short, “and your return will -delight us all. She has gone out on some household matters, but will -soon be home.” - -“Doctor Manette, I knew she was from home. I took the opportunity of her -being from home, to beg to speak to you.” - -There was a blank silence. - -“Yes?” said the Doctor, with evident constraint. “Bring your chair here, -and speak on.” - -He complied as to the chair, but appeared to find the speaking on less -easy. - -“I have had the happiness, Doctor Manette, of being so intimate here,” - so he at length began, “for some year and a half, that I hope the topic -on which I am about to touch may not--” - -He was stayed by the Doctor's putting out his hand to stop him. When he -had kept it so a little while, he said, drawing it back: - -“Is Lucie the topic?” - -“She is.” - -“It is hard for me to speak of her at any time. It is very hard for me -to hear her spoken of in that tone of yours, Charles Darnay.” - -“It is a tone of fervent admiration, true homage, and deep love, Doctor -Manette!” he said deferentially. - -There was another blank silence before her father rejoined: - -“I believe it. I do you justice; I believe it.” - -His constraint was so manifest, and it was so manifest, too, that it -originated in an unwillingness to approach the subject, that Charles -Darnay hesitated. - -“Shall I go on, sir?” - -Another blank. - -“Yes, go on.” - -“You anticipate what I would say, though you cannot know how earnestly -I say it, how earnestly I feel it, without knowing my secret heart, and -the hopes and fears and anxieties with which it has long been -laden. Dear Doctor Manette, I love your daughter fondly, dearly, -disinterestedly, devotedly. If ever there were love in the world, I love -her. You have loved yourself; let your old love speak for me!” - -The Doctor sat with his face turned away, and his eyes bent on the -ground. At the last words, he stretched out his hand again, hurriedly, -and cried: - -“Not that, sir! Let that be! I adjure you, do not recall that!” - -His cry was so like a cry of actual pain, that it rang in Charles -Darnay's ears long after he had ceased. He motioned with the hand he had -extended, and it seemed to be an appeal to Darnay to pause. The latter -so received it, and remained silent. - -“I ask your pardon,” said the Doctor, in a subdued tone, after some -moments. “I do not doubt your loving Lucie; you may be satisfied of it.” - -He turned towards him in his chair, but did not look at him, or -raise his eyes. His chin dropped upon his hand, and his white hair -overshadowed his face: - -“Have you spoken to Lucie?” - -“No.” - -“Nor written?” - -“Never.” - -“It would be ungenerous to affect not to know that your self-denial is -to be referred to your consideration for her father. Her father thanks -you.” - -He offered his hand; but his eyes did not go with it. - -“I know,” said Darnay, respectfully, “how can I fail to know, Doctor -Manette, I who have seen you together from day to day, that between -you and Miss Manette there is an affection so unusual, so touching, so -belonging to the circumstances in which it has been nurtured, that it -can have few parallels, even in the tenderness between a father and -child. I know, Doctor Manette--how can I fail to know--that, mingled -with the affection and duty of a daughter who has become a woman, there -is, in her heart, towards you, all the love and reliance of infancy -itself. I know that, as in her childhood she had no parent, so she is -now devoted to you with all the constancy and fervour of her present -years and character, united to the trustfulness and attachment of the -early days in which you were lost to her. I know perfectly well that if -you had been restored to her from the world beyond this life, you could -hardly be invested, in her sight, with a more sacred character than that -in which you are always with her. I know that when she is clinging to -you, the hands of baby, girl, and woman, all in one, are round your -neck. I know that in loving you she sees and loves her mother at her -own age, sees and loves you at my age, loves her mother broken-hearted, -loves you through your dreadful trial and in your blessed restoration. I -have known this, night and day, since I have known you in your home.” - -Her father sat silent, with his face bent down. His breathing was a -little quickened; but he repressed all other signs of agitation. - -“Dear Doctor Manette, always knowing this, always seeing her and you -with this hallowed light about you, I have forborne, and forborne, as -long as it was in the nature of man to do it. I have felt, and do even -now feel, that to bring my love--even mine--between you, is to touch -your history with something not quite so good as itself. But I love her. -Heaven is my witness that I love her!” - -“I believe it,” answered her father, mournfully. “I have thought so -before now. I believe it.” - -“But, do not believe,” said Darnay, upon whose ear the mournful voice -struck with a reproachful sound, “that if my fortune were so cast as -that, being one day so happy as to make her my wife, I must at any time -put any separation between her and you, I could or would breathe a -word of what I now say. Besides that I should know it to be hopeless, I -should know it to be a baseness. If I had any such possibility, even at -a remote distance of years, harboured in my thoughts, and hidden in my -heart--if it ever had been there--if it ever could be there--I could not -now touch this honoured hand.” - -He laid his own upon it as he spoke. - -“No, dear Doctor Manette. Like you, a voluntary exile from France; like -you, driven from it by its distractions, oppressions, and miseries; like -you, striving to live away from it by my own exertions, and trusting -in a happier future; I look only to sharing your fortunes, sharing your -life and home, and being faithful to you to the death. Not to divide -with Lucie her privilege as your child, companion, and friend; but to -come in aid of it, and bind her closer to you, if such a thing can be.” - -His touch still lingered on her father's hand. Answering the touch for a -moment, but not coldly, her father rested his hands upon the arms of -his chair, and looked up for the first time since the beginning of the -conference. A struggle was evidently in his face; a struggle with that -occasional look which had a tendency in it to dark doubt and dread. - -“You speak so feelingly and so manfully, Charles Darnay, that I thank -you with all my heart, and will open all my heart--or nearly so. Have -you any reason to believe that Lucie loves you?” - -“None. As yet, none.” - -“Is it the immediate object of this confidence, that you may at once -ascertain that, with my knowledge?” - -“Not even so. I might not have the hopefulness to do it for weeks; I -might (mistaken or not mistaken) have that hopefulness to-morrow.” - -“Do you seek any guidance from me?” - -“I ask none, sir. But I have thought it possible that you might have it -in your power, if you should deem it right, to give me some.” - -“Do you seek any promise from me?” - -“I do seek that.” - -“What is it?” - -“I well understand that, without you, I could have no hope. I well -understand that, even if Miss Manette held me at this moment in her -innocent heart--do not think I have the presumption to assume so much--I -could retain no place in it against her love for her father.” - -“If that be so, do you see what, on the other hand, is involved in it?” - -“I understand equally well, that a word from her father in any suitor's -favour, would outweigh herself and all the world. For which reason, -Doctor Manette,” said Darnay, modestly but firmly, “I would not ask that -word, to save my life.” - -“I am sure of it. Charles Darnay, mysteries arise out of close love, as -well as out of wide division; in the former case, they are subtle and -delicate, and difficult to penetrate. My daughter Lucie is, in this one -respect, such a mystery to me; I can make no guess at the state of her -heart.” - -“May I ask, sir, if you think she is--” As he hesitated, her father -supplied the rest. - -“Is sought by any other suitor?” - -“It is what I meant to say.” - -Her father considered a little before he answered: - -“You have seen Mr. Carton here, yourself. Mr. Stryver is here too, -occasionally. If it be at all, it can only be by one of these.” - -“Or both,” said Darnay. - -“I had not thought of both; I should not think either, likely. You want -a promise from me. Tell me what it is.” - -“It is, that if Miss Manette should bring to you at any time, on her own -part, such a confidence as I have ventured to lay before you, you will -bear testimony to what I have said, and to your belief in it. I hope you -may be able to think so well of me, as to urge no influence against -me. I say nothing more of my stake in this; this is what I ask. The -condition on which I ask it, and which you have an undoubted right to -require, I will observe immediately.” - -“I give the promise,” said the Doctor, “without any condition. I believe -your object to be, purely and truthfully, as you have stated it. I -believe your intention is to perpetuate, and not to weaken, the ties -between me and my other and far dearer self. If she should ever tell me -that you are essential to her perfect happiness, I will give her to you. -If there were--Charles Darnay, if there were--” - -The young man had taken his hand gratefully; their hands were joined as -the Doctor spoke: - -“--any fancies, any reasons, any apprehensions, anything whatsoever, -new or old, against the man she really loved--the direct responsibility -thereof not lying on his head--they should all be obliterated for her -sake. She is everything to me; more to me than suffering, more to me -than wrong, more to me--Well! This is idle talk.” - -So strange was the way in which he faded into silence, and so strange -his fixed look when he had ceased to speak, that Darnay felt his own -hand turn cold in the hand that slowly released and dropped it. - -“You said something to me,” said Doctor Manette, breaking into a smile. -“What was it you said to me?” - -He was at a loss how to answer, until he remembered having spoken of a -condition. Relieved as his mind reverted to that, he answered: - -“Your confidence in me ought to be returned with full confidence on my -part. My present name, though but slightly changed from my mother's, is -not, as you will remember, my own. I wish to tell you what that is, and -why I am in England.” - -“Stop!” said the Doctor of Beauvais. - -“I wish it, that I may the better deserve your confidence, and have no -secret from you.” - -“Stop!” - -For an instant, the Doctor even had his two hands at his ears; for -another instant, even had his two hands laid on Darnay's lips. - -“Tell me when I ask you, not now. If your suit should prosper, if Lucie -should love you, you shall tell me on your marriage morning. Do you -promise?” - -“Willingly. - -“Give me your hand. She will be home directly, and it is better she -should not see us together to-night. Go! God bless you!” - -It was dark when Charles Darnay left him, and it was an hour later and -darker when Lucie came home; she hurried into the room alone--for -Miss Pross had gone straight up-stairs--and was surprised to find his -reading-chair empty. - -“My father!” she called to him. “Father dear!” - -Nothing was said in answer, but she heard a low hammering sound in his -bedroom. Passing lightly across the intermediate room, she looked in at -his door and came running back frightened, crying to herself, with her -blood all chilled, “What shall I do! What shall I do!” - -Her uncertainty lasted but a moment; she hurried back, and tapped at -his door, and softly called to him. The noise ceased at the sound of -her voice, and he presently came out to her, and they walked up and down -together for a long time. - -She came down from her bed, to look at him in his sleep that night. He -slept heavily, and his tray of shoemaking tools, and his old unfinished -work, were all as usual. - - - - -XI. A Companion Picture - - -“Sydney,” said Mr. Stryver, on that self-same night, or morning, to his -jackal; “mix another bowl of punch; I have something to say to you.” - -Sydney had been working double tides that night, and the night before, -and the night before that, and a good many nights in succession, making -a grand clearance among Mr. Stryver's papers before the setting in -of the long vacation. The clearance was effected at last; the Stryver -arrears were handsomely fetched up; everything was got rid of until -November should come with its fogs atmospheric, and fogs legal, and -bring grist to the mill again. - -Sydney was none the livelier and none the soberer for so much -application. It had taken a deal of extra wet-towelling to pull him -through the night; a correspondingly extra quantity of wine had preceded -the towelling; and he was in a very damaged condition, as he now pulled -his turban off and threw it into the basin in which he had steeped it at -intervals for the last six hours. - -“Are you mixing that other bowl of punch?” said Stryver the portly, with -his hands in his waistband, glancing round from the sofa where he lay on -his back. - -“I am.” - -“Now, look here! I am going to tell you something that will rather -surprise you, and that perhaps will make you think me not quite as -shrewd as you usually do think me. I intend to marry.” - -“_Do_ you?” - -“Yes. And not for money. What do you say now?” - -“I don't feel disposed to say much. Who is she?” - -“Guess.” - -“Do I know her?” - -“Guess.” - -“I am not going to guess, at five o'clock in the morning, with my brains -frying and sputtering in my head. If you want me to guess, you must ask -me to dinner.” - -“Well then, I'll tell you,” said Stryver, coming slowly into a sitting -posture. “Sydney, I rather despair of making myself intelligible to you, -because you are such an insensible dog.” - -“And you,” returned Sydney, busy concocting the punch, “are such a -sensitive and poetical spirit--” - -“Come!” rejoined Stryver, laughing boastfully, “though I don't prefer -any claim to being the soul of Romance (for I hope I know better), still -I am a tenderer sort of fellow than _you_.” - -“You are a luckier, if you mean that.” - -“I don't mean that. I mean I am a man of more--more--” - -“Say gallantry, while you are about it,” suggested Carton. - -“Well! I'll say gallantry. My meaning is that I am a man,” said Stryver, -inflating himself at his friend as he made the punch, “who cares more to -be agreeable, who takes more pains to be agreeable, who knows better how -to be agreeable, in a woman's society, than you do.” - -“Go on,” said Sydney Carton. - -“No; but before I go on,” said Stryver, shaking his head in his bullying -way, “I'll have this out with you. You've been at Doctor Manette's house -as much as I have, or more than I have. Why, I have been ashamed of your -moroseness there! Your manners have been of that silent and sullen and -hangdog kind, that, upon my life and soul, I have been ashamed of you, -Sydney!” - -“It should be very beneficial to a man in your practice at the bar, to -be ashamed of anything,” returned Sydney; “you ought to be much obliged -to me.” - -“You shall not get off in that way,” rejoined Stryver, shouldering the -rejoinder at him; “no, Sydney, it's my duty to tell you--and I tell you -to your face to do you good--that you are a devilish ill-conditioned -fellow in that sort of society. You are a disagreeable fellow.” - -Sydney drank a bumper of the punch he had made, and laughed. - -“Look at me!” said Stryver, squaring himself; “I have less need to make -myself agreeable than you have, being more independent in circumstances. -Why do I do it?” - -“I never saw you do it yet,” muttered Carton. - -“I do it because it's politic; I do it on principle. And look at me! I -get on.” - -“You don't get on with your account of your matrimonial intentions,” - answered Carton, with a careless air; “I wish you would keep to that. As -to me--will you never understand that I am incorrigible?” - -He asked the question with some appearance of scorn. - -“You have no business to be incorrigible,” was his friend's answer, -delivered in no very soothing tone. - -“I have no business to be, at all, that I know of,” said Sydney Carton. -“Who is the lady?” - -“Now, don't let my announcement of the name make you uncomfortable, -Sydney,” said Mr. Stryver, preparing him with ostentatious friendliness -for the disclosure he was about to make, “because I know you don't mean -half you say; and if you meant it all, it would be of no importance. I -make this little preface, because you once mentioned the young lady to -me in slighting terms.” - -“I did?” - -“Certainly; and in these chambers.” - -Sydney Carton looked at his punch and looked at his complacent friend; -drank his punch and looked at his complacent friend. - -“You made mention of the young lady as a golden-haired doll. The young -lady is Miss Manette. If you had been a fellow of any sensitiveness or -delicacy of feeling in that kind of way, Sydney, I might have been a -little resentful of your employing such a designation; but you are not. -You want that sense altogether; therefore I am no more annoyed when I -think of the expression, than I should be annoyed by a man's opinion of -a picture of mine, who had no eye for pictures: or of a piece of music -of mine, who had no ear for music.” - -Sydney Carton drank the punch at a great rate; drank it by bumpers, -looking at his friend. - -“Now you know all about it, Syd,” said Mr. Stryver. “I don't care about -fortune: she is a charming creature, and I have made up my mind to -please myself: on the whole, I think I can afford to please myself. She -will have in me a man already pretty well off, and a rapidly rising man, -and a man of some distinction: it is a piece of good fortune for her, -but she is worthy of good fortune. Are you astonished?” - -Carton, still drinking the punch, rejoined, “Why should I be -astonished?” - -“You approve?” - -Carton, still drinking the punch, rejoined, “Why should I not approve?” - -“Well!” said his friend Stryver, “you take it more easily than I fancied -you would, and are less mercenary on my behalf than I thought you would -be; though, to be sure, you know well enough by this time that your -ancient chum is a man of a pretty strong will. Yes, Sydney, I have had -enough of this style of life, with no other as a change from it; I -feel that it is a pleasant thing for a man to have a home when he feels -inclined to go to it (when he doesn't, he can stay away), and I feel -that Miss Manette will tell well in any station, and will always do me -credit. So I have made up my mind. And now, Sydney, old boy, I want to -say a word to _you_ about _your_ prospects. You are in a bad way, you -know; you really are in a bad way. You don't know the value of money, -you live hard, you'll knock up one of these days, and be ill and poor; -you really ought to think about a nurse.” - -The prosperous patronage with which he said it, made him look twice as -big as he was, and four times as offensive. - -“Now, let me recommend you,” pursued Stryver, “to look it in the face. -I have looked it in the face, in my different way; look it in the face, -you, in your different way. Marry. Provide somebody to take care of -you. Never mind your having no enjoyment of women's society, nor -understanding of it, nor tact for it. Find out somebody. Find out some -respectable woman with a little property--somebody in the landlady way, -or lodging-letting way--and marry her, against a rainy day. That's the -kind of thing for _you_. Now think of it, Sydney.” - -“I'll think of it,” said Sydney. - - - - -XII. The Fellow of Delicacy - - -Mr. Stryver having made up his mind to that magnanimous bestowal of good -fortune on the Doctor's daughter, resolved to make her happiness known -to her before he left town for the Long Vacation. After some mental -debating of the point, he came to the conclusion that it would be as -well to get all the preliminaries done with, and they could then arrange -at their leisure whether he should give her his hand a week or two -before Michaelmas Term, or in the little Christmas vacation between it -and Hilary. - -As to the strength of his case, he had not a doubt about it, but clearly -saw his way to the verdict. Argued with the jury on substantial worldly -grounds--the only grounds ever worth taking into account--it was a -plain case, and had not a weak spot in it. He called himself for the -plaintiff, there was no getting over his evidence, the counsel for -the defendant threw up his brief, and the jury did not even turn to -consider. After trying it, Stryver, C. J., was satisfied that no plainer -case could be. - -Accordingly, Mr. Stryver inaugurated the Long Vacation with a formal -proposal to take Miss Manette to Vauxhall Gardens; that failing, to -Ranelagh; that unaccountably failing too, it behoved him to present -himself in Soho, and there declare his noble mind. - -Towards Soho, therefore, Mr. Stryver shouldered his way from the Temple, -while the bloom of the Long Vacation's infancy was still upon it. -Anybody who had seen him projecting himself into Soho while he was yet -on Saint Dunstan's side of Temple Bar, bursting in his full-blown way -along the pavement, to the jostlement of all weaker people, might have -seen how safe and strong he was. - -His way taking him past Tellson's, and he both banking at Tellson's and -knowing Mr. Lorry as the intimate friend of the Manettes, it entered Mr. -Stryver's mind to enter the bank, and reveal to Mr. Lorry the brightness -of the Soho horizon. So, he pushed open the door with the weak rattle -in its throat, stumbled down the two steps, got past the two ancient -cashiers, and shouldered himself into the musty back closet where Mr. -Lorry sat at great books ruled for figures, with perpendicular iron -bars to his window as if that were ruled for figures too, and everything -under the clouds were a sum. - -“Halloa!” said Mr. Stryver. “How do you do? I hope you are well!” - -It was Stryver's grand peculiarity that he always seemed too big for any -place, or space. He was so much too big for Tellson's, that old clerks -in distant corners looked up with looks of remonstrance, as though he -squeezed them against the wall. The House itself, magnificently reading -the paper quite in the far-off perspective, lowered displeased, as if -the Stryver head had been butted into its responsible waistcoat. - -The discreet Mr. Lorry said, in a sample tone of the voice he would -recommend under the circumstances, “How do you do, Mr. Stryver? How do -you do, sir?” and shook hands. There was a peculiarity in his manner -of shaking hands, always to be seen in any clerk at Tellson's who shook -hands with a customer when the House pervaded the air. He shook in a -self-abnegating way, as one who shook for Tellson and Co. - -“Can I do anything for you, Mr. Stryver?” asked Mr. Lorry, in his -business character. - -“Why, no, thank you; this is a private visit to yourself, Mr. Lorry; I -have come for a private word.” - -“Oh indeed!” said Mr. Lorry, bending down his ear, while his eye strayed -to the House afar off. - -“I am going,” said Mr. Stryver, leaning his arms confidentially on the -desk: whereupon, although it was a large double one, there appeared to -be not half desk enough for him: “I am going to make an offer of myself -in marriage to your agreeable little friend, Miss Manette, Mr. Lorry.” - -“Oh dear me!” cried Mr. Lorry, rubbing his chin, and looking at his -visitor dubiously. - -“Oh dear me, sir?” repeated Stryver, drawing back. “Oh dear you, sir? -What may your meaning be, Mr. Lorry?” - -“My meaning,” answered the man of business, “is, of course, friendly and -appreciative, and that it does you the greatest credit, and--in short, -my meaning is everything you could desire. But--really, you know, Mr. -Stryver--” Mr. Lorry paused, and shook his head at him in the oddest -manner, as if he were compelled against his will to add, internally, -“you know there really is so much too much of you!” - -“Well!” said Stryver, slapping the desk with his contentious hand, -opening his eyes wider, and taking a long breath, “if I understand you, -Mr. Lorry, I'll be hanged!” - -Mr. Lorry adjusted his little wig at both ears as a means towards that -end, and bit the feather of a pen. - -“D--n it all, sir!” said Stryver, staring at him, “am I not eligible?” - -“Oh dear yes! Yes. Oh yes, you're eligible!” said Mr. Lorry. “If you say -eligible, you are eligible.” - -“Am I not prosperous?” asked Stryver. - -“Oh! if you come to prosperous, you are prosperous,” said Mr. Lorry. - -“And advancing?” - -“If you come to advancing you know,” said Mr. Lorry, delighted to be -able to make another admission, “nobody can doubt that.” - -“Then what on earth is your meaning, Mr. Lorry?” demanded Stryver, -perceptibly crestfallen. - -“Well! I--Were you going there now?” asked Mr. Lorry. - -“Straight!” said Stryver, with a plump of his fist on the desk. - -“Then I think I wouldn't, if I was you.” - -“Why?” said Stryver. “Now, I'll put you in a corner,” forensically -shaking a forefinger at him. “You are a man of business and bound to -have a reason. State your reason. Why wouldn't you go?” - -“Because,” said Mr. Lorry, “I wouldn't go on such an object without -having some cause to believe that I should succeed.” - -“D--n _me_!” cried Stryver, “but this beats everything.” - -Mr. Lorry glanced at the distant House, and glanced at the angry -Stryver. - -“Here's a man of business--a man of years--a man of experience--_in_ -a Bank,” said Stryver; “and having summed up three leading reasons for -complete success, he says there's no reason at all! Says it with his -head on!” Mr. Stryver remarked upon the peculiarity as if it would have -been infinitely less remarkable if he had said it with his head off. - -“When I speak of success, I speak of success with the young lady; and -when I speak of causes and reasons to make success probable, I speak of -causes and reasons that will tell as such with the young lady. The young -lady, my good sir,” said Mr. Lorry, mildly tapping the Stryver arm, “the -young lady. The young lady goes before all.” - -“Then you mean to tell me, Mr. Lorry,” said Stryver, squaring his -elbows, “that it is your deliberate opinion that the young lady at -present in question is a mincing Fool?” - -“Not exactly so. I mean to tell you, Mr. Stryver,” said Mr. Lorry, -reddening, “that I will hear no disrespectful word of that young lady -from any lips; and that if I knew any man--which I hope I do not--whose -taste was so coarse, and whose temper was so overbearing, that he could -not restrain himself from speaking disrespectfully of that young lady at -this desk, not even Tellson's should prevent my giving him a piece of my -mind.” - -The necessity of being angry in a suppressed tone had put Mr. Stryver's -blood-vessels into a dangerous state when it was his turn to be angry; -Mr. Lorry's veins, methodical as their courses could usually be, were in -no better state now it was his turn. - -“That is what I mean to tell you, sir,” said Mr. Lorry. “Pray let there -be no mistake about it.” - -Mr. Stryver sucked the end of a ruler for a little while, and then stood -hitting a tune out of his teeth with it, which probably gave him the -toothache. He broke the awkward silence by saying: - -“This is something new to me, Mr. Lorry. You deliberately advise me not -to go up to Soho and offer myself--_my_self, Stryver of the King's Bench -bar?” - -“Do you ask me for my advice, Mr. Stryver?” - -“Yes, I do.” - -“Very good. Then I give it, and you have repeated it correctly.” - -“And all I can say of it is,” laughed Stryver with a vexed laugh, “that -this--ha, ha!--beats everything past, present, and to come.” - -“Now understand me,” pursued Mr. Lorry. “As a man of business, I am -not justified in saying anything about this matter, for, as a man of -business, I know nothing of it. But, as an old fellow, who has carried -Miss Manette in his arms, who is the trusted friend of Miss Manette and -of her father too, and who has a great affection for them both, I have -spoken. The confidence is not of my seeking, recollect. Now, you think I -may not be right?” - -“Not I!” said Stryver, whistling. “I can't undertake to find third -parties in common sense; I can only find it for myself. I suppose sense -in certain quarters; you suppose mincing bread-and-butter nonsense. It's -new to me, but you are right, I dare say.” - -“What I suppose, Mr. Stryver, I claim to characterise for myself--And -understand me, sir,” said Mr. Lorry, quickly flushing again, “I -will not--not even at Tellson's--have it characterised for me by any -gentleman breathing.” - -“There! I beg your pardon!” said Stryver. - -“Granted. Thank you. Well, Mr. Stryver, I was about to say:--it might be -painful to you to find yourself mistaken, it might be painful to Doctor -Manette to have the task of being explicit with you, it might be very -painful to Miss Manette to have the task of being explicit with you. You -know the terms upon which I have the honour and happiness to stand with -the family. If you please, committing you in no way, representing you -in no way, I will undertake to correct my advice by the exercise of a -little new observation and judgment expressly brought to bear upon -it. If you should then be dissatisfied with it, you can but test its -soundness for yourself; if, on the other hand, you should be satisfied -with it, and it should be what it now is, it may spare all sides what is -best spared. What do you say?” - -“How long would you keep me in town?” - -“Oh! It is only a question of a few hours. I could go to Soho in the -evening, and come to your chambers afterwards.” - -“Then I say yes,” said Stryver: “I won't go up there now, I am not so -hot upon it as that comes to; I say yes, and I shall expect you to look -in to-night. Good morning.” - -Then Mr. Stryver turned and burst out of the Bank, causing such a -concussion of air on his passage through, that to stand up against it -bowing behind the two counters, required the utmost remaining strength -of the two ancient clerks. Those venerable and feeble persons were -always seen by the public in the act of bowing, and were popularly -believed, when they had bowed a customer out, still to keep on bowing in -the empty office until they bowed another customer in. - -The barrister was keen enough to divine that the banker would not have -gone so far in his expression of opinion on any less solid ground than -moral certainty. Unprepared as he was for the large pill he had to -swallow, he got it down. “And now,” said Mr. Stryver, shaking his -forensic forefinger at the Temple in general, when it was down, “my way -out of this, is, to put you all in the wrong.” - -It was a bit of the art of an Old Bailey tactician, in which he found -great relief. “You shall not put me in the wrong, young lady,” said Mr. -Stryver; “I'll do that for you.” - -Accordingly, when Mr. Lorry called that night as late as ten o'clock, -Mr. Stryver, among a quantity of books and papers littered out for the -purpose, seemed to have nothing less on his mind than the subject of -the morning. He even showed surprise when he saw Mr. Lorry, and was -altogether in an absent and preoccupied state. - -“Well!” said that good-natured emissary, after a full half-hour of -bootless attempts to bring him round to the question. “I have been to -Soho.” - -“To Soho?” repeated Mr. Stryver, coldly. “Oh, to be sure! What am I -thinking of!” - -“And I have no doubt,” said Mr. Lorry, “that I was right in the -conversation we had. My opinion is confirmed, and I reiterate my -advice.” - -“I assure you,” returned Mr. Stryver, in the friendliest way, “that I -am sorry for it on your account, and sorry for it on the poor father's -account. I know this must always be a sore subject with the family; let -us say no more about it.” - -“I don't understand you,” said Mr. Lorry. - -“I dare say not,” rejoined Stryver, nodding his head in a smoothing and -final way; “no matter, no matter.” - -“But it does matter,” Mr. Lorry urged. - -“No it doesn't; I assure you it doesn't. Having supposed that there was -sense where there is no sense, and a laudable ambition where there is -not a laudable ambition, I am well out of my mistake, and no harm is -done. Young women have committed similar follies often before, and have -repented them in poverty and obscurity often before. In an unselfish -aspect, I am sorry that the thing is dropped, because it would have been -a bad thing for me in a worldly point of view; in a selfish aspect, I am -glad that the thing has dropped, because it would have been a bad thing -for me in a worldly point of view--it is hardly necessary to say I could -have gained nothing by it. There is no harm at all done. I have not -proposed to the young lady, and, between ourselves, I am by no means -certain, on reflection, that I ever should have committed myself to -that extent. Mr. Lorry, you cannot control the mincing vanities and -giddinesses of empty-headed girls; you must not expect to do it, or you -will always be disappointed. Now, pray say no more about it. I tell you, -I regret it on account of others, but I am satisfied on my own account. -And I am really very much obliged to you for allowing me to sound you, -and for giving me your advice; you know the young lady better than I do; -you were right, it never would have done.” - -Mr. Lorry was so taken aback, that he looked quite stupidly at Mr. -Stryver shouldering him towards the door, with an appearance of -showering generosity, forbearance, and goodwill, on his erring head. -“Make the best of it, my dear sir,” said Stryver; “say no more about it; -thank you again for allowing me to sound you; good night!” - -Mr. Lorry was out in the night, before he knew where he was. Mr. Stryver -was lying back on his sofa, winking at his ceiling. - - - - -XIII. The Fellow of No Delicacy - - -If Sydney Carton ever shone anywhere, he certainly never shone in the -house of Doctor Manette. He had been there often, during a whole year, -and had always been the same moody and morose lounger there. When he -cared to talk, he talked well; but, the cloud of caring for nothing, -which overshadowed him with such a fatal darkness, was very rarely -pierced by the light within him. - -And yet he did care something for the streets that environed that house, -and for the senseless stones that made their pavements. Many a night -he vaguely and unhappily wandered there, when wine had brought no -transitory gladness to him; many a dreary daybreak revealed his solitary -figure lingering there, and still lingering there when the first beams -of the sun brought into strong relief, removed beauties of architecture -in spires of churches and lofty buildings, as perhaps the quiet time -brought some sense of better things, else forgotten and unattainable, -into his mind. Of late, the neglected bed in the Temple Court had known -him more scantily than ever; and often when he had thrown himself upon -it no longer than a few minutes, he had got up again, and haunted that -neighbourhood. - -On a day in August, when Mr. Stryver (after notifying to his jackal -that “he had thought better of that marrying matter”) had carried his -delicacy into Devonshire, and when the sight and scent of flowers in the -City streets had some waifs of goodness in them for the worst, of health -for the sickliest, and of youth for the oldest, Sydney's feet still trod -those stones. From being irresolute and purposeless, his feet became -animated by an intention, and, in the working out of that intention, -they took him to the Doctor's door. - -He was shown up-stairs, and found Lucie at her work, alone. She had -never been quite at her ease with him, and received him with some little -embarrassment as he seated himself near her table. But, looking up at -his face in the interchange of the first few common-places, she observed -a change in it. - -“I fear you are not well, Mr. Carton!” - -“No. But the life I lead, Miss Manette, is not conducive to health. What -is to be expected of, or by, such profligates?” - -“Is it not--forgive me; I have begun the question on my lips--a pity to -live no better life?” - -“God knows it is a shame!” - -“Then why not change it?” - -Looking gently at him again, she was surprised and saddened to see that -there were tears in his eyes. There were tears in his voice too, as he -answered: - -“It is too late for that. I shall never be better than I am. I shall -sink lower, and be worse.” - -He leaned an elbow on her table, and covered his eyes with his hand. The -table trembled in the silence that followed. - -She had never seen him softened, and was much distressed. He knew her to -be so, without looking at her, and said: - -“Pray forgive me, Miss Manette. I break down before the knowledge of -what I want to say to you. Will you hear me?” - -“If it will do you any good, Mr. Carton, if it would make you happier, -it would make me very glad!” - -“God bless you for your sweet compassion!” - -He unshaded his face after a little while, and spoke steadily. - -“Don't be afraid to hear me. Don't shrink from anything I say. I am like -one who died young. All my life might have been.” - -“No, Mr. Carton. I am sure that the best part of it might still be; I am -sure that you might be much, much worthier of yourself.” - -“Say of you, Miss Manette, and although I know better--although in the -mystery of my own wretched heart I know better--I shall never forget -it!” - -She was pale and trembling. He came to her relief with a fixed despair -of himself which made the interview unlike any other that could have -been holden. - -“If it had been possible, Miss Manette, that you could have returned the -love of the man you see before yourself--flung away, wasted, drunken, -poor creature of misuse as you know him to be--he would have been -conscious this day and hour, in spite of his happiness, that he would -bring you to misery, bring you to sorrow and repentance, blight you, -disgrace you, pull you down with him. I know very well that you can have -no tenderness for me; I ask for none; I am even thankful that it cannot -be.” - -“Without it, can I not save you, Mr. Carton? Can I not recall -you--forgive me again!--to a better course? Can I in no way repay your -confidence? I know this is a confidence,” she modestly said, after a -little hesitation, and in earnest tears, “I know you would say this to -no one else. Can I turn it to no good account for yourself, Mr. Carton?” - -He shook his head. - -“To none. No, Miss Manette, to none. If you will hear me through a very -little more, all you can ever do for me is done. I wish you to know that -you have been the last dream of my soul. In my degradation I have not -been so degraded but that the sight of you with your father, and of this -home made such a home by you, has stirred old shadows that I thought had -died out of me. Since I knew you, I have been troubled by a remorse that -I thought would never reproach me again, and have heard whispers from -old voices impelling me upward, that I thought were silent for ever. I -have had unformed ideas of striving afresh, beginning anew, shaking off -sloth and sensuality, and fighting out the abandoned fight. A dream, all -a dream, that ends in nothing, and leaves the sleeper where he lay down, -but I wish you to know that you inspired it.” - -“Will nothing of it remain? O Mr. Carton, think again! Try again!” - -“No, Miss Manette; all through it, I have known myself to be quite -undeserving. And yet I have had the weakness, and have still the -weakness, to wish you to know with what a sudden mastery you kindled me, -heap of ashes that I am, into fire--a fire, however, inseparable in -its nature from myself, quickening nothing, lighting nothing, doing no -service, idly burning away.” - -“Since it is my misfortune, Mr. Carton, to have made you more unhappy -than you were before you knew me--” - -“Don't say that, Miss Manette, for you would have reclaimed me, if -anything could. You will not be the cause of my becoming worse.” - -“Since the state of your mind that you describe, is, at all events, -attributable to some influence of mine--this is what I mean, if I can -make it plain--can I use no influence to serve you? Have I no power for -good, with you, at all?” - -“The utmost good that I am capable of now, Miss Manette, I have come -here to realise. Let me carry through the rest of my misdirected life, -the remembrance that I opened my heart to you, last of all the world; -and that there was something left in me at this time which you could -deplore and pity.” - -“Which I entreated you to believe, again and again, most fervently, with -all my heart, was capable of better things, Mr. Carton!” - -“Entreat me to believe it no more, Miss Manette. I have proved myself, -and I know better. I distress you; I draw fast to an end. Will you let -me believe, when I recall this day, that the last confidence of my life -was reposed in your pure and innocent breast, and that it lies there -alone, and will be shared by no one?” - -“If that will be a consolation to you, yes.” - -“Not even by the dearest one ever to be known to you?” - -“Mr. Carton,” she answered, after an agitated pause, “the secret is -yours, not mine; and I promise to respect it.” - -“Thank you. And again, God bless you.” - -He put her hand to his lips, and moved towards the door. - -“Be under no apprehension, Miss Manette, of my ever resuming this -conversation by so much as a passing word. I will never refer to it -again. If I were dead, that could not be surer than it is henceforth. In -the hour of my death, I shall hold sacred the one good remembrance--and -shall thank and bless you for it--that my last avowal of myself was made -to you, and that my name, and faults, and miseries were gently carried -in your heart. May it otherwise be light and happy!” - -He was so unlike what he had ever shown himself to be, and it was so -sad to think how much he had thrown away, and how much he every day kept -down and perverted, that Lucie Manette wept mournfully for him as he -stood looking back at her. - -“Be comforted!” he said, “I am not worth such feeling, Miss Manette. An -hour or two hence, and the low companions and low habits that I scorn -but yield to, will render me less worth such tears as those, than any -wretch who creeps along the streets. Be comforted! But, within myself, I -shall always be, towards you, what I am now, though outwardly I shall be -what you have heretofore seen me. The last supplication but one I make -to you, is, that you will believe this of me.” - -“I will, Mr. Carton.” - -“My last supplication of all, is this; and with it, I will relieve -you of a visitor with whom I well know you have nothing in unison, and -between whom and you there is an impassable space. It is useless to say -it, I know, but it rises out of my soul. For you, and for any dear to -you, I would do anything. If my career were of that better kind that -there was any opportunity or capacity of sacrifice in it, I would -embrace any sacrifice for you and for those dear to you. Try to hold -me in your mind, at some quiet times, as ardent and sincere in this one -thing. The time will come, the time will not be long in coming, when new -ties will be formed about you--ties that will bind you yet more tenderly -and strongly to the home you so adorn--the dearest ties that will ever -grace and gladden you. O Miss Manette, when the little picture of a -happy father's face looks up in yours, when you see your own bright -beauty springing up anew at your feet, think now and then that there is -a man who would give his life, to keep a life you love beside you!” - -He said, “Farewell!” said a last “God bless you!” and left her. - - - - -XIV. The Honest Tradesman - - -To the eyes of Mr. Jeremiah Cruncher, sitting on his stool in -Fleet-street with his grisly urchin beside him, a vast number and -variety of objects in movement were every day presented. Who could sit -upon anything in Fleet-street during the busy hours of the day, and -not be dazed and deafened by two immense processions, one ever tending -westward with the sun, the other ever tending eastward from the sun, -both ever tending to the plains beyond the range of red and purple where -the sun goes down! - -With his straw in his mouth, Mr. Cruncher sat watching the two streams, -like the heathen rustic who has for several centuries been on duty -watching one stream--saving that Jerry had no expectation of their ever -running dry. Nor would it have been an expectation of a hopeful kind, -since a small part of his income was derived from the pilotage of timid -women (mostly of a full habit and past the middle term of life) from -Tellson's side of the tides to the opposite shore. Brief as such -companionship was in every separate instance, Mr. Cruncher never failed -to become so interested in the lady as to express a strong desire to -have the honour of drinking her very good health. And it was from -the gifts bestowed upon him towards the execution of this benevolent -purpose, that he recruited his finances, as just now observed. - -Time was, when a poet sat upon a stool in a public place, and mused in -the sight of men. Mr. Cruncher, sitting on a stool in a public place, -but not being a poet, mused as little as possible, and looked about him. - -It fell out that he was thus engaged in a season when crowds were -few, and belated women few, and when his affairs in general were so -unprosperous as to awaken a strong suspicion in his breast that Mrs. -Cruncher must have been “flopping” in some pointed manner, when an -unusual concourse pouring down Fleet-street westward, attracted his -attention. Looking that way, Mr. Cruncher made out that some kind of -funeral was coming along, and that there was popular objection to this -funeral, which engendered uproar. - -“Young Jerry,” said Mr. Cruncher, turning to his offspring, “it's a -buryin'.” - -“Hooroar, father!” cried Young Jerry. - -The young gentleman uttered this exultant sound with mysterious -significance. The elder gentleman took the cry so ill, that he watched -his opportunity, and smote the young gentleman on the ear. - -“What d'ye mean? What are you hooroaring at? What do you want to conwey -to your own father, you young Rip? This boy is a getting too many for -_me_!” said Mr. Cruncher, surveying him. “Him and his hooroars! Don't -let me hear no more of you, or you shall feel some more of me. D'ye -hear?” - -“I warn't doing no harm,” Young Jerry protested, rubbing his cheek. - -“Drop it then,” said Mr. Cruncher; “I won't have none of _your_ no -harms. Get a top of that there seat, and look at the crowd.” - -His son obeyed, and the crowd approached; they were bawling and hissing -round a dingy hearse and dingy mourning coach, in which mourning coach -there was only one mourner, dressed in the dingy trappings that were -considered essential to the dignity of the position. The position -appeared by no means to please him, however, with an increasing rabble -surrounding the coach, deriding him, making grimaces at him, and -incessantly groaning and calling out: “Yah! Spies! Tst! Yaha! Spies!” - with many compliments too numerous and forcible to repeat. - -Funerals had at all times a remarkable attraction for Mr. Cruncher; he -always pricked up his senses, and became excited, when a funeral passed -Tellson's. Naturally, therefore, a funeral with this uncommon attendance -excited him greatly, and he asked of the first man who ran against him: - -“What is it, brother? What's it about?” - -“_I_ don't know,” said the man. “Spies! Yaha! Tst! Spies!” - -He asked another man. “Who is it?” - -“_I_ don't know,” returned the man, clapping his hands to his mouth -nevertheless, and vociferating in a surprising heat and with the -greatest ardour, “Spies! Yaha! Tst, tst! Spi--ies!” - -At length, a person better informed on the merits of the case, tumbled -against him, and from this person he learned that the funeral was the -funeral of one Roger Cly. - -“Was he a spy?” asked Mr. Cruncher. - -“Old Bailey spy,” returned his informant. “Yaha! Tst! Yah! Old Bailey -Spi--i--ies!” - -“Why, to be sure!” exclaimed Jerry, recalling the Trial at which he had -assisted. “I've seen him. Dead, is he?” - -“Dead as mutton,” returned the other, “and can't be too dead. Have 'em -out, there! Spies! Pull 'em out, there! Spies!” - -The idea was so acceptable in the prevalent absence of any idea, -that the crowd caught it up with eagerness, and loudly repeating the -suggestion to have 'em out, and to pull 'em out, mobbed the two vehicles -so closely that they came to a stop. On the crowd's opening the coach -doors, the one mourner scuffled out by himself and was in their hands -for a moment; but he was so alert, and made such good use of his time, -that in another moment he was scouring away up a bye-street, after -shedding his cloak, hat, long hatband, white pocket-handkerchief, and -other symbolical tears. - -These, the people tore to pieces and scattered far and wide with great -enjoyment, while the tradesmen hurriedly shut up their shops; for a -crowd in those times stopped at nothing, and was a monster much dreaded. -They had already got the length of opening the hearse to take the coffin -out, when some brighter genius proposed instead, its being escorted to -its destination amidst general rejoicing. Practical suggestions being -much needed, this suggestion, too, was received with acclamation, and -the coach was immediately filled with eight inside and a dozen out, -while as many people got on the roof of the hearse as could by any -exercise of ingenuity stick upon it. Among the first of these volunteers -was Jerry Cruncher himself, who modestly concealed his spiky head from -the observation of Tellson's, in the further corner of the mourning -coach. - -The officiating undertakers made some protest against these changes in -the ceremonies; but, the river being alarmingly near, and several voices -remarking on the efficacy of cold immersion in bringing refractory -members of the profession to reason, the protest was faint and brief. -The remodelled procession started, with a chimney-sweep driving the -hearse--advised by the regular driver, who was perched beside him, under -close inspection, for the purpose--and with a pieman, also attended -by his cabinet minister, driving the mourning coach. A bear-leader, a -popular street character of the time, was impressed as an additional -ornament, before the cavalcade had gone far down the Strand; and his -bear, who was black and very mangy, gave quite an Undertaking air to -that part of the procession in which he walked. - -Thus, with beer-drinking, pipe-smoking, song-roaring, and infinite -caricaturing of woe, the disorderly procession went its way, recruiting -at every step, and all the shops shutting up before it. Its destination -was the old church of Saint Pancras, far off in the fields. It got there -in course of time; insisted on pouring into the burial-ground; finally, -accomplished the interment of the deceased Roger Cly in its own way, and -highly to its own satisfaction. - -The dead man disposed of, and the crowd being under the necessity of -providing some other entertainment for itself, another brighter -genius (or perhaps the same) conceived the humour of impeaching casual -passers-by, as Old Bailey spies, and wreaking vengeance on them. Chase -was given to some scores of inoffensive persons who had never been near -the Old Bailey in their lives, in the realisation of this fancy, and -they were roughly hustled and maltreated. The transition to the sport of -window-breaking, and thence to the plundering of public-houses, was easy -and natural. At last, after several hours, when sundry summer-houses had -been pulled down, and some area-railings had been torn up, to arm -the more belligerent spirits, a rumour got about that the Guards were -coming. Before this rumour, the crowd gradually melted away, and perhaps -the Guards came, and perhaps they never came, and this was the usual -progress of a mob. - -Mr. Cruncher did not assist at the closing sports, but had remained -behind in the churchyard, to confer and condole with the undertakers. -The place had a soothing influence on him. He procured a pipe from a -neighbouring public-house, and smoked it, looking in at the railings and -maturely considering the spot. - -“Jerry,” said Mr. Cruncher, apostrophising himself in his usual way, -“you see that there Cly that day, and you see with your own eyes that he -was a young 'un and a straight made 'un.” - -Having smoked his pipe out, and ruminated a little longer, he turned -himself about, that he might appear, before the hour of closing, on his -station at Tellson's. Whether his meditations on mortality had touched -his liver, or whether his general health had been previously at all -amiss, or whether he desired to show a little attention to an eminent -man, is not so much to the purpose, as that he made a short call upon -his medical adviser--a distinguished surgeon--on his way back. - -Young Jerry relieved his father with dutiful interest, and reported No -job in his absence. The bank closed, the ancient clerks came out, the -usual watch was set, and Mr. Cruncher and his son went home to tea. - -“Now, I tell you where it is!” said Mr. Cruncher to his wife, on -entering. “If, as a honest tradesman, my wenturs goes wrong to-night, I -shall make sure that you've been praying again me, and I shall work you -for it just the same as if I seen you do it.” - -The dejected Mrs. Cruncher shook her head. - -“Why, you're at it afore my face!” said Mr. Cruncher, with signs of -angry apprehension. - -“I am saying nothing.” - -“Well, then; don't meditate nothing. You might as well flop as meditate. -You may as well go again me one way as another. Drop it altogether.” - -“Yes, Jerry.” - -“Yes, Jerry,” repeated Mr. Cruncher sitting down to tea. “Ah! It _is_ -yes, Jerry. That's about it. You may say yes, Jerry.” - -Mr. Cruncher had no particular meaning in these sulky corroborations, -but made use of them, as people not unfrequently do, to express general -ironical dissatisfaction. - -“You and your yes, Jerry,” said Mr. Cruncher, taking a bite out of his -bread-and-butter, and seeming to help it down with a large invisible -oyster out of his saucer. “Ah! I think so. I believe you.” - -“You are going out to-night?” asked his decent wife, when he took -another bite. - -“Yes, I am.” - -“May I go with you, father?” asked his son, briskly. - -“No, you mayn't. I'm a going--as your mother knows--a fishing. That's -where I'm going to. Going a fishing.” - -“Your fishing-rod gets rayther rusty; don't it, father?” - -“Never you mind.” - -“Shall you bring any fish home, father?” - -“If I don't, you'll have short commons, to-morrow,” returned that -gentleman, shaking his head; “that's questions enough for you; I ain't a -going out, till you've been long abed.” - -He devoted himself during the remainder of the evening to keeping a -most vigilant watch on Mrs. Cruncher, and sullenly holding her in -conversation that she might be prevented from meditating any petitions -to his disadvantage. With this view, he urged his son to hold her in -conversation also, and led the unfortunate woman a hard life by dwelling -on any causes of complaint he could bring against her, rather than -he would leave her for a moment to her own reflections. The devoutest -person could have rendered no greater homage to the efficacy of an -honest prayer than he did in this distrust of his wife. It was as if a -professed unbeliever in ghosts should be frightened by a ghost story. - -“And mind you!” said Mr. Cruncher. “No games to-morrow! If I, as a -honest tradesman, succeed in providing a jinte of meat or two, none -of your not touching of it, and sticking to bread. If I, as a honest -tradesman, am able to provide a little beer, none of your declaring -on water. When you go to Rome, do as Rome does. Rome will be a ugly -customer to you, if you don't. _I_'m your Rome, you know.” - -Then he began grumbling again: - -“With your flying into the face of your own wittles and drink! I don't -know how scarce you mayn't make the wittles and drink here, by your -flopping tricks and your unfeeling conduct. Look at your boy: he _is_ -your'n, ain't he? He's as thin as a lath. Do you call yourself a mother, -and not know that a mother's first duty is to blow her boy out?” - -This touched Young Jerry on a tender place; who adjured his mother to -perform her first duty, and, whatever else she did or neglected, above -all things to lay especial stress on the discharge of that maternal -function so affectingly and delicately indicated by his other parent. - -Thus the evening wore away with the Cruncher family, until Young Jerry -was ordered to bed, and his mother, laid under similar injunctions, -obeyed them. Mr. Cruncher beguiled the earlier watches of the night with -solitary pipes, and did not start upon his excursion until nearly one -o'clock. Towards that small and ghostly hour, he rose up from his chair, -took a key out of his pocket, opened a locked cupboard, and brought -forth a sack, a crowbar of convenient size, a rope and chain, and other -fishing tackle of that nature. Disposing these articles about him -in skilful manner, he bestowed a parting defiance on Mrs. Cruncher, -extinguished the light, and went out. - -Young Jerry, who had only made a feint of undressing when he went to -bed, was not long after his father. Under cover of the darkness he -followed out of the room, followed down the stairs, followed down the -court, followed out into the streets. He was in no uneasiness concerning -his getting into the house again, for it was full of lodgers, and the -door stood ajar all night. - -Impelled by a laudable ambition to study the art and mystery of his -father's honest calling, Young Jerry, keeping as close to house fronts, -walls, and doorways, as his eyes were close to one another, held his -honoured parent in view. The honoured parent steering Northward, had not -gone far, when he was joined by another disciple of Izaak Walton, and -the two trudged on together. - -Within half an hour from the first starting, they were beyond the -winking lamps, and the more than winking watchmen, and were out upon a -lonely road. Another fisherman was picked up here--and that so silently, -that if Young Jerry had been superstitious, he might have supposed the -second follower of the gentle craft to have, all of a sudden, split -himself into two. - -The three went on, and Young Jerry went on, until the three stopped -under a bank overhanging the road. Upon the top of the bank was a low -brick wall, surmounted by an iron railing. In the shadow of bank and -wall the three turned out of the road, and up a blind lane, of which -the wall--there, risen to some eight or ten feet high--formed one side. -Crouching down in a corner, peeping up the lane, the next object that -Young Jerry saw, was the form of his honoured parent, pretty well -defined against a watery and clouded moon, nimbly scaling an iron gate. -He was soon over, and then the second fisherman got over, and then the -third. They all dropped softly on the ground within the gate, and lay -there a little--listening perhaps. Then, they moved away on their hands -and knees. - -It was now Young Jerry's turn to approach the gate: which he did, -holding his breath. Crouching down again in a corner there, and looking -in, he made out the three fishermen creeping through some rank grass! -and all the gravestones in the churchyard--it was a large churchyard -that they were in--looking on like ghosts in white, while the church -tower itself looked on like the ghost of a monstrous giant. They did not -creep far, before they stopped and stood upright. And then they began to -fish. - -They fished with a spade, at first. Presently the honoured parent -appeared to be adjusting some instrument like a great corkscrew. -Whatever tools they worked with, they worked hard, until the awful -striking of the church clock so terrified Young Jerry, that he made off, -with his hair as stiff as his father's. - -But, his long-cherished desire to know more about these matters, not -only stopped him in his running away, but lured him back again. They -were still fishing perseveringly, when he peeped in at the gate for -the second time; but, now they seemed to have got a bite. There was a -screwing and complaining sound down below, and their bent figures were -strained, as if by a weight. By slow degrees the weight broke away the -earth upon it, and came to the surface. Young Jerry very well knew what -it would be; but, when he saw it, and saw his honoured parent about to -wrench it open, he was so frightened, being new to the sight, that he -made off again, and never stopped until he had run a mile or more. - -He would not have stopped then, for anything less necessary than breath, -it being a spectral sort of race that he ran, and one highly desirable -to get to the end of. He had a strong idea that the coffin he had seen -was running after him; and, pictured as hopping on behind him, bolt -upright, upon its narrow end, always on the point of overtaking him -and hopping on at his side--perhaps taking his arm--it was a pursuer to -shun. It was an inconsistent and ubiquitous fiend too, for, while it -was making the whole night behind him dreadful, he darted out into the -roadway to avoid dark alleys, fearful of its coming hopping out of them -like a dropsical boy's kite without tail and wings. It hid in doorways -too, rubbing its horrible shoulders against doors, and drawing them up -to its ears, as if it were laughing. It got into shadows on the road, -and lay cunningly on its back to trip him up. All this time it was -incessantly hopping on behind and gaining on him, so that when the boy -got to his own door he had reason for being half dead. And even then -it would not leave him, but followed him upstairs with a bump on every -stair, scrambled into bed with him, and bumped down, dead and heavy, on -his breast when he fell asleep. - -From his oppressed slumber, Young Jerry in his closet was awakened after -daybreak and before sunrise, by the presence of his father in the -family room. Something had gone wrong with him; at least, so Young Jerry -inferred, from the circumstance of his holding Mrs. Cruncher by the -ears, and knocking the back of her head against the head-board of the -bed. - -“I told you I would,” said Mr. Cruncher, “and I did.” - -“Jerry, Jerry, Jerry!” his wife implored. - -“You oppose yourself to the profit of the business,” said Jerry, “and me -and my partners suffer. You was to honour and obey; why the devil don't -you?” - -“I try to be a good wife, Jerry,” the poor woman protested, with tears. - -“Is it being a good wife to oppose your husband's business? Is it -honouring your husband to dishonour his business? Is it obeying your -husband to disobey him on the wital subject of his business?” - -“You hadn't taken to the dreadful business then, Jerry.” - -“It's enough for you,” retorted Mr. Cruncher, “to be the wife of a -honest tradesman, and not to occupy your female mind with calculations -when he took to his trade or when he didn't. A honouring and obeying -wife would let his trade alone altogether. Call yourself a religious -woman? If you're a religious woman, give me a irreligious one! You have -no more nat'ral sense of duty than the bed of this here Thames river has -of a pile, and similarly it must be knocked into you.” - -The altercation was conducted in a low tone of voice, and terminated in -the honest tradesman's kicking off his clay-soiled boots, and lying down -at his length on the floor. After taking a timid peep at him lying on -his back, with his rusty hands under his head for a pillow, his son lay -down too, and fell asleep again. - -There was no fish for breakfast, and not much of anything else. Mr. -Cruncher was out of spirits, and out of temper, and kept an iron pot-lid -by him as a projectile for the correction of Mrs. Cruncher, in case -he should observe any symptoms of her saying Grace. He was brushed -and washed at the usual hour, and set off with his son to pursue his -ostensible calling. - -Young Jerry, walking with the stool under his arm at his father's side -along sunny and crowded Fleet-street, was a very different Young Jerry -from him of the previous night, running home through darkness and -solitude from his grim pursuer. His cunning was fresh with the day, -and his qualms were gone with the night--in which particulars it is not -improbable that he had compeers in Fleet-street and the City of London, -that fine morning. - -“Father,” said Young Jerry, as they walked along: taking care to keep -at arm's length and to have the stool well between them: “what's a -Resurrection-Man?” - -Mr. Cruncher came to a stop on the pavement before he answered, “How -should I know?” - -“I thought you knowed everything, father,” said the artless boy. - -“Hem! Well,” returned Mr. Cruncher, going on again, and lifting off his -hat to give his spikes free play, “he's a tradesman.” - -“What's his goods, father?” asked the brisk Young Jerry. - -“His goods,” said Mr. Cruncher, after turning it over in his mind, “is a -branch of Scientific goods.” - -“Persons' bodies, ain't it, father?” asked the lively boy. - -“I believe it is something of that sort,” said Mr. Cruncher. - -“Oh, father, I should so like to be a Resurrection-Man when I'm quite -growed up!” - -Mr. Cruncher was soothed, but shook his head in a dubious and moral way. -“It depends upon how you dewelop your talents. Be careful to dewelop -your talents, and never to say no more than you can help to nobody, and -there's no telling at the present time what you may not come to be fit -for.” As Young Jerry, thus encouraged, went on a few yards in advance, -to plant the stool in the shadow of the Bar, Mr. Cruncher added to -himself: “Jerry, you honest tradesman, there's hopes wot that boy will -yet be a blessing to you, and a recompense to you for his mother!” - - - - -XV. Knitting - - -There had been earlier drinking than usual in the wine-shop of Monsieur -Defarge. As early as six o'clock in the morning, sallow faces peeping -through its barred windows had descried other faces within, bending over -measures of wine. Monsieur Defarge sold a very thin wine at the best -of times, but it would seem to have been an unusually thin wine that -he sold at this time. A sour wine, moreover, or a souring, for its -influence on the mood of those who drank it was to make them gloomy. No -vivacious Bacchanalian flame leaped out of the pressed grape of Monsieur -Defarge: but, a smouldering fire that burnt in the dark, lay hidden in -the dregs of it. - -This had been the third morning in succession, on which there had been -early drinking at the wine-shop of Monsieur Defarge. It had begun -on Monday, and here was Wednesday come. There had been more of early -brooding than drinking; for, many men had listened and whispered and -slunk about there from the time of the opening of the door, who could -not have laid a piece of money on the counter to save their souls. These -were to the full as interested in the place, however, as if they could -have commanded whole barrels of wine; and they glided from seat to seat, -and from corner to corner, swallowing talk in lieu of drink, with greedy -looks. - -Notwithstanding an unusual flow of company, the master of the wine-shop -was not visible. He was not missed; for, nobody who crossed the -threshold looked for him, nobody asked for him, nobody wondered to see -only Madame Defarge in her seat, presiding over the distribution of -wine, with a bowl of battered small coins before her, as much defaced -and beaten out of their original impress as the small coinage of -humanity from whose ragged pockets they had come. - -A suspended interest and a prevalent absence of mind, were perhaps -observed by the spies who looked in at the wine-shop, as they looked in -at every place, high and low, from the king's palace to the criminal's -gaol. Games at cards languished, players at dominoes musingly built -towers with them, drinkers drew figures on the tables with spilt drops -of wine, Madame Defarge herself picked out the pattern on her sleeve -with her toothpick, and saw and heard something inaudible and invisible -a long way off. - -Thus, Saint Antoine in this vinous feature of his, until midday. It was -high noontide, when two dusty men passed through his streets and under -his swinging lamps: of whom, one was Monsieur Defarge: the other a -mender of roads in a blue cap. All adust and athirst, the two entered -the wine-shop. Their arrival had lighted a kind of fire in the breast -of Saint Antoine, fast spreading as they came along, which stirred and -flickered in flames of faces at most doors and windows. Yet, no one had -followed them, and no man spoke when they entered the wine-shop, though -the eyes of every man there were turned upon them. - -“Good day, gentlemen!” said Monsieur Defarge. - -It may have been a signal for loosening the general tongue. It elicited -an answering chorus of “Good day!” - -“It is bad weather, gentlemen,” said Defarge, shaking his head. - -Upon which, every man looked at his neighbour, and then all cast down -their eyes and sat silent. Except one man, who got up and went out. - -“My wife,” said Defarge aloud, addressing Madame Defarge: “I have -travelled certain leagues with this good mender of roads, called -Jacques. I met him--by accident--a day and half's journey out of Paris. -He is a good child, this mender of roads, called Jacques. Give him to -drink, my wife!” - -A second man got up and went out. Madame Defarge set wine before the -mender of roads called Jacques, who doffed his blue cap to the company, -and drank. In the breast of his blouse he carried some coarse dark -bread; he ate of this between whiles, and sat munching and drinking near -Madame Defarge's counter. A third man got up and went out. - -Defarge refreshed himself with a draught of wine--but, he took less -than was given to the stranger, as being himself a man to whom it was no -rarity--and stood waiting until the countryman had made his breakfast. -He looked at no one present, and no one now looked at him; not even -Madame Defarge, who had taken up her knitting, and was at work. - -“Have you finished your repast, friend?” he asked, in due season. - -“Yes, thank you.” - -“Come, then! You shall see the apartment that I told you you could -occupy. It will suit you to a marvel.” - -Out of the wine-shop into the street, out of the street into a -courtyard, out of the courtyard up a steep staircase, out of the -staircase into a garret--formerly the garret where a white-haired man -sat on a low bench, stooping forward and very busy, making shoes. - -No white-haired man was there now; but, the three men were there who had -gone out of the wine-shop singly. And between them and the white-haired -man afar off, was the one small link, that they had once looked in at -him through the chinks in the wall. - -Defarge closed the door carefully, and spoke in a subdued voice: - -“Jacques One, Jacques Two, Jacques Three! This is the witness -encountered by appointment, by me, Jacques Four. He will tell you all. -Speak, Jacques Five!” - -The mender of roads, blue cap in hand, wiped his swarthy forehead with -it, and said, “Where shall I commence, monsieur?” - -“Commence,” was Monsieur Defarge's not unreasonable reply, “at the -commencement.” - -“I saw him then, messieurs,” began the mender of roads, “a year ago this -running summer, underneath the carriage of the Marquis, hanging by the -chain. Behold the manner of it. I leaving my work on the road, the sun -going to bed, the carriage of the Marquis slowly ascending the hill, he -hanging by the chain--like this.” - -Again the mender of roads went through the whole performance; in which -he ought to have been perfect by that time, seeing that it had been -the infallible resource and indispensable entertainment of his village -during a whole year. - -Jacques One struck in, and asked if he had ever seen the man before? - -“Never,” answered the mender of roads, recovering his perpendicular. - -Jacques Three demanded how he afterwards recognised him then? - -“By his tall figure,” said the mender of roads, softly, and with his -finger at his nose. “When Monsieur the Marquis demands that evening, -'Say, what is he like?' I make response, 'Tall as a spectre.'” - -“You should have said, short as a dwarf,” returned Jacques Two. - -“But what did I know? The deed was not then accomplished, neither did he -confide in me. Observe! Under those circumstances even, I do not -offer my testimony. Monsieur the Marquis indicates me with his finger, -standing near our little fountain, and says, 'To me! Bring that rascal!' -My faith, messieurs, I offer nothing.” - -“He is right there, Jacques,” murmured Defarge, to him who had -interrupted. “Go on!” - -“Good!” said the mender of roads, with an air of mystery. “The tall man -is lost, and he is sought--how many months? Nine, ten, eleven?” - -“No matter, the number,” said Defarge. “He is well hidden, but at last -he is unluckily found. Go on!” - -“I am again at work upon the hill-side, and the sun is again about to -go to bed. I am collecting my tools to descend to my cottage down in the -village below, where it is already dark, when I raise my eyes, and see -coming over the hill six soldiers. In the midst of them is a tall man -with his arms bound--tied to his sides--like this!” - -With the aid of his indispensable cap, he represented a man with his -elbows bound fast at his hips, with cords that were knotted behind him. - -“I stand aside, messieurs, by my heap of stones, to see the soldiers -and their prisoner pass (for it is a solitary road, that, where any -spectacle is well worth looking at), and at first, as they approach, I -see no more than that they are six soldiers with a tall man bound, and -that they are almost black to my sight--except on the side of the sun -going to bed, where they have a red edge, messieurs. Also, I see that -their long shadows are on the hollow ridge on the opposite side of the -road, and are on the hill above it, and are like the shadows of giants. -Also, I see that they are covered with dust, and that the dust moves -with them as they come, tramp, tramp! But when they advance quite near -to me, I recognise the tall man, and he recognises me. Ah, but he would -be well content to precipitate himself over the hill-side once again, as -on the evening when he and I first encountered, close to the same spot!” - -He described it as if he were there, and it was evident that he saw it -vividly; perhaps he had not seen much in his life. - -“I do not show the soldiers that I recognise the tall man; he does not -show the soldiers that he recognises me; we do it, and we know it, with -our eyes. 'Come on!' says the chief of that company, pointing to the -village, 'bring him fast to his tomb!' and they bring him faster. I -follow. His arms are swelled because of being bound so tight, his wooden -shoes are large and clumsy, and he is lame. Because he is lame, and -consequently slow, they drive him with their guns--like this!” - -He imitated the action of a man's being impelled forward by the -butt-ends of muskets. - -“As they descend the hill like madmen running a race, he falls. They -laugh and pick him up again. His face is bleeding and covered with dust, -but he cannot touch it; thereupon they laugh again. They bring him into -the village; all the village runs to look; they take him past the mill, -and up to the prison; all the village sees the prison gate open in the -darkness of the night, and swallow him--like this!” - -He opened his mouth as wide as he could, and shut it with a sounding -snap of his teeth. Observant of his unwillingness to mar the effect by -opening it again, Defarge said, “Go on, Jacques.” - -“All the village,” pursued the mender of roads, on tiptoe and in a low -voice, “withdraws; all the village whispers by the fountain; all the -village sleeps; all the village dreams of that unhappy one, within the -locks and bars of the prison on the crag, and never to come out of it, -except to perish. In the morning, with my tools upon my shoulder, eating -my morsel of black bread as I go, I make a circuit by the prison, on -my way to my work. There I see him, high up, behind the bars of a lofty -iron cage, bloody and dusty as last night, looking through. He has no -hand free, to wave to me; I dare not call to him; he regards me like a -dead man.” - -Defarge and the three glanced darkly at one another. The looks of all -of them were dark, repressed, and revengeful, as they listened to the -countryman's story; the manner of all of them, while it was secret, was -authoritative too. They had the air of a rough tribunal; Jacques One -and Two sitting on the old pallet-bed, each with his chin resting on -his hand, and his eyes intent on the road-mender; Jacques Three, equally -intent, on one knee behind them, with his agitated hand always gliding -over the network of fine nerves about his mouth and nose; Defarge -standing between them and the narrator, whom he had stationed in the -light of the window, by turns looking from him to them, and from them to -him. - -“Go on, Jacques,” said Defarge. - -“He remains up there in his iron cage some days. The village looks -at him by stealth, for it is afraid. But it always looks up, from a -distance, at the prison on the crag; and in the evening, when the work -of the day is achieved and it assembles to gossip at the fountain, all -faces are turned towards the prison. Formerly, they were turned towards -the posting-house; now, they are turned towards the prison. They -whisper at the fountain, that although condemned to death he will not be -executed; they say that petitions have been presented in Paris, showing -that he was enraged and made mad by the death of his child; they say -that a petition has been presented to the King himself. What do I know? -It is possible. Perhaps yes, perhaps no.” - -“Listen then, Jacques,” Number One of that name sternly interposed. -“Know that a petition was presented to the King and Queen. All here, -yourself excepted, saw the King take it, in his carriage in the street, -sitting beside the Queen. It is Defarge whom you see here, who, at the -hazard of his life, darted out before the horses, with the petition in -his hand.” - -“And once again listen, Jacques!” said the kneeling Number Three: -his fingers ever wandering over and over those fine nerves, with a -strikingly greedy air, as if he hungered for something--that was neither -food nor drink; “the guard, horse and foot, surrounded the petitioner, -and struck him blows. You hear?” - -“I hear, messieurs.” - -“Go on then,” said Defarge. - -“Again; on the other hand, they whisper at the fountain,” resumed the -countryman, “that he is brought down into our country to be executed on -the spot, and that he will very certainly be executed. They even whisper -that because he has slain Monseigneur, and because Monseigneur was the -father of his tenants--serfs--what you will--he will be executed as a -parricide. One old man says at the fountain, that his right hand, armed -with the knife, will be burnt off before his face; that, into wounds -which will be made in his arms, his breast, and his legs, there will be -poured boiling oil, melted lead, hot resin, wax, and sulphur; finally, -that he will be torn limb from limb by four strong horses. That old man -says, all this was actually done to a prisoner who made an attempt on -the life of the late King, Louis Fifteen. But how do I know if he lies? -I am not a scholar.” - -“Listen once again then, Jacques!” said the man with the restless hand -and the craving air. “The name of that prisoner was Damiens, and it was -all done in open day, in the open streets of this city of Paris; and -nothing was more noticed in the vast concourse that saw it done, than -the crowd of ladies of quality and fashion, who were full of eager -attention to the last--to the last, Jacques, prolonged until nightfall, -when he had lost two legs and an arm, and still breathed! And it was -done--why, how old are you?” - -“Thirty-five,” said the mender of roads, who looked sixty. - -“It was done when you were more than ten years old; you might have seen -it.” - -“Enough!” said Defarge, with grim impatience. “Long live the Devil! Go -on.” - -“Well! Some whisper this, some whisper that; they speak of nothing else; -even the fountain appears to fall to that tune. At length, on Sunday -night when all the village is asleep, come soldiers, winding down from -the prison, and their guns ring on the stones of the little street. -Workmen dig, workmen hammer, soldiers laugh and sing; in the morning, by -the fountain, there is raised a gallows forty feet high, poisoning the -water.” - -The mender of roads looked _through_ rather than _at_ the low ceiling, -and pointed as if he saw the gallows somewhere in the sky. - -“All work is stopped, all assemble there, nobody leads the cows out, -the cows are there with the rest. At midday, the roll of drums. Soldiers -have marched into the prison in the night, and he is in the midst -of many soldiers. He is bound as before, and in his mouth there is -a gag--tied so, with a tight string, making him look almost as if he -laughed.” He suggested it, by creasing his face with his two thumbs, -from the corners of his mouth to his ears. “On the top of the gallows is -fixed the knife, blade upwards, with its point in the air. He is hanged -there forty feet high--and is left hanging, poisoning the water.” - -They looked at one another, as he used his blue cap to wipe his face, -on which the perspiration had started afresh while he recalled the -spectacle. - -“It is frightful, messieurs. How can the women and the children draw -water! Who can gossip of an evening, under that shadow! Under it, have -I said? When I left the village, Monday evening as the sun was going to -bed, and looked back from the hill, the shadow struck across the church, -across the mill, across the prison--seemed to strike across the earth, -messieurs, to where the sky rests upon it!” - -The hungry man gnawed one of his fingers as he looked at the other -three, and his finger quivered with the craving that was on him. - -“That's all, messieurs. I left at sunset (as I had been warned to do), -and I walked on, that night and half next day, until I met (as I was -warned I should) this comrade. With him, I came on, now riding and now -walking, through the rest of yesterday and through last night. And here -you see me!” - -After a gloomy silence, the first Jacques said, “Good! You have acted -and recounted faithfully. Will you wait for us a little, outside the -door?” - -“Very willingly,” said the mender of roads. Whom Defarge escorted to the -top of the stairs, and, leaving seated there, returned. - -The three had risen, and their heads were together when he came back to -the garret. - -“How say you, Jacques?” demanded Number One. “To be registered?” - -“To be registered, as doomed to destruction,” returned Defarge. - -“Magnificent!” croaked the man with the craving. - -“The chateau, and all the race?” inquired the first. - -“The chateau and all the race,” returned Defarge. “Extermination.” - -The hungry man repeated, in a rapturous croak, “Magnificent!” and began -gnawing another finger. - -“Are you sure,” asked Jacques Two, of Defarge, “that no embarrassment -can arise from our manner of keeping the register? Without doubt it is -safe, for no one beyond ourselves can decipher it; but shall we always -be able to decipher it--or, I ought to say, will she?” - -“Jacques,” returned Defarge, drawing himself up, “if madame my wife -undertook to keep the register in her memory alone, she would not lose -a word of it--not a syllable of it. Knitted, in her own stitches and her -own symbols, it will always be as plain to her as the sun. Confide in -Madame Defarge. It would be easier for the weakest poltroon that lives, -to erase himself from existence, than to erase one letter of his name or -crimes from the knitted register of Madame Defarge.” - -There was a murmur of confidence and approval, and then the man who -hungered, asked: “Is this rustic to be sent back soon? I hope so. He is -very simple; is he not a little dangerous?” - -“He knows nothing,” said Defarge; “at least nothing more than would -easily elevate himself to a gallows of the same height. I charge myself -with him; let him remain with me; I will take care of him, and set him -on his road. He wishes to see the fine world--the King, the Queen, and -Court; let him see them on Sunday.” - -“What?” exclaimed the hungry man, staring. “Is it a good sign, that he -wishes to see Royalty and Nobility?” - -“Jacques,” said Defarge; “judiciously show a cat milk, if you wish her -to thirst for it. Judiciously show a dog his natural prey, if you wish -him to bring it down one day.” - -Nothing more was said, and the mender of roads, being found already -dozing on the topmost stair, was advised to lay himself down on the -pallet-bed and take some rest. He needed no persuasion, and was soon -asleep. - -Worse quarters than Defarge's wine-shop, could easily have been found -in Paris for a provincial slave of that degree. Saving for a mysterious -dread of madame by which he was constantly haunted, his life was very -new and agreeable. But, madame sat all day at her counter, so expressly -unconscious of him, and so particularly determined not to perceive that -his being there had any connection with anything below the surface, that -he shook in his wooden shoes whenever his eye lighted on her. For, he -contended with himself that it was impossible to foresee what that lady -might pretend next; and he felt assured that if she should take it -into her brightly ornamented head to pretend that she had seen him do a -murder and afterwards flay the victim, she would infallibly go through -with it until the play was played out. - -Therefore, when Sunday came, the mender of roads was not enchanted -(though he said he was) to find that madame was to accompany monsieur -and himself to Versailles. It was additionally disconcerting to have -madame knitting all the way there, in a public conveyance; it was -additionally disconcerting yet, to have madame in the crowd in the -afternoon, still with her knitting in her hands as the crowd waited to -see the carriage of the King and Queen. - -“You work hard, madame,” said a man near her. - -“Yes,” answered Madame Defarge; “I have a good deal to do.” - -“What do you make, madame?” - -“Many things.” - -“For instance--” - -“For instance,” returned Madame Defarge, composedly, “shrouds.” - -The man moved a little further away, as soon as he could, and the mender -of roads fanned himself with his blue cap: feeling it mightily close -and oppressive. If he needed a King and Queen to restore him, he was -fortunate in having his remedy at hand; for, soon the large-faced King -and the fair-faced Queen came in their golden coach, attended by the -shining Bull's Eye of their Court, a glittering multitude of laughing -ladies and fine lords; and in jewels and silks and powder and splendour -and elegantly spurning figures and handsomely disdainful faces of both -sexes, the mender of roads bathed himself, so much to his temporary -intoxication, that he cried Long live the King, Long live the Queen, -Long live everybody and everything! as if he had never heard of -ubiquitous Jacques in his time. Then, there were gardens, courtyards, -terraces, fountains, green banks, more King and Queen, more Bull's Eye, -more lords and ladies, more Long live they all! until he absolutely wept -with sentiment. During the whole of this scene, which lasted some three -hours, he had plenty of shouting and weeping and sentimental company, -and throughout Defarge held him by the collar, as if to restrain him -from flying at the objects of his brief devotion and tearing them to -pieces. - -“Bravo!” said Defarge, clapping him on the back when it was over, like a -patron; “you are a good boy!” - -The mender of roads was now coming to himself, and was mistrustful of -having made a mistake in his late demonstrations; but no. - -“You are the fellow we want,” said Defarge, in his ear; “you make -these fools believe that it will last for ever. Then, they are the more -insolent, and it is the nearer ended.” - -“Hey!” cried the mender of roads, reflectively; “that's true.” - -“These fools know nothing. While they despise your breath, and would -stop it for ever and ever, in you or in a hundred like you rather than -in one of their own horses or dogs, they only know what your breath -tells them. Let it deceive them, then, a little longer; it cannot -deceive them too much.” - -Madame Defarge looked superciliously at the client, and nodded in -confirmation. - -“As to you,” said she, “you would shout and shed tears for anything, if -it made a show and a noise. Say! Would you not?” - -“Truly, madame, I think so. For the moment.” - -“If you were shown a great heap of dolls, and were set upon them to -pluck them to pieces and despoil them for your own advantage, you would -pick out the richest and gayest. Say! Would you not?” - -“Truly yes, madame.” - -“Yes. And if you were shown a flock of birds, unable to fly, and were -set upon them to strip them of their feathers for your own advantage, -you would set upon the birds of the finest feathers; would you not?” - -“It is true, madame.” - -“You have seen both dolls and birds to-day,” said Madame Defarge, with -a wave of her hand towards the place where they had last been apparent; -“now, go home!” - - - - -XVI. Still Knitting - - -Madame Defarge and monsieur her husband returned amicably to the -bosom of Saint Antoine, while a speck in a blue cap toiled through the -darkness, and through the dust, and down the weary miles of avenue by -the wayside, slowly tending towards that point of the compass where -the chateau of Monsieur the Marquis, now in his grave, listened to -the whispering trees. Such ample leisure had the stone faces, now, -for listening to the trees and to the fountain, that the few village -scarecrows who, in their quest for herbs to eat and fragments of dead -stick to burn, strayed within sight of the great stone courtyard and -terrace staircase, had it borne in upon their starved fancy that -the expression of the faces was altered. A rumour just lived in the -village--had a faint and bare existence there, as its people had--that -when the knife struck home, the faces changed, from faces of pride to -faces of anger and pain; also, that when that dangling figure was hauled -up forty feet above the fountain, they changed again, and bore a cruel -look of being avenged, which they would henceforth bear for ever. In the -stone face over the great window of the bed-chamber where the murder -was done, two fine dints were pointed out in the sculptured nose, which -everybody recognised, and which nobody had seen of old; and on the -scarce occasions when two or three ragged peasants emerged from the -crowd to take a hurried peep at Monsieur the Marquis petrified, a -skinny finger would not have pointed to it for a minute, before they all -started away among the moss and leaves, like the more fortunate hares -who could find a living there. - -Chateau and hut, stone face and dangling figure, the red stain on the -stone floor, and the pure water in the village well--thousands of acres -of land--a whole province of France--all France itself--lay under the -night sky, concentrated into a faint hair-breadth line. So does a whole -world, with all its greatnesses and littlenesses, lie in a twinkling -star. And as mere human knowledge can split a ray of light and analyse -the manner of its composition, so, sublimer intelligences may read in -the feeble shining of this earth of ours, every thought and act, every -vice and virtue, of every responsible creature on it. - -The Defarges, husband and wife, came lumbering under the starlight, -in their public vehicle, to that gate of Paris whereunto their -journey naturally tended. There was the usual stoppage at the barrier -guardhouse, and the usual lanterns came glancing forth for the usual -examination and inquiry. Monsieur Defarge alighted; knowing one or two -of the soldiery there, and one of the police. The latter he was intimate -with, and affectionately embraced. - -When Saint Antoine had again enfolded the Defarges in his dusky wings, -and they, having finally alighted near the Saint's boundaries, were -picking their way on foot through the black mud and offal of his -streets, Madame Defarge spoke to her husband: - -“Say then, my friend; what did Jacques of the police tell thee?” - -“Very little to-night, but all he knows. There is another spy -commissioned for our quarter. There may be many more, for all that he -can say, but he knows of one.” - -“Eh well!” said Madame Defarge, raising her eyebrows with a cool -business air. “It is necessary to register him. How do they call that -man?” - -“He is English.” - -“So much the better. His name?” - -“Barsad,” said Defarge, making it French by pronunciation. But, he had -been so careful to get it accurately, that he then spelt it with perfect -correctness. - -“Barsad,” repeated madame. “Good. Christian name?” - -“John.” - -“John Barsad,” repeated madame, after murmuring it once to herself. -“Good. His appearance; is it known?” - -“Age, about forty years; height, about five feet nine; black hair; -complexion dark; generally, rather handsome visage; eyes dark, face -thin, long, and sallow; nose aquiline, but not straight, having a -peculiar inclination towards the left cheek; expression, therefore, -sinister.” - -“Eh my faith. It is a portrait!” said madame, laughing. “He shall be -registered to-morrow.” - -They turned into the wine-shop, which was closed (for it was midnight), -and where Madame Defarge immediately took her post at her desk, counted -the small moneys that had been taken during her absence, examined the -stock, went through the entries in the book, made other entries of -her own, checked the serving man in every possible way, and finally -dismissed him to bed. Then she turned out the contents of the bowl -of money for the second time, and began knotting them up in her -handkerchief, in a chain of separate knots, for safe keeping through the -night. All this while, Defarge, with his pipe in his mouth, walked -up and down, complacently admiring, but never interfering; in which -condition, indeed, as to the business and his domestic affairs, he -walked up and down through life. - -The night was hot, and the shop, close shut and surrounded by so foul a -neighbourhood, was ill-smelling. Monsieur Defarge's olfactory sense was -by no means delicate, but the stock of wine smelt much stronger than -it ever tasted, and so did the stock of rum and brandy and aniseed. He -whiffed the compound of scents away, as he put down his smoked-out pipe. - -“You are fatigued,” said madame, raising her glance as she knotted the -money. “There are only the usual odours.” - -“I am a little tired,” her husband acknowledged. - -“You are a little depressed, too,” said madame, whose quick eyes had -never been so intent on the accounts, but they had had a ray or two for -him. “Oh, the men, the men!” - -“But my dear!” began Defarge. - -“But my dear!” repeated madame, nodding firmly; “but my dear! You are -faint of heart to-night, my dear!” - -“Well, then,” said Defarge, as if a thought were wrung out of his -breast, “it _is_ a long time.” - -“It is a long time,” repeated his wife; “and when is it not a long time? -Vengeance and retribution require a long time; it is the rule.” - -“It does not take a long time to strike a man with Lightning,” said -Defarge. - -“How long,” demanded madame, composedly, “does it take to make and store -the lightning? Tell me.” - -Defarge raised his head thoughtfully, as if there were something in that -too. - -“It does not take a long time,” said madame, “for an earthquake to -swallow a town. Eh well! Tell me how long it takes to prepare the -earthquake?” - -“A long time, I suppose,” said Defarge. - -“But when it is ready, it takes place, and grinds to pieces everything -before it. In the meantime, it is always preparing, though it is not -seen or heard. That is your consolation. Keep it.” - -She tied a knot with flashing eyes, as if it throttled a foe. - -“I tell thee,” said madame, extending her right hand, for emphasis, -“that although it is a long time on the road, it is on the road and -coming. I tell thee it never retreats, and never stops. I tell thee it -is always advancing. Look around and consider the lives of all the world -that we know, consider the faces of all the world that we know, consider -the rage and discontent to which the Jacquerie addresses itself with -more and more of certainty every hour. Can such things last? Bah! I mock -you.” - -“My brave wife,” returned Defarge, standing before her with his head -a little bent, and his hands clasped at his back, like a docile and -attentive pupil before his catechist, “I do not question all this. But -it has lasted a long time, and it is possible--you know well, my wife, -it is possible--that it may not come, during our lives.” - -“Eh well! How then?” demanded madame, tying another knot, as if there -were another enemy strangled. - -“Well!” said Defarge, with a half complaining and half apologetic shrug. -“We shall not see the triumph.” - -“We shall have helped it,” returned madame, with her extended hand in -strong action. “Nothing that we do, is done in vain. I believe, with all -my soul, that we shall see the triumph. But even if not, even if I knew -certainly not, show me the neck of an aristocrat and tyrant, and still I -would--” - -Then madame, with her teeth set, tied a very terrible knot indeed. - -“Hold!” cried Defarge, reddening a little as if he felt charged with -cowardice; “I too, my dear, will stop at nothing.” - -“Yes! But it is your weakness that you sometimes need to see your victim -and your opportunity, to sustain you. Sustain yourself without that. -When the time comes, let loose a tiger and a devil; but wait for the -time with the tiger and the devil chained--not shown--yet always ready.” - -Madame enforced the conclusion of this piece of advice by striking her -little counter with her chain of money as if she knocked its brains -out, and then gathering the heavy handkerchief under her arm in a serene -manner, and observing that it was time to go to bed. - -Next noontide saw the admirable woman in her usual place in the -wine-shop, knitting away assiduously. A rose lay beside her, and if she -now and then glanced at the flower, it was with no infraction of her -usual preoccupied air. There were a few customers, drinking or not -drinking, standing or seated, sprinkled about. The day was very hot, -and heaps of flies, who were extending their inquisitive and adventurous -perquisitions into all the glutinous little glasses near madame, fell -dead at the bottom. Their decease made no impression on the other flies -out promenading, who looked at them in the coolest manner (as if they -themselves were elephants, or something as far removed), until they met -the same fate. Curious to consider how heedless flies are!--perhaps they -thought as much at Court that sunny summer day. - -A figure entering at the door threw a shadow on Madame Defarge which she -felt to be a new one. She laid down her knitting, and began to pin her -rose in her head-dress, before she looked at the figure. - -It was curious. The moment Madame Defarge took up the rose, the -customers ceased talking, and began gradually to drop out of the -wine-shop. - -“Good day, madame,” said the new-comer. - -“Good day, monsieur.” - -She said it aloud, but added to herself, as she resumed her knitting: -“Hah! Good day, age about forty, height about five feet nine, black -hair, generally rather handsome visage, complexion dark, eyes dark, -thin, long and sallow face, aquiline nose but not straight, having a -peculiar inclination towards the left cheek which imparts a sinister -expression! Good day, one and all!” - -“Have the goodness to give me a little glass of old cognac, and a -mouthful of cool fresh water, madame.” - -Madame complied with a polite air. - -“Marvellous cognac this, madame!” - -It was the first time it had ever been so complimented, and Madame -Defarge knew enough of its antecedents to know better. She said, -however, that the cognac was flattered, and took up her knitting. The -visitor watched her fingers for a few moments, and took the opportunity -of observing the place in general. - -“You knit with great skill, madame.” - -“I am accustomed to it.” - -“A pretty pattern too!” - -“_You_ think so?” said madame, looking at him with a smile. - -“Decidedly. May one ask what it is for?” - -“Pastime,” said madame, still looking at him with a smile while her -fingers moved nimbly. - -“Not for use?” - -“That depends. I may find a use for it one day. If I do--Well,” said -madame, drawing a breath and nodding her head with a stern kind of -coquetry, “I'll use it!” - -It was remarkable; but, the taste of Saint Antoine seemed to be -decidedly opposed to a rose on the head-dress of Madame Defarge. Two -men had entered separately, and had been about to order drink, when, -catching sight of that novelty, they faltered, made a pretence of -looking about as if for some friend who was not there, and went away. -Nor, of those who had been there when this visitor entered, was there -one left. They had all dropped off. The spy had kept his eyes open, -but had been able to detect no sign. They had lounged away in a -poverty-stricken, purposeless, accidental manner, quite natural and -unimpeachable. - -“_John_,” thought madame, checking off her work as her fingers knitted, -and her eyes looked at the stranger. “Stay long enough, and I shall knit -'BARSAD' before you go.” - -“You have a husband, madame?” - -“I have.” - -“Children?” - -“No children.” - -“Business seems bad?” - -“Business is very bad; the people are so poor.” - -“Ah, the unfortunate, miserable people! So oppressed, too--as you say.” - -“As _you_ say,” madame retorted, correcting him, and deftly knitting an -extra something into his name that boded him no good. - -“Pardon me; certainly it was I who said so, but you naturally think so. -Of course.” - -“_I_ think?” returned madame, in a high voice. “I and my husband have -enough to do to keep this wine-shop open, without thinking. All we -think, here, is how to live. That is the subject _we_ think of, and -it gives us, from morning to night, enough to think about, without -embarrassing our heads concerning others. _I_ think for others? No, no.” - -The spy, who was there to pick up any crumbs he could find or make, did -not allow his baffled state to express itself in his sinister face; but, -stood with an air of gossiping gallantry, leaning his elbow on Madame -Defarge's little counter, and occasionally sipping his cognac. - -“A bad business this, madame, of Gaspard's execution. Ah! the poor -Gaspard!” With a sigh of great compassion. - -“My faith!” returned madame, coolly and lightly, “if people use knives -for such purposes, they have to pay for it. He knew beforehand what the -price of his luxury was; he has paid the price.” - -“I believe,” said the spy, dropping his soft voice to a tone -that invited confidence, and expressing an injured revolutionary -susceptibility in every muscle of his wicked face: “I believe there -is much compassion and anger in this neighbourhood, touching the poor -fellow? Between ourselves.” - -“Is there?” asked madame, vacantly. - -“Is there not?” - -“--Here is my husband!” said Madame Defarge. - -As the keeper of the wine-shop entered at the door, the spy saluted -him by touching his hat, and saying, with an engaging smile, “Good day, -Jacques!” Defarge stopped short, and stared at him. - -“Good day, Jacques!” the spy repeated; with not quite so much -confidence, or quite so easy a smile under the stare. - -“You deceive yourself, monsieur,” returned the keeper of the wine-shop. -“You mistake me for another. That is not my name. I am Ernest Defarge.” - -“It is all the same,” said the spy, airily, but discomfited too: “good -day!” - -“Good day!” answered Defarge, drily. - -“I was saying to madame, with whom I had the pleasure of chatting when -you entered, that they tell me there is--and no wonder!--much sympathy -and anger in Saint Antoine, touching the unhappy fate of poor Gaspard.” - -“No one has told me so,” said Defarge, shaking his head. “I know nothing -of it.” - -Having said it, he passed behind the little counter, and stood with his -hand on the back of his wife's chair, looking over that barrier at the -person to whom they were both opposed, and whom either of them would -have shot with the greatest satisfaction. - -The spy, well used to his business, did not change his unconscious -attitude, but drained his little glass of cognac, took a sip of fresh -water, and asked for another glass of cognac. Madame Defarge poured it -out for him, took to her knitting again, and hummed a little song over -it. - -“You seem to know this quarter well; that is to say, better than I do?” - observed Defarge. - -“Not at all, but I hope to know it better. I am so profoundly interested -in its miserable inhabitants.” - -“Hah!” muttered Defarge. - -“The pleasure of conversing with you, Monsieur Defarge, recalls to me,” - pursued the spy, “that I have the honour of cherishing some interesting -associations with your name.” - -“Indeed!” said Defarge, with much indifference. - -“Yes, indeed. When Doctor Manette was released, you, his old domestic, -had the charge of him, I know. He was delivered to you. You see I am -informed of the circumstances?” - -“Such is the fact, certainly,” said Defarge. He had had it conveyed -to him, in an accidental touch of his wife's elbow as she knitted and -warbled, that he would do best to answer, but always with brevity. - -“It was to you,” said the spy, “that his daughter came; and it was -from your care that his daughter took him, accompanied by a neat brown -monsieur; how is he called?--in a little wig--Lorry--of the bank of -Tellson and Company--over to England.” - -“Such is the fact,” repeated Defarge. - -“Very interesting remembrances!” said the spy. “I have known Doctor -Manette and his daughter, in England.” - -“Yes?” said Defarge. - -“You don't hear much about them now?” said the spy. - -“No,” said Defarge. - -“In effect,” madame struck in, looking up from her work and her little -song, “we never hear about them. We received the news of their safe -arrival, and perhaps another letter, or perhaps two; but, since then, -they have gradually taken their road in life--we, ours--and we have held -no correspondence.” - -“Perfectly so, madame,” replied the spy. “She is going to be married.” - -“Going?” echoed madame. “She was pretty enough to have been married long -ago. You English are cold, it seems to me.” - -“Oh! You know I am English.” - -“I perceive your tongue is,” returned madame; “and what the tongue is, I -suppose the man is.” - -He did not take the identification as a compliment; but he made the best -of it, and turned it off with a laugh. After sipping his cognac to the -end, he added: - -“Yes, Miss Manette is going to be married. But not to an Englishman; to -one who, like herself, is French by birth. And speaking of Gaspard (ah, -poor Gaspard! It was cruel, cruel!), it is a curious thing that she is -going to marry the nephew of Monsieur the Marquis, for whom Gaspard -was exalted to that height of so many feet; in other words, the present -Marquis. But he lives unknown in England, he is no Marquis there; he is -Mr. Charles Darnay. D'Aulnais is the name of his mother's family.” - -Madame Defarge knitted steadily, but the intelligence had a palpable -effect upon her husband. Do what he would, behind the little counter, -as to the striking of a light and the lighting of his pipe, he was -troubled, and his hand was not trustworthy. The spy would have been no -spy if he had failed to see it, or to record it in his mind. - -Having made, at least, this one hit, whatever it might prove to be -worth, and no customers coming in to help him to any other, Mr. Barsad -paid for what he had drunk, and took his leave: taking occasion to say, -in a genteel manner, before he departed, that he looked forward to the -pleasure of seeing Monsieur and Madame Defarge again. For some minutes -after he had emerged into the outer presence of Saint Antoine, the -husband and wife remained exactly as he had left them, lest he should -come back. - -“Can it be true,” said Defarge, in a low voice, looking down at his wife -as he stood smoking with his hand on the back of her chair: “what he has -said of Ma'amselle Manette?” - -“As he has said it,” returned madame, lifting her eyebrows a little, “it -is probably false. But it may be true.” - -“If it is--” Defarge began, and stopped. - -“If it is?” repeated his wife. - -“--And if it does come, while we live to see it triumph--I hope, for her -sake, Destiny will keep her husband out of France.” - -“Her husband's destiny,” said Madame Defarge, with her usual composure, -“will take him where he is to go, and will lead him to the end that is -to end him. That is all I know.” - -“But it is very strange--now, at least, is it not very strange”--said -Defarge, rather pleading with his wife to induce her to admit it, -“that, after all our sympathy for Monsieur her father, and herself, her -husband's name should be proscribed under your hand at this moment, by -the side of that infernal dog's who has just left us?” - -“Stranger things than that will happen when it does come,” answered -madame. “I have them both here, of a certainty; and they are both here -for their merits; that is enough.” - -She rolled up her knitting when she had said those words, and presently -took the rose out of the handkerchief that was wound about her head. -Either Saint Antoine had an instinctive sense that the objectionable -decoration was gone, or Saint Antoine was on the watch for its -disappearance; howbeit, the Saint took courage to lounge in, very -shortly afterwards, and the wine-shop recovered its habitual aspect. - -In the evening, at which season of all others Saint Antoine turned -himself inside out, and sat on door-steps and window-ledges, and came -to the corners of vile streets and courts, for a breath of air, Madame -Defarge with her work in her hand was accustomed to pass from place -to place and from group to group: a Missionary--there were many like -her--such as the world will do well never to breed again. All the women -knitted. They knitted worthless things; but, the mechanical work was a -mechanical substitute for eating and drinking; the hands moved for the -jaws and the digestive apparatus: if the bony fingers had been still, -the stomachs would have been more famine-pinched. - -But, as the fingers went, the eyes went, and the thoughts. And as Madame -Defarge moved on from group to group, all three went quicker and fiercer -among every little knot of women that she had spoken with, and left -behind. - -Her husband smoked at his door, looking after her with admiration. “A -great woman,” said he, “a strong woman, a grand woman, a frightfully -grand woman!” - -Darkness closed around, and then came the ringing of church bells and -the distant beating of the military drums in the Palace Courtyard, as -the women sat knitting, knitting. Darkness encompassed them. Another -darkness was closing in as surely, when the church bells, then ringing -pleasantly in many an airy steeple over France, should be melted into -thundering cannon; when the military drums should be beating to drown a -wretched voice, that night all potent as the voice of Power and Plenty, -Freedom and Life. So much was closing in about the women who sat -knitting, knitting, that they their very selves were closing in around -a structure yet unbuilt, where they were to sit knitting, knitting, -counting dropping heads. - - - - -XVII. One Night - - -Never did the sun go down with a brighter glory on the quiet corner in -Soho, than one memorable evening when the Doctor and his daughter sat -under the plane-tree together. Never did the moon rise with a milder -radiance over great London, than on that night when it found them still -seated under the tree, and shone upon their faces through its leaves. - -Lucie was to be married to-morrow. She had reserved this last evening -for her father, and they sat alone under the plane-tree. - -“You are happy, my dear father?” - -“Quite, my child.” - -They had said little, though they had been there a long time. When it -was yet light enough to work and read, she had neither engaged herself -in her usual work, nor had she read to him. She had employed herself in -both ways, at his side under the tree, many and many a time; but, this -time was not quite like any other, and nothing could make it so. - -“And I am very happy to-night, dear father. I am deeply happy in the -love that Heaven has so blessed--my love for Charles, and Charles's love -for me. But, if my life were not to be still consecrated to you, or -if my marriage were so arranged as that it would part us, even by -the length of a few of these streets, I should be more unhappy and -self-reproachful now than I can tell you. Even as it is--” - -Even as it was, she could not command her voice. - -In the sad moonlight, she clasped him by the neck, and laid her face -upon his breast. In the moonlight which is always sad, as the light of -the sun itself is--as the light called human life is--at its coming and -its going. - -“Dearest dear! Can you tell me, this last time, that you feel quite, -quite sure, no new affections of mine, and no new duties of mine, will -ever interpose between us? _I_ know it well, but do you know it? In your -own heart, do you feel quite certain?” - -Her father answered, with a cheerful firmness of conviction he could -scarcely have assumed, “Quite sure, my darling! More than that,” he -added, as he tenderly kissed her: “my future is far brighter, Lucie, -seen through your marriage, than it could have been--nay, than it ever -was--without it.” - -“If I could hope _that_, my father!--” - -“Believe it, love! Indeed it is so. Consider how natural and how plain -it is, my dear, that it should be so. You, devoted and young, cannot -fully appreciate the anxiety I have felt that your life should not be -wasted--” - -She moved her hand towards his lips, but he took it in his, and repeated -the word. - -“--wasted, my child--should not be wasted, struck aside from the -natural order of things--for my sake. Your unselfishness cannot entirely -comprehend how much my mind has gone on this; but, only ask yourself, -how could my happiness be perfect, while yours was incomplete?” - -“If I had never seen Charles, my father, I should have been quite happy -with you.” - -He smiled at her unconscious admission that she would have been unhappy -without Charles, having seen him; and replied: - -“My child, you did see him, and it is Charles. If it had not been -Charles, it would have been another. Or, if it had been no other, I -should have been the cause, and then the dark part of my life would have -cast its shadow beyond myself, and would have fallen on you.” - -It was the first time, except at the trial, of her ever hearing him -refer to the period of his suffering. It gave her a strange and new -sensation while his words were in her ears; and she remembered it long -afterwards. - -“See!” said the Doctor of Beauvais, raising his hand towards the moon. -“I have looked at her from my prison-window, when I could not bear her -light. I have looked at her when it has been such torture to me to think -of her shining upon what I had lost, that I have beaten my head against -my prison-walls. I have looked at her, in a state so dull and lethargic, -that I have thought of nothing but the number of horizontal lines I -could draw across her at the full, and the number of perpendicular lines -with which I could intersect them.” He added in his inward and pondering -manner, as he looked at the moon, “It was twenty either way, I remember, -and the twentieth was difficult to squeeze in.” - -The strange thrill with which she heard him go back to that time, -deepened as he dwelt upon it; but, there was nothing to shock her in -the manner of his reference. He only seemed to contrast his present -cheerfulness and felicity with the dire endurance that was over. - -“I have looked at her, speculating thousands of times upon the unborn -child from whom I had been rent. Whether it was alive. Whether it had -been born alive, or the poor mother's shock had killed it. Whether it -was a son who would some day avenge his father. (There was a time in my -imprisonment, when my desire for vengeance was unbearable.) Whether it -was a son who would never know his father's story; who might even live -to weigh the possibility of his father's having disappeared of his own -will and act. Whether it was a daughter who would grow to be a woman.” - -She drew closer to him, and kissed his cheek and his hand. - -“I have pictured my daughter, to myself, as perfectly forgetful of -me--rather, altogether ignorant of me, and unconscious of me. I have -cast up the years of her age, year after year. I have seen her married -to a man who knew nothing of my fate. I have altogether perished from -the remembrance of the living, and in the next generation my place was a -blank.” - -“My father! Even to hear that you had such thoughts of a daughter who -never existed, strikes to my heart as if I had been that child.” - -“You, Lucie? It is out of the Consolation and restoration you have -brought to me, that these remembrances arise, and pass between us and -the moon on this last night.--What did I say just now?” - -“She knew nothing of you. She cared nothing for you.” - -“So! But on other moonlight nights, when the sadness and the silence -have touched me in a different way--have affected me with something as -like a sorrowful sense of peace, as any emotion that had pain for its -foundations could--I have imagined her as coming to me in my cell, and -leading me out into the freedom beyond the fortress. I have seen her -image in the moonlight often, as I now see you; except that I never held -her in my arms; it stood between the little grated window and the door. -But, you understand that that was not the child I am speaking of?” - -“The figure was not; the--the--image; the fancy?” - -“No. That was another thing. It stood before my disturbed sense of -sight, but it never moved. The phantom that my mind pursued, was another -and more real child. Of her outward appearance I know no more than -that she was like her mother. The other had that likeness too--as you -have--but was not the same. Can you follow me, Lucie? Hardly, I think? -I doubt you must have been a solitary prisoner to understand these -perplexed distinctions.” - -His collected and calm manner could not prevent her blood from running -cold, as he thus tried to anatomise his old condition. - -“In that more peaceful state, I have imagined her, in the moonlight, -coming to me and taking me out to show me that the home of her married -life was full of her loving remembrance of her lost father. My picture -was in her room, and I was in her prayers. Her life was active, -cheerful, useful; but my poor history pervaded it all.” - -“I was that child, my father, I was not half so good, but in my love -that was I.” - -“And she showed me her children,” said the Doctor of Beauvais, “and -they had heard of me, and had been taught to pity me. When they passed -a prison of the State, they kept far from its frowning walls, and looked -up at its bars, and spoke in whispers. She could never deliver me; I -imagined that she always brought me back after showing me such things. -But then, blessed with the relief of tears, I fell upon my knees, and -blessed her.” - -“I am that child, I hope, my father. O my dear, my dear, will you bless -me as fervently to-morrow?” - -“Lucie, I recall these old troubles in the reason that I have to-night -for loving you better than words can tell, and thanking God for my great -happiness. My thoughts, when they were wildest, never rose near the -happiness that I have known with you, and that we have before us.” - -He embraced her, solemnly commended her to Heaven, and humbly thanked -Heaven for having bestowed her on him. By-and-bye, they went into the -house. - -There was no one bidden to the marriage but Mr. Lorry; there was even to -be no bridesmaid but the gaunt Miss Pross. The marriage was to make no -change in their place of residence; they had been able to extend it, -by taking to themselves the upper rooms formerly belonging to the -apocryphal invisible lodger, and they desired nothing more. - -Doctor Manette was very cheerful at the little supper. They were only -three at table, and Miss Pross made the third. He regretted that Charles -was not there; was more than half disposed to object to the loving -little plot that kept him away; and drank to him affectionately. - -So, the time came for him to bid Lucie good night, and they separated. -But, in the stillness of the third hour of the morning, Lucie came -downstairs again, and stole into his room; not free from unshaped fears, -beforehand. - -All things, however, were in their places; all was quiet; and he lay -asleep, his white hair picturesque on the untroubled pillow, and his -hands lying quiet on the coverlet. She put her needless candle in the -shadow at a distance, crept up to his bed, and put her lips to his; -then, leaned over him, and looked at him. - -Into his handsome face, the bitter waters of captivity had worn; but, he -covered up their tracks with a determination so strong, that he held the -mastery of them even in his sleep. A more remarkable face in its quiet, -resolute, and guarded struggle with an unseen assailant, was not to be -beheld in all the wide dominions of sleep, that night. - -She timidly laid her hand on his dear breast, and put up a prayer that -she might ever be as true to him as her love aspired to be, and as his -sorrows deserved. Then, she withdrew her hand, and kissed his lips once -more, and went away. So, the sunrise came, and the shadows of the leaves -of the plane-tree moved upon his face, as softly as her lips had moved -in praying for him. - - - - -XVIII. Nine Days - - -The marriage-day was shining brightly, and they were ready outside the -closed door of the Doctor's room, where he was speaking with Charles -Darnay. They were ready to go to church; the beautiful bride, Mr. -Lorry, and Miss Pross--to whom the event, through a gradual process of -reconcilement to the inevitable, would have been one of absolute bliss, -but for the yet lingering consideration that her brother Solomon should -have been the bridegroom. - -“And so,” said Mr. Lorry, who could not sufficiently admire the bride, -and who had been moving round her to take in every point of her quiet, -pretty dress; “and so it was for this, my sweet Lucie, that I brought -you across the Channel, such a baby! Lord bless me! How little I thought -what I was doing! How lightly I valued the obligation I was conferring -on my friend Mr. Charles!” - -“You didn't mean it,” remarked the matter-of-fact Miss Pross, “and -therefore how could you know it? Nonsense!” - -“Really? Well; but don't cry,” said the gentle Mr. Lorry. - -“I am not crying,” said Miss Pross; “_you_ are.” - -“I, my Pross?” (By this time, Mr. Lorry dared to be pleasant with her, -on occasion.) - -“You were, just now; I saw you do it, and I don't wonder at it. Such -a present of plate as you have made 'em, is enough to bring tears into -anybody's eyes. There's not a fork or a spoon in the collection,” said -Miss Pross, “that I didn't cry over, last night after the box came, till -I couldn't see it.” - -“I am highly gratified,” said Mr. Lorry, “though, upon my honour, I -had no intention of rendering those trifling articles of remembrance -invisible to any one. Dear me! This is an occasion that makes a man -speculate on all he has lost. Dear, dear, dear! To think that there -might have been a Mrs. Lorry, any time these fifty years almost!” - -“Not at all!” From Miss Pross. - -“You think there never might have been a Mrs. Lorry?” asked the -gentleman of that name. - -“Pooh!” rejoined Miss Pross; “you were a bachelor in your cradle.” - -“Well!” observed Mr. Lorry, beamingly adjusting his little wig, “that -seems probable, too.” - -“And you were cut out for a bachelor,” pursued Miss Pross, “before you -were put in your cradle.” - -“Then, I think,” said Mr. Lorry, “that I was very unhandsomely dealt -with, and that I ought to have had a voice in the selection of my -pattern. Enough! Now, my dear Lucie,” drawing his arm soothingly round -her waist, “I hear them moving in the next room, and Miss Pross and -I, as two formal folks of business, are anxious not to lose the final -opportunity of saying something to you that you wish to hear. You leave -your good father, my dear, in hands as earnest and as loving as your -own; he shall be taken every conceivable care of; during the next -fortnight, while you are in Warwickshire and thereabouts, even Tellson's -shall go to the wall (comparatively speaking) before him. And when, at -the fortnight's end, he comes to join you and your beloved husband, on -your other fortnight's trip in Wales, you shall say that we have sent -him to you in the best health and in the happiest frame. Now, I hear -Somebody's step coming to the door. Let me kiss my dear girl with an -old-fashioned bachelor blessing, before Somebody comes to claim his -own.” - -For a moment, he held the fair face from him to look at the -well-remembered expression on the forehead, and then laid the bright -golden hair against his little brown wig, with a genuine tenderness and -delicacy which, if such things be old-fashioned, were as old as Adam. - -The door of the Doctor's room opened, and he came out with Charles -Darnay. He was so deadly pale--which had not been the case when they -went in together--that no vestige of colour was to be seen in his face. -But, in the composure of his manner he was unaltered, except that to the -shrewd glance of Mr. Lorry it disclosed some shadowy indication that the -old air of avoidance and dread had lately passed over him, like a cold -wind. - -He gave his arm to his daughter, and took her down-stairs to the chariot -which Mr. Lorry had hired in honour of the day. The rest followed in -another carriage, and soon, in a neighbouring church, where no strange -eyes looked on, Charles Darnay and Lucie Manette were happily married. - -Besides the glancing tears that shone among the smiles of the little -group when it was done, some diamonds, very bright and sparkling, -glanced on the bride's hand, which were newly released from the -dark obscurity of one of Mr. Lorry's pockets. They returned home to -breakfast, and all went well, and in due course the golden hair that had -mingled with the poor shoemaker's white locks in the Paris garret, were -mingled with them again in the morning sunlight, on the threshold of the -door at parting. - -It was a hard parting, though it was not for long. But her father -cheered her, and said at last, gently disengaging himself from her -enfolding arms, “Take her, Charles! She is yours!” - -And her agitated hand waved to them from a chaise window, and she was -gone. - -The corner being out of the way of the idle and curious, and the -preparations having been very simple and few, the Doctor, Mr. Lorry, -and Miss Pross, were left quite alone. It was when they turned into -the welcome shade of the cool old hall, that Mr. Lorry observed a great -change to have come over the Doctor; as if the golden arm uplifted -there, had struck him a poisoned blow. - -He had naturally repressed much, and some revulsion might have been -expected in him when the occasion for repression was gone. But, it was -the old scared lost look that troubled Mr. Lorry; and through his absent -manner of clasping his head and drearily wandering away into his own -room when they got up-stairs, Mr. Lorry was reminded of Defarge the -wine-shop keeper, and the starlight ride. - -“I think,” he whispered to Miss Pross, after anxious consideration, “I -think we had best not speak to him just now, or at all disturb him. -I must look in at Tellson's; so I will go there at once and come back -presently. Then, we will take him a ride into the country, and dine -there, and all will be well.” - -It was easier for Mr. Lorry to look in at Tellson's, than to look out of -Tellson's. He was detained two hours. When he came back, he ascended the -old staircase alone, having asked no question of the servant; going thus -into the Doctor's rooms, he was stopped by a low sound of knocking. - -“Good God!” he said, with a start. “What's that?” - -Miss Pross, with a terrified face, was at his ear. “O me, O me! All is -lost!” cried she, wringing her hands. “What is to be told to Ladybird? -He doesn't know me, and is making shoes!” - -Mr. Lorry said what he could to calm her, and went himself into the -Doctor's room. The bench was turned towards the light, as it had been -when he had seen the shoemaker at his work before, and his head was bent -down, and he was very busy. - -“Doctor Manette. My dear friend, Doctor Manette!” - -The Doctor looked at him for a moment--half inquiringly, half as if he -were angry at being spoken to--and bent over his work again. - -He had laid aside his coat and waistcoat; his shirt was open at the -throat, as it used to be when he did that work; and even the old -haggard, faded surface of face had come back to him. He worked -hard--impatiently--as if in some sense of having been interrupted. - -Mr. Lorry glanced at the work in his hand, and observed that it was a -shoe of the old size and shape. He took up another that was lying by -him, and asked what it was. - -“A young lady's walking shoe,” he muttered, without looking up. “It -ought to have been finished long ago. Let it be.” - -“But, Doctor Manette. Look at me!” - -He obeyed, in the old mechanically submissive manner, without pausing in -his work. - -“You know me, my dear friend? Think again. This is not your proper -occupation. Think, dear friend!” - -Nothing would induce him to speak more. He looked up, for an instant at -a time, when he was requested to do so; but, no persuasion would extract -a word from him. He worked, and worked, and worked, in silence, and -words fell on him as they would have fallen on an echoless wall, or on -the air. The only ray of hope that Mr. Lorry could discover, was, that -he sometimes furtively looked up without being asked. In that, there -seemed a faint expression of curiosity or perplexity--as though he were -trying to reconcile some doubts in his mind. - -Two things at once impressed themselves on Mr. Lorry, as important above -all others; the first, that this must be kept secret from Lucie; -the second, that it must be kept secret from all who knew him. In -conjunction with Miss Pross, he took immediate steps towards the latter -precaution, by giving out that the Doctor was not well, and required a -few days of complete rest. In aid of the kind deception to be practised -on his daughter, Miss Pross was to write, describing his having been -called away professionally, and referring to an imaginary letter of -two or three hurried lines in his own hand, represented to have been -addressed to her by the same post. - -These measures, advisable to be taken in any case, Mr. Lorry took in -the hope of his coming to himself. If that should happen soon, he kept -another course in reserve; which was, to have a certain opinion that he -thought the best, on the Doctor's case. - -In the hope of his recovery, and of resort to this third course -being thereby rendered practicable, Mr. Lorry resolved to watch him -attentively, with as little appearance as possible of doing so. He -therefore made arrangements to absent himself from Tellson's for the -first time in his life, and took his post by the window in the same -room. - -He was not long in discovering that it was worse than useless to speak -to him, since, on being pressed, he became worried. He abandoned that -attempt on the first day, and resolved merely to keep himself always -before him, as a silent protest against the delusion into which he had -fallen, or was falling. He remained, therefore, in his seat near the -window, reading and writing, and expressing in as many pleasant and -natural ways as he could think of, that it was a free place. - -Doctor Manette took what was given him to eat and drink, and worked on, -that first day, until it was too dark to see--worked on, half an hour -after Mr. Lorry could not have seen, for his life, to read or write. -When he put his tools aside as useless, until morning, Mr. Lorry rose -and said to him: - -“Will you go out?” - -He looked down at the floor on either side of him in the old manner, -looked up in the old manner, and repeated in the old low voice: - -“Out?” - -“Yes; for a walk with me. Why not?” - -He made no effort to say why not, and said not a word more. But, Mr. -Lorry thought he saw, as he leaned forward on his bench in the dusk, -with his elbows on his knees and his head in his hands, that he was in -some misty way asking himself, “Why not?” The sagacity of the man of -business perceived an advantage here, and determined to hold it. - -Miss Pross and he divided the night into two watches, and observed him -at intervals from the adjoining room. He paced up and down for a long -time before he lay down; but, when he did finally lay himself down, he -fell asleep. In the morning, he was up betimes, and went straight to his -bench and to work. - -On this second day, Mr. Lorry saluted him cheerfully by his name, -and spoke to him on topics that had been of late familiar to them. He -returned no reply, but it was evident that he heard what was said, and -that he thought about it, however confusedly. This encouraged Mr. Lorry -to have Miss Pross in with her work, several times during the day; -at those times, they quietly spoke of Lucie, and of her father then -present, precisely in the usual manner, and as if there were nothing -amiss. This was done without any demonstrative accompaniment, not long -enough, or often enough to harass him; and it lightened Mr. Lorry's -friendly heart to believe that he looked up oftener, and that he -appeared to be stirred by some perception of inconsistencies surrounding -him. - -When it fell dark again, Mr. Lorry asked him as before: - -“Dear Doctor, will you go out?” - -As before, he repeated, “Out?” - -“Yes; for a walk with me. Why not?” - -This time, Mr. Lorry feigned to go out when he could extract no answer -from him, and, after remaining absent for an hour, returned. In the -meanwhile, the Doctor had removed to the seat in the window, and had -sat there looking down at the plane-tree; but, on Mr. Lorry's return, he -slipped away to his bench. - -The time went very slowly on, and Mr. Lorry's hope darkened, and his -heart grew heavier again, and grew yet heavier and heavier every day. -The third day came and went, the fourth, the fifth. Five days, six days, -seven days, eight days, nine days. - -With a hope ever darkening, and with a heart always growing heavier and -heavier, Mr. Lorry passed through this anxious time. The secret was -well kept, and Lucie was unconscious and happy; but he could not fail to -observe that the shoemaker, whose hand had been a little out at first, -was growing dreadfully skilful, and that he had never been so intent on -his work, and that his hands had never been so nimble and expert, as in -the dusk of the ninth evening. - - - - -XIX. An Opinion - - -Worn out by anxious watching, Mr. Lorry fell asleep at his post. On the -tenth morning of his suspense, he was startled by the shining of the sun -into the room where a heavy slumber had overtaken him when it was dark -night. - -He rubbed his eyes and roused himself; but he doubted, when he had -done so, whether he was not still asleep. For, going to the door of the -Doctor's room and looking in, he perceived that the shoemaker's bench -and tools were put aside again, and that the Doctor himself sat reading -at the window. He was in his usual morning dress, and his face (which -Mr. Lorry could distinctly see), though still very pale, was calmly -studious and attentive. - -Even when he had satisfied himself that he was awake, Mr. Lorry felt -giddily uncertain for some few moments whether the late shoemaking might -not be a disturbed dream of his own; for, did not his eyes show him his -friend before him in his accustomed clothing and aspect, and employed -as usual; and was there any sign within their range, that the change of -which he had so strong an impression had actually happened? - -It was but the inquiry of his first confusion and astonishment, the -answer being obvious. If the impression were not produced by a real -corresponding and sufficient cause, how came he, Jarvis Lorry, there? -How came he to have fallen asleep, in his clothes, on the sofa in Doctor -Manette's consulting-room, and to be debating these points outside the -Doctor's bedroom door in the early morning? - -Within a few minutes, Miss Pross stood whispering at his side. If he -had had any particle of doubt left, her talk would of necessity have -resolved it; but he was by that time clear-headed, and had none. -He advised that they should let the time go by until the regular -breakfast-hour, and should then meet the Doctor as if nothing unusual -had occurred. If he appeared to be in his customary state of mind, Mr. -Lorry would then cautiously proceed to seek direction and guidance from -the opinion he had been, in his anxiety, so anxious to obtain. - -Miss Pross, submitting herself to his judgment, the scheme was worked -out with care. Having abundance of time for his usual methodical -toilette, Mr. Lorry presented himself at the breakfast-hour in his usual -white linen, and with his usual neat leg. The Doctor was summoned in the -usual way, and came to breakfast. - -So far as it was possible to comprehend him without overstepping those -delicate and gradual approaches which Mr. Lorry felt to be the only safe -advance, he at first supposed that his daughter's marriage had taken -place yesterday. An incidental allusion, purposely thrown out, to -the day of the week, and the day of the month, set him thinking and -counting, and evidently made him uneasy. In all other respects, however, -he was so composedly himself, that Mr. Lorry determined to have the aid -he sought. And that aid was his own. - -Therefore, when the breakfast was done and cleared away, and he and the -Doctor were left together, Mr. Lorry said, feelingly: - -“My dear Manette, I am anxious to have your opinion, in confidence, on a -very curious case in which I am deeply interested; that is to say, it is -very curious to me; perhaps, to your better information it may be less -so.” - -Glancing at his hands, which were discoloured by his late work, the -Doctor looked troubled, and listened attentively. He had already glanced -at his hands more than once. - -“Doctor Manette,” said Mr. Lorry, touching him affectionately on the -arm, “the case is the case of a particularly dear friend of mine. Pray -give your mind to it, and advise me well for his sake--and above all, -for his daughter's--his daughter's, my dear Manette.” - -“If I understand,” said the Doctor, in a subdued tone, “some mental -shock--?” - -“Yes!” - -“Be explicit,” said the Doctor. “Spare no detail.” - -Mr. Lorry saw that they understood one another, and proceeded. - -“My dear Manette, it is the case of an old and a prolonged shock, -of great acuteness and severity to the affections, the feelings, -the--the--as you express it--the mind. The mind. It is the case of a -shock under which the sufferer was borne down, one cannot say for how -long, because I believe he cannot calculate the time himself, and there -are no other means of getting at it. It is the case of a shock from -which the sufferer recovered, by a process that he cannot trace -himself--as I once heard him publicly relate in a striking manner. It is -the case of a shock from which he has recovered, so completely, as to -be a highly intelligent man, capable of close application of mind, and -great exertion of body, and of constantly making fresh additions to his -stock of knowledge, which was already very large. But, unfortunately, -there has been,” he paused and took a deep breath--“a slight relapse.” - -The Doctor, in a low voice, asked, “Of how long duration?” - -“Nine days and nights.” - -“How did it show itself? I infer,” glancing at his hands again, “in the -resumption of some old pursuit connected with the shock?” - -“That is the fact.” - -“Now, did you ever see him,” asked the Doctor, distinctly and -collectedly, though in the same low voice, “engaged in that pursuit -originally?” - -“Once.” - -“And when the relapse fell on him, was he in most respects--or in all -respects--as he was then?” - -“I think in all respects.” - -“You spoke of his daughter. Does his daughter know of the relapse?” - -“No. It has been kept from her, and I hope will always be kept from her. -It is known only to myself, and to one other who may be trusted.” - -The Doctor grasped his hand, and murmured, “That was very kind. That was -very thoughtful!” Mr. Lorry grasped his hand in return, and neither of -the two spoke for a little while. - -“Now, my dear Manette,” said Mr. Lorry, at length, in his most -considerate and most affectionate way, “I am a mere man of business, -and unfit to cope with such intricate and difficult matters. I do not -possess the kind of information necessary; I do not possess the kind of -intelligence; I want guiding. There is no man in this world on whom -I could so rely for right guidance, as on you. Tell me, how does this -relapse come about? Is there danger of another? Could a repetition of it -be prevented? How should a repetition of it be treated? How does it come -about at all? What can I do for my friend? No man ever can have been -more desirous in his heart to serve a friend, than I am to serve mine, -if I knew how. - -“But I don't know how to originate, in such a case. If your sagacity, -knowledge, and experience, could put me on the right track, I might be -able to do so much; unenlightened and undirected, I can do so little. -Pray discuss it with me; pray enable me to see it a little more clearly, -and teach me how to be a little more useful.” - -Doctor Manette sat meditating after these earnest words were spoken, and -Mr. Lorry did not press him. - -“I think it probable,” said the Doctor, breaking silence with an effort, -“that the relapse you have described, my dear friend, was not quite -unforeseen by its subject.” - -“Was it dreaded by him?” Mr. Lorry ventured to ask. - -“Very much.” He said it with an involuntary shudder. - -“You have no idea how such an apprehension weighs on the sufferer's -mind, and how difficult--how almost impossible--it is, for him to force -himself to utter a word upon the topic that oppresses him.” - -“Would he,” asked Mr. Lorry, “be sensibly relieved if he could prevail -upon himself to impart that secret brooding to any one, when it is on -him?” - -“I think so. But it is, as I have told you, next to impossible. I even -believe it--in some cases--to be quite impossible.” - -“Now,” said Mr. Lorry, gently laying his hand on the Doctor's arm again, -after a short silence on both sides, “to what would you refer this -attack?” - -“I believe,” returned Doctor Manette, “that there had been a strong and -extraordinary revival of the train of thought and remembrance that -was the first cause of the malady. Some intense associations of a most -distressing nature were vividly recalled, I think. It is probable that -there had long been a dread lurking in his mind, that those associations -would be recalled--say, under certain circumstances--say, on a -particular occasion. He tried to prepare himself in vain; perhaps the -effort to prepare himself made him less able to bear it.” - -“Would he remember what took place in the relapse?” asked Mr. Lorry, -with natural hesitation. - -The Doctor looked desolately round the room, shook his head, and -answered, in a low voice, “Not at all.” - -“Now, as to the future,” hinted Mr. Lorry. - -“As to the future,” said the Doctor, recovering firmness, “I should have -great hope. As it pleased Heaven in its mercy to restore him so soon, I -should have great hope. He, yielding under the pressure of a complicated -something, long dreaded and long vaguely foreseen and contended against, -and recovering after the cloud had burst and passed, I should hope that -the worst was over.” - -“Well, well! That's good comfort. I am thankful!” said Mr. Lorry. - -“I am thankful!” repeated the Doctor, bending his head with reverence. - -“There are two other points,” said Mr. Lorry, “on which I am anxious to -be instructed. I may go on?” - -“You cannot do your friend a better service.” The Doctor gave him his -hand. - -“To the first, then. He is of a studious habit, and unusually energetic; -he applies himself with great ardour to the acquisition of professional -knowledge, to the conducting of experiments, to many things. Now, does -he do too much?” - -“I think not. It may be the character of his mind, to be always in -singular need of occupation. That may be, in part, natural to it; in -part, the result of affliction. The less it was occupied with healthy -things, the more it would be in danger of turning in the unhealthy -direction. He may have observed himself, and made the discovery.” - -“You are sure that he is not under too great a strain?” - -“I think I am quite sure of it.” - -“My dear Manette, if he were overworked now--” - -“My dear Lorry, I doubt if that could easily be. There has been a -violent stress in one direction, and it needs a counterweight.” - -“Excuse me, as a persistent man of business. Assuming for a moment, -that he _was_ overworked; it would show itself in some renewal of this -disorder?” - -“I do not think so. I do not think,” said Doctor Manette with the -firmness of self-conviction, “that anything but the one train of -association would renew it. I think that, henceforth, nothing but some -extraordinary jarring of that chord could renew it. After what has -happened, and after his recovery, I find it difficult to imagine any -such violent sounding of that string again. I trust, and I almost -believe, that the circumstances likely to renew it are exhausted.” - -He spoke with the diffidence of a man who knew how slight a thing -would overset the delicate organisation of the mind, and yet with the -confidence of a man who had slowly won his assurance out of personal -endurance and distress. It was not for his friend to abate that -confidence. He professed himself more relieved and encouraged than he -really was, and approached his second and last point. He felt it to -be the most difficult of all; but, remembering his old Sunday morning -conversation with Miss Pross, and remembering what he had seen in the -last nine days, he knew that he must face it. - -“The occupation resumed under the influence of this passing affliction -so happily recovered from,” said Mr. Lorry, clearing his throat, “we -will call--Blacksmith's work, Blacksmith's work. We will say, to put a -case and for the sake of illustration, that he had been used, in his bad -time, to work at a little forge. We will say that he was unexpectedly -found at his forge again. Is it not a pity that he should keep it by -him?” - -The Doctor shaded his forehead with his hand, and beat his foot -nervously on the ground. - -“He has always kept it by him,” said Mr. Lorry, with an anxious look at -his friend. “Now, would it not be better that he should let it go?” - -Still, the Doctor, with shaded forehead, beat his foot nervously on the -ground. - -“You do not find it easy to advise me?” said Mr. Lorry. “I quite -understand it to be a nice question. And yet I think--” And there he -shook his head, and stopped. - -“You see,” said Doctor Manette, turning to him after an uneasy pause, -“it is very hard to explain, consistently, the innermost workings -of this poor man's mind. He once yearned so frightfully for that -occupation, and it was so welcome when it came; no doubt it relieved -his pain so much, by substituting the perplexity of the fingers for -the perplexity of the brain, and by substituting, as he became more -practised, the ingenuity of the hands, for the ingenuity of the mental -torture; that he has never been able to bear the thought of putting it -quite out of his reach. Even now, when I believe he is more hopeful of -himself than he has ever been, and even speaks of himself with a kind -of confidence, the idea that he might need that old employment, and not -find it, gives him a sudden sense of terror, like that which one may -fancy strikes to the heart of a lost child.” - -He looked like his illustration, as he raised his eyes to Mr. Lorry's -face. - -“But may not--mind! I ask for information, as a plodding man of business -who only deals with such material objects as guineas, shillings, and -bank-notes--may not the retention of the thing involve the retention of -the idea? If the thing were gone, my dear Manette, might not the fear go -with it? In short, is it not a concession to the misgiving, to keep the -forge?” - -There was another silence. - -“You see, too,” said the Doctor, tremulously, “it is such an old -companion.” - -“I would not keep it,” said Mr. Lorry, shaking his head; for he gained -in firmness as he saw the Doctor disquieted. “I would recommend him to -sacrifice it. I only want your authority. I am sure it does no good. -Come! Give me your authority, like a dear good man. For his daughter's -sake, my dear Manette!” - -Very strange to see what a struggle there was within him! - -“In her name, then, let it be done; I sanction it. But, I would not take -it away while he was present. Let it be removed when he is not there; -let him miss his old companion after an absence.” - -Mr. Lorry readily engaged for that, and the conference was ended. They -passed the day in the country, and the Doctor was quite restored. On the -three following days he remained perfectly well, and on the fourteenth -day he went away to join Lucie and her husband. The precaution that -had been taken to account for his silence, Mr. Lorry had previously -explained to him, and he had written to Lucie in accordance with it, and -she had no suspicions. - -On the night of the day on which he left the house, Mr. Lorry went into -his room with a chopper, saw, chisel, and hammer, attended by Miss Pross -carrying a light. There, with closed doors, and in a mysterious and -guilty manner, Mr. Lorry hacked the shoemaker's bench to pieces, while -Miss Pross held the candle as if she were assisting at a murder--for -which, indeed, in her grimness, she was no unsuitable figure. The -burning of the body (previously reduced to pieces convenient for the -purpose) was commenced without delay in the kitchen fire; and the tools, -shoes, and leather, were buried in the garden. So wicked do destruction -and secrecy appear to honest minds, that Mr. Lorry and Miss Pross, -while engaged in the commission of their deed and in the removal of its -traces, almost felt, and almost looked, like accomplices in a horrible -crime. - - - - -XX. A Plea - - -When the newly-married pair came home, the first person who appeared, to -offer his congratulations, was Sydney Carton. They had not been at home -many hours, when he presented himself. He was not improved in habits, or -in looks, or in manner; but there was a certain rugged air of fidelity -about him, which was new to the observation of Charles Darnay. - -He watched his opportunity of taking Darnay aside into a window, and of -speaking to him when no one overheard. - -“Mr. Darnay,” said Carton, “I wish we might be friends.” - -“We are already friends, I hope.” - -“You are good enough to say so, as a fashion of speech; but, I don't -mean any fashion of speech. Indeed, when I say I wish we might be -friends, I scarcely mean quite that, either.” - -Charles Darnay--as was natural--asked him, in all good-humour and -good-fellowship, what he did mean? - -“Upon my life,” said Carton, smiling, “I find that easier to comprehend -in my own mind, than to convey to yours. However, let me try. You -remember a certain famous occasion when I was more drunk than--than -usual?” - -“I remember a certain famous occasion when you forced me to confess that -you had been drinking.” - -“I remember it too. The curse of those occasions is heavy upon me, for I -always remember them. I hope it may be taken into account one day, -when all days are at an end for me! Don't be alarmed; I am not going to -preach.” - -“I am not at all alarmed. Earnestness in you, is anything but alarming -to me.” - -“Ah!” said Carton, with a careless wave of his hand, as if he waved that -away. “On the drunken occasion in question (one of a large number, as -you know), I was insufferable about liking you, and not liking you. I -wish you would forget it.” - -“I forgot it long ago.” - -“Fashion of speech again! But, Mr. Darnay, oblivion is not so easy to -me, as you represent it to be to you. I have by no means forgotten it, -and a light answer does not help me to forget it.” - -“If it was a light answer,” returned Darnay, “I beg your forgiveness -for it. I had no other object than to turn a slight thing, which, to my -surprise, seems to trouble you too much, aside. I declare to you, on the -faith of a gentleman, that I have long dismissed it from my mind. Good -Heaven, what was there to dismiss! Have I had nothing more important to -remember, in the great service you rendered me that day?” - -“As to the great service,” said Carton, “I am bound to avow to you, when -you speak of it in that way, that it was mere professional claptrap, I -don't know that I cared what became of you, when I rendered it.--Mind! I -say when I rendered it; I am speaking of the past.” - -“You make light of the obligation,” returned Darnay, “but I will not -quarrel with _your_ light answer.” - -“Genuine truth, Mr. Darnay, trust me! I have gone aside from my purpose; -I was speaking about our being friends. Now, you know me; you know I am -incapable of all the higher and better flights of men. If you doubt it, -ask Stryver, and he'll tell you so.” - -“I prefer to form my own opinion, without the aid of his.” - -“Well! At any rate you know me as a dissolute dog, who has never done -any good, and never will.” - -“I don't know that you 'never will.'” - -“But I do, and you must take my word for it. Well! If you could endure -to have such a worthless fellow, and a fellow of such indifferent -reputation, coming and going at odd times, I should ask that I might be -permitted to come and go as a privileged person here; that I might -be regarded as an useless (and I would add, if it were not for the -resemblance I detected between you and me, an unornamental) piece of -furniture, tolerated for its old service, and taken no notice of. I -doubt if I should abuse the permission. It is a hundred to one if I -should avail myself of it four times in a year. It would satisfy me, I -dare say, to know that I had it.” - -“Will you try?” - -“That is another way of saying that I am placed on the footing I have -indicated. I thank you, Darnay. I may use that freedom with your name?” - -“I think so, Carton, by this time.” - -They shook hands upon it, and Sydney turned away. Within a minute -afterwards, he was, to all outward appearance, as unsubstantial as ever. - -When he was gone, and in the course of an evening passed with Miss -Pross, the Doctor, and Mr. Lorry, Charles Darnay made some mention of -this conversation in general terms, and spoke of Sydney Carton as a -problem of carelessness and recklessness. He spoke of him, in short, not -bitterly or meaning to bear hard upon him, but as anybody might who saw -him as he showed himself. - -He had no idea that this could dwell in the thoughts of his fair young -wife; but, when he afterwards joined her in their own rooms, he found -her waiting for him with the old pretty lifting of the forehead strongly -marked. - -“We are thoughtful to-night!” said Darnay, drawing his arm about her. - -“Yes, dearest Charles,” with her hands on his breast, and the inquiring -and attentive expression fixed upon him; “we are rather thoughtful -to-night, for we have something on our mind to-night.” - -“What is it, my Lucie?” - -“Will you promise not to press one question on me, if I beg you not to -ask it?” - -“Will I promise? What will I not promise to my Love?” - -What, indeed, with his hand putting aside the golden hair from the -cheek, and his other hand against the heart that beat for him! - -“I think, Charles, poor Mr. Carton deserves more consideration and -respect than you expressed for him to-night.” - -“Indeed, my own? Why so?” - -“That is what you are not to ask me. But I think--I know--he does.” - -“If you know it, it is enough. What would you have me do, my Life?” - -“I would ask you, dearest, to be very generous with him always, and very -lenient on his faults when he is not by. I would ask you to believe that -he has a heart he very, very seldom reveals, and that there are deep -wounds in it. My dear, I have seen it bleeding.” - -“It is a painful reflection to me,” said Charles Darnay, quite -astounded, “that I should have done him any wrong. I never thought this -of him.” - -“My husband, it is so. I fear he is not to be reclaimed; there is -scarcely a hope that anything in his character or fortunes is reparable -now. But, I am sure that he is capable of good things, gentle things, -even magnanimous things.” - -She looked so beautiful in the purity of her faith in this lost man, -that her husband could have looked at her as she was for hours. - -“And, O my dearest Love!” she urged, clinging nearer to him, laying her -head upon his breast, and raising her eyes to his, “remember how strong -we are in our happiness, and how weak he is in his misery!” - -The supplication touched him home. “I will always remember it, dear -Heart! I will remember it as long as I live.” - -He bent over the golden head, and put the rosy lips to his, and folded -her in his arms. If one forlorn wanderer then pacing the dark streets, -could have heard her innocent disclosure, and could have seen the drops -of pity kissed away by her husband from the soft blue eyes so loving of -that husband, he might have cried to the night--and the words would not -have parted from his lips for the first time-- - -“God bless her for her sweet compassion!” - - - - -XXI. Echoing Footsteps - - -A wonderful corner for echoes, it has been remarked, that corner where -the Doctor lived. Ever busily winding the golden thread which bound -her husband, and her father, and herself, and her old directress and -companion, in a life of quiet bliss, Lucie sat in the still house in -the tranquilly resounding corner, listening to the echoing footsteps of -years. - -At first, there were times, though she was a perfectly happy young wife, -when her work would slowly fall from her hands, and her eyes would be -dimmed. For, there was something coming in the echoes, something light, -afar off, and scarcely audible yet, that stirred her heart too much. -Fluttering hopes and doubts--hopes, of a love as yet unknown to her: -doubts, of her remaining upon earth, to enjoy that new delight--divided -her breast. Among the echoes then, there would arise the sound of -footsteps at her own early grave; and thoughts of the husband who would -be left so desolate, and who would mourn for her so much, swelled to her -eyes, and broke like waves. - -That time passed, and her little Lucie lay on her bosom. Then, among the -advancing echoes, there was the tread of her tiny feet and the sound of -her prattling words. Let greater echoes resound as they would, the young -mother at the cradle side could always hear those coming. They came, and -the shady house was sunny with a child's laugh, and the Divine friend of -children, to whom in her trouble she had confided hers, seemed to take -her child in his arms, as He took the child of old, and made it a sacred -joy to her. - -Ever busily winding the golden thread that bound them all together, -weaving the service of her happy influence through the tissue of all -their lives, and making it predominate nowhere, Lucie heard in the -echoes of years none but friendly and soothing sounds. Her husband's -step was strong and prosperous among them; her father's firm and equal. -Lo, Miss Pross, in harness of string, awakening the echoes, as an -unruly charger, whip-corrected, snorting and pawing the earth under the -plane-tree in the garden! - -Even when there were sounds of sorrow among the rest, they were not -harsh nor cruel. Even when golden hair, like her own, lay in a halo on a -pillow round the worn face of a little boy, and he said, with a radiant -smile, “Dear papa and mamma, I am very sorry to leave you both, and to -leave my pretty sister; but I am called, and I must go!” those were not -tears all of agony that wetted his young mother's cheek, as the spirit -departed from her embrace that had been entrusted to it. Suffer them and -forbid them not. They see my Father's face. O Father, blessed words! - -Thus, the rustling of an Angel's wings got blended with the other -echoes, and they were not wholly of earth, but had in them that breath -of Heaven. Sighs of the winds that blew over a little garden-tomb were -mingled with them also, and both were audible to Lucie, in a hushed -murmur--like the breathing of a summer sea asleep upon a sandy shore--as -the little Lucie, comically studious at the task of the morning, or -dressing a doll at her mother's footstool, chattered in the tongues of -the Two Cities that were blended in her life. - -The Echoes rarely answered to the actual tread of Sydney Carton. Some -half-dozen times a year, at most, he claimed his privilege of coming in -uninvited, and would sit among them through the evening, as he had once -done often. He never came there heated with wine. And one other thing -regarding him was whispered in the echoes, which has been whispered by -all true echoes for ages and ages. - -No man ever really loved a woman, lost her, and knew her with a -blameless though an unchanged mind, when she was a wife and a mother, -but her children had a strange sympathy with him--an instinctive -delicacy of pity for him. What fine hidden sensibilities are touched in -such a case, no echoes tell; but it is so, and it was so here. Carton -was the first stranger to whom little Lucie held out her chubby arms, -and he kept his place with her as she grew. The little boy had spoken of -him, almost at the last. “Poor Carton! Kiss him for me!” - -Mr. Stryver shouldered his way through the law, like some great engine -forcing itself through turbid water, and dragged his useful friend in -his wake, like a boat towed astern. As the boat so favoured is usually -in a rough plight, and mostly under water, so, Sydney had a swamped -life of it. But, easy and strong custom, unhappily so much easier and -stronger in him than any stimulating sense of desert or disgrace, made -it the life he was to lead; and he no more thought of emerging from his -state of lion's jackal, than any real jackal may be supposed to think of -rising to be a lion. Stryver was rich; had married a florid widow with -property and three boys, who had nothing particularly shining about them -but the straight hair of their dumpling heads. - -These three young gentlemen, Mr. Stryver, exuding patronage of the most -offensive quality from every pore, had walked before him like three -sheep to the quiet corner in Soho, and had offered as pupils to -Lucie's husband: delicately saying “Halloa! here are three lumps of -bread-and-cheese towards your matrimonial picnic, Darnay!” The polite -rejection of the three lumps of bread-and-cheese had quite bloated Mr. -Stryver with indignation, which he afterwards turned to account in the -training of the young gentlemen, by directing them to beware of the -pride of Beggars, like that tutor-fellow. He was also in the habit of -declaiming to Mrs. Stryver, over his full-bodied wine, on the arts -Mrs. Darnay had once put in practice to “catch” him, and on the -diamond-cut-diamond arts in himself, madam, which had rendered him “not -to be caught.” Some of his King's Bench familiars, who were occasionally -parties to the full-bodied wine and the lie, excused him for the -latter by saying that he had told it so often, that he believed -it himself--which is surely such an incorrigible aggravation of an -originally bad offence, as to justify any such offender's being carried -off to some suitably retired spot, and there hanged out of the way. - -These were among the echoes to which Lucie, sometimes pensive, sometimes -amused and laughing, listened in the echoing corner, until her little -daughter was six years old. How near to her heart the echoes of her -child's tread came, and those of her own dear father's, always active -and self-possessed, and those of her dear husband's, need not be told. -Nor, how the lightest echo of their united home, directed by herself -with such a wise and elegant thrift that it was more abundant than any -waste, was music to her. Nor, how there were echoes all about her, sweet -in her ears, of the many times her father had told her that he found her -more devoted to him married (if that could be) than single, and of the -many times her husband had said to her that no cares and duties seemed -to divide her love for him or her help to him, and asked her “What is -the magic secret, my darling, of your being everything to all of us, -as if there were only one of us, yet never seeming to be hurried, or to -have too much to do?” - -But, there were other echoes, from a distance, that rumbled menacingly -in the corner all through this space of time. And it was now, about -little Lucie's sixth birthday, that they began to have an awful sound, -as of a great storm in France with a dreadful sea rising. - -On a night in mid-July, one thousand seven hundred and eighty-nine, Mr. -Lorry came in late, from Tellson's, and sat himself down by Lucie and -her husband in the dark window. It was a hot, wild night, and they were -all three reminded of the old Sunday night when they had looked at the -lightning from the same place. - -“I began to think,” said Mr. Lorry, pushing his brown wig back, “that -I should have to pass the night at Tellson's. We have been so full of -business all day, that we have not known what to do first, or which way -to turn. There is such an uneasiness in Paris, that we have actually a -run of confidence upon us! Our customers over there, seem not to be able -to confide their property to us fast enough. There is positively a mania -among some of them for sending it to England.” - -“That has a bad look,” said Darnay-- - -“A bad look, you say, my dear Darnay? Yes, but we don't know what reason -there is in it. People are so unreasonable! Some of us at Tellson's are -getting old, and we really can't be troubled out of the ordinary course -without due occasion.” - -“Still,” said Darnay, “you know how gloomy and threatening the sky is.” - -“I know that, to be sure,” assented Mr. Lorry, trying to persuade -himself that his sweet temper was soured, and that he grumbled, “but I -am determined to be peevish after my long day's botheration. Where is -Manette?” - -“Here he is,” said the Doctor, entering the dark room at the moment. - -“I am quite glad you are at home; for these hurries and forebodings by -which I have been surrounded all day long, have made me nervous without -reason. You are not going out, I hope?” - -“No; I am going to play backgammon with you, if you like,” said the -Doctor. - -“I don't think I do like, if I may speak my mind. I am not fit to be -pitted against you to-night. Is the teaboard still there, Lucie? I can't -see.” - -“Of course, it has been kept for you.” - -“Thank ye, my dear. The precious child is safe in bed?” - -“And sleeping soundly.” - -“That's right; all safe and well! I don't know why anything should be -otherwise than safe and well here, thank God; but I have been so put out -all day, and I am not as young as I was! My tea, my dear! Thank ye. Now, -come and take your place in the circle, and let us sit quiet, and hear -the echoes about which you have your theory.” - -“Not a theory; it was a fancy.” - -“A fancy, then, my wise pet,” said Mr. Lorry, patting her hand. “They -are very numerous and very loud, though, are they not? Only hear them!” - -Headlong, mad, and dangerous footsteps to force their way into anybody's -life, footsteps not easily made clean again if once stained red, the -footsteps raging in Saint Antoine afar off, as the little circle sat in -the dark London window. - -Saint Antoine had been, that morning, a vast dusky mass of scarecrows -heaving to and fro, with frequent gleams of light above the billowy -heads, where steel blades and bayonets shone in the sun. A tremendous -roar arose from the throat of Saint Antoine, and a forest of naked arms -struggled in the air like shrivelled branches of trees in a winter wind: -all the fingers convulsively clutching at every weapon or semblance of a -weapon that was thrown up from the depths below, no matter how far off. - -Who gave them out, whence they last came, where they began, through what -agency they crookedly quivered and jerked, scores at a time, over the -heads of the crowd, like a kind of lightning, no eye in the throng could -have told; but, muskets were being distributed--so were cartridges, -powder, and ball, bars of iron and wood, knives, axes, pikes, every -weapon that distracted ingenuity could discover or devise. People who -could lay hold of nothing else, set themselves with bleeding hands to -force stones and bricks out of their places in walls. Every pulse and -heart in Saint Antoine was on high-fever strain and at high-fever heat. -Every living creature there held life as of no account, and was demented -with a passionate readiness to sacrifice it. - -As a whirlpool of boiling waters has a centre point, so, all this raging -circled round Defarge's wine-shop, and every human drop in the caldron -had a tendency to be sucked towards the vortex where Defarge himself, -already begrimed with gunpowder and sweat, issued orders, issued arms, -thrust this man back, dragged this man forward, disarmed one to arm -another, laboured and strove in the thickest of the uproar. - -“Keep near to me, Jacques Three,” cried Defarge; “and do you, Jacques -One and Two, separate and put yourselves at the head of as many of these -patriots as you can. Where is my wife?” - -“Eh, well! Here you see me!” said madame, composed as ever, but not -knitting to-day. Madame's resolute right hand was occupied with an axe, -in place of the usual softer implements, and in her girdle were a pistol -and a cruel knife. - -“Where do you go, my wife?” - -“I go,” said madame, “with you at present. You shall see me at the head -of women, by-and-bye.” - -“Come, then!” cried Defarge, in a resounding voice. “Patriots and -friends, we are ready! The Bastille!” - -With a roar that sounded as if all the breath in France had been shaped -into the detested word, the living sea rose, wave on wave, depth on -depth, and overflowed the city to that point. Alarm-bells ringing, drums -beating, the sea raging and thundering on its new beach, the attack -began. - -Deep ditches, double drawbridge, massive stone walls, eight great -towers, cannon, muskets, fire and smoke. Through the fire and through -the smoke--in the fire and in the smoke, for the sea cast him up against -a cannon, and on the instant he became a cannonier--Defarge of the -wine-shop worked like a manful soldier, Two fierce hours. - -Deep ditch, single drawbridge, massive stone walls, eight great towers, -cannon, muskets, fire and smoke. One drawbridge down! “Work, comrades -all, work! Work, Jacques One, Jacques Two, Jacques One Thousand, Jacques -Two Thousand, Jacques Five-and-Twenty Thousand; in the name of all -the Angels or the Devils--which you prefer--work!” Thus Defarge of the -wine-shop, still at his gun, which had long grown hot. - -“To me, women!” cried madame his wife. “What! We can kill as well as -the men when the place is taken!” And to her, with a shrill thirsty -cry, trooping women variously armed, but all armed alike in hunger and -revenge. - -Cannon, muskets, fire and smoke; but, still the deep ditch, the single -drawbridge, the massive stone walls, and the eight great towers. Slight -displacements of the raging sea, made by the falling wounded. Flashing -weapons, blazing torches, smoking waggonloads of wet straw, hard work -at neighbouring barricades in all directions, shrieks, volleys, -execrations, bravery without stint, boom smash and rattle, and the -furious sounding of the living sea; but, still the deep ditch, and the -single drawbridge, and the massive stone walls, and the eight great -towers, and still Defarge of the wine-shop at his gun, grown doubly hot -by the service of Four fierce hours. - -A white flag from within the fortress, and a parley--this dimly -perceptible through the raging storm, nothing audible in it--suddenly -the sea rose immeasurably wider and higher, and swept Defarge of the -wine-shop over the lowered drawbridge, past the massive stone outer -walls, in among the eight great towers surrendered! - -So resistless was the force of the ocean bearing him on, that even to -draw his breath or turn his head was as impracticable as if he had been -struggling in the surf at the South Sea, until he was landed in the -outer courtyard of the Bastille. There, against an angle of a wall, he -made a struggle to look about him. Jacques Three was nearly at his side; -Madame Defarge, still heading some of her women, was visible in the -inner distance, and her knife was in her hand. Everywhere was tumult, -exultation, deafening and maniacal bewilderment, astounding noise, yet -furious dumb-show. - -“The Prisoners!” - -“The Records!” - -“The secret cells!” - -“The instruments of torture!” - -“The Prisoners!” - -Of all these cries, and ten thousand incoherences, “The Prisoners!” was -the cry most taken up by the sea that rushed in, as if there were an -eternity of people, as well as of time and space. When the foremost -billows rolled past, bearing the prison officers with them, and -threatening them all with instant death if any secret nook remained -undisclosed, Defarge laid his strong hand on the breast of one of -these men--a man with a grey head, who had a lighted torch in his -hand--separated him from the rest, and got him between himself and the -wall. - -“Show me the North Tower!” said Defarge. “Quick!” - -“I will faithfully,” replied the man, “if you will come with me. But -there is no one there.” - -“What is the meaning of One Hundred and Five, North Tower?” asked -Defarge. “Quick!” - -“The meaning, monsieur?” - -“Does it mean a captive, or a place of captivity? Or do you mean that I -shall strike you dead?” - -“Kill him!” croaked Jacques Three, who had come close up. - -“Monsieur, it is a cell.” - -“Show it me!” - -“Pass this way, then.” - -Jacques Three, with his usual craving on him, and evidently disappointed -by the dialogue taking a turn that did not seem to promise bloodshed, -held by Defarge's arm as he held by the turnkey's. Their three heads had -been close together during this brief discourse, and it had been as much -as they could do to hear one another, even then: so tremendous was the -noise of the living ocean, in its irruption into the Fortress, and -its inundation of the courts and passages and staircases. All around -outside, too, it beat the walls with a deep, hoarse roar, from which, -occasionally, some partial shouts of tumult broke and leaped into the -air like spray. - -Through gloomy vaults where the light of day had never shone, past -hideous doors of dark dens and cages, down cavernous flights of steps, -and again up steep rugged ascents of stone and brick, more like dry -waterfalls than staircases, Defarge, the turnkey, and Jacques Three, -linked hand and arm, went with all the speed they could make. Here and -there, especially at first, the inundation started on them and swept by; -but when they had done descending, and were winding and climbing up a -tower, they were alone. Hemmed in here by the massive thickness of walls -and arches, the storm within the fortress and without was only audible -to them in a dull, subdued way, as if the noise out of which they had -come had almost destroyed their sense of hearing. - -The turnkey stopped at a low door, put a key in a clashing lock, swung -the door slowly open, and said, as they all bent their heads and passed -in: - -“One hundred and five, North Tower!” - -There was a small, heavily-grated, unglazed window high in the wall, -with a stone screen before it, so that the sky could be only seen by -stooping low and looking up. There was a small chimney, heavily barred -across, a few feet within. There was a heap of old feathery wood-ashes -on the hearth. There was a stool, and table, and a straw bed. There were -the four blackened walls, and a rusted iron ring in one of them. - -“Pass that torch slowly along these walls, that I may see them,” said -Defarge to the turnkey. - -The man obeyed, and Defarge followed the light closely with his eyes. - -“Stop!--Look here, Jacques!” - -“A. M.!” croaked Jacques Three, as he read greedily. - -“Alexandre Manette,” said Defarge in his ear, following the letters -with his swart forefinger, deeply engrained with gunpowder. “And here he -wrote 'a poor physician.' And it was he, without doubt, who scratched -a calendar on this stone. What is that in your hand? A crowbar? Give it -me!” - -He had still the linstock of his gun in his own hand. He made a sudden -exchange of the two instruments, and turning on the worm-eaten stool and -table, beat them to pieces in a few blows. - -“Hold the light higher!” he said, wrathfully, to the turnkey. “Look -among those fragments with care, Jacques. And see! Here is my knife,” - throwing it to him; “rip open that bed, and search the straw. Hold the -light higher, you!” - -With a menacing look at the turnkey he crawled upon the hearth, and, -peering up the chimney, struck and prised at its sides with the crowbar, -and worked at the iron grating across it. In a few minutes, some mortar -and dust came dropping down, which he averted his face to avoid; and -in it, and in the old wood-ashes, and in a crevice in the chimney -into which his weapon had slipped or wrought itself, he groped with a -cautious touch. - -“Nothing in the wood, and nothing in the straw, Jacques?” - -“Nothing.” - -“Let us collect them together, in the middle of the cell. So! Light -them, you!” - -The turnkey fired the little pile, which blazed high and hot. Stooping -again to come out at the low-arched door, they left it burning, and -retraced their way to the courtyard; seeming to recover their sense -of hearing as they came down, until they were in the raging flood once -more. - -They found it surging and tossing, in quest of Defarge himself. Saint -Antoine was clamorous to have its wine-shop keeper foremost in the guard -upon the governor who had defended the Bastille and shot the people. -Otherwise, the governor would not be marched to the Hotel de Ville for -judgment. Otherwise, the governor would escape, and the people's -blood (suddenly of some value, after many years of worthlessness) be -unavenged. - -In the howling universe of passion and contention that seemed to -encompass this grim old officer conspicuous in his grey coat and red -decoration, there was but one quite steady figure, and that was a -woman's. “See, there is my husband!” she cried, pointing him out. -“See Defarge!” She stood immovable close to the grim old officer, and -remained immovable close to him; remained immovable close to him through -the streets, as Defarge and the rest bore him along; remained immovable -close to him when he was got near his destination, and began to -be struck at from behind; remained immovable close to him when the -long-gathering rain of stabs and blows fell heavy; was so close to him -when he dropped dead under it, that, suddenly animated, she put her foot -upon his neck, and with her cruel knife--long ready--hewed off his head. - -The hour was come, when Saint Antoine was to execute his horrible idea -of hoisting up men for lamps to show what he could be and do. Saint -Antoine's blood was up, and the blood of tyranny and domination by the -iron hand was down--down on the steps of the Hotel de Ville where the -governor's body lay--down on the sole of the shoe of Madame Defarge -where she had trodden on the body to steady it for mutilation. “Lower -the lamp yonder!” cried Saint Antoine, after glaring round for a new -means of death; “here is one of his soldiers to be left on guard!” The -swinging sentinel was posted, and the sea rushed on. - -The sea of black and threatening waters, and of destructive upheaving -of wave against wave, whose depths were yet unfathomed and whose forces -were yet unknown. The remorseless sea of turbulently swaying shapes, -voices of vengeance, and faces hardened in the furnaces of suffering -until the touch of pity could make no mark on them. - -But, in the ocean of faces where every fierce and furious expression was -in vivid life, there were two groups of faces--each seven in number--so -fixedly contrasting with the rest, that never did sea roll which bore -more memorable wrecks with it. Seven faces of prisoners, suddenly -released by the storm that had burst their tomb, were carried high -overhead: all scared, all lost, all wondering and amazed, as if the Last -Day were come, and those who rejoiced around them were lost spirits. -Other seven faces there were, carried higher, seven dead faces, whose -drooping eyelids and half-seen eyes awaited the Last Day. Impassive -faces, yet with a suspended--not an abolished--expression on them; -faces, rather, in a fearful pause, as having yet to raise the dropped -lids of the eyes, and bear witness with the bloodless lips, “THOU DIDST -IT!” - -Seven prisoners released, seven gory heads on pikes, the keys of the -accursed fortress of the eight strong towers, some discovered letters -and other memorials of prisoners of old time, long dead of broken -hearts,--such, and such--like, the loudly echoing footsteps of Saint -Antoine escort through the Paris streets in mid-July, one thousand seven -hundred and eighty-nine. Now, Heaven defeat the fancy of Lucie Darnay, -and keep these feet far out of her life! For, they are headlong, mad, -and dangerous; and in the years so long after the breaking of the cask -at Defarge's wine-shop door, they are not easily purified when once -stained red. - - - - -XXII. The Sea Still Rises - - -Haggard Saint Antoine had had only one exultant week, in which to soften -his modicum of hard and bitter bread to such extent as he could, with -the relish of fraternal embraces and congratulations, when Madame -Defarge sat at her counter, as usual, presiding over the customers. -Madame Defarge wore no rose in her head, for the great brotherhood of -Spies had become, even in one short week, extremely chary of trusting -themselves to the saint's mercies. The lamps across his streets had a -portentously elastic swing with them. - -Madame Defarge, with her arms folded, sat in the morning light and heat, -contemplating the wine-shop and the street. In both, there were several -knots of loungers, squalid and miserable, but now with a manifest sense -of power enthroned on their distress. The raggedest nightcap, awry on -the wretchedest head, had this crooked significance in it: “I know how -hard it has grown for me, the wearer of this, to support life in myself; -but do you know how easy it has grown for me, the wearer of this, to -destroy life in you?” Every lean bare arm, that had been without work -before, had this work always ready for it now, that it could strike. -The fingers of the knitting women were vicious, with the experience that -they could tear. There was a change in the appearance of Saint Antoine; -the image had been hammering into this for hundreds of years, and the -last finishing blows had told mightily on the expression. - -Madame Defarge sat observing it, with such suppressed approval as was -to be desired in the leader of the Saint Antoine women. One of her -sisterhood knitted beside her. The short, rather plump wife of a starved -grocer, and the mother of two children withal, this lieutenant had -already earned the complimentary name of The Vengeance. - -“Hark!” said The Vengeance. “Listen, then! Who comes?” - -As if a train of powder laid from the outermost bound of Saint Antoine -Quarter to the wine-shop door, had been suddenly fired, a fast-spreading -murmur came rushing along. - -“It is Defarge,” said madame. “Silence, patriots!” - -Defarge came in breathless, pulled off a red cap he wore, and looked -around him! “Listen, everywhere!” said madame again. “Listen to him!” - Defarge stood, panting, against a background of eager eyes and open -mouths, formed outside the door; all those within the wine-shop had -sprung to their feet. - -“Say then, my husband. What is it?” - -“News from the other world!” - -“How, then?” cried madame, contemptuously. “The other world?” - -“Does everybody here recall old Foulon, who told the famished people -that they might eat grass, and who died, and went to Hell?” - -“Everybody!” from all throats. - -“The news is of him. He is among us!” - -“Among us!” from the universal throat again. “And dead?” - -“Not dead! He feared us so much--and with reason--that he caused himself -to be represented as dead, and had a grand mock-funeral. But they have -found him alive, hiding in the country, and have brought him in. I have -seen him but now, on his way to the Hotel de Ville, a prisoner. I have -said that he had reason to fear us. Say all! _Had_ he reason?” - -Wretched old sinner of more than threescore years and ten, if he had -never known it yet, he would have known it in his heart of hearts if he -could have heard the answering cry. - -A moment of profound silence followed. Defarge and his wife looked -steadfastly at one another. The Vengeance stooped, and the jar of a drum -was heard as she moved it at her feet behind the counter. - -“Patriots!” said Defarge, in a determined voice, “are we ready?” - -Instantly Madame Defarge's knife was in her girdle; the drum was beating -in the streets, as if it and a drummer had flown together by magic; and -The Vengeance, uttering terrific shrieks, and flinging her arms about -her head like all the forty Furies at once, was tearing from house to -house, rousing the women. - -The men were terrible, in the bloody-minded anger with which they looked -from windows, caught up what arms they had, and came pouring down into -the streets; but, the women were a sight to chill the boldest. From -such household occupations as their bare poverty yielded, from their -children, from their aged and their sick crouching on the bare ground -famished and naked, they ran out with streaming hair, urging one -another, and themselves, to madness with the wildest cries and actions. -Villain Foulon taken, my sister! Old Foulon taken, my mother! Miscreant -Foulon taken, my daughter! Then, a score of others ran into the midst of -these, beating their breasts, tearing their hair, and screaming, Foulon -alive! Foulon who told the starving people they might eat grass! Foulon -who told my old father that he might eat grass, when I had no bread -to give him! Foulon who told my baby it might suck grass, when these -breasts were dry with want! O mother of God, this Foulon! O Heaven our -suffering! Hear me, my dead baby and my withered father: I swear on my -knees, on these stones, to avenge you on Foulon! Husbands, and brothers, -and young men, Give us the blood of Foulon, Give us the head of Foulon, -Give us the heart of Foulon, Give us the body and soul of Foulon, Rend -Foulon to pieces, and dig him into the ground, that grass may grow from -him! With these cries, numbers of the women, lashed into blind frenzy, -whirled about, striking and tearing at their own friends until they -dropped into a passionate swoon, and were only saved by the men -belonging to them from being trampled under foot. - -Nevertheless, not a moment was lost; not a moment! This Foulon was at -the Hotel de Ville, and might be loosed. Never, if Saint Antoine knew -his own sufferings, insults, and wrongs! Armed men and women flocked out -of the Quarter so fast, and drew even these last dregs after them with -such a force of suction, that within a quarter of an hour there was not -a human creature in Saint Antoine's bosom but a few old crones and the -wailing children. - -No. They were all by that time choking the Hall of Examination where -this old man, ugly and wicked, was, and overflowing into the adjacent -open space and streets. The Defarges, husband and wife, The Vengeance, -and Jacques Three, were in the first press, and at no great distance -from him in the Hall. - -“See!” cried madame, pointing with her knife. “See the old villain bound -with ropes. That was well done to tie a bunch of grass upon his back. -Ha, ha! That was well done. Let him eat it now!” Madame put her knife -under her arm, and clapped her hands as at a play. - -The people immediately behind Madame Defarge, explaining the cause of -her satisfaction to those behind them, and those again explaining to -others, and those to others, the neighbouring streets resounded with the -clapping of hands. Similarly, during two or three hours of drawl, -and the winnowing of many bushels of words, Madame Defarge's frequent -expressions of impatience were taken up, with marvellous quickness, at -a distance: the more readily, because certain men who had by some -wonderful exercise of agility climbed up the external architecture -to look in from the windows, knew Madame Defarge well, and acted as a -telegraph between her and the crowd outside the building. - -At length the sun rose so high that it struck a kindly ray as of hope or -protection, directly down upon the old prisoner's head. The favour was -too much to bear; in an instant the barrier of dust and chaff that had -stood surprisingly long, went to the winds, and Saint Antoine had got -him! - -It was known directly, to the furthest confines of the crowd. Defarge -had but sprung over a railing and a table, and folded the miserable -wretch in a deadly embrace--Madame Defarge had but followed and turned -her hand in one of the ropes with which he was tied--The Vengeance and -Jacques Three were not yet up with them, and the men at the windows -had not yet swooped into the Hall, like birds of prey from their high -perches--when the cry seemed to go up, all over the city, “Bring him -out! Bring him to the lamp!” - -Down, and up, and head foremost on the steps of the building; now, on -his knees; now, on his feet; now, on his back; dragged, and struck at, -and stifled by the bunches of grass and straw that were thrust into his -face by hundreds of hands; torn, bruised, panting, bleeding, yet always -entreating and beseeching for mercy; now full of vehement agony of -action, with a small clear space about him as the people drew one -another back that they might see; now, a log of dead wood drawn through -a forest of legs; he was hauled to the nearest street corner where one -of the fatal lamps swung, and there Madame Defarge let him go--as a cat -might have done to a mouse--and silently and composedly looked at him -while they made ready, and while he besought her: the women passionately -screeching at him all the time, and the men sternly calling out to have -him killed with grass in his mouth. Once, he went aloft, and the rope -broke, and they caught him shrieking; twice, he went aloft, and the rope -broke, and they caught him shrieking; then, the rope was merciful, and -held him, and his head was soon upon a pike, with grass enough in the -mouth for all Saint Antoine to dance at the sight of. - -Nor was this the end of the day's bad work, for Saint Antoine so shouted -and danced his angry blood up, that it boiled again, on hearing when -the day closed in that the son-in-law of the despatched, another of the -people's enemies and insulters, was coming into Paris under a guard -five hundred strong, in cavalry alone. Saint Antoine wrote his crimes -on flaring sheets of paper, seized him--would have torn him out of the -breast of an army to bear Foulon company--set his head and heart on -pikes, and carried the three spoils of the day, in Wolf-procession -through the streets. - -Not before dark night did the men and women come back to the children, -wailing and breadless. Then, the miserable bakers' shops were beset by -long files of them, patiently waiting to buy bad bread; and while -they waited with stomachs faint and empty, they beguiled the time by -embracing one another on the triumphs of the day, and achieving them -again in gossip. Gradually, these strings of ragged people shortened and -frayed away; and then poor lights began to shine in high windows, and -slender fires were made in the streets, at which neighbours cooked in -common, afterwards supping at their doors. - -Scanty and insufficient suppers those, and innocent of meat, as of -most other sauce to wretched bread. Yet, human fellowship infused -some nourishment into the flinty viands, and struck some sparks of -cheerfulness out of them. Fathers and mothers who had had their full -share in the worst of the day, played gently with their meagre children; -and lovers, with such a world around them and before them, loved and -hoped. - -It was almost morning, when Defarge's wine-shop parted with its last -knot of customers, and Monsieur Defarge said to madame his wife, in -husky tones, while fastening the door: - -“At last it is come, my dear!” - -“Eh well!” returned madame. “Almost.” - -Saint Antoine slept, the Defarges slept: even The Vengeance slept with -her starved grocer, and the drum was at rest. The drum's was the -only voice in Saint Antoine that blood and hurry had not changed. The -Vengeance, as custodian of the drum, could have wakened him up and had -the same speech out of him as before the Bastille fell, or old Foulon -was seized; not so with the hoarse tones of the men and women in Saint -Antoine's bosom. - - - - -XXIII. Fire Rises - - -There was a change on the village where the fountain fell, and where -the mender of roads went forth daily to hammer out of the stones on the -highway such morsels of bread as might serve for patches to hold his -poor ignorant soul and his poor reduced body together. The prison on the -crag was not so dominant as of yore; there were soldiers to guard it, -but not many; there were officers to guard the soldiers, but not one of -them knew what his men would do--beyond this: that it would probably not -be what he was ordered. - -Far and wide lay a ruined country, yielding nothing but desolation. -Every green leaf, every blade of grass and blade of grain, was as -shrivelled and poor as the miserable people. Everything was bowed down, -dejected, oppressed, and broken. Habitations, fences, domesticated -animals, men, women, children, and the soil that bore them--all worn -out. - -Monseigneur (often a most worthy individual gentleman) was a national -blessing, gave a chivalrous tone to things, was a polite example of -luxurious and shining life, and a great deal more to equal purpose; -nevertheless, Monseigneur as a class had, somehow or other, brought -things to this. Strange that Creation, designed expressly for -Monseigneur, should be so soon wrung dry and squeezed out! There must -be something short-sighted in the eternal arrangements, surely! Thus it -was, however; and the last drop of blood having been extracted from the -flints, and the last screw of the rack having been turned so often that -its purchase crumbled, and it now turned and turned with nothing -to bite, Monseigneur began to run away from a phenomenon so low and -unaccountable. - -But, this was not the change on the village, and on many a village like -it. For scores of years gone by, Monseigneur had squeezed it and wrung -it, and had seldom graced it with his presence except for the pleasures -of the chase--now, found in hunting the people; now, found in hunting -the beasts, for whose preservation Monseigneur made edifying spaces -of barbarous and barren wilderness. No. The change consisted in -the appearance of strange faces of low caste, rather than in the -disappearance of the high caste, chiselled, and otherwise beautified and -beautifying features of Monseigneur. - -For, in these times, as the mender of roads worked, solitary, in the -dust, not often troubling himself to reflect that dust he was and -to dust he must return, being for the most part too much occupied in -thinking how little he had for supper and how much more he would eat if -he had it--in these times, as he raised his eyes from his lonely labour, -and viewed the prospect, he would see some rough figure approaching on -foot, the like of which was once a rarity in those parts, but was now -a frequent presence. As it advanced, the mender of roads would discern -without surprise, that it was a shaggy-haired man, of almost barbarian -aspect, tall, in wooden shoes that were clumsy even to the eyes of a -mender of roads, grim, rough, swart, steeped in the mud and dust of many -highways, dank with the marshy moisture of many low grounds, sprinkled -with the thorns and leaves and moss of many byways through woods. - -Such a man came upon him, like a ghost, at noon in the July weather, -as he sat on his heap of stones under a bank, taking such shelter as he -could get from a shower of hail. - -The man looked at him, looked at the village in the hollow, at the mill, -and at the prison on the crag. When he had identified these objects -in what benighted mind he had, he said, in a dialect that was just -intelligible: - -“How goes it, Jacques?” - -“All well, Jacques.” - -“Touch then!” - -They joined hands, and the man sat down on the heap of stones. - -“No dinner?” - -“Nothing but supper now,” said the mender of roads, with a hungry face. - -“It is the fashion,” growled the man. “I meet no dinner anywhere.” - -He took out a blackened pipe, filled it, lighted it with flint and -steel, pulled at it until it was in a bright glow: then, suddenly held -it from him and dropped something into it from between his finger and -thumb, that blazed and went out in a puff of smoke. - -“Touch then.” It was the turn of the mender of roads to say it this -time, after observing these operations. They again joined hands. - -“To-night?” said the mender of roads. - -“To-night,” said the man, putting the pipe in his mouth. - -“Where?” - -“Here.” - -He and the mender of roads sat on the heap of stones looking silently at -one another, with the hail driving in between them like a pigmy charge -of bayonets, until the sky began to clear over the village. - -“Show me!” said the traveller then, moving to the brow of the hill. - -“See!” returned the mender of roads, with extended finger. “You go down -here, and straight through the street, and past the fountain--” - -“To the Devil with all that!” interrupted the other, rolling his eye -over the landscape. “_I_ go through no streets and past no fountains. -Well?” - -“Well! About two leagues beyond the summit of that hill above the -village.” - -“Good. When do you cease to work?” - -“At sunset.” - -“Will you wake me, before departing? I have walked two nights without -resting. Let me finish my pipe, and I shall sleep like a child. Will you -wake me?” - -“Surely.” - -The wayfarer smoked his pipe out, put it in his breast, slipped off his -great wooden shoes, and lay down on his back on the heap of stones. He -was fast asleep directly. - -As the road-mender plied his dusty labour, and the hail-clouds, rolling -away, revealed bright bars and streaks of sky which were responded to -by silver gleams upon the landscape, the little man (who wore a red cap -now, in place of his blue one) seemed fascinated by the figure on the -heap of stones. His eyes were so often turned towards it, that he used -his tools mechanically, and, one would have said, to very poor account. -The bronze face, the shaggy black hair and beard, the coarse woollen -red cap, the rough medley dress of home-spun stuff and hairy skins of -beasts, the powerful frame attenuated by spare living, and the sullen -and desperate compression of the lips in sleep, inspired the mender -of roads with awe. The traveller had travelled far, and his feet were -footsore, and his ankles chafed and bleeding; his great shoes, stuffed -with leaves and grass, had been heavy to drag over the many long -leagues, and his clothes were chafed into holes, as he himself was into -sores. Stooping down beside him, the road-mender tried to get a peep at -secret weapons in his breast or where not; but, in vain, for he slept -with his arms crossed upon him, and set as resolutely as his lips. -Fortified towns with their stockades, guard-houses, gates, trenches, and -drawbridges, seemed to the mender of roads, to be so much air as against -this figure. And when he lifted his eyes from it to the horizon and -looked around, he saw in his small fancy similar figures, stopped by no -obstacle, tending to centres all over France. - -The man slept on, indifferent to showers of hail and intervals of -brightness, to sunshine on his face and shadow, to the paltering lumps -of dull ice on his body and the diamonds into which the sun changed -them, until the sun was low in the west, and the sky was glowing. Then, -the mender of roads having got his tools together and all things ready -to go down into the village, roused him. - -“Good!” said the sleeper, rising on his elbow. “Two leagues beyond the -summit of the hill?” - -“About.” - -“About. Good!” - -The mender of roads went home, with the dust going on before him -according to the set of the wind, and was soon at the fountain, -squeezing himself in among the lean kine brought there to drink, and -appearing even to whisper to them in his whispering to all the village. -When the village had taken its poor supper, it did not creep to bed, -as it usually did, but came out of doors again, and remained there. A -curious contagion of whispering was upon it, and also, when it gathered -together at the fountain in the dark, another curious contagion of -looking expectantly at the sky in one direction only. Monsieur Gabelle, -chief functionary of the place, became uneasy; went out on his house-top -alone, and looked in that direction too; glanced down from behind his -chimneys at the darkening faces by the fountain below, and sent word to -the sacristan who kept the keys of the church, that there might be need -to ring the tocsin by-and-bye. - -The night deepened. The trees environing the old chateau, keeping its -solitary state apart, moved in a rising wind, as though they threatened -the pile of building massive and dark in the gloom. Up the two terrace -flights of steps the rain ran wildly, and beat at the great door, like a -swift messenger rousing those within; uneasy rushes of wind went through -the hall, among the old spears and knives, and passed lamenting up the -stairs, and shook the curtains of the bed where the last Marquis -had slept. East, West, North, and South, through the woods, four -heavy-treading, unkempt figures crushed the high grass and cracked the -branches, striding on cautiously to come together in the courtyard. Four -lights broke out there, and moved away in different directions, and all -was black again. - -But, not for long. Presently, the chateau began to make itself strangely -visible by some light of its own, as though it were growing luminous. -Then, a flickering streak played behind the architecture of the front, -picking out transparent places, and showing where balustrades, arches, -and windows were. Then it soared higher, and grew broader and brighter. -Soon, from a score of the great windows, flames burst forth, and the -stone faces awakened, stared out of fire. - -A faint murmur arose about the house from the few people who were left -there, and there was a saddling of a horse and riding away. There was -spurring and splashing through the darkness, and bridle was drawn in the -space by the village fountain, and the horse in a foam stood at Monsieur -Gabelle's door. “Help, Gabelle! Help, every one!” The tocsin rang -impatiently, but other help (if that were any) there was none. The -mender of roads, and two hundred and fifty particular friends, stood -with folded arms at the fountain, looking at the pillar of fire in the -sky. “It must be forty feet high,” said they, grimly; and never moved. - -The rider from the chateau, and the horse in a foam, clattered away -through the village, and galloped up the stony steep, to the prison on -the crag. At the gate, a group of officers were looking at the fire; -removed from them, a group of soldiers. “Help, gentlemen--officers! The -chateau is on fire; valuable objects may be saved from the flames by -timely aid! Help, help!” The officers looked towards the soldiers who -looked at the fire; gave no orders; and answered, with shrugs and biting -of lips, “It must burn.” - -As the rider rattled down the hill again and through the street, the -village was illuminating. The mender of roads, and the two hundred and -fifty particular friends, inspired as one man and woman by the idea of -lighting up, had darted into their houses, and were putting candles in -every dull little pane of glass. The general scarcity of everything, -occasioned candles to be borrowed in a rather peremptory manner of -Monsieur Gabelle; and in a moment of reluctance and hesitation on -that functionary's part, the mender of roads, once so submissive to -authority, had remarked that carriages were good to make bonfires with, -and that post-horses would roast. - -The chateau was left to itself to flame and burn. In the roaring and -raging of the conflagration, a red-hot wind, driving straight from the -infernal regions, seemed to be blowing the edifice away. With the rising -and falling of the blaze, the stone faces showed as if they were in -torment. When great masses of stone and timber fell, the face with the -two dints in the nose became obscured: anon struggled out of the smoke -again, as if it were the face of the cruel Marquis, burning at the stake -and contending with the fire. - -The chateau burned; the nearest trees, laid hold of by the fire, -scorched and shrivelled; trees at a distance, fired by the four fierce -figures, begirt the blazing edifice with a new forest of smoke. Molten -lead and iron boiled in the marble basin of the fountain; the water ran -dry; the extinguisher tops of the towers vanished like ice before the -heat, and trickled down into four rugged wells of flame. Great rents and -splits branched out in the solid walls, like crystallisation; stupefied -birds wheeled about and dropped into the furnace; four fierce figures -trudged away, East, West, North, and South, along the night-enshrouded -roads, guided by the beacon they had lighted, towards their next -destination. The illuminated village had seized hold of the tocsin, and, -abolishing the lawful ringer, rang for joy. - -Not only that; but the village, light-headed with famine, fire, and -bell-ringing, and bethinking itself that Monsieur Gabelle had to do with -the collection of rent and taxes--though it was but a small instalment -of taxes, and no rent at all, that Gabelle had got in those latter -days--became impatient for an interview with him, and, surrounding his -house, summoned him to come forth for personal conference. Whereupon, -Monsieur Gabelle did heavily bar his door, and retire to hold counsel -with himself. The result of that conference was, that Gabelle again -withdrew himself to his housetop behind his stack of chimneys; this time -resolved, if his door were broken in (he was a small Southern man -of retaliative temperament), to pitch himself head foremost over the -parapet, and crush a man or two below. - -Probably, Monsieur Gabelle passed a long night up there, with the -distant chateau for fire and candle, and the beating at his door, -combined with the joy-ringing, for music; not to mention his having an -ill-omened lamp slung across the road before his posting-house gate, -which the village showed a lively inclination to displace in his favour. -A trying suspense, to be passing a whole summer night on the brink of -the black ocean, ready to take that plunge into it upon which Monsieur -Gabelle had resolved! But, the friendly dawn appearing at last, and the -rush-candles of the village guttering out, the people happily dispersed, -and Monsieur Gabelle came down bringing his life with him for that -while. - -Within a hundred miles, and in the light of other fires, there were -other functionaries less fortunate, that night and other nights, whom -the rising sun found hanging across once-peaceful streets, where they -had been born and bred; also, there were other villagers and townspeople -less fortunate than the mender of roads and his fellows, upon whom the -functionaries and soldiery turned with success, and whom they strung up -in their turn. But, the fierce figures were steadily wending East, West, -North, and South, be that as it would; and whosoever hung, fire burned. -The altitude of the gallows that would turn to water and quench it, -no functionary, by any stretch of mathematics, was able to calculate -successfully. - - - - -XXIV. Drawn to the Loadstone Rock - - -In such risings of fire and risings of sea--the firm earth shaken by -the rushes of an angry ocean which had now no ebb, but was always on the -flow, higher and higher, to the terror and wonder of the beholders on -the shore--three years of tempest were consumed. Three more birthdays -of little Lucie had been woven by the golden thread into the peaceful -tissue of the life of her home. - -Many a night and many a day had its inmates listened to the echoes in -the corner, with hearts that failed them when they heard the thronging -feet. For, the footsteps had become to their minds as the footsteps of -a people, tumultuous under a red flag and with their country declared in -danger, changed into wild beasts, by terrible enchantment long persisted -in. - -Monseigneur, as a class, had dissociated himself from the phenomenon of -his not being appreciated: of his being so little wanted in France, as -to incur considerable danger of receiving his dismissal from it, and -this life together. Like the fabled rustic who raised the Devil with -infinite pains, and was so terrified at the sight of him that he could -ask the Enemy no question, but immediately fled; so, Monseigneur, after -boldly reading the Lord's Prayer backwards for a great number of years, -and performing many other potent spells for compelling the Evil One, no -sooner beheld him in his terrors than he took to his noble heels. - -The shining Bull's Eye of the Court was gone, or it would have been the -mark for a hurricane of national bullets. It had never been a good -eye to see with--had long had the mote in it of Lucifer's pride, -Sardanapalus's luxury, and a mole's blindness--but it had dropped -out and was gone. The Court, from that exclusive inner circle to its -outermost rotten ring of intrigue, corruption, and dissimulation, was -all gone together. Royalty was gone; had been besieged in its Palace and -“suspended,” when the last tidings came over. - -The August of the year one thousand seven hundred and ninety-two was -come, and Monseigneur was by this time scattered far and wide. - -As was natural, the head-quarters and great gathering-place of -Monseigneur, in London, was Tellson's Bank. Spirits are supposed to -haunt the places where their bodies most resorted, and Monseigneur -without a guinea haunted the spot where his guineas used to be. -Moreover, it was the spot to which such French intelligence as was most -to be relied upon, came quickest. Again: Tellson's was a munificent -house, and extended great liberality to old customers who had fallen -from their high estate. Again: those nobles who had seen the coming -storm in time, and anticipating plunder or confiscation, had made -provident remittances to Tellson's, were always to be heard of there -by their needy brethren. To which it must be added that every new-comer -from France reported himself and his tidings at Tellson's, almost as -a matter of course. For such variety of reasons, Tellson's was at that -time, as to French intelligence, a kind of High Exchange; and this -was so well known to the public, and the inquiries made there were in -consequence so numerous, that Tellson's sometimes wrote the latest news -out in a line or so and posted it in the Bank windows, for all who ran -through Temple Bar to read. - -On a steaming, misty afternoon, Mr. Lorry sat at his desk, and Charles -Darnay stood leaning on it, talking with him in a low voice. The -penitential den once set apart for interviews with the House, was now -the news-Exchange, and was filled to overflowing. It was within half an -hour or so of the time of closing. - -“But, although you are the youngest man that ever lived,” said Charles -Darnay, rather hesitating, “I must still suggest to you--” - -“I understand. That I am too old?” said Mr. Lorry. - -“Unsettled weather, a long journey, uncertain means of travelling, a -disorganised country, a city that may not be even safe for you.” - -“My dear Charles,” said Mr. Lorry, with cheerful confidence, “you touch -some of the reasons for my going: not for my staying away. It is safe -enough for me; nobody will care to interfere with an old fellow of hard -upon fourscore when there are so many people there much better worth -interfering with. As to its being a disorganised city, if it were not a -disorganised city there would be no occasion to send somebody from our -House here to our House there, who knows the city and the business, of -old, and is in Tellson's confidence. As to the uncertain travelling, the -long journey, and the winter weather, if I were not prepared to submit -myself to a few inconveniences for the sake of Tellson's, after all -these years, who ought to be?” - -“I wish I were going myself,” said Charles Darnay, somewhat restlessly, -and like one thinking aloud. - -“Indeed! You are a pretty fellow to object and advise!” exclaimed Mr. -Lorry. “You wish you were going yourself? And you a Frenchman born? You -are a wise counsellor.” - -“My dear Mr. Lorry, it is because I am a Frenchman born, that the -thought (which I did not mean to utter here, however) has passed through -my mind often. One cannot help thinking, having had some sympathy for -the miserable people, and having abandoned something to them,” he spoke -here in his former thoughtful manner, “that one might be listened to, -and might have the power to persuade to some restraint. Only last night, -after you had left us, when I was talking to Lucie--” - -“When you were talking to Lucie,” Mr. Lorry repeated. “Yes. I wonder you -are not ashamed to mention the name of Lucie! Wishing you were going to -France at this time of day!” - -“However, I am not going,” said Charles Darnay, with a smile. “It is -more to the purpose that you say you are.” - -“And I am, in plain reality. The truth is, my dear Charles,” Mr. Lorry -glanced at the distant House, and lowered his voice, “you can have no -conception of the difficulty with which our business is transacted, and -of the peril in which our books and papers over yonder are involved. The -Lord above knows what the compromising consequences would be to numbers -of people, if some of our documents were seized or destroyed; and they -might be, at any time, you know, for who can say that Paris is not set -afire to-day, or sacked to-morrow! Now, a judicious selection from these -with the least possible delay, and the burying of them, or otherwise -getting of them out of harm's way, is within the power (without loss of -precious time) of scarcely any one but myself, if any one. And shall -I hang back, when Tellson's knows this and says this--Tellson's, whose -bread I have eaten these sixty years--because I am a little stiff about -the joints? Why, I am a boy, sir, to half a dozen old codgers here!” - -“How I admire the gallantry of your youthful spirit, Mr. Lorry.” - -“Tut! Nonsense, sir!--And, my dear Charles,” said Mr. Lorry, glancing at -the House again, “you are to remember, that getting things out of -Paris at this present time, no matter what things, is next to an -impossibility. Papers and precious matters were this very day brought -to us here (I speak in strict confidence; it is not business-like to -whisper it, even to you), by the strangest bearers you can imagine, -every one of whom had his head hanging on by a single hair as he passed -the Barriers. At another time, our parcels would come and go, as easily -as in business-like Old England; but now, everything is stopped.” - -“And do you really go to-night?” - -“I really go to-night, for the case has become too pressing to admit of -delay.” - -“And do you take no one with you?” - -“All sorts of people have been proposed to me, but I will have nothing -to say to any of them. I intend to take Jerry. Jerry has been my -bodyguard on Sunday nights for a long time past and I am used to him. -Nobody will suspect Jerry of being anything but an English bull-dog, or -of having any design in his head but to fly at anybody who touches his -master.” - -“I must say again that I heartily admire your gallantry and -youthfulness.” - -“I must say again, nonsense, nonsense! When I have executed this little -commission, I shall, perhaps, accept Tellson's proposal to retire and -live at my ease. Time enough, then, to think about growing old.” - -This dialogue had taken place at Mr. Lorry's usual desk, with -Monseigneur swarming within a yard or two of it, boastful of what he -would do to avenge himself on the rascal-people before long. It was too -much the way of Monseigneur under his reverses as a refugee, and it -was much too much the way of native British orthodoxy, to talk of this -terrible Revolution as if it were the only harvest ever known under -the skies that had not been sown--as if nothing had ever been done, or -omitted to be done, that had led to it--as if observers of the wretched -millions in France, and of the misused and perverted resources that -should have made them prosperous, had not seen it inevitably coming, -years before, and had not in plain words recorded what they saw. Such -vapouring, combined with the extravagant plots of Monseigneur for the -restoration of a state of things that had utterly exhausted itself, -and worn out Heaven and earth as well as itself, was hard to be endured -without some remonstrance by any sane man who knew the truth. And it was -such vapouring all about his ears, like a troublesome confusion of blood -in his own head, added to a latent uneasiness in his mind, which had -already made Charles Darnay restless, and which still kept him so. - -Among the talkers, was Stryver, of the King's Bench Bar, far on his -way to state promotion, and, therefore, loud on the theme: broaching -to Monseigneur, his devices for blowing the people up and exterminating -them from the face of the earth, and doing without them: and for -accomplishing many similar objects akin in their nature to the abolition -of eagles by sprinkling salt on the tails of the race. Him, Darnay heard -with a particular feeling of objection; and Darnay stood divided between -going away that he might hear no more, and remaining to interpose his -word, when the thing that was to be, went on to shape itself out. - -The House approached Mr. Lorry, and laying a soiled and unopened letter -before him, asked if he had yet discovered any traces of the person to -whom it was addressed? The House laid the letter down so close to Darnay -that he saw the direction--the more quickly because it was his own right -name. The address, turned into English, ran: - -“Very pressing. To Monsieur heretofore the Marquis St. Evremonde, of -France. Confided to the cares of Messrs. Tellson and Co., Bankers, -London, England.” - -On the marriage morning, Doctor Manette had made it his one urgent and -express request to Charles Darnay, that the secret of this name should -be--unless he, the Doctor, dissolved the obligation--kept inviolate -between them. Nobody else knew it to be his name; his own wife had no -suspicion of the fact; Mr. Lorry could have none. - -“No,” said Mr. Lorry, in reply to the House; “I have referred it, -I think, to everybody now here, and no one can tell me where this -gentleman is to be found.” - -The hands of the clock verging upon the hour of closing the Bank, there -was a general set of the current of talkers past Mr. Lorry's desk. He -held the letter out inquiringly; and Monseigneur looked at it, in the -person of this plotting and indignant refugee; and Monseigneur looked at -it in the person of that plotting and indignant refugee; and This, That, -and The Other, all had something disparaging to say, in French or in -English, concerning the Marquis who was not to be found. - -“Nephew, I believe--but in any case degenerate successor--of the -polished Marquis who was murdered,” said one. “Happy to say, I never -knew him.” - -“A craven who abandoned his post,” said another--this Monseigneur had -been got out of Paris, legs uppermost and half suffocated, in a load of -hay--“some years ago.” - -“Infected with the new doctrines,” said a third, eyeing the direction -through his glass in passing; “set himself in opposition to the last -Marquis, abandoned the estates when he inherited them, and left them to -the ruffian herd. They will recompense him now, I hope, as he deserves.” - -“Hey?” cried the blatant Stryver. “Did he though? Is that the sort of -fellow? Let us look at his infamous name. D--n the fellow!” - -Darnay, unable to restrain himself any longer, touched Mr. Stryver on -the shoulder, and said: - -“I know the fellow.” - -“Do you, by Jupiter?” said Stryver. “I am sorry for it.” - -“Why?” - -“Why, Mr. Darnay? D'ye hear what he did? Don't ask, why, in these -times.” - -“But I do ask why?” - -“Then I tell you again, Mr. Darnay, I am sorry for it. I am sorry to -hear you putting any such extraordinary questions. Here is a fellow, -who, infected by the most pestilent and blasphemous code of devilry that -ever was known, abandoned his property to the vilest scum of the earth -that ever did murder by wholesale, and you ask me why I am sorry that a -man who instructs youth knows him? Well, but I'll answer you. I am sorry -because I believe there is contamination in such a scoundrel. That's -why.” - -Mindful of the secret, Darnay with great difficulty checked himself, and -said: “You may not understand the gentleman.” - -“I understand how to put _you_ in a corner, Mr. Darnay,” said Bully -Stryver, “and I'll do it. If this fellow is a gentleman, I _don't_ -understand him. You may tell him so, with my compliments. You may also -tell him, from me, that after abandoning his worldly goods and position -to this butcherly mob, I wonder he is not at the head of them. But, no, -gentlemen,” said Stryver, looking all round, and snapping his fingers, -“I know something of human nature, and I tell you that you'll never -find a fellow like this fellow, trusting himself to the mercies of such -precious _protégés_. No, gentlemen; he'll always show 'em a clean pair -of heels very early in the scuffle, and sneak away.” - -With those words, and a final snap of his fingers, Mr. Stryver -shouldered himself into Fleet-street, amidst the general approbation of -his hearers. Mr. Lorry and Charles Darnay were left alone at the desk, -in the general departure from the Bank. - -“Will you take charge of the letter?” said Mr. Lorry. “You know where to -deliver it?” - -“I do.” - -“Will you undertake to explain, that we suppose it to have been -addressed here, on the chance of our knowing where to forward it, and -that it has been here some time?” - -“I will do so. Do you start for Paris from here?” - -“From here, at eight.” - -“I will come back, to see you off.” - -Very ill at ease with himself, and with Stryver and most other men, -Darnay made the best of his way into the quiet of the Temple, opened the -letter, and read it. These were its contents: - - -“Prison of the Abbaye, Paris. - -“June 21, 1792. “MONSIEUR HERETOFORE THE MARQUIS. - -“After having long been in danger of my life at the hands of the -village, I have been seized, with great violence and indignity, and -brought a long journey on foot to Paris. On the road I have suffered a -great deal. Nor is that all; my house has been destroyed--razed to the -ground. - -“The crime for which I am imprisoned, Monsieur heretofore the Marquis, -and for which I shall be summoned before the tribunal, and shall lose my -life (without your so generous help), is, they tell me, treason against -the majesty of the people, in that I have acted against them for an -emigrant. It is in vain I represent that I have acted for them, and not -against, according to your commands. It is in vain I represent that, -before the sequestration of emigrant property, I had remitted the -imposts they had ceased to pay; that I had collected no rent; that I had -had recourse to no process. The only response is, that I have acted for -an emigrant, and where is that emigrant? - -“Ah! most gracious Monsieur heretofore the Marquis, where is that -emigrant? I cry in my sleep where is he? I demand of Heaven, will he -not come to deliver me? No answer. Ah Monsieur heretofore the Marquis, -I send my desolate cry across the sea, hoping it may perhaps reach your -ears through the great bank of Tilson known at Paris! - -“For the love of Heaven, of justice, of generosity, of the honour of -your noble name, I supplicate you, Monsieur heretofore the Marquis, to -succour and release me. My fault is, that I have been true to you. Oh -Monsieur heretofore the Marquis, I pray you be you true to me! - -“From this prison here of horror, whence I every hour tend nearer and -nearer to destruction, I send you, Monsieur heretofore the Marquis, the -assurance of my dolorous and unhappy service. - -“Your afflicted, - -“Gabelle.” - - -The latent uneasiness in Darnay's mind was roused to vigourous life -by this letter. The peril of an old servant and a good one, whose -only crime was fidelity to himself and his family, stared him so -reproachfully in the face, that, as he walked to and fro in the Temple -considering what to do, he almost hid his face from the passersby. - -He knew very well, that in his horror of the deed which had culminated -the bad deeds and bad reputation of the old family house, in his -resentful suspicions of his uncle, and in the aversion with which his -conscience regarded the crumbling fabric that he was supposed to uphold, -he had acted imperfectly. He knew very well, that in his love for Lucie, -his renunciation of his social place, though by no means new to his own -mind, had been hurried and incomplete. He knew that he ought to have -systematically worked it out and supervised it, and that he had meant to -do it, and that it had never been done. - -The happiness of his own chosen English home, the necessity of being -always actively employed, the swift changes and troubles of the time -which had followed on one another so fast, that the events of this week -annihilated the immature plans of last week, and the events of the week -following made all new again; he knew very well, that to the force of -these circumstances he had yielded:--not without disquiet, but still -without continuous and accumulating resistance. That he had watched -the times for a time of action, and that they had shifted and struggled -until the time had gone by, and the nobility were trooping from -France by every highway and byway, and their property was in course of -confiscation and destruction, and their very names were blotting out, -was as well known to himself as it could be to any new authority in -France that might impeach him for it. - -But, he had oppressed no man, he had imprisoned no man; he was so -far from having harshly exacted payment of his dues, that he had -relinquished them of his own will, thrown himself on a world with no -favour in it, won his own private place there, and earned his own -bread. Monsieur Gabelle had held the impoverished and involved estate -on written instructions, to spare the people, to give them what little -there was to give--such fuel as the heavy creditors would let them have -in the winter, and such produce as could be saved from the same grip in -the summer--and no doubt he had put the fact in plea and proof, for his -own safety, so that it could not but appear now. - -This favoured the desperate resolution Charles Darnay had begun to make, -that he would go to Paris. - -Yes. Like the mariner in the old story, the winds and streams had driven -him within the influence of the Loadstone Rock, and it was drawing him -to itself, and he must go. Everything that arose before his mind drifted -him on, faster and faster, more and more steadily, to the terrible -attraction. His latent uneasiness had been, that bad aims were being -worked out in his own unhappy land by bad instruments, and that he who -could not fail to know that he was better than they, was not there, -trying to do something to stay bloodshed, and assert the claims of mercy -and humanity. With this uneasiness half stifled, and half reproaching -him, he had been brought to the pointed comparison of himself with the -brave old gentleman in whom duty was so strong; upon that comparison -(injurious to himself) had instantly followed the sneers of Monseigneur, -which had stung him bitterly, and those of Stryver, which above all were -coarse and galling, for old reasons. Upon those, had followed Gabelle's -letter: the appeal of an innocent prisoner, in danger of death, to his -justice, honour, and good name. - -His resolution was made. He must go to Paris. - -Yes. The Loadstone Rock was drawing him, and he must sail on, until he -struck. He knew of no rock; he saw hardly any danger. The intention -with which he had done what he had done, even although he had left -it incomplete, presented it before him in an aspect that would be -gratefully acknowledged in France on his presenting himself to assert -it. Then, that glorious vision of doing good, which is so often the -sanguine mirage of so many good minds, arose before him, and he even -saw himself in the illusion with some influence to guide this raging -Revolution that was running so fearfully wild. - -As he walked to and fro with his resolution made, he considered that -neither Lucie nor her father must know of it until he was gone. -Lucie should be spared the pain of separation; and her father, always -reluctant to turn his thoughts towards the dangerous ground of old, -should come to the knowledge of the step, as a step taken, and not in -the balance of suspense and doubt. How much of the incompleteness of his -situation was referable to her father, through the painful anxiety -to avoid reviving old associations of France in his mind, he did not -discuss with himself. But, that circumstance too, had had its influence -in his course. - -He walked to and fro, with thoughts very busy, until it was time to -return to Tellson's and take leave of Mr. Lorry. As soon as he arrived -in Paris he would present himself to this old friend, but he must say -nothing of his intention now. - -A carriage with post-horses was ready at the Bank door, and Jerry was -booted and equipped. - -“I have delivered that letter,” said Charles Darnay to Mr. Lorry. “I -would not consent to your being charged with any written answer, but -perhaps you will take a verbal one?” - -“That I will, and readily,” said Mr. Lorry, “if it is not dangerous.” - -“Not at all. Though it is to a prisoner in the Abbaye.” - -“What is his name?” said Mr. Lorry, with his open pocket-book in his -hand. - -“Gabelle.” - -“Gabelle. And what is the message to the unfortunate Gabelle in prison?” - -“Simply, 'that he has received the letter, and will come.'” - -“Any time mentioned?” - -“He will start upon his journey to-morrow night.” - -“Any person mentioned?” - -“No.” - -He helped Mr. Lorry to wrap himself in a number of coats and cloaks, -and went out with him from the warm atmosphere of the old Bank, into the -misty air of Fleet-street. “My love to Lucie, and to little Lucie,” said -Mr. Lorry at parting, “and take precious care of them till I come back.” - Charles Darnay shook his head and doubtfully smiled, as the carriage -rolled away. - -That night--it was the fourteenth of August--he sat up late, and wrote -two fervent letters; one was to Lucie, explaining the strong obligation -he was under to go to Paris, and showing her, at length, the reasons -that he had, for feeling confident that he could become involved in no -personal danger there; the other was to the Doctor, confiding Lucie and -their dear child to his care, and dwelling on the same topics with the -strongest assurances. To both, he wrote that he would despatch letters -in proof of his safety, immediately after his arrival. - -It was a hard day, that day of being among them, with the first -reservation of their joint lives on his mind. It was a hard matter to -preserve the innocent deceit of which they were profoundly unsuspicious. -But, an affectionate glance at his wife, so happy and busy, made him -resolute not to tell her what impended (he had been half moved to do it, -so strange it was to him to act in anything without her quiet aid), and -the day passed quickly. Early in the evening he embraced her, and her -scarcely less dear namesake, pretending that he would return by-and-bye -(an imaginary engagement took him out, and he had secreted a valise -of clothes ready), and so he emerged into the heavy mist of the heavy -streets, with a heavier heart. - -The unseen force was drawing him fast to itself, now, and all the tides -and winds were setting straight and strong towards it. He left his -two letters with a trusty porter, to be delivered half an hour before -midnight, and no sooner; took horse for Dover; and began his journey. -“For the love of Heaven, of justice, of generosity, of the honour of -your noble name!” was the poor prisoner's cry with which he strengthened -his sinking heart, as he left all that was dear on earth behind him, and -floated away for the Loadstone Rock. - - -The end of the second book. - - - - - -Book the Third--the Track of a Storm - - - - -I. In Secret - - -The traveller fared slowly on his way, who fared towards Paris from -England in the autumn of the year one thousand seven hundred and -ninety-two. More than enough of bad roads, bad equipages, and bad -horses, he would have encountered to delay him, though the fallen and -unfortunate King of France had been upon his throne in all his glory; -but, the changed times were fraught with other obstacles than -these. Every town-gate and village taxing-house had its band of -citizen-patriots, with their national muskets in a most explosive state -of readiness, who stopped all comers and goers, cross-questioned them, -inspected their papers, looked for their names in lists of their own, -turned them back, or sent them on, or stopped them and laid them in -hold, as their capricious judgment or fancy deemed best for the dawning -Republic One and Indivisible, of Liberty, Equality, Fraternity, or -Death. - -A very few French leagues of his journey were accomplished, when Charles -Darnay began to perceive that for him along these country roads there -was no hope of return until he should have been declared a good citizen -at Paris. Whatever might befall now, he must on to his journey's end. -Not a mean village closed upon him, not a common barrier dropped across -the road behind him, but he knew it to be another iron door in -the series that was barred between him and England. The universal -watchfulness so encompassed him, that if he had been taken in a net, -or were being forwarded to his destination in a cage, he could not have -felt his freedom more completely gone. - -This universal watchfulness not only stopped him on the highway twenty -times in a stage, but retarded his progress twenty times in a day, by -riding after him and taking him back, riding before him and stopping him -by anticipation, riding with him and keeping him in charge. He had been -days upon his journey in France alone, when he went to bed tired out, in -a little town on the high road, still a long way from Paris. - -Nothing but the production of the afflicted Gabelle's letter from his -prison of the Abbaye would have got him on so far. His difficulty at the -guard-house in this small place had been such, that he felt his journey -to have come to a crisis. And he was, therefore, as little surprised as -a man could be, to find himself awakened at the small inn to which he -had been remitted until morning, in the middle of the night. - -Awakened by a timid local functionary and three armed patriots in rough -red caps and with pipes in their mouths, who sat down on the bed. - -“Emigrant,” said the functionary, “I am going to send you on to Paris, -under an escort.” - -“Citizen, I desire nothing more than to get to Paris, though I could -dispense with the escort.” - -“Silence!” growled a red-cap, striking at the coverlet with the butt-end -of his musket. “Peace, aristocrat!” - -“It is as the good patriot says,” observed the timid functionary. “You -are an aristocrat, and must have an escort--and must pay for it.” - -“I have no choice,” said Charles Darnay. - -“Choice! Listen to him!” cried the same scowling red-cap. “As if it was -not a favour to be protected from the lamp-iron!” - -“It is always as the good patriot says,” observed the functionary. “Rise -and dress yourself, emigrant.” - -Darnay complied, and was taken back to the guard-house, where other -patriots in rough red caps were smoking, drinking, and sleeping, by -a watch-fire. Here he paid a heavy price for his escort, and hence he -started with it on the wet, wet roads at three o'clock in the morning. - -The escort were two mounted patriots in red caps and tri-coloured -cockades, armed with national muskets and sabres, who rode one on either -side of him. - -The escorted governed his own horse, but a loose line was attached to -his bridle, the end of which one of the patriots kept girded round his -wrist. In this state they set forth with the sharp rain driving in their -faces: clattering at a heavy dragoon trot over the uneven town pavement, -and out upon the mire-deep roads. In this state they traversed without -change, except of horses and pace, all the mire-deep leagues that lay -between them and the capital. - -They travelled in the night, halting an hour or two after daybreak, and -lying by until the twilight fell. The escort were so wretchedly clothed, -that they twisted straw round their bare legs, and thatched their ragged -shoulders to keep the wet off. Apart from the personal discomfort of -being so attended, and apart from such considerations of present danger -as arose from one of the patriots being chronically drunk, and carrying -his musket very recklessly, Charles Darnay did not allow the restraint -that was laid upon him to awaken any serious fears in his breast; for, -he reasoned with himself that it could have no reference to the merits -of an individual case that was not yet stated, and of representations, -confirmable by the prisoner in the Abbaye, that were not yet made. - -But when they came to the town of Beauvais--which they did at eventide, -when the streets were filled with people--he could not conceal from -himself that the aspect of affairs was very alarming. An ominous crowd -gathered to see him dismount of the posting-yard, and many voices called -out loudly, “Down with the emigrant!” - -He stopped in the act of swinging himself out of his saddle, and, -resuming it as his safest place, said: - -“Emigrant, my friends! Do you not see me here, in France, of my own -will?” - -“You are a cursed emigrant,” cried a farrier, making at him in a -furious manner through the press, hammer in hand; “and you are a cursed -aristocrat!” - -The postmaster interposed himself between this man and the rider's -bridle (at which he was evidently making), and soothingly said, “Let him -be; let him be! He will be judged at Paris.” - -“Judged!” repeated the farrier, swinging his hammer. “Ay! and condemned -as a traitor.” At this the crowd roared approval. - -Checking the postmaster, who was for turning his horse's head to the -yard (the drunken patriot sat composedly in his saddle looking on, with -the line round his wrist), Darnay said, as soon as he could make his -voice heard: - -“Friends, you deceive yourselves, or you are deceived. I am not a -traitor.” - -“He lies!” cried the smith. “He is a traitor since the decree. His life -is forfeit to the people. His cursed life is not his own!” - -At the instant when Darnay saw a rush in the eyes of the crowd, which -another instant would have brought upon him, the postmaster turned his -horse into the yard, the escort rode in close upon his horse's flanks, -and the postmaster shut and barred the crazy double gates. The farrier -struck a blow upon them with his hammer, and the crowd groaned; but, no -more was done. - -“What is this decree that the smith spoke of?” Darnay asked the -postmaster, when he had thanked him, and stood beside him in the yard. - -“Truly, a decree for selling the property of emigrants.” - -“When passed?” - -“On the fourteenth.” - -“The day I left England!” - -“Everybody says it is but one of several, and that there will be -others--if there are not already--banishing all emigrants, and -condemning all to death who return. That is what he meant when he said -your life was not your own.” - -“But there are no such decrees yet?” - -“What do I know!” said the postmaster, shrugging his shoulders; “there -may be, or there will be. It is all the same. What would you have?” - -They rested on some straw in a loft until the middle of the night, and -then rode forward again when all the town was asleep. Among the many -wild changes observable on familiar things which made this wild ride -unreal, not the least was the seeming rarity of sleep. After long and -lonely spurring over dreary roads, they would come to a cluster of poor -cottages, not steeped in darkness, but all glittering with lights, and -would find the people, in a ghostly manner in the dead of the night, -circling hand in hand round a shrivelled tree of Liberty, or all drawn -up together singing a Liberty song. Happily, however, there was sleep in -Beauvais that night to help them out of it and they passed on once more -into solitude and loneliness: jingling through the untimely cold and -wet, among impoverished fields that had yielded no fruits of the earth -that year, diversified by the blackened remains of burnt houses, and by -the sudden emergence from ambuscade, and sharp reining up across their -way, of patriot patrols on the watch on all the roads. - -Daylight at last found them before the wall of Paris. The barrier was -closed and strongly guarded when they rode up to it. - -“Where are the papers of this prisoner?” demanded a resolute-looking man -in authority, who was summoned out by the guard. - -Naturally struck by the disagreeable word, Charles Darnay requested the -speaker to take notice that he was a free traveller and French citizen, -in charge of an escort which the disturbed state of the country had -imposed upon him, and which he had paid for. - -“Where,” repeated the same personage, without taking any heed of him -whatever, “are the papers of this prisoner?” - -The drunken patriot had them in his cap, and produced them. Casting his -eyes over Gabelle's letter, the same personage in authority showed some -disorder and surprise, and looked at Darnay with a close attention. - -He left escort and escorted without saying a word, however, and went -into the guard-room; meanwhile, they sat upon their horses outside the -gate. Looking about him while in this state of suspense, Charles -Darnay observed that the gate was held by a mixed guard of soldiers and -patriots, the latter far outnumbering the former; and that while ingress -into the city for peasants' carts bringing in supplies, and for similar -traffic and traffickers, was easy enough, egress, even for the homeliest -people, was very difficult. A numerous medley of men and women, not -to mention beasts and vehicles of various sorts, was waiting to issue -forth; but, the previous identification was so strict, that they -filtered through the barrier very slowly. Some of these people knew -their turn for examination to be so far off, that they lay down on the -ground to sleep or smoke, while others talked together, or loitered -about. The red cap and tri-colour cockade were universal, both among men -and women. - -When he had sat in his saddle some half-hour, taking note of these -things, Darnay found himself confronted by the same man in authority, -who directed the guard to open the barrier. Then he delivered to the -escort, drunk and sober, a receipt for the escorted, and requested him -to dismount. He did so, and the two patriots, leading his tired horse, -turned and rode away without entering the city. - -He accompanied his conductor into a guard-room, smelling of common wine -and tobacco, where certain soldiers and patriots, asleep and awake, -drunk and sober, and in various neutral states between sleeping and -waking, drunkenness and sobriety, were standing and lying about. The -light in the guard-house, half derived from the waning oil-lamps of -the night, and half from the overcast day, was in a correspondingly -uncertain condition. Some registers were lying open on a desk, and an -officer of a coarse, dark aspect, presided over these. - -“Citizen Defarge,” said he to Darnay's conductor, as he took a slip of -paper to write on. “Is this the emigrant Evremonde?” - -“This is the man.” - -“Your age, Evremonde?” - -“Thirty-seven.” - -“Married, Evremonde?” - -“Yes.” - -“Where married?” - -“In England.” - -“Without doubt. Where is your wife, Evremonde?” - -“In England.” - -“Without doubt. You are consigned, Evremonde, to the prison of La -Force.” - -“Just Heaven!” exclaimed Darnay. “Under what law, and for what offence?” - -The officer looked up from his slip of paper for a moment. - -“We have new laws, Evremonde, and new offences, since you were here.” He -said it with a hard smile, and went on writing. - -“I entreat you to observe that I have come here voluntarily, in response -to that written appeal of a fellow-countryman which lies before you. I -demand no more than the opportunity to do so without delay. Is not that -my right?” - -“Emigrants have no rights, Evremonde,” was the stolid reply. The officer -wrote until he had finished, read over to himself what he had written, -sanded it, and handed it to Defarge, with the words “In secret.” - -Defarge motioned with the paper to the prisoner that he must accompany -him. The prisoner obeyed, and a guard of two armed patriots attended -them. - -“Is it you,” said Defarge, in a low voice, as they went down the -guardhouse steps and turned into Paris, “who married the daughter of -Doctor Manette, once a prisoner in the Bastille that is no more?” - -“Yes,” replied Darnay, looking at him with surprise. - -“My name is Defarge, and I keep a wine-shop in the Quarter Saint -Antoine. Possibly you have heard of me.” - -“My wife came to your house to reclaim her father? Yes!” - -The word “wife” seemed to serve as a gloomy reminder to Defarge, to say -with sudden impatience, “In the name of that sharp female newly-born, -and called La Guillotine, why did you come to France?” - -“You heard me say why, a minute ago. Do you not believe it is the -truth?” - -“A bad truth for you,” said Defarge, speaking with knitted brows, and -looking straight before him. - -“Indeed I am lost here. All here is so unprecedented, so changed, so -sudden and unfair, that I am absolutely lost. Will you render me a -little help?” - -“None.” Defarge spoke, always looking straight before him. - -“Will you answer me a single question?” - -“Perhaps. According to its nature. You can say what it is.” - -“In this prison that I am going to so unjustly, shall I have some free -communication with the world outside?” - -“You will see.” - -“I am not to be buried there, prejudged, and without any means of -presenting my case?” - -“You will see. But, what then? Other people have been similarly buried -in worse prisons, before now.” - -“But never by me, Citizen Defarge.” - -Defarge glanced darkly at him for answer, and walked on in a steady -and set silence. The deeper he sank into this silence, the fainter hope -there was--or so Darnay thought--of his softening in any slight degree. -He, therefore, made haste to say: - -“It is of the utmost importance to me (you know, Citizen, even better -than I, of how much importance), that I should be able to communicate to -Mr. Lorry of Tellson's Bank, an English gentleman who is now in Paris, -the simple fact, without comment, that I have been thrown into the -prison of La Force. Will you cause that to be done for me?” - -“I will do,” Defarge doggedly rejoined, “nothing for you. My duty is to -my country and the People. I am the sworn servant of both, against you. -I will do nothing for you.” - -Charles Darnay felt it hopeless to entreat him further, and his pride -was touched besides. As they walked on in silence, he could not but see -how used the people were to the spectacle of prisoners passing along the -streets. The very children scarcely noticed him. A few passers turned -their heads, and a few shook their fingers at him as an aristocrat; -otherwise, that a man in good clothes should be going to prison, was no -more remarkable than that a labourer in working clothes should be -going to work. In one narrow, dark, and dirty street through which they -passed, an excited orator, mounted on a stool, was addressing an excited -audience on the crimes against the people, of the king and the royal -family. The few words that he caught from this man's lips, first made -it known to Charles Darnay that the king was in prison, and that the -foreign ambassadors had one and all left Paris. On the road (except at -Beauvais) he had heard absolutely nothing. The escort and the universal -watchfulness had completely isolated him. - -That he had fallen among far greater dangers than those which had -developed themselves when he left England, he of course knew now. That -perils had thickened about him fast, and might thicken faster and faster -yet, he of course knew now. He could not but admit to himself that he -might not have made this journey, if he could have foreseen the events -of a few days. And yet his misgivings were not so dark as, imagined by -the light of this later time, they would appear. Troubled as the future -was, it was the unknown future, and in its obscurity there was ignorant -hope. The horrible massacre, days and nights long, which, within a few -rounds of the clock, was to set a great mark of blood upon the blessed -garnering time of harvest, was as far out of his knowledge as if it had -been a hundred thousand years away. The “sharp female newly-born, and -called La Guillotine,” was hardly known to him, or to the generality -of people, by name. The frightful deeds that were to be soon done, were -probably unimagined at that time in the brains of the doers. How could -they have a place in the shadowy conceptions of a gentle mind? - -Of unjust treatment in detention and hardship, and in cruel separation -from his wife and child, he foreshadowed the likelihood, or the -certainty; but, beyond this, he dreaded nothing distinctly. With this on -his mind, which was enough to carry into a dreary prison courtyard, he -arrived at the prison of La Force. - -A man with a bloated face opened the strong wicket, to whom Defarge -presented “The Emigrant Evremonde.” - -“What the Devil! How many more of them!” exclaimed the man with the -bloated face. - -Defarge took his receipt without noticing the exclamation, and withdrew, -with his two fellow-patriots. - -“What the Devil, I say again!” exclaimed the gaoler, left with his wife. -“How many more!” - -The gaoler's wife, being provided with no answer to the question, merely -replied, “One must have patience, my dear!” Three turnkeys who entered -responsive to a bell she rang, echoed the sentiment, and one added, “For -the love of Liberty;” which sounded in that place like an inappropriate -conclusion. - -The prison of La Force was a gloomy prison, dark and filthy, and with a -horrible smell of foul sleep in it. Extraordinary how soon the noisome -flavour of imprisoned sleep, becomes manifest in all such places that -are ill cared for! - -“In secret, too,” grumbled the gaoler, looking at the written paper. “As -if I was not already full to bursting!” - -He stuck the paper on a file, in an ill-humour, and Charles Darnay -awaited his further pleasure for half an hour: sometimes, pacing to and -fro in the strong arched room: sometimes, resting on a stone seat: in -either case detained to be imprinted on the memory of the chief and his -subordinates. - -“Come!” said the chief, at length taking up his keys, “come with me, -emigrant.” - -Through the dismal prison twilight, his new charge accompanied him by -corridor and staircase, many doors clanging and locking behind them, -until they came into a large, low, vaulted chamber, crowded with -prisoners of both sexes. The women were seated at a long table, reading -and writing, knitting, sewing, and embroidering; the men were for the -most part standing behind their chairs, or lingering up and down the -room. - -In the instinctive association of prisoners with shameful crime and -disgrace, the new-comer recoiled from this company. But the crowning -unreality of his long unreal ride, was, their all at once rising to -receive him, with every refinement of manner known to the time, and with -all the engaging graces and courtesies of life. - -So strangely clouded were these refinements by the prison manners and -gloom, so spectral did they become in the inappropriate squalor and -misery through which they were seen, that Charles Darnay seemed to stand -in a company of the dead. Ghosts all! The ghost of beauty, the ghost -of stateliness, the ghost of elegance, the ghost of pride, the ghost of -frivolity, the ghost of wit, the ghost of youth, the ghost of age, all -waiting their dismissal from the desolate shore, all turning on him eyes -that were changed by the death they had died in coming there. - -It struck him motionless. The gaoler standing at his side, and the other -gaolers moving about, who would have been well enough as to appearance -in the ordinary exercise of their functions, looked so extravagantly -coarse contrasted with sorrowing mothers and blooming daughters who were -there--with the apparitions of the coquette, the young beauty, and the -mature woman delicately bred--that the inversion of all experience and -likelihood which the scene of shadows presented, was heightened to its -utmost. Surely, ghosts all. Surely, the long unreal ride some progress -of disease that had brought him to these gloomy shades! - -“In the name of the assembled companions in misfortune,” said a -gentleman of courtly appearance and address, coming forward, “I have the -honour of giving you welcome to La Force, and of condoling with you -on the calamity that has brought you among us. May it soon terminate -happily! It would be an impertinence elsewhere, but it is not so here, -to ask your name and condition?” - -Charles Darnay roused himself, and gave the required information, in -words as suitable as he could find. - -“But I hope,” said the gentleman, following the chief gaoler with his -eyes, who moved across the room, “that you are not in secret?” - -“I do not understand the meaning of the term, but I have heard them say -so.” - -“Ah, what a pity! We so much regret it! But take courage; several -members of our society have been in secret, at first, and it has lasted -but a short time.” Then he added, raising his voice, “I grieve to inform -the society--in secret.” - -There was a murmur of commiseration as Charles Darnay crossed the room -to a grated door where the gaoler awaited him, and many voices--among -which, the soft and compassionate voices of women were conspicuous--gave -him good wishes and encouragement. He turned at the grated door, to -render the thanks of his heart; it closed under the gaoler's hand; and -the apparitions vanished from his sight forever. - -The wicket opened on a stone staircase, leading upward. When they had -ascended forty steps (the prisoner of half an hour already counted -them), the gaoler opened a low black door, and they passed into a -solitary cell. It struck cold and damp, but was not dark. - -“Yours,” said the gaoler. - -“Why am I confined alone?” - -“How do I know!” - -“I can buy pen, ink, and paper?” - -“Such are not my orders. You will be visited, and can ask then. At -present, you may buy your food, and nothing more.” - -There were in the cell, a chair, a table, and a straw mattress. As -the gaoler made a general inspection of these objects, and of the four -walls, before going out, a wandering fancy wandered through the mind of -the prisoner leaning against the wall opposite to him, that this gaoler -was so unwholesomely bloated, both in face and person, as to look like -a man who had been drowned and filled with water. When the gaoler was -gone, he thought in the same wandering way, “Now am I left, as if I were -dead.” Stopping then, to look down at the mattress, he turned from it -with a sick feeling, and thought, “And here in these crawling creatures -is the first condition of the body after death.” - -“Five paces by four and a half, five paces by four and a half, five -paces by four and a half.” The prisoner walked to and fro in his cell, -counting its measurement, and the roar of the city arose like muffled -drums with a wild swell of voices added to them. “He made shoes, he made -shoes, he made shoes.” The prisoner counted the measurement again, and -paced faster, to draw his mind with him from that latter repetition. -“The ghosts that vanished when the wicket closed. There was one among -them, the appearance of a lady dressed in black, who was leaning in the -embrasure of a window, and she had a light shining upon her golden -hair, and she looked like * * * * Let us ride on again, for God's sake, -through the illuminated villages with the people all awake! * * * * He -made shoes, he made shoes, he made shoes. * * * * Five paces by four and -a half.” With such scraps tossing and rolling upward from the depths of -his mind, the prisoner walked faster and faster, obstinately counting -and counting; and the roar of the city changed to this extent--that it -still rolled in like muffled drums, but with the wail of voices that he -knew, in the swell that rose above them. - - - - -II. The Grindstone - - -Tellson's Bank, established in the Saint Germain Quarter of Paris, was -in a wing of a large house, approached by a courtyard and shut off from -the street by a high wall and a strong gate. The house belonged to -a great nobleman who had lived in it until he made a flight from the -troubles, in his own cook's dress, and got across the borders. A -mere beast of the chase flying from hunters, he was still in his -metempsychosis no other than the same Monseigneur, the preparation -of whose chocolate for whose lips had once occupied three strong men -besides the cook in question. - -Monseigneur gone, and the three strong men absolving themselves from the -sin of having drawn his high wages, by being more than ready and -willing to cut his throat on the altar of the dawning Republic one and -indivisible of Liberty, Equality, Fraternity, or Death, Monseigneur's -house had been first sequestrated, and then confiscated. For, all -things moved so fast, and decree followed decree with that fierce -precipitation, that now upon the third night of the autumn month -of September, patriot emissaries of the law were in possession of -Monseigneur's house, and had marked it with the tri-colour, and were -drinking brandy in its state apartments. - -A place of business in London like Tellson's place of business in Paris, -would soon have driven the House out of its mind and into the Gazette. -For, what would staid British responsibility and respectability have -said to orange-trees in boxes in a Bank courtyard, and even to a Cupid -over the counter? Yet such things were. Tellson's had whitewashed the -Cupid, but he was still to be seen on the ceiling, in the coolest -linen, aiming (as he very often does) at money from morning to -night. Bankruptcy must inevitably have come of this young Pagan, in -Lombard-street, London, and also of a curtained alcove in the rear of -the immortal boy, and also of a looking-glass let into the wall, and -also of clerks not at all old, who danced in public on the slightest -provocation. Yet, a French Tellson's could get on with these things -exceedingly well, and, as long as the times held together, no man had -taken fright at them, and drawn out his money. - -What money would be drawn out of Tellson's henceforth, and what would -lie there, lost and forgotten; what plate and jewels would tarnish in -Tellson's hiding-places, while the depositors rusted in prisons, -and when they should have violently perished; how many accounts with -Tellson's never to be balanced in this world, must be carried over into -the next; no man could have said, that night, any more than Mr. Jarvis -Lorry could, though he thought heavily of these questions. He sat by -a newly-lighted wood fire (the blighted and unfruitful year was -prematurely cold), and on his honest and courageous face there was a -deeper shade than the pendent lamp could throw, or any object in the -room distortedly reflect--a shade of horror. - -He occupied rooms in the Bank, in his fidelity to the House of which -he had grown to be a part, like strong root-ivy. It chanced that they -derived a kind of security from the patriotic occupation of the main -building, but the true-hearted old gentleman never calculated about -that. All such circumstances were indifferent to him, so that he did -his duty. On the opposite side of the courtyard, under a colonnade, -was extensive standing--for carriages--where, indeed, some carriages -of Monseigneur yet stood. Against two of the pillars were fastened two -great flaring flambeaux, and in the light of these, standing out in the -open air, was a large grindstone: a roughly mounted thing which appeared -to have hurriedly been brought there from some neighbouring smithy, -or other workshop. Rising and looking out of window at these harmless -objects, Mr. Lorry shivered, and retired to his seat by the fire. He had -opened, not only the glass window, but the lattice blind outside it, and -he had closed both again, and he shivered through his frame. - -From the streets beyond the high wall and the strong gate, there came -the usual night hum of the city, with now and then an indescribable ring -in it, weird and unearthly, as if some unwonted sounds of a terrible -nature were going up to Heaven. - -“Thank God,” said Mr. Lorry, clasping his hands, “that no one near and -dear to me is in this dreadful town to-night. May He have mercy on all -who are in danger!” - -Soon afterwards, the bell at the great gate sounded, and he thought, -“They have come back!” and sat listening. But, there was no loud -irruption into the courtyard, as he had expected, and he heard the gate -clash again, and all was quiet. - -The nervousness and dread that were upon him inspired that vague -uneasiness respecting the Bank, which a great change would naturally -awaken, with such feelings roused. It was well guarded, and he got up to -go among the trusty people who were watching it, when his door suddenly -opened, and two figures rushed in, at sight of which he fell back in -amazement. - -Lucie and her father! Lucie with her arms stretched out to him, and with -that old look of earnestness so concentrated and intensified, that it -seemed as though it had been stamped upon her face expressly to give -force and power to it in this one passage of her life. - -“What is this?” cried Mr. Lorry, breathless and confused. “What is the -matter? Lucie! Manette! What has happened? What has brought you here? -What is it?” - -With the look fixed upon him, in her paleness and wildness, she panted -out in his arms, imploringly, “O my dear friend! My husband!” - -“Your husband, Lucie?” - -“Charles.” - -“What of Charles?” - -“Here. - -“Here, in Paris?” - -“Has been here some days--three or four--I don't know how many--I can't -collect my thoughts. An errand of generosity brought him here unknown to -us; he was stopped at the barrier, and sent to prison.” - -The old man uttered an irrepressible cry. Almost at the same moment, the -bell of the great gate rang again, and a loud noise of feet and voices -came pouring into the courtyard. - -“What is that noise?” said the Doctor, turning towards the window. - -“Don't look!” cried Mr. Lorry. “Don't look out! Manette, for your life, -don't touch the blind!” - -The Doctor turned, with his hand upon the fastening of the window, and -said, with a cool, bold smile: - -“My dear friend, I have a charmed life in this city. I have been -a Bastille prisoner. There is no patriot in Paris--in Paris? In -France--who, knowing me to have been a prisoner in the Bastille, would -touch me, except to overwhelm me with embraces, or carry me in triumph. -My old pain has given me a power that has brought us through the -barrier, and gained us news of Charles there, and brought us here. I -knew it would be so; I knew I could help Charles out of all danger; I -told Lucie so.--What is that noise?” His hand was again upon the window. - -“Don't look!” cried Mr. Lorry, absolutely desperate. “No, Lucie, my -dear, nor you!” He got his arm round her, and held her. “Don't be so -terrified, my love. I solemnly swear to you that I know of no harm -having happened to Charles; that I had no suspicion even of his being in -this fatal place. What prison is he in?” - -“La Force!” - -“La Force! Lucie, my child, if ever you were brave and serviceable in -your life--and you were always both--you will compose yourself now, to -do exactly as I bid you; for more depends upon it than you can think, or -I can say. There is no help for you in any action on your part to-night; -you cannot possibly stir out. I say this, because what I must bid you -to do for Charles's sake, is the hardest thing to do of all. You must -instantly be obedient, still, and quiet. You must let me put you in a -room at the back here. You must leave your father and me alone for -two minutes, and as there are Life and Death in the world you must not -delay.” - -“I will be submissive to you. I see in your face that you know I can do -nothing else than this. I know you are true.” - -The old man kissed her, and hurried her into his room, and turned the -key; then, came hurrying back to the Doctor, and opened the window and -partly opened the blind, and put his hand upon the Doctor's arm, and -looked out with him into the courtyard. - -Looked out upon a throng of men and women: not enough in number, or near -enough, to fill the courtyard: not more than forty or fifty in all. The -people in possession of the house had let them in at the gate, and they -had rushed in to work at the grindstone; it had evidently been set up -there for their purpose, as in a convenient and retired spot. - -But, such awful workers, and such awful work! - -The grindstone had a double handle, and, turning at it madly were two -men, whose faces, as their long hair flapped back when the whirlings of -the grindstone brought their faces up, were more horrible and cruel than -the visages of the wildest savages in their most barbarous disguise. -False eyebrows and false moustaches were stuck upon them, and their -hideous countenances were all bloody and sweaty, and all awry with -howling, and all staring and glaring with beastly excitement and want of -sleep. As these ruffians turned and turned, their matted locks now flung -forward over their eyes, now flung backward over their necks, some women -held wine to their mouths that they might drink; and what with dropping -blood, and what with dropping wine, and what with the stream of sparks -struck out of the stone, all their wicked atmosphere seemed gore and -fire. The eye could not detect one creature in the group free from -the smear of blood. Shouldering one another to get next at the -sharpening-stone, were men stripped to the waist, with the stain all -over their limbs and bodies; men in all sorts of rags, with the stain -upon those rags; men devilishly set off with spoils of women's lace -and silk and ribbon, with the stain dyeing those trifles through -and through. Hatchets, knives, bayonets, swords, all brought to be -sharpened, were all red with it. Some of the hacked swords were tied to -the wrists of those who carried them, with strips of linen and fragments -of dress: ligatures various in kind, but all deep of the one colour. And -as the frantic wielders of these weapons snatched them from the stream -of sparks and tore away into the streets, the same red hue was red in -their frenzied eyes;--eyes which any unbrutalised beholder would have -given twenty years of life, to petrify with a well-directed gun. - -All this was seen in a moment, as the vision of a drowning man, or of -any human creature at any very great pass, could see a world if it -were there. They drew back from the window, and the Doctor looked for -explanation in his friend's ashy face. - -“They are,” Mr. Lorry whispered the words, glancing fearfully round at -the locked room, “murdering the prisoners. If you are sure of what you -say; if you really have the power you think you have--as I believe you -have--make yourself known to these devils, and get taken to La Force. It -may be too late, I don't know, but let it not be a minute later!” - -Doctor Manette pressed his hand, hastened bareheaded out of the room, -and was in the courtyard when Mr. Lorry regained the blind. - -His streaming white hair, his remarkable face, and the impetuous -confidence of his manner, as he put the weapons aside like water, -carried him in an instant to the heart of the concourse at the stone. -For a few moments there was a pause, and a hurry, and a murmur, and -the unintelligible sound of his voice; and then Mr. Lorry saw him, -surrounded by all, and in the midst of a line of twenty men long, all -linked shoulder to shoulder, and hand to shoulder, hurried out with -cries of--“Live the Bastille prisoner! Help for the Bastille prisoner's -kindred in La Force! Room for the Bastille prisoner in front there! Save -the prisoner Evremonde at La Force!” and a thousand answering shouts. - -He closed the lattice again with a fluttering heart, closed the window -and the curtain, hastened to Lucie, and told her that her father was -assisted by the people, and gone in search of her husband. He found -her child and Miss Pross with her; but, it never occurred to him to be -surprised by their appearance until a long time afterwards, when he sat -watching them in such quiet as the night knew. - -Lucie had, by that time, fallen into a stupor on the floor at his feet, -clinging to his hand. Miss Pross had laid the child down on his own -bed, and her head had gradually fallen on the pillow beside her pretty -charge. O the long, long night, with the moans of the poor wife! And O -the long, long night, with no return of her father and no tidings! - -Twice more in the darkness the bell at the great gate sounded, and the -irruption was repeated, and the grindstone whirled and spluttered. -“What is it?” cried Lucie, affrighted. “Hush! The soldiers' swords are -sharpened there,” said Mr. Lorry. “The place is national property now, -and used as a kind of armoury, my love.” - -Twice more in all; but, the last spell of work was feeble and fitful. -Soon afterwards the day began to dawn, and he softly detached himself -from the clasping hand, and cautiously looked out again. A man, so -besmeared that he might have been a sorely wounded soldier creeping back -to consciousness on a field of slain, was rising from the pavement by -the side of the grindstone, and looking about him with a vacant air. -Shortly, this worn-out murderer descried in the imperfect light one of -the carriages of Monseigneur, and, staggering to that gorgeous vehicle, -climbed in at the door, and shut himself up to take his rest on its -dainty cushions. - -The great grindstone, Earth, had turned when Mr. Lorry looked out again, -and the sun was red on the courtyard. But, the lesser grindstone stood -alone there in the calm morning air, with a red upon it that the sun had -never given, and would never take away. - - - - -III. The Shadow - - -One of the first considerations which arose in the business mind of Mr. -Lorry when business hours came round, was this:--that he had no right to -imperil Tellson's by sheltering the wife of an emigrant prisoner under -the Bank roof. His own possessions, safety, life, he would have hazarded -for Lucie and her child, without a moment's demur; but the great trust -he held was not his own, and as to that business charge he was a strict -man of business. - -At first, his mind reverted to Defarge, and he thought of finding out -the wine-shop again and taking counsel with its master in reference to -the safest dwelling-place in the distracted state of the city. But, the -same consideration that suggested him, repudiated him; he lived in the -most violent Quarter, and doubtless was influential there, and deep in -its dangerous workings. - -Noon coming, and the Doctor not returning, and every minute's delay -tending to compromise Tellson's, Mr. Lorry advised with Lucie. She said -that her father had spoken of hiring a lodging for a short term, in that -Quarter, near the Banking-house. As there was no business objection to -this, and as he foresaw that even if it were all well with Charles, and -he were to be released, he could not hope to leave the city, Mr. Lorry -went out in quest of such a lodging, and found a suitable one, high up -in a removed by-street where the closed blinds in all the other windows -of a high melancholy square of buildings marked deserted homes. - -To this lodging he at once removed Lucie and her child, and Miss Pross: -giving them what comfort he could, and much more than he had himself. -He left Jerry with them, as a figure to fill a doorway that would bear -considerable knocking on the head, and returned to his own occupations. -A disturbed and doleful mind he brought to bear upon them, and slowly -and heavily the day lagged on with him. - -It wore itself out, and wore him out with it, until the Bank closed. He -was again alone in his room of the previous night, considering what to -do next, when he heard a foot upon the stair. In a few moments, a -man stood in his presence, who, with a keenly observant look at him, -addressed him by his name. - -“Your servant,” said Mr. Lorry. “Do you know me?” - -He was a strongly made man with dark curling hair, from forty-five -to fifty years of age. For answer he repeated, without any change of -emphasis, the words: - -“Do you know me?” - -“I have seen you somewhere.” - -“Perhaps at my wine-shop?” - -Much interested and agitated, Mr. Lorry said: “You come from Doctor -Manette?” - -“Yes. I come from Doctor Manette.” - -“And what says he? What does he send me?” - -Defarge gave into his anxious hand, an open scrap of paper. It bore the -words in the Doctor's writing: - - “Charles is safe, but I cannot safely leave this place yet. - I have obtained the favour that the bearer has a short note - from Charles to his wife. Let the bearer see his wife.” - -It was dated from La Force, within an hour. - -“Will you accompany me,” said Mr. Lorry, joyfully relieved after reading -this note aloud, “to where his wife resides?” - -“Yes,” returned Defarge. - -Scarcely noticing as yet, in what a curiously reserved and mechanical -way Defarge spoke, Mr. Lorry put on his hat and they went down into the -courtyard. There, they found two women; one, knitting. - -“Madame Defarge, surely!” said Mr. Lorry, who had left her in exactly -the same attitude some seventeen years ago. - -“It is she,” observed her husband. - -“Does Madame go with us?” inquired Mr. Lorry, seeing that she moved as -they moved. - -“Yes. That she may be able to recognise the faces and know the persons. -It is for their safety.” - -Beginning to be struck by Defarge's manner, Mr. Lorry looked dubiously -at him, and led the way. Both the women followed; the second woman being -The Vengeance. - -They passed through the intervening streets as quickly as they might, -ascended the staircase of the new domicile, were admitted by Jerry, -and found Lucie weeping, alone. She was thrown into a transport by the -tidings Mr. Lorry gave her of her husband, and clasped the hand that -delivered his note--little thinking what it had been doing near him in -the night, and might, but for a chance, have done to him. - - “DEAREST,--Take courage. I am well, and your father has - influence around me. You cannot answer this. - Kiss our child for me.” - -That was all the writing. It was so much, however, to her who received -it, that she turned from Defarge to his wife, and kissed one of the -hands that knitted. It was a passionate, loving, thankful, womanly -action, but the hand made no response--dropped cold and heavy, and took -to its knitting again. - -There was something in its touch that gave Lucie a check. She stopped in -the act of putting the note in her bosom, and, with her hands yet at her -neck, looked terrified at Madame Defarge. Madame Defarge met the lifted -eyebrows and forehead with a cold, impassive stare. - -“My dear,” said Mr. Lorry, striking in to explain; “there are frequent -risings in the streets; and, although it is not likely they will ever -trouble you, Madame Defarge wishes to see those whom she has the power -to protect at such times, to the end that she may know them--that she -may identify them. I believe,” said Mr. Lorry, rather halting in his -reassuring words, as the stony manner of all the three impressed itself -upon him more and more, “I state the case, Citizen Defarge?” - -Defarge looked gloomily at his wife, and gave no other answer than a -gruff sound of acquiescence. - -“You had better, Lucie,” said Mr. Lorry, doing all he could to -propitiate, by tone and manner, “have the dear child here, and our -good Pross. Our good Pross, Defarge, is an English lady, and knows no -French.” - -The lady in question, whose rooted conviction that she was more than a -match for any foreigner, was not to be shaken by distress and, danger, -appeared with folded arms, and observed in English to The Vengeance, -whom her eyes first encountered, “Well, I am sure, Boldface! I hope -_you_ are pretty well!” She also bestowed a British cough on Madame -Defarge; but, neither of the two took much heed of her. - -“Is that his child?” said Madame Defarge, stopping in her work for the -first time, and pointing her knitting-needle at little Lucie as if it -were the finger of Fate. - -“Yes, madame,” answered Mr. Lorry; “this is our poor prisoner's darling -daughter, and only child.” - -The shadow attendant on Madame Defarge and her party seemed to fall so -threatening and dark on the child, that her mother instinctively -kneeled on the ground beside her, and held her to her breast. The -shadow attendant on Madame Defarge and her party seemed then to fall, -threatening and dark, on both the mother and the child. - -“It is enough, my husband,” said Madame Defarge. “I have seen them. We -may go.” - -But, the suppressed manner had enough of menace in it--not visible and -presented, but indistinct and withheld--to alarm Lucie into saying, as -she laid her appealing hand on Madame Defarge's dress: - -“You will be good to my poor husband. You will do him no harm. You will -help me to see him if you can?” - -“Your husband is not my business here,” returned Madame Defarge, looking -down at her with perfect composure. “It is the daughter of your father -who is my business here.” - -“For my sake, then, be merciful to my husband. For my child's sake! She -will put her hands together and pray you to be merciful. We are more -afraid of you than of these others.” - -Madame Defarge received it as a compliment, and looked at her husband. -Defarge, who had been uneasily biting his thumb-nail and looking at her, -collected his face into a sterner expression. - -“What is it that your husband says in that little letter?” asked Madame -Defarge, with a lowering smile. “Influence; he says something touching -influence?” - -“That my father,” said Lucie, hurriedly taking the paper from her -breast, but with her alarmed eyes on her questioner and not on it, “has -much influence around him.” - -“Surely it will release him!” said Madame Defarge. “Let it do so.” - -“As a wife and mother,” cried Lucie, most earnestly, “I implore you to -have pity on me and not to exercise any power that you possess, against -my innocent husband, but to use it in his behalf. O sister-woman, think -of me. As a wife and mother!” - -Madame Defarge looked, coldly as ever, at the suppliant, and said, -turning to her friend The Vengeance: - -“The wives and mothers we have been used to see, since we were as little -as this child, and much less, have not been greatly considered? We have -known _their_ husbands and fathers laid in prison and kept from them, -often enough? All our lives, we have seen our sister-women suffer, in -themselves and in their children, poverty, nakedness, hunger, thirst, -sickness, misery, oppression and neglect of all kinds?” - -“We have seen nothing else,” returned The Vengeance. - -“We have borne this a long time,” said Madame Defarge, turning her eyes -again upon Lucie. “Judge you! Is it likely that the trouble of one wife -and mother would be much to us now?” - -She resumed her knitting and went out. The Vengeance followed. Defarge -went last, and closed the door. - -“Courage, my dear Lucie,” said Mr. Lorry, as he raised her. “Courage, -courage! So far all goes well with us--much, much better than it has of -late gone with many poor souls. Cheer up, and have a thankful heart.” - -“I am not thankless, I hope, but that dreadful woman seems to throw a -shadow on me and on all my hopes.” - -“Tut, tut!” said Mr. Lorry; “what is this despondency in the brave -little breast? A shadow indeed! No substance in it, Lucie.” - -But the shadow of the manner of these Defarges was dark upon himself, -for all that, and in his secret mind it troubled him greatly. - - - - -IV. Calm in Storm - - -Doctor Manette did not return until the morning of the fourth day of his -absence. So much of what had happened in that dreadful time as could be -kept from the knowledge of Lucie was so well concealed from her, that -not until long afterwards, when France and she were far apart, did she -know that eleven hundred defenceless prisoners of both sexes and all -ages had been killed by the populace; that four days and nights had been -darkened by this deed of horror; and that the air around her had been -tainted by the slain. She only knew that there had been an attack upon -the prisons, that all political prisoners had been in danger, and that -some had been dragged out by the crowd and murdered. - -To Mr. Lorry, the Doctor communicated under an injunction of secrecy on -which he had no need to dwell, that the crowd had taken him through a -scene of carnage to the prison of La Force. That, in the prison he had -found a self-appointed Tribunal sitting, before which the prisoners were -brought singly, and by which they were rapidly ordered to be put forth -to be massacred, or to be released, or (in a few cases) to be sent back -to their cells. That, presented by his conductors to this Tribunal, he -had announced himself by name and profession as having been for eighteen -years a secret and unaccused prisoner in the Bastille; that, one of the -body so sitting in judgment had risen and identified him, and that this -man was Defarge. - -That, hereupon he had ascertained, through the registers on the table, -that his son-in-law was among the living prisoners, and had pleaded hard -to the Tribunal--of whom some members were asleep and some awake, some -dirty with murder and some clean, some sober and some not--for his life -and liberty. That, in the first frantic greetings lavished on himself as -a notable sufferer under the overthrown system, it had been accorded -to him to have Charles Darnay brought before the lawless Court, and -examined. That, he seemed on the point of being at once released, when -the tide in his favour met with some unexplained check (not intelligible -to the Doctor), which led to a few words of secret conference. That, -the man sitting as President had then informed Doctor Manette that -the prisoner must remain in custody, but should, for his sake, be held -inviolate in safe custody. That, immediately, on a signal, the prisoner -was removed to the interior of the prison again; but, that he, the -Doctor, had then so strongly pleaded for permission to remain and -assure himself that his son-in-law was, through no malice or mischance, -delivered to the concourse whose murderous yells outside the gate had -often drowned the proceedings, that he had obtained the permission, and -had remained in that Hall of Blood until the danger was over. - -The sights he had seen there, with brief snatches of food and sleep by -intervals, shall remain untold. The mad joy over the prisoners who were -saved, had astounded him scarcely less than the mad ferocity against -those who were cut to pieces. One prisoner there was, he said, who had -been discharged into the street free, but at whom a mistaken savage had -thrust a pike as he passed out. Being besought to go to him and dress -the wound, the Doctor had passed out at the same gate, and had found him -in the arms of a company of Samaritans, who were seated on the bodies -of their victims. With an inconsistency as monstrous as anything in this -awful nightmare, they had helped the healer, and tended the wounded man -with the gentlest solicitude--had made a litter for him and escorted him -carefully from the spot--had then caught up their weapons and plunged -anew into a butchery so dreadful, that the Doctor had covered his eyes -with his hands, and swooned away in the midst of it. - -As Mr. Lorry received these confidences, and as he watched the face of -his friend now sixty-two years of age, a misgiving arose within him that -such dread experiences would revive the old danger. - -But, he had never seen his friend in his present aspect: he had never -at all known him in his present character. For the first time the Doctor -felt, now, that his suffering was strength and power. For the first time -he felt that in that sharp fire, he had slowly forged the iron which -could break the prison door of his daughter's husband, and deliver him. -“It all tended to a good end, my friend; it was not mere waste and ruin. -As my beloved child was helpful in restoring me to myself, I will be -helpful now in restoring the dearest part of herself to her; by the aid -of Heaven I will do it!” Thus, Doctor Manette. And when Jarvis Lorry saw -the kindled eyes, the resolute face, the calm strong look and bearing -of the man whose life always seemed to him to have been stopped, like a -clock, for so many years, and then set going again with an energy which -had lain dormant during the cessation of its usefulness, he believed. - -Greater things than the Doctor had at that time to contend with, would -have yielded before his persevering purpose. While he kept himself -in his place, as a physician, whose business was with all degrees -of mankind, bond and free, rich and poor, bad and good, he used his -personal influence so wisely, that he was soon the inspecting physician -of three prisons, and among them of La Force. He could now assure Lucie -that her husband was no longer confined alone, but was mixed with the -general body of prisoners; he saw her husband weekly, and brought sweet -messages to her, straight from his lips; sometimes her husband himself -sent a letter to her (though never by the Doctor's hand), but she was -not permitted to write to him: for, among the many wild suspicions of -plots in the prisons, the wildest of all pointed at emigrants who were -known to have made friends or permanent connections abroad. - -This new life of the Doctor's was an anxious life, no doubt; still, the -sagacious Mr. Lorry saw that there was a new sustaining pride in it. -Nothing unbecoming tinged the pride; it was a natural and worthy one; -but he observed it as a curiosity. The Doctor knew, that up to that -time, his imprisonment had been associated in the minds of his daughter -and his friend, with his personal affliction, deprivation, and weakness. -Now that this was changed, and he knew himself to be invested through -that old trial with forces to which they both looked for Charles's -ultimate safety and deliverance, he became so far exalted by the change, -that he took the lead and direction, and required them as the weak, to -trust to him as the strong. The preceding relative positions of himself -and Lucie were reversed, yet only as the liveliest gratitude and -affection could reverse them, for he could have had no pride but in -rendering some service to her who had rendered so much to him. “All -curious to see,” thought Mr. Lorry, in his amiably shrewd way, “but all -natural and right; so, take the lead, my dear friend, and keep it; it -couldn't be in better hands.” - -But, though the Doctor tried hard, and never ceased trying, to get -Charles Darnay set at liberty, or at least to get him brought to trial, -the public current of the time set too strong and fast for him. The new -era began; the king was tried, doomed, and beheaded; the Republic of -Liberty, Equality, Fraternity, or Death, declared for victory or death -against the world in arms; the black flag waved night and day from the -great towers of Notre Dame; three hundred thousand men, summoned to rise -against the tyrants of the earth, rose from all the varying soils -of France, as if the dragon's teeth had been sown broadcast, and -had yielded fruit equally on hill and plain, on rock, in gravel, and -alluvial mud, under the bright sky of the South and under the clouds of -the North, in fell and forest, in the vineyards and the olive-grounds -and among the cropped grass and the stubble of the corn, along the -fruitful banks of the broad rivers, and in the sand of the sea-shore. -What private solicitude could rear itself against the deluge of the Year -One of Liberty--the deluge rising from below, not falling from above, -and with the windows of Heaven shut, not opened! - -There was no pause, no pity, no peace, no interval of relenting rest, no -measurement of time. Though days and nights circled as regularly as when -time was young, and the evening and morning were the first day, other -count of time there was none. Hold of it was lost in the raging fever -of a nation, as it is in the fever of one patient. Now, breaking the -unnatural silence of a whole city, the executioner showed the people the -head of the king--and now, it seemed almost in the same breath, the -head of his fair wife which had had eight weary months of imprisoned -widowhood and misery, to turn it grey. - -And yet, observing the strange law of contradiction which obtains in -all such cases, the time was long, while it flamed by so fast. A -revolutionary tribunal in the capital, and forty or fifty thousand -revolutionary committees all over the land; a law of the Suspected, -which struck away all security for liberty or life, and delivered over -any good and innocent person to any bad and guilty one; prisons gorged -with people who had committed no offence, and could obtain no hearing; -these things became the established order and nature of appointed -things, and seemed to be ancient usage before they were many weeks old. -Above all, one hideous figure grew as familiar as if it had been before -the general gaze from the foundations of the world--the figure of the -sharp female called La Guillotine. - -It was the popular theme for jests; it was the best cure for headache, -it infallibly prevented the hair from turning grey, it imparted a -peculiar delicacy to the complexion, it was the National Razor which -shaved close: who kissed La Guillotine, looked through the little window -and sneezed into the sack. It was the sign of the regeneration of the -human race. It superseded the Cross. Models of it were worn on breasts -from which the Cross was discarded, and it was bowed down to and -believed in where the Cross was denied. - -It sheared off heads so many, that it, and the ground it most polluted, -were a rotten red. It was taken to pieces, like a toy-puzzle for a young -Devil, and was put together again when the occasion wanted it. It hushed -the eloquent, struck down the powerful, abolished the beautiful and -good. Twenty-two friends of high public mark, twenty-one living and one -dead, it had lopped the heads off, in one morning, in as many minutes. -The name of the strong man of Old Scripture had descended to the chief -functionary who worked it; but, so armed, he was stronger than his -namesake, and blinder, and tore away the gates of God's own Temple every -day. - -Among these terrors, and the brood belonging to them, the Doctor walked -with a steady head: confident in his power, cautiously persistent in his -end, never doubting that he would save Lucie's husband at last. Yet the -current of the time swept by, so strong and deep, and carried the time -away so fiercely, that Charles had lain in prison one year and three -months when the Doctor was thus steady and confident. So much more -wicked and distracted had the Revolution grown in that December month, -that the rivers of the South were encumbered with the bodies of the -violently drowned by night, and prisoners were shot in lines and squares -under the southern wintry sun. Still, the Doctor walked among the -terrors with a steady head. No man better known than he, in Paris at -that day; no man in a stranger situation. Silent, humane, indispensable -in hospital and prison, using his art equally among assassins and -victims, he was a man apart. In the exercise of his skill, the -appearance and the story of the Bastille Captive removed him from all -other men. He was not suspected or brought in question, any more than if -he had indeed been recalled to life some eighteen years before, or were -a Spirit moving among mortals. - - - - -V. The Wood-Sawyer - - -One year and three months. During all that time Lucie was never -sure, from hour to hour, but that the Guillotine would strike off her -husband's head next day. Every day, through the stony streets, the -tumbrils now jolted heavily, filled with Condemned. Lovely girls; bright -women, brown-haired, black-haired, and grey; youths; stalwart men and -old; gentle born and peasant born; all red wine for La Guillotine, all -daily brought into light from the dark cellars of the loathsome prisons, -and carried to her through the streets to slake her devouring thirst. -Liberty, equality, fraternity, or death;--the last, much the easiest to -bestow, O Guillotine! - -If the suddenness of her calamity, and the whirling wheels of the time, -had stunned the Doctor's daughter into awaiting the result in idle -despair, it would but have been with her as it was with many. But, from -the hour when she had taken the white head to her fresh young bosom in -the garret of Saint Antoine, she had been true to her duties. She was -truest to them in the season of trial, as all the quietly loyal and good -will always be. - -As soon as they were established in their new residence, and her father -had entered on the routine of his avocations, she arranged the little -household as exactly as if her husband had been there. Everything had -its appointed place and its appointed time. Little Lucie she taught, -as regularly, as if they had all been united in their English home. The -slight devices with which she cheated herself into the show of a belief -that they would soon be reunited--the little preparations for his speedy -return, the setting aside of his chair and his books--these, and the -solemn prayer at night for one dear prisoner especially, among the many -unhappy souls in prison and the shadow of death--were almost the only -outspoken reliefs of her heavy mind. - -She did not greatly alter in appearance. The plain dark dresses, akin to -mourning dresses, which she and her child wore, were as neat and as well -attended to as the brighter clothes of happy days. She lost her colour, -and the old and intent expression was a constant, not an occasional, -thing; otherwise, she remained very pretty and comely. Sometimes, at -night on kissing her father, she would burst into the grief she had -repressed all day, and would say that her sole reliance, under Heaven, -was on him. He always resolutely answered: “Nothing can happen to him -without my knowledge, and I know that I can save him, Lucie.” - -They had not made the round of their changed life many weeks, when her -father said to her, on coming home one evening: - -“My dear, there is an upper window in the prison, to which Charles can -sometimes gain access at three in the afternoon. When he can get to -it--which depends on many uncertainties and incidents--he might see you -in the street, he thinks, if you stood in a certain place that I can -show you. But you will not be able to see him, my poor child, and even -if you could, it would be unsafe for you to make a sign of recognition.” - -“O show me the place, my father, and I will go there every day.” - -From that time, in all weathers, she waited there two hours. As the -clock struck two, she was there, and at four she turned resignedly away. -When it was not too wet or inclement for her child to be with her, they -went together; at other times she was alone; but, she never missed a -single day. - -It was the dark and dirty corner of a small winding street. The hovel -of a cutter of wood into lengths for burning, was the only house at that -end; all else was wall. On the third day of her being there, he noticed -her. - -“Good day, citizeness.” - -“Good day, citizen.” - -This mode of address was now prescribed by decree. It had been -established voluntarily some time ago, among the more thorough patriots; -but, was now law for everybody. - -“Walking here again, citizeness?” - -“You see me, citizen!” - -The wood-sawyer, who was a little man with a redundancy of gesture (he -had once been a mender of roads), cast a glance at the prison, pointed -at the prison, and putting his ten fingers before his face to represent -bars, peeped through them jocosely. - -“But it's not my business,” said he. And went on sawing his wood. - -Next day he was looking out for her, and accosted her the moment she -appeared. - -“What? Walking here again, citizeness?” - -“Yes, citizen.” - -“Ah! A child too! Your mother, is it not, my little citizeness?” - -“Do I say yes, mamma?” whispered little Lucie, drawing close to her. - -“Yes, dearest.” - -“Yes, citizen.” - -“Ah! But it's not my business. My work is my business. See my saw! I -call it my Little Guillotine. La, la, la; La, la, la! And off his head -comes!” - -The billet fell as he spoke, and he threw it into a basket. - -“I call myself the Samson of the firewood guillotine. See here again! -Loo, loo, loo; Loo, loo, loo! And off _her_ head comes! Now, a child. -Tickle, tickle; Pickle, pickle! And off _its_ head comes. All the -family!” - -Lucie shuddered as he threw two more billets into his basket, but it was -impossible to be there while the wood-sawyer was at work, and not be in -his sight. Thenceforth, to secure his good will, she always spoke to him -first, and often gave him drink-money, which he readily received. - -He was an inquisitive fellow, and sometimes when she had quite forgotten -him in gazing at the prison roof and grates, and in lifting her heart -up to her husband, she would come to herself to find him looking at her, -with his knee on his bench and his saw stopped in its work. “But it's -not my business!” he would generally say at those times, and would -briskly fall to his sawing again. - -In all weathers, in the snow and frost of winter, in the bitter winds of -spring, in the hot sunshine of summer, in the rains of autumn, and again -in the snow and frost of winter, Lucie passed two hours of every day at -this place; and every day on leaving it, she kissed the prison wall. -Her husband saw her (so she learned from her father) it might be once in -five or six times: it might be twice or thrice running: it might be, not -for a week or a fortnight together. It was enough that he could and did -see her when the chances served, and on that possibility she would have -waited out the day, seven days a week. - -These occupations brought her round to the December month, wherein her -father walked among the terrors with a steady head. On a lightly-snowing -afternoon she arrived at the usual corner. It was a day of some wild -rejoicing, and a festival. She had seen the houses, as she came along, -decorated with little pikes, and with little red caps stuck upon them; -also, with tricoloured ribbons; also, with the standard inscription -(tricoloured letters were the favourite), Republic One and Indivisible. -Liberty, Equality, Fraternity, or Death! - -The miserable shop of the wood-sawyer was so small, that its whole -surface furnished very indifferent space for this legend. He had got -somebody to scrawl it up for him, however, who had squeezed Death in -with most inappropriate difficulty. On his house-top, he displayed pike -and cap, as a good citizen must, and in a window he had stationed his -saw inscribed as his “Little Sainte Guillotine”--for the great sharp -female was by that time popularly canonised. His shop was shut and he -was not there, which was a relief to Lucie, and left her quite alone. - -But, he was not far off, for presently she heard a troubled movement -and a shouting coming along, which filled her with fear. A moment -afterwards, and a throng of people came pouring round the corner by the -prison wall, in the midst of whom was the wood-sawyer hand in hand with -The Vengeance. There could not be fewer than five hundred people, and -they were dancing like five thousand demons. There was no other music -than their own singing. They danced to the popular Revolution song, -keeping a ferocious time that was like a gnashing of teeth in unison. -Men and women danced together, women danced together, men danced -together, as hazard had brought them together. At first, they were a -mere storm of coarse red caps and coarse woollen rags; but, as they -filled the place, and stopped to dance about Lucie, some ghastly -apparition of a dance-figure gone raving mad arose among them. They -advanced, retreated, struck at one another's hands, clutched at one -another's heads, spun round alone, caught one another and spun round -in pairs, until many of them dropped. While those were down, the rest -linked hand in hand, and all spun round together: then the ring broke, -and in separate rings of two and four they turned and turned until they -all stopped at once, began again, struck, clutched, and tore, and then -reversed the spin, and all spun round another way. Suddenly they stopped -again, paused, struck out the time afresh, formed into lines the width -of the public way, and, with their heads low down and their hands high -up, swooped screaming off. No fight could have been half so terrible -as this dance. It was so emphatically a fallen sport--a something, once -innocent, delivered over to all devilry--a healthy pastime changed into -a means of angering the blood, bewildering the senses, and steeling the -heart. Such grace as was visible in it, made it the uglier, showing how -warped and perverted all things good by nature were become. The maidenly -bosom bared to this, the pretty almost-child's head thus distracted, the -delicate foot mincing in this slough of blood and dirt, were types of -the disjointed time. - -This was the Carmagnole. As it passed, leaving Lucie frightened and -bewildered in the doorway of the wood-sawyer's house, the feathery snow -fell as quietly and lay as white and soft, as if it had never been. - -“O my father!” for he stood before her when she lifted up the eyes she -had momentarily darkened with her hand; “such a cruel, bad sight.” - -“I know, my dear, I know. I have seen it many times. Don't be -frightened! Not one of them would harm you.” - -“I am not frightened for myself, my father. But when I think of my -husband, and the mercies of these people--” - -“We will set him above their mercies very soon. I left him climbing to -the window, and I came to tell you. There is no one here to see. You may -kiss your hand towards that highest shelving roof.” - -“I do so, father, and I send him my Soul with it!” - -“You cannot see him, my poor dear?” - -“No, father,” said Lucie, yearning and weeping as she kissed her hand, -“no.” - -A footstep in the snow. Madame Defarge. “I salute you, citizeness,” - from the Doctor. “I salute you, citizen.” This in passing. Nothing more. -Madame Defarge gone, like a shadow over the white road. - -“Give me your arm, my love. Pass from here with an air of cheerfulness -and courage, for his sake. That was well done;” they had left the spot; -“it shall not be in vain. Charles is summoned for to-morrow.” - -“For to-morrow!” - -“There is no time to lose. I am well prepared, but there are precautions -to be taken, that could not be taken until he was actually summoned -before the Tribunal. He has not received the notice yet, but I know -that he will presently be summoned for to-morrow, and removed to the -Conciergerie; I have timely information. You are not afraid?” - -She could scarcely answer, “I trust in you.” - -“Do so, implicitly. Your suspense is nearly ended, my darling; he shall -be restored to you within a few hours; I have encompassed him with every -protection. I must see Lorry.” - -He stopped. There was a heavy lumbering of wheels within hearing. They -both knew too well what it meant. One. Two. Three. Three tumbrils faring -away with their dread loads over the hushing snow. - -“I must see Lorry,” the Doctor repeated, turning her another way. - -The staunch old gentleman was still in his trust; had never left it. He -and his books were in frequent requisition as to property confiscated -and made national. What he could save for the owners, he saved. No -better man living to hold fast by what Tellson's had in keeping, and to -hold his peace. - -A murky red and yellow sky, and a rising mist from the Seine, denoted -the approach of darkness. It was almost dark when they arrived at the -Bank. The stately residence of Monseigneur was altogether blighted and -deserted. Above a heap of dust and ashes in the court, ran the letters: -National Property. Republic One and Indivisible. Liberty, Equality, -Fraternity, or Death! - -Who could that be with Mr. Lorry--the owner of the riding-coat upon the -chair--who must not be seen? From whom newly arrived, did he come out, -agitated and surprised, to take his favourite in his arms? To whom did -he appear to repeat her faltering words, when, raising his voice and -turning his head towards the door of the room from which he had issued, -he said: “Removed to the Conciergerie, and summoned for to-morrow?” - - - - -VI. Triumph - - -The dread tribunal of five Judges, Public Prosecutor, and determined -Jury, sat every day. Their lists went forth every evening, and were -read out by the gaolers of the various prisons to their prisoners. The -standard gaoler-joke was, “Come out and listen to the Evening Paper, you -inside there!” - -“Charles Evremonde, called Darnay!” - -So at last began the Evening Paper at La Force. - -When a name was called, its owner stepped apart into a spot reserved -for those who were announced as being thus fatally recorded. Charles -Evremonde, called Darnay, had reason to know the usage; he had seen -hundreds pass away so. - -His bloated gaoler, who wore spectacles to read with, glanced over them -to assure himself that he had taken his place, and went through the -list, making a similar short pause at each name. There were twenty-three -names, but only twenty were responded to; for one of the prisoners so -summoned had died in gaol and been forgotten, and two had already been -guillotined and forgotten. The list was read, in the vaulted chamber -where Darnay had seen the associated prisoners on the night of his -arrival. Every one of those had perished in the massacre; every human -creature he had since cared for and parted with, had died on the -scaffold. - -There were hurried words of farewell and kindness, but the parting was -soon over. It was the incident of every day, and the society of La Force -were engaged in the preparation of some games of forfeits and a little -concert, for that evening. They crowded to the grates and shed tears -there; but, twenty places in the projected entertainments had to be -refilled, and the time was, at best, short to the lock-up hour, when the -common rooms and corridors would be delivered over to the great dogs -who kept watch there through the night. The prisoners were far from -insensible or unfeeling; their ways arose out of the condition of the -time. Similarly, though with a subtle difference, a species of fervour -or intoxication, known, without doubt, to have led some persons to -brave the guillotine unnecessarily, and to die by it, was not mere -boastfulness, but a wild infection of the wildly shaken public mind. In -seasons of pestilence, some of us will have a secret attraction to the -disease--a terrible passing inclination to die of it. And all of us have -like wonders hidden in our breasts, only needing circumstances to evoke -them. - -The passage to the Conciergerie was short and dark; the night in its -vermin-haunted cells was long and cold. Next day, fifteen prisoners were -put to the bar before Charles Darnay's name was called. All the fifteen -were condemned, and the trials of the whole occupied an hour and a half. - -“Charles Evremonde, called Darnay,” was at length arraigned. - -His judges sat upon the Bench in feathered hats; but the rough red cap -and tricoloured cockade was the head-dress otherwise prevailing. Looking -at the Jury and the turbulent audience, he might have thought that the -usual order of things was reversed, and that the felons were trying the -honest men. The lowest, cruelest, and worst populace of a city, never -without its quantity of low, cruel, and bad, were the directing -spirits of the scene: noisily commenting, applauding, disapproving, -anticipating, and precipitating the result, without a check. Of the men, -the greater part were armed in various ways; of the women, some wore -knives, some daggers, some ate and drank as they looked on, many -knitted. Among these last, was one, with a spare piece of knitting under -her arm as she worked. She was in a front row, by the side of a man whom -he had never seen since his arrival at the Barrier, but whom he directly -remembered as Defarge. He noticed that she once or twice whispered in -his ear, and that she seemed to be his wife; but, what he most noticed -in the two figures was, that although they were posted as close to -himself as they could be, they never looked towards him. They seemed to -be waiting for something with a dogged determination, and they looked at -the Jury, but at nothing else. Under the President sat Doctor Manette, -in his usual quiet dress. As well as the prisoner could see, he and Mr. -Lorry were the only men there, unconnected with the Tribunal, who -wore their usual clothes, and had not assumed the coarse garb of the -Carmagnole. - -Charles Evremonde, called Darnay, was accused by the public prosecutor -as an emigrant, whose life was forfeit to the Republic, under the decree -which banished all emigrants on pain of Death. It was nothing that the -decree bore date since his return to France. There he was, and there was -the decree; he had been taken in France, and his head was demanded. - -“Take off his head!” cried the audience. “An enemy to the Republic!” - -The President rang his bell to silence those cries, and asked the -prisoner whether it was not true that he had lived many years in -England? - -Undoubtedly it was. - -Was he not an emigrant then? What did he call himself? - -Not an emigrant, he hoped, within the sense and spirit of the law. - -Why not? the President desired to know. - -Because he had voluntarily relinquished a title that was distasteful -to him, and a station that was distasteful to him, and had left -his country--he submitted before the word emigrant in the present -acceptation by the Tribunal was in use--to live by his own industry in -England, rather than on the industry of the overladen people of France. - -What proof had he of this? - -He handed in the names of two witnesses; Theophile Gabelle, and -Alexandre Manette. - -But he had married in England? the President reminded him. - -True, but not an English woman. - -A citizeness of France? - -Yes. By birth. - -Her name and family? - -“Lucie Manette, only daughter of Doctor Manette, the good physician who -sits there.” - -This answer had a happy effect upon the audience. Cries in exaltation -of the well-known good physician rent the hall. So capriciously were -the people moved, that tears immediately rolled down several ferocious -countenances which had been glaring at the prisoner a moment before, as -if with impatience to pluck him out into the streets and kill him. - -On these few steps of his dangerous way, Charles Darnay had set his foot -according to Doctor Manette's reiterated instructions. The same cautious -counsel directed every step that lay before him, and had prepared every -inch of his road. - -The President asked, why had he returned to France when he did, and not -sooner? - -He had not returned sooner, he replied, simply because he had no means -of living in France, save those he had resigned; whereas, in England, -he lived by giving instruction in the French language and literature. -He had returned when he did, on the pressing and written entreaty of -a French citizen, who represented that his life was endangered by his -absence. He had come back, to save a citizen's life, and to bear his -testimony, at whatever personal hazard, to the truth. Was that criminal -in the eyes of the Republic? - -The populace cried enthusiastically, “No!” and the President rang his -bell to quiet them. Which it did not, for they continued to cry “No!” - until they left off, of their own will. - -The President required the name of that citizen. The accused explained -that the citizen was his first witness. He also referred with confidence -to the citizen's letter, which had been taken from him at the Barrier, -but which he did not doubt would be found among the papers then before -the President. - -The Doctor had taken care that it should be there--had assured him that -it would be there--and at this stage of the proceedings it was produced -and read. Citizen Gabelle was called to confirm it, and did so. Citizen -Gabelle hinted, with infinite delicacy and politeness, that in the -pressure of business imposed on the Tribunal by the multitude of -enemies of the Republic with which it had to deal, he had been slightly -overlooked in his prison of the Abbaye--in fact, had rather passed out -of the Tribunal's patriotic remembrance--until three days ago; when he -had been summoned before it, and had been set at liberty on the Jury's -declaring themselves satisfied that the accusation against him was -answered, as to himself, by the surrender of the citizen Evremonde, -called Darnay. - -Doctor Manette was next questioned. His high personal popularity, -and the clearness of his answers, made a great impression; but, as he -proceeded, as he showed that the Accused was his first friend on his -release from his long imprisonment; that, the accused had remained in -England, always faithful and devoted to his daughter and himself in -their exile; that, so far from being in favour with the Aristocrat -government there, he had actually been tried for his life by it, as -the foe of England and friend of the United States--as he brought these -circumstances into view, with the greatest discretion and with the -straightforward force of truth and earnestness, the Jury and the -populace became one. At last, when he appealed by name to Monsieur -Lorry, an English gentleman then and there present, who, like himself, -had been a witness on that English trial and could corroborate his -account of it, the Jury declared that they had heard enough, and that -they were ready with their votes if the President were content to -receive them. - -At every vote (the Jurymen voted aloud and individually), the populace -set up a shout of applause. All the voices were in the prisoner's -favour, and the President declared him free. - -Then, began one of those extraordinary scenes with which the populace -sometimes gratified their fickleness, or their better impulses towards -generosity and mercy, or which they regarded as some set-off against -their swollen account of cruel rage. No man can decide now to which of -these motives such extraordinary scenes were referable; it is probable, -to a blending of all the three, with the second predominating. No sooner -was the acquittal pronounced, than tears were shed as freely as blood -at another time, and such fraternal embraces were bestowed upon the -prisoner by as many of both sexes as could rush at him, that after -his long and unwholesome confinement he was in danger of fainting from -exhaustion; none the less because he knew very well, that the very same -people, carried by another current, would have rushed at him with -the very same intensity, to rend him to pieces and strew him over the -streets. - -His removal, to make way for other accused persons who were to be tried, -rescued him from these caresses for the moment. Five were to be tried -together, next, as enemies of the Republic, forasmuch as they had not -assisted it by word or deed. So quick was the Tribunal to compensate -itself and the nation for a chance lost, that these five came down to -him before he left the place, condemned to die within twenty-four -hours. The first of them told him so, with the customary prison sign -of Death--a raised finger--and they all added in words, “Long live the -Republic!” - -The five had had, it is true, no audience to lengthen their proceedings, -for when he and Doctor Manette emerged from the gate, there was a great -crowd about it, in which there seemed to be every face he had seen in -Court--except two, for which he looked in vain. On his coming out, the -concourse made at him anew, weeping, embracing, and shouting, all by -turns and all together, until the very tide of the river on the bank of -which the mad scene was acted, seemed to run mad, like the people on the -shore. - -They put him into a great chair they had among them, and which they had -taken either out of the Court itself, or one of its rooms or passages. -Over the chair they had thrown a red flag, and to the back of it they -had bound a pike with a red cap on its top. In this car of triumph, not -even the Doctor's entreaties could prevent his being carried to his home -on men's shoulders, with a confused sea of red caps heaving about him, -and casting up to sight from the stormy deep such wrecks of faces, that -he more than once misdoubted his mind being in confusion, and that he -was in the tumbril on his way to the Guillotine. - -In wild dreamlike procession, embracing whom they met and pointing -him out, they carried him on. Reddening the snowy streets with the -prevailing Republican colour, in winding and tramping through them, as -they had reddened them below the snow with a deeper dye, they carried -him thus into the courtyard of the building where he lived. Her father -had gone on before, to prepare her, and when her husband stood upon his -feet, she dropped insensible in his arms. - -As he held her to his heart and turned her beautiful head between his -face and the brawling crowd, so that his tears and her lips might come -together unseen, a few of the people fell to dancing. Instantly, all the -rest fell to dancing, and the courtyard overflowed with the Carmagnole. -Then, they elevated into the vacant chair a young woman from the -crowd to be carried as the Goddess of Liberty, and then swelling and -overflowing out into the adjacent streets, and along the river's bank, -and over the bridge, the Carmagnole absorbed them every one and whirled -them away. - -After grasping the Doctor's hand, as he stood victorious and proud -before him; after grasping the hand of Mr. Lorry, who came panting in -breathless from his struggle against the waterspout of the Carmagnole; -after kissing little Lucie, who was lifted up to clasp her arms round -his neck; and after embracing the ever zealous and faithful Pross who -lifted her; he took his wife in his arms, and carried her up to their -rooms. - -“Lucie! My own! I am safe.” - -“O dearest Charles, let me thank God for this on my knees as I have -prayed to Him.” - -They all reverently bowed their heads and hearts. When she was again in -his arms, he said to her: - -“And now speak to your father, dearest. No other man in all this France -could have done what he has done for me.” - -She laid her head upon her father's breast, as she had laid his poor -head on her own breast, long, long ago. He was happy in the return he -had made her, he was recompensed for his suffering, he was proud of his -strength. “You must not be weak, my darling,” he remonstrated; “don't -tremble so. I have saved him.” - - - - -VII. A Knock at the Door - - -“I have saved him.” It was not another of the dreams in which he had -often come back; he was really here. And yet his wife trembled, and a -vague but heavy fear was upon her. - -All the air round was so thick and dark, the people were so passionately -revengeful and fitful, the innocent were so constantly put to death on -vague suspicion and black malice, it was so impossible to forget that -many as blameless as her husband and as dear to others as he was to -her, every day shared the fate from which he had been clutched, that her -heart could not be as lightened of its load as she felt it ought to be. -The shadows of the wintry afternoon were beginning to fall, and even now -the dreadful carts were rolling through the streets. Her mind pursued -them, looking for him among the Condemned; and then she clung closer to -his real presence and trembled more. - -Her father, cheering her, showed a compassionate superiority to this -woman's weakness, which was wonderful to see. No garret, no shoemaking, -no One Hundred and Five, North Tower, now! He had accomplished the task -he had set himself, his promise was redeemed, he had saved Charles. Let -them all lean upon him. - -Their housekeeping was of a very frugal kind: not only because that was -the safest way of life, involving the least offence to the people, but -because they were not rich, and Charles, throughout his imprisonment, -had had to pay heavily for his bad food, and for his guard, and towards -the living of the poorer prisoners. Partly on this account, and -partly to avoid a domestic spy, they kept no servant; the citizen and -citizeness who acted as porters at the courtyard gate, rendered them -occasional service; and Jerry (almost wholly transferred to them by -Mr. Lorry) had become their daily retainer, and had his bed there every -night. - -It was an ordinance of the Republic One and Indivisible of Liberty, -Equality, Fraternity, or Death, that on the door or doorpost of every -house, the name of every inmate must be legibly inscribed in letters -of a certain size, at a certain convenient height from the ground. Mr. -Jerry Cruncher's name, therefore, duly embellished the doorpost down -below; and, as the afternoon shadows deepened, the owner of that name -himself appeared, from overlooking a painter whom Doctor Manette had -employed to add to the list the name of Charles Evremonde, called -Darnay. - -In the universal fear and distrust that darkened the time, all the usual -harmless ways of life were changed. In the Doctor's little household, as -in very many others, the articles of daily consumption that were wanted -were purchased every evening, in small quantities and at various small -shops. To avoid attracting notice, and to give as little occasion as -possible for talk and envy, was the general desire. - -For some months past, Miss Pross and Mr. Cruncher had discharged the -office of purveyors; the former carrying the money; the latter, the -basket. Every afternoon at about the time when the public lamps were -lighted, they fared forth on this duty, and made and brought home -such purchases as were needful. Although Miss Pross, through her long -association with a French family, might have known as much of their -language as of her own, if she had had a mind, she had no mind in that -direction; consequently she knew no more of that “nonsense” (as she was -pleased to call it) than Mr. Cruncher did. So her manner of marketing -was to plump a noun-substantive at the head of a shopkeeper without any -introduction in the nature of an article, and, if it happened not to be -the name of the thing she wanted, to look round for that thing, lay hold -of it, and hold on by it until the bargain was concluded. She always -made a bargain for it, by holding up, as a statement of its just price, -one finger less than the merchant held up, whatever his number might be. - -“Now, Mr. Cruncher,” said Miss Pross, whose eyes were red with felicity; -“if you are ready, I am.” - -Jerry hoarsely professed himself at Miss Pross's service. He had worn -all his rust off long ago, but nothing would file his spiky head down. - -“There's all manner of things wanted,” said Miss Pross, “and we shall -have a precious time of it. We want wine, among the rest. Nice toasts -these Redheads will be drinking, wherever we buy it.” - -“It will be much the same to your knowledge, miss, I should think,” - retorted Jerry, “whether they drink your health or the Old Un's.” - -“Who's he?” said Miss Pross. - -Mr. Cruncher, with some diffidence, explained himself as meaning “Old -Nick's.” - -“Ha!” said Miss Pross, “it doesn't need an interpreter to explain the -meaning of these creatures. They have but one, and it's Midnight Murder, -and Mischief.” - -“Hush, dear! Pray, pray, be cautious!” cried Lucie. - -“Yes, yes, yes, I'll be cautious,” said Miss Pross; “but I may say -among ourselves, that I do hope there will be no oniony and tobaccoey -smotherings in the form of embracings all round, going on in the -streets. Now, Ladybird, never you stir from that fire till I come back! -Take care of the dear husband you have recovered, and don't move your -pretty head from his shoulder as you have it now, till you see me again! -May I ask a question, Doctor Manette, before I go?” - -“I think you may take that liberty,” the Doctor answered, smiling. - -“For gracious sake, don't talk about Liberty; we have quite enough of -that,” said Miss Pross. - -“Hush, dear! Again?” Lucie remonstrated. - -“Well, my sweet,” said Miss Pross, nodding her head emphatically, “the -short and the long of it is, that I am a subject of His Most Gracious -Majesty King George the Third;” Miss Pross curtseyed at the name; “and -as such, my maxim is, Confound their politics, Frustrate their knavish -tricks, On him our hopes we fix, God save the King!” - -Mr. Cruncher, in an access of loyalty, growlingly repeated the words -after Miss Pross, like somebody at church. - -“I am glad you have so much of the Englishman in you, though I wish you -had never taken that cold in your voice,” said Miss Pross, approvingly. -“But the question, Doctor Manette. Is there”--it was the good creature's -way to affect to make light of anything that was a great anxiety -with them all, and to come at it in this chance manner--“is there any -prospect yet, of our getting out of this place?” - -“I fear not yet. It would be dangerous for Charles yet.” - -“Heigh-ho-hum!” said Miss Pross, cheerfully repressing a sigh as she -glanced at her darling's golden hair in the light of the fire, “then we -must have patience and wait: that's all. We must hold up our heads and -fight low, as my brother Solomon used to say. Now, Mr. Cruncher!--Don't -you move, Ladybird!” - -They went out, leaving Lucie, and her husband, her father, and the -child, by a bright fire. Mr. Lorry was expected back presently from the -Banking House. Miss Pross had lighted the lamp, but had put it aside in -a corner, that they might enjoy the fire-light undisturbed. Little Lucie -sat by her grandfather with her hands clasped through his arm: and he, -in a tone not rising much above a whisper, began to tell her a story of -a great and powerful Fairy who had opened a prison-wall and let out -a captive who had once done the Fairy a service. All was subdued and -quiet, and Lucie was more at ease than she had been. - -“What is that?” she cried, all at once. - -“My dear!” said her father, stopping in his story, and laying his hand -on hers, “command yourself. What a disordered state you are in! The -least thing--nothing--startles you! _You_, your father's daughter!” - -“I thought, my father,” said Lucie, excusing herself, with a pale face -and in a faltering voice, “that I heard strange feet upon the stairs.” - -“My love, the staircase is as still as Death.” - -As he said the word, a blow was struck upon the door. - -“Oh father, father. What can this be! Hide Charles. Save him!” - -“My child,” said the Doctor, rising, and laying his hand upon her -shoulder, “I _have_ saved him. What weakness is this, my dear! Let me go -to the door.” - -He took the lamp in his hand, crossed the two intervening outer rooms, -and opened it. A rude clattering of feet over the floor, and four rough -men in red caps, armed with sabres and pistols, entered the room. - -“The Citizen Evremonde, called Darnay,” said the first. - -“Who seeks him?” answered Darnay. - -“I seek him. We seek him. I know you, Evremonde; I saw you before the -Tribunal to-day. You are again the prisoner of the Republic.” - -The four surrounded him, where he stood with his wife and child clinging -to him. - -“Tell me how and why am I again a prisoner?” - -“It is enough that you return straight to the Conciergerie, and will -know to-morrow. You are summoned for to-morrow.” - -Doctor Manette, whom this visitation had so turned into stone, that he -stood with the lamp in his hand, as if he were a statue made to hold it, -moved after these words were spoken, put the lamp down, and confronting -the speaker, and taking him, not ungently, by the loose front of his red -woollen shirt, said: - -“You know him, you have said. Do you know me?” - -“Yes, I know you, Citizen Doctor.” - -“We all know you, Citizen Doctor,” said the other three. - -He looked abstractedly from one to another, and said, in a lower voice, -after a pause: - -“Will you answer his question to me then? How does this happen?” - -“Citizen Doctor,” said the first, reluctantly, “he has been denounced to -the Section of Saint Antoine. This citizen,” pointing out the second who -had entered, “is from Saint Antoine.” - -The citizen here indicated nodded his head, and added: - -“He is accused by Saint Antoine.” - -“Of what?” asked the Doctor. - -“Citizen Doctor,” said the first, with his former reluctance, “ask no -more. If the Republic demands sacrifices from you, without doubt you as -a good patriot will be happy to make them. The Republic goes before all. -The People is supreme. Evremonde, we are pressed.” - -“One word,” the Doctor entreated. “Will you tell me who denounced him?” - -“It is against rule,” answered the first; “but you can ask Him of Saint -Antoine here.” - -The Doctor turned his eyes upon that man. Who moved uneasily on his -feet, rubbed his beard a little, and at length said: - -“Well! Truly it is against rule. But he is denounced--and gravely--by -the Citizen and Citizeness Defarge. And by one other.” - -“What other?” - -“Do _you_ ask, Citizen Doctor?” - -“Yes.” - -“Then,” said he of Saint Antoine, with a strange look, “you will be -answered to-morrow. Now, I am dumb!” - - - - -VIII. A Hand at Cards - - -Happily unconscious of the new calamity at home, Miss Pross threaded her -way along the narrow streets and crossed the river by the bridge of the -Pont-Neuf, reckoning in her mind the number of indispensable purchases -she had to make. Mr. Cruncher, with the basket, walked at her side. They -both looked to the right and to the left into most of the shops they -passed, had a wary eye for all gregarious assemblages of people, and -turned out of their road to avoid any very excited group of talkers. It -was a raw evening, and the misty river, blurred to the eye with blazing -lights and to the ear with harsh noises, showed where the barges were -stationed in which the smiths worked, making guns for the Army of the -Republic. Woe to the man who played tricks with _that_ Army, or got -undeserved promotion in it! Better for him that his beard had never -grown, for the National Razor shaved him close. - -Having purchased a few small articles of grocery, and a measure of oil -for the lamp, Miss Pross bethought herself of the wine they wanted. -After peeping into several wine-shops, she stopped at the sign of the -Good Republican Brutus of Antiquity, not far from the National Palace, -once (and twice) the Tuileries, where the aspect of things rather -took her fancy. It had a quieter look than any other place of the same -description they had passed, and, though red with patriotic caps, was -not so red as the rest. Sounding Mr. Cruncher, and finding him of her -opinion, Miss Pross resorted to the Good Republican Brutus of Antiquity, -attended by her cavalier. - -Slightly observant of the smoky lights; of the people, pipe in mouth, -playing with limp cards and yellow dominoes; of the one bare-breasted, -bare-armed, soot-begrimed workman reading a journal aloud, and of -the others listening to him; of the weapons worn, or laid aside to be -resumed; of the two or three customers fallen forward asleep, who in the -popular high-shouldered shaggy black spencer looked, in that attitude, -like slumbering bears or dogs; the two outlandish customers approached -the counter, and showed what they wanted. - -As their wine was measuring out, a man parted from another man in a -corner, and rose to depart. In going, he had to face Miss Pross. No -sooner did he face her, than Miss Pross uttered a scream, and clapped -her hands. - -In a moment, the whole company were on their feet. That somebody was -assassinated by somebody vindicating a difference of opinion was the -likeliest occurrence. Everybody looked to see somebody fall, but only -saw a man and a woman standing staring at each other; the man with all -the outward aspect of a Frenchman and a thorough Republican; the woman, -evidently English. - -What was said in this disappointing anti-climax, by the disciples of the -Good Republican Brutus of Antiquity, except that it was something very -voluble and loud, would have been as so much Hebrew or Chaldean to Miss -Pross and her protector, though they had been all ears. But, they had no -ears for anything in their surprise. For, it must be recorded, that -not only was Miss Pross lost in amazement and agitation, but, -Mr. Cruncher--though it seemed on his own separate and individual -account--was in a state of the greatest wonder. - -“What is the matter?” said the man who had caused Miss Pross to scream; -speaking in a vexed, abrupt voice (though in a low tone), and in -English. - -“Oh, Solomon, dear Solomon!” cried Miss Pross, clapping her hands again. -“After not setting eyes upon you or hearing of you for so long a time, -do I find you here!” - -“Don't call me Solomon. Do you want to be the death of me?” asked the -man, in a furtive, frightened way. - -“Brother, brother!” cried Miss Pross, bursting into tears. “Have I ever -been so hard with you that you ask me such a cruel question?” - -“Then hold your meddlesome tongue,” said Solomon, “and come out, if you -want to speak to me. Pay for your wine, and come out. Who's this man?” - -Miss Pross, shaking her loving and dejected head at her by no means -affectionate brother, said through her tears, “Mr. Cruncher.” - -“Let him come out too,” said Solomon. “Does he think me a ghost?” - -Apparently, Mr. Cruncher did, to judge from his looks. He said not a -word, however, and Miss Pross, exploring the depths of her reticule -through her tears with great difficulty paid for her wine. As she did -so, Solomon turned to the followers of the Good Republican Brutus -of Antiquity, and offered a few words of explanation in the French -language, which caused them all to relapse into their former places and -pursuits. - -“Now,” said Solomon, stopping at the dark street corner, “what do you -want?” - -“How dreadfully unkind in a brother nothing has ever turned my love away -from!” cried Miss Pross, “to give me such a greeting, and show me no -affection.” - -“There. Confound it! There,” said Solomon, making a dab at Miss Pross's -lips with his own. “Now are you content?” - -Miss Pross only shook her head and wept in silence. - -“If you expect me to be surprised,” said her brother Solomon, “I am not -surprised; I knew you were here; I know of most people who are here. If -you really don't want to endanger my existence--which I half believe you -do--go your ways as soon as possible, and let me go mine. I am busy. I -am an official.” - -“My English brother Solomon,” mourned Miss Pross, casting up her -tear-fraught eyes, “that had the makings in him of one of the best and -greatest of men in his native country, an official among foreigners, and -such foreigners! I would almost sooner have seen the dear boy lying in -his--” - -“I said so!” cried her brother, interrupting. “I knew it. You want to be -the death of me. I shall be rendered Suspected, by my own sister. Just -as I am getting on!” - -“The gracious and merciful Heavens forbid!” cried Miss Pross. “Far -rather would I never see you again, dear Solomon, though I have ever -loved you truly, and ever shall. Say but one affectionate word to me, -and tell me there is nothing angry or estranged between us, and I will -detain you no longer.” - -Good Miss Pross! As if the estrangement between them had come of any -culpability of hers. As if Mr. Lorry had not known it for a fact, years -ago, in the quiet corner in Soho, that this precious brother had spent -her money and left her! - -He was saying the affectionate word, however, with a far more grudging -condescension and patronage than he could have shown if their relative -merits and positions had been reversed (which is invariably the case, -all the world over), when Mr. Cruncher, touching him on the shoulder, -hoarsely and unexpectedly interposed with the following singular -question: - -“I say! Might I ask the favour? As to whether your name is John Solomon, -or Solomon John?” - -The official turned towards him with sudden distrust. He had not -previously uttered a word. - -“Come!” said Mr. Cruncher. “Speak out, you know.” (Which, by the way, -was more than he could do himself.) “John Solomon, or Solomon John? She -calls you Solomon, and she must know, being your sister. And _I_ know -you're John, you know. Which of the two goes first? And regarding that -name of Pross, likewise. That warn't your name over the water.” - -“What do you mean?” - -“Well, I don't know all I mean, for I can't call to mind what your name -was, over the water.” - -“No?” - -“No. But I'll swear it was a name of two syllables.” - -“Indeed?” - -“Yes. T'other one's was one syllable. I know you. You was a spy--witness -at the Bailey. What, in the name of the Father of Lies, own father to -yourself, was you called at that time?” - -“Barsad,” said another voice, striking in. - -“That's the name for a thousand pound!” cried Jerry. - -The speaker who struck in, was Sydney Carton. He had his hands behind -him under the skirts of his riding-coat, and he stood at Mr. Cruncher's -elbow as negligently as he might have stood at the Old Bailey itself. - -“Don't be alarmed, my dear Miss Pross. I arrived at Mr. Lorry's, to his -surprise, yesterday evening; we agreed that I would not present myself -elsewhere until all was well, or unless I could be useful; I present -myself here, to beg a little talk with your brother. I wish you had a -better employed brother than Mr. Barsad. I wish for your sake Mr. Barsad -was not a Sheep of the Prisons.” - -Sheep was a cant word of the time for a spy, under the gaolers. The spy, -who was pale, turned paler, and asked him how he dared-- - -“I'll tell you,” said Sydney. “I lighted on you, Mr. Barsad, coming out -of the prison of the Conciergerie while I was contemplating the walls, -an hour or more ago. You have a face to be remembered, and I remember -faces well. Made curious by seeing you in that connection, and having -a reason, to which you are no stranger, for associating you with -the misfortunes of a friend now very unfortunate, I walked in your -direction. I walked into the wine-shop here, close after you, and -sat near you. I had no difficulty in deducing from your unreserved -conversation, and the rumour openly going about among your admirers, the -nature of your calling. And gradually, what I had done at random, seemed -to shape itself into a purpose, Mr. Barsad.” - -“What purpose?” the spy asked. - -“It would be troublesome, and might be dangerous, to explain in the -street. Could you favour me, in confidence, with some minutes of your -company--at the office of Tellson's Bank, for instance?” - -“Under a threat?” - -“Oh! Did I say that?” - -“Then, why should I go there?” - -“Really, Mr. Barsad, I can't say, if you can't.” - -“Do you mean that you won't say, sir?” the spy irresolutely asked. - -“You apprehend me very clearly, Mr. Barsad. I won't.” - -Carton's negligent recklessness of manner came powerfully in aid of his -quickness and skill, in such a business as he had in his secret mind, -and with such a man as he had to do with. His practised eye saw it, and -made the most of it. - -“Now, I told you so,” said the spy, casting a reproachful look at his -sister; “if any trouble comes of this, it's your doing.” - -“Come, come, Mr. Barsad!” exclaimed Sydney. “Don't be ungrateful. -But for my great respect for your sister, I might not have led up so -pleasantly to a little proposal that I wish to make for our mutual -satisfaction. Do you go with me to the Bank?” - -“I'll hear what you have got to say. Yes, I'll go with you.” - -“I propose that we first conduct your sister safely to the corner of her -own street. Let me take your arm, Miss Pross. This is not a good city, -at this time, for you to be out in, unprotected; and as your escort -knows Mr. Barsad, I will invite him to Mr. Lorry's with us. Are we -ready? Come then!” - -Miss Pross recalled soon afterwards, and to the end of her life -remembered, that as she pressed her hands on Sydney's arm and looked up -in his face, imploring him to do no hurt to Solomon, there was a braced -purpose in the arm and a kind of inspiration in the eyes, which not only -contradicted his light manner, but changed and raised the man. She was -too much occupied then with fears for the brother who so little deserved -her affection, and with Sydney's friendly reassurances, adequately to -heed what she observed. - -They left her at the corner of the street, and Carton led the way to Mr. -Lorry's, which was within a few minutes' walk. John Barsad, or Solomon -Pross, walked at his side. - -Mr. Lorry had just finished his dinner, and was sitting before a cheery -little log or two of fire--perhaps looking into their blaze for the -picture of that younger elderly gentleman from Tellson's, who had looked -into the red coals at the Royal George at Dover, now a good many years -ago. He turned his head as they entered, and showed the surprise with -which he saw a stranger. - -“Miss Pross's brother, sir,” said Sydney. “Mr. Barsad.” - -“Barsad?” repeated the old gentleman, “Barsad? I have an association -with the name--and with the face.” - -“I told you you had a remarkable face, Mr. Barsad,” observed Carton, -coolly. “Pray sit down.” - -As he took a chair himself, he supplied the link that Mr. Lorry wanted, -by saying to him with a frown, “Witness at that trial.” Mr. Lorry -immediately remembered, and regarded his new visitor with an undisguised -look of abhorrence. - -“Mr. Barsad has been recognised by Miss Pross as the affectionate -brother you have heard of,” said Sydney, “and has acknowledged the -relationship. I pass to worse news. Darnay has been arrested again.” - -Struck with consternation, the old gentleman exclaimed, “What do you -tell me! I left him safe and free within these two hours, and am about -to return to him!” - -“Arrested for all that. When was it done, Mr. Barsad?” - -“Just now, if at all.” - -“Mr. Barsad is the best authority possible, sir,” said Sydney, “and I -have it from Mr. Barsad's communication to a friend and brother Sheep -over a bottle of wine, that the arrest has taken place. He left the -messengers at the gate, and saw them admitted by the porter. There is no -earthly doubt that he is retaken.” - -Mr. Lorry's business eye read in the speaker's face that it was loss -of time to dwell upon the point. Confused, but sensible that something -might depend on his presence of mind, he commanded himself, and was -silently attentive. - -“Now, I trust,” said Sydney to him, “that the name and influence of -Doctor Manette may stand him in as good stead to-morrow--you said he -would be before the Tribunal again to-morrow, Mr. Barsad?--” - -“Yes; I believe so.” - -“--In as good stead to-morrow as to-day. But it may not be so. I own -to you, I am shaken, Mr. Lorry, by Doctor Manette's not having had the -power to prevent this arrest.” - -“He may not have known of it beforehand,” said Mr. Lorry. - -“But that very circumstance would be alarming, when we remember how -identified he is with his son-in-law.” - -“That's true,” Mr. Lorry acknowledged, with his troubled hand at his -chin, and his troubled eyes on Carton. - -“In short,” said Sydney, “this is a desperate time, when desperate games -are played for desperate stakes. Let the Doctor play the winning game; I -will play the losing one. No man's life here is worth purchase. Any one -carried home by the people to-day, may be condemned tomorrow. Now, the -stake I have resolved to play for, in case of the worst, is a friend -in the Conciergerie. And the friend I purpose to myself to win, is Mr. -Barsad.” - -“You need have good cards, sir,” said the spy. - -“I'll run them over. I'll see what I hold,--Mr. Lorry, you know what a -brute I am; I wish you'd give me a little brandy.” - -It was put before him, and he drank off a glassful--drank off another -glassful--pushed the bottle thoughtfully away. - -“Mr. Barsad,” he went on, in the tone of one who really was looking -over a hand at cards: “Sheep of the prisons, emissary of Republican -committees, now turnkey, now prisoner, always spy and secret informer, -so much the more valuable here for being English that an Englishman -is less open to suspicion of subornation in those characters than a -Frenchman, represents himself to his employers under a false name. -That's a very good card. Mr. Barsad, now in the employ of the republican -French government, was formerly in the employ of the aristocratic -English government, the enemy of France and freedom. That's an excellent -card. Inference clear as day in this region of suspicion, that Mr. -Barsad, still in the pay of the aristocratic English government, is the -spy of Pitt, the treacherous foe of the Republic crouching in its bosom, -the English traitor and agent of all mischief so much spoken of and so -difficult to find. That's a card not to be beaten. Have you followed my -hand, Mr. Barsad?” - -“Not to understand your play,” returned the spy, somewhat uneasily. - -“I play my Ace, Denunciation of Mr. Barsad to the nearest Section -Committee. Look over your hand, Mr. Barsad, and see what you have. Don't -hurry.” - -He drew the bottle near, poured out another glassful of brandy, and -drank it off. He saw that the spy was fearful of his drinking himself -into a fit state for the immediate denunciation of him. Seeing it, he -poured out and drank another glassful. - -“Look over your hand carefully, Mr. Barsad. Take time.” - -It was a poorer hand than he suspected. Mr. Barsad saw losing cards -in it that Sydney Carton knew nothing of. Thrown out of his honourable -employment in England, through too much unsuccessful hard swearing -there--not because he was not wanted there; our English reasons for -vaunting our superiority to secrecy and spies are of very modern -date--he knew that he had crossed the Channel, and accepted service in -France: first, as a tempter and an eavesdropper among his own countrymen -there: gradually, as a tempter and an eavesdropper among the natives. He -knew that under the overthrown government he had been a spy upon Saint -Antoine and Defarge's wine-shop; had received from the watchful police -such heads of information concerning Doctor Manette's imprisonment, -release, and history, as should serve him for an introduction to -familiar conversation with the Defarges; and tried them on Madame -Defarge, and had broken down with them signally. He always remembered -with fear and trembling, that that terrible woman had knitted when he -talked with her, and had looked ominously at him as her fingers moved. -He had since seen her, in the Section of Saint Antoine, over and over -again produce her knitted registers, and denounce people whose lives the -guillotine then surely swallowed up. He knew, as every one employed as -he was did, that he was never safe; that flight was impossible; that -he was tied fast under the shadow of the axe; and that in spite of -his utmost tergiversation and treachery in furtherance of the reigning -terror, a word might bring it down upon him. Once denounced, and on such -grave grounds as had just now been suggested to his mind, he foresaw -that the dreadful woman of whose unrelenting character he had seen many -proofs, would produce against him that fatal register, and would quash -his last chance of life. Besides that all secret men are men soon -terrified, here were surely cards enough of one black suit, to justify -the holder in growing rather livid as he turned them over. - -“You scarcely seem to like your hand,” said Sydney, with the greatest -composure. “Do you play?” - -“I think, sir,” said the spy, in the meanest manner, as he turned to Mr. -Lorry, “I may appeal to a gentleman of your years and benevolence, to -put it to this other gentleman, so much your junior, whether he can -under any circumstances reconcile it to his station to play that Ace -of which he has spoken. I admit that _I_ am a spy, and that it is -considered a discreditable station--though it must be filled by -somebody; but this gentleman is no spy, and why should he so demean -himself as to make himself one?” - -“I play my Ace, Mr. Barsad,” said Carton, taking the answer on himself, -and looking at his watch, “without any scruple, in a very few minutes.” - -“I should have hoped, gentlemen both,” said the spy, always striving to -hook Mr. Lorry into the discussion, “that your respect for my sister--” - -“I could not better testify my respect for your sister than by finally -relieving her of her brother,” said Sydney Carton. - -“You think not, sir?” - -“I have thoroughly made up my mind about it.” - -The smooth manner of the spy, curiously in dissonance with his -ostentatiously rough dress, and probably with his usual demeanour, -received such a check from the inscrutability of Carton,--who was a -mystery to wiser and honester men than he,--that it faltered here and -failed him. While he was at a loss, Carton said, resuming his former air -of contemplating cards: - -“And indeed, now I think again, I have a strong impression that I -have another good card here, not yet enumerated. That friend and -fellow-Sheep, who spoke of himself as pasturing in the country prisons; -who was he?” - -“French. You don't know him,” said the spy, quickly. - -“French, eh?” repeated Carton, musing, and not appearing to notice him -at all, though he echoed his word. “Well; he may be.” - -“Is, I assure you,” said the spy; “though it's not important.” - -“Though it's not important,” repeated Carton, in the same mechanical -way--“though it's not important--No, it's not important. No. Yet I know -the face.” - -“I think not. I am sure not. It can't be,” said the spy. - -“It-can't-be,” muttered Sydney Carton, retrospectively, and idling his -glass (which fortunately was a small one) again. “Can't-be. Spoke good -French. Yet like a foreigner, I thought?” - -“Provincial,” said the spy. - -“No. Foreign!” cried Carton, striking his open hand on the table, as a -light broke clearly on his mind. “Cly! Disguised, but the same man. We -had that man before us at the Old Bailey.” - -“Now, there you are hasty, sir,” said Barsad, with a smile that gave his -aquiline nose an extra inclination to one side; “there you really give -me an advantage over you. Cly (who I will unreservedly admit, at this -distance of time, was a partner of mine) has been dead several years. I -attended him in his last illness. He was buried in London, at the church -of Saint Pancras-in-the-Fields. His unpopularity with the blackguard -multitude at the moment prevented my following his remains, but I helped -to lay him in his coffin.” - -Here, Mr. Lorry became aware, from where he sat, of a most remarkable -goblin shadow on the wall. Tracing it to its source, he discovered it -to be caused by a sudden extraordinary rising and stiffening of all the -risen and stiff hair on Mr. Cruncher's head. - -“Let us be reasonable,” said the spy, “and let us be fair. To show you -how mistaken you are, and what an unfounded assumption yours is, I will -lay before you a certificate of Cly's burial, which I happened to have -carried in my pocket-book,” with a hurried hand he produced and opened -it, “ever since. There it is. Oh, look at it, look at it! You may take -it in your hand; it's no forgery.” - -Here, Mr. Lorry perceived the reflection on the wall to elongate, and -Mr. Cruncher rose and stepped forward. His hair could not have been more -violently on end, if it had been that moment dressed by the Cow with the -crumpled horn in the house that Jack built. - -Unseen by the spy, Mr. Cruncher stood at his side, and touched him on -the shoulder like a ghostly bailiff. - -“That there Roger Cly, master,” said Mr. Cruncher, with a taciturn and -iron-bound visage. “So _you_ put him in his coffin?” - -“I did.” - -“Who took him out of it?” - -Barsad leaned back in his chair, and stammered, “What do you mean?” - -“I mean,” said Mr. Cruncher, “that he warn't never in it. No! Not he! -I'll have my head took off, if he was ever in it.” - -The spy looked round at the two gentlemen; they both looked in -unspeakable astonishment at Jerry. - -“I tell you,” said Jerry, “that you buried paving-stones and earth in -that there coffin. Don't go and tell me that you buried Cly. It was a -take in. Me and two more knows it.” - -“How do you know it?” - -“What's that to you? Ecod!” growled Mr. Cruncher, “it's you I have got a -old grudge again, is it, with your shameful impositions upon tradesmen! -I'd catch hold of your throat and choke you for half a guinea.” - -Sydney Carton, who, with Mr. Lorry, had been lost in amazement at -this turn of the business, here requested Mr. Cruncher to moderate and -explain himself. - -“At another time, sir,” he returned, evasively, “the present time is -ill-conwenient for explainin'. What I stand to, is, that he knows well -wot that there Cly was never in that there coffin. Let him say he was, -in so much as a word of one syllable, and I'll either catch hold of his -throat and choke him for half a guinea;” Mr. Cruncher dwelt upon this as -quite a liberal offer; “or I'll out and announce him.” - -“Humph! I see one thing,” said Carton. “I hold another card, Mr. Barsad. -Impossible, here in raging Paris, with Suspicion filling the air, for -you to outlive denunciation, when you are in communication with another -aristocratic spy of the same antecedents as yourself, who, moreover, has -the mystery about him of having feigned death and come to life again! -A plot in the prisons, of the foreigner against the Republic. A strong -card--a certain Guillotine card! Do you play?” - -“No!” returned the spy. “I throw up. I confess that we were so unpopular -with the outrageous mob, that I only got away from England at the risk -of being ducked to death, and that Cly was so ferreted up and down, that -he never would have got away at all but for that sham. Though how this -man knows it was a sham, is a wonder of wonders to me.” - -“Never you trouble your head about this man,” retorted the contentious -Mr. Cruncher; “you'll have trouble enough with giving your attention to -that gentleman. And look here! Once more!”--Mr. Cruncher could not -be restrained from making rather an ostentatious parade of his -liberality--“I'd catch hold of your throat and choke you for half a -guinea.” - -The Sheep of the prisons turned from him to Sydney Carton, and said, -with more decision, “It has come to a point. I go on duty soon, and -can't overstay my time. You told me you had a proposal; what is it? -Now, it is of no use asking too much of me. Ask me to do anything in my -office, putting my head in great extra danger, and I had better trust my -life to the chances of a refusal than the chances of consent. In short, -I should make that choice. You talk of desperation. We are all desperate -here. Remember! I may denounce you if I think proper, and I can swear my -way through stone walls, and so can others. Now, what do you want with -me?” - -“Not very much. You are a turnkey at the Conciergerie?” - -“I tell you once for all, there is no such thing as an escape possible,” - said the spy, firmly. - -“Why need you tell me what I have not asked? You are a turnkey at the -Conciergerie?” - -“I am sometimes.” - -“You can be when you choose?” - -“I can pass in and out when I choose.” - -Sydney Carton filled another glass with brandy, poured it slowly out -upon the hearth, and watched it as it dropped. It being all spent, he -said, rising: - -“So far, we have spoken before these two, because it was as well that -the merits of the cards should not rest solely between you and me. Come -into the dark room here, and let us have one final word alone.” - - - - -IX. The Game Made - - -While Sydney Carton and the Sheep of the prisons were in the adjoining -dark room, speaking so low that not a sound was heard, Mr. Lorry looked -at Jerry in considerable doubt and mistrust. That honest tradesman's -manner of receiving the look, did not inspire confidence; he changed the -leg on which he rested, as often as if he had fifty of those limbs, -and were trying them all; he examined his finger-nails with a very -questionable closeness of attention; and whenever Mr. Lorry's eye caught -his, he was taken with that peculiar kind of short cough requiring the -hollow of a hand before it, which is seldom, if ever, known to be an -infirmity attendant on perfect openness of character. - -“Jerry,” said Mr. Lorry. “Come here.” - -Mr. Cruncher came forward sideways, with one of his shoulders in advance -of him. - -“What have you been, besides a messenger?” - -After some cogitation, accompanied with an intent look at his patron, -Mr. Cruncher conceived the luminous idea of replying, “Agicultooral -character.” - -“My mind misgives me much,” said Mr. Lorry, angrily shaking a forefinger -at him, “that you have used the respectable and great house of Tellson's -as a blind, and that you have had an unlawful occupation of an infamous -description. If you have, don't expect me to befriend you when you -get back to England. If you have, don't expect me to keep your secret. -Tellson's shall not be imposed upon.” - -“I hope, sir,” pleaded the abashed Mr. Cruncher, “that a gentleman like -yourself wot I've had the honour of odd jobbing till I'm grey at it, -would think twice about harming of me, even if it wos so--I don't say it -is, but even if it wos. And which it is to be took into account that if -it wos, it wouldn't, even then, be all o' one side. There'd be two sides -to it. There might be medical doctors at the present hour, a picking -up their guineas where a honest tradesman don't pick up his -fardens--fardens! no, nor yet his half fardens--half fardens! no, nor -yet his quarter--a banking away like smoke at Tellson's, and a cocking -their medical eyes at that tradesman on the sly, a going in and going -out to their own carriages--ah! equally like smoke, if not more so. -Well, that 'ud be imposing, too, on Tellson's. For you cannot sarse the -goose and not the gander. And here's Mrs. Cruncher, or leastways wos -in the Old England times, and would be to-morrow, if cause given, -a floppin' again the business to that degree as is ruinating--stark -ruinating! Whereas them medical doctors' wives don't flop--catch 'em at -it! Or, if they flop, their floppings goes in favour of more patients, -and how can you rightly have one without t'other? Then, wot with -undertakers, and wot with parish clerks, and wot with sextons, and wot -with private watchmen (all awaricious and all in it), a man wouldn't get -much by it, even if it wos so. And wot little a man did get, would never -prosper with him, Mr. Lorry. He'd never have no good of it; he'd want -all along to be out of the line, if he, could see his way out, being -once in--even if it wos so.” - -“Ugh!” cried Mr. Lorry, rather relenting, nevertheless, “I am shocked at -the sight of you.” - -“Now, what I would humbly offer to you, sir,” pursued Mr. Cruncher, -“even if it wos so, which I don't say it is--” - -“Don't prevaricate,” said Mr. Lorry. - -“No, I will _not_, sir,” returned Mr. Crunches as if nothing were -further from his thoughts or practice--“which I don't say it is--wot I -would humbly offer to you, sir, would be this. Upon that there stool, at -that there Bar, sets that there boy of mine, brought up and growed up to -be a man, wot will errand you, message you, general-light-job you, till -your heels is where your head is, if such should be your wishes. If it -wos so, which I still don't say it is (for I will not prewaricate to -you, sir), let that there boy keep his father's place, and take care of -his mother; don't blow upon that boy's father--do not do it, sir--and -let that father go into the line of the reg'lar diggin', and make amends -for what he would have undug--if it wos so--by diggin' of 'em in with -a will, and with conwictions respectin' the futur' keepin' of 'em safe. -That, Mr. Lorry,” said Mr. Cruncher, wiping his forehead with his -arm, as an announcement that he had arrived at the peroration of his -discourse, “is wot I would respectfully offer to you, sir. A man don't -see all this here a goin' on dreadful round him, in the way of Subjects -without heads, dear me, plentiful enough fur to bring the price down -to porterage and hardly that, without havin' his serious thoughts of -things. And these here would be mine, if it wos so, entreatin' of you -fur to bear in mind that wot I said just now, I up and said in the good -cause when I might have kep' it back.” - -“That at least is true,” said Mr. Lorry. “Say no more now. It may be -that I shall yet stand your friend, if you deserve it, and repent in -action--not in words. I want no more words.” - -Mr. Cruncher knuckled his forehead, as Sydney Carton and the spy -returned from the dark room. “Adieu, Mr. Barsad,” said the former; “our -arrangement thus made, you have nothing to fear from me.” - -He sat down in a chair on the hearth, over against Mr. Lorry. When they -were alone, Mr. Lorry asked him what he had done? - -“Not much. If it should go ill with the prisoner, I have ensured access -to him, once.” - -Mr. Lorry's countenance fell. - -“It is all I could do,” said Carton. “To propose too much, would be -to put this man's head under the axe, and, as he himself said, nothing -worse could happen to him if he were denounced. It was obviously the -weakness of the position. There is no help for it.” - -“But access to him,” said Mr. Lorry, “if it should go ill before the -Tribunal, will not save him.” - -“I never said it would.” - -Mr. Lorry's eyes gradually sought the fire; his sympathy with his -darling, and the heavy disappointment of his second arrest, gradually -weakened them; he was an old man now, overborne with anxiety of late, -and his tears fell. - -“You are a good man and a true friend,” said Carton, in an altered -voice. “Forgive me if I notice that you are affected. I could not see my -father weep, and sit by, careless. And I could not respect your -sorrow more, if you were my father. You are free from that misfortune, -however.” - -Though he said the last words, with a slip into his usual manner, there -was a true feeling and respect both in his tone and in his touch, -that Mr. Lorry, who had never seen the better side of him, was wholly -unprepared for. He gave him his hand, and Carton gently pressed it. - -“To return to poor Darnay,” said Carton. “Don't tell Her of this -interview, or this arrangement. It would not enable Her to go to see -him. She might think it was contrived, in case of the worse, to convey -to him the means of anticipating the sentence.” - -Mr. Lorry had not thought of that, and he looked quickly at Carton to -see if it were in his mind. It seemed to be; he returned the look, and -evidently understood it. - -“She might think a thousand things,” Carton said, “and any of them would -only add to her trouble. Don't speak of me to her. As I said to you when -I first came, I had better not see her. I can put my hand out, to do any -little helpful work for her that my hand can find to do, without that. -You are going to her, I hope? She must be very desolate to-night.” - -“I am going now, directly.” - -“I am glad of that. She has such a strong attachment to you and reliance -on you. How does she look?” - -“Anxious and unhappy, but very beautiful.” - -“Ah!” - -It was a long, grieving sound, like a sigh--almost like a sob. It -attracted Mr. Lorry's eyes to Carton's face, which was turned to the -fire. A light, or a shade (the old gentleman could not have said which), -passed from it as swiftly as a change will sweep over a hill-side on a -wild bright day, and he lifted his foot to put back one of the little -flaming logs, which was tumbling forward. He wore the white riding-coat -and top-boots, then in vogue, and the light of the fire touching their -light surfaces made him look very pale, with his long brown hair, -all untrimmed, hanging loose about him. His indifference to fire was -sufficiently remarkable to elicit a word of remonstrance from Mr. Lorry; -his boot was still upon the hot embers of the flaming log, when it had -broken under the weight of his foot. - -“I forgot it,” he said. - -Mr. Lorry's eyes were again attracted to his face. Taking note of the -wasted air which clouded the naturally handsome features, and having -the expression of prisoners' faces fresh in his mind, he was strongly -reminded of that expression. - -“And your duties here have drawn to an end, sir?” said Carton, turning -to him. - -“Yes. As I was telling you last night when Lucie came in so -unexpectedly, I have at length done all that I can do here. I hoped to -have left them in perfect safety, and then to have quitted Paris. I have -my Leave to Pass. I was ready to go.” - -They were both silent. - -“Yours is a long life to look back upon, sir?” said Carton, wistfully. - -“I am in my seventy-eighth year.” - -“You have been useful all your life; steadily and constantly occupied; -trusted, respected, and looked up to?” - -“I have been a man of business, ever since I have been a man. Indeed, I -may say that I was a man of business when a boy.” - -“See what a place you fill at seventy-eight. How many people will miss -you when you leave it empty!” - -“A solitary old bachelor,” answered Mr. Lorry, shaking his head. “There -is nobody to weep for me.” - -“How can you say that? Wouldn't She weep for you? Wouldn't her child?” - -“Yes, yes, thank God. I didn't quite mean what I said.” - -“It _is_ a thing to thank God for; is it not?” - -“Surely, surely.” - -“If you could say, with truth, to your own solitary heart, to-night, -'I have secured to myself the love and attachment, the gratitude or -respect, of no human creature; I have won myself a tender place in no -regard; I have done nothing good or serviceable to be remembered by!' -your seventy-eight years would be seventy-eight heavy curses; would they -not?” - -“You say truly, Mr. Carton; I think they would be.” - -Sydney turned his eyes again upon the fire, and, after a silence of a -few moments, said: - -“I should like to ask you:--Does your childhood seem far off? Do the -days when you sat at your mother's knee, seem days of very long ago?” - -Responding to his softened manner, Mr. Lorry answered: - -“Twenty years back, yes; at this time of my life, no. For, as I draw -closer and closer to the end, I travel in the circle, nearer and -nearer to the beginning. It seems to be one of the kind smoothings and -preparings of the way. My heart is touched now, by many remembrances -that had long fallen asleep, of my pretty young mother (and I so old!), -and by many associations of the days when what we call the World was not -so real with me, and my faults were not confirmed in me.” - -“I understand the feeling!” exclaimed Carton, with a bright flush. “And -you are the better for it?” - -“I hope so.” - -Carton terminated the conversation here, by rising to help him on with -his outer coat; “But you,” said Mr. Lorry, reverting to the theme, “you -are young.” - -“Yes,” said Carton. “I am not old, but my young way was never the way to -age. Enough of me.” - -“And of me, I am sure,” said Mr. Lorry. “Are you going out?” - -“I'll walk with you to her gate. You know my vagabond and restless -habits. If I should prowl about the streets a long time, don't be -uneasy; I shall reappear in the morning. You go to the Court to-morrow?” - -“Yes, unhappily.” - -“I shall be there, but only as one of the crowd. My Spy will find a -place for me. Take my arm, sir.” - -Mr. Lorry did so, and they went down-stairs and out in the streets. A -few minutes brought them to Mr. Lorry's destination. Carton left him -there; but lingered at a little distance, and turned back to the gate -again when it was shut, and touched it. He had heard of her going to -the prison every day. “She came out here,” he said, looking about him, -“turned this way, must have trod on these stones often. Let me follow in -her steps.” - -It was ten o'clock at night when he stood before the prison of La Force, -where she had stood hundreds of times. A little wood-sawyer, having -closed his shop, was smoking his pipe at his shop-door. - -“Good night, citizen,” said Sydney Carton, pausing in going by; for, the -man eyed him inquisitively. - -“Good night, citizen.” - -“How goes the Republic?” - -“You mean the Guillotine. Not ill. Sixty-three to-day. We shall mount -to a hundred soon. Samson and his men complain sometimes, of being -exhausted. Ha, ha, ha! He is so droll, that Samson. Such a Barber!” - -“Do you often go to see him--” - -“Shave? Always. Every day. What a barber! You have seen him at work?” - -“Never.” - -“Go and see him when he has a good batch. Figure this to yourself, -citizen; he shaved the sixty-three to-day, in less than two pipes! Less -than two pipes. Word of honour!” - -As the grinning little man held out the pipe he was smoking, to explain -how he timed the executioner, Carton was so sensible of a rising desire -to strike the life out of him, that he turned away. - -“But you are not English,” said the wood-sawyer, “though you wear -English dress?” - -“Yes,” said Carton, pausing again, and answering over his shoulder. - -“You speak like a Frenchman.” - -“I am an old student here.” - -“Aha, a perfect Frenchman! Good night, Englishman.” - -“Good night, citizen.” - -“But go and see that droll dog,” the little man persisted, calling after -him. “And take a pipe with you!” - -Sydney had not gone far out of sight, when he stopped in the middle of -the street under a glimmering lamp, and wrote with his pencil on a scrap -of paper. Then, traversing with the decided step of one who remembered -the way well, several dark and dirty streets--much dirtier than usual, -for the best public thoroughfares remained uncleansed in those times of -terror--he stopped at a chemist's shop, which the owner was closing with -his own hands. A small, dim, crooked shop, kept in a tortuous, up-hill -thoroughfare, by a small, dim, crooked man. - -Giving this citizen, too, good night, as he confronted him at his -counter, he laid the scrap of paper before him. “Whew!” the chemist -whistled softly, as he read it. “Hi! hi! hi!” - -Sydney Carton took no heed, and the chemist said: - -“For you, citizen?” - -“For me.” - -“You will be careful to keep them separate, citizen? You know the -consequences of mixing them?” - -“Perfectly.” - -Certain small packets were made and given to him. He put them, one by -one, in the breast of his inner coat, counted out the money for them, -and deliberately left the shop. “There is nothing more to do,” said he, -glancing upward at the moon, “until to-morrow. I can't sleep.” - -It was not a reckless manner, the manner in which he said these words -aloud under the fast-sailing clouds, nor was it more expressive of -negligence than defiance. It was the settled manner of a tired man, who -had wandered and struggled and got lost, but who at length struck into -his road and saw its end. - -Long ago, when he had been famous among his earliest competitors as a -youth of great promise, he had followed his father to the grave. His -mother had died, years before. These solemn words, which had been -read at his father's grave, arose in his mind as he went down the dark -streets, among the heavy shadows, with the moon and the clouds sailing -on high above him. “I am the resurrection and the life, saith the Lord: -he that believeth in me, though he were dead, yet shall he live: and -whosoever liveth and believeth in me, shall never die.” - -In a city dominated by the axe, alone at night, with natural sorrow -rising in him for the sixty-three who had been that day put to death, -and for to-morrow's victims then awaiting their doom in the prisons, -and still of to-morrow's and to-morrow's, the chain of association that -brought the words home, like a rusty old ship's anchor from the deep, -might have been easily found. He did not seek it, but repeated them and -went on. - -With a solemn interest in the lighted windows where the people were -going to rest, forgetful through a few calm hours of the horrors -surrounding them; in the towers of the churches, where no prayers -were said, for the popular revulsion had even travelled that length -of self-destruction from years of priestly impostors, plunderers, and -profligates; in the distant burial-places, reserved, as they wrote upon -the gates, for Eternal Sleep; in the abounding gaols; and in the streets -along which the sixties rolled to a death which had become so common and -material, that no sorrowful story of a haunting Spirit ever arose among -the people out of all the working of the Guillotine; with a solemn -interest in the whole life and death of the city settling down to its -short nightly pause in fury; Sydney Carton crossed the Seine again for -the lighter streets. - -Few coaches were abroad, for riders in coaches were liable to be -suspected, and gentility hid its head in red nightcaps, and put on heavy -shoes, and trudged. But, the theatres were all well filled, and the -people poured cheerfully out as he passed, and went chatting home. At -one of the theatre doors, there was a little girl with a mother, looking -for a way across the street through the mud. He carried the child over, -and before the timid arm was loosed from his neck asked her for a kiss. - -“I am the resurrection and the life, saith the Lord: he that believeth -in me, though he were dead, yet shall he live: and whosoever liveth and -believeth in me, shall never die.” - -Now, that the streets were quiet, and the night wore on, the words -were in the echoes of his feet, and were in the air. Perfectly calm -and steady, he sometimes repeated them to himself as he walked; but, he -heard them always. - -The night wore out, and, as he stood upon the bridge listening to the -water as it splashed the river-walls of the Island of Paris, where the -picturesque confusion of houses and cathedral shone bright in the light -of the moon, the day came coldly, looking like a dead face out of the -sky. Then, the night, with the moon and the stars, turned pale and died, -and for a little while it seemed as if Creation were delivered over to -Death's dominion. - -But, the glorious sun, rising, seemed to strike those words, that burden -of the night, straight and warm to his heart in its long bright rays. -And looking along them, with reverently shaded eyes, a bridge of light -appeared to span the air between him and the sun, while the river -sparkled under it. - -The strong tide, so swift, so deep, and certain, was like a congenial -friend, in the morning stillness. He walked by the stream, far from the -houses, and in the light and warmth of the sun fell asleep on the -bank. When he awoke and was afoot again, he lingered there yet a little -longer, watching an eddy that turned and turned purposeless, until the -stream absorbed it, and carried it on to the sea.--“Like me.” - -A trading-boat, with a sail of the softened colour of a dead leaf, then -glided into his view, floated by him, and died away. As its silent track -in the water disappeared, the prayer that had broken up out of his heart -for a merciful consideration of all his poor blindnesses and errors, -ended in the words, “I am the resurrection and the life.” - -Mr. Lorry was already out when he got back, and it was easy to surmise -where the good old man was gone. Sydney Carton drank nothing but a -little coffee, ate some bread, and, having washed and changed to refresh -himself, went out to the place of trial. - -The court was all astir and a-buzz, when the black sheep--whom many fell -away from in dread--pressed him into an obscure corner among the crowd. -Mr. Lorry was there, and Doctor Manette was there. She was there, -sitting beside her father. - -When her husband was brought in, she turned a look upon him, so -sustaining, so encouraging, so full of admiring love and pitying -tenderness, yet so courageous for his sake, that it called the healthy -blood into his face, brightened his glance, and animated his heart. If -there had been any eyes to notice the influence of her look, on Sydney -Carton, it would have been seen to be the same influence exactly. - -Before that unjust Tribunal, there was little or no order of procedure, -ensuring to any accused person any reasonable hearing. There could have -been no such Revolution, if all laws, forms, and ceremonies, had not -first been so monstrously abused, that the suicidal vengeance of the -Revolution was to scatter them all to the winds. - -Every eye was turned to the jury. The same determined patriots and good -republicans as yesterday and the day before, and to-morrow and the day -after. Eager and prominent among them, one man with a craving face, and -his fingers perpetually hovering about his lips, whose appearance -gave great satisfaction to the spectators. A life-thirsting, -cannibal-looking, bloody-minded juryman, the Jacques Three of St. -Antoine. The whole jury, as a jury of dogs empannelled to try the deer. - -Every eye then turned to the five judges and the public prosecutor. -No favourable leaning in that quarter to-day. A fell, uncompromising, -murderous business-meaning there. Every eye then sought some other eye -in the crowd, and gleamed at it approvingly; and heads nodded at one -another, before bending forward with a strained attention. - -Charles Evremonde, called Darnay. Released yesterday. Reaccused and -retaken yesterday. Indictment delivered to him last night. Suspected and -Denounced enemy of the Republic, Aristocrat, one of a family of tyrants, -one of a race proscribed, for that they had used their abolished -privileges to the infamous oppression of the people. Charles Evremonde, -called Darnay, in right of such proscription, absolutely Dead in Law. - -To this effect, in as few or fewer words, the Public Prosecutor. - -The President asked, was the Accused openly denounced or secretly? - -“Openly, President.” - -“By whom?” - -“Three voices. Ernest Defarge, wine-vendor of St. Antoine.” - -“Good.” - -“Therese Defarge, his wife.” - -“Good.” - -“Alexandre Manette, physician.” - -A great uproar took place in the court, and in the midst of it, Doctor -Manette was seen, pale and trembling, standing where he had been seated. - -“President, I indignantly protest to you that this is a forgery and -a fraud. You know the accused to be the husband of my daughter. My -daughter, and those dear to her, are far dearer to me than my life. Who -and where is the false conspirator who says that I denounce the husband -of my child!” - -“Citizen Manette, be tranquil. To fail in submission to the authority of -the Tribunal would be to put yourself out of Law. As to what is dearer -to you than life, nothing can be so dear to a good citizen as the -Republic.” - -Loud acclamations hailed this rebuke. The President rang his bell, and -with warmth resumed. - -“If the Republic should demand of you the sacrifice of your child -herself, you would have no duty but to sacrifice her. Listen to what is -to follow. In the meanwhile, be silent!” - -Frantic acclamations were again raised. Doctor Manette sat down, with -his eyes looking around, and his lips trembling; his daughter drew -closer to him. The craving man on the jury rubbed his hands together, -and restored the usual hand to his mouth. - -Defarge was produced, when the court was quiet enough to admit of his -being heard, and rapidly expounded the story of the imprisonment, and of -his having been a mere boy in the Doctor's service, and of the release, -and of the state of the prisoner when released and delivered to him. -This short examination followed, for the court was quick with its work. - -“You did good service at the taking of the Bastille, citizen?” - -“I believe so.” - -Here, an excited woman screeched from the crowd: “You were one of the -best patriots there. Why not say so? You were a cannonier that day -there, and you were among the first to enter the accursed fortress when -it fell. Patriots, I speak the truth!” - -It was The Vengeance who, amidst the warm commendations of the audience, -thus assisted the proceedings. The President rang his bell; but, The -Vengeance, warming with encouragement, shrieked, “I defy that bell!” - wherein she was likewise much commended. - -“Inform the Tribunal of what you did that day within the Bastille, -citizen.” - -“I knew,” said Defarge, looking down at his wife, who stood at the -bottom of the steps on which he was raised, looking steadily up at him; -“I knew that this prisoner, of whom I speak, had been confined in a cell -known as One Hundred and Five, North Tower. I knew it from himself. He -knew himself by no other name than One Hundred and Five, North Tower, -when he made shoes under my care. As I serve my gun that day, I resolve, -when the place shall fall, to examine that cell. It falls. I mount to -the cell, with a fellow-citizen who is one of the Jury, directed by a -gaoler. I examine it, very closely. In a hole in the chimney, where a -stone has been worked out and replaced, I find a written paper. This is -that written paper. I have made it my business to examine some specimens -of the writing of Doctor Manette. This is the writing of Doctor Manette. -I confide this paper, in the writing of Doctor Manette, to the hands of -the President.” - -“Let it be read.” - -In a dead silence and stillness--the prisoner under trial looking -lovingly at his wife, his wife only looking from him to look with -solicitude at her father, Doctor Manette keeping his eyes fixed on the -reader, Madame Defarge never taking hers from the prisoner, Defarge -never taking his from his feasting wife, and all the other eyes there -intent upon the Doctor, who saw none of them--the paper was read, as -follows. - - - - -X. The Substance of the Shadow - - -“I, Alexandre Manette, unfortunate physician, native of Beauvais, and -afterwards resident in Paris, write this melancholy paper in my doleful -cell in the Bastille, during the last month of the year, 1767. I write -it at stolen intervals, under every difficulty. I design to secrete it -in the wall of the chimney, where I have slowly and laboriously made a -place of concealment for it. Some pitying hand may find it there, when I -and my sorrows are dust. - -“These words are formed by the rusty iron point with which I write with -difficulty in scrapings of soot and charcoal from the chimney, mixed -with blood, in the last month of the tenth year of my captivity. Hope -has quite departed from my breast. I know from terrible warnings I have -noted in myself that my reason will not long remain unimpaired, but I -solemnly declare that I am at this time in the possession of my right -mind--that my memory is exact and circumstantial--and that I write the -truth as I shall answer for these my last recorded words, whether they -be ever read by men or not, at the Eternal Judgment-seat. - -“One cloudy moonlight night, in the third week of December (I think the -twenty-second of the month) in the year 1757, I was walking on a retired -part of the quay by the Seine for the refreshment of the frosty air, -at an hour's distance from my place of residence in the Street of the -School of Medicine, when a carriage came along behind me, driven very -fast. As I stood aside to let that carriage pass, apprehensive that it -might otherwise run me down, a head was put out at the window, and a -voice called to the driver to stop. - -“The carriage stopped as soon as the driver could rein in his horses, -and the same voice called to me by my name. I answered. The carriage -was then so far in advance of me that two gentlemen had time to open the -door and alight before I came up with it. - -“I observed that they were both wrapped in cloaks, and appeared to -conceal themselves. As they stood side by side near the carriage door, -I also observed that they both looked of about my own age, or rather -younger, and that they were greatly alike, in stature, manner, voice, -and (as far as I could see) face too. - -“'You are Doctor Manette?' said one. - -“I am.” - -“'Doctor Manette, formerly of Beauvais,' said the other; 'the young -physician, originally an expert surgeon, who within the last year or two -has made a rising reputation in Paris?' - -“'Gentlemen,' I returned, 'I am that Doctor Manette of whom you speak so -graciously.' - -“'We have been to your residence,' said the first, 'and not being -so fortunate as to find you there, and being informed that you were -probably walking in this direction, we followed, in the hope of -overtaking you. Will you please to enter the carriage?' - -“The manner of both was imperious, and they both moved, as these words -were spoken, so as to place me between themselves and the carriage door. -They were armed. I was not. - -“'Gentlemen,' said I, 'pardon me; but I usually inquire who does me -the honour to seek my assistance, and what is the nature of the case to -which I am summoned.' - -“The reply to this was made by him who had spoken second. 'Doctor, -your clients are people of condition. As to the nature of the case, -our confidence in your skill assures us that you will ascertain it for -yourself better than we can describe it. Enough. Will you please to -enter the carriage?' - -“I could do nothing but comply, and I entered it in silence. They both -entered after me--the last springing in, after putting up the steps. The -carriage turned about, and drove on at its former speed. - -“I repeat this conversation exactly as it occurred. I have no doubt that -it is, word for word, the same. I describe everything exactly as it took -place, constraining my mind not to wander from the task. Where I make -the broken marks that follow here, I leave off for the time, and put my -paper in its hiding-place. - - ***** - -“The carriage left the streets behind, passed the North Barrier, and -emerged upon the country road. At two-thirds of a league from the -Barrier--I did not estimate the distance at that time, but afterwards -when I traversed it--it struck out of the main avenue, and presently -stopped at a solitary house, We all three alighted, and walked, by -a damp soft footpath in a garden where a neglected fountain had -overflowed, to the door of the house. It was not opened immediately, in -answer to the ringing of the bell, and one of my two conductors struck -the man who opened it, with his heavy riding glove, across the face. - -“There was nothing in this action to attract my particular attention, -for I had seen common people struck more commonly than dogs. But, the -other of the two, being angry likewise, struck the man in like manner -with his arm; the look and bearing of the brothers were then so exactly -alike, that I then first perceived them to be twin brothers. - -“From the time of our alighting at the outer gate (which we found -locked, and which one of the brothers had opened to admit us, and had -relocked), I had heard cries proceeding from an upper chamber. I was -conducted to this chamber straight, the cries growing louder as we -ascended the stairs, and I found a patient in a high fever of the brain, -lying on a bed. - -“The patient was a woman of great beauty, and young; assuredly not much -past twenty. Her hair was torn and ragged, and her arms were bound to -her sides with sashes and handkerchiefs. I noticed that these bonds were -all portions of a gentleman's dress. On one of them, which was a fringed -scarf for a dress of ceremony, I saw the armorial bearings of a Noble, -and the letter E. - -“I saw this, within the first minute of my contemplation of the patient; -for, in her restless strivings she had turned over on her face on the -edge of the bed, had drawn the end of the scarf into her mouth, and was -in danger of suffocation. My first act was to put out my hand to relieve -her breathing; and in moving the scarf aside, the embroidery in the -corner caught my sight. - -“I turned her gently over, placed my hands upon her breast to calm her -and keep her down, and looked into her face. Her eyes were dilated and -wild, and she constantly uttered piercing shrieks, and repeated the -words, 'My husband, my father, and my brother!' and then counted up to -twelve, and said, 'Hush!' For an instant, and no more, she would pause -to listen, and then the piercing shrieks would begin again, and she -would repeat the cry, 'My husband, my father, and my brother!' and -would count up to twelve, and say, 'Hush!' There was no variation in the -order, or the manner. There was no cessation, but the regular moment's -pause, in the utterance of these sounds. - -“'How long,' I asked, 'has this lasted?' - -“To distinguish the brothers, I will call them the elder and the -younger; by the elder, I mean him who exercised the most authority. It -was the elder who replied, 'Since about this hour last night.' - -“'She has a husband, a father, and a brother?' - -“'A brother.' - -“'I do not address her brother?' - -“He answered with great contempt, 'No.' - -“'She has some recent association with the number twelve?' - -“The younger brother impatiently rejoined, 'With twelve o'clock?' - -“'See, gentlemen,' said I, still keeping my hands upon her breast, 'how -useless I am, as you have brought me! If I had known what I was coming -to see, I could have come provided. As it is, time must be lost. There -are no medicines to be obtained in this lonely place.' - -“The elder brother looked to the younger, who said haughtily, 'There is -a case of medicines here;' and brought it from a closet, and put it on -the table. - - ***** - -“I opened some of the bottles, smelt them, and put the stoppers to my -lips. If I had wanted to use anything save narcotic medicines that were -poisons in themselves, I would not have administered any of those. - -“'Do you doubt them?' asked the younger brother. - -“'You see, monsieur, I am going to use them,' I replied, and said no -more. - -“I made the patient swallow, with great difficulty, and after many -efforts, the dose that I desired to give. As I intended to repeat it -after a while, and as it was necessary to watch its influence, I then -sat down by the side of the bed. There was a timid and suppressed woman -in attendance (wife of the man down-stairs), who had retreated into -a corner. The house was damp and decayed, indifferently -furnished--evidently, recently occupied and temporarily used. Some thick -old hangings had been nailed up before the windows, to deaden the -sound of the shrieks. They continued to be uttered in their regular -succession, with the cry, 'My husband, my father, and my brother!' the -counting up to twelve, and 'Hush!' The frenzy was so violent, that I had -not unfastened the bandages restraining the arms; but, I had looked to -them, to see that they were not painful. The only spark of encouragement -in the case, was, that my hand upon the sufferer's breast had this much -soothing influence, that for minutes at a time it tranquillised the -figure. It had no effect upon the cries; no pendulum could be more -regular. - -“For the reason that my hand had this effect (I assume), I had sat by -the side of the bed for half an hour, with the two brothers looking on, -before the elder said: - -“'There is another patient.' - -“I was startled, and asked, 'Is it a pressing case?' - -“'You had better see,' he carelessly answered; and took up a light. - - ***** - -“The other patient lay in a back room across a second staircase, which -was a species of loft over a stable. There was a low plastered ceiling -to a part of it; the rest was open, to the ridge of the tiled roof, and -there were beams across. Hay and straw were stored in that portion of -the place, fagots for firing, and a heap of apples in sand. I had to -pass through that part, to get at the other. My memory is circumstantial -and unshaken. I try it with these details, and I see them all, in -this my cell in the Bastille, near the close of the tenth year of my -captivity, as I saw them all that night. - -“On some hay on the ground, with a cushion thrown under his head, lay a -handsome peasant boy--a boy of not more than seventeen at the most. -He lay on his back, with his teeth set, his right hand clenched on his -breast, and his glaring eyes looking straight upward. I could not see -where his wound was, as I kneeled on one knee over him; but, I could see -that he was dying of a wound from a sharp point. - -“'I am a doctor, my poor fellow,' said I. 'Let me examine it.' - -“'I do not want it examined,' he answered; 'let it be.' - -“It was under his hand, and I soothed him to let me move his hand away. -The wound was a sword-thrust, received from twenty to twenty-four hours -before, but no skill could have saved him if it had been looked to -without delay. He was then dying fast. As I turned my eyes to the elder -brother, I saw him looking down at this handsome boy whose life was -ebbing out, as if he were a wounded bird, or hare, or rabbit; not at all -as if he were a fellow-creature. - -“'How has this been done, monsieur?' said I. - -“'A crazed young common dog! A serf! Forced my brother to draw upon him, -and has fallen by my brother's sword--like a gentleman.' - -“There was no touch of pity, sorrow, or kindred humanity, in this -answer. The speaker seemed to acknowledge that it was inconvenient to -have that different order of creature dying there, and that it would -have been better if he had died in the usual obscure routine of his -vermin kind. He was quite incapable of any compassionate feeling about -the boy, or about his fate. - -“The boy's eyes had slowly moved to him as he had spoken, and they now -slowly moved to me. - -“'Doctor, they are very proud, these Nobles; but we common dogs are -proud too, sometimes. They plunder us, outrage us, beat us, kill us; but -we have a little pride left, sometimes. She--have you seen her, Doctor?' - -“The shrieks and the cries were audible there, though subdued by the -distance. He referred to them, as if she were lying in our presence. - -“I said, 'I have seen her.' - -“'She is my sister, Doctor. They have had their shameful rights, these -Nobles, in the modesty and virtue of our sisters, many years, but we -have had good girls among us. I know it, and have heard my father say -so. She was a good girl. She was betrothed to a good young man, too: a -tenant of his. We were all tenants of his--that man's who stands there. -The other is his brother, the worst of a bad race.' - -“It was with the greatest difficulty that the boy gathered bodily force -to speak; but, his spirit spoke with a dreadful emphasis. - -“'We were so robbed by that man who stands there, as all we common dogs -are by those superior Beings--taxed by him without mercy, obliged to -work for him without pay, obliged to grind our corn at his mill, obliged -to feed scores of his tame birds on our wretched crops, and forbidden -for our lives to keep a single tame bird of our own, pillaged and -plundered to that degree that when we chanced to have a bit of meat, we -ate it in fear, with the door barred and the shutters closed, that his -people should not see it and take it from us--I say, we were so robbed, -and hunted, and were made so poor, that our father told us it was a -dreadful thing to bring a child into the world, and that what we should -most pray for, was, that our women might be barren and our miserable -race die out!' - -“I had never before seen the sense of being oppressed, bursting forth -like a fire. I had supposed that it must be latent in the people -somewhere; but, I had never seen it break out, until I saw it in the -dying boy. - -“'Nevertheless, Doctor, my sister married. He was ailing at that time, -poor fellow, and she married her lover, that she might tend and comfort -him in our cottage--our dog-hut, as that man would call it. She had not -been married many weeks, when that man's brother saw her and admired -her, and asked that man to lend her to him--for what are husbands among -us! He was willing enough, but my sister was good and virtuous, and -hated his brother with a hatred as strong as mine. What did the two -then, to persuade her husband to use his influence with her, to make her -willing?' - -“The boy's eyes, which had been fixed on mine, slowly turned to the -looker-on, and I saw in the two faces that all he said was true. The two -opposing kinds of pride confronting one another, I can see, even in this -Bastille; the gentleman's, all negligent indifference; the peasant's, all -trodden-down sentiment, and passionate revenge. - -“'You know, Doctor, that it is among the Rights of these Nobles to -harness us common dogs to carts, and drive us. They so harnessed him and -drove him. You know that it is among their Rights to keep us in their -grounds all night, quieting the frogs, in order that their noble sleep -may not be disturbed. They kept him out in the unwholesome mists at -night, and ordered him back into his harness in the day. But he was -not persuaded. No! Taken out of harness one day at noon, to feed--if he -could find food--he sobbed twelve times, once for every stroke of the -bell, and died on her bosom.' - -“Nothing human could have held life in the boy but his determination to -tell all his wrong. He forced back the gathering shadows of death, as -he forced his clenched right hand to remain clenched, and to cover his -wound. - -“'Then, with that man's permission and even with his aid, his -brother took her away; in spite of what I know she must have told his -brother--and what that is, will not be long unknown to you, Doctor, if -it is now--his brother took her away--for his pleasure and diversion, -for a little while. I saw her pass me on the road. When I took the -tidings home, our father's heart burst; he never spoke one of the words -that filled it. I took my young sister (for I have another) to a place -beyond the reach of this man, and where, at least, she will never be -_his_ vassal. Then, I tracked the brother here, and last night climbed -in--a common dog, but sword in hand.--Where is the loft window? It was -somewhere here?' - -“The room was darkening to his sight; the world was narrowing around -him. I glanced about me, and saw that the hay and straw were trampled -over the floor, as if there had been a struggle. - -“'She heard me, and ran in. I told her not to come near us till he was -dead. He came in and first tossed me some pieces of money; then struck -at me with a whip. But I, though a common dog, so struck at him as to -make him draw. Let him break into as many pieces as he will, the sword -that he stained with my common blood; he drew to defend himself--thrust -at me with all his skill for his life.' - -“My glance had fallen, but a few moments before, on the fragments of -a broken sword, lying among the hay. That weapon was a gentleman's. In -another place, lay an old sword that seemed to have been a soldier's. - -“'Now, lift me up, Doctor; lift me up. Where is he?' - -“'He is not here,' I said, supporting the boy, and thinking that he -referred to the brother. - -“'He! Proud as these nobles are, he is afraid to see me. Where is the -man who was here? Turn my face to him.' - -“I did so, raising the boy's head against my knee. But, invested for the -moment with extraordinary power, he raised himself completely: obliging -me to rise too, or I could not have still supported him. - -“'Marquis,' said the boy, turned to him with his eyes opened wide, and -his right hand raised, 'in the days when all these things are to be -answered for, I summon you and yours, to the last of your bad race, to -answer for them. I mark this cross of blood upon you, as a sign that -I do it. In the days when all these things are to be answered for, -I summon your brother, the worst of the bad race, to answer for them -separately. I mark this cross of blood upon him, as a sign that I do -it.' - -“Twice, he put his hand to the wound in his breast, and with his -forefinger drew a cross in the air. He stood for an instant with the -finger yet raised, and as it dropped, he dropped with it, and I laid him -down dead. - - ***** - -“When I returned to the bedside of the young woman, I found her raving -in precisely the same order of continuity. I knew that this might last -for many hours, and that it would probably end in the silence of the -grave. - -“I repeated the medicines I had given her, and I sat at the side of -the bed until the night was far advanced. She never abated the piercing -quality of her shrieks, never stumbled in the distinctness or the order -of her words. They were always 'My husband, my father, and my brother! -One, two, three, four, five, six, seven, eight, nine, ten, eleven, -twelve. Hush!' - -“This lasted twenty-six hours from the time when I first saw her. I had -come and gone twice, and was again sitting by her, when she began to -falter. I did what little could be done to assist that opportunity, and -by-and-bye she sank into a lethargy, and lay like the dead. - -“It was as if the wind and rain had lulled at last, after a long and -fearful storm. I released her arms, and called the woman to assist me to -compose her figure and the dress she had torn. It was then that I knew -her condition to be that of one in whom the first expectations of being -a mother have arisen; and it was then that I lost the little hope I had -had of her. - -“'Is she dead?' asked the Marquis, whom I will still describe as the -elder brother, coming booted into the room from his horse. - -“'Not dead,' said I; 'but like to die.' - -“'What strength there is in these common bodies!' he said, looking down -at her with some curiosity. - -“'There is prodigious strength,' I answered him, 'in sorrow and -despair.' - -“He first laughed at my words, and then frowned at them. He moved a -chair with his foot near to mine, ordered the woman away, and said in a -subdued voice, - -“'Doctor, finding my brother in this difficulty with these hinds, I -recommended that your aid should be invited. Your reputation is high, -and, as a young man with your fortune to make, you are probably mindful -of your interest. The things that you see here, are things to be seen, -and not spoken of.' - -“I listened to the patient's breathing, and avoided answering. - -“'Do you honour me with your attention, Doctor?' - -“'Monsieur,' said I, 'in my profession, the communications of patients -are always received in confidence.' I was guarded in my answer, for I -was troubled in my mind with what I had heard and seen. - -“Her breathing was so difficult to trace, that I carefully tried the -pulse and the heart. There was life, and no more. Looking round as I -resumed my seat, I found both the brothers intent upon me. - - ***** - -“I write with so much difficulty, the cold is so severe, I am so -fearful of being detected and consigned to an underground cell and total -darkness, that I must abridge this narrative. There is no confusion or -failure in my memory; it can recall, and could detail, every word that -was ever spoken between me and those brothers. - -“She lingered for a week. Towards the last, I could understand some few -syllables that she said to me, by placing my ear close to her lips. She -asked me where she was, and I told her; who I was, and I told her. It -was in vain that I asked her for her family name. She faintly shook her -head upon the pillow, and kept her secret, as the boy had done. - -“I had no opportunity of asking her any question, until I had told the -brothers she was sinking fast, and could not live another day. Until -then, though no one was ever presented to her consciousness save the -woman and myself, one or other of them had always jealously sat behind -the curtain at the head of the bed when I was there. But when it came to -that, they seemed careless what communication I might hold with her; as -if--the thought passed through my mind--I were dying too. - -“I always observed that their pride bitterly resented the younger -brother's (as I call him) having crossed swords with a peasant, and that -peasant a boy. The only consideration that appeared to affect the mind -of either of them was the consideration that this was highly degrading -to the family, and was ridiculous. As often as I caught the younger -brother's eyes, their expression reminded me that he disliked me deeply, -for knowing what I knew from the boy. He was smoother and more polite to -me than the elder; but I saw this. I also saw that I was an incumbrance -in the mind of the elder, too. - -“My patient died, two hours before midnight--at a time, by my watch, -answering almost to the minute when I had first seen her. I was alone -with her, when her forlorn young head drooped gently on one side, and -all her earthly wrongs and sorrows ended. - -“The brothers were waiting in a room down-stairs, impatient to ride -away. I had heard them, alone at the bedside, striking their boots with -their riding-whips, and loitering up and down. - -“'At last she is dead?' said the elder, when I went in. - -“'She is dead,' said I. - -“'I congratulate you, my brother,' were his words as he turned round. - -“He had before offered me money, which I had postponed taking. He now -gave me a rouleau of gold. I took it from his hand, but laid it on -the table. I had considered the question, and had resolved to accept -nothing. - -“'Pray excuse me,' said I. 'Under the circumstances, no.' - -“They exchanged looks, but bent their heads to me as I bent mine to -them, and we parted without another word on either side. - - ***** - -“I am weary, weary, weary--worn down by misery. I cannot read what I -have written with this gaunt hand. - -“Early in the morning, the rouleau of gold was left at my door in a -little box, with my name on the outside. From the first, I had anxiously -considered what I ought to do. I decided, that day, to write privately -to the Minister, stating the nature of the two cases to which I had been -summoned, and the place to which I had gone: in effect, stating all the -circumstances. I knew what Court influence was, and what the immunities -of the Nobles were, and I expected that the matter would never be -heard of; but, I wished to relieve my own mind. I had kept the matter a -profound secret, even from my wife; and this, too, I resolved to state -in my letter. I had no apprehension whatever of my real danger; but -I was conscious that there might be danger for others, if others were -compromised by possessing the knowledge that I possessed. - -“I was much engaged that day, and could not complete my letter that -night. I rose long before my usual time next morning to finish it. -It was the last day of the year. The letter was lying before me just -completed, when I was told that a lady waited, who wished to see me. - - ***** - -“I am growing more and more unequal to the task I have set myself. It is -so cold, so dark, my senses are so benumbed, and the gloom upon me is so -dreadful. - -“The lady was young, engaging, and handsome, but not marked for long -life. She was in great agitation. She presented herself to me as the -wife of the Marquis St. Evremonde. I connected the title by which the -boy had addressed the elder brother, with the initial letter embroidered -on the scarf, and had no difficulty in arriving at the conclusion that I -had seen that nobleman very lately. - -“My memory is still accurate, but I cannot write the words of our -conversation. I suspect that I am watched more closely than I was, and I -know not at what times I may be watched. She had in part suspected, and -in part discovered, the main facts of the cruel story, of her husband's -share in it, and my being resorted to. She did not know that the girl -was dead. Her hope had been, she said in great distress, to show her, -in secret, a woman's sympathy. Her hope had been to avert the wrath of -Heaven from a House that had long been hateful to the suffering many. - -“She had reasons for believing that there was a young sister living, and -her greatest desire was, to help that sister. I could tell her nothing -but that there was such a sister; beyond that, I knew nothing. Her -inducement to come to me, relying on my confidence, had been the hope -that I could tell her the name and place of abode. Whereas, to this -wretched hour I am ignorant of both. - - ***** - -“These scraps of paper fail me. One was taken from me, with a warning, -yesterday. I must finish my record to-day. - -“She was a good, compassionate lady, and not happy in her marriage. How -could she be! The brother distrusted and disliked her, and his influence -was all opposed to her; she stood in dread of him, and in dread of her -husband too. When I handed her down to the door, there was a child, a -pretty boy from two to three years old, in her carriage. - -“'For his sake, Doctor,' she said, pointing to him in tears, 'I would do -all I can to make what poor amends I can. He will never prosper in his -inheritance otherwise. I have a presentiment that if no other innocent -atonement is made for this, it will one day be required of him. What -I have left to call my own--it is little beyond the worth of a few -jewels--I will make it the first charge of his life to bestow, with the -compassion and lamenting of his dead mother, on this injured family, if -the sister can be discovered.' - -“She kissed the boy, and said, caressing him, 'It is for thine own dear -sake. Thou wilt be faithful, little Charles?' The child answered her -bravely, 'Yes!' I kissed her hand, and she took him in her arms, and -went away caressing him. I never saw her more. - -“As she had mentioned her husband's name in the faith that I knew it, -I added no mention of it to my letter. I sealed my letter, and, not -trusting it out of my own hands, delivered it myself that day. - -“That night, the last night of the year, towards nine o'clock, a man in -a black dress rang at my gate, demanded to see me, and softly followed -my servant, Ernest Defarge, a youth, up-stairs. When my servant came -into the room where I sat with my wife--O my wife, beloved of my heart! -My fair young English wife!--we saw the man, who was supposed to be at -the gate, standing silent behind him. - -“An urgent case in the Rue St. Honore, he said. It would not detain me, -he had a coach in waiting. - -“It brought me here, it brought me to my grave. When I was clear of the -house, a black muffler was drawn tightly over my mouth from behind, and -my arms were pinioned. The two brothers crossed the road from a dark -corner, and identified me with a single gesture. The Marquis took from -his pocket the letter I had written, showed it me, burnt it in the light -of a lantern that was held, and extinguished the ashes with his foot. -Not a word was spoken. I was brought here, I was brought to my living -grave. - -“If it had pleased _God_ to put it in the hard heart of either of the -brothers, in all these frightful years, to grant me any tidings of -my dearest wife--so much as to let me know by a word whether alive or -dead--I might have thought that He had not quite abandoned them. But, -now I believe that the mark of the red cross is fatal to them, and that -they have no part in His mercies. And them and their descendants, to the -last of their race, I, Alexandre Manette, unhappy prisoner, do this last -night of the year 1767, in my unbearable agony, denounce to the times -when all these things shall be answered for. I denounce them to Heaven -and to earth.” - -A terrible sound arose when the reading of this document was done. A -sound of craving and eagerness that had nothing articulate in it but -blood. The narrative called up the most revengeful passions of the time, -and there was not a head in the nation but must have dropped before it. - -Little need, in presence of that tribunal and that auditory, to show -how the Defarges had not made the paper public, with the other captured -Bastille memorials borne in procession, and had kept it, biding their -time. Little need to show that this detested family name had long been -anathematised by Saint Antoine, and was wrought into the fatal register. -The man never trod ground whose virtues and services would have -sustained him in that place that day, against such denunciation. - -And all the worse for the doomed man, that the denouncer was a -well-known citizen, his own attached friend, the father of his wife. One -of the frenzied aspirations of the populace was, for imitations of -the questionable public virtues of antiquity, and for sacrifices and -self-immolations on the people's altar. Therefore when the President -said (else had his own head quivered on his shoulders), that the good -physician of the Republic would deserve better still of the Republic by -rooting out an obnoxious family of Aristocrats, and would doubtless feel -a sacred glow and joy in making his daughter a widow and her child an -orphan, there was wild excitement, patriotic fervour, not a touch of -human sympathy. - -“Much influence around him, has that Doctor?” murmured Madame Defarge, -smiling to The Vengeance. “Save him now, my Doctor, save him!” - -At every juryman's vote, there was a roar. Another and another. Roar and -roar. - -Unanimously voted. At heart and by descent an Aristocrat, an enemy -of the Republic, a notorious oppressor of the People. Back to the -Conciergerie, and Death within four-and-twenty hours! - - - - -XI. Dusk - - -The wretched wife of the innocent man thus doomed to die, fell under -the sentence, as if she had been mortally stricken. But, she uttered no -sound; and so strong was the voice within her, representing that it was -she of all the world who must uphold him in his misery and not augment -it, that it quickly raised her, even from that shock. - -The Judges having to take part in a public demonstration out of doors, -the Tribunal adjourned. The quick noise and movement of the court's -emptying itself by many passages had not ceased, when Lucie stood -stretching out her arms towards her husband, with nothing in her face -but love and consolation. - -“If I might touch him! If I might embrace him once! O, good citizens, if -you would have so much compassion for us!” - -There was but a gaoler left, along with two of the four men who had -taken him last night, and Barsad. The people had all poured out to the -show in the streets. Barsad proposed to the rest, “Let her embrace -him then; it is but a moment.” It was silently acquiesced in, and they -passed her over the seats in the hall to a raised place, where he, by -leaning over the dock, could fold her in his arms. - -“Farewell, dear darling of my soul. My parting blessing on my love. We -shall meet again, where the weary are at rest!” - -They were her husband's words, as he held her to his bosom. - -“I can bear it, dear Charles. I am supported from above: don't suffer -for me. A parting blessing for our child.” - -“I send it to her by you. I kiss her by you. I say farewell to her by -you.” - -“My husband. No! A moment!” He was tearing himself apart from her. -“We shall not be separated long. I feel that this will break my heart -by-and-bye; but I will do my duty while I can, and when I leave her, God -will raise up friends for her, as He did for me.” - -Her father had followed her, and would have fallen on his knees to both -of them, but that Darnay put out a hand and seized him, crying: - -“No, no! What have you done, what have you done, that you should kneel -to us! We know now, what a struggle you made of old. We know, now what -you underwent when you suspected my descent, and when you knew it. We -know now, the natural antipathy you strove against, and conquered, for -her dear sake. We thank you with all our hearts, and all our love and -duty. Heaven be with you!” - -Her father's only answer was to draw his hands through his white hair, -and wring them with a shriek of anguish. - -“It could not be otherwise,” said the prisoner. “All things have worked -together as they have fallen out. It was the always-vain endeavour to -discharge my poor mother's trust that first brought my fatal presence -near you. Good could never come of such evil, a happier end was not in -nature to so unhappy a beginning. Be comforted, and forgive me. Heaven -bless you!” - -As he was drawn away, his wife released him, and stood looking after him -with her hands touching one another in the attitude of prayer, and -with a radiant look upon her face, in which there was even a comforting -smile. As he went out at the prisoners' door, she turned, laid her head -lovingly on her father's breast, tried to speak to him, and fell at his -feet. - -Then, issuing from the obscure corner from which he had never moved, -Sydney Carton came and took her up. Only her father and Mr. Lorry were -with her. His arm trembled as it raised her, and supported her head. -Yet, there was an air about him that was not all of pity--that had a -flush of pride in it. - -“Shall I take her to a coach? I shall never feel her weight.” - -He carried her lightly to the door, and laid her tenderly down in a -coach. Her father and their old friend got into it, and he took his seat -beside the driver. - -When they arrived at the gateway where he had paused in the dark not -many hours before, to picture to himself on which of the rough stones of -the street her feet had trodden, he lifted her again, and carried her up -the staircase to their rooms. There, he laid her down on a couch, where -her child and Miss Pross wept over her. - -“Don't recall her to herself,” he said, softly, to the latter, “she is -better so. Don't revive her to consciousness, while she only faints.” - -“Oh, Carton, Carton, dear Carton!” cried little Lucie, springing up and -throwing her arms passionately round him, in a burst of grief. “Now that -you have come, I think you will do something to help mamma, something to -save papa! O, look at her, dear Carton! Can you, of all the people who -love her, bear to see her so?” - -He bent over the child, and laid her blooming cheek against his face. He -put her gently from him, and looked at her unconscious mother. - -“Before I go,” he said, and paused--“I may kiss her?” - -It was remembered afterwards that when he bent down and touched her face -with his lips, he murmured some words. The child, who was nearest to -him, told them afterwards, and told her grandchildren when she was a -handsome old lady, that she heard him say, “A life you love.” - -When he had gone out into the next room, he turned suddenly on Mr. Lorry -and her father, who were following, and said to the latter: - -“You had great influence but yesterday, Doctor Manette; let it at least -be tried. These judges, and all the men in power, are very friendly to -you, and very recognisant of your services; are they not?” - -“Nothing connected with Charles was concealed from me. I had the -strongest assurances that I should save him; and I did.” He returned the -answer in great trouble, and very slowly. - -“Try them again. The hours between this and to-morrow afternoon are few -and short, but try.” - -“I intend to try. I will not rest a moment.” - -“That's well. I have known such energy as yours do great things before -now--though never,” he added, with a smile and a sigh together, “such -great things as this. But try! Of little worth as life is when we misuse -it, it is worth that effort. It would cost nothing to lay down if it -were not.” - -“I will go,” said Doctor Manette, “to the Prosecutor and the President -straight, and I will go to others whom it is better not to name. I will -write too, and--But stay! There is a Celebration in the streets, and no -one will be accessible until dark.” - -“That's true. Well! It is a forlorn hope at the best, and not much the -forlorner for being delayed till dark. I should like to know how you -speed; though, mind! I expect nothing! When are you likely to have seen -these dread powers, Doctor Manette?” - -“Immediately after dark, I should hope. Within an hour or two from -this.” - -“It will be dark soon after four. Let us stretch the hour or two. If I -go to Mr. Lorry's at nine, shall I hear what you have done, either from -our friend or from yourself?” - -“Yes.” - -“May you prosper!” - -Mr. Lorry followed Sydney to the outer door, and, touching him on the -shoulder as he was going away, caused him to turn. - -“I have no hope,” said Mr. Lorry, in a low and sorrowful whisper. - -“Nor have I.” - -“If any one of these men, or all of these men, were disposed to spare -him--which is a large supposition; for what is his life, or any man's -to them!--I doubt if they durst spare him after the demonstration in the -court.” - -“And so do I. I heard the fall of the axe in that sound.” - -Mr. Lorry leaned his arm upon the door-post, and bowed his face upon it. - -“Don't despond,” said Carton, very gently; “don't grieve. I encouraged -Doctor Manette in this idea, because I felt that it might one day be -consolatory to her. Otherwise, she might think 'his life was wantonly -thrown away or wasted,' and that might trouble her.” - -“Yes, yes, yes,” returned Mr. Lorry, drying his eyes, “you are right. -But he will perish; there is no real hope.” - -“Yes. He will perish: there is no real hope,” echoed Carton. - -And walked with a settled step, down-stairs. - - - - -XII. Darkness - - -Sydney Carton paused in the street, not quite decided where to go. “At -Tellson's banking-house at nine,” he said, with a musing face. “Shall I -do well, in the mean time, to show myself? I think so. It is best that -these people should know there is such a man as I here; it is a sound -precaution, and may be a necessary preparation. But care, care, care! -Let me think it out!” - -Checking his steps which had begun to tend towards an object, he took a -turn or two in the already darkening street, and traced the thought -in his mind to its possible consequences. His first impression was -confirmed. “It is best,” he said, finally resolved, “that these people -should know there is such a man as I here.” And he turned his face -towards Saint Antoine. - -Defarge had described himself, that day, as the keeper of a wine-shop in -the Saint Antoine suburb. It was not difficult for one who knew the city -well, to find his house without asking any question. Having ascertained -its situation, Carton came out of those closer streets again, and dined -at a place of refreshment and fell sound asleep after dinner. For the -first time in many years, he had no strong drink. Since last night he -had taken nothing but a little light thin wine, and last night he had -dropped the brandy slowly down on Mr. Lorry's hearth like a man who had -done with it. - -It was as late as seven o'clock when he awoke refreshed, and went out -into the streets again. As he passed along towards Saint Antoine, he -stopped at a shop-window where there was a mirror, and slightly altered -the disordered arrangement of his loose cravat, and his coat-collar, and -his wild hair. This done, he went on direct to Defarge's, and went in. - -There happened to be no customer in the shop but Jacques Three, of the -restless fingers and the croaking voice. This man, whom he had seen upon -the Jury, stood drinking at the little counter, in conversation with the -Defarges, man and wife. The Vengeance assisted in the conversation, like -a regular member of the establishment. - -As Carton walked in, took his seat and asked (in very indifferent -French) for a small measure of wine, Madame Defarge cast a careless -glance at him, and then a keener, and then a keener, and then advanced -to him herself, and asked him what it was he had ordered. - -He repeated what he had already said. - -“English?” asked Madame Defarge, inquisitively raising her dark -eyebrows. - -After looking at her, as if the sound of even a single French word were -slow to express itself to him, he answered, in his former strong foreign -accent. “Yes, madame, yes. I am English!” - -Madame Defarge returned to her counter to get the wine, and, as he -took up a Jacobin journal and feigned to pore over it puzzling out its -meaning, he heard her say, “I swear to you, like Evremonde!” - -Defarge brought him the wine, and gave him Good Evening. - -“How?” - -“Good evening.” - -“Oh! Good evening, citizen,” filling his glass. “Ah! and good wine. I -drink to the Republic.” - -Defarge went back to the counter, and said, “Certainly, a little like.” - Madame sternly retorted, “I tell you a good deal like.” Jacques Three -pacifically remarked, “He is so much in your mind, see you, madame.” - The amiable Vengeance added, with a laugh, “Yes, my faith! And you -are looking forward with so much pleasure to seeing him once more -to-morrow!” - -Carton followed the lines and words of his paper, with a slow -forefinger, and with a studious and absorbed face. They were all leaning -their arms on the counter close together, speaking low. After a silence -of a few moments, during which they all looked towards him without -disturbing his outward attention from the Jacobin editor, they resumed -their conversation. - -“It is true what madame says,” observed Jacques Three. “Why stop? There -is great force in that. Why stop?” - -“Well, well,” reasoned Defarge, “but one must stop somewhere. After all, -the question is still where?” - -“At extermination,” said madame. - -“Magnificent!” croaked Jacques Three. The Vengeance, also, highly -approved. - -“Extermination is good doctrine, my wife,” said Defarge, rather -troubled; “in general, I say nothing against it. But this Doctor has -suffered much; you have seen him to-day; you have observed his face when -the paper was read.” - -“I have observed his face!” repeated madame, contemptuously and angrily. -“Yes. I have observed his face. I have observed his face to be not the -face of a true friend of the Republic. Let him take care of his face!” - -“And you have observed, my wife,” said Defarge, in a deprecatory manner, -“the anguish of his daughter, which must be a dreadful anguish to him!” - -“I have observed his daughter,” repeated madame; “yes, I have observed -his daughter, more times than one. I have observed her to-day, and I -have observed her other days. I have observed her in the court, and -I have observed her in the street by the prison. Let me but lift my -finger--!” She seemed to raise it (the listener's eyes were always on -his paper), and to let it fall with a rattle on the ledge before her, as -if the axe had dropped. - -“The citizeness is superb!” croaked the Juryman. - -“She is an Angel!” said The Vengeance, and embraced her. - -“As to thee,” pursued madame, implacably, addressing her husband, “if it -depended on thee--which, happily, it does not--thou wouldst rescue this -man even now.” - -“No!” protested Defarge. “Not if to lift this glass would do it! But I -would leave the matter there. I say, stop there.” - -“See you then, Jacques,” said Madame Defarge, wrathfully; “and see you, -too, my little Vengeance; see you both! Listen! For other crimes as -tyrants and oppressors, I have this race a long time on my register, -doomed to destruction and extermination. Ask my husband, is that so.” - -“It is so,” assented Defarge, without being asked. - -“In the beginning of the great days, when the Bastille falls, he finds -this paper of to-day, and he brings it home, and in the middle of the -night when this place is clear and shut, we read it, here on this spot, -by the light of this lamp. Ask him, is that so.” - -“It is so,” assented Defarge. - -“That night, I tell him, when the paper is read through, and the lamp is -burnt out, and the day is gleaming in above those shutters and between -those iron bars, that I have now a secret to communicate. Ask him, is -that so.” - -“It is so,” assented Defarge again. - -“I communicate to him that secret. I smite this bosom with these two -hands as I smite it now, and I tell him, 'Defarge, I was brought up -among the fishermen of the sea-shore, and that peasant family so injured -by the two Evremonde brothers, as that Bastille paper describes, is my -family. Defarge, that sister of the mortally wounded boy upon the ground -was my sister, that husband was my sister's husband, that unborn child -was their child, that brother was my brother, that father was my father, -those dead are my dead, and that summons to answer for those things -descends to me!' Ask him, is that so.” - -“It is so,” assented Defarge once more. - -“Then tell Wind and Fire where to stop,” returned madame; “but don't -tell me.” - -Both her hearers derived a horrible enjoyment from the deadly nature -of her wrath--the listener could feel how white she was, without seeing -her--and both highly commended it. Defarge, a weak minority, interposed -a few words for the memory of the compassionate wife of the Marquis; but -only elicited from his own wife a repetition of her last reply. “Tell -the Wind and the Fire where to stop; not me!” - -Customers entered, and the group was broken up. The English customer -paid for what he had had, perplexedly counted his change, and asked, as -a stranger, to be directed towards the National Palace. Madame Defarge -took him to the door, and put her arm on his, in pointing out the road. -The English customer was not without his reflections then, that it might -be a good deed to seize that arm, lift it, and strike under it sharp and -deep. - -But, he went his way, and was soon swallowed up in the shadow of the -prison wall. At the appointed hour, he emerged from it to present -himself in Mr. Lorry's room again, where he found the old gentleman -walking to and fro in restless anxiety. He said he had been with Lucie -until just now, and had only left her for a few minutes, to come and -keep his appointment. Her father had not been seen, since he quitted the -banking-house towards four o'clock. She had some faint hopes that his -mediation might save Charles, but they were very slight. He had been -more than five hours gone: where could he be? - -Mr. Lorry waited until ten; but, Doctor Manette not returning, and -he being unwilling to leave Lucie any longer, it was arranged that he -should go back to her, and come to the banking-house again at midnight. -In the meanwhile, Carton would wait alone by the fire for the Doctor. - -He waited and waited, and the clock struck twelve; but Doctor Manette -did not come back. Mr. Lorry returned, and found no tidings of him, and -brought none. Where could he be? - -They were discussing this question, and were almost building up some -weak structure of hope on his prolonged absence, when they heard him on -the stairs. The instant he entered the room, it was plain that all was -lost. - -Whether he had really been to any one, or whether he had been all that -time traversing the streets, was never known. As he stood staring at -them, they asked him no question, for his face told them everything. - -“I cannot find it,” said he, “and I must have it. Where is it?” - -His head and throat were bare, and, as he spoke with a helpless look -straying all around, he took his coat off, and let it drop on the floor. - -“Where is my bench? I have been looking everywhere for my bench, and I -can't find it. What have they done with my work? Time presses: I must -finish those shoes.” - -They looked at one another, and their hearts died within them. - -“Come, come!” said he, in a whimpering miserable way; “let me get to -work. Give me my work.” - -Receiving no answer, he tore his hair, and beat his feet upon the -ground, like a distracted child. - -“Don't torture a poor forlorn wretch,” he implored them, with a dreadful -cry; “but give me my work! What is to become of us, if those shoes are -not done to-night?” - -Lost, utterly lost! - -It was so clearly beyond hope to reason with him, or try to restore him, -that--as if by agreement--they each put a hand upon his shoulder, and -soothed him to sit down before the fire, with a promise that he should -have his work presently. He sank into the chair, and brooded over the -embers, and shed tears. As if all that had happened since the garret -time were a momentary fancy, or a dream, Mr. Lorry saw him shrink into -the exact figure that Defarge had had in keeping. - -Affected, and impressed with terror as they both were, by this spectacle -of ruin, it was not a time to yield to such emotions. His lonely -daughter, bereft of her final hope and reliance, appealed to them both -too strongly. Again, as if by agreement, they looked at one another with -one meaning in their faces. Carton was the first to speak: - -“The last chance is gone: it was not much. Yes; he had better be taken -to her. But, before you go, will you, for a moment, steadily attend to -me? Don't ask me why I make the stipulations I am going to make, and -exact the promise I am going to exact; I have a reason--a good one.” - -“I do not doubt it,” answered Mr. Lorry. “Say on.” - -The figure in the chair between them, was all the time monotonously -rocking itself to and fro, and moaning. They spoke in such a tone as -they would have used if they had been watching by a sick-bed in the -night. - -Carton stooped to pick up the coat, which lay almost entangling his -feet. As he did so, a small case in which the Doctor was accustomed to -carry the lists of his day's duties, fell lightly on the floor. Carton -took it up, and there was a folded paper in it. “We should look -at this!” he said. Mr. Lorry nodded his consent. He opened it, and -exclaimed, “Thank _God!_” - -“What is it?” asked Mr. Lorry, eagerly. - -“A moment! Let me speak of it in its place. First,” he put his hand in -his coat, and took another paper from it, “that is the certificate which -enables me to pass out of this city. Look at it. You see--Sydney Carton, -an Englishman?” - -Mr. Lorry held it open in his hand, gazing in his earnest face. - -“Keep it for me until to-morrow. I shall see him to-morrow, you -remember, and I had better not take it into the prison.” - -“Why not?” - -“I don't know; I prefer not to do so. Now, take this paper that Doctor -Manette has carried about him. It is a similar certificate, enabling him -and his daughter and her child, at any time, to pass the barrier and the -frontier! You see?” - -“Yes!” - -“Perhaps he obtained it as his last and utmost precaution against evil, -yesterday. When is it dated? But no matter; don't stay to look; put it -up carefully with mine and your own. Now, observe! I never doubted until -within this hour or two, that he had, or could have such a paper. It is -good, until recalled. But it may be soon recalled, and, I have reason to -think, will be.” - -“They are not in danger?” - -“They are in great danger. They are in danger of denunciation by Madame -Defarge. I know it from her own lips. I have overheard words of that -woman's, to-night, which have presented their danger to me in strong -colours. I have lost no time, and since then, I have seen the spy. He -confirms me. He knows that a wood-sawyer, living by the prison wall, -is under the control of the Defarges, and has been rehearsed by -Madame Defarge as to his having seen Her”--he never mentioned Lucie's -name--“making signs and signals to prisoners. It is easy to foresee that -the pretence will be the common one, a prison plot, and that it will -involve her life--and perhaps her child's--and perhaps her father's--for -both have been seen with her at that place. Don't look so horrified. You -will save them all.” - -“Heaven grant I may, Carton! But how?” - -“I am going to tell you how. It will depend on you, and it could depend -on no better man. This new denunciation will certainly not take place -until after to-morrow; probably not until two or three days afterwards; -more probably a week afterwards. You know it is a capital crime, to -mourn for, or sympathise with, a victim of the Guillotine. She and her -father would unquestionably be guilty of this crime, and this woman (the -inveteracy of whose pursuit cannot be described) would wait to add that -strength to her case, and make herself doubly sure. You follow me?” - -“So attentively, and with so much confidence in what you say, that for -the moment I lose sight,” touching the back of the Doctor's chair, “even -of this distress.” - -“You have money, and can buy the means of travelling to the seacoast -as quickly as the journey can be made. Your preparations have been -completed for some days, to return to England. Early to-morrow have your -horses ready, so that they may be in starting trim at two o'clock in the -afternoon.” - -“It shall be done!” - -His manner was so fervent and inspiring, that Mr. Lorry caught the -flame, and was as quick as youth. - -“You are a noble heart. Did I say we could depend upon no better man? -Tell her, to-night, what you know of her danger as involving her child -and her father. Dwell upon that, for she would lay her own fair head -beside her husband's cheerfully.” He faltered for an instant; then went -on as before. “For the sake of her child and her father, press upon her -the necessity of leaving Paris, with them and you, at that hour. Tell -her that it was her husband's last arrangement. Tell her that more -depends upon it than she dare believe, or hope. You think that her -father, even in this sad state, will submit himself to her; do you not?” - -“I am sure of it.” - -“I thought so. Quietly and steadily have all these arrangements made in -the courtyard here, even to the taking of your own seat in the carriage. -The moment I come to you, take me in, and drive away.” - -“I understand that I wait for you under all circumstances?” - -“You have my certificate in your hand with the rest, you know, and will -reserve my place. Wait for nothing but to have my place occupied, and -then for England!” - -“Why, then,” said Mr. Lorry, grasping his eager but so firm and steady -hand, “it does not all depend on one old man, but I shall have a young -and ardent man at my side.” - -“By the help of Heaven you shall! Promise me solemnly that nothing will -influence you to alter the course on which we now stand pledged to one -another.” - -“Nothing, Carton.” - -“Remember these words to-morrow: change the course, or delay in it--for -any reason--and no life can possibly be saved, and many lives must -inevitably be sacrificed.” - -“I will remember them. I hope to do my part faithfully.” - -“And I hope to do mine. Now, good bye!” - -Though he said it with a grave smile of earnestness, and though he even -put the old man's hand to his lips, he did not part from him then. He -helped him so far to arouse the rocking figure before the dying embers, -as to get a cloak and hat put upon it, and to tempt it forth to find -where the bench and work were hidden that it still moaningly besought -to have. He walked on the other side of it and protected it to the -courtyard of the house where the afflicted heart--so happy in -the memorable time when he had revealed his own desolate heart to -it--outwatched the awful night. He entered the courtyard and remained -there for a few moments alone, looking up at the light in the window of -her room. Before he went away, he breathed a blessing towards it, and a -Farewell. - - - - -XIII. Fifty-two - - -In the black prison of the Conciergerie, the doomed of the day awaited -their fate. They were in number as the weeks of the year. Fifty-two were -to roll that afternoon on the life-tide of the city to the boundless -everlasting sea. Before their cells were quit of them, new occupants -were appointed; before their blood ran into the blood spilled yesterday, -the blood that was to mingle with theirs to-morrow was already set -apart. - -Two score and twelve were told off. From the farmer-general of seventy, -whose riches could not buy his life, to the seamstress of twenty, whose -poverty and obscurity could not save her. Physical diseases, engendered -in the vices and neglects of men, will seize on victims of all degrees; -and the frightful moral disorder, born of unspeakable suffering, -intolerable oppression, and heartless indifference, smote equally -without distinction. - -Charles Darnay, alone in a cell, had sustained himself with no -flattering delusion since he came to it from the Tribunal. In every line -of the narrative he had heard, he had heard his condemnation. He had -fully comprehended that no personal influence could possibly save him, -that he was virtually sentenced by the millions, and that units could -avail him nothing. - -Nevertheless, it was not easy, with the face of his beloved wife fresh -before him, to compose his mind to what it must bear. His hold on life -was strong, and it was very, very hard, to loosen; by gradual efforts -and degrees unclosed a little here, it clenched the tighter there; and -when he brought his strength to bear on that hand and it yielded, -this was closed again. There was a hurry, too, in all his thoughts, -a turbulent and heated working of his heart, that contended against -resignation. If, for a moment, he did feel resigned, then his wife and -child who had to live after him, seemed to protest and to make it a -selfish thing. - -But, all this was at first. Before long, the consideration that there -was no disgrace in the fate he must meet, and that numbers went the same -road wrongfully, and trod it firmly every day, sprang up to stimulate -him. Next followed the thought that much of the future peace of mind -enjoyable by the dear ones, depended on his quiet fortitude. So, -by degrees he calmed into the better state, when he could raise his -thoughts much higher, and draw comfort down. - -Before it had set in dark on the night of his condemnation, he had -travelled thus far on his last way. Being allowed to purchase the means -of writing, and a light, he sat down to write until such time as the -prison lamps should be extinguished. - -He wrote a long letter to Lucie, showing her that he had known nothing -of her father's imprisonment, until he had heard of it from herself, -and that he had been as ignorant as she of his father's and uncle's -responsibility for that misery, until the paper had been read. He had -already explained to her that his concealment from herself of the name -he had relinquished, was the one condition--fully intelligible now--that -her father had attached to their betrothal, and was the one promise he -had still exacted on the morning of their marriage. He entreated her, -for her father's sake, never to seek to know whether her father had -become oblivious of the existence of the paper, or had had it recalled -to him (for the moment, or for good), by the story of the Tower, on -that old Sunday under the dear old plane-tree in the garden. If he had -preserved any definite remembrance of it, there could be no doubt that -he had supposed it destroyed with the Bastille, when he had found no -mention of it among the relics of prisoners which the populace had -discovered there, and which had been described to all the world. He -besought her--though he added that he knew it was needless--to console -her father, by impressing him through every tender means she could think -of, with the truth that he had done nothing for which he could justly -reproach himself, but had uniformly forgotten himself for their joint -sakes. Next to her preservation of his own last grateful love and -blessing, and her overcoming of her sorrow, to devote herself to their -dear child, he adjured her, as they would meet in Heaven, to comfort her -father. - -To her father himself, he wrote in the same strain; but, he told her -father that he expressly confided his wife and child to his care. And -he told him this, very strongly, with the hope of rousing him from any -despondency or dangerous retrospect towards which he foresaw he might be -tending. - -To Mr. Lorry, he commended them all, and explained his worldly affairs. -That done, with many added sentences of grateful friendship and warm -attachment, all was done. He never thought of Carton. His mind was so -full of the others, that he never once thought of him. - -He had time to finish these letters before the lights were put out. When -he lay down on his straw bed, he thought he had done with this world. - -But, it beckoned him back in his sleep, and showed itself in shining -forms. Free and happy, back in the old house in Soho (though it had -nothing in it like the real house), unaccountably released and light of -heart, he was with Lucie again, and she told him it was all a dream, and -he had never gone away. A pause of forgetfulness, and then he had even -suffered, and had come back to her, dead and at peace, and yet there -was no difference in him. Another pause of oblivion, and he awoke in the -sombre morning, unconscious where he was or what had happened, until it -flashed upon his mind, “this is the day of my death!” - -Thus, had he come through the hours, to the day when the fifty-two heads -were to fall. And now, while he was composed, and hoped that he could -meet the end with quiet heroism, a new action began in his waking -thoughts, which was very difficult to master. - -He had never seen the instrument that was to terminate his life. How -high it was from the ground, how many steps it had, where he would be -stood, how he would be touched, whether the touching hands would be dyed -red, which way his face would be turned, whether he would be the first, -or might be the last: these and many similar questions, in nowise -directed by his will, obtruded themselves over and over again, countless -times. Neither were they connected with fear: he was conscious of no -fear. Rather, they originated in a strange besetting desire to know what -to do when the time came; a desire gigantically disproportionate to the -few swift moments to which it referred; a wondering that was more like -the wondering of some other spirit within his, than his own. - -The hours went on as he walked to and fro, and the clocks struck the -numbers he would never hear again. Nine gone for ever, ten gone for -ever, eleven gone for ever, twelve coming on to pass away. After a hard -contest with that eccentric action of thought which had last perplexed -him, he had got the better of it. He walked up and down, softly -repeating their names to himself. The worst of the strife was over. -He could walk up and down, free from distracting fancies, praying for -himself and for them. - -Twelve gone for ever. - -He had been apprised that the final hour was Three, and he knew he would -be summoned some time earlier, inasmuch as the tumbrils jolted heavily -and slowly through the streets. Therefore, he resolved to keep Two -before his mind, as the hour, and so to strengthen himself in the -interval that he might be able, after that time, to strengthen others. - -Walking regularly to and fro with his arms folded on his breast, a very -different man from the prisoner, who had walked to and fro at La Force, -he heard One struck away from him, without surprise. The hour had -measured like most other hours. Devoutly thankful to Heaven for his -recovered self-possession, he thought, “There is but another now,” and -turned to walk again. - -Footsteps in the stone passage outside the door. He stopped. - -The key was put in the lock, and turned. Before the door was opened, or -as it opened, a man said in a low voice, in English: “He has never seen -me here; I have kept out of his way. Go you in alone; I wait near. Lose -no time!” - -The door was quickly opened and closed, and there stood before him -face to face, quiet, intent upon him, with the light of a smile on his -features, and a cautionary finger on his lip, Sydney Carton. - -There was something so bright and remarkable in his look, that, for the -first moment, the prisoner misdoubted him to be an apparition of his own -imagining. But, he spoke, and it was his voice; he took the prisoner's -hand, and it was his real grasp. - -“Of all the people upon earth, you least expected to see me?” he said. - -“I could not believe it to be you. I can scarcely believe it now. You -are not”--the apprehension came suddenly into his mind--“a prisoner?” - -“No. I am accidentally possessed of a power over one of the keepers -here, and in virtue of it I stand before you. I come from her--your -wife, dear Darnay.” - -The prisoner wrung his hand. - -“I bring you a request from her.” - -“What is it?” - -“A most earnest, pressing, and emphatic entreaty, addressed to you -in the most pathetic tones of the voice so dear to you, that you well -remember.” - -The prisoner turned his face partly aside. - -“You have no time to ask me why I bring it, or what it means; I have -no time to tell you. You must comply with it--take off those boots you -wear, and draw on these of mine.” - -There was a chair against the wall of the cell, behind the prisoner. -Carton, pressing forward, had already, with the speed of lightning, got -him down into it, and stood over him, barefoot. - -“Draw on these boots of mine. Put your hands to them; put your will to -them. Quick!” - -“Carton, there is no escaping from this place; it never can be done. You -will only die with me. It is madness.” - -“It would be madness if I asked you to escape; but do I? When I ask you -to pass out at that door, tell me it is madness and remain here. Change -that cravat for this of mine, that coat for this of mine. While you do -it, let me take this ribbon from your hair, and shake out your hair like -this of mine!” - -With wonderful quickness, and with a strength both of will and action, -that appeared quite supernatural, he forced all these changes upon him. -The prisoner was like a young child in his hands. - -“Carton! Dear Carton! It is madness. It cannot be accomplished, it never -can be done, it has been attempted, and has always failed. I implore you -not to add your death to the bitterness of mine.” - -“Do I ask you, my dear Darnay, to pass the door? When I ask that, -refuse. There are pen and ink and paper on this table. Is your hand -steady enough to write?” - -“It was when you came in.” - -“Steady it again, and write what I shall dictate. Quick, friend, quick!” - -Pressing his hand to his bewildered head, Darnay sat down at the table. -Carton, with his right hand in his breast, stood close beside him. - -“Write exactly as I speak.” - -“To whom do I address it?” - -“To no one.” Carton still had his hand in his breast. - -“Do I date it?” - -“No.” - -The prisoner looked up, at each question. Carton, standing over him with -his hand in his breast, looked down. - -“'If you remember,'” said Carton, dictating, “'the words that passed -between us, long ago, you will readily comprehend this when you see it. -You do remember them, I know. It is not in your nature to forget them.'” - -He was drawing his hand from his breast; the prisoner chancing to look -up in his hurried wonder as he wrote, the hand stopped, closing upon -something. - -“Have you written 'forget them'?” Carton asked. - -“I have. Is that a weapon in your hand?” - -“No; I am not armed.” - -“What is it in your hand?” - -“You shall know directly. Write on; there are but a few words more.” He -dictated again. “'I am thankful that the time has come, when I can prove -them. That I do so is no subject for regret or grief.'” As he said these -words with his eyes fixed on the writer, his hand slowly and softly -moved down close to the writer's face. - -The pen dropped from Darnay's fingers on the table, and he looked about -him vacantly. - -“What vapour is that?” he asked. - -“Vapour?” - -“Something that crossed me?” - -“I am conscious of nothing; there can be nothing here. Take up the pen -and finish. Hurry, hurry!” - -As if his memory were impaired, or his faculties disordered, the -prisoner made an effort to rally his attention. As he looked at Carton -with clouded eyes and with an altered manner of breathing, Carton--his -hand again in his breast--looked steadily at him. - -“Hurry, hurry!” - -The prisoner bent over the paper, once more. - -“'If it had been otherwise;'” Carton's hand was again watchfully and -softly stealing down; “'I never should have used the longer opportunity. -If it had been otherwise;'” the hand was at the prisoner's face; “'I -should but have had so much the more to answer for. If it had been -otherwise--'” Carton looked at the pen and saw it was trailing off into -unintelligible signs. - -Carton's hand moved back to his breast no more. The prisoner sprang up -with a reproachful look, but Carton's hand was close and firm at his -nostrils, and Carton's left arm caught him round the waist. For a few -seconds he faintly struggled with the man who had come to lay down his -life for him; but, within a minute or so, he was stretched insensible on -the ground. - -Quickly, but with hands as true to the purpose as his heart was, Carton -dressed himself in the clothes the prisoner had laid aside, combed back -his hair, and tied it with the ribbon the prisoner had worn. Then, he -softly called, “Enter there! Come in!” and the Spy presented himself. - -“You see?” said Carton, looking up, as he kneeled on one knee beside the -insensible figure, putting the paper in the breast: “is your hazard very -great?” - -“Mr. Carton,” the Spy answered, with a timid snap of his fingers, “my -hazard is not _that_, in the thick of business here, if you are true to -the whole of your bargain.” - -“Don't fear me. I will be true to the death.” - -“You must be, Mr. Carton, if the tale of fifty-two is to be right. Being -made right by you in that dress, I shall have no fear.” - -“Have no fear! I shall soon be out of the way of harming you, and the -rest will soon be far from here, please God! Now, get assistance and -take me to the coach.” - -“You?” said the Spy nervously. - -“Him, man, with whom I have exchanged. You go out at the gate by which -you brought me in?” - -“Of course.” - -“I was weak and faint when you brought me in, and I am fainter now you -take me out. The parting interview has overpowered me. Such a thing has -happened here, often, and too often. Your life is in your own hands. -Quick! Call assistance!” - -“You swear not to betray me?” said the trembling Spy, as he paused for a -last moment. - -“Man, man!” returned Carton, stamping his foot; “have I sworn by no -solemn vow already, to go through with this, that you waste the precious -moments now? Take him yourself to the courtyard you know of, place -him yourself in the carriage, show him yourself to Mr. Lorry, tell him -yourself to give him no restorative but air, and to remember my words of -last night, and his promise of last night, and drive away!” - -The Spy withdrew, and Carton seated himself at the table, resting his -forehead on his hands. The Spy returned immediately, with two men. - -“How, then?” said one of them, contemplating the fallen figure. “So -afflicted to find that his friend has drawn a prize in the lottery of -Sainte Guillotine?” - -“A good patriot,” said the other, “could hardly have been more afflicted -if the Aristocrat had drawn a blank.” - -They raised the unconscious figure, placed it on a litter they had -brought to the door, and bent to carry it away. - -“The time is short, Evremonde,” said the Spy, in a warning voice. - -“I know it well,” answered Carton. “Be careful of my friend, I entreat -you, and leave me.” - -“Come, then, my children,” said Barsad. “Lift him, and come away!” - -The door closed, and Carton was left alone. Straining his powers of -listening to the utmost, he listened for any sound that might denote -suspicion or alarm. There was none. Keys turned, doors clashed, -footsteps passed along distant passages: no cry was raised, or hurry -made, that seemed unusual. Breathing more freely in a little while, he -sat down at the table, and listened again until the clock struck Two. - -Sounds that he was not afraid of, for he divined their meaning, then -began to be audible. Several doors were opened in succession, and -finally his own. A gaoler, with a list in his hand, looked in, merely -saying, “Follow me, Evremonde!” and he followed into a large dark room, -at a distance. It was a dark winter day, and what with the shadows -within, and what with the shadows without, he could but dimly discern -the others who were brought there to have their arms bound. Some were -standing; some seated. Some were lamenting, and in restless motion; -but, these were few. The great majority were silent and still, looking -fixedly at the ground. - -As he stood by the wall in a dim corner, while some of the fifty-two -were brought in after him, one man stopped in passing, to embrace him, -as having a knowledge of him. It thrilled him with a great dread of -discovery; but the man went on. A very few moments after that, a young -woman, with a slight girlish form, a sweet spare face in which there was -no vestige of colour, and large widely opened patient eyes, rose from -the seat where he had observed her sitting, and came to speak to him. - -“Citizen Evremonde,” she said, touching him with her cold hand. “I am a -poor little seamstress, who was with you in La Force.” - -He murmured for answer: “True. I forget what you were accused of?” - -“Plots. Though the just Heaven knows that I am innocent of any. Is it -likely? Who would think of plotting with a poor little weak creature -like me?” - -The forlorn smile with which she said it, so touched him, that tears -started from his eyes. - -“I am not afraid to die, Citizen Evremonde, but I have done nothing. I -am not unwilling to die, if the Republic which is to do so much good -to us poor, will profit by my death; but I do not know how that can be, -Citizen Evremonde. Such a poor weak little creature!” - -As the last thing on earth that his heart was to warm and soften to, it -warmed and softened to this pitiable girl. - -“I heard you were released, Citizen Evremonde. I hoped it was true?” - -“It was. But, I was again taken and condemned.” - -“If I may ride with you, Citizen Evremonde, will you let me hold your -hand? I am not afraid, but I am little and weak, and it will give me -more courage.” - -As the patient eyes were lifted to his face, he saw a sudden doubt in -them, and then astonishment. He pressed the work-worn, hunger-worn young -fingers, and touched his lips. - -“Are you dying for him?” she whispered. - -“And his wife and child. Hush! Yes.” - -“O you will let me hold your brave hand, stranger?” - -“Hush! Yes, my poor sister; to the last.” - - ***** - -The same shadows that are falling on the prison, are falling, in that -same hour of the early afternoon, on the Barrier with the crowd about -it, when a coach going out of Paris drives up to be examined. - -“Who goes here? Whom have we within? Papers!” - -The papers are handed out, and read. - -“Alexandre Manette. Physician. French. Which is he?” - -This is he; this helpless, inarticulately murmuring, wandering old man -pointed out. - -“Apparently the Citizen-Doctor is not in his right mind? The -Revolution-fever will have been too much for him?” - -Greatly too much for him. - -“Hah! Many suffer with it. Lucie. His daughter. French. Which is she?” - -This is she. - -“Apparently it must be. Lucie, the wife of Evremonde; is it not?” - -It is. - -“Hah! Evremonde has an assignation elsewhere. Lucie, her child. English. -This is she?” - -She and no other. - -“Kiss me, child of Evremonde. Now, thou hast kissed a good Republican; -something new in thy family; remember it! Sydney Carton. Advocate. -English. Which is he?” - -He lies here, in this corner of the carriage. He, too, is pointed out. - -“Apparently the English advocate is in a swoon?” - -It is hoped he will recover in the fresher air. It is represented that -he is not in strong health, and has separated sadly from a friend who is -under the displeasure of the Republic. - -“Is that all? It is not a great deal, that! Many are under the -displeasure of the Republic, and must look out at the little window. -Jarvis Lorry. Banker. English. Which is he?” - -“I am he. Necessarily, being the last.” - -It is Jarvis Lorry who has replied to all the previous questions. It -is Jarvis Lorry who has alighted and stands with his hand on the coach -door, replying to a group of officials. They leisurely walk round the -carriage and leisurely mount the box, to look at what little luggage it -carries on the roof; the country-people hanging about, press nearer to -the coach doors and greedily stare in; a little child, carried by its -mother, has its short arm held out for it, that it may touch the wife of -an aristocrat who has gone to the Guillotine. - -“Behold your papers, Jarvis Lorry, countersigned.” - -“One can depart, citizen?” - -“One can depart. Forward, my postilions! A good journey!” - -“I salute you, citizens.--And the first danger passed!” - -These are again the words of Jarvis Lorry, as he clasps his hands, and -looks upward. There is terror in the carriage, there is weeping, there -is the heavy breathing of the insensible traveller. - -“Are we not going too slowly? Can they not be induced to go faster?” - asks Lucie, clinging to the old man. - -“It would seem like flight, my darling. I must not urge them too much; -it would rouse suspicion.” - -“Look back, look back, and see if we are pursued!” - -“The road is clear, my dearest. So far, we are not pursued.” - -Houses in twos and threes pass by us, solitary farms, ruinous buildings, -dye-works, tanneries, and the like, open country, avenues of leafless -trees. The hard uneven pavement is under us, the soft deep mud is on -either side. Sometimes, we strike into the skirting mud, to avoid the -stones that clatter us and shake us; sometimes, we stick in ruts and -sloughs there. The agony of our impatience is then so great, that in our -wild alarm and hurry we are for getting out and running--hiding--doing -anything but stopping. - -Out of the open country, in again among ruinous buildings, solitary -farms, dye-works, tanneries, and the like, cottages in twos and threes, -avenues of leafless trees. Have these men deceived us, and taken us back -by another road? Is not this the same place twice over? Thank Heaven, -no. A village. Look back, look back, and see if we are pursued! Hush! -the posting-house. - -Leisurely, our four horses are taken out; leisurely, the coach stands in -the little street, bereft of horses, and with no likelihood upon it -of ever moving again; leisurely, the new horses come into visible -existence, one by one; leisurely, the new postilions follow, sucking and -plaiting the lashes of their whips; leisurely, the old postilions count -their money, make wrong additions, and arrive at dissatisfied results. -All the time, our overfraught hearts are beating at a rate that would -far outstrip the fastest gallop of the fastest horses ever foaled. - -At length the new postilions are in their saddles, and the old are left -behind. We are through the village, up the hill, and down the hill, and -on the low watery grounds. Suddenly, the postilions exchange speech with -animated gesticulation, and the horses are pulled up, almost on their -haunches. We are pursued? - -“Ho! Within the carriage there. Speak then!” - -“What is it?” asks Mr. Lorry, looking out at window. - -“How many did they say?” - -“I do not understand you.” - -“--At the last post. How many to the Guillotine to-day?” - -“Fifty-two.” - -“I said so! A brave number! My fellow-citizen here would have it -forty-two; ten more heads are worth having. The Guillotine goes -handsomely. I love it. Hi forward. Whoop!” - -The night comes on dark. He moves more; he is beginning to revive, and -to speak intelligibly; he thinks they are still together; he asks him, -by his name, what he has in his hand. O pity us, kind Heaven, and help -us! Look out, look out, and see if we are pursued. - -The wind is rushing after us, and the clouds are flying after us, and -the moon is plunging after us, and the whole wild night is in pursuit of -us; but, so far, we are pursued by nothing else. - - - - -XIV. The Knitting Done - - -In that same juncture of time when the Fifty-Two awaited their fate -Madame Defarge held darkly ominous council with The Vengeance and -Jacques Three of the Revolutionary Jury. Not in the wine-shop did Madame -Defarge confer with these ministers, but in the shed of the wood-sawyer, -erst a mender of roads. The sawyer himself did not participate in the -conference, but abided at a little distance, like an outer satellite who -was not to speak until required, or to offer an opinion until invited. - -“But our Defarge,” said Jacques Three, “is undoubtedly a good -Republican? Eh?” - -“There is no better,” the voluble Vengeance protested in her shrill -notes, “in France.” - -“Peace, little Vengeance,” said Madame Defarge, laying her hand with -a slight frown on her lieutenant's lips, “hear me speak. My husband, -fellow-citizen, is a good Republican and a bold man; he has deserved -well of the Republic, and possesses its confidence. But my husband has -his weaknesses, and he is so weak as to relent towards this Doctor.” - -“It is a great pity,” croaked Jacques Three, dubiously shaking his head, -with his cruel fingers at his hungry mouth; “it is not quite like a good -citizen; it is a thing to regret.” - -“See you,” said madame, “I care nothing for this Doctor, I. He may wear -his head or lose it, for any interest I have in him; it is all one to -me. But, the Evremonde people are to be exterminated, and the wife and -child must follow the husband and father.” - -“She has a fine head for it,” croaked Jacques Three. “I have seen blue -eyes and golden hair there, and they looked charming when Samson held -them up.” Ogre that he was, he spoke like an epicure. - -Madame Defarge cast down her eyes, and reflected a little. - -“The child also,” observed Jacques Three, with a meditative enjoyment -of his words, “has golden hair and blue eyes. And we seldom have a child -there. It is a pretty sight!” - -“In a word,” said Madame Defarge, coming out of her short abstraction, -“I cannot trust my husband in this matter. Not only do I feel, since -last night, that I dare not confide to him the details of my projects; -but also I feel that if I delay, there is danger of his giving warning, -and then they might escape.” - -“That must never be,” croaked Jacques Three; “no one must escape. We -have not half enough as it is. We ought to have six score a day.” - -“In a word,” Madame Defarge went on, “my husband has not my reason for -pursuing this family to annihilation, and I have not his reason for -regarding this Doctor with any sensibility. I must act for myself, -therefore. Come hither, little citizen.” - -The wood-sawyer, who held her in the respect, and himself in the -submission, of mortal fear, advanced with his hand to his red cap. - -“Touching those signals, little citizen,” said Madame Defarge, sternly, -“that she made to the prisoners; you are ready to bear witness to them -this very day?” - -“Ay, ay, why not!” cried the sawyer. “Every day, in all weathers, from -two to four, always signalling, sometimes with the little one, sometimes -without. I know what I know. I have seen with my eyes.” - -He made all manner of gestures while he spoke, as if in incidental -imitation of some few of the great diversity of signals that he had -never seen. - -“Clearly plots,” said Jacques Three. “Transparently!” - -“There is no doubt of the Jury?” inquired Madame Defarge, letting her -eyes turn to him with a gloomy smile. - -“Rely upon the patriotic Jury, dear citizeness. I answer for my -fellow-Jurymen.” - -“Now, let me see,” said Madame Defarge, pondering again. “Yet once more! -Can I spare this Doctor to my husband? I have no feeling either way. Can -I spare him?” - -“He would count as one head,” observed Jacques Three, in a low voice. -“We really have not heads enough; it would be a pity, I think.” - -“He was signalling with her when I saw her,” argued Madame Defarge; “I -cannot speak of one without the other; and I must not be silent, and -trust the case wholly to him, this little citizen here. For, I am not a -bad witness.” - -The Vengeance and Jacques Three vied with each other in their fervent -protestations that she was the most admirable and marvellous of -witnesses. The little citizen, not to be outdone, declared her to be a -celestial witness. - -“He must take his chance,” said Madame Defarge. “No, I cannot spare -him! You are engaged at three o'clock; you are going to see the batch of -to-day executed.--You?” - -The question was addressed to the wood-sawyer, who hurriedly replied in -the affirmative: seizing the occasion to add that he was the most ardent -of Republicans, and that he would be in effect the most desolate of -Republicans, if anything prevented him from enjoying the pleasure of -smoking his afternoon pipe in the contemplation of the droll national -barber. He was so very demonstrative herein, that he might have been -suspected (perhaps was, by the dark eyes that looked contemptuously at -him out of Madame Defarge's head) of having his small individual fears -for his own personal safety, every hour in the day. - -“I,” said madame, “am equally engaged at the same place. After it is -over--say at eight to-night--come you to me, in Saint Antoine, and we -will give information against these people at my Section.” - -The wood-sawyer said he would be proud and flattered to attend the -citizeness. The citizeness looking at him, he became embarrassed, evaded -her glance as a small dog would have done, retreated among his wood, and -hid his confusion over the handle of his saw. - -Madame Defarge beckoned the Juryman and The Vengeance a little nearer to -the door, and there expounded her further views to them thus: - -“She will now be at home, awaiting the moment of his death. She will -be mourning and grieving. She will be in a state of mind to impeach the -justice of the Republic. She will be full of sympathy with its enemies. -I will go to her.” - -“What an admirable woman; what an adorable woman!” exclaimed Jacques -Three, rapturously. “Ah, my cherished!” cried The Vengeance; and -embraced her. - -“Take you my knitting,” said Madame Defarge, placing it in her -lieutenant's hands, “and have it ready for me in my usual seat. Keep -me my usual chair. Go you there, straight, for there will probably be a -greater concourse than usual, to-day.” - -“I willingly obey the orders of my Chief,” said The Vengeance with -alacrity, and kissing her cheek. “You will not be late?” - -“I shall be there before the commencement.” - -“And before the tumbrils arrive. Be sure you are there, my soul,” said -The Vengeance, calling after her, for she had already turned into the -street, “before the tumbrils arrive!” - -Madame Defarge slightly waved her hand, to imply that she heard, and -might be relied upon to arrive in good time, and so went through the -mud, and round the corner of the prison wall. The Vengeance and the -Juryman, looking after her as she walked away, were highly appreciative -of her fine figure, and her superb moral endowments. - -There were many women at that time, upon whom the time laid a dreadfully -disfiguring hand; but, there was not one among them more to be dreaded -than this ruthless woman, now taking her way along the streets. Of a -strong and fearless character, of shrewd sense and readiness, of great -determination, of that kind of beauty which not only seems to impart -to its possessor firmness and animosity, but to strike into others an -instinctive recognition of those qualities; the troubled time would have -heaved her up, under any circumstances. But, imbued from her childhood -with a brooding sense of wrong, and an inveterate hatred of a class, -opportunity had developed her into a tigress. She was absolutely without -pity. If she had ever had the virtue in her, it had quite gone out of -her. - -It was nothing to her, that an innocent man was to die for the sins of -his forefathers; she saw, not him, but them. It was nothing to her, that -his wife was to be made a widow and his daughter an orphan; that was -insufficient punishment, because they were her natural enemies and -her prey, and as such had no right to live. To appeal to her, was made -hopeless by her having no sense of pity, even for herself. If she had -been laid low in the streets, in any of the many encounters in which -she had been engaged, she would not have pitied herself; nor, if she had -been ordered to the axe to-morrow, would she have gone to it with any -softer feeling than a fierce desire to change places with the man who -sent her there. - -Such a heart Madame Defarge carried under her rough robe. Carelessly -worn, it was a becoming robe enough, in a certain weird way, and her -dark hair looked rich under her coarse red cap. Lying hidden in her -bosom, was a loaded pistol. Lying hidden at her waist, was a sharpened -dagger. Thus accoutred, and walking with the confident tread of such -a character, and with the supple freedom of a woman who had habitually -walked in her girlhood, bare-foot and bare-legged, on the brown -sea-sand, Madame Defarge took her way along the streets. - -Now, when the journey of the travelling coach, at that very moment -waiting for the completion of its load, had been planned out last night, -the difficulty of taking Miss Pross in it had much engaged Mr. Lorry's -attention. It was not merely desirable to avoid overloading the coach, -but it was of the highest importance that the time occupied in examining -it and its passengers, should be reduced to the utmost; since their -escape might depend on the saving of only a few seconds here and there. -Finally, he had proposed, after anxious consideration, that Miss Pross -and Jerry, who were at liberty to leave the city, should leave it at -three o'clock in the lightest-wheeled conveyance known to that period. -Unencumbered with luggage, they would soon overtake the coach, and, -passing it and preceding it on the road, would order its horses in -advance, and greatly facilitate its progress during the precious hours -of the night, when delay was the most to be dreaded. - -Seeing in this arrangement the hope of rendering real service in that -pressing emergency, Miss Pross hailed it with joy. She and Jerry had -beheld the coach start, had known who it was that Solomon brought, had -passed some ten minutes in tortures of suspense, and were now concluding -their arrangements to follow the coach, even as Madame Defarge, -taking her way through the streets, now drew nearer and nearer to the -else-deserted lodging in which they held their consultation. - -“Now what do you think, Mr. Cruncher,” said Miss Pross, whose agitation -was so great that she could hardly speak, or stand, or move, or live: -“what do you think of our not starting from this courtyard? Another -carriage having already gone from here to-day, it might awaken -suspicion.” - -“My opinion, miss,” returned Mr. Cruncher, “is as you're right. Likewise -wot I'll stand by you, right or wrong.” - -“I am so distracted with fear and hope for our precious creatures,” said -Miss Pross, wildly crying, “that I am incapable of forming any plan. Are -_you_ capable of forming any plan, my dear good Mr. Cruncher?” - -“Respectin' a future spear o' life, miss,” returned Mr. Cruncher, “I -hope so. Respectin' any present use o' this here blessed old head o' -mine, I think not. Would you do me the favour, miss, to take notice o' -two promises and wows wot it is my wishes fur to record in this here -crisis?” - -“Oh, for gracious sake!” cried Miss Pross, still wildly crying, “record -them at once, and get them out of the way, like an excellent man.” - -“First,” said Mr. Cruncher, who was all in a tremble, and who spoke with -an ashy and solemn visage, “them poor things well out o' this, never no -more will I do it, never no more!” - -“I am quite sure, Mr. Cruncher,” returned Miss Pross, “that you -never will do it again, whatever it is, and I beg you not to think it -necessary to mention more particularly what it is.” - -“No, miss,” returned Jerry, “it shall not be named to you. Second: them -poor things well out o' this, and never no more will I interfere with -Mrs. Cruncher's flopping, never no more!” - -“Whatever housekeeping arrangement that may be,” said Miss Pross, -striving to dry her eyes and compose herself, “I have no doubt it -is best that Mrs. Cruncher should have it entirely under her own -superintendence.--O my poor darlings!” - -“I go so far as to say, miss, moreover,” proceeded Mr. Cruncher, with a -most alarming tendency to hold forth as from a pulpit--“and let my words -be took down and took to Mrs. Cruncher through yourself--that wot my -opinions respectin' flopping has undergone a change, and that wot I only -hope with all my heart as Mrs. Cruncher may be a flopping at the present -time.” - -“There, there, there! I hope she is, my dear man,” cried the distracted -Miss Pross, “and I hope she finds it answering her expectations.” - -“Forbid it,” proceeded Mr. Cruncher, with additional solemnity, -additional slowness, and additional tendency to hold forth and hold -out, “as anything wot I have ever said or done should be wisited on my -earnest wishes for them poor creeturs now! Forbid it as we shouldn't all -flop (if it was anyways conwenient) to get 'em out o' this here dismal -risk! Forbid it, miss! Wot I say, for-_bid_ it!” This was Mr. Cruncher's -conclusion after a protracted but vain endeavour to find a better one. - -And still Madame Defarge, pursuing her way along the streets, came -nearer and nearer. - -“If we ever get back to our native land,” said Miss Pross, “you may rely -upon my telling Mrs. Cruncher as much as I may be able to remember and -understand of what you have so impressively said; and at all events -you may be sure that I shall bear witness to your being thoroughly in -earnest at this dreadful time. Now, pray let us think! My esteemed Mr. -Cruncher, let us think!” - -Still, Madame Defarge, pursuing her way along the streets, came nearer -and nearer. - -“If you were to go before,” said Miss Pross, “and stop the vehicle and -horses from coming here, and were to wait somewhere for me; wouldn't -that be best?” - -Mr. Cruncher thought it might be best. - -“Where could you wait for me?” asked Miss Pross. - -Mr. Cruncher was so bewildered that he could think of no locality but -Temple Bar. Alas! Temple Bar was hundreds of miles away, and Madame -Defarge was drawing very near indeed. - -“By the cathedral door,” said Miss Pross. “Would it be much out of -the way, to take me in, near the great cathedral door between the two -towers?” - -“No, miss,” answered Mr. Cruncher. - -“Then, like the best of men,” said Miss Pross, “go to the posting-house -straight, and make that change.” - -“I am doubtful,” said Mr. Cruncher, hesitating and shaking his head, -“about leaving of you, you see. We don't know what may happen.” - -“Heaven knows we don't,” returned Miss Pross, “but have no fear for me. -Take me in at the cathedral, at Three o'Clock, or as near it as you can, -and I am sure it will be better than our going from here. I feel certain -of it. There! Bless you, Mr. Cruncher! Think-not of me, but of the lives -that may depend on both of us!” - -This exordium, and Miss Pross's two hands in quite agonised entreaty -clasping his, decided Mr. Cruncher. With an encouraging nod or two, he -immediately went out to alter the arrangements, and left her by herself -to follow as she had proposed. - -The having originated a precaution which was already in course of -execution, was a great relief to Miss Pross. The necessity of composing -her appearance so that it should attract no special notice in the -streets, was another relief. She looked at her watch, and it was twenty -minutes past two. She had no time to lose, but must get ready at once. - -Afraid, in her extreme perturbation, of the loneliness of the deserted -rooms, and of half-imagined faces peeping from behind every open door -in them, Miss Pross got a basin of cold water and began laving her eyes, -which were swollen and red. Haunted by her feverish apprehensions, she -could not bear to have her sight obscured for a minute at a time by the -dripping water, but constantly paused and looked round to see that there -was no one watching her. In one of those pauses she recoiled and cried -out, for she saw a figure standing in the room. - -The basin fell to the ground broken, and the water flowed to the feet of -Madame Defarge. By strange stern ways, and through much staining blood, -those feet had come to meet that water. - -Madame Defarge looked coldly at her, and said, “The wife of Evremonde; -where is she?” - -It flashed upon Miss Pross's mind that the doors were all standing open, -and would suggest the flight. Her first act was to shut them. There were -four in the room, and she shut them all. She then placed herself before -the door of the chamber which Lucie had occupied. - -Madame Defarge's dark eyes followed her through this rapid movement, -and rested on her when it was finished. Miss Pross had nothing beautiful -about her; years had not tamed the wildness, or softened the grimness, -of her appearance; but, she too was a determined woman in her different -way, and she measured Madame Defarge with her eyes, every inch. - -“You might, from your appearance, be the wife of Lucifer,” said Miss -Pross, in her breathing. “Nevertheless, you shall not get the better of -me. I am an Englishwoman.” - -Madame Defarge looked at her scornfully, but still with something of -Miss Pross's own perception that they two were at bay. She saw a tight, -hard, wiry woman before her, as Mr. Lorry had seen in the same figure a -woman with a strong hand, in the years gone by. She knew full well that -Miss Pross was the family's devoted friend; Miss Pross knew full well -that Madame Defarge was the family's malevolent enemy. - -“On my way yonder,” said Madame Defarge, with a slight movement of -her hand towards the fatal spot, “where they reserve my chair and my -knitting for me, I am come to make my compliments to her in passing. I -wish to see her.” - -“I know that your intentions are evil,” said Miss Pross, “and you may -depend upon it, I'll hold my own against them.” - -Each spoke in her own language; neither understood the other's words; -both were very watchful, and intent to deduce from look and manner, what -the unintelligible words meant. - -“It will do her no good to keep herself concealed from me at this -moment,” said Madame Defarge. “Good patriots will know what that means. -Let me see her. Go tell her that I wish to see her. Do you hear?” - -“If those eyes of yours were bed-winches,” returned Miss Pross, “and I -was an English four-poster, they shouldn't loose a splinter of me. No, -you wicked foreign woman; I am your match.” - -Madame Defarge was not likely to follow these idiomatic remarks in -detail; but, she so far understood them as to perceive that she was set -at naught. - -“Woman imbecile and pig-like!” said Madame Defarge, frowning. “I take no -answer from you. I demand to see her. Either tell her that I demand -to see her, or stand out of the way of the door and let me go to her!” - This, with an angry explanatory wave of her right arm. - -“I little thought,” said Miss Pross, “that I should ever want to -understand your nonsensical language; but I would give all I have, -except the clothes I wear, to know whether you suspect the truth, or any -part of it.” - -Neither of them for a single moment released the other's eyes. Madame -Defarge had not moved from the spot where she stood when Miss Pross -first became aware of her; but, she now advanced one step. - -“I am a Briton,” said Miss Pross, “I am desperate. I don't care an -English Twopence for myself. I know that the longer I keep you here, the -greater hope there is for my Ladybird. I'll not leave a handful of that -dark hair upon your head, if you lay a finger on me!” - -Thus Miss Pross, with a shake of her head and a flash of her eyes -between every rapid sentence, and every rapid sentence a whole breath. -Thus Miss Pross, who had never struck a blow in her life. - -But, her courage was of that emotional nature that it brought the -irrepressible tears into her eyes. This was a courage that Madame -Defarge so little comprehended as to mistake for weakness. “Ha, ha!” she -laughed, “you poor wretch! What are you worth! I address myself to that -Doctor.” Then she raised her voice and called out, “Citizen Doctor! Wife -of Evremonde! Child of Evremonde! Any person but this miserable fool, -answer the Citizeness Defarge!” - -Perhaps the following silence, perhaps some latent disclosure in the -expression of Miss Pross's face, perhaps a sudden misgiving apart from -either suggestion, whispered to Madame Defarge that they were gone. -Three of the doors she opened swiftly, and looked in. - -“Those rooms are all in disorder, there has been hurried packing, there -are odds and ends upon the ground. There is no one in that room behind -you! Let me look.” - -“Never!” said Miss Pross, who understood the request as perfectly as -Madame Defarge understood the answer. - -“If they are not in that room, they are gone, and can be pursued and -brought back,” said Madame Defarge to herself. - -“As long as you don't know whether they are in that room or not, you are -uncertain what to do,” said Miss Pross to herself; “and you shall not -know that, if I can prevent your knowing it; and know that, or not know -that, you shall not leave here while I can hold you.” - -“I have been in the streets from the first, nothing has stopped me, -I will tear you to pieces, but I will have you from that door,” said -Madame Defarge. - -“We are alone at the top of a high house in a solitary courtyard, we are -not likely to be heard, and I pray for bodily strength to keep you here, -while every minute you are here is worth a hundred thousand guineas to -my darling,” said Miss Pross. - -Madame Defarge made at the door. Miss Pross, on the instinct of the -moment, seized her round the waist in both her arms, and held her tight. -It was in vain for Madame Defarge to struggle and to strike; Miss Pross, -with the vigorous tenacity of love, always so much stronger than hate, -clasped her tight, and even lifted her from the floor in the struggle -that they had. The two hands of Madame Defarge buffeted and tore her -face; but, Miss Pross, with her head down, held her round the waist, and -clung to her with more than the hold of a drowning woman. - -Soon, Madame Defarge's hands ceased to strike, and felt at her encircled -waist. “It is under my arm,” said Miss Pross, in smothered tones, “you -shall not draw it. I am stronger than you, I bless Heaven for it. I hold -you till one or other of us faints or dies!” - -Madame Defarge's hands were at her bosom. Miss Pross looked up, saw -what it was, struck at it, struck out a flash and a crash, and stood -alone--blinded with smoke. - -All this was in a second. As the smoke cleared, leaving an awful -stillness, it passed out on the air, like the soul of the furious woman -whose body lay lifeless on the ground. - -In the first fright and horror of her situation, Miss Pross passed the -body as far from it as she could, and ran down the stairs to call for -fruitless help. Happily, she bethought herself of the consequences of -what she did, in time to check herself and go back. It was dreadful to -go in at the door again; but, she did go in, and even went near it, to -get the bonnet and other things that she must wear. These she put on, -out on the staircase, first shutting and locking the door and taking -away the key. She then sat down on the stairs a few moments to breathe -and to cry, and then got up and hurried away. - -By good fortune she had a veil on her bonnet, or she could hardly have -gone along the streets without being stopped. By good fortune, too, she -was naturally so peculiar in appearance as not to show disfigurement -like any other woman. She needed both advantages, for the marks of -gripping fingers were deep in her face, and her hair was torn, and her -dress (hastily composed with unsteady hands) was clutched and dragged a -hundred ways. - -In crossing the bridge, she dropped the door key in the river. Arriving -at the cathedral some few minutes before her escort, and waiting there, -she thought, what if the key were already taken in a net, what if -it were identified, what if the door were opened and the remains -discovered, what if she were stopped at the gate, sent to prison, and -charged with murder! In the midst of these fluttering thoughts, the -escort appeared, took her in, and took her away. - -“Is there any noise in the streets?” she asked him. - -“The usual noises,” Mr. Cruncher replied; and looked surprised by the -question and by her aspect. - -“I don't hear you,” said Miss Pross. “What do you say?” - -It was in vain for Mr. Cruncher to repeat what he said; Miss Pross could -not hear him. “So I'll nod my head,” thought Mr. Cruncher, amazed, “at -all events she'll see that.” And she did. - -“Is there any noise in the streets now?” asked Miss Pross again, -presently. - -Again Mr. Cruncher nodded his head. - -“I don't hear it.” - -“Gone deaf in an hour?” said Mr. Cruncher, ruminating, with his mind -much disturbed; “wot's come to her?” - -“I feel,” said Miss Pross, “as if there had been a flash and a crash, -and that crash was the last thing I should ever hear in this life.” - -“Blest if she ain't in a queer condition!” said Mr. Cruncher, more and -more disturbed. “Wot can she have been a takin', to keep her courage up? -Hark! There's the roll of them dreadful carts! You can hear that, miss?” - -“I can hear,” said Miss Pross, seeing that he spoke to her, “nothing. O, -my good man, there was first a great crash, and then a great stillness, -and that stillness seems to be fixed and unchangeable, never to be -broken any more as long as my life lasts.” - -“If she don't hear the roll of those dreadful carts, now very nigh their -journey's end,” said Mr. Cruncher, glancing over his shoulder, “it's my -opinion that indeed she never will hear anything else in this world.” - -And indeed she never did. - - - - -XV. The Footsteps Die Out For Ever - - -Along the Paris streets, the death-carts rumble, hollow and harsh. Six -tumbrils carry the day's wine to La Guillotine. All the devouring and -insatiate Monsters imagined since imagination could record itself, -are fused in the one realisation, Guillotine. And yet there is not in -France, with its rich variety of soil and climate, a blade, a leaf, -a root, a sprig, a peppercorn, which will grow to maturity under -conditions more certain than those that have produced this horror. Crush -humanity out of shape once more, under similar hammers, and it will -twist itself into the same tortured forms. Sow the same seed of -rapacious license and oppression over again, and it will surely yield -the same fruit according to its kind. - -Six tumbrils roll along the streets. Change these back again to what -they were, thou powerful enchanter, Time, and they shall be seen to be -the carriages of absolute monarchs, the equipages of feudal nobles, the -toilettes of flaring Jezebels, the churches that are not my father's -house but dens of thieves, the huts of millions of starving peasants! -No; the great magician who majestically works out the appointed order -of the Creator, never reverses his transformations. “If thou be changed -into this shape by the will of God,” say the seers to the enchanted, in -the wise Arabian stories, “then remain so! But, if thou wear this -form through mere passing conjuration, then resume thy former aspect!” - Changeless and hopeless, the tumbrils roll along. - -As the sombre wheels of the six carts go round, they seem to plough up -a long crooked furrow among the populace in the streets. Ridges of faces -are thrown to this side and to that, and the ploughs go steadily onward. -So used are the regular inhabitants of the houses to the spectacle, that -in many windows there are no people, and in some the occupation of the -hands is not so much as suspended, while the eyes survey the faces in -the tumbrils. Here and there, the inmate has visitors to see the sight; -then he points his finger, with something of the complacency of a -curator or authorised exponent, to this cart and to this, and seems to -tell who sat here yesterday, and who there the day before. - -Of the riders in the tumbrils, some observe these things, and all -things on their last roadside, with an impassive stare; others, with -a lingering interest in the ways of life and men. Some, seated with -drooping heads, are sunk in silent despair; again, there are some so -heedful of their looks that they cast upon the multitude such glances as -they have seen in theatres, and in pictures. Several close their eyes, -and think, or try to get their straying thoughts together. Only one, and -he a miserable creature, of a crazed aspect, is so shattered and made -drunk by horror, that he sings, and tries to dance. Not one of the whole -number appeals by look or gesture, to the pity of the people. - -There is a guard of sundry horsemen riding abreast of the tumbrils, -and faces are often turned up to some of them, and they are asked some -question. It would seem to be always the same question, for, it is -always followed by a press of people towards the third cart. The -horsemen abreast of that cart, frequently point out one man in it with -their swords. The leading curiosity is, to know which is he; he stands -at the back of the tumbril with his head bent down, to converse with a -mere girl who sits on the side of the cart, and holds his hand. He has -no curiosity or care for the scene about him, and always speaks to the -girl. Here and there in the long street of St. Honore, cries are raised -against him. If they move him at all, it is only to a quiet smile, as he -shakes his hair a little more loosely about his face. He cannot easily -touch his face, his arms being bound. - -On the steps of a church, awaiting the coming-up of the tumbrils, stands -the Spy and prison-sheep. He looks into the first of them: not there. -He looks into the second: not there. He already asks himself, “Has he -sacrificed me?” when his face clears, as he looks into the third. - -“Which is Evremonde?” says a man behind him. - -“That. At the back there.” - -“With his hand in the girl's?” - -“Yes.” - -The man cries, “Down, Evremonde! To the Guillotine all aristocrats! -Down, Evremonde!” - -“Hush, hush!” the Spy entreats him, timidly. - -“And why not, citizen?” - -“He is going to pay the forfeit: it will be paid in five minutes more. -Let him be at peace.” - -But the man continuing to exclaim, “Down, Evremonde!” the face of -Evremonde is for a moment turned towards him. Evremonde then sees the -Spy, and looks attentively at him, and goes his way. - -The clocks are on the stroke of three, and the furrow ploughed among the -populace is turning round, to come on into the place of execution, and -end. The ridges thrown to this side and to that, now crumble in and -close behind the last plough as it passes on, for all are following -to the Guillotine. In front of it, seated in chairs, as in a garden of -public diversion, are a number of women, busily knitting. On one of the -fore-most chairs, stands The Vengeance, looking about for her friend. - -“Therese!” she cries, in her shrill tones. “Who has seen her? Therese -Defarge!” - -“She never missed before,” says a knitting-woman of the sisterhood. - -“No; nor will she miss now,” cries The Vengeance, petulantly. “Therese.” - -“Louder,” the woman recommends. - -Ay! Louder, Vengeance, much louder, and still she will scarcely hear -thee. Louder yet, Vengeance, with a little oath or so added, and yet -it will hardly bring her. Send other women up and down to seek her, -lingering somewhere; and yet, although the messengers have done dread -deeds, it is questionable whether of their own wills they will go far -enough to find her! - -“Bad Fortune!” cries The Vengeance, stamping her foot in the chair, “and -here are the tumbrils! And Evremonde will be despatched in a wink, and -she not here! See her knitting in my hand, and her empty chair ready for -her. I cry with vexation and disappointment!” - -As The Vengeance descends from her elevation to do it, the tumbrils -begin to discharge their loads. The ministers of Sainte Guillotine are -robed and ready. Crash!--A head is held up, and the knitting-women who -scarcely lifted their eyes to look at it a moment ago when it could -think and speak, count One. - -The second tumbril empties and moves on; the third comes up. Crash!--And -the knitting-women, never faltering or pausing in their Work, count Two. - -The supposed Evremonde descends, and the seamstress is lifted out next -after him. He has not relinquished her patient hand in getting out, but -still holds it as he promised. He gently places her with her back to the -crashing engine that constantly whirrs up and falls, and she looks into -his face and thanks him. - -“But for you, dear stranger, I should not be so composed, for I am -naturally a poor little thing, faint of heart; nor should I have been -able to raise my thoughts to Him who was put to death, that we might -have hope and comfort here to-day. I think you were sent to me by -Heaven.” - -“Or you to me,” says Sydney Carton. “Keep your eyes upon me, dear child, -and mind no other object.” - -“I mind nothing while I hold your hand. I shall mind nothing when I let -it go, if they are rapid.” - -“They will be rapid. Fear not!” - -The two stand in the fast-thinning throng of victims, but they speak as -if they were alone. Eye to eye, voice to voice, hand to hand, heart to -heart, these two children of the Universal Mother, else so wide apart -and differing, have come together on the dark highway, to repair home -together, and to rest in her bosom. - -“Brave and generous friend, will you let me ask you one last question? I -am very ignorant, and it troubles me--just a little.” - -“Tell me what it is.” - -“I have a cousin, an only relative and an orphan, like myself, whom I -love very dearly. She is five years younger than I, and she lives in a -farmer's house in the south country. Poverty parted us, and she knows -nothing of my fate--for I cannot write--and if I could, how should I -tell her! It is better as it is.” - -“Yes, yes: better as it is.” - -“What I have been thinking as we came along, and what I am still -thinking now, as I look into your kind strong face which gives me so -much support, is this:--If the Republic really does good to the poor, -and they come to be less hungry, and in all ways to suffer less, she may -live a long time: she may even live to be old.” - -“What then, my gentle sister?” - -“Do you think:” the uncomplaining eyes in which there is so much -endurance, fill with tears, and the lips part a little more and tremble: -“that it will seem long to me, while I wait for her in the better land -where I trust both you and I will be mercifully sheltered?” - -“It cannot be, my child; there is no Time there, and no trouble there.” - -“You comfort me so much! I am so ignorant. Am I to kiss you now? Is the -moment come?” - -“Yes.” - -She kisses his lips; he kisses hers; they solemnly bless each other. -The spare hand does not tremble as he releases it; nothing worse than -a sweet, bright constancy is in the patient face. She goes next before -him--is gone; the knitting-women count Twenty-Two. - -“I am the Resurrection and the Life, saith the Lord: he that believeth -in me, though he were dead, yet shall he live: and whosoever liveth and -believeth in me shall never die.” - -The murmuring of many voices, the upturning of many faces, the pressing -on of many footsteps in the outskirts of the crowd, so that it swells -forward in a mass, like one great heave of water, all flashes away. -Twenty-Three. - - ***** - -They said of him, about the city that night, that it was the -peacefullest man's face ever beheld there. Many added that he looked -sublime and prophetic. - -One of the most remarkable sufferers by the same axe--a woman--had asked -at the foot of the same scaffold, not long before, to be allowed to -write down the thoughts that were inspiring her. If he had given any -utterance to his, and they were prophetic, they would have been these: - -“I see Barsad, and Cly, Defarge, The Vengeance, the Juryman, the Judge, -long ranks of the new oppressors who have risen on the destruction of -the old, perishing by this retributive instrument, before it shall cease -out of its present use. I see a beautiful city and a brilliant people -rising from this abyss, and, in their struggles to be truly free, in -their triumphs and defeats, through long years to come, I see the evil -of this time and of the previous time of which this is the natural -birth, gradually making expiation for itself and wearing out. - -“I see the lives for which I lay down my life, peaceful, useful, -prosperous and happy, in that England which I shall see no more. I see -Her with a child upon her bosom, who bears my name. I see her father, -aged and bent, but otherwise restored, and faithful to all men in his -healing office, and at peace. I see the good old man, so long their -friend, in ten years' time enriching them with all he has, and passing -tranquilly to his reward. - -“I see that I hold a sanctuary in their hearts, and in the hearts of -their descendants, generations hence. I see her, an old woman, weeping -for me on the anniversary of this day. I see her and her husband, their -course done, lying side by side in their last earthly bed, and I know -that each was not more honoured and held sacred in the other's soul, -than I was in the souls of both. - -“I see that child who lay upon her bosom and who bore my name, a man -winning his way up in that path of life which once was mine. I see him -winning it so well, that my name is made illustrious there by the -light of his. I see the blots I threw upon it, faded away. I see him, -fore-most of just judges and honoured men, bringing a boy of my name, -with a forehead that I know and golden hair, to this place--then fair to -look upon, with not a trace of this day's disfigurement--and I hear him -tell the child my story, with a tender and a faltering voice. - -“It is a far, far better thing that I do, than I have ever done; it is a -far, far better rest that I go to than I have ever known.” - - - - - - - - - - - -End of the Project Gutenberg EBook of A Tale of Two Cities, by Charles Dickens - -*** END OF THIS PROJECT GUTENBERG EBOOK A TALE OF TWO CITIES *** - -***** This file should be named 98-0.txt or 98-0.zip ***** -This and all associated files of various formats will be found in: - http://www.gutenberg.org/9/98/ - -Produced by Judith Boss - -Updated editions will replace the previous one--the old editions -will be renamed. - -Creating the works from public domain print editions means that no -one owns a United States copyright in these works, so the Foundation -(and you!) can copy and distribute it in the United States without -permission and without paying copyright royalties. Special rules, -set forth in the General Terms of Use part of this license, apply to -copying and distributing Project Gutenberg-tm electronic works to -protect the PROJECT GUTENBERG-tm concept and trademark. Project -Gutenberg is a registered trademark, and may not be used if you -charge for the eBooks, unless you receive specific permission. If you -do not charge anything for copies of this eBook, complying with the -rules is very easy. You may use this eBook for nearly any purpose -such as creation of derivative works, reports, performances and -research. They may be modified and printed and given away--you may do -practically ANYTHING with public domain eBooks. Redistribution is -subject to the trademark license, especially commercial -redistribution. - - - -*** START: FULL LICENSE *** - -THE FULL PROJECT GUTENBERG LICENSE -PLEASE READ THIS BEFORE YOU DISTRIBUTE OR USE THIS WORK - -To protect the Project Gutenberg-tm mission of promoting the free -distribution of electronic works, by using or distributing this work -(or any other work associated in any way with the phrase “Project -Gutenberg”), you agree to comply with all the terms of the Full Project -Gutenberg-tm License (available with this file or online at -http://gutenberg.org/license). - - -Section 1. General Terms of Use and Redistributing Project Gutenberg-tm -electronic works - -1.A. By reading or using any part of this Project Gutenberg-tm -electronic work, you indicate that you have read, understand, agree to -and accept all the terms of this license and intellectual property -(trademark/copyright) agreement. If you do not agree to abide by all -the terms of this agreement, you must cease using and return or destroy -all copies of Project Gutenberg-tm electronic works in your possession. -If you paid a fee for obtaining a copy of or access to a Project -Gutenberg-tm electronic work and you do not agree to be bound by the -terms of this agreement, you may obtain a refund from the person or -entity to whom you paid the fee as set forth in paragraph 1.E.8. - -1.B. “Project Gutenberg” is a registered trademark. It may only be -used on or associated in any way with an electronic work by people who -agree to be bound by the terms of this agreement. There are a few -things that you can do with most Project Gutenberg-tm electronic works -even without complying with the full terms of this agreement. See -paragraph 1.C below. There are a lot of things you can do with Project -Gutenberg-tm electronic works if you follow the terms of this agreement -and help preserve free future access to Project Gutenberg-tm electronic -works. See paragraph 1.E below. - -1.C. The Project Gutenberg Literary Archive Foundation (“the Foundation” - or PGLAF), owns a compilation copyright in the collection of Project -Gutenberg-tm electronic works. Nearly all the individual works in the -collection are in the public domain in the United States. If an -individual work is in the public domain in the United States and you are -located in the United States, we do not claim a right to prevent you from -copying, distributing, performing, displaying or creating derivative -works based on the work as long as all references to Project Gutenberg -are removed. Of course, we hope that you will support the Project -Gutenberg-tm mission of promoting free access to electronic works by -freely sharing Project Gutenberg-tm works in compliance with the terms of -this agreement for keeping the Project Gutenberg-tm name associated with -the work. You can easily comply with the terms of this agreement by -keeping this work in the same format with its attached full Project -Gutenberg-tm License when you share it without charge with others. - -1.D. The copyright laws of the place where you are located also govern -what you can do with this work. Copyright laws in most countries are in -a constant state of change. If you are outside the United States, check -the laws of your country in addition to the terms of this agreement -before downloading, copying, displaying, performing, distributing or -creating derivative works based on this work or any other Project -Gutenberg-tm work. The Foundation makes no representations concerning -the copyright status of any work in any country outside the United -States. - -1.E. Unless you have removed all references to Project Gutenberg: - -1.E.1. The following sentence, with active links to, or other immediate -access to, the full Project Gutenberg-tm License must appear prominently -whenever any copy of a Project Gutenberg-tm work (any work on which the -phrase “Project Gutenberg” appears, or with which the phrase “Project -Gutenberg” is associated) is accessed, displayed, performed, viewed, -copied or distributed: - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - -1.E.2. If an individual Project Gutenberg-tm electronic work is derived -from the public domain (does not contain a notice indicating that it is -posted with permission of the copyright holder), the work can be copied -and distributed to anyone in the United States without paying any fees -or charges. If you are redistributing or providing access to a work -with the phrase “Project Gutenberg” associated with or appearing on the -work, you must comply either with the requirements of paragraphs 1.E.1 -through 1.E.7 or obtain permission for the use of the work and the -Project Gutenberg-tm trademark as set forth in paragraphs 1.E.8 or -1.E.9. - -1.E.3. If an individual Project Gutenberg-tm electronic work is posted -with the permission of the copyright holder, your use and distribution -must comply with both paragraphs 1.E.1 through 1.E.7 and any additional -terms imposed by the copyright holder. Additional terms will be linked -to the Project Gutenberg-tm License for all works posted with the -permission of the copyright holder found at the beginning of this work. - -1.E.4. Do not unlink or detach or remove the full Project Gutenberg-tm -License terms from this work, or any files containing a part of this -work or any other work associated with Project Gutenberg-tm. - -1.E.5. Do not copy, display, perform, distribute or redistribute this -electronic work, or any part of this electronic work, without -prominently displaying the sentence set forth in paragraph 1.E.1 with -active links or immediate access to the full terms of the Project -Gutenberg-tm License. - -1.E.6. You may convert to and distribute this work in any binary, -compressed, marked up, nonproprietary or proprietary form, including any -word processing or hypertext form. However, if you provide access to or -distribute copies of a Project Gutenberg-tm work in a format other than -“Plain Vanilla ASCII” or other format used in the official version -posted on the official Project Gutenberg-tm web site (www.gutenberg.org), -you must, at no additional cost, fee or expense to the user, provide a -copy, a means of exporting a copy, or a means of obtaining a copy upon -request, of the work in its original “Plain Vanilla ASCII” or other -form. Any alternate format must include the full Project Gutenberg-tm -License as specified in paragraph 1.E.1. - -1.E.7. Do not charge a fee for access to, viewing, displaying, -performing, copying or distributing any Project Gutenberg-tm works -unless you comply with paragraph 1.E.8 or 1.E.9. - -1.E.8. You may charge a reasonable fee for copies of or providing -access to or distributing Project Gutenberg-tm electronic works provided -that - -- You pay a royalty fee of 20% of the gross profits you derive from - the use of Project Gutenberg-tm works calculated using the method - you already use to calculate your applicable taxes. The fee is - owed to the owner of the Project Gutenberg-tm trademark, but he - has agreed to donate royalties under this paragraph to the - Project Gutenberg Literary Archive Foundation. Royalty payments - must be paid within 60 days following each date on which you - prepare (or are legally required to prepare) your periodic tax - returns. Royalty payments should be clearly marked as such and - sent to the Project Gutenberg Literary Archive Foundation at the - address specified in Section 4, “Information about donations to - the Project Gutenberg Literary Archive Foundation.” - -- You provide a full refund of any money paid by a user who notifies - you in writing (or by e-mail) within 30 days of receipt that s/he - does not agree to the terms of the full Project Gutenberg-tm - License. You must require such a user to return or - destroy all copies of the works possessed in a physical medium - and discontinue all use of and all access to other copies of - Project Gutenberg-tm works. - -- You provide, in accordance with paragraph 1.F.3, a full refund of any - money paid for a work or a replacement copy, if a defect in the - electronic work is discovered and reported to you within 90 days - of receipt of the work. - -- You comply with all other terms of this agreement for free - distribution of Project Gutenberg-tm works. - -1.E.9. If you wish to charge a fee or distribute a Project Gutenberg-tm -electronic work or group of works on different terms than are set -forth in this agreement, you must obtain permission in writing from -both the Project Gutenberg Literary Archive Foundation and Michael -Hart, the owner of the Project Gutenberg-tm trademark. Contact the -Foundation as set forth in Section 3 below. - -1.F. - -1.F.1. Project Gutenberg volunteers and employees expend considerable -effort to identify, do copyright research on, transcribe and proofread -public domain works in creating the Project Gutenberg-tm -collection. Despite these efforts, Project Gutenberg-tm electronic -works, and the medium on which they may be stored, may contain -“Defects,” such as, but not limited to, incomplete, inaccurate or -corrupt data, transcription errors, a copyright or other intellectual -property infringement, a defective or damaged disk or other medium, a -computer virus, or computer codes that damage or cannot be read by -your equipment. - -1.F.2. LIMITED WARRANTY, DISCLAIMER OF DAMAGES - Except for the “Right -of Replacement or Refund” described in paragraph 1.F.3, the Project -Gutenberg Literary Archive Foundation, the owner of the Project -Gutenberg-tm trademark, and any other party distributing a Project -Gutenberg-tm electronic work under this agreement, disclaim all -liability to you for damages, costs and expenses, including legal -fees. YOU AGREE THAT YOU HAVE NO REMEDIES FOR NEGLIGENCE, STRICT -LIABILITY, BREACH OF WARRANTY OR BREACH OF CONTRACT EXCEPT THOSE -PROVIDED IN PARAGRAPH F3. YOU AGREE THAT THE FOUNDATION, THE -TRADEMARK OWNER, AND ANY DISTRIBUTOR UNDER THIS AGREEMENT WILL NOT BE -LIABLE TO YOU FOR ACTUAL, DIRECT, INDIRECT, CONSEQUENTIAL, PUNITIVE OR -INCIDENTAL DAMAGES EVEN IF YOU GIVE NOTICE OF THE POSSIBILITY OF SUCH -DAMAGE. - -1.F.3. LIMITED RIGHT OF REPLACEMENT OR REFUND - If you discover a -defect in this electronic work within 90 days of receiving it, you can -receive a refund of the money (if any) you paid for it by sending a -written explanation to the person you received the work from. If you -received the work on a physical medium, you must return the medium with -your written explanation. The person or entity that provided you with -the defective work may elect to provide a replacement copy in lieu of a -refund. If you received the work electronically, the person or entity -providing it to you may choose to give you a second opportunity to -receive the work electronically in lieu of a refund. If the second copy -is also defective, you may demand a refund in writing without further -opportunities to fix the problem. - -1.F.4. Except for the limited right of replacement or refund set forth -in paragraph 1.F.3, this work is provided to you 'AS-IS' WITH NO OTHER -WARRANTIES OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO -WARRANTIES OF MERCHANTIBILITY OR FITNESS FOR ANY PURPOSE. - -1.F.5. Some states do not allow disclaimers of certain implied -warranties or the exclusion or limitation of certain types of damages. -If any disclaimer or limitation set forth in this agreement violates the -law of the state applicable to this agreement, the agreement shall be -interpreted to make the maximum disclaimer or limitation permitted by -the applicable state law. The invalidity or unenforceability of any -provision of this agreement shall not void the remaining provisions. - -1.F.6. INDEMNITY - You agree to indemnify and hold the Foundation, the -trademark owner, any agent or employee of the Foundation, anyone -providing copies of Project Gutenberg-tm electronic works in accordance -with this agreement, and any volunteers associated with the production, -promotion and distribution of Project Gutenberg-tm electronic works, -harmless from all liability, costs and expenses, including legal fees, -that arise directly or indirectly from any of the following which you do -or cause to occur: (a) distribution of this or any Project Gutenberg-tm -work, (b) alteration, modification, or additions or deletions to any -Project Gutenberg-tm work, and (c) any Defect you cause. - - -Section 2. Information about the Mission of Project Gutenberg-tm - -Project Gutenberg-tm is synonymous with the free distribution of -electronic works in formats readable by the widest variety of computers -including obsolete, old, middle-aged and new computers. It exists -because of the efforts of hundreds of volunteers and donations from -people in all walks of life. - -Volunteers and financial support to provide volunteers with the -assistance they need, are critical to reaching Project Gutenberg-tm's -goals and ensuring that the Project Gutenberg-tm collection will -remain freely available for generations to come. In 2001, the Project -Gutenberg Literary Archive Foundation was created to provide a secure -and permanent future for Project Gutenberg-tm and future generations. -To learn more about the Project Gutenberg Literary Archive Foundation -and how your efforts and donations can help, see Sections 3 and 4 -and the Foundation web page at http://www.pglaf.org. - - -Section 3. Information about the Project Gutenberg Literary Archive -Foundation - -The Project Gutenberg Literary Archive Foundation is a non profit -501(c)(3) educational corporation organized under the laws of the -state of Mississippi and granted tax exempt status by the Internal -Revenue Service. The Foundation's EIN or federal tax identification -number is 64-6221541. Its 501(c)(3) letter is posted at -http://pglaf.org/fundraising. Contributions to the Project Gutenberg -Literary Archive Foundation are tax deductible to the full extent -permitted by U.S. federal laws and your state's laws. - -The Foundation's principal office is located at 4557 Melan Dr. S. -Fairbanks, AK, 99712., but its volunteers and employees are scattered -throughout numerous locations. Its business office is located at -809 North 1500 West, Salt Lake City, UT 84116, (801) 596-1887, email -business@pglaf.org. Email contact links and up to date contact -information can be found at the Foundation's web site and official -page at http://pglaf.org - -For additional contact information: - Dr. Gregory B. Newby - Chief Executive and Director - gbnewby@pglaf.org - - -Section 4. Information about Donations to the Project Gutenberg -Literary Archive Foundation - -Project Gutenberg-tm depends upon and cannot survive without wide -spread public support and donations to carry out its mission of -increasing the number of public domain and licensed works that can be -freely distributed in machine readable form accessible by the widest -array of equipment including outdated equipment. Many small donations -($1 to $5,000) are particularly important to maintaining tax exempt -status with the IRS. - -The Foundation is committed to complying with the laws regulating -charities and charitable donations in all 50 states of the United -States. Compliance requirements are not uniform and it takes a -considerable effort, much paperwork and many fees to meet and keep up -with these requirements. We do not solicit donations in locations -where we have not received written confirmation of compliance. To -SEND DONATIONS or determine the status of compliance for any -particular state visit http://pglaf.org - -While we cannot and do not solicit contributions from states where we -have not met the solicitation requirements, we know of no prohibition -against accepting unsolicited donations from donors in such states who -approach us with offers to donate. - -International donations are gratefully accepted, but we cannot make -any statements concerning tax treatment of donations received from -outside the United States. U.S. laws alone swamp our small staff. - -Please check the Project Gutenberg Web pages for current donation -methods and addresses. Donations are accepted in a number of other -ways including checks, online payments and credit card donations. -To donate, please visit: http://pglaf.org/donate - - -Section 5. General Information About Project Gutenberg-tm electronic -works. - -Professor Michael S. Hart is the originator of the Project Gutenberg-tm -concept of a library of electronic works that could be freely shared -with anyone. For thirty years, he produced and distributed Project -Gutenberg-tm eBooks with only a loose network of volunteer support. - - -Project Gutenberg-tm eBooks are often created from several printed -editions, all of which are confirmed as Public Domain in the U.S. -unless a copyright notice is included. Thus, we do not necessarily -keep eBooks in compliance with any particular paper edition. - - -Most people start at our Web site which has the main PG search facility: - - http://www.gutenberg.org - -This Web site includes information about Project Gutenberg-tm, -including how to make donations to the Project Gutenberg Literary -Archive Foundation, how to help produce our new eBooks, and how to -subscribe to our email newsletter to hear about new eBooks. diff --git "a/DataStructureNotes/notes/12\347\272\242\351\273\221\346\240\221.md" "b/DataStructureNotes/notes/12\347\272\242\351\273\221\346\240\221.md" deleted file mode 100644 index bc426be..0000000 --- "a/DataStructureNotes/notes/12\347\272\242\351\273\221\346\240\221.md" +++ /dev/null @@ -1,277 +0,0 @@ - -* [红黑树](#红黑树) - * [什么是红黑树](#什么是红黑树) - * [红黑树和2-3树](#红黑树和2-3树) - * [红黑树性质](#红黑树性质) - * [向红黑树中添加新元素](#向红黑树中添加新元素) - * [保持根节点为黑色](#保持根节点为黑色) - * [左旋转](#左旋转) - * [颜色翻转](#颜色翻转) - * [右旋转](#右旋转) - * [添加新元素](#添加新元素) - * [红黑树性能总结](#红黑树性能总结) - - -# 红黑树 -## 什么是红黑树 -### 2-3树 -- 2-3树性质: - -1.满足二叉搜索树的基本性质 - -2.节点可以存放一个或者两个元素 - -
- -3.2-3树是一棵绝对平衡的树(从根节点到叶子节点所经过的节点数都相同) - -- 下图是一棵完整的2-3树: - -
- -### 2-3树是如何维持绝对平衡的 -- 向2-节点中插入数据 - -
- -- 向3-节点中插入数据 - -
- -- 向3-节点中插入数据,并且该3-节点父节点是2-节点 - -
- -- 向3-节点中插入数据,并且该3-节点父节点也是3-节点 - -
- -## 红黑树和2-3树 -- 2-3树中2-节点等同于红黑树中的“黑”节点,红黑树中的“红”节点+红边+“黑”节点就等同于2-3树中的3-节点 - -
- -基于红黑树和2-3树的关系,我们可以将2-3树转化为红黑树: - -
- -即 - -
- -## 红黑树性质 -1.每个节点或者是红色的,或者是黑色的 - -2.根节点是黑色的 - -3.每一个叶子节点(最后的空节点)是黑色的 - -4.如果一个节点是红色的,那么它们的孩子节点都是黑色的 - -5.从任意一个节点到叶子节点,锁经过的黑色节点都是一样的 - -
- -## 向红黑树中添加新元素 -```java -public class RBTree,V>{ - private static final boolean RED=true; - private static final boolean BLACK=false; - - private class Node{ - public K key; - public V value; - public Node left,right; - public boolean color; - public Node(K key,V value){ - this.key=key; - this.value=value; - this.left=null; - this.right=null; - //2-3树中添加一个新元素 - //元素添加进2-节点,会形成3-节点 - //元素添加进3-节点,会先形成4-节点,然后进行相应的转换 - //由于2-3树和红黑树等价性,该节点初始化为红色,就是在模拟这个过程 - this.color=RED; - } - } -} -``` - -### 保持根节点为黑色 -```java -//判断节点是否是红色 -private boolean isRed(Node node){ - if(node==null){ - return BLACK; - } - return node.color; -} - -public void add(K key, V value) { - root=add(root,key,value); - //红黑树性质: 2.根节点是黑色的 - root.color=BLACK; -} -``` - -### 左旋转 -对以node为根节点的如下子树进行左旋转: - -
- -**1.node.right=x.left** - -
- -**2.x.left=node** - -
- -**3.颜色转换** - -
- -```java -//左旋转 -// node x -// / \ 左旋转 / \ -// T1 x ---------> node T3 -// / \ / \ -// T2 T3 T1 T2 -private Node leftRotate(Node node){ - Node x=node.right; - - //左旋转 - node.right=x.left; - x.left=node; - - //改变节点颜色 - x.color=node.color; - node.color=RED; - - return x; -} -``` - -### 颜色翻转 - -2-3树中3-节点插入66: - -
- -对应的红黑树中: - -
- -
- -此时可以将这三个节点就是2-3树中的4-节点,这时就需要颜色翻转: - -
- -注:44转换为红色,方便后续的操作,(与其他的节点“融合”) - -```java -//颜色翻转 -private void flipColors(Node node){ - node.color=RED; - node.left.color=BLACK; - node.right.color=BLACK; -} -``` - -### 右旋转 -
- -**1.node.left=T1** -
- -**2.node.right=node** -
- -**3.颜色转换** -
- -```java -//右旋转 -// node x -// / \ 右旋转 / \ -// x T2 -------> y node -// / \ / \ -// y T1 T1 T2 -private Node rightRotate(Node node) { - Node x=node.left; - - //右旋转 - node.left=x.right; - x.right=node; - - x.color=node.color; - node.color=RED; - - return x; -} -``` - -### 添加新元素 - -
- -```java -public void add(K key, V value) { - root=add(root,key,value); - //红黑树性质: 2.根节点是黑色的 - root.color=BLACK; -} - -private Node add(Node node,K key,V value){ - if(node==null){ - size++; - return new Node(key,value); - } - if(key.compareTo(node.key)<0){ - node.left=add(node.left,key,value); - }else if(key.compareTo(node.key)>0){ - node.right=add(node.right,key,value); - }else{ - node.value=value; - } - - // 黑 - // / - // 红 - // \ - // 红 - //左旋转 - if(isRed(node.right) && !isRed(node.left)){ - node=leftRotate(node); - } - - // 黑 - // / - // 红 - // / - // 红 - //右旋转 - if(isRed(node.left) && isRed(node.left.left)){ - node=rightRotate(node); - } - - // 黑 - // / \ - // 红 红 - // 颜色翻转 - if(isRed(node.left) && isRed(node.right)){ - flipColors(node); - } - return node; -} -``` - -## 红黑树性能总结 -- 对于完全随机的数据,建议使用普通的BST。但是在极端情况下,会退化成链表!(或者高度不平衡) - -- 对于查询较多的使用情况,建议使用AVL树。 - -- 红黑树牺牲了平衡性(2log n的高度),统计性能更优(增删改查所有的操作) \ No newline at end of file diff --git a/DataStructureNotes/notes/pics/array/array_1.png b/DataStructureNotes/notes/pics/array/array_1.png deleted file mode 100644 index 1fdfd6d..0000000 Binary files a/DataStructureNotes/notes/pics/array/array_1.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/array/array_2.png b/DataStructureNotes/notes/pics/array/array_2.png deleted file mode 100644 index 5550a76..0000000 Binary files a/DataStructureNotes/notes/pics/array/array_2.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/array/array_3.png b/DataStructureNotes/notes/pics/array/array_3.png deleted file mode 100644 index 839c48e..0000000 Binary files a/DataStructureNotes/notes/pics/array/array_3.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/array/array_4.png b/DataStructureNotes/notes/pics/array/array_4.png deleted file mode 100644 index 818492e..0000000 Binary files a/DataStructureNotes/notes/pics/array/array_4.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/array/array_5.png b/DataStructureNotes/notes/pics/array/array_5.png deleted file mode 100644 index 429ca83..0000000 Binary files a/DataStructureNotes/notes/pics/array/array_5.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/avl/avl_1.png b/DataStructureNotes/notes/pics/avl/avl_1.png deleted file mode 100644 index cb24300..0000000 Binary files a/DataStructureNotes/notes/pics/avl/avl_1.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/avl/avl_10.png b/DataStructureNotes/notes/pics/avl/avl_10.png deleted file mode 100644 index d16d06f..0000000 Binary files a/DataStructureNotes/notes/pics/avl/avl_10.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/avl/avl_11.png b/DataStructureNotes/notes/pics/avl/avl_11.png deleted file mode 100644 index f075d70..0000000 Binary files a/DataStructureNotes/notes/pics/avl/avl_11.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/avl/avl_12.png b/DataStructureNotes/notes/pics/avl/avl_12.png deleted file mode 100644 index 3888a84..0000000 Binary files a/DataStructureNotes/notes/pics/avl/avl_12.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/avl/avl_13.png b/DataStructureNotes/notes/pics/avl/avl_13.png deleted file mode 100644 index 31fe8bc..0000000 Binary files a/DataStructureNotes/notes/pics/avl/avl_13.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/avl/avl_14.png b/DataStructureNotes/notes/pics/avl/avl_14.png deleted file mode 100644 index ea6332f..0000000 Binary files a/DataStructureNotes/notes/pics/avl/avl_14.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/avl/avl_15.png b/DataStructureNotes/notes/pics/avl/avl_15.png deleted file mode 100644 index 0f02b43..0000000 Binary files a/DataStructureNotes/notes/pics/avl/avl_15.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/avl/avl_2.png b/DataStructureNotes/notes/pics/avl/avl_2.png deleted file mode 100644 index 22f8286..0000000 Binary files a/DataStructureNotes/notes/pics/avl/avl_2.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/avl/avl_3.png b/DataStructureNotes/notes/pics/avl/avl_3.png deleted file mode 100644 index 1d31f6d..0000000 Binary files a/DataStructureNotes/notes/pics/avl/avl_3.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/avl/avl_4.png b/DataStructureNotes/notes/pics/avl/avl_4.png deleted file mode 100644 index 7827e57..0000000 Binary files a/DataStructureNotes/notes/pics/avl/avl_4.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/avl/avl_5.png b/DataStructureNotes/notes/pics/avl/avl_5.png deleted file mode 100644 index f329dae..0000000 Binary files a/DataStructureNotes/notes/pics/avl/avl_5.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/avl/avl_6.png b/DataStructureNotes/notes/pics/avl/avl_6.png deleted file mode 100644 index f0d72c7..0000000 Binary files a/DataStructureNotes/notes/pics/avl/avl_6.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/avl/avl_7.png b/DataStructureNotes/notes/pics/avl/avl_7.png deleted file mode 100644 index e83e07d..0000000 Binary files a/DataStructureNotes/notes/pics/avl/avl_7.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/avl/avl_8.png b/DataStructureNotes/notes/pics/avl/avl_8.png deleted file mode 100644 index 3101c61..0000000 Binary files a/DataStructureNotes/notes/pics/avl/avl_8.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/avl/avl_9.png b/DataStructureNotes/notes/pics/avl/avl_9.png deleted file mode 100644 index 23ef04c..0000000 Binary files a/DataStructureNotes/notes/pics/avl/avl_9.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_00.png b/DataStructureNotes/notes/pics/bst/bst_00.png deleted file mode 100644 index babc7b9..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_00.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_01.png b/DataStructureNotes/notes/pics/bst/bst_01.png deleted file mode 100644 index 2764e6a..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_01.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_02.png b/DataStructureNotes/notes/pics/bst/bst_02.png deleted file mode 100644 index ccd50d8..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_02.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_03.png b/DataStructureNotes/notes/pics/bst/bst_03.png deleted file mode 100644 index 4b1d56a..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_03.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_04.png b/DataStructureNotes/notes/pics/bst/bst_04.png deleted file mode 100644 index c19043c..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_04.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_05.png b/DataStructureNotes/notes/pics/bst/bst_05.png deleted file mode 100644 index 05cacf0..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_05.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_06.png b/DataStructureNotes/notes/pics/bst/bst_06.png deleted file mode 100644 index 25dd181..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_06.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_07.png b/DataStructureNotes/notes/pics/bst/bst_07.png deleted file mode 100644 index 5d0aadc..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_07.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_08.png b/DataStructureNotes/notes/pics/bst/bst_08.png deleted file mode 100644 index f0ff9ed..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_08.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_09.png b/DataStructureNotes/notes/pics/bst/bst_09.png deleted file mode 100644 index 3e3596d..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_09.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_10.png b/DataStructureNotes/notes/pics/bst/bst_10.png deleted file mode 100644 index d93b45d..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_10.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_11.png b/DataStructureNotes/notes/pics/bst/bst_11.png deleted file mode 100644 index 5739bf6..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_11.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_12.png b/DataStructureNotes/notes/pics/bst/bst_12.png deleted file mode 100644 index 84f35f4..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_12.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_13.png b/DataStructureNotes/notes/pics/bst/bst_13.png deleted file mode 100644 index 88677f2..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_13.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_14.png b/DataStructureNotes/notes/pics/bst/bst_14.png deleted file mode 100644 index 22cd89a..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_14.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_15.png b/DataStructureNotes/notes/pics/bst/bst_15.png deleted file mode 100644 index 8dd45a2..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_15.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_16.png b/DataStructureNotes/notes/pics/bst/bst_16.png deleted file mode 100644 index b6b7e06..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_16.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_17.png b/DataStructureNotes/notes/pics/bst/bst_17.png deleted file mode 100644 index b7a4fc4..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_17.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_18.png b/DataStructureNotes/notes/pics/bst/bst_18.png deleted file mode 100644 index 48b3f41..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_18.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_19.png b/DataStructureNotes/notes/pics/bst/bst_19.png deleted file mode 100644 index 689a0d7..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_19.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/bst_20.png b/DataStructureNotes/notes/pics/bst/bst_20.png deleted file mode 100644 index e32f8e1..0000000 Binary files a/DataStructureNotes/notes/pics/bst/bst_20.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/stack_1.png b/DataStructureNotes/notes/pics/bst/stack_1.png deleted file mode 100644 index 46c36a6..0000000 Binary files a/DataStructureNotes/notes/pics/bst/stack_1.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/stack_2.png b/DataStructureNotes/notes/pics/bst/stack_2.png deleted file mode 100644 index 03c9120..0000000 Binary files a/DataStructureNotes/notes/pics/bst/stack_2.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/stack_3.png b/DataStructureNotes/notes/pics/bst/stack_3.png deleted file mode 100644 index 8bd22f7..0000000 Binary files a/DataStructureNotes/notes/pics/bst/stack_3.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/stack_4.png b/DataStructureNotes/notes/pics/bst/stack_4.png deleted file mode 100644 index 5bf4fdb..0000000 Binary files a/DataStructureNotes/notes/pics/bst/stack_4.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/stack_5.png b/DataStructureNotes/notes/pics/bst/stack_5.png deleted file mode 100644 index 04e4cfc..0000000 Binary files a/DataStructureNotes/notes/pics/bst/stack_5.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/stack_6.png b/DataStructureNotes/notes/pics/bst/stack_6.png deleted file mode 100644 index bf97bff..0000000 Binary files a/DataStructureNotes/notes/pics/bst/stack_6.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/bst/stack_7.png b/DataStructureNotes/notes/pics/bst/stack_7.png deleted file mode 100644 index 4bf6020..0000000 Binary files a/DataStructureNotes/notes/pics/bst/stack_7.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/graph/14_1.png b/DataStructureNotes/notes/pics/graph/14_1.png deleted file mode 100644 index e4e8daa..0000000 Binary files a/DataStructureNotes/notes/pics/graph/14_1.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/graph/14_2.png b/DataStructureNotes/notes/pics/graph/14_2.png deleted file mode 100644 index 9515ba5..0000000 Binary files a/DataStructureNotes/notes/pics/graph/14_2.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/graph/14_3.png b/DataStructureNotes/notes/pics/graph/14_3.png deleted file mode 100644 index e385696..0000000 Binary files a/DataStructureNotes/notes/pics/graph/14_3.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/graph/14_4.png b/DataStructureNotes/notes/pics/graph/14_4.png deleted file mode 100644 index 5e8c304..0000000 Binary files a/DataStructureNotes/notes/pics/graph/14_4.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/hash/13_1.png b/DataStructureNotes/notes/pics/hash/13_1.png deleted file mode 100644 index 5be4bb0..0000000 Binary files a/DataStructureNotes/notes/pics/hash/13_1.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/hash/13_2.png b/DataStructureNotes/notes/pics/hash/13_2.png deleted file mode 100644 index d096905..0000000 Binary files a/DataStructureNotes/notes/pics/hash/13_2.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/hash/13_3.png b/DataStructureNotes/notes/pics/hash/13_3.png deleted file mode 100644 index f41c13d..0000000 Binary files a/DataStructureNotes/notes/pics/hash/13_3.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/hash/13_4.png b/DataStructureNotes/notes/pics/hash/13_4.png deleted file mode 100644 index b9a9e8a..0000000 Binary files a/DataStructureNotes/notes/pics/hash/13_4.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/hash/13_5.png b/DataStructureNotes/notes/pics/hash/13_5.png deleted file mode 100644 index d24ffc1..0000000 Binary files a/DataStructureNotes/notes/pics/hash/13_5.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/hash/13_6.png b/DataStructureNotes/notes/pics/hash/13_6.png deleted file mode 100644 index 6b422f3..0000000 Binary files a/DataStructureNotes/notes/pics/hash/13_6.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/hash/13_7.png b/DataStructureNotes/notes/pics/hash/13_7.png deleted file mode 100644 index fd31f45..0000000 Binary files a/DataStructureNotes/notes/pics/hash/13_7.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/heap/heap_1.png b/DataStructureNotes/notes/pics/heap/heap_1.png deleted file mode 100644 index 679349f..0000000 Binary files a/DataStructureNotes/notes/pics/heap/heap_1.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/heap/heap_2.png b/DataStructureNotes/notes/pics/heap/heap_2.png deleted file mode 100644 index 5a8f612..0000000 Binary files a/DataStructureNotes/notes/pics/heap/heap_2.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/heap/heap_3.png b/DataStructureNotes/notes/pics/heap/heap_3.png deleted file mode 100644 index beb6d5f..0000000 Binary files a/DataStructureNotes/notes/pics/heap/heap_3.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/heap/heap_4.png b/DataStructureNotes/notes/pics/heap/heap_4.png deleted file mode 100644 index 324a960..0000000 Binary files a/DataStructureNotes/notes/pics/heap/heap_4.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/heap/heap_5.png b/DataStructureNotes/notes/pics/heap/heap_5.png deleted file mode 100644 index ca89c4c..0000000 Binary files a/DataStructureNotes/notes/pics/heap/heap_5.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/linkedlist/linkedlist_1.png b/DataStructureNotes/notes/pics/linkedlist/linkedlist_1.png deleted file mode 100644 index 60319a1..0000000 Binary files a/DataStructureNotes/notes/pics/linkedlist/linkedlist_1.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/linkedlist/linkedlist_10.png b/DataStructureNotes/notes/pics/linkedlist/linkedlist_10.png deleted file mode 100644 index 13a24ec..0000000 Binary files a/DataStructureNotes/notes/pics/linkedlist/linkedlist_10.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/linkedlist/linkedlist_11.png b/DataStructureNotes/notes/pics/linkedlist/linkedlist_11.png deleted file mode 100644 index 9562a27..0000000 Binary files a/DataStructureNotes/notes/pics/linkedlist/linkedlist_11.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/linkedlist/linkedlist_12.png b/DataStructureNotes/notes/pics/linkedlist/linkedlist_12.png deleted file mode 100644 index 9a66433..0000000 Binary files a/DataStructureNotes/notes/pics/linkedlist/linkedlist_12.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/linkedlist/linkedlist_13.png b/DataStructureNotes/notes/pics/linkedlist/linkedlist_13.png deleted file mode 100644 index 29c37b9..0000000 Binary files a/DataStructureNotes/notes/pics/linkedlist/linkedlist_13.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/linkedlist/linkedlist_14.png b/DataStructureNotes/notes/pics/linkedlist/linkedlist_14.png deleted file mode 100644 index 73c32f0..0000000 Binary files a/DataStructureNotes/notes/pics/linkedlist/linkedlist_14.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/linkedlist/linkedlist_15.png b/DataStructureNotes/notes/pics/linkedlist/linkedlist_15.png deleted file mode 100644 index 4122bbf..0000000 Binary files a/DataStructureNotes/notes/pics/linkedlist/linkedlist_15.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/linkedlist/linkedlist_16.png b/DataStructureNotes/notes/pics/linkedlist/linkedlist_16.png deleted file mode 100644 index 05afeb8..0000000 Binary files a/DataStructureNotes/notes/pics/linkedlist/linkedlist_16.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/linkedlist/linkedlist_17.png b/DataStructureNotes/notes/pics/linkedlist/linkedlist_17.png deleted file mode 100644 index 4253aea..0000000 Binary files a/DataStructureNotes/notes/pics/linkedlist/linkedlist_17.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/linkedlist/linkedlist_2.png b/DataStructureNotes/notes/pics/linkedlist/linkedlist_2.png deleted file mode 100644 index 445fb91..0000000 Binary files a/DataStructureNotes/notes/pics/linkedlist/linkedlist_2.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/linkedlist/linkedlist_3.png b/DataStructureNotes/notes/pics/linkedlist/linkedlist_3.png deleted file mode 100644 index 987245a..0000000 Binary files a/DataStructureNotes/notes/pics/linkedlist/linkedlist_3.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/linkedlist/linkedlist_4.png b/DataStructureNotes/notes/pics/linkedlist/linkedlist_4.png deleted file mode 100644 index 4ad908d..0000000 Binary files a/DataStructureNotes/notes/pics/linkedlist/linkedlist_4.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/linkedlist/linkedlist_5.png b/DataStructureNotes/notes/pics/linkedlist/linkedlist_5.png deleted file mode 100644 index 2f46091..0000000 Binary files a/DataStructureNotes/notes/pics/linkedlist/linkedlist_5.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/linkedlist/linkedlist_6.png b/DataStructureNotes/notes/pics/linkedlist/linkedlist_6.png deleted file mode 100644 index 33078fe..0000000 Binary files a/DataStructureNotes/notes/pics/linkedlist/linkedlist_6.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/linkedlist/linkedlist_7.png b/DataStructureNotes/notes/pics/linkedlist/linkedlist_7.png deleted file mode 100644 index 67f1a68..0000000 Binary files a/DataStructureNotes/notes/pics/linkedlist/linkedlist_7.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/linkedlist/linkedlist_8.png b/DataStructureNotes/notes/pics/linkedlist/linkedlist_8.png deleted file mode 100644 index 3b859ee..0000000 Binary files a/DataStructureNotes/notes/pics/linkedlist/linkedlist_8.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/linkedlist/linkedlist_9.png b/DataStructureNotes/notes/pics/linkedlist/linkedlist_9.png deleted file mode 100644 index bd5c089..0000000 Binary files a/DataStructureNotes/notes/pics/linkedlist/linkedlist_9.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/lr/lr_1.png b/DataStructureNotes/notes/pics/lr/lr_1.png deleted file mode 100644 index 37b6112..0000000 Binary files a/DataStructureNotes/notes/pics/lr/lr_1.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/lr/lr_2.png b/DataStructureNotes/notes/pics/lr/lr_2.png deleted file mode 100644 index a54e238..0000000 Binary files a/DataStructureNotes/notes/pics/lr/lr_2.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/lr/lr_3.png b/DataStructureNotes/notes/pics/lr/lr_3.png deleted file mode 100644 index 3f80501..0000000 Binary files a/DataStructureNotes/notes/pics/lr/lr_3.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/lr/lr_4.png b/DataStructureNotes/notes/pics/lr/lr_4.png deleted file mode 100644 index 862d324..0000000 Binary files a/DataStructureNotes/notes/pics/lr/lr_4.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/minSpanTree/15_1.png b/DataStructureNotes/notes/pics/minSpanTree/15_1.png deleted file mode 100644 index bef9f48..0000000 Binary files a/DataStructureNotes/notes/pics/minSpanTree/15_1.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/minSpanTree/15_2.png b/DataStructureNotes/notes/pics/minSpanTree/15_2.png deleted file mode 100644 index 8d54ca6..0000000 Binary files a/DataStructureNotes/notes/pics/minSpanTree/15_2.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/minSpanTree/15_3.png b/DataStructureNotes/notes/pics/minSpanTree/15_3.png deleted file mode 100644 index dea2df7..0000000 Binary files a/DataStructureNotes/notes/pics/minSpanTree/15_3.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/minSpanTree/15_4.png b/DataStructureNotes/notes/pics/minSpanTree/15_4.png deleted file mode 100644 index ca82370..0000000 Binary files a/DataStructureNotes/notes/pics/minSpanTree/15_4.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/minSpanTree/15_5.png b/DataStructureNotes/notes/pics/minSpanTree/15_5.png deleted file mode 100644 index 9606562..0000000 Binary files a/DataStructureNotes/notes/pics/minSpanTree/15_5.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_1.png b/DataStructureNotes/notes/pics/redBlackTree/12_1.png deleted file mode 100644 index c9835b8..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_1.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_10.png b/DataStructureNotes/notes/pics/redBlackTree/12_10.png deleted file mode 100644 index 3f02d09..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_10.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_11.png b/DataStructureNotes/notes/pics/redBlackTree/12_11.png deleted file mode 100644 index 59f9dc4..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_11.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_12.png b/DataStructureNotes/notes/pics/redBlackTree/12_12.png deleted file mode 100644 index 09adc3c..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_12.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_13.png b/DataStructureNotes/notes/pics/redBlackTree/12_13.png deleted file mode 100644 index 96d236b..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_13.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_14.png b/DataStructureNotes/notes/pics/redBlackTree/12_14.png deleted file mode 100644 index 9817e18..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_14.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_15.png b/DataStructureNotes/notes/pics/redBlackTree/12_15.png deleted file mode 100644 index a1d2707..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_15.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_16.png b/DataStructureNotes/notes/pics/redBlackTree/12_16.png deleted file mode 100644 index 180ab3d..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_16.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_17.png b/DataStructureNotes/notes/pics/redBlackTree/12_17.png deleted file mode 100644 index e77f919..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_17.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_18.png b/DataStructureNotes/notes/pics/redBlackTree/12_18.png deleted file mode 100644 index c525a2b..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_18.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_19.png b/DataStructureNotes/notes/pics/redBlackTree/12_19.png deleted file mode 100644 index 17d2279..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_19.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_2.png b/DataStructureNotes/notes/pics/redBlackTree/12_2.png deleted file mode 100644 index a389e99..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_2.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_20.png b/DataStructureNotes/notes/pics/redBlackTree/12_20.png deleted file mode 100644 index 6b9b101..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_20.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_21.png b/DataStructureNotes/notes/pics/redBlackTree/12_21.png deleted file mode 100644 index 446d9e2..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_21.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_23.png b/DataStructureNotes/notes/pics/redBlackTree/12_23.png deleted file mode 100644 index 9d7ea81..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_23.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_24.png b/DataStructureNotes/notes/pics/redBlackTree/12_24.png deleted file mode 100644 index 115e82f..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_24.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_25.png b/DataStructureNotes/notes/pics/redBlackTree/12_25.png deleted file mode 100644 index a3876e3..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_25.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_3.png b/DataStructureNotes/notes/pics/redBlackTree/12_3.png deleted file mode 100644 index 658ad0e..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_3.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_4.png b/DataStructureNotes/notes/pics/redBlackTree/12_4.png deleted file mode 100644 index 4858df2..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_4.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_5.png b/DataStructureNotes/notes/pics/redBlackTree/12_5.png deleted file mode 100644 index d90946b..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_5.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_6.png b/DataStructureNotes/notes/pics/redBlackTree/12_6.png deleted file mode 100644 index df6839a..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_6.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_8.png b/DataStructureNotes/notes/pics/redBlackTree/12_8.png deleted file mode 100644 index f99ca2a..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_8.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/redBlackTree/12_9.png b/DataStructureNotes/notes/pics/redBlackTree/12_9.png deleted file mode 100644 index 920b8f8..0000000 Binary files a/DataStructureNotes/notes/pics/redBlackTree/12_9.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/segmentTree/segmentTree.png b/DataStructureNotes/notes/pics/segmentTree/segmentTree.png deleted file mode 100644 index 17a6f4c..0000000 Binary files a/DataStructureNotes/notes/pics/segmentTree/segmentTree.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/segmentTree/segmentTree00.png b/DataStructureNotes/notes/pics/segmentTree/segmentTree00.png deleted file mode 100644 index 6d70a1a..0000000 Binary files a/DataStructureNotes/notes/pics/segmentTree/segmentTree00.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/segmentTree/segmentTree01.png b/DataStructureNotes/notes/pics/segmentTree/segmentTree01.png deleted file mode 100644 index c3b86b1..0000000 Binary files a/DataStructureNotes/notes/pics/segmentTree/segmentTree01.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/segmentTree/segmentTree_2.png b/DataStructureNotes/notes/pics/segmentTree/segmentTree_2.png deleted file mode 100644 index f497d07..0000000 Binary files a/DataStructureNotes/notes/pics/segmentTree/segmentTree_2.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/segmentTree/segmentTree_3.png b/DataStructureNotes/notes/pics/segmentTree/segmentTree_3.png deleted file mode 100644 index 9e218f4..0000000 Binary files a/DataStructureNotes/notes/pics/segmentTree/segmentTree_3.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/segmentTree/segmentTree_4.png b/DataStructureNotes/notes/pics/segmentTree/segmentTree_4.png deleted file mode 100644 index 991dd72..0000000 Binary files a/DataStructureNotes/notes/pics/segmentTree/segmentTree_4.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/segmentTree/segmentTree_5.png b/DataStructureNotes/notes/pics/segmentTree/segmentTree_5.png deleted file mode 100644 index 205fec5..0000000 Binary files a/DataStructureNotes/notes/pics/segmentTree/segmentTree_5.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/setAndMap/map_1.png b/DataStructureNotes/notes/pics/setAndMap/map_1.png deleted file mode 100644 index a906a10..0000000 Binary files a/DataStructureNotes/notes/pics/setAndMap/map_1.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/setAndMap/map_2.png b/DataStructureNotes/notes/pics/setAndMap/map_2.png deleted file mode 100644 index 58083c2..0000000 Binary files a/DataStructureNotes/notes/pics/setAndMap/map_2.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/setAndMap/set_1.png b/DataStructureNotes/notes/pics/setAndMap/set_1.png deleted file mode 100644 index 06b47d8..0000000 Binary files a/DataStructureNotes/notes/pics/setAndMap/set_1.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/setAndMap/set_2.png b/DataStructureNotes/notes/pics/setAndMap/set_2.png deleted file mode 100644 index 57ca60b..0000000 Binary files a/DataStructureNotes/notes/pics/setAndMap/set_2.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/setAndMap/set_3.png b/DataStructureNotes/notes/pics/setAndMap/set_3.png deleted file mode 100644 index 4235a13..0000000 Binary files a/DataStructureNotes/notes/pics/setAndMap/set_3.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/setAndMap/set_4.png b/DataStructureNotes/notes/pics/setAndMap/set_4.png deleted file mode 100644 index b3a446e..0000000 Binary files a/DataStructureNotes/notes/pics/setAndMap/set_4.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/shortestPath/16_1.png b/DataStructureNotes/notes/pics/shortestPath/16_1.png deleted file mode 100644 index 35a3fb5..0000000 Binary files a/DataStructureNotes/notes/pics/shortestPath/16_1.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/shortestPath/16_10.png b/DataStructureNotes/notes/pics/shortestPath/16_10.png deleted file mode 100644 index 216fca5..0000000 Binary files a/DataStructureNotes/notes/pics/shortestPath/16_10.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/shortestPath/16_11.png b/DataStructureNotes/notes/pics/shortestPath/16_11.png deleted file mode 100644 index c4f4ea5..0000000 Binary files a/DataStructureNotes/notes/pics/shortestPath/16_11.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/shortestPath/16_2.png b/DataStructureNotes/notes/pics/shortestPath/16_2.png deleted file mode 100644 index a0ac3c6..0000000 Binary files a/DataStructureNotes/notes/pics/shortestPath/16_2.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/shortestPath/16_3.png b/DataStructureNotes/notes/pics/shortestPath/16_3.png deleted file mode 100644 index 01447a0..0000000 Binary files a/DataStructureNotes/notes/pics/shortestPath/16_3.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/shortestPath/16_4.png b/DataStructureNotes/notes/pics/shortestPath/16_4.png deleted file mode 100644 index 33276f8..0000000 Binary files a/DataStructureNotes/notes/pics/shortestPath/16_4.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/shortestPath/16_5.png b/DataStructureNotes/notes/pics/shortestPath/16_5.png deleted file mode 100644 index 19388d7..0000000 Binary files a/DataStructureNotes/notes/pics/shortestPath/16_5.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/shortestPath/16_6.png b/DataStructureNotes/notes/pics/shortestPath/16_6.png deleted file mode 100644 index a526f1c..0000000 Binary files a/DataStructureNotes/notes/pics/shortestPath/16_6.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/shortestPath/16_7.png b/DataStructureNotes/notes/pics/shortestPath/16_7.png deleted file mode 100644 index 26a3f10..0000000 Binary files a/DataStructureNotes/notes/pics/shortestPath/16_7.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/shortestPath/16_8.png b/DataStructureNotes/notes/pics/shortestPath/16_8.png deleted file mode 100644 index 9997aab..0000000 Binary files a/DataStructureNotes/notes/pics/shortestPath/16_8.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/shortestPath/16_9.png b/DataStructureNotes/notes/pics/shortestPath/16_9.png deleted file mode 100644 index d6a11f7..0000000 Binary files a/DataStructureNotes/notes/pics/shortestPath/16_9.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/stack/queue_1.png b/DataStructureNotes/notes/pics/stack/queue_1.png deleted file mode 100644 index b1b8940..0000000 Binary files a/DataStructureNotes/notes/pics/stack/queue_1.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/stack/queue_2.png b/DataStructureNotes/notes/pics/stack/queue_2.png deleted file mode 100644 index eb14afd..0000000 Binary files a/DataStructureNotes/notes/pics/stack/queue_2.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/stack/queue_3.png b/DataStructureNotes/notes/pics/stack/queue_3.png deleted file mode 100644 index 728e840..0000000 Binary files a/DataStructureNotes/notes/pics/stack/queue_3.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/stack/queue_4.png b/DataStructureNotes/notes/pics/stack/queue_4.png deleted file mode 100644 index 02bd21b..0000000 Binary files a/DataStructureNotes/notes/pics/stack/queue_4.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/stack/queue_5.png b/DataStructureNotes/notes/pics/stack/queue_5.png deleted file mode 100644 index c3b1eaa..0000000 Binary files a/DataStructureNotes/notes/pics/stack/queue_5.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/stack/queue_6.png b/DataStructureNotes/notes/pics/stack/queue_6.png deleted file mode 100644 index 94458b1..0000000 Binary files a/DataStructureNotes/notes/pics/stack/queue_6.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/stack/queue_7.png b/DataStructureNotes/notes/pics/stack/queue_7.png deleted file mode 100644 index aae4455..0000000 Binary files a/DataStructureNotes/notes/pics/stack/queue_7.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/stack/stack_1.png b/DataStructureNotes/notes/pics/stack/stack_1.png deleted file mode 100644 index 8c88f27..0000000 Binary files a/DataStructureNotes/notes/pics/stack/stack_1.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/stack/stack_2.png b/DataStructureNotes/notes/pics/stack/stack_2.png deleted file mode 100644 index 658939a..0000000 Binary files a/DataStructureNotes/notes/pics/stack/stack_2.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/trie/trie_1.png b/DataStructureNotes/notes/pics/trie/trie_1.png deleted file mode 100644 index 40a7e2d..0000000 Binary files a/DataStructureNotes/notes/pics/trie/trie_1.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/trie/trie_2.png b/DataStructureNotes/notes/pics/trie/trie_2.png deleted file mode 100644 index a80cdb7..0000000 Binary files a/DataStructureNotes/notes/pics/trie/trie_2.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/unionFind/uf_1.png b/DataStructureNotes/notes/pics/unionFind/uf_1.png deleted file mode 100644 index f09e91e..0000000 Binary files a/DataStructureNotes/notes/pics/unionFind/uf_1.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/unionFind/uf_10.png b/DataStructureNotes/notes/pics/unionFind/uf_10.png deleted file mode 100644 index f63f7b1..0000000 Binary files a/DataStructureNotes/notes/pics/unionFind/uf_10.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/unionFind/uf_2.png b/DataStructureNotes/notes/pics/unionFind/uf_2.png deleted file mode 100644 index e74ae1b..0000000 Binary files a/DataStructureNotes/notes/pics/unionFind/uf_2.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/unionFind/uf_3.png b/DataStructureNotes/notes/pics/unionFind/uf_3.png deleted file mode 100644 index ed737b8..0000000 Binary files a/DataStructureNotes/notes/pics/unionFind/uf_3.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/unionFind/uf_4.png b/DataStructureNotes/notes/pics/unionFind/uf_4.png deleted file mode 100644 index a91b838..0000000 Binary files a/DataStructureNotes/notes/pics/unionFind/uf_4.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/unionFind/uf_5.png b/DataStructureNotes/notes/pics/unionFind/uf_5.png deleted file mode 100644 index e72818a..0000000 Binary files a/DataStructureNotes/notes/pics/unionFind/uf_5.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/unionFind/uf_6.png b/DataStructureNotes/notes/pics/unionFind/uf_6.png deleted file mode 100644 index 0fd49f4..0000000 Binary files a/DataStructureNotes/notes/pics/unionFind/uf_6.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/unionFind/uf_7.png b/DataStructureNotes/notes/pics/unionFind/uf_7.png deleted file mode 100644 index 61ea971..0000000 Binary files a/DataStructureNotes/notes/pics/unionFind/uf_7.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/unionFind/uf_8.png b/DataStructureNotes/notes/pics/unionFind/uf_8.png deleted file mode 100644 index a0e0f00..0000000 Binary files a/DataStructureNotes/notes/pics/unionFind/uf_8.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/unionFind/uf_9.png b/DataStructureNotes/notes/pics/unionFind/uf_9.png deleted file mode 100644 index f75a094..0000000 Binary files a/DataStructureNotes/notes/pics/unionFind/uf_9.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/unionFind/unionFind_1.png b/DataStructureNotes/notes/pics/unionFind/unionFind_1.png deleted file mode 100644 index a693fe3..0000000 Binary files a/DataStructureNotes/notes/pics/unionFind/unionFind_1.png and /dev/null differ diff --git a/DataStructureNotes/notes/pics/unionFind/unionFind_2.png b/DataStructureNotes/notes/pics/unionFind/unionFind_2.png deleted file mode 100644 index afd1b56..0000000 Binary files a/DataStructureNotes/notes/pics/unionFind/unionFind_2.png and /dev/null differ diff --git a/DataStructureNotes/pride-and-prejudice.txt b/DataStructureNotes/pride-and-prejudice.txt deleted file mode 100644 index 114bfae..0000000 --- a/DataStructureNotes/pride-and-prejudice.txt +++ /dev/null @@ -1,13427 +0,0 @@ -The Project Gutenberg EBook of Pride and Prejudice, by Jane Austen - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - - -Title: Pride and Prejudice - -Author: Jane Austen - -Posting Date: August 26, 2008 [EBook #1342] -Release Date: June, 1998 -Last Updated: March 10, 2018 - -Language: English - -Character set encoding: UTF-8 - -*** START OF THIS PROJECT GUTENBERG EBOOK PRIDE AND PREJUDICE *** - - - - -Produced by Anonymous Volunteers - - - - - -PRIDE AND PREJUDICE - -By Jane Austen - - - -Chapter 1 - - -It is a truth universally acknowledged, that a single man in possession -of a good fortune, must be in want of a wife. - -However little known the feelings or views of such a man may be on his -first entering a neighbourhood, this truth is so well fixed in the minds -of the surrounding families, that he is considered the rightful property -of some one or other of their daughters. - -“My dear Mr. Bennet,” said his lady to him one day, “have you heard that -Netherfield Park is let at last?” - -Mr. Bennet replied that he had not. - -“But it is,” returned she; “for Mrs. Long has just been here, and she -told me all about it.” - -Mr. Bennet made no answer. - -“Do you not want to know who has taken it?” cried his wife impatiently. - -“_You_ want to tell me, and I have no objection to hearing it.” - -This was invitation enough. - -“Why, my dear, you must know, Mrs. Long says that Netherfield is taken -by a young man of large fortune from the north of England; that he came -down on Monday in a chaise and four to see the place, and was so much -delighted with it, that he agreed with Mr. Morris immediately; that he -is to take possession before Michaelmas, and some of his servants are to -be in the house by the end of next week.” - -“What is his name?” - -“Bingley.” - -“Is he married or single?” - -“Oh! Single, my dear, to be sure! A single man of large fortune; four or -five thousand a year. What a fine thing for our girls!” - -“How so? How can it affect them?” - -“My dear Mr. Bennet,” replied his wife, “how can you be so tiresome! You -must know that I am thinking of his marrying one of them.” - -“Is that his design in settling here?” - -“Design! Nonsense, how can you talk so! But it is very likely that he -_may_ fall in love with one of them, and therefore you must visit him as -soon as he comes.” - -“I see no occasion for that. You and the girls may go, or you may send -them by themselves, which perhaps will be still better, for as you are -as handsome as any of them, Mr. Bingley may like you the best of the -party.” - -“My dear, you flatter me. I certainly _have_ had my share of beauty, but -I do not pretend to be anything extraordinary now. When a woman has five -grown-up daughters, she ought to give over thinking of her own beauty.” - -“In such cases, a woman has not often much beauty to think of.” - -“But, my dear, you must indeed go and see Mr. Bingley when he comes into -the neighbourhood.” - -“It is more than I engage for, I assure you.” - -“But consider your daughters. Only think what an establishment it would -be for one of them. Sir William and Lady Lucas are determined to -go, merely on that account, for in general, you know, they visit no -newcomers. Indeed you must go, for it will be impossible for _us_ to -visit him if you do not.” - -“You are over-scrupulous, surely. I dare say Mr. Bingley will be very -glad to see you; and I will send a few lines by you to assure him of my -hearty consent to his marrying whichever he chooses of the girls; though -I must throw in a good word for my little Lizzy.” - -“I desire you will do no such thing. Lizzy is not a bit better than the -others; and I am sure she is not half so handsome as Jane, nor half so -good-humoured as Lydia. But you are always giving _her_ the preference.” - -“They have none of them much to recommend them,” replied he; “they are -all silly and ignorant like other girls; but Lizzy has something more of -quickness than her sisters.” - -“Mr. Bennet, how _can_ you abuse your own children in such a way? You -take delight in vexing me. You have no compassion for my poor nerves.” - -“You mistake me, my dear. I have a high respect for your nerves. They -are my old friends. I have heard you mention them with consideration -these last twenty years at least.” - -“Ah, you do not know what I suffer.” - -“But I hope you will get over it, and live to see many young men of four -thousand a year come into the neighbourhood.” - -“It will be no use to us, if twenty such should come, since you will not -visit them.” - -“Depend upon it, my dear, that when there are twenty, I will visit them -all.” - -Mr. Bennet was so odd a mixture of quick parts, sarcastic humour, -reserve, and caprice, that the experience of three-and-twenty years had -been insufficient to make his wife understand his character. _Her_ mind -was less difficult to develop. She was a woman of mean understanding, -little information, and uncertain temper. When she was discontented, -she fancied herself nervous. The business of her life was to get her -daughters married; its solace was visiting and news. - - - -Chapter 2 - - -Mr. Bennet was among the earliest of those who waited on Mr. Bingley. He -had always intended to visit him, though to the last always assuring -his wife that he should not go; and till the evening after the visit was -paid she had no knowledge of it. It was then disclosed in the following -manner. Observing his second daughter employed in trimming a hat, he -suddenly addressed her with: - -“I hope Mr. Bingley will like it, Lizzy.” - -“We are not in a way to know _what_ Mr. Bingley likes,” said her mother -resentfully, “since we are not to visit.” - -“But you forget, mamma,” said Elizabeth, “that we shall meet him at the -assemblies, and that Mrs. Long promised to introduce him.” - -“I do not believe Mrs. Long will do any such thing. She has two nieces -of her own. She is a selfish, hypocritical woman, and I have no opinion -of her.” - -“No more have I,” said Mr. Bennet; “and I am glad to find that you do -not depend on her serving you.” - -Mrs. Bennet deigned not to make any reply, but, unable to contain -herself, began scolding one of her daughters. - -“Don't keep coughing so, Kitty, for Heaven's sake! Have a little -compassion on my nerves. You tear them to pieces.” - -“Kitty has no discretion in her coughs,” said her father; “she times -them ill.” - -“I do not cough for my own amusement,” replied Kitty fretfully. “When is -your next ball to be, Lizzy?” - -“To-morrow fortnight.” - -“Aye, so it is,” cried her mother, “and Mrs. Long does not come back -till the day before; so it will be impossible for her to introduce him, -for she will not know him herself.” - -“Then, my dear, you may have the advantage of your friend, and introduce -Mr. Bingley to _her_.” - -“Impossible, Mr. Bennet, impossible, when I am not acquainted with him -myself; how can you be so teasing?” - -“I honour your circumspection. A fortnight's acquaintance is certainly -very little. One cannot know what a man really is by the end of a -fortnight. But if _we_ do not venture somebody else will; and after all, -Mrs. Long and her neices must stand their chance; and, therefore, as -she will think it an act of kindness, if you decline the office, I will -take it on myself.” - -The girls stared at their father. Mrs. Bennet said only, “Nonsense, -nonsense!” - -“What can be the meaning of that emphatic exclamation?” cried he. “Do -you consider the forms of introduction, and the stress that is laid on -them, as nonsense? I cannot quite agree with you _there_. What say you, -Mary? For you are a young lady of deep reflection, I know, and read -great books and make extracts.” - -Mary wished to say something sensible, but knew not how. - -“While Mary is adjusting her ideas,” he continued, “let us return to Mr. -Bingley.” - -“I am sick of Mr. Bingley,” cried his wife. - -“I am sorry to hear _that_; but why did not you tell me that before? If -I had known as much this morning I certainly would not have called -on him. It is very unlucky; but as I have actually paid the visit, we -cannot escape the acquaintance now.” - -The astonishment of the ladies was just what he wished; that of Mrs. -Bennet perhaps surpassing the rest; though, when the first tumult of joy -was over, she began to declare that it was what she had expected all the -while. - -“How good it was in you, my dear Mr. Bennet! But I knew I should -persuade you at last. I was sure you loved your girls too well to -neglect such an acquaintance. Well, how pleased I am! and it is such a -good joke, too, that you should have gone this morning and never said a -word about it till now.” - -“Now, Kitty, you may cough as much as you choose,” said Mr. Bennet; and, -as he spoke, he left the room, fatigued with the raptures of his wife. - -“What an excellent father you have, girls!” said she, when the door was -shut. “I do not know how you will ever make him amends for his kindness; -or me, either, for that matter. At our time of life it is not so -pleasant, I can tell you, to be making new acquaintances every day; but -for your sakes, we would do anything. Lydia, my love, though you _are_ -the youngest, I dare say Mr. Bingley will dance with you at the next -ball.” - -“Oh!” said Lydia stoutly, “I am not afraid; for though I _am_ the -youngest, I'm the tallest.” - -The rest of the evening was spent in conjecturing how soon he would -return Mr. Bennet's visit, and determining when they should ask him to -dinner. - - - -Chapter 3 - - -Not all that Mrs. Bennet, however, with the assistance of her five -daughters, could ask on the subject, was sufficient to draw from her -husband any satisfactory description of Mr. Bingley. They attacked him -in various ways--with barefaced questions, ingenious suppositions, and -distant surmises; but he eluded the skill of them all, and they were at -last obliged to accept the second-hand intelligence of their neighbour, -Lady Lucas. Her report was highly favourable. Sir William had been -delighted with him. He was quite young, wonderfully handsome, extremely -agreeable, and, to crown the whole, he meant to be at the next assembly -with a large party. Nothing could be more delightful! To be fond of -dancing was a certain step towards falling in love; and very lively -hopes of Mr. Bingley's heart were entertained. - -“If I can but see one of my daughters happily settled at Netherfield,” - said Mrs. Bennet to her husband, “and all the others equally well -married, I shall have nothing to wish for.” - -In a few days Mr. Bingley returned Mr. Bennet's visit, and sat about -ten minutes with him in his library. He had entertained hopes of being -admitted to a sight of the young ladies, of whose beauty he had -heard much; but he saw only the father. The ladies were somewhat more -fortunate, for they had the advantage of ascertaining from an upper -window that he wore a blue coat, and rode a black horse. - -An invitation to dinner was soon afterwards dispatched; and already -had Mrs. Bennet planned the courses that were to do credit to her -housekeeping, when an answer arrived which deferred it all. Mr. Bingley -was obliged to be in town the following day, and, consequently, unable -to accept the honour of their invitation, etc. Mrs. Bennet was quite -disconcerted. She could not imagine what business he could have in town -so soon after his arrival in Hertfordshire; and she began to fear that -he might be always flying about from one place to another, and never -settled at Netherfield as he ought to be. Lady Lucas quieted her fears -a little by starting the idea of his being gone to London only to get -a large party for the ball; and a report soon followed that Mr. Bingley -was to bring twelve ladies and seven gentlemen with him to the assembly. -The girls grieved over such a number of ladies, but were comforted the -day before the ball by hearing, that instead of twelve he brought only -six with him from London--his five sisters and a cousin. And when -the party entered the assembly room it consisted of only five -altogether--Mr. Bingley, his two sisters, the husband of the eldest, and -another young man. - -Mr. Bingley was good-looking and gentlemanlike; he had a pleasant -countenance, and easy, unaffected manners. His sisters were fine women, -with an air of decided fashion. His brother-in-law, Mr. Hurst, merely -looked the gentleman; but his friend Mr. Darcy soon drew the attention -of the room by his fine, tall person, handsome features, noble mien, and -the report which was in general circulation within five minutes -after his entrance, of his having ten thousand a year. The gentlemen -pronounced him to be a fine figure of a man, the ladies declared he -was much handsomer than Mr. Bingley, and he was looked at with great -admiration for about half the evening, till his manners gave a disgust -which turned the tide of his popularity; for he was discovered to be -proud; to be above his company, and above being pleased; and not all -his large estate in Derbyshire could then save him from having a most -forbidding, disagreeable countenance, and being unworthy to be compared -with his friend. - -Mr. Bingley had soon made himself acquainted with all the principal -people in the room; he was lively and unreserved, danced every dance, -was angry that the ball closed so early, and talked of giving -one himself at Netherfield. Such amiable qualities must speak for -themselves. What a contrast between him and his friend! Mr. Darcy danced -only once with Mrs. Hurst and once with Miss Bingley, declined being -introduced to any other lady, and spent the rest of the evening in -walking about the room, speaking occasionally to one of his own party. -His character was decided. He was the proudest, most disagreeable man -in the world, and everybody hoped that he would never come there again. -Amongst the most violent against him was Mrs. Bennet, whose dislike of -his general behaviour was sharpened into particular resentment by his -having slighted one of her daughters. - -Elizabeth Bennet had been obliged, by the scarcity of gentlemen, to sit -down for two dances; and during part of that time, Mr. Darcy had been -standing near enough for her to hear a conversation between him and Mr. -Bingley, who came from the dance for a few minutes, to press his friend -to join it. - -“Come, Darcy,” said he, “I must have you dance. I hate to see you -standing about by yourself in this stupid manner. You had much better -dance.” - -“I certainly shall not. You know how I detest it, unless I am -particularly acquainted with my partner. At such an assembly as this -it would be insupportable. Your sisters are engaged, and there is not -another woman in the room whom it would not be a punishment to me to -stand up with.” - -“I would not be so fastidious as you are,” cried Mr. Bingley, “for a -kingdom! Upon my honour, I never met with so many pleasant girls in -my life as I have this evening; and there are several of them you see -uncommonly pretty.” - -“_You_ are dancing with the only handsome girl in the room,” said Mr. -Darcy, looking at the eldest Miss Bennet. - -“Oh! She is the most beautiful creature I ever beheld! But there is one -of her sisters sitting down just behind you, who is very pretty, and I -dare say very agreeable. Do let me ask my partner to introduce you.” - -“Which do you mean?” and turning round he looked for a moment at -Elizabeth, till catching her eye, he withdrew his own and coldly said: -“She is tolerable, but not handsome enough to tempt _me_; I am in no -humour at present to give consequence to young ladies who are slighted -by other men. You had better return to your partner and enjoy her -smiles, for you are wasting your time with me.” - -Mr. Bingley followed his advice. Mr. Darcy walked off; and Elizabeth -remained with no very cordial feelings toward him. She told the story, -however, with great spirit among her friends; for she had a lively, -playful disposition, which delighted in anything ridiculous. - -The evening altogether passed off pleasantly to the whole family. Mrs. -Bennet had seen her eldest daughter much admired by the Netherfield -party. Mr. Bingley had danced with her twice, and she had been -distinguished by his sisters. Jane was as much gratified by this as -her mother could be, though in a quieter way. Elizabeth felt Jane's -pleasure. Mary had heard herself mentioned to Miss Bingley as the most -accomplished girl in the neighbourhood; and Catherine and Lydia had been -fortunate enough never to be without partners, which was all that they -had yet learnt to care for at a ball. They returned, therefore, in good -spirits to Longbourn, the village where they lived, and of which they -were the principal inhabitants. They found Mr. Bennet still up. With -a book he was regardless of time; and on the present occasion he had a -good deal of curiosity as to the event of an evening which had raised -such splendid expectations. He had rather hoped that his wife's views on -the stranger would be disappointed; but he soon found out that he had a -different story to hear. - -“Oh! my dear Mr. Bennet,” as she entered the room, “we have had a most -delightful evening, a most excellent ball. I wish you had been there. -Jane was so admired, nothing could be like it. Everybody said how well -she looked; and Mr. Bingley thought her quite beautiful, and danced with -her twice! Only think of _that_, my dear; he actually danced with her -twice! and she was the only creature in the room that he asked a second -time. First of all, he asked Miss Lucas. I was so vexed to see him stand -up with her! But, however, he did not admire her at all; indeed, nobody -can, you know; and he seemed quite struck with Jane as she was going -down the dance. So he inquired who she was, and got introduced, and -asked her for the two next. Then the two third he danced with Miss King, -and the two fourth with Maria Lucas, and the two fifth with Jane again, -and the two sixth with Lizzy, and the _Boulanger_--” - -“If he had had any compassion for _me_,” cried her husband impatiently, -“he would not have danced half so much! For God's sake, say no more of -his partners. Oh that he had sprained his ankle in the first dance!” - -“Oh! my dear, I am quite delighted with him. He is so excessively -handsome! And his sisters are charming women. I never in my life saw -anything more elegant than their dresses. I dare say the lace upon Mrs. -Hurst's gown--” - -Here she was interrupted again. Mr. Bennet protested against any -description of finery. She was therefore obliged to seek another branch -of the subject, and related, with much bitterness of spirit and some -exaggeration, the shocking rudeness of Mr. Darcy. - -“But I can assure you,” she added, “that Lizzy does not lose much by not -suiting _his_ fancy; for he is a most disagreeable, horrid man, not at -all worth pleasing. So high and so conceited that there was no enduring -him! He walked here, and he walked there, fancying himself so very -great! Not handsome enough to dance with! I wish you had been there, my -dear, to have given him one of your set-downs. I quite detest the man.” - - - -Chapter 4 - - -When Jane and Elizabeth were alone, the former, who had been cautious in -her praise of Mr. Bingley before, expressed to her sister just how very -much she admired him. - -“He is just what a young man ought to be,” said she, “sensible, -good-humoured, lively; and I never saw such happy manners!--so much -ease, with such perfect good breeding!” - -“He is also handsome,” replied Elizabeth, “which a young man ought -likewise to be, if he possibly can. His character is thereby complete.” - -“I was very much flattered by his asking me to dance a second time. I -did not expect such a compliment.” - -“Did not you? I did for you. But that is one great difference between -us. Compliments always take _you_ by surprise, and _me_ never. What -could be more natural than his asking you again? He could not help -seeing that you were about five times as pretty as every other woman -in the room. No thanks to his gallantry for that. Well, he certainly is -very agreeable, and I give you leave to like him. You have liked many a -stupider person.” - -“Dear Lizzy!” - -“Oh! you are a great deal too apt, you know, to like people in general. -You never see a fault in anybody. All the world are good and agreeable -in your eyes. I never heard you speak ill of a human being in your -life.” - -“I would not wish to be hasty in censuring anyone; but I always speak -what I think.” - -“I know you do; and it is _that_ which makes the wonder. With _your_ -good sense, to be so honestly blind to the follies and nonsense of -others! Affectation of candour is common enough--one meets with it -everywhere. But to be candid without ostentation or design--to take the -good of everybody's character and make it still better, and say nothing -of the bad--belongs to you alone. And so you like this man's sisters, -too, do you? Their manners are not equal to his.” - -“Certainly not--at first. But they are very pleasing women when you -converse with them. Miss Bingley is to live with her brother, and keep -his house; and I am much mistaken if we shall not find a very charming -neighbour in her.” - -Elizabeth listened in silence, but was not convinced; their behaviour at -the assembly had not been calculated to please in general; and with more -quickness of observation and less pliancy of temper than her sister, -and with a judgement too unassailed by any attention to herself, she -was very little disposed to approve them. They were in fact very fine -ladies; not deficient in good humour when they were pleased, nor in the -power of making themselves agreeable when they chose it, but proud and -conceited. They were rather handsome, had been educated in one of the -first private seminaries in town, had a fortune of twenty thousand -pounds, were in the habit of spending more than they ought, and of -associating with people of rank, and were therefore in every respect -entitled to think well of themselves, and meanly of others. They were of -a respectable family in the north of England; a circumstance more deeply -impressed on their memories than that their brother's fortune and their -own had been acquired by trade. - -Mr. Bingley inherited property to the amount of nearly a hundred -thousand pounds from his father, who had intended to purchase an -estate, but did not live to do it. Mr. Bingley intended it likewise, and -sometimes made choice of his county; but as he was now provided with a -good house and the liberty of a manor, it was doubtful to many of those -who best knew the easiness of his temper, whether he might not spend the -remainder of his days at Netherfield, and leave the next generation to -purchase. - -His sisters were anxious for his having an estate of his own; but, -though he was now only established as a tenant, Miss Bingley was by no -means unwilling to preside at his table--nor was Mrs. Hurst, who had -married a man of more fashion than fortune, less disposed to consider -his house as her home when it suited her. Mr. Bingley had not been of -age two years, when he was tempted by an accidental recommendation -to look at Netherfield House. He did look at it, and into it for -half-an-hour--was pleased with the situation and the principal -rooms, satisfied with what the owner said in its praise, and took it -immediately. - -Between him and Darcy there was a very steady friendship, in spite of -great opposition of character. Bingley was endeared to Darcy by the -easiness, openness, and ductility of his temper, though no disposition -could offer a greater contrast to his own, and though with his own he -never appeared dissatisfied. On the strength of Darcy's regard, Bingley -had the firmest reliance, and of his judgement the highest opinion. -In understanding, Darcy was the superior. Bingley was by no means -deficient, but Darcy was clever. He was at the same time haughty, -reserved, and fastidious, and his manners, though well-bred, were not -inviting. In that respect his friend had greatly the advantage. Bingley -was sure of being liked wherever he appeared, Darcy was continually -giving offense. - -The manner in which they spoke of the Meryton assembly was sufficiently -characteristic. Bingley had never met with more pleasant people or -prettier girls in his life; everybody had been most kind and attentive -to him; there had been no formality, no stiffness; he had soon felt -acquainted with all the room; and, as to Miss Bennet, he could not -conceive an angel more beautiful. Darcy, on the contrary, had seen a -collection of people in whom there was little beauty and no fashion, for -none of whom he had felt the smallest interest, and from none received -either attention or pleasure. Miss Bennet he acknowledged to be pretty, -but she smiled too much. - -Mrs. Hurst and her sister allowed it to be so--but still they admired -her and liked her, and pronounced her to be a sweet girl, and one -whom they would not object to know more of. Miss Bennet was therefore -established as a sweet girl, and their brother felt authorized by such -commendation to think of her as he chose. - - - -Chapter 5 - - -Within a short walk of Longbourn lived a family with whom the Bennets -were particularly intimate. Sir William Lucas had been formerly in trade -in Meryton, where he had made a tolerable fortune, and risen to the -honour of knighthood by an address to the king during his mayoralty. -The distinction had perhaps been felt too strongly. It had given him a -disgust to his business, and to his residence in a small market town; -and, in quitting them both, he had removed with his family to a house -about a mile from Meryton, denominated from that period Lucas Lodge, -where he could think with pleasure of his own importance, and, -unshackled by business, occupy himself solely in being civil to all -the world. For, though elated by his rank, it did not render him -supercilious; on the contrary, he was all attention to everybody. By -nature inoffensive, friendly, and obliging, his presentation at St. -James's had made him courteous. - -Lady Lucas was a very good kind of woman, not too clever to be a -valuable neighbour to Mrs. Bennet. They had several children. The eldest -of them, a sensible, intelligent young woman, about twenty-seven, was -Elizabeth's intimate friend. - -That the Miss Lucases and the Miss Bennets should meet to talk over -a ball was absolutely necessary; and the morning after the assembly -brought the former to Longbourn to hear and to communicate. - -“_You_ began the evening well, Charlotte,” said Mrs. Bennet with civil -self-command to Miss Lucas. “_You_ were Mr. Bingley's first choice.” - -“Yes; but he seemed to like his second better.” - -“Oh! you mean Jane, I suppose, because he danced with her twice. To be -sure that _did_ seem as if he admired her--indeed I rather believe he -_did_--I heard something about it--but I hardly know what--something -about Mr. Robinson.” - -“Perhaps you mean what I overheard between him and Mr. Robinson; did not -I mention it to you? Mr. Robinson's asking him how he liked our Meryton -assemblies, and whether he did not think there were a great many -pretty women in the room, and _which_ he thought the prettiest? and his -answering immediately to the last question: 'Oh! the eldest Miss Bennet, -beyond a doubt; there cannot be two opinions on that point.'” - -“Upon my word! Well, that is very decided indeed--that does seem as -if--but, however, it may all come to nothing, you know.” - -“_My_ overhearings were more to the purpose than _yours_, Eliza,” said -Charlotte. “Mr. Darcy is not so well worth listening to as his friend, -is he?--poor Eliza!--to be only just _tolerable_.” - -“I beg you would not put it into Lizzy's head to be vexed by his -ill-treatment, for he is such a disagreeable man, that it would be quite -a misfortune to be liked by him. Mrs. Long told me last night that he -sat close to her for half-an-hour without once opening his lips.” - -“Are you quite sure, ma'am?--is not there a little mistake?” said Jane. -“I certainly saw Mr. Darcy speaking to her.” - -“Aye--because she asked him at last how he liked Netherfield, and he -could not help answering her; but she said he seemed quite angry at -being spoke to.” - -“Miss Bingley told me,” said Jane, “that he never speaks much, -unless among his intimate acquaintances. With _them_ he is remarkably -agreeable.” - -“I do not believe a word of it, my dear. If he had been so very -agreeable, he would have talked to Mrs. Long. But I can guess how it -was; everybody says that he is eat up with pride, and I dare say he had -heard somehow that Mrs. Long does not keep a carriage, and had come to -the ball in a hack chaise.” - -“I do not mind his not talking to Mrs. Long,” said Miss Lucas, “but I -wish he had danced with Eliza.” - -“Another time, Lizzy,” said her mother, “I would not dance with _him_, -if I were you.” - -“I believe, ma'am, I may safely promise you _never_ to dance with him.” - -“His pride,” said Miss Lucas, “does not offend _me_ so much as pride -often does, because there is an excuse for it. One cannot wonder that so -very fine a young man, with family, fortune, everything in his favour, -should think highly of himself. If I may so express it, he has a _right_ -to be proud.” - -“That is very true,” replied Elizabeth, “and I could easily forgive -_his_ pride, if he had not mortified _mine_.” - -“Pride,” observed Mary, who piqued herself upon the solidity of her -reflections, “is a very common failing, I believe. By all that I have -ever read, I am convinced that it is very common indeed; that human -nature is particularly prone to it, and that there are very few of us -who do not cherish a feeling of self-complacency on the score of some -quality or other, real or imaginary. Vanity and pride are different -things, though the words are often used synonymously. A person may -be proud without being vain. Pride relates more to our opinion of -ourselves, vanity to what we would have others think of us.” - -“If I were as rich as Mr. Darcy,” cried a young Lucas, who came with -his sisters, “I should not care how proud I was. I would keep a pack of -foxhounds, and drink a bottle of wine a day.” - -“Then you would drink a great deal more than you ought,” said Mrs. -Bennet; “and if I were to see you at it, I should take away your bottle -directly.” - -The boy protested that she should not; she continued to declare that she -would, and the argument ended only with the visit. - - - -Chapter 6 - - -The ladies of Longbourn soon waited on those of Netherfield. The visit -was soon returned in due form. Miss Bennet's pleasing manners grew on -the goodwill of Mrs. Hurst and Miss Bingley; and though the mother was -found to be intolerable, and the younger sisters not worth speaking to, -a wish of being better acquainted with _them_ was expressed towards -the two eldest. By Jane, this attention was received with the greatest -pleasure, but Elizabeth still saw superciliousness in their treatment -of everybody, hardly excepting even her sister, and could not like them; -though their kindness to Jane, such as it was, had a value as arising in -all probability from the influence of their brother's admiration. It -was generally evident whenever they met, that he _did_ admire her and -to _her_ it was equally evident that Jane was yielding to the preference -which she had begun to entertain for him from the first, and was in a -way to be very much in love; but she considered with pleasure that it -was not likely to be discovered by the world in general, since Jane -united, with great strength of feeling, a composure of temper and a -uniform cheerfulness of manner which would guard her from the suspicions -of the impertinent. She mentioned this to her friend Miss Lucas. - -“It may perhaps be pleasant,” replied Charlotte, “to be able to impose -on the public in such a case; but it is sometimes a disadvantage to be -so very guarded. If a woman conceals her affection with the same skill -from the object of it, she may lose the opportunity of fixing him; and -it will then be but poor consolation to believe the world equally in -the dark. There is so much of gratitude or vanity in almost every -attachment, that it is not safe to leave any to itself. We can all -_begin_ freely--a slight preference is natural enough; but there are -very few of us who have heart enough to be really in love without -encouragement. In nine cases out of ten a women had better show _more_ -affection than she feels. Bingley likes your sister undoubtedly; but he -may never do more than like her, if she does not help him on.” - -“But she does help him on, as much as her nature will allow. If I can -perceive her regard for him, he must be a simpleton, indeed, not to -discover it too.” - -“Remember, Eliza, that he does not know Jane's disposition as you do.” - -“But if a woman is partial to a man, and does not endeavour to conceal -it, he must find it out.” - -“Perhaps he must, if he sees enough of her. But, though Bingley and Jane -meet tolerably often, it is never for many hours together; and, as they -always see each other in large mixed parties, it is impossible that -every moment should be employed in conversing together. Jane should -therefore make the most of every half-hour in which she can command his -attention. When she is secure of him, there will be more leisure for -falling in love as much as she chooses.” - -“Your plan is a good one,” replied Elizabeth, “where nothing is in -question but the desire of being well married, and if I were determined -to get a rich husband, or any husband, I dare say I should adopt it. But -these are not Jane's feelings; she is not acting by design. As yet, -she cannot even be certain of the degree of her own regard nor of its -reasonableness. She has known him only a fortnight. She danced four -dances with him at Meryton; she saw him one morning at his own house, -and has since dined with him in company four times. This is not quite -enough to make her understand his character.” - -“Not as you represent it. Had she merely _dined_ with him, she might -only have discovered whether he had a good appetite; but you must -remember that four evenings have also been spent together--and four -evenings may do a great deal.” - -“Yes; these four evenings have enabled them to ascertain that they -both like Vingt-un better than Commerce; but with respect to any other -leading characteristic, I do not imagine that much has been unfolded.” - -“Well,” said Charlotte, “I wish Jane success with all my heart; and -if she were married to him to-morrow, I should think she had as good a -chance of happiness as if she were to be studying his character for a -twelvemonth. Happiness in marriage is entirely a matter of chance. If -the dispositions of the parties are ever so well known to each other or -ever so similar beforehand, it does not advance their felicity in the -least. They always continue to grow sufficiently unlike afterwards to -have their share of vexation; and it is better to know as little as -possible of the defects of the person with whom you are to pass your -life.” - -“You make me laugh, Charlotte; but it is not sound. You know it is not -sound, and that you would never act in this way yourself.” - -Occupied in observing Mr. Bingley's attentions to her sister, Elizabeth -was far from suspecting that she was herself becoming an object of some -interest in the eyes of his friend. Mr. Darcy had at first scarcely -allowed her to be pretty; he had looked at her without admiration at the -ball; and when they next met, he looked at her only to criticise. But no -sooner had he made it clear to himself and his friends that she hardly -had a good feature in her face, than he began to find it was rendered -uncommonly intelligent by the beautiful expression of her dark eyes. To -this discovery succeeded some others equally mortifying. Though he had -detected with a critical eye more than one failure of perfect symmetry -in her form, he was forced to acknowledge her figure to be light and -pleasing; and in spite of his asserting that her manners were not those -of the fashionable world, he was caught by their easy playfulness. Of -this she was perfectly unaware; to her he was only the man who made -himself agreeable nowhere, and who had not thought her handsome enough -to dance with. - -He began to wish to know more of her, and as a step towards conversing -with her himself, attended to her conversation with others. His doing so -drew her notice. It was at Sir William Lucas's, where a large party were -assembled. - -“What does Mr. Darcy mean,” said she to Charlotte, “by listening to my -conversation with Colonel Forster?” - -“That is a question which Mr. Darcy only can answer.” - -“But if he does it any more I shall certainly let him know that I see -what he is about. He has a very satirical eye, and if I do not begin by -being impertinent myself, I shall soon grow afraid of him.” - -On his approaching them soon afterwards, though without seeming to have -any intention of speaking, Miss Lucas defied her friend to mention such -a subject to him; which immediately provoking Elizabeth to do it, she -turned to him and said: - -“Did you not think, Mr. Darcy, that I expressed myself uncommonly -well just now, when I was teasing Colonel Forster to give us a ball at -Meryton?” - -“With great energy; but it is always a subject which makes a lady -energetic.” - -“You are severe on us.” - -“It will be _her_ turn soon to be teased,” said Miss Lucas. “I am going -to open the instrument, Eliza, and you know what follows.” - -“You are a very strange creature by way of a friend!--always wanting me -to play and sing before anybody and everybody! If my vanity had taken -a musical turn, you would have been invaluable; but as it is, I would -really rather not sit down before those who must be in the habit of -hearing the very best performers.” On Miss Lucas's persevering, however, -she added, “Very well, if it must be so, it must.” And gravely glancing -at Mr. Darcy, “There is a fine old saying, which everybody here is of -course familiar with: 'Keep your breath to cool your porridge'; and I -shall keep mine to swell my song.” - -Her performance was pleasing, though by no means capital. After a song -or two, and before she could reply to the entreaties of several that -she would sing again, she was eagerly succeeded at the instrument by her -sister Mary, who having, in consequence of being the only plain one in -the family, worked hard for knowledge and accomplishments, was always -impatient for display. - -Mary had neither genius nor taste; and though vanity had given her -application, it had given her likewise a pedantic air and conceited -manner, which would have injured a higher degree of excellence than she -had reached. Elizabeth, easy and unaffected, had been listened to with -much more pleasure, though not playing half so well; and Mary, at the -end of a long concerto, was glad to purchase praise and gratitude by -Scotch and Irish airs, at the request of her younger sisters, who, -with some of the Lucases, and two or three officers, joined eagerly in -dancing at one end of the room. - -Mr. Darcy stood near them in silent indignation at such a mode of -passing the evening, to the exclusion of all conversation, and was too -much engrossed by his thoughts to perceive that Sir William Lucas was -his neighbour, till Sir William thus began: - -“What a charming amusement for young people this is, Mr. Darcy! There -is nothing like dancing after all. I consider it as one of the first -refinements of polished society.” - -“Certainly, sir; and it has the advantage also of being in vogue amongst -the less polished societies of the world. Every savage can dance.” - -Sir William only smiled. “Your friend performs delightfully,” he -continued after a pause, on seeing Bingley join the group; “and I doubt -not that you are an adept in the science yourself, Mr. Darcy.” - -“You saw me dance at Meryton, I believe, sir.” - -“Yes, indeed, and received no inconsiderable pleasure from the sight. Do -you often dance at St. James's?” - -“Never, sir.” - -“Do you not think it would be a proper compliment to the place?” - -“It is a compliment which I never pay to any place if I can avoid it.” - -“You have a house in town, I conclude?” - -Mr. Darcy bowed. - -“I had once had some thought of fixing in town myself--for I am fond -of superior society; but I did not feel quite certain that the air of -London would agree with Lady Lucas.” - -He paused in hopes of an answer; but his companion was not disposed -to make any; and Elizabeth at that instant moving towards them, he was -struck with the action of doing a very gallant thing, and called out to -her: - -“My dear Miss Eliza, why are you not dancing? Mr. Darcy, you must allow -me to present this young lady to you as a very desirable partner. You -cannot refuse to dance, I am sure when so much beauty is before you.” - And, taking her hand, he would have given it to Mr. Darcy who, though -extremely surprised, was not unwilling to receive it, when she instantly -drew back, and said with some discomposure to Sir William: - -“Indeed, sir, I have not the least intention of dancing. I entreat you -not to suppose that I moved this way in order to beg for a partner.” - -Mr. Darcy, with grave propriety, requested to be allowed the honour of -her hand, but in vain. Elizabeth was determined; nor did Sir William at -all shake her purpose by his attempt at persuasion. - -“You excel so much in the dance, Miss Eliza, that it is cruel to deny -me the happiness of seeing you; and though this gentleman dislikes the -amusement in general, he can have no objection, I am sure, to oblige us -for one half-hour.” - -“Mr. Darcy is all politeness,” said Elizabeth, smiling. - -“He is, indeed; but, considering the inducement, my dear Miss Eliza, -we cannot wonder at his complaisance--for who would object to such a -partner?” - -Elizabeth looked archly, and turned away. Her resistance had not -injured her with the gentleman, and he was thinking of her with some -complacency, when thus accosted by Miss Bingley: - -“I can guess the subject of your reverie.” - -“I should imagine not.” - -“You are considering how insupportable it would be to pass many evenings -in this manner--in such society; and indeed I am quite of your opinion. -I was never more annoyed! The insipidity, and yet the noise--the -nothingness, and yet the self-importance of all those people! What would -I give to hear your strictures on them!” - -“Your conjecture is totally wrong, I assure you. My mind was more -agreeably engaged. I have been meditating on the very great pleasure -which a pair of fine eyes in the face of a pretty woman can bestow.” - -Miss Bingley immediately fixed her eyes on his face, and desired he -would tell her what lady had the credit of inspiring such reflections. -Mr. Darcy replied with great intrepidity: - -“Miss Elizabeth Bennet.” - -“Miss Elizabeth Bennet!” repeated Miss Bingley. “I am all astonishment. -How long has she been such a favourite?--and pray, when am I to wish you -joy?” - -“That is exactly the question which I expected you to ask. A lady's -imagination is very rapid; it jumps from admiration to love, from love -to matrimony, in a moment. I knew you would be wishing me joy.” - -“Nay, if you are serious about it, I shall consider the matter is -absolutely settled. You will be having a charming mother-in-law, indeed; -and, of course, she will always be at Pemberley with you.” - -He listened to her with perfect indifference while she chose to -entertain herself in this manner; and as his composure convinced her -that all was safe, her wit flowed long. - - - -Chapter 7 - - -Mr. Bennet's property consisted almost entirely in an estate of two -thousand a year, which, unfortunately for his daughters, was entailed, -in default of heirs male, on a distant relation; and their mother's -fortune, though ample for her situation in life, could but ill supply -the deficiency of his. Her father had been an attorney in Meryton, and -had left her four thousand pounds. - -She had a sister married to a Mr. Phillips, who had been a clerk to -their father and succeeded him in the business, and a brother settled in -London in a respectable line of trade. - -The village of Longbourn was only one mile from Meryton; a most -convenient distance for the young ladies, who were usually tempted -thither three or four times a week, to pay their duty to their aunt and -to a milliner's shop just over the way. The two youngest of the family, -Catherine and Lydia, were particularly frequent in these attentions; -their minds were more vacant than their sisters', and when nothing -better offered, a walk to Meryton was necessary to amuse their morning -hours and furnish conversation for the evening; and however bare of news -the country in general might be, they always contrived to learn some -from their aunt. At present, indeed, they were well supplied both with -news and happiness by the recent arrival of a militia regiment in the -neighbourhood; it was to remain the whole winter, and Meryton was the -headquarters. - -Their visits to Mrs. Phillips were now productive of the most -interesting intelligence. Every day added something to their knowledge -of the officers' names and connections. Their lodgings were not long a -secret, and at length they began to know the officers themselves. Mr. -Phillips visited them all, and this opened to his nieces a store of -felicity unknown before. They could talk of nothing but officers; and -Mr. Bingley's large fortune, the mention of which gave animation -to their mother, was worthless in their eyes when opposed to the -regimentals of an ensign. - -After listening one morning to their effusions on this subject, Mr. -Bennet coolly observed: - -“From all that I can collect by your manner of talking, you must be two -of the silliest girls in the country. I have suspected it some time, but -I am now convinced.” - -Catherine was disconcerted, and made no answer; but Lydia, with perfect -indifference, continued to express her admiration of Captain Carter, -and her hope of seeing him in the course of the day, as he was going the -next morning to London. - -“I am astonished, my dear,” said Mrs. Bennet, “that you should be so -ready to think your own children silly. If I wished to think slightingly -of anybody's children, it should not be of my own, however.” - -“If my children are silly, I must hope to be always sensible of it.” - -“Yes--but as it happens, they are all of them very clever.” - -“This is the only point, I flatter myself, on which we do not agree. I -had hoped that our sentiments coincided in every particular, but I must -so far differ from you as to think our two youngest daughters uncommonly -foolish.” - -“My dear Mr. Bennet, you must not expect such girls to have the sense of -their father and mother. When they get to our age, I dare say they will -not think about officers any more than we do. I remember the time when -I liked a red coat myself very well--and, indeed, so I do still at my -heart; and if a smart young colonel, with five or six thousand a year, -should want one of my girls I shall not say nay to him; and I thought -Colonel Forster looked very becoming the other night at Sir William's in -his regimentals.” - -“Mamma,” cried Lydia, “my aunt says that Colonel Forster and Captain -Carter do not go so often to Miss Watson's as they did when they first -came; she sees them now very often standing in Clarke's library.” - -Mrs. Bennet was prevented replying by the entrance of the footman with -a note for Miss Bennet; it came from Netherfield, and the servant waited -for an answer. Mrs. Bennet's eyes sparkled with pleasure, and she was -eagerly calling out, while her daughter read, - -“Well, Jane, who is it from? What is it about? What does he say? Well, -Jane, make haste and tell us; make haste, my love.” - -“It is from Miss Bingley,” said Jane, and then read it aloud. - -“MY DEAR FRIEND,-- - -“If you are not so compassionate as to dine to-day with Louisa and me, -we shall be in danger of hating each other for the rest of our lives, -for a whole day's tete-a-tete between two women can never end without a -quarrel. Come as soon as you can on receipt of this. My brother and the -gentlemen are to dine with the officers.--Yours ever, - -“CAROLINE BINGLEY” - -“With the officers!” cried Lydia. “I wonder my aunt did not tell us of -_that_.” - -“Dining out,” said Mrs. Bennet, “that is very unlucky.” - -“Can I have the carriage?” said Jane. - -“No, my dear, you had better go on horseback, because it seems likely to -rain; and then you must stay all night.” - -“That would be a good scheme,” said Elizabeth, “if you were sure that -they would not offer to send her home.” - -“Oh! but the gentlemen will have Mr. Bingley's chaise to go to Meryton, -and the Hursts have no horses to theirs.” - -“I had much rather go in the coach.” - -“But, my dear, your father cannot spare the horses, I am sure. They are -wanted in the farm, Mr. Bennet, are they not?” - -“They are wanted in the farm much oftener than I can get them.” - -“But if you have got them to-day,” said Elizabeth, “my mother's purpose -will be answered.” - -She did at last extort from her father an acknowledgment that the horses -were engaged. Jane was therefore obliged to go on horseback, and her -mother attended her to the door with many cheerful prognostics of a -bad day. Her hopes were answered; Jane had not been gone long before -it rained hard. Her sisters were uneasy for her, but her mother was -delighted. The rain continued the whole evening without intermission; -Jane certainly could not come back. - -“This was a lucky idea of mine, indeed!” said Mrs. Bennet more than -once, as if the credit of making it rain were all her own. Till the -next morning, however, she was not aware of all the felicity of her -contrivance. Breakfast was scarcely over when a servant from Netherfield -brought the following note for Elizabeth: - -“MY DEAREST LIZZY,-- - -“I find myself very unwell this morning, which, I suppose, is to be -imputed to my getting wet through yesterday. My kind friends will not -hear of my returning till I am better. They insist also on my seeing Mr. -Jones--therefore do not be alarmed if you should hear of his having been -to me--and, excepting a sore throat and headache, there is not much the -matter with me.--Yours, etc.” - -“Well, my dear,” said Mr. Bennet, when Elizabeth had read the note -aloud, “if your daughter should have a dangerous fit of illness--if she -should die, it would be a comfort to know that it was all in pursuit of -Mr. Bingley, and under your orders.” - -“Oh! I am not afraid of her dying. People do not die of little trifling -colds. She will be taken good care of. As long as she stays there, it is -all very well. I would go and see her if I could have the carriage.” - -Elizabeth, feeling really anxious, was determined to go to her, though -the carriage was not to be had; and as she was no horsewoman, walking -was her only alternative. She declared her resolution. - -“How can you be so silly,” cried her mother, “as to think of such a -thing, in all this dirt! You will not be fit to be seen when you get -there.” - -“I shall be very fit to see Jane--which is all I want.” - -“Is this a hint to me, Lizzy,” said her father, “to send for the -horses?” - -“No, indeed, I do not wish to avoid the walk. The distance is nothing -when one has a motive; only three miles. I shall be back by dinner.” - -“I admire the activity of your benevolence,” observed Mary, “but every -impulse of feeling should be guided by reason; and, in my opinion, -exertion should always be in proportion to what is required.” - -“We will go as far as Meryton with you,” said Catherine and Lydia. -Elizabeth accepted their company, and the three young ladies set off -together. - -“If we make haste,” said Lydia, as they walked along, “perhaps we may -see something of Captain Carter before he goes.” - -In Meryton they parted; the two youngest repaired to the lodgings of one -of the officers' wives, and Elizabeth continued her walk alone, crossing -field after field at a quick pace, jumping over stiles and springing -over puddles with impatient activity, and finding herself at last -within view of the house, with weary ankles, dirty stockings, and a face -glowing with the warmth of exercise. - -She was shown into the breakfast-parlour, where all but Jane were -assembled, and where her appearance created a great deal of surprise. -That she should have walked three miles so early in the day, in such -dirty weather, and by herself, was almost incredible to Mrs. Hurst and -Miss Bingley; and Elizabeth was convinced that they held her in contempt -for it. She was received, however, very politely by them; and in their -brother's manners there was something better than politeness; there -was good humour and kindness. Mr. Darcy said very little, and Mr. -Hurst nothing at all. The former was divided between admiration of the -brilliancy which exercise had given to her complexion, and doubt as -to the occasion's justifying her coming so far alone. The latter was -thinking only of his breakfast. - -Her inquiries after her sister were not very favourably answered. Miss -Bennet had slept ill, and though up, was very feverish, and not -well enough to leave her room. Elizabeth was glad to be taken to her -immediately; and Jane, who had only been withheld by the fear of giving -alarm or inconvenience from expressing in her note how much she longed -for such a visit, was delighted at her entrance. She was not equal, -however, to much conversation, and when Miss Bingley left them -together, could attempt little besides expressions of gratitude for the -extraordinary kindness she was treated with. Elizabeth silently attended -her. - -When breakfast was over they were joined by the sisters; and Elizabeth -began to like them herself, when she saw how much affection and -solicitude they showed for Jane. The apothecary came, and having -examined his patient, said, as might be supposed, that she had caught -a violent cold, and that they must endeavour to get the better of it; -advised her to return to bed, and promised her some draughts. The advice -was followed readily, for the feverish symptoms increased, and her head -ached acutely. Elizabeth did not quit her room for a moment; nor were -the other ladies often absent; the gentlemen being out, they had, in -fact, nothing to do elsewhere. - -When the clock struck three, Elizabeth felt that she must go, and very -unwillingly said so. Miss Bingley offered her the carriage, and she only -wanted a little pressing to accept it, when Jane testified such concern -in parting with her, that Miss Bingley was obliged to convert the offer -of the chaise to an invitation to remain at Netherfield for the present. -Elizabeth most thankfully consented, and a servant was dispatched to -Longbourn to acquaint the family with her stay and bring back a supply -of clothes. - - - -Chapter 8 - - -At five o'clock the two ladies retired to dress, and at half-past six -Elizabeth was summoned to dinner. To the civil inquiries which then -poured in, and amongst which she had the pleasure of distinguishing the -much superior solicitude of Mr. Bingley's, she could not make a very -favourable answer. Jane was by no means better. The sisters, on hearing -this, repeated three or four times how much they were grieved, how -shocking it was to have a bad cold, and how excessively they disliked -being ill themselves; and then thought no more of the matter: and their -indifference towards Jane when not immediately before them restored -Elizabeth to the enjoyment of all her former dislike. - -Their brother, indeed, was the only one of the party whom she could -regard with any complacency. His anxiety for Jane was evident, and his -attentions to herself most pleasing, and they prevented her feeling -herself so much an intruder as she believed she was considered by the -others. She had very little notice from any but him. Miss Bingley was -engrossed by Mr. Darcy, her sister scarcely less so; and as for Mr. -Hurst, by whom Elizabeth sat, he was an indolent man, who lived only to -eat, drink, and play at cards; who, when he found her to prefer a plain -dish to a ragout, had nothing to say to her. - -When dinner was over, she returned directly to Jane, and Miss Bingley -began abusing her as soon as she was out of the room. Her manners were -pronounced to be very bad indeed, a mixture of pride and impertinence; -she had no conversation, no style, no beauty. Mrs. Hurst thought the -same, and added: - -“She has nothing, in short, to recommend her, but being an excellent -walker. I shall never forget her appearance this morning. She really -looked almost wild.” - -“She did, indeed, Louisa. I could hardly keep my countenance. Very -nonsensical to come at all! Why must _she_ be scampering about the -country, because her sister had a cold? Her hair, so untidy, so blowsy!” - -“Yes, and her petticoat; I hope you saw her petticoat, six inches deep -in mud, I am absolutely certain; and the gown which had been let down to -hide it not doing its office.” - -“Your picture may be very exact, Louisa,” said Bingley; “but this was -all lost upon me. I thought Miss Elizabeth Bennet looked remarkably -well when she came into the room this morning. Her dirty petticoat quite -escaped my notice.” - -“_You_ observed it, Mr. Darcy, I am sure,” said Miss Bingley; “and I am -inclined to think that you would not wish to see _your_ sister make such -an exhibition.” - -“Certainly not.” - -“To walk three miles, or four miles, or five miles, or whatever it is, -above her ankles in dirt, and alone, quite alone! What could she mean by -it? It seems to me to show an abominable sort of conceited independence, -a most country-town indifference to decorum.” - -“It shows an affection for her sister that is very pleasing,” said -Bingley. - -“I am afraid, Mr. Darcy,” observed Miss Bingley in a half whisper, “that -this adventure has rather affected your admiration of her fine eyes.” - -“Not at all,” he replied; “they were brightened by the exercise.” A -short pause followed this speech, and Mrs. Hurst began again: - -“I have an excessive regard for Miss Jane Bennet, she is really a very -sweet girl, and I wish with all my heart she were well settled. But with -such a father and mother, and such low connections, I am afraid there is -no chance of it.” - -“I think I have heard you say that their uncle is an attorney in -Meryton.” - -“Yes; and they have another, who lives somewhere near Cheapside.” - -“That is capital,” added her sister, and they both laughed heartily. - -“If they had uncles enough to fill _all_ Cheapside,” cried Bingley, “it -would not make them one jot less agreeable.” - -“But it must very materially lessen their chance of marrying men of any -consideration in the world,” replied Darcy. - -To this speech Bingley made no answer; but his sisters gave it their -hearty assent, and indulged their mirth for some time at the expense of -their dear friend's vulgar relations. - -With a renewal of tenderness, however, they returned to her room on -leaving the dining-parlour, and sat with her till summoned to coffee. -She was still very poorly, and Elizabeth would not quit her at all, till -late in the evening, when she had the comfort of seeing her sleep, and -when it seemed to her rather right than pleasant that she should go -downstairs herself. On entering the drawing-room she found the whole -party at loo, and was immediately invited to join them; but suspecting -them to be playing high she declined it, and making her sister the -excuse, said she would amuse herself for the short time she could stay -below, with a book. Mr. Hurst looked at her with astonishment. - -“Do you prefer reading to cards?” said he; “that is rather singular.” - -“Miss Eliza Bennet,” said Miss Bingley, “despises cards. She is a great -reader, and has no pleasure in anything else.” - -“I deserve neither such praise nor such censure,” cried Elizabeth; “I am -_not_ a great reader, and I have pleasure in many things.” - -“In nursing your sister I am sure you have pleasure,” said Bingley; “and -I hope it will be soon increased by seeing her quite well.” - -Elizabeth thanked him from her heart, and then walked towards the -table where a few books were lying. He immediately offered to fetch her -others--all that his library afforded. - -“And I wish my collection were larger for your benefit and my own -credit; but I am an idle fellow, and though I have not many, I have more -than I ever looked into.” - -Elizabeth assured him that she could suit herself perfectly with those -in the room. - -“I am astonished,” said Miss Bingley, “that my father should have left -so small a collection of books. What a delightful library you have at -Pemberley, Mr. Darcy!” - -“It ought to be good,” he replied, “it has been the work of many -generations.” - -“And then you have added so much to it yourself, you are always buying -books.” - -“I cannot comprehend the neglect of a family library in such days as -these.” - -“Neglect! I am sure you neglect nothing that can add to the beauties of -that noble place. Charles, when you build _your_ house, I wish it may be -half as delightful as Pemberley.” - -“I wish it may.” - -“But I would really advise you to make your purchase in that -neighbourhood, and take Pemberley for a kind of model. There is not a -finer county in England than Derbyshire.” - -“With all my heart; I will buy Pemberley itself if Darcy will sell it.” - -“I am talking of possibilities, Charles.” - -“Upon my word, Caroline, I should think it more possible to get -Pemberley by purchase than by imitation.” - -Elizabeth was so much caught with what passed, as to leave her very -little attention for her book; and soon laying it wholly aside, she drew -near the card-table, and stationed herself between Mr. Bingley and his -eldest sister, to observe the game. - -“Is Miss Darcy much grown since the spring?” said Miss Bingley; “will -she be as tall as I am?” - -“I think she will. She is now about Miss Elizabeth Bennet's height, or -rather taller.” - -“How I long to see her again! I never met with anybody who delighted me -so much. Such a countenance, such manners! And so extremely accomplished -for her age! Her performance on the pianoforte is exquisite.” - -“It is amazing to me,” said Bingley, “how young ladies can have patience -to be so very accomplished as they all are.” - -“All young ladies accomplished! My dear Charles, what do you mean?” - -“Yes, all of them, I think. They all paint tables, cover screens, and -net purses. I scarcely know anyone who cannot do all this, and I am sure -I never heard a young lady spoken of for the first time, without being -informed that she was very accomplished.” - -“Your list of the common extent of accomplishments,” said Darcy, “has -too much truth. The word is applied to many a woman who deserves it no -otherwise than by netting a purse or covering a screen. But I am very -far from agreeing with you in your estimation of ladies in general. I -cannot boast of knowing more than half-a-dozen, in the whole range of my -acquaintance, that are really accomplished.” - -“Nor I, I am sure,” said Miss Bingley. - -“Then,” observed Elizabeth, “you must comprehend a great deal in your -idea of an accomplished woman.” - -“Yes, I do comprehend a great deal in it.” - -“Oh! certainly,” cried his faithful assistant, “no one can be really -esteemed accomplished who does not greatly surpass what is usually met -with. A woman must have a thorough knowledge of music, singing, drawing, -dancing, and the modern languages, to deserve the word; and besides -all this, she must possess a certain something in her air and manner of -walking, the tone of her voice, her address and expressions, or the word -will be but half-deserved.” - -“All this she must possess,” added Darcy, “and to all this she must -yet add something more substantial, in the improvement of her mind by -extensive reading.” - -“I am no longer surprised at your knowing _only_ six accomplished women. -I rather wonder now at your knowing _any_.” - -“Are you so severe upon your own sex as to doubt the possibility of all -this?” - -“I never saw such a woman. I never saw such capacity, and taste, and -application, and elegance, as you describe united.” - -Mrs. Hurst and Miss Bingley both cried out against the injustice of her -implied doubt, and were both protesting that they knew many women who -answered this description, when Mr. Hurst called them to order, with -bitter complaints of their inattention to what was going forward. As all -conversation was thereby at an end, Elizabeth soon afterwards left the -room. - -“Elizabeth Bennet,” said Miss Bingley, when the door was closed on her, -“is one of those young ladies who seek to recommend themselves to the -other sex by undervaluing their own; and with many men, I dare say, it -succeeds. But, in my opinion, it is a paltry device, a very mean art.” - -“Undoubtedly,” replied Darcy, to whom this remark was chiefly addressed, -“there is a meanness in _all_ the arts which ladies sometimes condescend -to employ for captivation. Whatever bears affinity to cunning is -despicable.” - -Miss Bingley was not so entirely satisfied with this reply as to -continue the subject. - -Elizabeth joined them again only to say that her sister was worse, and -that she could not leave her. Bingley urged Mr. Jones being sent for -immediately; while his sisters, convinced that no country advice could -be of any service, recommended an express to town for one of the most -eminent physicians. This she would not hear of; but she was not so -unwilling to comply with their brother's proposal; and it was settled -that Mr. Jones should be sent for early in the morning, if Miss Bennet -were not decidedly better. Bingley was quite uncomfortable; his sisters -declared that they were miserable. They solaced their wretchedness, -however, by duets after supper, while he could find no better relief -to his feelings than by giving his housekeeper directions that every -attention might be paid to the sick lady and her sister. - - - -Chapter 9 - - -Elizabeth passed the chief of the night in her sister's room, and in the -morning had the pleasure of being able to send a tolerable answer to the -inquiries which she very early received from Mr. Bingley by a housemaid, -and some time afterwards from the two elegant ladies who waited on his -sisters. In spite of this amendment, however, she requested to have a -note sent to Longbourn, desiring her mother to visit Jane, and form her -own judgement of her situation. The note was immediately dispatched, and -its contents as quickly complied with. Mrs. Bennet, accompanied by her -two youngest girls, reached Netherfield soon after the family breakfast. - -Had she found Jane in any apparent danger, Mrs. Bennet would have been -very miserable; but being satisfied on seeing her that her illness was -not alarming, she had no wish of her recovering immediately, as her -restoration to health would probably remove her from Netherfield. She -would not listen, therefore, to her daughter's proposal of being carried -home; neither did the apothecary, who arrived about the same time, think -it at all advisable. After sitting a little while with Jane, on Miss -Bingley's appearance and invitation, the mother and three daughters all -attended her into the breakfast parlour. Bingley met them with hopes -that Mrs. Bennet had not found Miss Bennet worse than she expected. - -“Indeed I have, sir,” was her answer. “She is a great deal too ill to be -moved. Mr. Jones says we must not think of moving her. We must trespass -a little longer on your kindness.” - -“Removed!” cried Bingley. “It must not be thought of. My sister, I am -sure, will not hear of her removal.” - -“You may depend upon it, Madam,” said Miss Bingley, with cold civility, -“that Miss Bennet will receive every possible attention while she -remains with us.” - -Mrs. Bennet was profuse in her acknowledgments. - -“I am sure,” she added, “if it was not for such good friends I do not -know what would become of her, for she is very ill indeed, and suffers -a vast deal, though with the greatest patience in the world, which is -always the way with her, for she has, without exception, the sweetest -temper I have ever met with. I often tell my other girls they are -nothing to _her_. You have a sweet room here, Mr. Bingley, and a -charming prospect over the gravel walk. I do not know a place in the -country that is equal to Netherfield. You will not think of quitting it -in a hurry, I hope, though you have but a short lease.” - -“Whatever I do is done in a hurry,” replied he; “and therefore if I -should resolve to quit Netherfield, I should probably be off in five -minutes. At present, however, I consider myself as quite fixed here.” - -“That is exactly what I should have supposed of you,” said Elizabeth. - -“You begin to comprehend me, do you?” cried he, turning towards her. - -“Oh! yes--I understand you perfectly.” - -“I wish I might take this for a compliment; but to be so easily seen -through I am afraid is pitiful.” - -“That is as it happens. It does not follow that a deep, intricate -character is more or less estimable than such a one as yours.” - -“Lizzy,” cried her mother, “remember where you are, and do not run on in -the wild manner that you are suffered to do at home.” - -“I did not know before,” continued Bingley immediately, “that you were a -studier of character. It must be an amusing study.” - -“Yes, but intricate characters are the _most_ amusing. They have at -least that advantage.” - -“The country,” said Darcy, “can in general supply but a few subjects for -such a study. In a country neighbourhood you move in a very confined and -unvarying society.” - -“But people themselves alter so much, that there is something new to be -observed in them for ever.” - -“Yes, indeed,” cried Mrs. Bennet, offended by his manner of mentioning -a country neighbourhood. “I assure you there is quite as much of _that_ -going on in the country as in town.” - -Everybody was surprised, and Darcy, after looking at her for a moment, -turned silently away. Mrs. Bennet, who fancied she had gained a complete -victory over him, continued her triumph. - -“I cannot see that London has any great advantage over the country, for -my part, except the shops and public places. The country is a vast deal -pleasanter, is it not, Mr. Bingley?” - -“When I am in the country,” he replied, “I never wish to leave it; -and when I am in town it is pretty much the same. They have each their -advantages, and I can be equally happy in either.” - -“Aye--that is because you have the right disposition. But that -gentleman,” looking at Darcy, “seemed to think the country was nothing -at all.” - -“Indeed, Mamma, you are mistaken,” said Elizabeth, blushing for her -mother. “You quite mistook Mr. Darcy. He only meant that there was not -such a variety of people to be met with in the country as in the town, -which you must acknowledge to be true.” - -“Certainly, my dear, nobody said there were; but as to not meeting -with many people in this neighbourhood, I believe there are few -neighbourhoods larger. I know we dine with four-and-twenty families.” - -Nothing but concern for Elizabeth could enable Bingley to keep his -countenance. His sister was less delicate, and directed her eyes towards -Mr. Darcy with a very expressive smile. Elizabeth, for the sake of -saying something that might turn her mother's thoughts, now asked her if -Charlotte Lucas had been at Longbourn since _her_ coming away. - -“Yes, she called yesterday with her father. What an agreeable man Sir -William is, Mr. Bingley, is not he? So much the man of fashion! So -genteel and easy! He has always something to say to everybody. _That_ -is my idea of good breeding; and those persons who fancy themselves very -important, and never open their mouths, quite mistake the matter.” - -“Did Charlotte dine with you?” - -“No, she would go home. I fancy she was wanted about the mince-pies. For -my part, Mr. Bingley, I always keep servants that can do their own work; -_my_ daughters are brought up very differently. But everybody is to -judge for themselves, and the Lucases are a very good sort of girls, -I assure you. It is a pity they are not handsome! Not that I think -Charlotte so _very_ plain--but then she is our particular friend.” - -“She seems a very pleasant young woman.” - -“Oh! dear, yes; but you must own she is very plain. Lady Lucas herself -has often said so, and envied me Jane's beauty. I do not like to boast -of my own child, but to be sure, Jane--one does not often see anybody -better looking. It is what everybody says. I do not trust my own -partiality. When she was only fifteen, there was a man at my brother -Gardiner's in town so much in love with her that my sister-in-law was -sure he would make her an offer before we came away. But, however, he -did not. Perhaps he thought her too young. However, he wrote some verses -on her, and very pretty they were.” - -“And so ended his affection,” said Elizabeth impatiently. “There has -been many a one, I fancy, overcome in the same way. I wonder who first -discovered the efficacy of poetry in driving away love!” - -“I have been used to consider poetry as the _food_ of love,” said Darcy. - -“Of a fine, stout, healthy love it may. Everything nourishes what is -strong already. But if it be only a slight, thin sort of inclination, I -am convinced that one good sonnet will starve it entirely away.” - -Darcy only smiled; and the general pause which ensued made Elizabeth -tremble lest her mother should be exposing herself again. She longed to -speak, but could think of nothing to say; and after a short silence Mrs. -Bennet began repeating her thanks to Mr. Bingley for his kindness to -Jane, with an apology for troubling him also with Lizzy. Mr. Bingley was -unaffectedly civil in his answer, and forced his younger sister to be -civil also, and say what the occasion required. She performed her part -indeed without much graciousness, but Mrs. Bennet was satisfied, and -soon afterwards ordered her carriage. Upon this signal, the youngest of -her daughters put herself forward. The two girls had been whispering to -each other during the whole visit, and the result of it was, that the -youngest should tax Mr. Bingley with having promised on his first coming -into the country to give a ball at Netherfield. - -Lydia was a stout, well-grown girl of fifteen, with a fine complexion -and good-humoured countenance; a favourite with her mother, whose -affection had brought her into public at an early age. She had high -animal spirits, and a sort of natural self-consequence, which the -attention of the officers, to whom her uncle's good dinners, and her own -easy manners recommended her, had increased into assurance. She was very -equal, therefore, to address Mr. Bingley on the subject of the ball, and -abruptly reminded him of his promise; adding, that it would be the most -shameful thing in the world if he did not keep it. His answer to this -sudden attack was delightful to their mother's ear: - -“I am perfectly ready, I assure you, to keep my engagement; and when -your sister is recovered, you shall, if you please, name the very day of -the ball. But you would not wish to be dancing when she is ill.” - -Lydia declared herself satisfied. “Oh! yes--it would be much better to -wait till Jane was well, and by that time most likely Captain Carter -would be at Meryton again. And when you have given _your_ ball,” she -added, “I shall insist on their giving one also. I shall tell Colonel -Forster it will be quite a shame if he does not.” - -Mrs. Bennet and her daughters then departed, and Elizabeth returned -instantly to Jane, leaving her own and her relations' behaviour to the -remarks of the two ladies and Mr. Darcy; the latter of whom, however, -could not be prevailed on to join in their censure of _her_, in spite of -all Miss Bingley's witticisms on _fine eyes_. - - - -Chapter 10 - - -The day passed much as the day before had done. Mrs. Hurst and Miss -Bingley had spent some hours of the morning with the invalid, who -continued, though slowly, to mend; and in the evening Elizabeth joined -their party in the drawing-room. The loo-table, however, did not appear. -Mr. Darcy was writing, and Miss Bingley, seated near him, was watching -the progress of his letter and repeatedly calling off his attention by -messages to his sister. Mr. Hurst and Mr. Bingley were at piquet, and -Mrs. Hurst was observing their game. - -Elizabeth took up some needlework, and was sufficiently amused in -attending to what passed between Darcy and his companion. The perpetual -commendations of the lady, either on his handwriting, or on the evenness -of his lines, or on the length of his letter, with the perfect unconcern -with which her praises were received, formed a curious dialogue, and was -exactly in union with her opinion of each. - -“How delighted Miss Darcy will be to receive such a letter!” - -He made no answer. - -“You write uncommonly fast.” - -“You are mistaken. I write rather slowly.” - -“How many letters you must have occasion to write in the course of a -year! Letters of business, too! How odious I should think them!” - -“It is fortunate, then, that they fall to my lot instead of yours.” - -“Pray tell your sister that I long to see her.” - -“I have already told her so once, by your desire.” - -“I am afraid you do not like your pen. Let me mend it for you. I mend -pens remarkably well.” - -“Thank you--but I always mend my own.” - -“How can you contrive to write so even?” - -He was silent. - -“Tell your sister I am delighted to hear of her improvement on the harp; -and pray let her know that I am quite in raptures with her beautiful -little design for a table, and I think it infinitely superior to Miss -Grantley's.” - -“Will you give me leave to defer your raptures till I write again? At -present I have not room to do them justice.” - -“Oh! it is of no consequence. I shall see her in January. But do you -always write such charming long letters to her, Mr. Darcy?” - -“They are generally long; but whether always charming it is not for me -to determine.” - -“It is a rule with me, that a person who can write a long letter with -ease, cannot write ill.” - -“That will not do for a compliment to Darcy, Caroline,” cried her -brother, “because he does _not_ write with ease. He studies too much for -words of four syllables. Do not you, Darcy?” - -“My style of writing is very different from yours.” - -“Oh!” cried Miss Bingley, “Charles writes in the most careless way -imaginable. He leaves out half his words, and blots the rest.” - -“My ideas flow so rapidly that I have not time to express them--by which -means my letters sometimes convey no ideas at all to my correspondents.” - -“Your humility, Mr. Bingley,” said Elizabeth, “must disarm reproof.” - -“Nothing is more deceitful,” said Darcy, “than the appearance of -humility. It is often only carelessness of opinion, and sometimes an -indirect boast.” - -“And which of the two do you call _my_ little recent piece of modesty?” - -“The indirect boast; for you are really proud of your defects in -writing, because you consider them as proceeding from a rapidity of -thought and carelessness of execution, which, if not estimable, you -think at least highly interesting. The power of doing anything with -quickness is always prized much by the possessor, and often without any -attention to the imperfection of the performance. When you told Mrs. -Bennet this morning that if you ever resolved upon quitting Netherfield -you should be gone in five minutes, you meant it to be a sort of -panegyric, of compliment to yourself--and yet what is there so very -laudable in a precipitance which must leave very necessary business -undone, and can be of no real advantage to yourself or anyone else?” - -“Nay,” cried Bingley, “this is too much, to remember at night all the -foolish things that were said in the morning. And yet, upon my honour, -I believe what I said of myself to be true, and I believe it at this -moment. At least, therefore, I did not assume the character of needless -precipitance merely to show off before the ladies.” - -“I dare say you believed it; but I am by no means convinced that -you would be gone with such celerity. Your conduct would be quite as -dependent on chance as that of any man I know; and if, as you were -mounting your horse, a friend were to say, 'Bingley, you had better -stay till next week,' you would probably do it, you would probably not -go--and at another word, might stay a month.” - -“You have only proved by this,” cried Elizabeth, “that Mr. Bingley did -not do justice to his own disposition. You have shown him off now much -more than he did himself.” - -“I am exceedingly gratified,” said Bingley, “by your converting what my -friend says into a compliment on the sweetness of my temper. But I am -afraid you are giving it a turn which that gentleman did by no means -intend; for he would certainly think better of me, if under such a -circumstance I were to give a flat denial, and ride off as fast as I -could.” - -“Would Mr. Darcy then consider the rashness of your original intentions -as atoned for by your obstinacy in adhering to it?” - -“Upon my word, I cannot exactly explain the matter; Darcy must speak for -himself.” - -“You expect me to account for opinions which you choose to call mine, -but which I have never acknowledged. Allowing the case, however, to -stand according to your representation, you must remember, Miss Bennet, -that the friend who is supposed to desire his return to the house, and -the delay of his plan, has merely desired it, asked it without offering -one argument in favour of its propriety.” - -“To yield readily--easily--to the _persuasion_ of a friend is no merit -with you.” - -“To yield without conviction is no compliment to the understanding of -either.” - -“You appear to me, Mr. Darcy, to allow nothing for the influence of -friendship and affection. A regard for the requester would often make -one readily yield to a request, without waiting for arguments to reason -one into it. I am not particularly speaking of such a case as you have -supposed about Mr. Bingley. We may as well wait, perhaps, till the -circumstance occurs before we discuss the discretion of his behaviour -thereupon. But in general and ordinary cases between friend and friend, -where one of them is desired by the other to change a resolution of no -very great moment, should you think ill of that person for complying -with the desire, without waiting to be argued into it?” - -“Will it not be advisable, before we proceed on this subject, to -arrange with rather more precision the degree of importance which is to -appertain to this request, as well as the degree of intimacy subsisting -between the parties?” - -“By all means,” cried Bingley; “let us hear all the particulars, not -forgetting their comparative height and size; for that will have more -weight in the argument, Miss Bennet, than you may be aware of. I assure -you, that if Darcy were not such a great tall fellow, in comparison with -myself, I should not pay him half so much deference. I declare I do not -know a more awful object than Darcy, on particular occasions, and in -particular places; at his own house especially, and of a Sunday evening, -when he has nothing to do.” - -Mr. Darcy smiled; but Elizabeth thought she could perceive that he was -rather offended, and therefore checked her laugh. Miss Bingley warmly -resented the indignity he had received, in an expostulation with her -brother for talking such nonsense. - -“I see your design, Bingley,” said his friend. “You dislike an argument, -and want to silence this.” - -“Perhaps I do. Arguments are too much like disputes. If you and Miss -Bennet will defer yours till I am out of the room, I shall be very -thankful; and then you may say whatever you like of me.” - -“What you ask,” said Elizabeth, “is no sacrifice on my side; and Mr. -Darcy had much better finish his letter.” - -Mr. Darcy took her advice, and did finish his letter. - -When that business was over, he applied to Miss Bingley and Elizabeth -for an indulgence of some music. Miss Bingley moved with some alacrity -to the pianoforte; and, after a polite request that Elizabeth would lead -the way which the other as politely and more earnestly negatived, she -seated herself. - -Mrs. Hurst sang with her sister, and while they were thus employed, -Elizabeth could not help observing, as she turned over some music-books -that lay on the instrument, how frequently Mr. Darcy's eyes were fixed -on her. She hardly knew how to suppose that she could be an object of -admiration to so great a man; and yet that he should look at her -because he disliked her, was still more strange. She could only imagine, -however, at last that she drew his notice because there was something -more wrong and reprehensible, according to his ideas of right, than in -any other person present. The supposition did not pain her. She liked -him too little to care for his approbation. - -After playing some Italian songs, Miss Bingley varied the charm by -a lively Scotch air; and soon afterwards Mr. Darcy, drawing near -Elizabeth, said to her: - -“Do not you feel a great inclination, Miss Bennet, to seize such an -opportunity of dancing a reel?” - -She smiled, but made no answer. He repeated the question, with some -surprise at her silence. - -“Oh!” said she, “I heard you before, but I could not immediately -determine what to say in reply. You wanted me, I know, to say 'Yes,' -that you might have the pleasure of despising my taste; but I always -delight in overthrowing those kind of schemes, and cheating a person of -their premeditated contempt. I have, therefore, made up my mind to tell -you, that I do not want to dance a reel at all--and now despise me if -you dare.” - -“Indeed I do not dare.” - -Elizabeth, having rather expected to affront him, was amazed at his -gallantry; but there was a mixture of sweetness and archness in her -manner which made it difficult for her to affront anybody; and Darcy -had never been so bewitched by any woman as he was by her. He really -believed, that were it not for the inferiority of her connections, he -should be in some danger. - -Miss Bingley saw, or suspected enough to be jealous; and her great -anxiety for the recovery of her dear friend Jane received some -assistance from her desire of getting rid of Elizabeth. - -She often tried to provoke Darcy into disliking her guest, by talking of -their supposed marriage, and planning his happiness in such an alliance. - -“I hope,” said she, as they were walking together in the shrubbery -the next day, “you will give your mother-in-law a few hints, when this -desirable event takes place, as to the advantage of holding her tongue; -and if you can compass it, do cure the younger girls of running after -officers. And, if I may mention so delicate a subject, endeavour to -check that little something, bordering on conceit and impertinence, -which your lady possesses.” - -“Have you anything else to propose for my domestic felicity?” - -“Oh! yes. Do let the portraits of your uncle and aunt Phillips be placed -in the gallery at Pemberley. Put them next to your great-uncle the -judge. They are in the same profession, you know, only in different -lines. As for your Elizabeth's picture, you must not have it taken, for -what painter could do justice to those beautiful eyes?” - -“It would not be easy, indeed, to catch their expression, but their -colour and shape, and the eyelashes, so remarkably fine, might be -copied.” - -At that moment they were met from another walk by Mrs. Hurst and -Elizabeth herself. - -“I did not know that you intended to walk,” said Miss Bingley, in some -confusion, lest they had been overheard. - -“You used us abominably ill,” answered Mrs. Hurst, “running away without -telling us that you were coming out.” - -Then taking the disengaged arm of Mr. Darcy, she left Elizabeth to walk -by herself. The path just admitted three. Mr. Darcy felt their rudeness, -and immediately said: - -“This walk is not wide enough for our party. We had better go into the -avenue.” - -But Elizabeth, who had not the least inclination to remain with them, -laughingly answered: - -“No, no; stay where you are. You are charmingly grouped, and appear -to uncommon advantage. The picturesque would be spoilt by admitting a -fourth. Good-bye.” - -She then ran gaily off, rejoicing as she rambled about, in the hope of -being at home again in a day or two. Jane was already so much recovered -as to intend leaving her room for a couple of hours that evening. - - - -Chapter 11 - - -When the ladies removed after dinner, Elizabeth ran up to her -sister, and seeing her well guarded from cold, attended her into the -drawing-room, where she was welcomed by her two friends with many -professions of pleasure; and Elizabeth had never seen them so agreeable -as they were during the hour which passed before the gentlemen appeared. -Their powers of conversation were considerable. They could describe an -entertainment with accuracy, relate an anecdote with humour, and laugh -at their acquaintance with spirit. - -But when the gentlemen entered, Jane was no longer the first object; -Miss Bingley's eyes were instantly turned toward Darcy, and she had -something to say to him before he had advanced many steps. He addressed -himself to Miss Bennet, with a polite congratulation; Mr. Hurst also -made her a slight bow, and said he was “very glad;” but diffuseness -and warmth remained for Bingley's salutation. He was full of joy and -attention. The first half-hour was spent in piling up the fire, lest she -should suffer from the change of room; and she removed at his desire -to the other side of the fireplace, that she might be further from -the door. He then sat down by her, and talked scarcely to anyone -else. Elizabeth, at work in the opposite corner, saw it all with great -delight. - -When tea was over, Mr. Hurst reminded his sister-in-law of the -card-table--but in vain. She had obtained private intelligence that Mr. -Darcy did not wish for cards; and Mr. Hurst soon found even his open -petition rejected. She assured him that no one intended to play, and -the silence of the whole party on the subject seemed to justify her. Mr. -Hurst had therefore nothing to do, but to stretch himself on one of the -sofas and go to sleep. Darcy took up a book; Miss Bingley did the same; -and Mrs. Hurst, principally occupied in playing with her bracelets -and rings, joined now and then in her brother's conversation with Miss -Bennet. - -Miss Bingley's attention was quite as much engaged in watching Mr. -Darcy's progress through _his_ book, as in reading her own; and she -was perpetually either making some inquiry, or looking at his page. She -could not win him, however, to any conversation; he merely answered her -question, and read on. At length, quite exhausted by the attempt to be -amused with her own book, which she had only chosen because it was the -second volume of his, she gave a great yawn and said, “How pleasant -it is to spend an evening in this way! I declare after all there is no -enjoyment like reading! How much sooner one tires of anything than of a -book! When I have a house of my own, I shall be miserable if I have not -an excellent library.” - -No one made any reply. She then yawned again, threw aside her book, and -cast her eyes round the room in quest for some amusement; when hearing -her brother mentioning a ball to Miss Bennet, she turned suddenly -towards him and said: - -“By the bye, Charles, are you really serious in meditating a dance at -Netherfield? I would advise you, before you determine on it, to consult -the wishes of the present party; I am much mistaken if there are -not some among us to whom a ball would be rather a punishment than a -pleasure.” - -“If you mean Darcy,” cried her brother, “he may go to bed, if he -chooses, before it begins--but as for the ball, it is quite a settled -thing; and as soon as Nicholls has made white soup enough, I shall send -round my cards.” - -“I should like balls infinitely better,” she replied, “if they were -carried on in a different manner; but there is something insufferably -tedious in the usual process of such a meeting. It would surely be much -more rational if conversation instead of dancing were made the order of -the day.” - -“Much more rational, my dear Caroline, I dare say, but it would not be -near so much like a ball.” - -Miss Bingley made no answer, and soon afterwards she got up and walked -about the room. Her figure was elegant, and she walked well; but -Darcy, at whom it was all aimed, was still inflexibly studious. In -the desperation of her feelings, she resolved on one effort more, and, -turning to Elizabeth, said: - -“Miss Eliza Bennet, let me persuade you to follow my example, and take a -turn about the room. I assure you it is very refreshing after sitting so -long in one attitude.” - -Elizabeth was surprised, but agreed to it immediately. Miss Bingley -succeeded no less in the real object of her civility; Mr. Darcy looked -up. He was as much awake to the novelty of attention in that quarter as -Elizabeth herself could be, and unconsciously closed his book. He was -directly invited to join their party, but he declined it, observing that -he could imagine but two motives for their choosing to walk up and down -the room together, with either of which motives his joining them would -interfere. “What could he mean? She was dying to know what could be his -meaning?”--and asked Elizabeth whether she could at all understand him? - -“Not at all,” was her answer; “but depend upon it, he means to be severe -on us, and our surest way of disappointing him will be to ask nothing -about it.” - -Miss Bingley, however, was incapable of disappointing Mr. Darcy in -anything, and persevered therefore in requiring an explanation of his -two motives. - -“I have not the smallest objection to explaining them,” said he, as soon -as she allowed him to speak. “You either choose this method of passing -the evening because you are in each other's confidence, and have secret -affairs to discuss, or because you are conscious that your figures -appear to the greatest advantage in walking; if the first, I would be -completely in your way, and if the second, I can admire you much better -as I sit by the fire.” - -“Oh! shocking!” cried Miss Bingley. “I never heard anything so -abominable. How shall we punish him for such a speech?” - -“Nothing so easy, if you have but the inclination,” said Elizabeth. “We -can all plague and punish one another. Tease him--laugh at him. Intimate -as you are, you must know how it is to be done.” - -“But upon my honour, I do _not_. I do assure you that my intimacy has -not yet taught me _that_. Tease calmness of manner and presence of -mind! No, no; I feel he may defy us there. And as to laughter, we will -not expose ourselves, if you please, by attempting to laugh without a -subject. Mr. Darcy may hug himself.” - -“Mr. Darcy is not to be laughed at!” cried Elizabeth. “That is an -uncommon advantage, and uncommon I hope it will continue, for it would -be a great loss to _me_ to have many such acquaintances. I dearly love a -laugh.” - -“Miss Bingley,” said he, “has given me more credit than can be. -The wisest and the best of men--nay, the wisest and best of their -actions--may be rendered ridiculous by a person whose first object in -life is a joke.” - -“Certainly,” replied Elizabeth--“there are such people, but I hope I -am not one of _them_. I hope I never ridicule what is wise and good. -Follies and nonsense, whims and inconsistencies, _do_ divert me, I own, -and I laugh at them whenever I can. But these, I suppose, are precisely -what you are without.” - -“Perhaps that is not possible for anyone. But it has been the study -of my life to avoid those weaknesses which often expose a strong -understanding to ridicule.” - -“Such as vanity and pride.” - -“Yes, vanity is a weakness indeed. But pride--where there is a real -superiority of mind, pride will be always under good regulation.” - -Elizabeth turned away to hide a smile. - -“Your examination of Mr. Darcy is over, I presume,” said Miss Bingley; -“and pray what is the result?” - -“I am perfectly convinced by it that Mr. Darcy has no defect. He owns it -himself without disguise.” - -“No,” said Darcy, “I have made no such pretension. I have faults enough, -but they are not, I hope, of understanding. My temper I dare not vouch -for. It is, I believe, too little yielding--certainly too little for the -convenience of the world. I cannot forget the follies and vices of others -so soon as I ought, nor their offenses against myself. My feelings -are not puffed about with every attempt to move them. My temper -would perhaps be called resentful. My good opinion once lost, is lost -forever.” - -“_That_ is a failing indeed!” cried Elizabeth. “Implacable resentment -_is_ a shade in a character. But you have chosen your fault well. I -really cannot _laugh_ at it. You are safe from me.” - -“There is, I believe, in every disposition a tendency to some particular -evil--a natural defect, which not even the best education can overcome.” - -“And _your_ defect is to hate everybody.” - -“And yours,” he replied with a smile, “is willfully to misunderstand -them.” - -“Do let us have a little music,” cried Miss Bingley, tired of a -conversation in which she had no share. “Louisa, you will not mind my -waking Mr. Hurst?” - -Her sister had not the smallest objection, and the pianoforte was -opened; and Darcy, after a few moments' recollection, was not sorry for -it. He began to feel the danger of paying Elizabeth too much attention. - - - -Chapter 12 - - -In consequence of an agreement between the sisters, Elizabeth wrote the -next morning to their mother, to beg that the carriage might be sent for -them in the course of the day. But Mrs. Bennet, who had calculated on -her daughters remaining at Netherfield till the following Tuesday, which -would exactly finish Jane's week, could not bring herself to receive -them with pleasure before. Her answer, therefore, was not propitious, at -least not to Elizabeth's wishes, for she was impatient to get home. Mrs. -Bennet sent them word that they could not possibly have the carriage -before Tuesday; and in her postscript it was added, that if Mr. Bingley -and his sister pressed them to stay longer, she could spare them -very well. Against staying longer, however, Elizabeth was positively -resolved--nor did she much expect it would be asked; and fearful, on the -contrary, as being considered as intruding themselves needlessly long, -she urged Jane to borrow Mr. Bingley's carriage immediately, and at -length it was settled that their original design of leaving Netherfield -that morning should be mentioned, and the request made. - -The communication excited many professions of concern; and enough was -said of wishing them to stay at least till the following day to work -on Jane; and till the morrow their going was deferred. Miss Bingley was -then sorry that she had proposed the delay, for her jealousy and dislike -of one sister much exceeded her affection for the other. - -The master of the house heard with real sorrow that they were to go so -soon, and repeatedly tried to persuade Miss Bennet that it would not be -safe for her--that she was not enough recovered; but Jane was firm where -she felt herself to be right. - -To Mr. Darcy it was welcome intelligence--Elizabeth had been at -Netherfield long enough. She attracted him more than he liked--and Miss -Bingley was uncivil to _her_, and more teasing than usual to himself. -He wisely resolved to be particularly careful that no sign of admiration -should _now_ escape him, nothing that could elevate her with the hope -of influencing his felicity; sensible that if such an idea had been -suggested, his behaviour during the last day must have material weight -in confirming or crushing it. Steady to his purpose, he scarcely spoke -ten words to her through the whole of Saturday, and though they were -at one time left by themselves for half-an-hour, he adhered most -conscientiously to his book, and would not even look at her. - -On Sunday, after morning service, the separation, so agreeable to almost -all, took place. Miss Bingley's civility to Elizabeth increased at last -very rapidly, as well as her affection for Jane; and when they parted, -after assuring the latter of the pleasure it would always give her -to see her either at Longbourn or Netherfield, and embracing her most -tenderly, she even shook hands with the former. Elizabeth took leave of -the whole party in the liveliest of spirits. - -They were not welcomed home very cordially by their mother. Mrs. Bennet -wondered at their coming, and thought them very wrong to give so much -trouble, and was sure Jane would have caught cold again. But their -father, though very laconic in his expressions of pleasure, was really -glad to see them; he had felt their importance in the family circle. The -evening conversation, when they were all assembled, had lost much of -its animation, and almost all its sense by the absence of Jane and -Elizabeth. - -They found Mary, as usual, deep in the study of thorough-bass and human -nature; and had some extracts to admire, and some new observations of -threadbare morality to listen to. Catherine and Lydia had information -for them of a different sort. Much had been done and much had been said -in the regiment since the preceding Wednesday; several of the officers -had dined lately with their uncle, a private had been flogged, and it -had actually been hinted that Colonel Forster was going to be married. - - - -Chapter 13 - - -“I hope, my dear,” said Mr. Bennet to his wife, as they were at -breakfast the next morning, “that you have ordered a good dinner to-day, -because I have reason to expect an addition to our family party.” - -“Who do you mean, my dear? I know of nobody that is coming, I am sure, -unless Charlotte Lucas should happen to call in--and I hope _my_ dinners -are good enough for her. I do not believe she often sees such at home.” - -“The person of whom I speak is a gentleman, and a stranger.” - -Mrs. Bennet's eyes sparkled. “A gentleman and a stranger! It is Mr. -Bingley, I am sure! Well, I am sure I shall be extremely glad to see Mr. -Bingley. But--good Lord! how unlucky! There is not a bit of fish to be -got to-day. Lydia, my love, ring the bell--I must speak to Hill this -moment.” - -“It is _not_ Mr. Bingley,” said her husband; “it is a person whom I -never saw in the whole course of my life.” - -This roused a general astonishment; and he had the pleasure of being -eagerly questioned by his wife and his five daughters at once. - -After amusing himself some time with their curiosity, he thus explained: - -“About a month ago I received this letter; and about a fortnight ago -I answered it, for I thought it a case of some delicacy, and requiring -early attention. It is from my cousin, Mr. Collins, who, when I am dead, -may turn you all out of this house as soon as he pleases.” - -“Oh! my dear,” cried his wife, “I cannot bear to hear that mentioned. -Pray do not talk of that odious man. I do think it is the hardest thing -in the world, that your estate should be entailed away from your own -children; and I am sure, if I had been you, I should have tried long ago -to do something or other about it.” - -Jane and Elizabeth tried to explain to her the nature of an entail. They -had often attempted to do it before, but it was a subject on which -Mrs. Bennet was beyond the reach of reason, and she continued to rail -bitterly against the cruelty of settling an estate away from a family of -five daughters, in favour of a man whom nobody cared anything about. - -“It certainly is a most iniquitous affair,” said Mr. Bennet, “and -nothing can clear Mr. Collins from the guilt of inheriting Longbourn. -But if you will listen to his letter, you may perhaps be a little -softened by his manner of expressing himself.” - -“No, that I am sure I shall not; and I think it is very impertinent of -him to write to you at all, and very hypocritical. I hate such false -friends. Why could he not keep on quarreling with you, as his father did -before him?” - -“Why, indeed; he does seem to have had some filial scruples on that -head, as you will hear.” - -“Hunsford, near Westerham, Kent, 15th October. - -“Dear Sir,-- - -“The disagreement subsisting between yourself and my late honoured -father always gave me much uneasiness, and since I have had the -misfortune to lose him, I have frequently wished to heal the breach; but -for some time I was kept back by my own doubts, fearing lest it might -seem disrespectful to his memory for me to be on good terms with anyone -with whom it had always pleased him to be at variance.--'There, Mrs. -Bennet.'--My mind, however, is now made up on the subject, for having -received ordination at Easter, I have been so fortunate as to be -distinguished by the patronage of the Right Honourable Lady Catherine de -Bourgh, widow of Sir Lewis de Bourgh, whose bounty and beneficence has -preferred me to the valuable rectory of this parish, where it shall be -my earnest endeavour to demean myself with grateful respect towards her -ladyship, and be ever ready to perform those rites and ceremonies which -are instituted by the Church of England. As a clergyman, moreover, I -feel it my duty to promote and establish the blessing of peace in -all families within the reach of my influence; and on these grounds I -flatter myself that my present overtures are highly commendable, and -that the circumstance of my being next in the entail of Longbourn estate -will be kindly overlooked on your side, and not lead you to reject the -offered olive-branch. I cannot be otherwise than concerned at being the -means of injuring your amiable daughters, and beg leave to apologise for -it, as well as to assure you of my readiness to make them every possible -amends--but of this hereafter. If you should have no objection to -receive me into your house, I propose myself the satisfaction of waiting -on you and your family, Monday, November 18th, by four o'clock, and -shall probably trespass on your hospitality till the Saturday se'ennight -following, which I can do without any inconvenience, as Lady Catherine -is far from objecting to my occasional absence on a Sunday, provided -that some other clergyman is engaged to do the duty of the day.--I -remain, dear sir, with respectful compliments to your lady and -daughters, your well-wisher and friend, - -“WILLIAM COLLINS” - -“At four o'clock, therefore, we may expect this peace-making gentleman,” - said Mr. Bennet, as he folded up the letter. “He seems to be a most -conscientious and polite young man, upon my word, and I doubt not will -prove a valuable acquaintance, especially if Lady Catherine should be so -indulgent as to let him come to us again.” - -“There is some sense in what he says about the girls, however, and if -he is disposed to make them any amends, I shall not be the person to -discourage him.” - -“Though it is difficult,” said Jane, “to guess in what way he can mean -to make us the atonement he thinks our due, the wish is certainly to his -credit.” - -Elizabeth was chiefly struck by his extraordinary deference for Lady -Catherine, and his kind intention of christening, marrying, and burying -his parishioners whenever it were required. - -“He must be an oddity, I think,” said she. “I cannot make him -out.--There is something very pompous in his style.--And what can he -mean by apologising for being next in the entail?--We cannot suppose he -would help it if he could.--Could he be a sensible man, sir?” - -“No, my dear, I think not. I have great hopes of finding him quite the -reverse. There is a mixture of servility and self-importance in his -letter, which promises well. I am impatient to see him.” - -“In point of composition,” said Mary, “the letter does not seem -defective. The idea of the olive-branch perhaps is not wholly new, yet I -think it is well expressed.” - -To Catherine and Lydia, neither the letter nor its writer were in any -degree interesting. It was next to impossible that their cousin should -come in a scarlet coat, and it was now some weeks since they had -received pleasure from the society of a man in any other colour. As for -their mother, Mr. Collins's letter had done away much of her ill-will, -and she was preparing to see him with a degree of composure which -astonished her husband and daughters. - -Mr. Collins was punctual to his time, and was received with great -politeness by the whole family. Mr. Bennet indeed said little; but the -ladies were ready enough to talk, and Mr. Collins seemed neither in -need of encouragement, nor inclined to be silent himself. He was a -tall, heavy-looking young man of five-and-twenty. His air was grave and -stately, and his manners were very formal. He had not been long seated -before he complimented Mrs. Bennet on having so fine a family of -daughters; said he had heard much of their beauty, but that in this -instance fame had fallen short of the truth; and added, that he did -not doubt her seeing them all in due time disposed of in marriage. This -gallantry was not much to the taste of some of his hearers; but Mrs. -Bennet, who quarreled with no compliments, answered most readily. - -“You are very kind, I am sure; and I wish with all my heart it may -prove so, for else they will be destitute enough. Things are settled so -oddly.” - -“You allude, perhaps, to the entail of this estate.” - -“Ah! sir, I do indeed. It is a grievous affair to my poor girls, you -must confess. Not that I mean to find fault with _you_, for such things -I know are all chance in this world. There is no knowing how estates -will go when once they come to be entailed.” - -“I am very sensible, madam, of the hardship to my fair cousins, and -could say much on the subject, but that I am cautious of appearing -forward and precipitate. But I can assure the young ladies that I come -prepared to admire them. At present I will not say more; but, perhaps, -when we are better acquainted--” - -He was interrupted by a summons to dinner; and the girls smiled on each -other. They were not the only objects of Mr. Collins's admiration. The -hall, the dining-room, and all its furniture, were examined and praised; -and his commendation of everything would have touched Mrs. Bennet's -heart, but for the mortifying supposition of his viewing it all as his -own future property. The dinner too in its turn was highly admired; and -he begged to know to which of his fair cousins the excellency of its -cooking was owing. But he was set right there by Mrs. Bennet, who -assured him with some asperity that they were very well able to keep a -good cook, and that her daughters had nothing to do in the kitchen. He -begged pardon for having displeased her. In a softened tone she declared -herself not at all offended; but he continued to apologise for about a -quarter of an hour. - - - -Chapter 14 - - -During dinner, Mr. Bennet scarcely spoke at all; but when the servants -were withdrawn, he thought it time to have some conversation with his -guest, and therefore started a subject in which he expected him to -shine, by observing that he seemed very fortunate in his patroness. Lady -Catherine de Bourgh's attention to his wishes, and consideration for -his comfort, appeared very remarkable. Mr. Bennet could not have chosen -better. Mr. Collins was eloquent in her praise. The subject elevated him -to more than usual solemnity of manner, and with a most important aspect -he protested that “he had never in his life witnessed such behaviour in -a person of rank--such affability and condescension, as he had himself -experienced from Lady Catherine. She had been graciously pleased to -approve of both of the discourses which he had already had the honour of -preaching before her. She had also asked him twice to dine at Rosings, -and had sent for him only the Saturday before, to make up her pool of -quadrille in the evening. Lady Catherine was reckoned proud by many -people he knew, but _he_ had never seen anything but affability in her. -She had always spoken to him as she would to any other gentleman; she -made not the smallest objection to his joining in the society of the -neighbourhood nor to his leaving the parish occasionally for a week or -two, to visit his relations. She had even condescended to advise him to -marry as soon as he could, provided he chose with discretion; and had -once paid him a visit in his humble parsonage, where she had perfectly -approved all the alterations he had been making, and had even vouchsafed -to suggest some herself--some shelves in the closet up stairs.” - -“That is all very proper and civil, I am sure,” said Mrs. Bennet, “and -I dare say she is a very agreeable woman. It is a pity that great ladies -in general are not more like her. Does she live near you, sir?” - -“The garden in which stands my humble abode is separated only by a lane -from Rosings Park, her ladyship's residence.” - -“I think you said she was a widow, sir? Has she any family?” - -“She has only one daughter, the heiress of Rosings, and of very -extensive property.” - -“Ah!” said Mrs. Bennet, shaking her head, “then she is better off than -many girls. And what sort of young lady is she? Is she handsome?” - -“She is a most charming young lady indeed. Lady Catherine herself says -that, in point of true beauty, Miss de Bourgh is far superior to the -handsomest of her sex, because there is that in her features which marks -the young lady of distinguished birth. She is unfortunately of a sickly -constitution, which has prevented her from making that progress in many -accomplishments which she could not have otherwise failed of, as I am -informed by the lady who superintended her education, and who still -resides with them. But she is perfectly amiable, and often condescends -to drive by my humble abode in her little phaeton and ponies.” - -“Has she been presented? I do not remember her name among the ladies at -court.” - -“Her indifferent state of health unhappily prevents her being in town; -and by that means, as I told Lady Catherine one day, has deprived the -British court of its brightest ornament. Her ladyship seemed pleased -with the idea; and you may imagine that I am happy on every occasion to -offer those little delicate compliments which are always acceptable -to ladies. I have more than once observed to Lady Catherine, that -her charming daughter seemed born to be a duchess, and that the most -elevated rank, instead of giving her consequence, would be adorned by -her. These are the kind of little things which please her ladyship, and -it is a sort of attention which I conceive myself peculiarly bound to -pay.” - -“You judge very properly,” said Mr. Bennet, “and it is happy for you -that you possess the talent of flattering with delicacy. May I ask -whether these pleasing attentions proceed from the impulse of the -moment, or are the result of previous study?” - -“They arise chiefly from what is passing at the time, and though I -sometimes amuse myself with suggesting and arranging such little elegant -compliments as may be adapted to ordinary occasions, I always wish to -give them as unstudied an air as possible.” - -Mr. Bennet's expectations were fully answered. His cousin was as absurd -as he had hoped, and he listened to him with the keenest enjoyment, -maintaining at the same time the most resolute composure of countenance, -and, except in an occasional glance at Elizabeth, requiring no partner -in his pleasure. - -By tea-time, however, the dose had been enough, and Mr. Bennet was glad -to take his guest into the drawing-room again, and, when tea was over, -glad to invite him to read aloud to the ladies. Mr. Collins readily -assented, and a book was produced; but, on beholding it (for everything -announced it to be from a circulating library), he started back, and -begging pardon, protested that he never read novels. Kitty stared at -him, and Lydia exclaimed. Other books were produced, and after some -deliberation he chose Fordyce's Sermons. Lydia gaped as he opened the -volume, and before he had, with very monotonous solemnity, read three -pages, she interrupted him with: - -“Do you know, mamma, that my uncle Phillips talks of turning away -Richard; and if he does, Colonel Forster will hire him. My aunt told me -so herself on Saturday. I shall walk to Meryton to-morrow to hear more -about it, and to ask when Mr. Denny comes back from town.” - -Lydia was bid by her two eldest sisters to hold her tongue; but Mr. -Collins, much offended, laid aside his book, and said: - -“I have often observed how little young ladies are interested by books -of a serious stamp, though written solely for their benefit. It amazes -me, I confess; for, certainly, there can be nothing so advantageous to -them as instruction. But I will no longer importune my young cousin.” - -Then turning to Mr. Bennet, he offered himself as his antagonist at -backgammon. Mr. Bennet accepted the challenge, observing that he acted -very wisely in leaving the girls to their own trifling amusements. -Mrs. Bennet and her daughters apologised most civilly for Lydia's -interruption, and promised that it should not occur again, if he would -resume his book; but Mr. Collins, after assuring them that he bore his -young cousin no ill-will, and should never resent her behaviour as any -affront, seated himself at another table with Mr. Bennet, and prepared -for backgammon. - - - -Chapter 15 - - -Mr. Collins was not a sensible man, and the deficiency of nature had -been but little assisted by education or society; the greatest part -of his life having been spent under the guidance of an illiterate and -miserly father; and though he belonged to one of the universities, he -had merely kept the necessary terms, without forming at it any useful -acquaintance. The subjection in which his father had brought him up had -given him originally great humility of manner; but it was now a -good deal counteracted by the self-conceit of a weak head, living in -retirement, and the consequential feelings of early and unexpected -prosperity. A fortunate chance had recommended him to Lady Catherine de -Bourgh when the living of Hunsford was vacant; and the respect which -he felt for her high rank, and his veneration for her as his patroness, -mingling with a very good opinion of himself, of his authority as a -clergyman, and his right as a rector, made him altogether a mixture of -pride and obsequiousness, self-importance and humility. - -Having now a good house and a very sufficient income, he intended to -marry; and in seeking a reconciliation with the Longbourn family he had -a wife in view, as he meant to choose one of the daughters, if he found -them as handsome and amiable as they were represented by common report. -This was his plan of amends--of atonement--for inheriting their father's -estate; and he thought it an excellent one, full of eligibility and -suitableness, and excessively generous and disinterested on his own -part. - -His plan did not vary on seeing them. Miss Bennet's lovely face -confirmed his views, and established all his strictest notions of what -was due to seniority; and for the first evening _she_ was his settled -choice. The next morning, however, made an alteration; for in a -quarter of an hour's tete-a-tete with Mrs. Bennet before breakfast, a -conversation beginning with his parsonage-house, and leading naturally -to the avowal of his hopes, that a mistress might be found for it at -Longbourn, produced from her, amid very complaisant smiles and general -encouragement, a caution against the very Jane he had fixed on. “As to -her _younger_ daughters, she could not take upon her to say--she could -not positively answer--but she did not _know_ of any prepossession; her -_eldest_ daughter, she must just mention--she felt it incumbent on her -to hint, was likely to be very soon engaged.” - -Mr. Collins had only to change from Jane to Elizabeth--and it was soon -done--done while Mrs. Bennet was stirring the fire. Elizabeth, equally -next to Jane in birth and beauty, succeeded her of course. - -Mrs. Bennet treasured up the hint, and trusted that she might soon have -two daughters married; and the man whom she could not bear to speak of -the day before was now high in her good graces. - -Lydia's intention of walking to Meryton was not forgotten; every sister -except Mary agreed to go with her; and Mr. Collins was to attend them, -at the request of Mr. Bennet, who was most anxious to get rid of him, -and have his library to himself; for thither Mr. Collins had followed -him after breakfast; and there he would continue, nominally engaged with -one of the largest folios in the collection, but really talking to Mr. -Bennet, with little cessation, of his house and garden at Hunsford. Such -doings discomposed Mr. Bennet exceedingly. In his library he had been -always sure of leisure and tranquillity; and though prepared, as he told -Elizabeth, to meet with folly and conceit in every other room of the -house, he was used to be free from them there; his civility, therefore, -was most prompt in inviting Mr. Collins to join his daughters in their -walk; and Mr. Collins, being in fact much better fitted for a walker -than a reader, was extremely pleased to close his large book, and go. - -In pompous nothings on his side, and civil assents on that of his -cousins, their time passed till they entered Meryton. The attention of -the younger ones was then no longer to be gained by him. Their eyes were -immediately wandering up in the street in quest of the officers, and -nothing less than a very smart bonnet indeed, or a really new muslin in -a shop window, could recall them. - -But the attention of every lady was soon caught by a young man, whom -they had never seen before, of most gentlemanlike appearance, walking -with another officer on the other side of the way. The officer was -the very Mr. Denny concerning whose return from London Lydia came -to inquire, and he bowed as they passed. All were struck with the -stranger's air, all wondered who he could be; and Kitty and Lydia, -determined if possible to find out, led the way across the street, under -pretense of wanting something in an opposite shop, and fortunately -had just gained the pavement when the two gentlemen, turning back, had -reached the same spot. Mr. Denny addressed them directly, and entreated -permission to introduce his friend, Mr. Wickham, who had returned with -him the day before from town, and he was happy to say had accepted a -commission in their corps. This was exactly as it should be; for the -young man wanted only regimentals to make him completely charming. -His appearance was greatly in his favour; he had all the best part of -beauty, a fine countenance, a good figure, and very pleasing address. -The introduction was followed up on his side by a happy readiness -of conversation--a readiness at the same time perfectly correct and -unassuming; and the whole party were still standing and talking together -very agreeably, when the sound of horses drew their notice, and Darcy -and Bingley were seen riding down the street. On distinguishing the -ladies of the group, the two gentlemen came directly towards them, and -began the usual civilities. Bingley was the principal spokesman, and -Miss Bennet the principal object. He was then, he said, on his way to -Longbourn on purpose to inquire after her. Mr. Darcy corroborated -it with a bow, and was beginning to determine not to fix his eyes -on Elizabeth, when they were suddenly arrested by the sight of the -stranger, and Elizabeth happening to see the countenance of both as they -looked at each other, was all astonishment at the effect of the meeting. -Both changed colour, one looked white, the other red. Mr. Wickham, -after a few moments, touched his hat--a salutation which Mr. Darcy just -deigned to return. What could be the meaning of it? It was impossible to -imagine; it was impossible not to long to know. - -In another minute, Mr. Bingley, but without seeming to have noticed what -passed, took leave and rode on with his friend. - -Mr. Denny and Mr. Wickham walked with the young ladies to the door of -Mr. Phillip's house, and then made their bows, in spite of Miss Lydia's -pressing entreaties that they should come in, and even in spite of -Mrs. Phillips's throwing up the parlour window and loudly seconding the -invitation. - -Mrs. Phillips was always glad to see her nieces; and the two eldest, -from their recent absence, were particularly welcome, and she was -eagerly expressing her surprise at their sudden return home, which, as -their own carriage had not fetched them, she should have known nothing -about, if she had not happened to see Mr. Jones's shop-boy in the -street, who had told her that they were not to send any more draughts to -Netherfield because the Miss Bennets were come away, when her civility -was claimed towards Mr. Collins by Jane's introduction of him. She -received him with her very best politeness, which he returned with -as much more, apologising for his intrusion, without any previous -acquaintance with her, which he could not help flattering himself, -however, might be justified by his relationship to the young ladies who -introduced him to her notice. Mrs. Phillips was quite awed by such an -excess of good breeding; but her contemplation of one stranger was soon -put to an end by exclamations and inquiries about the other; of whom, -however, she could only tell her nieces what they already knew, that -Mr. Denny had brought him from London, and that he was to have a -lieutenant's commission in the ----shire. She had been watching him the -last hour, she said, as he walked up and down the street, and had Mr. -Wickham appeared, Kitty and Lydia would certainly have continued the -occupation, but unluckily no one passed windows now except a few of the -officers, who, in comparison with the stranger, were become “stupid, -disagreeable fellows.” Some of them were to dine with the Phillipses -the next day, and their aunt promised to make her husband call on Mr. -Wickham, and give him an invitation also, if the family from Longbourn -would come in the evening. This was agreed to, and Mrs. Phillips -protested that they would have a nice comfortable noisy game of lottery -tickets, and a little bit of hot supper afterwards. The prospect of such -delights was very cheering, and they parted in mutual good spirits. Mr. -Collins repeated his apologies in quitting the room, and was assured -with unwearying civility that they were perfectly needless. - -As they walked home, Elizabeth related to Jane what she had seen pass -between the two gentlemen; but though Jane would have defended either -or both, had they appeared to be in the wrong, she could no more explain -such behaviour than her sister. - -Mr. Collins on his return highly gratified Mrs. Bennet by admiring -Mrs. Phillips's manners and politeness. He protested that, except Lady -Catherine and her daughter, he had never seen a more elegant woman; -for she had not only received him with the utmost civility, but even -pointedly included him in her invitation for the next evening, although -utterly unknown to her before. Something, he supposed, might be -attributed to his connection with them, but yet he had never met with so -much attention in the whole course of his life. - - - -Chapter 16 - - -As no objection was made to the young people's engagement with their -aunt, and all Mr. Collins's scruples of leaving Mr. and Mrs. Bennet for -a single evening during his visit were most steadily resisted, the coach -conveyed him and his five cousins at a suitable hour to Meryton; and -the girls had the pleasure of hearing, as they entered the drawing-room, -that Mr. Wickham had accepted their uncle's invitation, and was then in -the house. - -When this information was given, and they had all taken their seats, Mr. -Collins was at leisure to look around him and admire, and he was so much -struck with the size and furniture of the apartment, that he declared he -might almost have supposed himself in the small summer breakfast -parlour at Rosings; a comparison that did not at first convey much -gratification; but when Mrs. Phillips understood from him what -Rosings was, and who was its proprietor--when she had listened to the -description of only one of Lady Catherine's drawing-rooms, and found -that the chimney-piece alone had cost eight hundred pounds, she felt all -the force of the compliment, and would hardly have resented a comparison -with the housekeeper's room. - -In describing to her all the grandeur of Lady Catherine and her mansion, -with occasional digressions in praise of his own humble abode, and -the improvements it was receiving, he was happily employed until the -gentlemen joined them; and he found in Mrs. Phillips a very attentive -listener, whose opinion of his consequence increased with what she -heard, and who was resolving to retail it all among her neighbours as -soon as she could. To the girls, who could not listen to their cousin, -and who had nothing to do but to wish for an instrument, and examine -their own indifferent imitations of china on the mantelpiece, the -interval of waiting appeared very long. It was over at last, however. -The gentlemen did approach, and when Mr. Wickham walked into the room, -Elizabeth felt that she had neither been seeing him before, nor thinking -of him since, with the smallest degree of unreasonable admiration. -The officers of the ----shire were in general a very creditable, -gentlemanlike set, and the best of them were of the present party; but -Mr. Wickham was as far beyond them all in person, countenance, air, and -walk, as _they_ were superior to the broad-faced, stuffy uncle Phillips, -breathing port wine, who followed them into the room. - -Mr. Wickham was the happy man towards whom almost every female eye was -turned, and Elizabeth was the happy woman by whom he finally seated -himself; and the agreeable manner in which he immediately fell into -conversation, though it was only on its being a wet night, made her feel -that the commonest, dullest, most threadbare topic might be rendered -interesting by the skill of the speaker. - -With such rivals for the notice of the fair as Mr. Wickham and the -officers, Mr. Collins seemed to sink into insignificance; to the young -ladies he certainly was nothing; but he had still at intervals a kind -listener in Mrs. Phillips, and was by her watchfulness, most abundantly -supplied with coffee and muffin. When the card-tables were placed, he -had the opportunity of obliging her in turn, by sitting down to whist. - -“I know little of the game at present,” said he, “but I shall be glad -to improve myself, for in my situation in life--” Mrs. Phillips was very -glad for his compliance, but could not wait for his reason. - -Mr. Wickham did not play at whist, and with ready delight was he -received at the other table between Elizabeth and Lydia. At first there -seemed danger of Lydia's engrossing him entirely, for she was a most -determined talker; but being likewise extremely fond of lottery tickets, -she soon grew too much interested in the game, too eager in making bets -and exclaiming after prizes to have attention for anyone in particular. -Allowing for the common demands of the game, Mr. Wickham was therefore -at leisure to talk to Elizabeth, and she was very willing to hear -him, though what she chiefly wished to hear she could not hope to be -told--the history of his acquaintance with Mr. Darcy. She dared not -even mention that gentleman. Her curiosity, however, was unexpectedly -relieved. Mr. Wickham began the subject himself. He inquired how far -Netherfield was from Meryton; and, after receiving her answer, asked in -a hesitating manner how long Mr. Darcy had been staying there. - -“About a month,” said Elizabeth; and then, unwilling to let the subject -drop, added, “He is a man of very large property in Derbyshire, I -understand.” - -“Yes,” replied Mr. Wickham; “his estate there is a noble one. A clear -ten thousand per annum. You could not have met with a person more -capable of giving you certain information on that head than myself, for -I have been connected with his family in a particular manner from my -infancy.” - -Elizabeth could not but look surprised. - -“You may well be surprised, Miss Bennet, at such an assertion, after -seeing, as you probably might, the very cold manner of our meeting -yesterday. Are you much acquainted with Mr. Darcy?” - -“As much as I ever wish to be,” cried Elizabeth very warmly. “I have -spent four days in the same house with him, and I think him very -disagreeable.” - -“I have no right to give _my_ opinion,” said Wickham, “as to his being -agreeable or otherwise. I am not qualified to form one. I have known him -too long and too well to be a fair judge. It is impossible for _me_ -to be impartial. But I believe your opinion of him would in general -astonish--and perhaps you would not express it quite so strongly -anywhere else. Here you are in your own family.” - -“Upon my word, I say no more _here_ than I might say in any house in -the neighbourhood, except Netherfield. He is not at all liked in -Hertfordshire. Everybody is disgusted with his pride. You will not find -him more favourably spoken of by anyone.” - -“I cannot pretend to be sorry,” said Wickham, after a short -interruption, “that he or that any man should not be estimated beyond -their deserts; but with _him_ I believe it does not often happen. The -world is blinded by his fortune and consequence, or frightened by his -high and imposing manners, and sees him only as he chooses to be seen.” - -“I should take him, even on _my_ slight acquaintance, to be an -ill-tempered man.” Wickham only shook his head. - -“I wonder,” said he, at the next opportunity of speaking, “whether he is -likely to be in this country much longer.” - -“I do not at all know; but I _heard_ nothing of his going away when I -was at Netherfield. I hope your plans in favour of the ----shire will -not be affected by his being in the neighbourhood.” - -“Oh! no--it is not for _me_ to be driven away by Mr. Darcy. If _he_ -wishes to avoid seeing _me_, he must go. We are not on friendly terms, -and it always gives me pain to meet him, but I have no reason for -avoiding _him_ but what I might proclaim before all the world, a sense -of very great ill-usage, and most painful regrets at his being what he -is. His father, Miss Bennet, the late Mr. Darcy, was one of the best men -that ever breathed, and the truest friend I ever had; and I can never -be in company with this Mr. Darcy without being grieved to the soul by -a thousand tender recollections. His behaviour to myself has been -scandalous; but I verily believe I could forgive him anything and -everything, rather than his disappointing the hopes and disgracing the -memory of his father.” - -Elizabeth found the interest of the subject increase, and listened with -all her heart; but the delicacy of it prevented further inquiry. - -Mr. Wickham began to speak on more general topics, Meryton, the -neighbourhood, the society, appearing highly pleased with all that -he had yet seen, and speaking of the latter with gentle but very -intelligible gallantry. - -“It was the prospect of constant society, and good society,” he added, -“which was my chief inducement to enter the ----shire. I knew it to be -a most respectable, agreeable corps, and my friend Denny tempted me -further by his account of their present quarters, and the very great -attentions and excellent acquaintances Meryton had procured them. -Society, I own, is necessary to me. I have been a disappointed man, and -my spirits will not bear solitude. I _must_ have employment and society. -A military life is not what I was intended for, but circumstances have -now made it eligible. The church _ought_ to have been my profession--I -was brought up for the church, and I should at this time have been in -possession of a most valuable living, had it pleased the gentleman we -were speaking of just now.” - -“Indeed!” - -“Yes--the late Mr. Darcy bequeathed me the next presentation of the best -living in his gift. He was my godfather, and excessively attached to me. -I cannot do justice to his kindness. He meant to provide for me amply, -and thought he had done it; but when the living fell, it was given -elsewhere.” - -“Good heavens!” cried Elizabeth; “but how could _that_ be? How could his -will be disregarded? Why did you not seek legal redress?” - -“There was just such an informality in the terms of the bequest as to -give me no hope from law. A man of honour could not have doubted the -intention, but Mr. Darcy chose to doubt it--or to treat it as a merely -conditional recommendation, and to assert that I had forfeited all claim -to it by extravagance, imprudence--in short anything or nothing. Certain -it is, that the living became vacant two years ago, exactly as I was -of an age to hold it, and that it was given to another man; and no -less certain is it, that I cannot accuse myself of having really done -anything to deserve to lose it. I have a warm, unguarded temper, and -I may have spoken my opinion _of_ him, and _to_ him, too freely. I can -recall nothing worse. But the fact is, that we are very different sort -of men, and that he hates me.” - -“This is quite shocking! He deserves to be publicly disgraced.” - -“Some time or other he _will_ be--but it shall not be by _me_. Till I -can forget his father, I can never defy or expose _him_.” - -Elizabeth honoured him for such feelings, and thought him handsomer than -ever as he expressed them. - -“But what,” said she, after a pause, “can have been his motive? What can -have induced him to behave so cruelly?” - -“A thorough, determined dislike of me--a dislike which I cannot but -attribute in some measure to jealousy. Had the late Mr. Darcy liked me -less, his son might have borne with me better; but his father's uncommon -attachment to me irritated him, I believe, very early in life. He had -not a temper to bear the sort of competition in which we stood--the sort -of preference which was often given me.” - -“I had not thought Mr. Darcy so bad as this--though I have never liked -him. I had not thought so very ill of him. I had supposed him to be -despising his fellow-creatures in general, but did not suspect him of -descending to such malicious revenge, such injustice, such inhumanity as -this.” - -After a few minutes' reflection, however, she continued, “I _do_ -remember his boasting one day, at Netherfield, of the implacability of -his resentments, of his having an unforgiving temper. His disposition -must be dreadful.” - -“I will not trust myself on the subject,” replied Wickham; “I can hardly -be just to him.” - -Elizabeth was again deep in thought, and after a time exclaimed, “To -treat in such a manner the godson, the friend, the favourite of his -father!” She could have added, “A young man, too, like _you_, whose very -countenance may vouch for your being amiable”--but she contented herself -with, “and one, too, who had probably been his companion from childhood, -connected together, as I think you said, in the closest manner!” - -“We were born in the same parish, within the same park; the greatest -part of our youth was passed together; inmates of the same house, -sharing the same amusements, objects of the same parental care. _My_ -father began life in the profession which your uncle, Mr. Phillips, -appears to do so much credit to--but he gave up everything to be of -use to the late Mr. Darcy and devoted all his time to the care of the -Pemberley property. He was most highly esteemed by Mr. Darcy, a most -intimate, confidential friend. Mr. Darcy often acknowledged himself to -be under the greatest obligations to my father's active superintendence, -and when, immediately before my father's death, Mr. Darcy gave him a -voluntary promise of providing for me, I am convinced that he felt it to -be as much a debt of gratitude to _him_, as of his affection to myself.” - -“How strange!” cried Elizabeth. “How abominable! I wonder that the very -pride of this Mr. Darcy has not made him just to you! If from no better -motive, that he should not have been too proud to be dishonest--for -dishonesty I must call it.” - -“It _is_ wonderful,” replied Wickham, “for almost all his actions may -be traced to pride; and pride had often been his best friend. It has -connected him nearer with virtue than with any other feeling. But we are -none of us consistent, and in his behaviour to me there were stronger -impulses even than pride.” - -“Can such abominable pride as his have ever done him good?” - -“Yes. It has often led him to be liberal and generous, to give his money -freely, to display hospitality, to assist his tenants, and relieve the -poor. Family pride, and _filial_ pride--for he is very proud of what -his father was--have done this. Not to appear to disgrace his family, -to degenerate from the popular qualities, or lose the influence of the -Pemberley House, is a powerful motive. He has also _brotherly_ pride, -which, with _some_ brotherly affection, makes him a very kind and -careful guardian of his sister, and you will hear him generally cried up -as the most attentive and best of brothers.” - -“What sort of girl is Miss Darcy?” - -He shook his head. “I wish I could call her amiable. It gives me pain to -speak ill of a Darcy. But she is too much like her brother--very, very -proud. As a child, she was affectionate and pleasing, and extremely fond -of me; and I have devoted hours and hours to her amusement. But she is -nothing to me now. She is a handsome girl, about fifteen or sixteen, -and, I understand, highly accomplished. Since her father's death, her -home has been London, where a lady lives with her, and superintends her -education.” - -After many pauses and many trials of other subjects, Elizabeth could not -help reverting once more to the first, and saying: - -“I am astonished at his intimacy with Mr. Bingley! How can Mr. Bingley, -who seems good humour itself, and is, I really believe, truly amiable, -be in friendship with such a man? How can they suit each other? Do you -know Mr. Bingley?” - -“Not at all.” - -“He is a sweet-tempered, amiable, charming man. He cannot know what Mr. -Darcy is.” - -“Probably not; but Mr. Darcy can please where he chooses. He does not -want abilities. He can be a conversible companion if he thinks it worth -his while. Among those who are at all his equals in consequence, he is -a very different man from what he is to the less prosperous. His -pride never deserts him; but with the rich he is liberal-minded, just, -sincere, rational, honourable, and perhaps agreeable--allowing something -for fortune and figure.” - -The whist party soon afterwards breaking up, the players gathered round -the other table and Mr. Collins took his station between his cousin -Elizabeth and Mrs. Phillips. The usual inquiries as to his success were -made by the latter. It had not been very great; he had lost every -point; but when Mrs. Phillips began to express her concern thereupon, -he assured her with much earnest gravity that it was not of the least -importance, that he considered the money as a mere trifle, and begged -that she would not make herself uneasy. - -“I know very well, madam,” said he, “that when persons sit down to a -card-table, they must take their chances of these things, and happily I -am not in such circumstances as to make five shillings any object. There -are undoubtedly many who could not say the same, but thanks to Lady -Catherine de Bourgh, I am removed far beyond the necessity of regarding -little matters.” - -Mr. Wickham's attention was caught; and after observing Mr. Collins for -a few moments, he asked Elizabeth in a low voice whether her relation -was very intimately acquainted with the family of de Bourgh. - -“Lady Catherine de Bourgh,” she replied, “has very lately given him -a living. I hardly know how Mr. Collins was first introduced to her -notice, but he certainly has not known her long.” - -“You know of course that Lady Catherine de Bourgh and Lady Anne Darcy -were sisters; consequently that she is aunt to the present Mr. Darcy.” - -“No, indeed, I did not. I knew nothing at all of Lady Catherine's -connections. I never heard of her existence till the day before -yesterday.” - -“Her daughter, Miss de Bourgh, will have a very large fortune, and it is -believed that she and her cousin will unite the two estates.” - -This information made Elizabeth smile, as she thought of poor Miss -Bingley. Vain indeed must be all her attentions, vain and useless her -affection for his sister and her praise of himself, if he were already -self-destined for another. - -“Mr. Collins,” said she, “speaks highly both of Lady Catherine and her -daughter; but from some particulars that he has related of her ladyship, -I suspect his gratitude misleads him, and that in spite of her being his -patroness, she is an arrogant, conceited woman.” - -“I believe her to be both in a great degree,” replied Wickham; “I have -not seen her for many years, but I very well remember that I never liked -her, and that her manners were dictatorial and insolent. She has the -reputation of being remarkably sensible and clever; but I rather believe -she derives part of her abilities from her rank and fortune, part from -her authoritative manner, and the rest from the pride for her -nephew, who chooses that everyone connected with him should have an -understanding of the first class.” - -Elizabeth allowed that he had given a very rational account of it, and -they continued talking together, with mutual satisfaction till supper -put an end to cards, and gave the rest of the ladies their share of Mr. -Wickham's attentions. There could be no conversation in the noise -of Mrs. Phillips's supper party, but his manners recommended him to -everybody. Whatever he said, was said well; and whatever he did, done -gracefully. Elizabeth went away with her head full of him. She could -think of nothing but of Mr. Wickham, and of what he had told her, all -the way home; but there was not time for her even to mention his name -as they went, for neither Lydia nor Mr. Collins were once silent. Lydia -talked incessantly of lottery tickets, of the fish she had lost and the -fish she had won; and Mr. Collins in describing the civility of Mr. and -Mrs. Phillips, protesting that he did not in the least regard his losses -at whist, enumerating all the dishes at supper, and repeatedly fearing -that he crowded his cousins, had more to say than he could well manage -before the carriage stopped at Longbourn House. - - - -Chapter 17 - - -Elizabeth related to Jane the next day what had passed between Mr. -Wickham and herself. Jane listened with astonishment and concern; she -knew not how to believe that Mr. Darcy could be so unworthy of Mr. -Bingley's regard; and yet, it was not in her nature to question the -veracity of a young man of such amiable appearance as Wickham. The -possibility of his having endured such unkindness, was enough to -interest all her tender feelings; and nothing remained therefore to be -done, but to think well of them both, to defend the conduct of each, -and throw into the account of accident or mistake whatever could not be -otherwise explained. - -“They have both,” said she, “been deceived, I dare say, in some way -or other, of which we can form no idea. Interested people have perhaps -misrepresented each to the other. It is, in short, impossible for us to -conjecture the causes or circumstances which may have alienated them, -without actual blame on either side.” - -“Very true, indeed; and now, my dear Jane, what have you got to say on -behalf of the interested people who have probably been concerned in the -business? Do clear _them_ too, or we shall be obliged to think ill of -somebody.” - -“Laugh as much as you choose, but you will not laugh me out of my -opinion. My dearest Lizzy, do but consider in what a disgraceful light -it places Mr. Darcy, to be treating his father's favourite in such -a manner, one whom his father had promised to provide for. It is -impossible. No man of common humanity, no man who had any value for his -character, could be capable of it. Can his most intimate friends be so -excessively deceived in him? Oh! no.” - -“I can much more easily believe Mr. Bingley's being imposed on, than -that Mr. Wickham should invent such a history of himself as he gave me -last night; names, facts, everything mentioned without ceremony. If it -be not so, let Mr. Darcy contradict it. Besides, there was truth in his -looks.” - -“It is difficult indeed--it is distressing. One does not know what to -think.” - -“I beg your pardon; one knows exactly what to think.” - -But Jane could think with certainty on only one point--that Mr. Bingley, -if he _had_ been imposed on, would have much to suffer when the affair -became public. - -The two young ladies were summoned from the shrubbery, where this -conversation passed, by the arrival of the very persons of whom they had -been speaking; Mr. Bingley and his sisters came to give their personal -invitation for the long-expected ball at Netherfield, which was fixed -for the following Tuesday. The two ladies were delighted to see their -dear friend again, called it an age since they had met, and repeatedly -asked what she had been doing with herself since their separation. To -the rest of the family they paid little attention; avoiding Mrs. Bennet -as much as possible, saying not much to Elizabeth, and nothing at all to -the others. They were soon gone again, rising from their seats with an -activity which took their brother by surprise, and hurrying off as if -eager to escape from Mrs. Bennet's civilities. - -The prospect of the Netherfield ball was extremely agreeable to every -female of the family. Mrs. Bennet chose to consider it as given in -compliment to her eldest daughter, and was particularly flattered -by receiving the invitation from Mr. Bingley himself, instead of a -ceremonious card. Jane pictured to herself a happy evening in the -society of her two friends, and the attentions of their brother; and -Elizabeth thought with pleasure of dancing a great deal with Mr. -Wickham, and of seeing a confirmation of everything in Mr. Darcy's look -and behaviour. The happiness anticipated by Catherine and Lydia depended -less on any single event, or any particular person, for though they -each, like Elizabeth, meant to dance half the evening with Mr. Wickham, -he was by no means the only partner who could satisfy them, and a ball -was, at any rate, a ball. And even Mary could assure her family that she -had no disinclination for it. - -“While I can have my mornings to myself,” said she, “it is enough--I -think it is no sacrifice to join occasionally in evening engagements. -Society has claims on us all; and I profess myself one of those -who consider intervals of recreation and amusement as desirable for -everybody.” - -Elizabeth's spirits were so high on this occasion, that though she did -not often speak unnecessarily to Mr. Collins, she could not help asking -him whether he intended to accept Mr. Bingley's invitation, and if -he did, whether he would think it proper to join in the evening's -amusement; and she was rather surprised to find that he entertained no -scruple whatever on that head, and was very far from dreading a rebuke -either from the Archbishop, or Lady Catherine de Bourgh, by venturing to -dance. - -“I am by no means of the opinion, I assure you,” said he, “that a ball -of this kind, given by a young man of character, to respectable people, -can have any evil tendency; and I am so far from objecting to dancing -myself, that I shall hope to be honoured with the hands of all my fair -cousins in the course of the evening; and I take this opportunity of -soliciting yours, Miss Elizabeth, for the two first dances especially, -a preference which I trust my cousin Jane will attribute to the right -cause, and not to any disrespect for her.” - -Elizabeth felt herself completely taken in. She had fully proposed being -engaged by Mr. Wickham for those very dances; and to have Mr. Collins -instead! her liveliness had never been worse timed. There was no help -for it, however. Mr. Wickham's happiness and her own were perforce -delayed a little longer, and Mr. Collins's proposal accepted with as -good a grace as she could. She was not the better pleased with his -gallantry from the idea it suggested of something more. It now first -struck her, that _she_ was selected from among her sisters as worthy -of being mistress of Hunsford Parsonage, and of assisting to form a -quadrille table at Rosings, in the absence of more eligible visitors. -The idea soon reached to conviction, as she observed his increasing -civilities toward herself, and heard his frequent attempt at a -compliment on her wit and vivacity; and though more astonished than -gratified herself by this effect of her charms, it was not long before -her mother gave her to understand that the probability of their marriage -was extremely agreeable to _her_. Elizabeth, however, did not choose -to take the hint, being well aware that a serious dispute must be the -consequence of any reply. Mr. Collins might never make the offer, and -till he did, it was useless to quarrel about him. - -If there had not been a Netherfield ball to prepare for and talk of, the -younger Miss Bennets would have been in a very pitiable state at this -time, for from the day of the invitation, to the day of the ball, there -was such a succession of rain as prevented their walking to Meryton -once. No aunt, no officers, no news could be sought after--the very -shoe-roses for Netherfield were got by proxy. Even Elizabeth might have -found some trial of her patience in weather which totally suspended the -improvement of her acquaintance with Mr. Wickham; and nothing less than -a dance on Tuesday, could have made such a Friday, Saturday, Sunday, and -Monday endurable to Kitty and Lydia. - - - -Chapter 18 - - -Till Elizabeth entered the drawing-room at Netherfield, and looked in -vain for Mr. Wickham among the cluster of red coats there assembled, a -doubt of his being present had never occurred to her. The certainty -of meeting him had not been checked by any of those recollections that -might not unreasonably have alarmed her. She had dressed with more than -usual care, and prepared in the highest spirits for the conquest of all -that remained unsubdued of his heart, trusting that it was not more than -might be won in the course of the evening. But in an instant arose -the dreadful suspicion of his being purposely omitted for Mr. Darcy's -pleasure in the Bingleys' invitation to the officers; and though -this was not exactly the case, the absolute fact of his absence was -pronounced by his friend Denny, to whom Lydia eagerly applied, and who -told them that Wickham had been obliged to go to town on business the -day before, and was not yet returned; adding, with a significant smile, -“I do not imagine his business would have called him away just now, if -he had not wanted to avoid a certain gentleman here.” - -This part of his intelligence, though unheard by Lydia, was caught by -Elizabeth, and, as it assured her that Darcy was not less answerable for -Wickham's absence than if her first surmise had been just, every -feeling of displeasure against the former was so sharpened by immediate -disappointment, that she could hardly reply with tolerable civility to -the polite inquiries which he directly afterwards approached to make. -Attendance, forbearance, patience with Darcy, was injury to Wickham. She -was resolved against any sort of conversation with him, and turned away -with a degree of ill-humour which she could not wholly surmount even in -speaking to Mr. Bingley, whose blind partiality provoked her. - -But Elizabeth was not formed for ill-humour; and though every prospect -of her own was destroyed for the evening, it could not dwell long on her -spirits; and having told all her griefs to Charlotte Lucas, whom she had -not seen for a week, she was soon able to make a voluntary transition -to the oddities of her cousin, and to point him out to her particular -notice. The first two dances, however, brought a return of distress; -they were dances of mortification. Mr. Collins, awkward and solemn, -apologising instead of attending, and often moving wrong without being -aware of it, gave her all the shame and misery which a disagreeable -partner for a couple of dances can give. The moment of her release from -him was ecstasy. - -She danced next with an officer, and had the refreshment of talking of -Wickham, and of hearing that he was universally liked. When those dances -were over, she returned to Charlotte Lucas, and was in conversation with -her, when she found herself suddenly addressed by Mr. Darcy who took -her so much by surprise in his application for her hand, that, -without knowing what she did, she accepted him. He walked away again -immediately, and she was left to fret over her own want of presence of -mind; Charlotte tried to console her: - -“I dare say you will find him very agreeable.” - -“Heaven forbid! _That_ would be the greatest misfortune of all! To find -a man agreeable whom one is determined to hate! Do not wish me such an -evil.” - -When the dancing recommenced, however, and Darcy approached to claim her -hand, Charlotte could not help cautioning her in a whisper, not to be a -simpleton, and allow her fancy for Wickham to make her appear unpleasant -in the eyes of a man ten times his consequence. Elizabeth made no -answer, and took her place in the set, amazed at the dignity to which -she was arrived in being allowed to stand opposite to Mr. Darcy, and -reading in her neighbours' looks, their equal amazement in beholding -it. They stood for some time without speaking a word; and she began to -imagine that their silence was to last through the two dances, and at -first was resolved not to break it; till suddenly fancying that it would -be the greater punishment to her partner to oblige him to talk, she made -some slight observation on the dance. He replied, and was again -silent. After a pause of some minutes, she addressed him a second time -with:--“It is _your_ turn to say something now, Mr. Darcy. I talked -about the dance, and _you_ ought to make some sort of remark on the size -of the room, or the number of couples.” - -He smiled, and assured her that whatever she wished him to say should be -said. - -“Very well. That reply will do for the present. Perhaps by and by I may -observe that private balls are much pleasanter than public ones. But -_now_ we may be silent.” - -“Do you talk by rule, then, while you are dancing?” - -“Sometimes. One must speak a little, you know. It would look odd to be -entirely silent for half an hour together; and yet for the advantage of -_some_, conversation ought to be so arranged, as that they may have the -trouble of saying as little as possible.” - -“Are you consulting your own feelings in the present case, or do you -imagine that you are gratifying mine?” - -“Both,” replied Elizabeth archly; “for I have always seen a great -similarity in the turn of our minds. We are each of an unsocial, -taciturn disposition, unwilling to speak, unless we expect to say -something that will amaze the whole room, and be handed down to -posterity with all the eclat of a proverb.” - -“This is no very striking resemblance of your own character, I am sure,” - said he. “How near it may be to _mine_, I cannot pretend to say. _You_ -think it a faithful portrait undoubtedly.” - -“I must not decide on my own performance.” - -He made no answer, and they were again silent till they had gone down -the dance, when he asked her if she and her sisters did not very often -walk to Meryton. She answered in the affirmative, and, unable to resist -the temptation, added, “When you met us there the other day, we had just -been forming a new acquaintance.” - -The effect was immediate. A deeper shade of _hauteur_ overspread his -features, but he said not a word, and Elizabeth, though blaming herself -for her own weakness, could not go on. At length Darcy spoke, and in a -constrained manner said, “Mr. Wickham is blessed with such happy manners -as may ensure his _making_ friends--whether he may be equally capable of -_retaining_ them, is less certain.” - -“He has been so unlucky as to lose _your_ friendship,” replied Elizabeth -with emphasis, “and in a manner which he is likely to suffer from all -his life.” - -Darcy made no answer, and seemed desirous of changing the subject. At -that moment, Sir William Lucas appeared close to them, meaning to pass -through the set to the other side of the room; but on perceiving Mr. -Darcy, he stopped with a bow of superior courtesy to compliment him on -his dancing and his partner. - -“I have been most highly gratified indeed, my dear sir. Such very -superior dancing is not often seen. It is evident that you belong to the -first circles. Allow me to say, however, that your fair partner does not -disgrace you, and that I must hope to have this pleasure often repeated, -especially when a certain desirable event, my dear Eliza (glancing at -her sister and Bingley) shall take place. What congratulations will then -flow in! I appeal to Mr. Darcy:--but let me not interrupt you, sir. You -will not thank me for detaining you from the bewitching converse of that -young lady, whose bright eyes are also upbraiding me.” - -The latter part of this address was scarcely heard by Darcy; but Sir -William's allusion to his friend seemed to strike him forcibly, and his -eyes were directed with a very serious expression towards Bingley and -Jane, who were dancing together. Recovering himself, however, shortly, -he turned to his partner, and said, “Sir William's interruption has made -me forget what we were talking of.” - -“I do not think we were speaking at all. Sir William could not have -interrupted two people in the room who had less to say for themselves. -We have tried two or three subjects already without success, and what we -are to talk of next I cannot imagine.” - -“What think you of books?” said he, smiling. - -“Books--oh! no. I am sure we never read the same, or not with the same -feelings.” - -“I am sorry you think so; but if that be the case, there can at least be -no want of subject. We may compare our different opinions.” - -“No--I cannot talk of books in a ball-room; my head is always full of -something else.” - -“The _present_ always occupies you in such scenes--does it?” said he, -with a look of doubt. - -“Yes, always,” she replied, without knowing what she said, for her -thoughts had wandered far from the subject, as soon afterwards appeared -by her suddenly exclaiming, “I remember hearing you once say, Mr. Darcy, -that you hardly ever forgave, that your resentment once created was -unappeasable. You are very cautious, I suppose, as to its _being -created_.” - -“I am,” said he, with a firm voice. - -“And never allow yourself to be blinded by prejudice?” - -“I hope not.” - -“It is particularly incumbent on those who never change their opinion, -to be secure of judging properly at first.” - -“May I ask to what these questions tend?” - -“Merely to the illustration of _your_ character,” said she, endeavouring -to shake off her gravity. “I am trying to make it out.” - -“And what is your success?” - -She shook her head. “I do not get on at all. I hear such different -accounts of you as puzzle me exceedingly.” - -“I can readily believe,” answered he gravely, “that reports may vary -greatly with respect to me; and I could wish, Miss Bennet, that you were -not to sketch my character at the present moment, as there is reason to -fear that the performance would reflect no credit on either.” - -“But if I do not take your likeness now, I may never have another -opportunity.” - -“I would by no means suspend any pleasure of yours,” he coldly replied. -She said no more, and they went down the other dance and parted in -silence; and on each side dissatisfied, though not to an equal degree, -for in Darcy's breast there was a tolerably powerful feeling towards -her, which soon procured her pardon, and directed all his anger against -another. - -They had not long separated, when Miss Bingley came towards her, and -with an expression of civil disdain accosted her: - -“So, Miss Eliza, I hear you are quite delighted with George Wickham! -Your sister has been talking to me about him, and asking me a thousand -questions; and I find that the young man quite forgot to tell you, among -his other communication, that he was the son of old Wickham, the late -Mr. Darcy's steward. Let me recommend you, however, as a friend, not to -give implicit confidence to all his assertions; for as to Mr. Darcy's -using him ill, it is perfectly false; for, on the contrary, he has -always been remarkably kind to him, though George Wickham has treated -Mr. Darcy in a most infamous manner. I do not know the particulars, but -I know very well that Mr. Darcy is not in the least to blame, that he -cannot bear to hear George Wickham mentioned, and that though my brother -thought that he could not well avoid including him in his invitation to -the officers, he was excessively glad to find that he had taken himself -out of the way. His coming into the country at all is a most insolent -thing, indeed, and I wonder how he could presume to do it. I pity you, -Miss Eliza, for this discovery of your favourite's guilt; but really, -considering his descent, one could not expect much better.” - -“His guilt and his descent appear by your account to be the same,” said -Elizabeth angrily; “for I have heard you accuse him of nothing worse -than of being the son of Mr. Darcy's steward, and of _that_, I can -assure you, he informed me himself.” - -“I beg your pardon,” replied Miss Bingley, turning away with a sneer. -“Excuse my interference--it was kindly meant.” - -“Insolent girl!” said Elizabeth to herself. “You are much mistaken -if you expect to influence me by such a paltry attack as this. I see -nothing in it but your own wilful ignorance and the malice of Mr. -Darcy.” She then sought her eldest sister, who had undertaken to make -inquiries on the same subject of Bingley. Jane met her with a smile of -such sweet complacency, a glow of such happy expression, as sufficiently -marked how well she was satisfied with the occurrences of the evening. -Elizabeth instantly read her feelings, and at that moment solicitude for -Wickham, resentment against his enemies, and everything else, gave way -before the hope of Jane's being in the fairest way for happiness. - -“I want to know,” said she, with a countenance no less smiling than her -sister's, “what you have learnt about Mr. Wickham. But perhaps you have -been too pleasantly engaged to think of any third person; in which case -you may be sure of my pardon.” - -“No,” replied Jane, “I have not forgotten him; but I have nothing -satisfactory to tell you. Mr. Bingley does not know the whole of -his history, and is quite ignorant of the circumstances which have -principally offended Mr. Darcy; but he will vouch for the good conduct, -the probity, and honour of his friend, and is perfectly convinced that -Mr. Wickham has deserved much less attention from Mr. Darcy than he has -received; and I am sorry to say by his account as well as his sister's, -Mr. Wickham is by no means a respectable young man. I am afraid he has -been very imprudent, and has deserved to lose Mr. Darcy's regard.” - -“Mr. Bingley does not know Mr. Wickham himself?” - -“No; he never saw him till the other morning at Meryton.” - -“This account then is what he has received from Mr. Darcy. I am -satisfied. But what does he say of the living?” - -“He does not exactly recollect the circumstances, though he has heard -them from Mr. Darcy more than once, but he believes that it was left to -him _conditionally_ only.” - -“I have not a doubt of Mr. Bingley's sincerity,” said Elizabeth warmly; -“but you must excuse my not being convinced by assurances only. Mr. -Bingley's defense of his friend was a very able one, I dare say; but -since he is unacquainted with several parts of the story, and has learnt -the rest from that friend himself, I shall venture to still think of -both gentlemen as I did before.” - -She then changed the discourse to one more gratifying to each, and on -which there could be no difference of sentiment. Elizabeth listened with -delight to the happy, though modest hopes which Jane entertained of Mr. -Bingley's regard, and said all in her power to heighten her confidence -in it. On their being joined by Mr. Bingley himself, Elizabeth withdrew -to Miss Lucas; to whose inquiry after the pleasantness of her last -partner she had scarcely replied, before Mr. Collins came up to them, -and told her with great exultation that he had just been so fortunate as -to make a most important discovery. - -“I have found out,” said he, “by a singular accident, that there is now -in the room a near relation of my patroness. I happened to overhear the -gentleman himself mentioning to the young lady who does the honours of -the house the names of his cousin Miss de Bourgh, and of her mother Lady -Catherine. How wonderfully these sort of things occur! Who would have -thought of my meeting with, perhaps, a nephew of Lady Catherine de -Bourgh in this assembly! I am most thankful that the discovery is made -in time for me to pay my respects to him, which I am now going to -do, and trust he will excuse my not having done it before. My total -ignorance of the connection must plead my apology.” - -“You are not going to introduce yourself to Mr. Darcy!” - -“Indeed I am. I shall entreat his pardon for not having done it earlier. -I believe him to be Lady Catherine's _nephew_. It will be in my power to -assure him that her ladyship was quite well yesterday se'nnight.” - -Elizabeth tried hard to dissuade him from such a scheme, assuring him -that Mr. Darcy would consider his addressing him without introduction -as an impertinent freedom, rather than a compliment to his aunt; that -it was not in the least necessary there should be any notice on either -side; and that if it were, it must belong to Mr. Darcy, the superior in -consequence, to begin the acquaintance. Mr. Collins listened to her -with the determined air of following his own inclination, and, when she -ceased speaking, replied thus: - -“My dear Miss Elizabeth, I have the highest opinion in the world in -your excellent judgement in all matters within the scope of your -understanding; but permit me to say, that there must be a wide -difference between the established forms of ceremony amongst the laity, -and those which regulate the clergy; for, give me leave to observe that -I consider the clerical office as equal in point of dignity with -the highest rank in the kingdom--provided that a proper humility of -behaviour is at the same time maintained. You must therefore allow me to -follow the dictates of my conscience on this occasion, which leads me to -perform what I look on as a point of duty. Pardon me for neglecting to -profit by your advice, which on every other subject shall be my constant -guide, though in the case before us I consider myself more fitted by -education and habitual study to decide on what is right than a young -lady like yourself.” And with a low bow he left her to attack Mr. -Darcy, whose reception of his advances she eagerly watched, and whose -astonishment at being so addressed was very evident. Her cousin prefaced -his speech with a solemn bow and though she could not hear a word of -it, she felt as if hearing it all, and saw in the motion of his lips the -words “apology,” “Hunsford,” and “Lady Catherine de Bourgh.” It vexed -her to see him expose himself to such a man. Mr. Darcy was eyeing him -with unrestrained wonder, and when at last Mr. Collins allowed him time -to speak, replied with an air of distant civility. Mr. Collins, however, -was not discouraged from speaking again, and Mr. Darcy's contempt seemed -abundantly increasing with the length of his second speech, and at the -end of it he only made him a slight bow, and moved another way. Mr. -Collins then returned to Elizabeth. - -“I have no reason, I assure you,” said he, “to be dissatisfied with my -reception. Mr. Darcy seemed much pleased with the attention. He answered -me with the utmost civility, and even paid me the compliment of saying -that he was so well convinced of Lady Catherine's discernment as to be -certain she could never bestow a favour unworthily. It was really a very -handsome thought. Upon the whole, I am much pleased with him.” - -As Elizabeth had no longer any interest of her own to pursue, she turned -her attention almost entirely on her sister and Mr. Bingley; and the -train of agreeable reflections which her observations gave birth to, -made her perhaps almost as happy as Jane. She saw her in idea settled in -that very house, in all the felicity which a marriage of true affection -could bestow; and she felt capable, under such circumstances, of -endeavouring even to like Bingley's two sisters. Her mother's thoughts -she plainly saw were bent the same way, and she determined not to -venture near her, lest she might hear too much. When they sat down to -supper, therefore, she considered it a most unlucky perverseness which -placed them within one of each other; and deeply was she vexed to find -that her mother was talking to that one person (Lady Lucas) freely, -openly, and of nothing else but her expectation that Jane would soon -be married to Mr. Bingley. It was an animating subject, and Mrs. Bennet -seemed incapable of fatigue while enumerating the advantages of the -match. His being such a charming young man, and so rich, and living but -three miles from them, were the first points of self-gratulation; and -then it was such a comfort to think how fond the two sisters were of -Jane, and to be certain that they must desire the connection as much as -she could do. It was, moreover, such a promising thing for her younger -daughters, as Jane's marrying so greatly must throw them in the way of -other rich men; and lastly, it was so pleasant at her time of life to be -able to consign her single daughters to the care of their sister, that -she might not be obliged to go into company more than she liked. It was -necessary to make this circumstance a matter of pleasure, because on -such occasions it is the etiquette; but no one was less likely than Mrs. -Bennet to find comfort in staying home at any period of her life. She -concluded with many good wishes that Lady Lucas might soon be equally -fortunate, though evidently and triumphantly believing there was no -chance of it. - -In vain did Elizabeth endeavour to check the rapidity of her mother's -words, or persuade her to describe her felicity in a less audible -whisper; for, to her inexpressible vexation, she could perceive that the -chief of it was overheard by Mr. Darcy, who sat opposite to them. Her -mother only scolded her for being nonsensical. - -“What is Mr. Darcy to me, pray, that I should be afraid of him? I am -sure we owe him no such particular civility as to be obliged to say -nothing _he_ may not like to hear.” - -“For heaven's sake, madam, speak lower. What advantage can it be for you -to offend Mr. Darcy? You will never recommend yourself to his friend by -so doing!” - -Nothing that she could say, however, had any influence. Her mother would -talk of her views in the same intelligible tone. Elizabeth blushed and -blushed again with shame and vexation. She could not help frequently -glancing her eye at Mr. Darcy, though every glance convinced her of what -she dreaded; for though he was not always looking at her mother, she was -convinced that his attention was invariably fixed by her. The expression -of his face changed gradually from indignant contempt to a composed and -steady gravity. - -At length, however, Mrs. Bennet had no more to say; and Lady Lucas, who -had been long yawning at the repetition of delights which she saw no -likelihood of sharing, was left to the comforts of cold ham and -chicken. Elizabeth now began to revive. But not long was the interval of -tranquillity; for, when supper was over, singing was talked of, and -she had the mortification of seeing Mary, after very little entreaty, -preparing to oblige the company. By many significant looks and silent -entreaties, did she endeavour to prevent such a proof of complaisance, -but in vain; Mary would not understand them; such an opportunity of -exhibiting was delightful to her, and she began her song. Elizabeth's -eyes were fixed on her with most painful sensations, and she watched her -progress through the several stanzas with an impatience which was very -ill rewarded at their close; for Mary, on receiving, amongst the thanks -of the table, the hint of a hope that she might be prevailed on to -favour them again, after the pause of half a minute began another. -Mary's powers were by no means fitted for such a display; her voice was -weak, and her manner affected. Elizabeth was in agonies. She looked at -Jane, to see how she bore it; but Jane was very composedly talking to -Bingley. She looked at his two sisters, and saw them making signs -of derision at each other, and at Darcy, who continued, however, -imperturbably grave. She looked at her father to entreat his -interference, lest Mary should be singing all night. He took the hint, -and when Mary had finished her second song, said aloud, “That will do -extremely well, child. You have delighted us long enough. Let the other -young ladies have time to exhibit.” - -Mary, though pretending not to hear, was somewhat disconcerted; and -Elizabeth, sorry for her, and sorry for her father's speech, was afraid -her anxiety had done no good. Others of the party were now applied to. - -“If I,” said Mr. Collins, “were so fortunate as to be able to sing, I -should have great pleasure, I am sure, in obliging the company with an -air; for I consider music as a very innocent diversion, and perfectly -compatible with the profession of a clergyman. I do not mean, however, -to assert that we can be justified in devoting too much of our time -to music, for there are certainly other things to be attended to. The -rector of a parish has much to do. In the first place, he must make -such an agreement for tithes as may be beneficial to himself and not -offensive to his patron. He must write his own sermons; and the time -that remains will not be too much for his parish duties, and the care -and improvement of his dwelling, which he cannot be excused from making -as comfortable as possible. And I do not think it of light importance -that he should have attentive and conciliatory manners towards everybody, -especially towards those to whom he owes his preferment. I cannot acquit -him of that duty; nor could I think well of the man who should omit an -occasion of testifying his respect towards anybody connected with the -family.” And with a bow to Mr. Darcy, he concluded his speech, which had -been spoken so loud as to be heard by half the room. Many stared--many -smiled; but no one looked more amused than Mr. Bennet himself, while his -wife seriously commended Mr. Collins for having spoken so sensibly, -and observed in a half-whisper to Lady Lucas, that he was a remarkably -clever, good kind of young man. - -To Elizabeth it appeared that, had her family made an agreement to -expose themselves as much as they could during the evening, it would -have been impossible for them to play their parts with more spirit or -finer success; and happy did she think it for Bingley and her sister -that some of the exhibition had escaped his notice, and that his -feelings were not of a sort to be much distressed by the folly which he -must have witnessed. That his two sisters and Mr. Darcy, however, should -have such an opportunity of ridiculing her relations, was bad enough, -and she could not determine whether the silent contempt of the -gentleman, or the insolent smiles of the ladies, were more intolerable. - -The rest of the evening brought her little amusement. She was teased by -Mr. Collins, who continued most perseveringly by her side, and though -he could not prevail on her to dance with him again, put it out of her -power to dance with others. In vain did she entreat him to stand up with -somebody else, and offer to introduce him to any young lady in the room. -He assured her, that as to dancing, he was perfectly indifferent to it; -that his chief object was by delicate attentions to recommend himself to -her and that he should therefore make a point of remaining close to her -the whole evening. There was no arguing upon such a project. She owed -her greatest relief to her friend Miss Lucas, who often joined them, and -good-naturedly engaged Mr. Collins's conversation to herself. - -She was at least free from the offense of Mr. Darcy's further notice; -though often standing within a very short distance of her, quite -disengaged, he never came near enough to speak. She felt it to be the -probable consequence of her allusions to Mr. Wickham, and rejoiced in -it. - -The Longbourn party were the last of all the company to depart, and, by -a manoeuvre of Mrs. Bennet, had to wait for their carriage a quarter of -an hour after everybody else was gone, which gave them time to see how -heartily they were wished away by some of the family. Mrs. Hurst and her -sister scarcely opened their mouths, except to complain of fatigue, and -were evidently impatient to have the house to themselves. They repulsed -every attempt of Mrs. Bennet at conversation, and by so doing threw a -languor over the whole party, which was very little relieved by the -long speeches of Mr. Collins, who was complimenting Mr. Bingley and his -sisters on the elegance of their entertainment, and the hospitality and -politeness which had marked their behaviour to their guests. Darcy said -nothing at all. Mr. Bennet, in equal silence, was enjoying the scene. -Mr. Bingley and Jane were standing together, a little detached from the -rest, and talked only to each other. Elizabeth preserved as steady a -silence as either Mrs. Hurst or Miss Bingley; and even Lydia was too -much fatigued to utter more than the occasional exclamation of “Lord, -how tired I am!” accompanied by a violent yawn. - -When at length they arose to take leave, Mrs. Bennet was most pressingly -civil in her hope of seeing the whole family soon at Longbourn, and -addressed herself especially to Mr. Bingley, to assure him how happy he -would make them by eating a family dinner with them at any time, without -the ceremony of a formal invitation. Bingley was all grateful pleasure, -and he readily engaged for taking the earliest opportunity of waiting on -her, after his return from London, whither he was obliged to go the next -day for a short time. - -Mrs. Bennet was perfectly satisfied, and quitted the house under the -delightful persuasion that, allowing for the necessary preparations of -settlements, new carriages, and wedding clothes, she should undoubtedly -see her daughter settled at Netherfield in the course of three or four -months. Of having another daughter married to Mr. Collins, she thought -with equal certainty, and with considerable, though not equal, pleasure. -Elizabeth was the least dear to her of all her children; and though the -man and the match were quite good enough for _her_, the worth of each -was eclipsed by Mr. Bingley and Netherfield. - - - -Chapter 19 - - -The next day opened a new scene at Longbourn. Mr. Collins made his -declaration in form. Having resolved to do it without loss of time, as -his leave of absence extended only to the following Saturday, and having -no feelings of diffidence to make it distressing to himself even at -the moment, he set about it in a very orderly manner, with all the -observances, which he supposed a regular part of the business. On -finding Mrs. Bennet, Elizabeth, and one of the younger girls together, -soon after breakfast, he addressed the mother in these words: - -“May I hope, madam, for your interest with your fair daughter Elizabeth, -when I solicit for the honour of a private audience with her in the -course of this morning?” - -Before Elizabeth had time for anything but a blush of surprise, Mrs. -Bennet answered instantly, “Oh dear!--yes--certainly. I am sure Lizzy -will be very happy--I am sure she can have no objection. Come, Kitty, I -want you up stairs.” And, gathering her work together, she was hastening -away, when Elizabeth called out: - -“Dear madam, do not go. I beg you will not go. Mr. Collins must excuse -me. He can have nothing to say to me that anybody need not hear. I am -going away myself.” - -“No, no, nonsense, Lizzy. I desire you to stay where you are.” And upon -Elizabeth's seeming really, with vexed and embarrassed looks, about to -escape, she added: “Lizzy, I _insist_ upon your staying and hearing Mr. -Collins.” - -Elizabeth would not oppose such an injunction--and a moment's -consideration making her also sensible that it would be wisest to get it -over as soon and as quietly as possible, she sat down again and tried to -conceal, by incessant employment the feelings which were divided between -distress and diversion. Mrs. Bennet and Kitty walked off, and as soon as -they were gone, Mr. Collins began. - -“Believe me, my dear Miss Elizabeth, that your modesty, so far from -doing you any disservice, rather adds to your other perfections. You -would have been less amiable in my eyes had there _not_ been this little -unwillingness; but allow me to assure you, that I have your respected -mother's permission for this address. You can hardly doubt the -purport of my discourse, however your natural delicacy may lead you to -dissemble; my attentions have been too marked to be mistaken. Almost as -soon as I entered the house, I singled you out as the companion of -my future life. But before I am run away with by my feelings on this -subject, perhaps it would be advisable for me to state my reasons for -marrying--and, moreover, for coming into Hertfordshire with the design -of selecting a wife, as I certainly did.” - -The idea of Mr. Collins, with all his solemn composure, being run away -with by his feelings, made Elizabeth so near laughing, that she could -not use the short pause he allowed in any attempt to stop him further, -and he continued: - -“My reasons for marrying are, first, that I think it a right thing for -every clergyman in easy circumstances (like myself) to set the example -of matrimony in his parish; secondly, that I am convinced that it will -add very greatly to my happiness; and thirdly--which perhaps I ought -to have mentioned earlier, that it is the particular advice and -recommendation of the very noble lady whom I have the honour of calling -patroness. Twice has she condescended to give me her opinion (unasked -too!) on this subject; and it was but the very Saturday night before I -left Hunsford--between our pools at quadrille, while Mrs. Jenkinson was -arranging Miss de Bourgh's footstool, that she said, 'Mr. Collins, you -must marry. A clergyman like you must marry. Choose properly, choose -a gentlewoman for _my_ sake; and for your _own_, let her be an active, -useful sort of person, not brought up high, but able to make a small -income go a good way. This is my advice. Find such a woman as soon as -you can, bring her to Hunsford, and I will visit her.' Allow me, by the -way, to observe, my fair cousin, that I do not reckon the notice -and kindness of Lady Catherine de Bourgh as among the least of the -advantages in my power to offer. You will find her manners beyond -anything I can describe; and your wit and vivacity, I think, must be -acceptable to her, especially when tempered with the silence and -respect which her rank will inevitably excite. Thus much for my general -intention in favour of matrimony; it remains to be told why my views -were directed towards Longbourn instead of my own neighbourhood, where I -can assure you there are many amiable young women. But the fact is, that -being, as I am, to inherit this estate after the death of your honoured -father (who, however, may live many years longer), I could not satisfy -myself without resolving to choose a wife from among his daughters, that -the loss to them might be as little as possible, when the melancholy -event takes place--which, however, as I have already said, may not -be for several years. This has been my motive, my fair cousin, and -I flatter myself it will not sink me in your esteem. And now nothing -remains for me but to assure you in the most animated language of the -violence of my affection. To fortune I am perfectly indifferent, and -shall make no demand of that nature on your father, since I am well -aware that it could not be complied with; and that one thousand pounds -in the four per cents, which will not be yours till after your mother's -decease, is all that you may ever be entitled to. On that head, -therefore, I shall be uniformly silent; and you may assure yourself that -no ungenerous reproach shall ever pass my lips when we are married.” - -It was absolutely necessary to interrupt him now. - -“You are too hasty, sir,” she cried. “You forget that I have made no -answer. Let me do it without further loss of time. Accept my thanks for -the compliment you are paying me. I am very sensible of the honour of -your proposals, but it is impossible for me to do otherwise than to -decline them.” - -“I am not now to learn,” replied Mr. Collins, with a formal wave of the -hand, “that it is usual with young ladies to reject the addresses of the -man whom they secretly mean to accept, when he first applies for their -favour; and that sometimes the refusal is repeated a second, or even a -third time. I am therefore by no means discouraged by what you have just -said, and shall hope to lead you to the altar ere long.” - -“Upon my word, sir,” cried Elizabeth, “your hope is a rather -extraordinary one after my declaration. I do assure you that I am not -one of those young ladies (if such young ladies there are) who are so -daring as to risk their happiness on the chance of being asked a second -time. I am perfectly serious in my refusal. You could not make _me_ -happy, and I am convinced that I am the last woman in the world who -could make you so. Nay, were your friend Lady Catherine to know me, I -am persuaded she would find me in every respect ill qualified for the -situation.” - -“Were it certain that Lady Catherine would think so,” said Mr. Collins -very gravely--“but I cannot imagine that her ladyship would at all -disapprove of you. And you may be certain when I have the honour of -seeing her again, I shall speak in the very highest terms of your -modesty, economy, and other amiable qualification.” - -“Indeed, Mr. Collins, all praise of me will be unnecessary. You -must give me leave to judge for myself, and pay me the compliment -of believing what I say. I wish you very happy and very rich, and by -refusing your hand, do all in my power to prevent your being otherwise. -In making me the offer, you must have satisfied the delicacy of your -feelings with regard to my family, and may take possession of Longbourn -estate whenever it falls, without any self-reproach. This matter may -be considered, therefore, as finally settled.” And rising as she -thus spoke, she would have quitted the room, had Mr. Collins not thus -addressed her: - -“When I do myself the honour of speaking to you next on the subject, I -shall hope to receive a more favourable answer than you have now given -me; though I am far from accusing you of cruelty at present, because I -know it to be the established custom of your sex to reject a man on -the first application, and perhaps you have even now said as much to -encourage my suit as would be consistent with the true delicacy of the -female character.” - -“Really, Mr. Collins,” cried Elizabeth with some warmth, “you puzzle me -exceedingly. If what I have hitherto said can appear to you in the form -of encouragement, I know not how to express my refusal in such a way as -to convince you of its being one.” - -“You must give me leave to flatter myself, my dear cousin, that your -refusal of my addresses is merely words of course. My reasons for -believing it are briefly these: It does not appear to me that my hand is -unworthy of your acceptance, or that the establishment I can offer would -be any other than highly desirable. My situation in life, my connections -with the family of de Bourgh, and my relationship to your own, are -circumstances highly in my favour; and you should take it into further -consideration, that in spite of your manifold attractions, it is by no -means certain that another offer of marriage may ever be made you. Your -portion is unhappily so small that it will in all likelihood undo -the effects of your loveliness and amiable qualifications. As I must -therefore conclude that you are not serious in your rejection of me, -I shall choose to attribute it to your wish of increasing my love by -suspense, according to the usual practice of elegant females.” - -“I do assure you, sir, that I have no pretensions whatever to that kind -of elegance which consists in tormenting a respectable man. I would -rather be paid the compliment of being believed sincere. I thank you -again and again for the honour you have done me in your proposals, but -to accept them is absolutely impossible. My feelings in every respect -forbid it. Can I speak plainer? Do not consider me now as an elegant -female, intending to plague you, but as a rational creature, speaking -the truth from her heart.” - -“You are uniformly charming!” cried he, with an air of awkward -gallantry; “and I am persuaded that when sanctioned by the express -authority of both your excellent parents, my proposals will not fail of -being acceptable.” - -To such perseverance in wilful self-deception Elizabeth would make -no reply, and immediately and in silence withdrew; determined, if -he persisted in considering her repeated refusals as flattering -encouragement, to apply to her father, whose negative might be uttered -in such a manner as to be decisive, and whose behaviour at least could -not be mistaken for the affectation and coquetry of an elegant female. - - - -Chapter 20 - - -Mr. Collins was not left long to the silent contemplation of his -successful love; for Mrs. Bennet, having dawdled about in the vestibule -to watch for the end of the conference, no sooner saw Elizabeth open -the door and with quick step pass her towards the staircase, than she -entered the breakfast-room, and congratulated both him and herself in -warm terms on the happy prospect of their nearer connection. Mr. Collins -received and returned these felicitations with equal pleasure, and then -proceeded to relate the particulars of their interview, with the result -of which he trusted he had every reason to be satisfied, since the -refusal which his cousin had steadfastly given him would naturally flow -from her bashful modesty and the genuine delicacy of her character. - -This information, however, startled Mrs. Bennet; she would have been -glad to be equally satisfied that her daughter had meant to encourage -him by protesting against his proposals, but she dared not believe it, -and could not help saying so. - -“But, depend upon it, Mr. Collins,” she added, “that Lizzy shall be -brought to reason. I will speak to her about it directly. She is a very -headstrong, foolish girl, and does not know her own interest but I will -_make_ her know it.” - -“Pardon me for interrupting you, madam,” cried Mr. Collins; “but if -she is really headstrong and foolish, I know not whether she would -altogether be a very desirable wife to a man in my situation, who -naturally looks for happiness in the marriage state. If therefore she -actually persists in rejecting my suit, perhaps it were better not -to force her into accepting me, because if liable to such defects of -temper, she could not contribute much to my felicity.” - -“Sir, you quite misunderstand me,” said Mrs. Bennet, alarmed. “Lizzy is -only headstrong in such matters as these. In everything else she is as -good-natured a girl as ever lived. I will go directly to Mr. Bennet, and -we shall very soon settle it with her, I am sure.” - -She would not give him time to reply, but hurrying instantly to her -husband, called out as she entered the library, “Oh! Mr. Bennet, you -are wanted immediately; we are all in an uproar. You must come and make -Lizzy marry Mr. Collins, for she vows she will not have him, and if you -do not make haste he will change his mind and not have _her_.” - -Mr. Bennet raised his eyes from his book as she entered, and fixed them -on her face with a calm unconcern which was not in the least altered by -her communication. - -“I have not the pleasure of understanding you,” said he, when she had -finished her speech. “Of what are you talking?” - -“Of Mr. Collins and Lizzy. Lizzy declares she will not have Mr. Collins, -and Mr. Collins begins to say that he will not have Lizzy.” - -“And what am I to do on the occasion? It seems an hopeless business.” - -“Speak to Lizzy about it yourself. Tell her that you insist upon her -marrying him.” - -“Let her be called down. She shall hear my opinion.” - -Mrs. Bennet rang the bell, and Miss Elizabeth was summoned to the -library. - -“Come here, child,” cried her father as she appeared. “I have sent for -you on an affair of importance. I understand that Mr. Collins has made -you an offer of marriage. Is it true?” Elizabeth replied that it was. -“Very well--and this offer of marriage you have refused?” - -“I have, sir.” - -“Very well. We now come to the point. Your mother insists upon your -accepting it. Is it not so, Mrs. Bennet?” - -“Yes, or I will never see her again.” - -“An unhappy alternative is before you, Elizabeth. From this day you must -be a stranger to one of your parents. Your mother will never see you -again if you do _not_ marry Mr. Collins, and I will never see you again -if you _do_.” - -Elizabeth could not but smile at such a conclusion of such a beginning, -but Mrs. Bennet, who had persuaded herself that her husband regarded the -affair as she wished, was excessively disappointed. - -“What do you mean, Mr. Bennet, in talking this way? You promised me to -_insist_ upon her marrying him.” - -“My dear,” replied her husband, “I have two small favours to request. -First, that you will allow me the free use of my understanding on the -present occasion; and secondly, of my room. I shall be glad to have the -library to myself as soon as may be.” - -Not yet, however, in spite of her disappointment in her husband, did -Mrs. Bennet give up the point. She talked to Elizabeth again and again; -coaxed and threatened her by turns. She endeavoured to secure Jane -in her interest; but Jane, with all possible mildness, declined -interfering; and Elizabeth, sometimes with real earnestness, and -sometimes with playful gaiety, replied to her attacks. Though her manner -varied, however, her determination never did. - -Mr. Collins, meanwhile, was meditating in solitude on what had passed. -He thought too well of himself to comprehend on what motives his cousin -could refuse him; and though his pride was hurt, he suffered in no other -way. His regard for her was quite imaginary; and the possibility of her -deserving her mother's reproach prevented his feeling any regret. - -While the family were in this confusion, Charlotte Lucas came to spend -the day with them. She was met in the vestibule by Lydia, who, flying to -her, cried in a half whisper, “I am glad you are come, for there is such -fun here! What do you think has happened this morning? Mr. Collins has -made an offer to Lizzy, and she will not have him.” - -Charlotte hardly had time to answer, before they were joined by Kitty, -who came to tell the same news; and no sooner had they entered the -breakfast-room, where Mrs. Bennet was alone, than she likewise began on -the subject, calling on Miss Lucas for her compassion, and entreating -her to persuade her friend Lizzy to comply with the wishes of all her -family. “Pray do, my dear Miss Lucas,” she added in a melancholy tone, -“for nobody is on my side, nobody takes part with me. I am cruelly used, -nobody feels for my poor nerves.” - -Charlotte's reply was spared by the entrance of Jane and Elizabeth. - -“Aye, there she comes,” continued Mrs. Bennet, “looking as unconcerned -as may be, and caring no more for us than if we were at York, provided -she can have her own way. But I tell you, Miss Lizzy--if you take it -into your head to go on refusing every offer of marriage in this way, -you will never get a husband at all--and I am sure I do not know who is -to maintain you when your father is dead. I shall not be able to keep -you--and so I warn you. I have done with you from this very day. I told -you in the library, you know, that I should never speak to you again, -and you will find me as good as my word. I have no pleasure in talking -to undutiful children. Not that I have much pleasure, indeed, in talking -to anybody. People who suffer as I do from nervous complaints can have -no great inclination for talking. Nobody can tell what I suffer! But it -is always so. Those who do not complain are never pitied.” - -Her daughters listened in silence to this effusion, sensible that -any attempt to reason with her or soothe her would only increase the -irritation. She talked on, therefore, without interruption from any of -them, till they were joined by Mr. Collins, who entered the room with -an air more stately than usual, and on perceiving whom, she said to -the girls, “Now, I do insist upon it, that you, all of you, hold -your tongues, and let me and Mr. Collins have a little conversation -together.” - -Elizabeth passed quietly out of the room, Jane and Kitty followed, but -Lydia stood her ground, determined to hear all she could; and Charlotte, -detained first by the civility of Mr. Collins, whose inquiries after -herself and all her family were very minute, and then by a little -curiosity, satisfied herself with walking to the window and pretending -not to hear. In a doleful voice Mrs. Bennet began the projected -conversation: “Oh! Mr. Collins!” - -“My dear madam,” replied he, “let us be for ever silent on this point. -Far be it from me,” he presently continued, in a voice that marked his -displeasure, “to resent the behaviour of your daughter. Resignation -to inevitable evils is the duty of us all; the peculiar duty of a -young man who has been so fortunate as I have been in early preferment; -and I trust I am resigned. Perhaps not the less so from feeling a doubt -of my positive happiness had my fair cousin honoured me with her hand; -for I have often observed that resignation is never so perfect as -when the blessing denied begins to lose somewhat of its value in our -estimation. You will not, I hope, consider me as showing any disrespect -to your family, my dear madam, by thus withdrawing my pretensions to -your daughter's favour, without having paid yourself and Mr. Bennet the -compliment of requesting you to interpose your authority in my -behalf. My conduct may, I fear, be objectionable in having accepted my -dismission from your daughter's lips instead of your own. But we are all -liable to error. I have certainly meant well through the whole affair. -My object has been to secure an amiable companion for myself, with due -consideration for the advantage of all your family, and if my _manner_ -has been at all reprehensible, I here beg leave to apologise.” - - - -Chapter 21 - - -The discussion of Mr. Collins's offer was now nearly at an end, and -Elizabeth had only to suffer from the uncomfortable feelings necessarily -attending it, and occasionally from some peevish allusions of her -mother. As for the gentleman himself, _his_ feelings were chiefly -expressed, not by embarrassment or dejection, or by trying to avoid her, -but by stiffness of manner and resentful silence. He scarcely ever spoke -to her, and the assiduous attentions which he had been so sensible of -himself were transferred for the rest of the day to Miss Lucas, whose -civility in listening to him was a seasonable relief to them all, and -especially to her friend. - -The morrow produced no abatement of Mrs. Bennet's ill-humour or ill -health. Mr. Collins was also in the same state of angry pride. Elizabeth -had hoped that his resentment might shorten his visit, but his plan did -not appear in the least affected by it. He was always to have gone on -Saturday, and to Saturday he meant to stay. - -After breakfast, the girls walked to Meryton to inquire if Mr. Wickham -were returned, and to lament over his absence from the Netherfield ball. -He joined them on their entering the town, and attended them to their -aunt's where his regret and vexation, and the concern of everybody, was -well talked over. To Elizabeth, however, he voluntarily acknowledged -that the necessity of his absence _had_ been self-imposed. - -“I found,” said he, “as the time drew near that I had better not meet -Mr. Darcy; that to be in the same room, the same party with him for so -many hours together, might be more than I could bear, and that scenes -might arise unpleasant to more than myself.” - -She highly approved his forbearance, and they had leisure for a full -discussion of it, and for all the commendation which they civilly -bestowed on each other, as Wickham and another officer walked back with -them to Longbourn, and during the walk he particularly attended to -her. His accompanying them was a double advantage; she felt all the -compliment it offered to herself, and it was most acceptable as an -occasion of introducing him to her father and mother. - -Soon after their return, a letter was delivered to Miss Bennet; it came -from Netherfield. The envelope contained a sheet of elegant, little, -hot-pressed paper, well covered with a lady's fair, flowing hand; and -Elizabeth saw her sister's countenance change as she read it, and saw -her dwelling intently on some particular passages. Jane recollected -herself soon, and putting the letter away, tried to join with her usual -cheerfulness in the general conversation; but Elizabeth felt an anxiety -on the subject which drew off her attention even from Wickham; and no -sooner had he and his companion taken leave, than a glance from Jane -invited her to follow her up stairs. When they had gained their own room, -Jane, taking out the letter, said: - -“This is from Caroline Bingley; what it contains has surprised me a good -deal. The whole party have left Netherfield by this time, and are on -their way to town--and without any intention of coming back again. You -shall hear what she says.” - -She then read the first sentence aloud, which comprised the information -of their having just resolved to follow their brother to town directly, -and of their meaning to dine in Grosvenor Street, where Mr. Hurst had a -house. The next was in these words: “I do not pretend to regret anything -I shall leave in Hertfordshire, except your society, my dearest friend; -but we will hope, at some future period, to enjoy many returns of that -delightful intercourse we have known, and in the meanwhile may -lessen the pain of separation by a very frequent and most unreserved -correspondence. I depend on you for that.” To these highflown -expressions Elizabeth listened with all the insensibility of distrust; -and though the suddenness of their removal surprised her, she saw -nothing in it really to lament; it was not to be supposed that their -absence from Netherfield would prevent Mr. Bingley's being there; and as -to the loss of their society, she was persuaded that Jane must cease to -regard it, in the enjoyment of his. - -“It is unlucky,” said she, after a short pause, “that you should not be -able to see your friends before they leave the country. But may we not -hope that the period of future happiness to which Miss Bingley looks -forward may arrive earlier than she is aware, and that the delightful -intercourse you have known as friends will be renewed with yet greater -satisfaction as sisters? Mr. Bingley will not be detained in London by -them.” - -“Caroline decidedly says that none of the party will return into -Hertfordshire this winter. I will read it to you:” - -“When my brother left us yesterday, he imagined that the business which -took him to London might be concluded in three or four days; but as we -are certain it cannot be so, and at the same time convinced that when -Charles gets to town he will be in no hurry to leave it again, we have -determined on following him thither, that he may not be obliged to spend -his vacant hours in a comfortless hotel. Many of my acquaintances are -already there for the winter; I wish that I could hear that you, my -dearest friend, had any intention of making one of the crowd--but of -that I despair. I sincerely hope your Christmas in Hertfordshire may -abound in the gaieties which that season generally brings, and that your -beaux will be so numerous as to prevent your feeling the loss of the -three of whom we shall deprive you.” - -“It is evident by this,” added Jane, “that he comes back no more this -winter.” - -“It is only evident that Miss Bingley does not mean that he _should_.” - -“Why will you think so? It must be his own doing. He is his own -master. But you do not know _all_. I _will_ read you the passage which -particularly hurts me. I will have no reserves from _you_.” - -“Mr. Darcy is impatient to see his sister; and, to confess the truth, -_we_ are scarcely less eager to meet her again. I really do not think -Georgiana Darcy has her equal for beauty, elegance, and accomplishments; -and the affection she inspires in Louisa and myself is heightened into -something still more interesting, from the hope we dare entertain of -her being hereafter our sister. I do not know whether I ever before -mentioned to you my feelings on this subject; but I will not leave the -country without confiding them, and I trust you will not esteem them -unreasonable. My brother admires her greatly already; he will have -frequent opportunity now of seeing her on the most intimate footing; -her relations all wish the connection as much as his own; and a sister's -partiality is not misleading me, I think, when I call Charles most -capable of engaging any woman's heart. With all these circumstances to -favour an attachment, and nothing to prevent it, am I wrong, my dearest -Jane, in indulging the hope of an event which will secure the happiness -of so many?” - -“What do you think of _this_ sentence, my dear Lizzy?” said Jane as she -finished it. “Is it not clear enough? Does it not expressly declare that -Caroline neither expects nor wishes me to be her sister; that she is -perfectly convinced of her brother's indifference; and that if she -suspects the nature of my feelings for him, she means (most kindly!) to -put me on my guard? Can there be any other opinion on the subject?” - -“Yes, there can; for mine is totally different. Will you hear it?” - -“Most willingly.” - -“You shall have it in a few words. Miss Bingley sees that her brother is -in love with you, and wants him to marry Miss Darcy. She follows him -to town in hope of keeping him there, and tries to persuade you that he -does not care about you.” - -Jane shook her head. - -“Indeed, Jane, you ought to believe me. No one who has ever seen you -together can doubt his affection. Miss Bingley, I am sure, cannot. She -is not such a simpleton. Could she have seen half as much love in Mr. -Darcy for herself, she would have ordered her wedding clothes. But the -case is this: We are not rich enough or grand enough for them; and she -is the more anxious to get Miss Darcy for her brother, from the notion -that when there has been _one_ intermarriage, she may have less trouble -in achieving a second; in which there is certainly some ingenuity, and -I dare say it would succeed, if Miss de Bourgh were out of the way. But, -my dearest Jane, you cannot seriously imagine that because Miss Bingley -tells you her brother greatly admires Miss Darcy, he is in the smallest -degree less sensible of _your_ merit than when he took leave of you on -Tuesday, or that it will be in her power to persuade him that, instead -of being in love with you, he is very much in love with her friend.” - -“If we thought alike of Miss Bingley,” replied Jane, “your -representation of all this might make me quite easy. But I know the -foundation is unjust. Caroline is incapable of wilfully deceiving -anyone; and all that I can hope in this case is that she is deceiving -herself.” - -“That is right. You could not have started a more happy idea, since you -will not take comfort in mine. Believe her to be deceived, by all means. -You have now done your duty by her, and must fret no longer.” - -“But, my dear sister, can I be happy, even supposing the best, in -accepting a man whose sisters and friends are all wishing him to marry -elsewhere?” - -“You must decide for yourself,” said Elizabeth; “and if, upon mature -deliberation, you find that the misery of disobliging his two sisters is -more than equivalent to the happiness of being his wife, I advise you by -all means to refuse him.” - -“How can you talk so?” said Jane, faintly smiling. “You must know that -though I should be exceedingly grieved at their disapprobation, I could -not hesitate.” - -“I did not think you would; and that being the case, I cannot consider -your situation with much compassion.” - -“But if he returns no more this winter, my choice will never be -required. A thousand things may arise in six months!” - -The idea of his returning no more Elizabeth treated with the utmost -contempt. It appeared to her merely the suggestion of Caroline's -interested wishes, and she could not for a moment suppose that those -wishes, however openly or artfully spoken, could influence a young man -so totally independent of everyone. - -She represented to her sister as forcibly as possible what she felt -on the subject, and had soon the pleasure of seeing its happy effect. -Jane's temper was not desponding, and she was gradually led to hope, -though the diffidence of affection sometimes overcame the hope, that -Bingley would return to Netherfield and answer every wish of her heart. - -They agreed that Mrs. Bennet should only hear of the departure of the -family, without being alarmed on the score of the gentleman's conduct; -but even this partial communication gave her a great deal of concern, -and she bewailed it as exceedingly unlucky that the ladies should happen -to go away just as they were all getting so intimate together. After -lamenting it, however, at some length, she had the consolation that Mr. -Bingley would be soon down again and soon dining at Longbourn, and the -conclusion of all was the comfortable declaration, that though he had -been invited only to a family dinner, she would take care to have two -full courses. - - - -Chapter 22 - - -The Bennets were engaged to dine with the Lucases and again during the -chief of the day was Miss Lucas so kind as to listen to Mr. Collins. -Elizabeth took an opportunity of thanking her. “It keeps him in good -humour,” said she, “and I am more obliged to you than I can express.” - Charlotte assured her friend of her satisfaction in being useful, and -that it amply repaid her for the little sacrifice of her time. This was -very amiable, but Charlotte's kindness extended farther than Elizabeth -had any conception of; its object was nothing else than to secure her -from any return of Mr. Collins's addresses, by engaging them towards -herself. Such was Miss Lucas's scheme; and appearances were so -favourable, that when they parted at night, she would have felt almost -secure of success if he had not been to leave Hertfordshire so very -soon. But here she did injustice to the fire and independence of his -character, for it led him to escape out of Longbourn House the next -morning with admirable slyness, and hasten to Lucas Lodge to throw -himself at her feet. He was anxious to avoid the notice of his cousins, -from a conviction that if they saw him depart, they could not fail to -conjecture his design, and he was not willing to have the attempt known -till its success might be known likewise; for though feeling almost -secure, and with reason, for Charlotte had been tolerably encouraging, -he was comparatively diffident since the adventure of Wednesday. -His reception, however, was of the most flattering kind. Miss Lucas -perceived him from an upper window as he walked towards the house, and -instantly set out to meet him accidentally in the lane. But little had -she dared to hope that so much love and eloquence awaited her there. - -In as short a time as Mr. Collins's long speeches would allow, -everything was settled between them to the satisfaction of both; and as -they entered the house he earnestly entreated her to name the day that -was to make him the happiest of men; and though such a solicitation must -be waived for the present, the lady felt no inclination to trifle with -his happiness. The stupidity with which he was favoured by nature must -guard his courtship from any charm that could make a woman wish for its -continuance; and Miss Lucas, who accepted him solely from the pure -and disinterested desire of an establishment, cared not how soon that -establishment were gained. - -Sir William and Lady Lucas were speedily applied to for their consent; -and it was bestowed with a most joyful alacrity. Mr. Collins's present -circumstances made it a most eligible match for their daughter, to whom -they could give little fortune; and his prospects of future wealth were -exceedingly fair. Lady Lucas began directly to calculate, with more -interest than the matter had ever excited before, how many years longer -Mr. Bennet was likely to live; and Sir William gave it as his decided -opinion, that whenever Mr. Collins should be in possession of the -Longbourn estate, it would be highly expedient that both he and his wife -should make their appearance at St. James's. The whole family, in short, -were properly overjoyed on the occasion. The younger girls formed hopes -of _coming out_ a year or two sooner than they might otherwise have -done; and the boys were relieved from their apprehension of Charlotte's -dying an old maid. Charlotte herself was tolerably composed. She had -gained her point, and had time to consider of it. Her reflections were -in general satisfactory. Mr. Collins, to be sure, was neither sensible -nor agreeable; his society was irksome, and his attachment to her must -be imaginary. But still he would be her husband. Without thinking highly -either of men or matrimony, marriage had always been her object; it was -the only provision for well-educated young women of small fortune, -and however uncertain of giving happiness, must be their pleasantest -preservative from want. This preservative she had now obtained; and at -the age of twenty-seven, without having ever been handsome, she felt all -the good luck of it. The least agreeable circumstance in the business -was the surprise it must occasion to Elizabeth Bennet, whose friendship -she valued beyond that of any other person. Elizabeth would wonder, -and probably would blame her; and though her resolution was not to be -shaken, her feelings must be hurt by such a disapprobation. She resolved -to give her the information herself, and therefore charged Mr. Collins, -when he returned to Longbourn to dinner, to drop no hint of what had -passed before any of the family. A promise of secrecy was of course very -dutifully given, but it could not be kept without difficulty; for the -curiosity excited by his long absence burst forth in such very direct -questions on his return as required some ingenuity to evade, and he was -at the same time exercising great self-denial, for he was longing to -publish his prosperous love. - -As he was to begin his journey too early on the morrow to see any of the -family, the ceremony of leave-taking was performed when the ladies moved -for the night; and Mrs. Bennet, with great politeness and cordiality, -said how happy they should be to see him at Longbourn again, whenever -his engagements might allow him to visit them. - -“My dear madam,” he replied, “this invitation is particularly -gratifying, because it is what I have been hoping to receive; and -you may be very certain that I shall avail myself of it as soon as -possible.” - -They were all astonished; and Mr. Bennet, who could by no means wish for -so speedy a return, immediately said: - -“But is there not danger of Lady Catherine's disapprobation here, my -good sir? You had better neglect your relations than run the risk of -offending your patroness.” - -“My dear sir,” replied Mr. Collins, “I am particularly obliged to you -for this friendly caution, and you may depend upon my not taking so -material a step without her ladyship's concurrence.” - -“You cannot be too much upon your guard. Risk anything rather than her -displeasure; and if you find it likely to be raised by your coming to us -again, which I should think exceedingly probable, stay quietly at home, -and be satisfied that _we_ shall take no offence.” - -“Believe me, my dear sir, my gratitude is warmly excited by such -affectionate attention; and depend upon it, you will speedily receive -from me a letter of thanks for this, and for every other mark of your -regard during my stay in Hertfordshire. As for my fair cousins, though -my absence may not be long enough to render it necessary, I shall now -take the liberty of wishing them health and happiness, not excepting my -cousin Elizabeth.” - -With proper civilities the ladies then withdrew; all of them equally -surprised that he meditated a quick return. Mrs. Bennet wished to -understand by it that he thought of paying his addresses to one of her -younger girls, and Mary might have been prevailed on to accept him. -She rated his abilities much higher than any of the others; there was -a solidity in his reflections which often struck her, and though by no -means so clever as herself, she thought that if encouraged to read -and improve himself by such an example as hers, he might become a very -agreeable companion. But on the following morning, every hope of this -kind was done away. Miss Lucas called soon after breakfast, and in a -private conference with Elizabeth related the event of the day before. - -The possibility of Mr. Collins's fancying himself in love with her -friend had once occurred to Elizabeth within the last day or two; but -that Charlotte could encourage him seemed almost as far from -possibility as she could encourage him herself, and her astonishment was -consequently so great as to overcome at first the bounds of decorum, and -she could not help crying out: - -“Engaged to Mr. Collins! My dear Charlotte--impossible!” - -The steady countenance which Miss Lucas had commanded in telling her -story, gave way to a momentary confusion here on receiving so direct a -reproach; though, as it was no more than she expected, she soon regained -her composure, and calmly replied: - -“Why should you be surprised, my dear Eliza? Do you think it incredible -that Mr. Collins should be able to procure any woman's good opinion, -because he was not so happy as to succeed with you?” - -But Elizabeth had now recollected herself, and making a strong effort -for it, was able to assure with tolerable firmness that the prospect of -their relationship was highly grateful to her, and that she wished her -all imaginable happiness. - -“I see what you are feeling,” replied Charlotte. “You must be surprised, -very much surprised--so lately as Mr. Collins was wishing to marry -you. But when you have had time to think it over, I hope you will be -satisfied with what I have done. I am not romantic, you know; I never -was. I ask only a comfortable home; and considering Mr. Collins's -character, connection, and situation in life, I am convinced that my -chance of happiness with him is as fair as most people can boast on -entering the marriage state.” - -Elizabeth quietly answered “Undoubtedly;” and after an awkward pause, -they returned to the rest of the family. Charlotte did not stay much -longer, and Elizabeth was then left to reflect on what she had heard. -It was a long time before she became at all reconciled to the idea of so -unsuitable a match. The strangeness of Mr. Collins's making two offers -of marriage within three days was nothing in comparison of his being now -accepted. She had always felt that Charlotte's opinion of matrimony was -not exactly like her own, but she had not supposed it to be possible -that, when called into action, she would have sacrificed every better -feeling to worldly advantage. Charlotte the wife of Mr. Collins was a -most humiliating picture! And to the pang of a friend disgracing herself -and sunk in her esteem, was added the distressing conviction that it -was impossible for that friend to be tolerably happy in the lot she had -chosen. - - - -Chapter 23 - - -Elizabeth was sitting with her mother and sisters, reflecting on what -she had heard, and doubting whether she was authorised to mention -it, when Sir William Lucas himself appeared, sent by his daughter, to -announce her engagement to the family. With many compliments to them, -and much self-gratulation on the prospect of a connection between the -houses, he unfolded the matter--to an audience not merely wondering, but -incredulous; for Mrs. Bennet, with more perseverance than politeness, -protested he must be entirely mistaken; and Lydia, always unguarded and -often uncivil, boisterously exclaimed: - -“Good Lord! Sir William, how can you tell such a story? Do not you know -that Mr. Collins wants to marry Lizzy?” - -Nothing less than the complaisance of a courtier could have borne -without anger such treatment; but Sir William's good breeding carried -him through it all; and though he begged leave to be positive as to the -truth of his information, he listened to all their impertinence with the -most forbearing courtesy. - -Elizabeth, feeling it incumbent on her to relieve him from so unpleasant -a situation, now put herself forward to confirm his account, by -mentioning her prior knowledge of it from Charlotte herself; and -endeavoured to put a stop to the exclamations of her mother and sisters -by the earnestness of her congratulations to Sir William, in which she -was readily joined by Jane, and by making a variety of remarks on the -happiness that might be expected from the match, the excellent character -of Mr. Collins, and the convenient distance of Hunsford from London. - -Mrs. Bennet was in fact too much overpowered to say a great deal while -Sir William remained; but no sooner had he left them than her feelings -found a rapid vent. In the first place, she persisted in disbelieving -the whole of the matter; secondly, she was very sure that Mr. Collins -had been taken in; thirdly, she trusted that they would never be -happy together; and fourthly, that the match might be broken off. Two -inferences, however, were plainly deduced from the whole: one, that -Elizabeth was the real cause of the mischief; and the other that she -herself had been barbarously misused by them all; and on these two -points she principally dwelt during the rest of the day. Nothing could -console and nothing could appease her. Nor did that day wear out her -resentment. A week elapsed before she could see Elizabeth without -scolding her, a month passed away before she could speak to Sir William -or Lady Lucas without being rude, and many months were gone before she -could at all forgive their daughter. - -Mr. Bennet's emotions were much more tranquil on the occasion, and such -as he did experience he pronounced to be of a most agreeable sort; for -it gratified him, he said, to discover that Charlotte Lucas, whom he had -been used to think tolerably sensible, was as foolish as his wife, and -more foolish than his daughter! - -Jane confessed herself a little surprised at the match; but she said -less of her astonishment than of her earnest desire for their happiness; -nor could Elizabeth persuade her to consider it as improbable. Kitty -and Lydia were far from envying Miss Lucas, for Mr. Collins was only a -clergyman; and it affected them in no other way than as a piece of news -to spread at Meryton. - -Lady Lucas could not be insensible of triumph on being able to retort -on Mrs. Bennet the comfort of having a daughter well married; and she -called at Longbourn rather oftener than usual to say how happy she was, -though Mrs. Bennet's sour looks and ill-natured remarks might have been -enough to drive happiness away. - -Between Elizabeth and Charlotte there was a restraint which kept them -mutually silent on the subject; and Elizabeth felt persuaded that -no real confidence could ever subsist between them again. Her -disappointment in Charlotte made her turn with fonder regard to her -sister, of whose rectitude and delicacy she was sure her opinion could -never be shaken, and for whose happiness she grew daily more anxious, -as Bingley had now been gone a week and nothing more was heard of his -return. - -Jane had sent Caroline an early answer to her letter, and was counting -the days till she might reasonably hope to hear again. The promised -letter of thanks from Mr. Collins arrived on Tuesday, addressed to -their father, and written with all the solemnity of gratitude which a -twelvemonth's abode in the family might have prompted. After discharging -his conscience on that head, he proceeded to inform them, with many -rapturous expressions, of his happiness in having obtained the affection -of their amiable neighbour, Miss Lucas, and then explained that it was -merely with the view of enjoying her society that he had been so ready -to close with their kind wish of seeing him again at Longbourn, whither -he hoped to be able to return on Monday fortnight; for Lady Catherine, -he added, so heartily approved his marriage, that she wished it to take -place as soon as possible, which he trusted would be an unanswerable -argument with his amiable Charlotte to name an early day for making him -the happiest of men. - -Mr. Collins's return into Hertfordshire was no longer a matter of -pleasure to Mrs. Bennet. On the contrary, she was as much disposed to -complain of it as her husband. It was very strange that he should come -to Longbourn instead of to Lucas Lodge; it was also very inconvenient -and exceedingly troublesome. She hated having visitors in the house -while her health was so indifferent, and lovers were of all people the -most disagreeable. Such were the gentle murmurs of Mrs. Bennet, and -they gave way only to the greater distress of Mr. Bingley's continued -absence. - -Neither Jane nor Elizabeth were comfortable on this subject. Day after -day passed away without bringing any other tidings of him than the -report which shortly prevailed in Meryton of his coming no more to -Netherfield the whole winter; a report which highly incensed Mrs. -Bennet, and which she never failed to contradict as a most scandalous -falsehood. - -Even Elizabeth began to fear--not that Bingley was indifferent--but that -his sisters would be successful in keeping him away. Unwilling as -she was to admit an idea so destructive of Jane's happiness, and so -dishonorable to the stability of her lover, she could not prevent its -frequently occurring. The united efforts of his two unfeeling sisters -and of his overpowering friend, assisted by the attractions of Miss -Darcy and the amusements of London might be too much, she feared, for -the strength of his attachment. - -As for Jane, _her_ anxiety under this suspense was, of course, more -painful than Elizabeth's, but whatever she felt she was desirous of -concealing, and between herself and Elizabeth, therefore, the subject -was never alluded to. But as no such delicacy restrained her mother, -an hour seldom passed in which she did not talk of Bingley, express her -impatience for his arrival, or even require Jane to confess that if he -did not come back she would think herself very ill used. It needed -all Jane's steady mildness to bear these attacks with tolerable -tranquillity. - -Mr. Collins returned most punctually on Monday fortnight, but his -reception at Longbourn was not quite so gracious as it had been on his -first introduction. He was too happy, however, to need much attention; -and luckily for the others, the business of love-making relieved them -from a great deal of his company. The chief of every day was spent by -him at Lucas Lodge, and he sometimes returned to Longbourn only in time -to make an apology for his absence before the family went to bed. - -Mrs. Bennet was really in a most pitiable state. The very mention of -anything concerning the match threw her into an agony of ill-humour, -and wherever she went she was sure of hearing it talked of. The sight -of Miss Lucas was odious to her. As her successor in that house, she -regarded her with jealous abhorrence. Whenever Charlotte came to see -them, she concluded her to be anticipating the hour of possession; and -whenever she spoke in a low voice to Mr. Collins, was convinced that -they were talking of the Longbourn estate, and resolving to turn herself -and her daughters out of the house, as soon as Mr. Bennet were dead. She -complained bitterly of all this to her husband. - -“Indeed, Mr. Bennet,” said she, “it is very hard to think that Charlotte -Lucas should ever be mistress of this house, that I should be forced to -make way for _her_, and live to see her take her place in it!” - -“My dear, do not give way to such gloomy thoughts. Let us hope for -better things. Let us flatter ourselves that I may be the survivor.” - -This was not very consoling to Mrs. Bennet, and therefore, instead of -making any answer, she went on as before. - -“I cannot bear to think that they should have all this estate. If it was -not for the entail, I should not mind it.” - -“What should not you mind?” - -“I should not mind anything at all.” - -“Let us be thankful that you are preserved from a state of such -insensibility.” - -“I never can be thankful, Mr. Bennet, for anything about the entail. How -anyone could have the conscience to entail away an estate from one's own -daughters, I cannot understand; and all for the sake of Mr. Collins too! -Why should _he_ have it more than anybody else?” - -“I leave it to yourself to determine,” said Mr. Bennet. - - - -Chapter 24 - - -Miss Bingley's letter arrived, and put an end to doubt. The very first -sentence conveyed the assurance of their being all settled in London for -the winter, and concluded with her brother's regret at not having had -time to pay his respects to his friends in Hertfordshire before he left -the country. - -Hope was over, entirely over; and when Jane could attend to the rest -of the letter, she found little, except the professed affection of the -writer, that could give her any comfort. Miss Darcy's praise occupied -the chief of it. Her many attractions were again dwelt on, and Caroline -boasted joyfully of their increasing intimacy, and ventured to predict -the accomplishment of the wishes which had been unfolded in her former -letter. She wrote also with great pleasure of her brother's being an -inmate of Mr. Darcy's house, and mentioned with raptures some plans of -the latter with regard to new furniture. - -Elizabeth, to whom Jane very soon communicated the chief of all this, -heard it in silent indignation. Her heart was divided between concern -for her sister, and resentment against all others. To Caroline's -assertion of her brother's being partial to Miss Darcy she paid no -credit. That he was really fond of Jane, she doubted no more than she -had ever done; and much as she had always been disposed to like him, she -could not think without anger, hardly without contempt, on that easiness -of temper, that want of proper resolution, which now made him the slave -of his designing friends, and led him to sacrifice of his own happiness -to the caprice of their inclination. Had his own happiness, however, -been the only sacrifice, he might have been allowed to sport with it in -whatever manner he thought best, but her sister's was involved in it, as -she thought he must be sensible himself. It was a subject, in short, -on which reflection would be long indulged, and must be unavailing. She -could think of nothing else; and yet whether Bingley's regard had really -died away, or were suppressed by his friends' interference; whether -he had been aware of Jane's attachment, or whether it had escaped his -observation; whatever were the case, though her opinion of him must be -materially affected by the difference, her sister's situation remained -the same, her peace equally wounded. - -A day or two passed before Jane had courage to speak of her feelings to -Elizabeth; but at last, on Mrs. Bennet's leaving them together, after a -longer irritation than usual about Netherfield and its master, she could -not help saying: - -“Oh, that my dear mother had more command over herself! She can have no -idea of the pain she gives me by her continual reflections on him. But -I will not repine. It cannot last long. He will be forgot, and we shall -all be as we were before.” - -Elizabeth looked at her sister with incredulous solicitude, but said -nothing. - -“You doubt me,” cried Jane, slightly colouring; “indeed, you have -no reason. He may live in my memory as the most amiable man of my -acquaintance, but that is all. I have nothing either to hope or fear, -and nothing to reproach him with. Thank God! I have not _that_ pain. A -little time, therefore--I shall certainly try to get the better.” - -With a stronger voice she soon added, “I have this comfort immediately, -that it has not been more than an error of fancy on my side, and that it -has done no harm to anyone but myself.” - -“My dear Jane!” exclaimed Elizabeth, “you are too good. Your sweetness -and disinterestedness are really angelic; I do not know what to say -to you. I feel as if I had never done you justice, or loved you as you -deserve.” - -Miss Bennet eagerly disclaimed all extraordinary merit, and threw back -the praise on her sister's warm affection. - -“Nay,” said Elizabeth, “this is not fair. _You_ wish to think all the -world respectable, and are hurt if I speak ill of anybody. I only want -to think _you_ perfect, and you set yourself against it. Do not -be afraid of my running into any excess, of my encroaching on your -privilege of universal good-will. You need not. There are few people -whom I really love, and still fewer of whom I think well. The more I see -of the world, the more am I dissatisfied with it; and every day confirms -my belief of the inconsistency of all human characters, and of the -little dependence that can be placed on the appearance of merit or -sense. I have met with two instances lately, one I will not mention; the -other is Charlotte's marriage. It is unaccountable! In every view it is -unaccountable!” - -“My dear Lizzy, do not give way to such feelings as these. They will -ruin your happiness. You do not make allowance enough for difference -of situation and temper. Consider Mr. Collins's respectability, and -Charlotte's steady, prudent character. Remember that she is one of a -large family; that as to fortune, it is a most eligible match; and be -ready to believe, for everybody's sake, that she may feel something like -regard and esteem for our cousin.” - -“To oblige you, I would try to believe almost anything, but no one else -could be benefited by such a belief as this; for were I persuaded that -Charlotte had any regard for him, I should only think worse of her -understanding than I now do of her heart. My dear Jane, Mr. Collins is a -conceited, pompous, narrow-minded, silly man; you know he is, as well as -I do; and you must feel, as well as I do, that the woman who married him -cannot have a proper way of thinking. You shall not defend her, though -it is Charlotte Lucas. You shall not, for the sake of one individual, -change the meaning of principle and integrity, nor endeavour to persuade -yourself or me, that selfishness is prudence, and insensibility of -danger security for happiness.” - -“I must think your language too strong in speaking of both,” replied -Jane; “and I hope you will be convinced of it by seeing them happy -together. But enough of this. You alluded to something else. You -mentioned _two_ instances. I cannot misunderstand you, but I entreat -you, dear Lizzy, not to pain me by thinking _that person_ to blame, and -saying your opinion of him is sunk. We must not be so ready to fancy -ourselves intentionally injured. We must not expect a lively young man -to be always so guarded and circumspect. It is very often nothing but -our own vanity that deceives us. Women fancy admiration means more than -it does.” - -“And men take care that they should.” - -“If it is designedly done, they cannot be justified; but I have no idea -of there being so much design in the world as some persons imagine.” - -“I am far from attributing any part of Mr. Bingley's conduct to design,” - said Elizabeth; “but without scheming to do wrong, or to make others -unhappy, there may be error, and there may be misery. Thoughtlessness, -want of attention to other people's feelings, and want of resolution, -will do the business.” - -“And do you impute it to either of those?” - -“Yes; to the last. But if I go on, I shall displease you by saying what -I think of persons you esteem. Stop me whilst you can.” - -“You persist, then, in supposing his sisters influence him?” - -“Yes, in conjunction with his friend.” - -“I cannot believe it. Why should they try to influence him? They can -only wish his happiness; and if he is attached to me, no other woman can -secure it.” - -“Your first position is false. They may wish many things besides his -happiness; they may wish his increase of wealth and consequence; they -may wish him to marry a girl who has all the importance of money, great -connections, and pride.” - -“Beyond a doubt, they _do_ wish him to choose Miss Darcy,” replied Jane; -“but this may be from better feelings than you are supposing. They have -known her much longer than they have known me; no wonder if they love -her better. But, whatever may be their own wishes, it is very unlikely -they should have opposed their brother's. What sister would think -herself at liberty to do it, unless there were something very -objectionable? If they believed him attached to me, they would not try -to part us; if he were so, they could not succeed. By supposing such an -affection, you make everybody acting unnaturally and wrong, and me most -unhappy. Do not distress me by the idea. I am not ashamed of having been -mistaken--or, at least, it is light, it is nothing in comparison of what -I should feel in thinking ill of him or his sisters. Let me take it in -the best light, in the light in which it may be understood.” - -Elizabeth could not oppose such a wish; and from this time Mr. Bingley's -name was scarcely ever mentioned between them. - -Mrs. Bennet still continued to wonder and repine at his returning no -more, and though a day seldom passed in which Elizabeth did not account -for it clearly, there was little chance of her ever considering it with -less perplexity. Her daughter endeavoured to convince her of what she -did not believe herself, that his attentions to Jane had been merely the -effect of a common and transient liking, which ceased when he saw her -no more; but though the probability of the statement was admitted at -the time, she had the same story to repeat every day. Mrs. Bennet's best -comfort was that Mr. Bingley must be down again in the summer. - -Mr. Bennet treated the matter differently. “So, Lizzy,” said he one day, -“your sister is crossed in love, I find. I congratulate her. Next to -being married, a girl likes to be crossed a little in love now and then. -It is something to think of, and it gives her a sort of distinction -among her companions. When is your turn to come? You will hardly bear to -be long outdone by Jane. Now is your time. Here are officers enough in -Meryton to disappoint all the young ladies in the country. Let Wickham -be _your_ man. He is a pleasant fellow, and would jilt you creditably.” - -“Thank you, sir, but a less agreeable man would satisfy me. We must not -all expect Jane's good fortune.” - -“True,” said Mr. Bennet, “but it is a comfort to think that whatever of -that kind may befall you, you have an affectionate mother who will make -the most of it.” - -Mr. Wickham's society was of material service in dispelling the gloom -which the late perverse occurrences had thrown on many of the Longbourn -family. They saw him often, and to his other recommendations was now -added that of general unreserve. The whole of what Elizabeth had already -heard, his claims on Mr. Darcy, and all that he had suffered from him, -was now openly acknowledged and publicly canvassed; and everybody was -pleased to know how much they had always disliked Mr. Darcy before they -had known anything of the matter. - -Miss Bennet was the only creature who could suppose there might be -any extenuating circumstances in the case, unknown to the society -of Hertfordshire; her mild and steady candour always pleaded for -allowances, and urged the possibility of mistakes--but by everybody else -Mr. Darcy was condemned as the worst of men. - - - -Chapter 25 - - -After a week spent in professions of love and schemes of felicity, -Mr. Collins was called from his amiable Charlotte by the arrival of -Saturday. The pain of separation, however, might be alleviated on his -side, by preparations for the reception of his bride; as he had reason -to hope, that shortly after his return into Hertfordshire, the day would -be fixed that was to make him the happiest of men. He took leave of his -relations at Longbourn with as much solemnity as before; wished his fair -cousins health and happiness again, and promised their father another -letter of thanks. - -On the following Monday, Mrs. Bennet had the pleasure of receiving -her brother and his wife, who came as usual to spend the Christmas -at Longbourn. Mr. Gardiner was a sensible, gentlemanlike man, greatly -superior to his sister, as well by nature as education. The Netherfield -ladies would have had difficulty in believing that a man who lived -by trade, and within view of his own warehouses, could have been so -well-bred and agreeable. Mrs. Gardiner, who was several years younger -than Mrs. Bennet and Mrs. Phillips, was an amiable, intelligent, elegant -woman, and a great favourite with all her Longbourn nieces. Between the -two eldest and herself especially, there subsisted a particular regard. -They had frequently been staying with her in town. - -The first part of Mrs. Gardiner's business on her arrival was to -distribute her presents and describe the newest fashions. When this was -done she had a less active part to play. It became her turn to listen. -Mrs. Bennet had many grievances to relate, and much to complain of. They -had all been very ill-used since she last saw her sister. Two of her -girls had been upon the point of marriage, and after all there was -nothing in it. - -“I do not blame Jane,” she continued, “for Jane would have got Mr. -Bingley if she could. But Lizzy! Oh, sister! It is very hard to think -that she might have been Mr. Collins's wife by this time, had it not -been for her own perverseness. He made her an offer in this very room, -and she refused him. The consequence of it is, that Lady Lucas will have -a daughter married before I have, and that the Longbourn estate is just -as much entailed as ever. The Lucases are very artful people indeed, -sister. They are all for what they can get. I am sorry to say it of -them, but so it is. It makes me very nervous and poorly, to be thwarted -so in my own family, and to have neighbours who think of themselves -before anybody else. However, your coming just at this time is the -greatest of comforts, and I am very glad to hear what you tell us, of -long sleeves.” - -Mrs. Gardiner, to whom the chief of this news had been given before, -in the course of Jane and Elizabeth's correspondence with her, made her -sister a slight answer, and, in compassion to her nieces, turned the -conversation. - -When alone with Elizabeth afterwards, she spoke more on the subject. “It -seems likely to have been a desirable match for Jane,” said she. “I am -sorry it went off. But these things happen so often! A young man, such -as you describe Mr. Bingley, so easily falls in love with a pretty girl -for a few weeks, and when accident separates them, so easily forgets -her, that these sort of inconsistencies are very frequent.” - -“An excellent consolation in its way,” said Elizabeth, “but it will not -do for _us_. We do not suffer by _accident_. It does not often -happen that the interference of friends will persuade a young man of -independent fortune to think no more of a girl whom he was violently in -love with only a few days before.” - -“But that expression of 'violently in love' is so hackneyed, so -doubtful, so indefinite, that it gives me very little idea. It is as -often applied to feelings which arise from a half-hour's acquaintance, -as to a real, strong attachment. Pray, how _violent was_ Mr. Bingley's -love?” - -“I never saw a more promising inclination; he was growing quite -inattentive to other people, and wholly engrossed by her. Every time -they met, it was more decided and remarkable. At his own ball he -offended two or three young ladies, by not asking them to dance; and I -spoke to him twice myself, without receiving an answer. Could there be -finer symptoms? Is not general incivility the very essence of love?” - -“Oh, yes!--of that kind of love which I suppose him to have felt. Poor -Jane! I am sorry for her, because, with her disposition, she may not get -over it immediately. It had better have happened to _you_, Lizzy; you -would have laughed yourself out of it sooner. But do you think she -would be prevailed upon to go back with us? Change of scene might be -of service--and perhaps a little relief from home may be as useful as -anything.” - -Elizabeth was exceedingly pleased with this proposal, and felt persuaded -of her sister's ready acquiescence. - -“I hope,” added Mrs. Gardiner, “that no consideration with regard to -this young man will influence her. We live in so different a part of -town, all our connections are so different, and, as you well know, we go -out so little, that it is very improbable that they should meet at all, -unless he really comes to see her.” - -“And _that_ is quite impossible; for he is now in the custody of his -friend, and Mr. Darcy would no more suffer him to call on Jane in such -a part of London! My dear aunt, how could you think of it? Mr. Darcy may -perhaps have _heard_ of such a place as Gracechurch Street, but he -would hardly think a month's ablution enough to cleanse him from its -impurities, were he once to enter it; and depend upon it, Mr. Bingley -never stirs without him.” - -“So much the better. I hope they will not meet at all. But does not Jane -correspond with his sister? _She_ will not be able to help calling.” - -“She will drop the acquaintance entirely.” - -But in spite of the certainty in which Elizabeth affected to place this -point, as well as the still more interesting one of Bingley's being -withheld from seeing Jane, she felt a solicitude on the subject which -convinced her, on examination, that she did not consider it entirely -hopeless. It was possible, and sometimes she thought it probable, that -his affection might be reanimated, and the influence of his friends -successfully combated by the more natural influence of Jane's -attractions. - -Miss Bennet accepted her aunt's invitation with pleasure; and the -Bingleys were no otherwise in her thoughts at the same time, than as she -hoped by Caroline's not living in the same house with her brother, -she might occasionally spend a morning with her, without any danger of -seeing him. - -The Gardiners stayed a week at Longbourn; and what with the Phillipses, -the Lucases, and the officers, there was not a day without its -engagement. Mrs. Bennet had so carefully provided for the entertainment -of her brother and sister, that they did not once sit down to a family -dinner. When the engagement was for home, some of the officers always -made part of it--of which officers Mr. Wickham was sure to be one; and -on these occasions, Mrs. Gardiner, rendered suspicious by Elizabeth's -warm commendation, narrowly observed them both. Without supposing them, -from what she saw, to be very seriously in love, their preference -of each other was plain enough to make her a little uneasy; and -she resolved to speak to Elizabeth on the subject before she left -Hertfordshire, and represent to her the imprudence of encouraging such -an attachment. - -To Mrs. Gardiner, Wickham had one means of affording pleasure, -unconnected with his general powers. About ten or a dozen years ago, -before her marriage, she had spent a considerable time in that very -part of Derbyshire to which he belonged. They had, therefore, many -acquaintances in common; and though Wickham had been little there since -the death of Darcy's father, it was yet in his power to give her fresher -intelligence of her former friends than she had been in the way of -procuring. - -Mrs. Gardiner had seen Pemberley, and known the late Mr. Darcy by -character perfectly well. Here consequently was an inexhaustible subject -of discourse. In comparing her recollection of Pemberley with the minute -description which Wickham could give, and in bestowing her tribute of -praise on the character of its late possessor, she was delighting both -him and herself. On being made acquainted with the present Mr. Darcy's -treatment of him, she tried to remember some of that gentleman's -reputed disposition when quite a lad which might agree with it, and -was confident at last that she recollected having heard Mr. Fitzwilliam -Darcy formerly spoken of as a very proud, ill-natured boy. - - - -Chapter 26 - - -Mrs. Gardiner's caution to Elizabeth was punctually and kindly given -on the first favourable opportunity of speaking to her alone; after -honestly telling her what she thought, she thus went on: - -“You are too sensible a girl, Lizzy, to fall in love merely because -you are warned against it; and, therefore, I am not afraid of speaking -openly. Seriously, I would have you be on your guard. Do not involve -yourself or endeavour to involve him in an affection which the want -of fortune would make so very imprudent. I have nothing to say against -_him_; he is a most interesting young man; and if he had the fortune he -ought to have, I should think you could not do better. But as it is, you -must not let your fancy run away with you. You have sense, and we all -expect you to use it. Your father would depend on _your_ resolution and -good conduct, I am sure. You must not disappoint your father.” - -“My dear aunt, this is being serious indeed.” - -“Yes, and I hope to engage you to be serious likewise.” - -“Well, then, you need not be under any alarm. I will take care of -myself, and of Mr. Wickham too. He shall not be in love with me, if I -can prevent it.” - -“Elizabeth, you are not serious now.” - -“I beg your pardon, I will try again. At present I am not in love with -Mr. Wickham; no, I certainly am not. But he is, beyond all comparison, -the most agreeable man I ever saw--and if he becomes really attached to -me--I believe it will be better that he should not. I see the imprudence -of it. Oh! _that_ abominable Mr. Darcy! My father's opinion of me does -me the greatest honour, and I should be miserable to forfeit it. My -father, however, is partial to Mr. Wickham. In short, my dear aunt, I -should be very sorry to be the means of making any of you unhappy; but -since we see every day that where there is affection, young people -are seldom withheld by immediate want of fortune from entering into -engagements with each other, how can I promise to be wiser than so many -of my fellow-creatures if I am tempted, or how am I even to know that it -would be wisdom to resist? All that I can promise you, therefore, is not -to be in a hurry. I will not be in a hurry to believe myself his first -object. When I am in company with him, I will not be wishing. In short, -I will do my best.” - -“Perhaps it will be as well if you discourage his coming here so very -often. At least, you should not _remind_ your mother of inviting him.” - -“As I did the other day,” said Elizabeth with a conscious smile: “very -true, it will be wise in me to refrain from _that_. But do not imagine -that he is always here so often. It is on your account that he has been -so frequently invited this week. You know my mother's ideas as to the -necessity of constant company for her friends. But really, and upon my -honour, I will try to do what I think to be the wisest; and now I hope -you are satisfied.” - -Her aunt assured her that she was, and Elizabeth having thanked her for -the kindness of her hints, they parted; a wonderful instance of advice -being given on such a point, without being resented. - -Mr. Collins returned into Hertfordshire soon after it had been quitted -by the Gardiners and Jane; but as he took up his abode with the Lucases, -his arrival was no great inconvenience to Mrs. Bennet. His marriage was -now fast approaching, and she was at length so far resigned as to think -it inevitable, and even repeatedly to say, in an ill-natured tone, that -she “_wished_ they might be happy.” Thursday was to be the wedding day, -and on Wednesday Miss Lucas paid her farewell visit; and when she -rose to take leave, Elizabeth, ashamed of her mother's ungracious and -reluctant good wishes, and sincerely affected herself, accompanied her -out of the room. As they went downstairs together, Charlotte said: - -“I shall depend on hearing from you very often, Eliza.” - -“_That_ you certainly shall.” - -“And I have another favour to ask you. Will you come and see me?” - -“We shall often meet, I hope, in Hertfordshire.” - -“I am not likely to leave Kent for some time. Promise me, therefore, to -come to Hunsford.” - -Elizabeth could not refuse, though she foresaw little pleasure in the -visit. - -“My father and Maria are coming to me in March,” added Charlotte, “and I -hope you will consent to be of the party. Indeed, Eliza, you will be as -welcome as either of them.” - -The wedding took place; the bride and bridegroom set off for Kent from -the church door, and everybody had as much to say, or to hear, on -the subject as usual. Elizabeth soon heard from her friend; and their -correspondence was as regular and frequent as it had ever been; that -it should be equally unreserved was impossible. Elizabeth could never -address her without feeling that all the comfort of intimacy was over, -and though determined not to slacken as a correspondent, it was for the -sake of what had been, rather than what was. Charlotte's first letters -were received with a good deal of eagerness; there could not but be -curiosity to know how she would speak of her new home, how she would -like Lady Catherine, and how happy she would dare pronounce herself to -be; though, when the letters were read, Elizabeth felt that Charlotte -expressed herself on every point exactly as she might have foreseen. She -wrote cheerfully, seemed surrounded with comforts, and mentioned nothing -which she could not praise. The house, furniture, neighbourhood, and -roads, were all to her taste, and Lady Catherine's behaviour was most -friendly and obliging. It was Mr. Collins's picture of Hunsford and -Rosings rationally softened; and Elizabeth perceived that she must wait -for her own visit there to know the rest. - -Jane had already written a few lines to her sister to announce their -safe arrival in London; and when she wrote again, Elizabeth hoped it -would be in her power to say something of the Bingleys. - -Her impatience for this second letter was as well rewarded as impatience -generally is. Jane had been a week in town without either seeing or -hearing from Caroline. She accounted for it, however, by supposing that -her last letter to her friend from Longbourn had by some accident been -lost. - -“My aunt,” she continued, “is going to-morrow into that part of the -town, and I shall take the opportunity of calling in Grosvenor Street.” - -She wrote again when the visit was paid, and she had seen Miss Bingley. -“I did not think Caroline in spirits,” were her words, “but she was very -glad to see me, and reproached me for giving her no notice of my coming -to London. I was right, therefore, my last letter had never reached -her. I inquired after their brother, of course. He was well, but so much -engaged with Mr. Darcy that they scarcely ever saw him. I found that -Miss Darcy was expected to dinner. I wish I could see her. My visit was -not long, as Caroline and Mrs. Hurst were going out. I dare say I shall -see them soon here.” - -Elizabeth shook her head over this letter. It convinced her that -accident only could discover to Mr. Bingley her sister's being in town. - -Four weeks passed away, and Jane saw nothing of him. She endeavoured to -persuade herself that she did not regret it; but she could no longer be -blind to Miss Bingley's inattention. After waiting at home every morning -for a fortnight, and inventing every evening a fresh excuse for her, the -visitor did at last appear; but the shortness of her stay, and yet more, -the alteration of her manner would allow Jane to deceive herself no -longer. The letter which she wrote on this occasion to her sister will -prove what she felt. - -“My dearest Lizzy will, I am sure, be incapable of triumphing in her -better judgement, at my expense, when I confess myself to have been -entirely deceived in Miss Bingley's regard for me. But, my dear sister, -though the event has proved you right, do not think me obstinate if I -still assert that, considering what her behaviour was, my confidence was -as natural as your suspicion. I do not at all comprehend her reason for -wishing to be intimate with me; but if the same circumstances were to -happen again, I am sure I should be deceived again. Caroline did not -return my visit till yesterday; and not a note, not a line, did I -receive in the meantime. When she did come, it was very evident that -she had no pleasure in it; she made a slight, formal apology, for not -calling before, said not a word of wishing to see me again, and was -in every respect so altered a creature, that when she went away I was -perfectly resolved to continue the acquaintance no longer. I pity, -though I cannot help blaming her. She was very wrong in singling me out -as she did; I can safely say that every advance to intimacy began on -her side. But I pity her, because she must feel that she has been acting -wrong, and because I am very sure that anxiety for her brother is the -cause of it. I need not explain myself farther; and though _we_ know -this anxiety to be quite needless, yet if she feels it, it will easily -account for her behaviour to me; and so deservedly dear as he is to -his sister, whatever anxiety she must feel on his behalf is natural and -amiable. I cannot but wonder, however, at her having any such fears now, -because, if he had at all cared about me, we must have met, long ago. -He knows of my being in town, I am certain, from something she said -herself; and yet it would seem, by her manner of talking, as if she -wanted to persuade herself that he is really partial to Miss Darcy. I -cannot understand it. If I were not afraid of judging harshly, I should -be almost tempted to say that there is a strong appearance of duplicity -in all this. But I will endeavour to banish every painful thought, -and think only of what will make me happy--your affection, and the -invariable kindness of my dear uncle and aunt. Let me hear from you very -soon. Miss Bingley said something of his never returning to Netherfield -again, of giving up the house, but not with any certainty. We had better -not mention it. I am extremely glad that you have such pleasant accounts -from our friends at Hunsford. Pray go to see them, with Sir William and -Maria. I am sure you will be very comfortable there.--Yours, etc.” - -This letter gave Elizabeth some pain; but her spirits returned as she -considered that Jane would no longer be duped, by the sister at least. -All expectation from the brother was now absolutely over. She would not -even wish for a renewal of his attentions. His character sunk on -every review of it; and as a punishment for him, as well as a possible -advantage to Jane, she seriously hoped he might really soon marry Mr. -Darcy's sister, as by Wickham's account, she would make him abundantly -regret what he had thrown away. - -Mrs. Gardiner about this time reminded Elizabeth of her promise -concerning that gentleman, and required information; and Elizabeth -had such to send as might rather give contentment to her aunt than to -herself. His apparent partiality had subsided, his attentions were over, -he was the admirer of some one else. Elizabeth was watchful enough to -see it all, but she could see it and write of it without material pain. -Her heart had been but slightly touched, and her vanity was satisfied -with believing that _she_ would have been his only choice, had fortune -permitted it. The sudden acquisition of ten thousand pounds was the most -remarkable charm of the young lady to whom he was now rendering himself -agreeable; but Elizabeth, less clear-sighted perhaps in this case than -in Charlotte's, did not quarrel with him for his wish of independence. -Nothing, on the contrary, could be more natural; and while able to -suppose that it cost him a few struggles to relinquish her, she was -ready to allow it a wise and desirable measure for both, and could very -sincerely wish him happy. - -All this was acknowledged to Mrs. Gardiner; and after relating the -circumstances, she thus went on: “I am now convinced, my dear aunt, that -I have never been much in love; for had I really experienced that pure -and elevating passion, I should at present detest his very name, and -wish him all manner of evil. But my feelings are not only cordial -towards _him_; they are even impartial towards Miss King. I cannot find -out that I hate her at all, or that I am in the least unwilling to -think her a very good sort of girl. There can be no love in all this. My -watchfulness has been effectual; and though I certainly should be a more -interesting object to all my acquaintances were I distractedly in love -with him, I cannot say that I regret my comparative insignificance. -Importance may sometimes be purchased too dearly. Kitty and Lydia take -his defection much more to heart than I do. They are young in the -ways of the world, and not yet open to the mortifying conviction that -handsome young men must have something to live on as well as the plain.” - - - -Chapter 27 - - -With no greater events than these in the Longbourn family, and otherwise -diversified by little beyond the walks to Meryton, sometimes dirty and -sometimes cold, did January and February pass away. March was to take -Elizabeth to Hunsford. She had not at first thought very seriously of -going thither; but Charlotte, she soon found, was depending on the plan -and she gradually learned to consider it herself with greater pleasure -as well as greater certainty. Absence had increased her desire of seeing -Charlotte again, and weakened her disgust of Mr. Collins. There -was novelty in the scheme, and as, with such a mother and such -uncompanionable sisters, home could not be faultless, a little change -was not unwelcome for its own sake. The journey would moreover give her -a peep at Jane; and, in short, as the time drew near, she would have -been very sorry for any delay. Everything, however, went on smoothly, -and was finally settled according to Charlotte's first sketch. She was -to accompany Sir William and his second daughter. The improvement -of spending a night in London was added in time, and the plan became -perfect as plan could be. - -The only pain was in leaving her father, who would certainly miss her, -and who, when it came to the point, so little liked her going, that he -told her to write to him, and almost promised to answer her letter. - -The farewell between herself and Mr. Wickham was perfectly friendly; on -his side even more. His present pursuit could not make him forget that -Elizabeth had been the first to excite and to deserve his attention, the -first to listen and to pity, the first to be admired; and in his manner -of bidding her adieu, wishing her every enjoyment, reminding her of -what she was to expect in Lady Catherine de Bourgh, and trusting their -opinion of her--their opinion of everybody--would always coincide, there -was a solicitude, an interest which she felt must ever attach her to -him with a most sincere regard; and she parted from him convinced that, -whether married or single, he must always be her model of the amiable -and pleasing. - -Her fellow-travellers the next day were not of a kind to make her -think him less agreeable. Sir William Lucas, and his daughter Maria, a -good-humoured girl, but as empty-headed as himself, had nothing to say -that could be worth hearing, and were listened to with about as much -delight as the rattle of the chaise. Elizabeth loved absurdities, but -she had known Sir William's too long. He could tell her nothing new of -the wonders of his presentation and knighthood; and his civilities were -worn out, like his information. - -It was a journey of only twenty-four miles, and they began it so early -as to be in Gracechurch Street by noon. As they drove to Mr. Gardiner's -door, Jane was at a drawing-room window watching their arrival; when -they entered the passage she was there to welcome them, and Elizabeth, -looking earnestly in her face, was pleased to see it healthful and -lovely as ever. On the stairs were a troop of little boys and girls, -whose eagerness for their cousin's appearance would not allow them to -wait in the drawing-room, and whose shyness, as they had not seen -her for a twelvemonth, prevented their coming lower. All was joy and -kindness. The day passed most pleasantly away; the morning in bustle and -shopping, and the evening at one of the theatres. - -Elizabeth then contrived to sit by her aunt. Their first object was her -sister; and she was more grieved than astonished to hear, in reply to -her minute inquiries, that though Jane always struggled to support her -spirits, there were periods of dejection. It was reasonable, however, -to hope that they would not continue long. Mrs. Gardiner gave her the -particulars also of Miss Bingley's visit in Gracechurch Street, and -repeated conversations occurring at different times between Jane and -herself, which proved that the former had, from her heart, given up the -acquaintance. - -Mrs. Gardiner then rallied her niece on Wickham's desertion, and -complimented her on bearing it so well. - -“But my dear Elizabeth,” she added, “what sort of girl is Miss King? I -should be sorry to think our friend mercenary.” - -“Pray, my dear aunt, what is the difference in matrimonial affairs, -between the mercenary and the prudent motive? Where does discretion end, -and avarice begin? Last Christmas you were afraid of his marrying me, -because it would be imprudent; and now, because he is trying to get -a girl with only ten thousand pounds, you want to find out that he is -mercenary.” - -“If you will only tell me what sort of girl Miss King is, I shall know -what to think.” - -“She is a very good kind of girl, I believe. I know no harm of her.” - -“But he paid her not the smallest attention till her grandfather's death -made her mistress of this fortune.” - -“No--why should he? If it were not allowable for him to gain _my_ -affections because I had no money, what occasion could there be for -making love to a girl whom he did not care about, and who was equally -poor?” - -“But there seems an indelicacy in directing his attentions towards her -so soon after this event.” - -“A man in distressed circumstances has not time for all those elegant -decorums which other people may observe. If _she_ does not object to it, -why should _we_?” - -“_Her_ not objecting does not justify _him_. It only shows her being -deficient in something herself--sense or feeling.” - -“Well,” cried Elizabeth, “have it as you choose. _He_ shall be -mercenary, and _she_ shall be foolish.” - -“No, Lizzy, that is what I do _not_ choose. I should be sorry, you know, -to think ill of a young man who has lived so long in Derbyshire.” - -“Oh! if that is all, I have a very poor opinion of young men who live in -Derbyshire; and their intimate friends who live in Hertfordshire are not -much better. I am sick of them all. Thank Heaven! I am going to-morrow -where I shall find a man who has not one agreeable quality, who has -neither manner nor sense to recommend him. Stupid men are the only ones -worth knowing, after all.” - -“Take care, Lizzy; that speech savours strongly of disappointment.” - -Before they were separated by the conclusion of the play, she had the -unexpected happiness of an invitation to accompany her uncle and aunt in -a tour of pleasure which they proposed taking in the summer. - -“We have not determined how far it shall carry us,” said Mrs. Gardiner, -“but, perhaps, to the Lakes.” - -No scheme could have been more agreeable to Elizabeth, and her -acceptance of the invitation was most ready and grateful. “Oh, my dear, -dear aunt,” she rapturously cried, “what delight! what felicity! You -give me fresh life and vigour. Adieu to disappointment and spleen. What -are young men to rocks and mountains? Oh! what hours of transport -we shall spend! And when we _do_ return, it shall not be like other -travellers, without being able to give one accurate idea of anything. We -_will_ know where we have gone--we _will_ recollect what we have seen. -Lakes, mountains, and rivers shall not be jumbled together in our -imaginations; nor when we attempt to describe any particular scene, -will we begin quarreling about its relative situation. Let _our_ -first effusions be less insupportable than those of the generality of -travellers.” - - - -Chapter 28 - - -Every object in the next day's journey was new and interesting to -Elizabeth; and her spirits were in a state of enjoyment; for she had -seen her sister looking so well as to banish all fear for her health, -and the prospect of her northern tour was a constant source of delight. - -When they left the high road for the lane to Hunsford, every eye was in -search of the Parsonage, and every turning expected to bring it in view. -The palings of Rosings Park was their boundary on one side. Elizabeth -smiled at the recollection of all that she had heard of its inhabitants. - -At length the Parsonage was discernible. The garden sloping to the -road, the house standing in it, the green pales, and the laurel hedge, -everything declared they were arriving. Mr. Collins and Charlotte -appeared at the door, and the carriage stopped at the small gate which -led by a short gravel walk to the house, amidst the nods and smiles of -the whole party. In a moment they were all out of the chaise, rejoicing -at the sight of each other. Mrs. Collins welcomed her friend with the -liveliest pleasure, and Elizabeth was more and more satisfied with -coming when she found herself so affectionately received. She saw -instantly that her cousin's manners were not altered by his marriage; -his formal civility was just what it had been, and he detained her some -minutes at the gate to hear and satisfy his inquiries after all her -family. They were then, with no other delay than his pointing out the -neatness of the entrance, taken into the house; and as soon as they -were in the parlour, he welcomed them a second time, with ostentatious -formality to his humble abode, and punctually repeated all his wife's -offers of refreshment. - -Elizabeth was prepared to see him in his glory; and she could not help -in fancying that in displaying the good proportion of the room, its -aspect and its furniture, he addressed himself particularly to her, -as if wishing to make her feel what she had lost in refusing him. But -though everything seemed neat and comfortable, she was not able to -gratify him by any sigh of repentance, and rather looked with wonder at -her friend that she could have so cheerful an air with such a companion. -When Mr. Collins said anything of which his wife might reasonably be -ashamed, which certainly was not unseldom, she involuntarily turned her -eye on Charlotte. Once or twice she could discern a faint blush; but -in general Charlotte wisely did not hear. After sitting long enough to -admire every article of furniture in the room, from the sideboard to -the fender, to give an account of their journey, and of all that had -happened in London, Mr. Collins invited them to take a stroll in the -garden, which was large and well laid out, and to the cultivation of -which he attended himself. To work in this garden was one of his most -respectable pleasures; and Elizabeth admired the command of countenance -with which Charlotte talked of the healthfulness of the exercise, and -owned she encouraged it as much as possible. Here, leading the way -through every walk and cross walk, and scarcely allowing them an -interval to utter the praises he asked for, every view was pointed out -with a minuteness which left beauty entirely behind. He could number the -fields in every direction, and could tell how many trees there were in -the most distant clump. But of all the views which his garden, or which -the country or kingdom could boast, none were to be compared with the -prospect of Rosings, afforded by an opening in the trees that bordered -the park nearly opposite the front of his house. It was a handsome -modern building, well situated on rising ground. - -From his garden, Mr. Collins would have led them round his two meadows; -but the ladies, not having shoes to encounter the remains of a white -frost, turned back; and while Sir William accompanied him, Charlotte -took her sister and friend over the house, extremely well pleased, -probably, to have the opportunity of showing it without her husband's -help. It was rather small, but well built and convenient; and everything -was fitted up and arranged with a neatness and consistency of which -Elizabeth gave Charlotte all the credit. When Mr. Collins could be -forgotten, there was really an air of great comfort throughout, and by -Charlotte's evident enjoyment of it, Elizabeth supposed he must be often -forgotten. - -She had already learnt that Lady Catherine was still in the country. It -was spoken of again while they were at dinner, when Mr. Collins joining -in, observed: - -“Yes, Miss Elizabeth, you will have the honour of seeing Lady Catherine -de Bourgh on the ensuing Sunday at church, and I need not say you will -be delighted with her. She is all affability and condescension, and I -doubt not but you will be honoured with some portion of her notice -when service is over. I have scarcely any hesitation in saying she -will include you and my sister Maria in every invitation with which she -honours us during your stay here. Her behaviour to my dear Charlotte is -charming. We dine at Rosings twice every week, and are never allowed -to walk home. Her ladyship's carriage is regularly ordered for us. I -_should_ say, one of her ladyship's carriages, for she has several.” - -“Lady Catherine is a very respectable, sensible woman indeed,” added -Charlotte, “and a most attentive neighbour.” - -“Very true, my dear, that is exactly what I say. She is the sort of -woman whom one cannot regard with too much deference.” - -The evening was spent chiefly in talking over Hertfordshire news, -and telling again what had already been written; and when it closed, -Elizabeth, in the solitude of her chamber, had to meditate upon -Charlotte's degree of contentment, to understand her address in guiding, -and composure in bearing with, her husband, and to acknowledge that it -was all done very well. She had also to anticipate how her visit -would pass, the quiet tenor of their usual employments, the vexatious -interruptions of Mr. Collins, and the gaieties of their intercourse with -Rosings. A lively imagination soon settled it all. - -About the middle of the next day, as she was in her room getting ready -for a walk, a sudden noise below seemed to speak the whole house in -confusion; and, after listening a moment, she heard somebody running -up stairs in a violent hurry, and calling loudly after her. She opened -the door and met Maria in the landing place, who, breathless with -agitation, cried out-- - -“Oh, my dear Eliza! pray make haste and come into the dining-room, for -there is such a sight to be seen! I will not tell you what it is. Make -haste, and come down this moment.” - -Elizabeth asked questions in vain; Maria would tell her nothing more, -and down they ran into the dining-room, which fronted the lane, in -quest of this wonder; It was two ladies stopping in a low phaeton at the -garden gate. - -“And is this all?” cried Elizabeth. “I expected at least that the pigs -were got into the garden, and here is nothing but Lady Catherine and her -daughter.” - -“La! my dear,” said Maria, quite shocked at the mistake, “it is not -Lady Catherine. The old lady is Mrs. Jenkinson, who lives with them; -the other is Miss de Bourgh. Only look at her. She is quite a little -creature. Who would have thought that she could be so thin and small?” - -“She is abominably rude to keep Charlotte out of doors in all this wind. -Why does she not come in?” - -“Oh, Charlotte says she hardly ever does. It is the greatest of favours -when Miss de Bourgh comes in.” - -“I like her appearance,” said Elizabeth, struck with other ideas. “She -looks sickly and cross. Yes, she will do for him very well. She will -make him a very proper wife.” - -Mr. Collins and Charlotte were both standing at the gate in conversation -with the ladies; and Sir William, to Elizabeth's high diversion, was -stationed in the doorway, in earnest contemplation of the greatness -before him, and constantly bowing whenever Miss de Bourgh looked that -way. - -At length there was nothing more to be said; the ladies drove on, and -the others returned into the house. Mr. Collins no sooner saw the two -girls than he began to congratulate them on their good fortune, which -Charlotte explained by letting them know that the whole party was asked -to dine at Rosings the next day. - - - -Chapter 29 - - -Mr. Collins's triumph, in consequence of this invitation, was complete. -The power of displaying the grandeur of his patroness to his wondering -visitors, and of letting them see her civility towards himself and his -wife, was exactly what he had wished for; and that an opportunity -of doing it should be given so soon, was such an instance of Lady -Catherine's condescension, as he knew not how to admire enough. - -“I confess,” said he, “that I should not have been at all surprised by -her ladyship's asking us on Sunday to drink tea and spend the evening at -Rosings. I rather expected, from my knowledge of her affability, that it -would happen. But who could have foreseen such an attention as this? Who -could have imagined that we should receive an invitation to dine there -(an invitation, moreover, including the whole party) so immediately -after your arrival!” - -“I am the less surprised at what has happened,” replied Sir William, -“from that knowledge of what the manners of the great really are, which -my situation in life has allowed me to acquire. About the court, such -instances of elegant breeding are not uncommon.” - -Scarcely anything was talked of the whole day or next morning but their -visit to Rosings. Mr. Collins was carefully instructing them in what -they were to expect, that the sight of such rooms, so many servants, and -so splendid a dinner, might not wholly overpower them. - -When the ladies were separating for the toilette, he said to Elizabeth-- - -“Do not make yourself uneasy, my dear cousin, about your apparel. Lady -Catherine is far from requiring that elegance of dress in us which -becomes herself and her daughter. I would advise you merely to put on -whatever of your clothes is superior to the rest--there is no occasion -for anything more. Lady Catherine will not think the worse of you -for being simply dressed. She likes to have the distinction of rank -preserved.” - -While they were dressing, he came two or three times to their different -doors, to recommend their being quick, as Lady Catherine very much -objected to be kept waiting for her dinner. Such formidable accounts of -her ladyship, and her manner of living, quite frightened Maria Lucas -who had been little used to company, and she looked forward to her -introduction at Rosings with as much apprehension as her father had done -to his presentation at St. James's. - -As the weather was fine, they had a pleasant walk of about half a -mile across the park. Every park has its beauty and its prospects; and -Elizabeth saw much to be pleased with, though she could not be in such -raptures as Mr. Collins expected the scene to inspire, and was but -slightly affected by his enumeration of the windows in front of the -house, and his relation of what the glazing altogether had originally -cost Sir Lewis de Bourgh. - -When they ascended the steps to the hall, Maria's alarm was every -moment increasing, and even Sir William did not look perfectly calm. -Elizabeth's courage did not fail her. She had heard nothing of Lady -Catherine that spoke her awful from any extraordinary talents or -miraculous virtue, and the mere stateliness of money or rank she thought -she could witness without trepidation. - -From the entrance-hall, of which Mr. Collins pointed out, with a -rapturous air, the fine proportion and the finished ornaments, they -followed the servants through an ante-chamber, to the room where Lady -Catherine, her daughter, and Mrs. Jenkinson were sitting. Her ladyship, -with great condescension, arose to receive them; and as Mrs. Collins had -settled it with her husband that the office of introduction should -be hers, it was performed in a proper manner, without any of those -apologies and thanks which he would have thought necessary. - -In spite of having been at St. James's, Sir William was so completely -awed by the grandeur surrounding him, that he had but just courage -enough to make a very low bow, and take his seat without saying a word; -and his daughter, frightened almost out of her senses, sat on the edge -of her chair, not knowing which way to look. Elizabeth found herself -quite equal to the scene, and could observe the three ladies before her -composedly. Lady Catherine was a tall, large woman, with strongly-marked -features, which might once have been handsome. Her air was not -conciliating, nor was her manner of receiving them such as to make her -visitors forget their inferior rank. She was not rendered formidable by -silence; but whatever she said was spoken in so authoritative a tone, -as marked her self-importance, and brought Mr. Wickham immediately to -Elizabeth's mind; and from the observation of the day altogether, she -believed Lady Catherine to be exactly what he represented. - -When, after examining the mother, in whose countenance and deportment -she soon found some resemblance of Mr. Darcy, she turned her eyes on the -daughter, she could almost have joined in Maria's astonishment at her -being so thin and so small. There was neither in figure nor face any -likeness between the ladies. Miss de Bourgh was pale and sickly; her -features, though not plain, were insignificant; and she spoke very -little, except in a low voice, to Mrs. Jenkinson, in whose appearance -there was nothing remarkable, and who was entirely engaged in listening -to what she said, and placing a screen in the proper direction before -her eyes. - -After sitting a few minutes, they were all sent to one of the windows to -admire the view, Mr. Collins attending them to point out its beauties, -and Lady Catherine kindly informing them that it was much better worth -looking at in the summer. - -The dinner was exceedingly handsome, and there were all the servants and -all the articles of plate which Mr. Collins had promised; and, as he had -likewise foretold, he took his seat at the bottom of the table, by her -ladyship's desire, and looked as if he felt that life could furnish -nothing greater. He carved, and ate, and praised with delighted -alacrity; and every dish was commended, first by him and then by Sir -William, who was now enough recovered to echo whatever his son-in-law -said, in a manner which Elizabeth wondered Lady Catherine could bear. -But Lady Catherine seemed gratified by their excessive admiration, and -gave most gracious smiles, especially when any dish on the table proved -a novelty to them. The party did not supply much conversation. Elizabeth -was ready to speak whenever there was an opening, but she was seated -between Charlotte and Miss de Bourgh--the former of whom was engaged in -listening to Lady Catherine, and the latter said not a word to her all -dinner-time. Mrs. Jenkinson was chiefly employed in watching how little -Miss de Bourgh ate, pressing her to try some other dish, and fearing -she was indisposed. Maria thought speaking out of the question, and the -gentlemen did nothing but eat and admire. - -When the ladies returned to the drawing-room, there was little to -be done but to hear Lady Catherine talk, which she did without any -intermission till coffee came in, delivering her opinion on every -subject in so decisive a manner, as proved that she was not used to -have her judgement controverted. She inquired into Charlotte's domestic -concerns familiarly and minutely, gave her a great deal of advice as -to the management of them all; told her how everything ought to be -regulated in so small a family as hers, and instructed her as to the -care of her cows and her poultry. Elizabeth found that nothing was -beneath this great lady's attention, which could furnish her with an -occasion of dictating to others. In the intervals of her discourse -with Mrs. Collins, she addressed a variety of questions to Maria and -Elizabeth, but especially to the latter, of whose connections she knew -the least, and who she observed to Mrs. Collins was a very genteel, -pretty kind of girl. She asked her, at different times, how many sisters -she had, whether they were older or younger than herself, whether any of -them were likely to be married, whether they were handsome, where they -had been educated, what carriage her father kept, and what had been -her mother's maiden name? Elizabeth felt all the impertinence of -her questions but answered them very composedly. Lady Catherine then -observed, - -“Your father's estate is entailed on Mr. Collins, I think. For your -sake,” turning to Charlotte, “I am glad of it; but otherwise I see no -occasion for entailing estates from the female line. It was not thought -necessary in Sir Lewis de Bourgh's family. Do you play and sing, Miss -Bennet?” - -“A little.” - -“Oh! then--some time or other we shall be happy to hear you. Our -instrument is a capital one, probably superior to----You shall try it -some day. Do your sisters play and sing?” - -“One of them does.” - -“Why did not you all learn? You ought all to have learned. The Miss -Webbs all play, and their father has not so good an income as yours. Do -you draw?” - -“No, not at all.” - -“What, none of you?” - -“Not one.” - -“That is very strange. But I suppose you had no opportunity. Your mother -should have taken you to town every spring for the benefit of masters.” - -“My mother would have had no objection, but my father hates London.” - -“Has your governess left you?” - -“We never had any governess.” - -“No governess! How was that possible? Five daughters brought up at home -without a governess! I never heard of such a thing. Your mother must -have been quite a slave to your education.” - -Elizabeth could hardly help smiling as she assured her that had not been -the case. - -“Then, who taught you? who attended to you? Without a governess, you -must have been neglected.” - -“Compared with some families, I believe we were; but such of us as -wished to learn never wanted the means. We were always encouraged to -read, and had all the masters that were necessary. Those who chose to be -idle, certainly might.” - -“Aye, no doubt; but that is what a governess will prevent, and if I had -known your mother, I should have advised her most strenuously to engage -one. I always say that nothing is to be done in education without steady -and regular instruction, and nobody but a governess can give it. It is -wonderful how many families I have been the means of supplying in that -way. I am always glad to get a young person well placed out. Four nieces -of Mrs. Jenkinson are most delightfully situated through my means; and -it was but the other day that I recommended another young person, -who was merely accidentally mentioned to me, and the family are quite -delighted with her. Mrs. Collins, did I tell you of Lady Metcalf's -calling yesterday to thank me? She finds Miss Pope a treasure. 'Lady -Catherine,' said she, 'you have given me a treasure.' Are any of your -younger sisters out, Miss Bennet?” - -“Yes, ma'am, all.” - -“All! What, all five out at once? Very odd! And you only the second. The -younger ones out before the elder ones are married! Your younger sisters -must be very young?” - -“Yes, my youngest is not sixteen. Perhaps _she_ is full young to be -much in company. But really, ma'am, I think it would be very hard upon -younger sisters, that they should not have their share of society and -amusement, because the elder may not have the means or inclination to -marry early. The last-born has as good a right to the pleasures of youth -as the first. And to be kept back on _such_ a motive! I think it would -not be very likely to promote sisterly affection or delicacy of mind.” - -“Upon my word,” said her ladyship, “you give your opinion very decidedly -for so young a person. Pray, what is your age?” - -“With three younger sisters grown up,” replied Elizabeth, smiling, “your -ladyship can hardly expect me to own it.” - -Lady Catherine seemed quite astonished at not receiving a direct answer; -and Elizabeth suspected herself to be the first creature who had ever -dared to trifle with so much dignified impertinence. - -“You cannot be more than twenty, I am sure, therefore you need not -conceal your age.” - -“I am not one-and-twenty.” - -When the gentlemen had joined them, and tea was over, the card-tables -were placed. Lady Catherine, Sir William, and Mr. and Mrs. Collins sat -down to quadrille; and as Miss de Bourgh chose to play at cassino, the -two girls had the honour of assisting Mrs. Jenkinson to make up her -party. Their table was superlatively stupid. Scarcely a syllable was -uttered that did not relate to the game, except when Mrs. Jenkinson -expressed her fears of Miss de Bourgh's being too hot or too cold, or -having too much or too little light. A great deal more passed at the -other table. Lady Catherine was generally speaking--stating the mistakes -of the three others, or relating some anecdote of herself. Mr. Collins -was employed in agreeing to everything her ladyship said, thanking her -for every fish he won, and apologising if he thought he won too many. -Sir William did not say much. He was storing his memory with anecdotes -and noble names. - -When Lady Catherine and her daughter had played as long as they chose, -the tables were broken up, the carriage was offered to Mrs. Collins, -gratefully accepted and immediately ordered. The party then gathered -round the fire to hear Lady Catherine determine what weather they were -to have on the morrow. From these instructions they were summoned by -the arrival of the coach; and with many speeches of thankfulness on Mr. -Collins's side and as many bows on Sir William's they departed. As soon -as they had driven from the door, Elizabeth was called on by her cousin -to give her opinion of all that she had seen at Rosings, which, for -Charlotte's sake, she made more favourable than it really was. But her -commendation, though costing her some trouble, could by no means satisfy -Mr. Collins, and he was very soon obliged to take her ladyship's praise -into his own hands. - - - -Chapter 30 - - -Sir William stayed only a week at Hunsford, but his visit was long -enough to convince him of his daughter's being most comfortably settled, -and of her possessing such a husband and such a neighbour as were not -often met with. While Sir William was with them, Mr. Collins devoted his -morning to driving him out in his gig, and showing him the country; but -when he went away, the whole family returned to their usual employments, -and Elizabeth was thankful to find that they did not see more of her -cousin by the alteration, for the chief of the time between breakfast -and dinner was now passed by him either at work in the garden or in -reading and writing, and looking out of the window in his own book-room, -which fronted the road. The room in which the ladies sat was backwards. -Elizabeth had at first rather wondered that Charlotte should not prefer -the dining-parlour for common use; it was a better sized room, and had a -more pleasant aspect; but she soon saw that her friend had an excellent -reason for what she did, for Mr. Collins would undoubtedly have been -much less in his own apartment, had they sat in one equally lively; and -she gave Charlotte credit for the arrangement. - -From the drawing-room they could distinguish nothing in the lane, and -were indebted to Mr. Collins for the knowledge of what carriages went -along, and how often especially Miss de Bourgh drove by in her phaeton, -which he never failed coming to inform them of, though it happened -almost every day. She not unfrequently stopped at the Parsonage, and -had a few minutes' conversation with Charlotte, but was scarcely ever -prevailed upon to get out. - -Very few days passed in which Mr. Collins did not walk to Rosings, and -not many in which his wife did not think it necessary to go likewise; -and till Elizabeth recollected that there might be other family livings -to be disposed of, she could not understand the sacrifice of so many -hours. Now and then they were honoured with a call from her ladyship, -and nothing escaped her observation that was passing in the room during -these visits. She examined into their employments, looked at their work, -and advised them to do it differently; found fault with the arrangement -of the furniture; or detected the housemaid in negligence; and if she -accepted any refreshment, seemed to do it only for the sake of finding -out that Mrs. Collins's joints of meat were too large for her family. - -Elizabeth soon perceived, that though this great lady was not in -commission of the peace of the county, she was a most active magistrate -in her own parish, the minutest concerns of which were carried to her -by Mr. Collins; and whenever any of the cottagers were disposed to -be quarrelsome, discontented, or too poor, she sallied forth into the -village to settle their differences, silence their complaints, and scold -them into harmony and plenty. - -The entertainment of dining at Rosings was repeated about twice a week; -and, allowing for the loss of Sir William, and there being only one -card-table in the evening, every such entertainment was the counterpart -of the first. Their other engagements were few, as the style of living -in the neighbourhood in general was beyond Mr. Collins's reach. This, -however, was no evil to Elizabeth, and upon the whole she spent her time -comfortably enough; there were half-hours of pleasant conversation with -Charlotte, and the weather was so fine for the time of year that she had -often great enjoyment out of doors. Her favourite walk, and where she -frequently went while the others were calling on Lady Catherine, was -along the open grove which edged that side of the park, where there was -a nice sheltered path, which no one seemed to value but herself, and -where she felt beyond the reach of Lady Catherine's curiosity. - -In this quiet way, the first fortnight of her visit soon passed away. -Easter was approaching, and the week preceding it was to bring an -addition to the family at Rosings, which in so small a circle must be -important. Elizabeth had heard soon after her arrival that Mr. Darcy was -expected there in the course of a few weeks, and though there were not -many of her acquaintances whom she did not prefer, his coming would -furnish one comparatively new to look at in their Rosings parties, and -she might be amused in seeing how hopeless Miss Bingley's designs on him -were, by his behaviour to his cousin, for whom he was evidently -destined by Lady Catherine, who talked of his coming with the greatest -satisfaction, spoke of him in terms of the highest admiration, and -seemed almost angry to find that he had already been frequently seen by -Miss Lucas and herself. - -His arrival was soon known at the Parsonage; for Mr. Collins was walking -the whole morning within view of the lodges opening into Hunsford Lane, -in order to have the earliest assurance of it, and after making his -bow as the carriage turned into the Park, hurried home with the great -intelligence. On the following morning he hastened to Rosings to pay his -respects. There were two nephews of Lady Catherine to require them, for -Mr. Darcy had brought with him a Colonel Fitzwilliam, the younger son of -his uncle Lord ----, and, to the great surprise of all the party, when -Mr. Collins returned, the gentlemen accompanied him. Charlotte had seen -them from her husband's room, crossing the road, and immediately running -into the other, told the girls what an honour they might expect, adding: - -“I may thank you, Eliza, for this piece of civility. Mr. Darcy would -never have come so soon to wait upon me.” - -Elizabeth had scarcely time to disclaim all right to the compliment, -before their approach was announced by the door-bell, and shortly -afterwards the three gentlemen entered the room. Colonel Fitzwilliam, -who led the way, was about thirty, not handsome, but in person and -address most truly the gentleman. Mr. Darcy looked just as he had been -used to look in Hertfordshire--paid his compliments, with his usual -reserve, to Mrs. Collins, and whatever might be his feelings toward her -friend, met her with every appearance of composure. Elizabeth merely -curtseyed to him without saying a word. - -Colonel Fitzwilliam entered into conversation directly with the -readiness and ease of a well-bred man, and talked very pleasantly; but -his cousin, after having addressed a slight observation on the house and -garden to Mrs. Collins, sat for some time without speaking to anybody. -At length, however, his civility was so far awakened as to inquire of -Elizabeth after the health of her family. She answered him in the usual -way, and after a moment's pause, added: - -“My eldest sister has been in town these three months. Have you never -happened to see her there?” - -She was perfectly sensible that he never had; but she wished to see -whether he would betray any consciousness of what had passed between -the Bingleys and Jane, and she thought he looked a little confused as he -answered that he had never been so fortunate as to meet Miss Bennet. The -subject was pursued no farther, and the gentlemen soon afterwards went -away. - - - -Chapter 31 - - -Colonel Fitzwilliam's manners were very much admired at the Parsonage, -and the ladies all felt that he must add considerably to the pleasures -of their engagements at Rosings. It was some days, however, before they -received any invitation thither--for while there were visitors in the -house, they could not be necessary; and it was not till Easter-day, -almost a week after the gentlemen's arrival, that they were honoured by -such an attention, and then they were merely asked on leaving church to -come there in the evening. For the last week they had seen very little -of Lady Catherine or her daughter. Colonel Fitzwilliam had called at the -Parsonage more than once during the time, but Mr. Darcy they had seen -only at church. - -The invitation was accepted of course, and at a proper hour they joined -the party in Lady Catherine's drawing-room. Her ladyship received -them civilly, but it was plain that their company was by no means so -acceptable as when she could get nobody else; and she was, in fact, -almost engrossed by her nephews, speaking to them, especially to Darcy, -much more than to any other person in the room. - -Colonel Fitzwilliam seemed really glad to see them; anything was a -welcome relief to him at Rosings; and Mrs. Collins's pretty friend had -moreover caught his fancy very much. He now seated himself by her, and -talked so agreeably of Kent and Hertfordshire, of travelling and staying -at home, of new books and music, that Elizabeth had never been half so -well entertained in that room before; and they conversed with so much -spirit and flow, as to draw the attention of Lady Catherine herself, -as well as of Mr. Darcy. _His_ eyes had been soon and repeatedly turned -towards them with a look of curiosity; and that her ladyship, after a -while, shared the feeling, was more openly acknowledged, for she did not -scruple to call out: - -“What is that you are saying, Fitzwilliam? What is it you are talking -of? What are you telling Miss Bennet? Let me hear what it is.” - -“We are speaking of music, madam,” said he, when no longer able to avoid -a reply. - -“Of music! Then pray speak aloud. It is of all subjects my delight. I -must have my share in the conversation if you are speaking of music. -There are few people in England, I suppose, who have more true enjoyment -of music than myself, or a better natural taste. If I had ever learnt, -I should have been a great proficient. And so would Anne, if her health -had allowed her to apply. I am confident that she would have performed -delightfully. How does Georgiana get on, Darcy?” - -Mr. Darcy spoke with affectionate praise of his sister's proficiency. - -“I am very glad to hear such a good account of her,” said Lady -Catherine; “and pray tell her from me, that she cannot expect to excel -if she does not practice a good deal.” - -“I assure you, madam,” he replied, “that she does not need such advice. -She practises very constantly.” - -“So much the better. It cannot be done too much; and when I next write -to her, I shall charge her not to neglect it on any account. I often -tell young ladies that no excellence in music is to be acquired without -constant practice. I have told Miss Bennet several times, that she -will never play really well unless she practises more; and though Mrs. -Collins has no instrument, she is very welcome, as I have often told -her, to come to Rosings every day, and play on the pianoforte in Mrs. -Jenkinson's room. She would be in nobody's way, you know, in that part -of the house.” - -Mr. Darcy looked a little ashamed of his aunt's ill-breeding, and made -no answer. - -When coffee was over, Colonel Fitzwilliam reminded Elizabeth of having -promised to play to him; and she sat down directly to the instrument. He -drew a chair near her. Lady Catherine listened to half a song, and then -talked, as before, to her other nephew; till the latter walked away -from her, and making with his usual deliberation towards the pianoforte -stationed himself so as to command a full view of the fair performer's -countenance. Elizabeth saw what he was doing, and at the first -convenient pause, turned to him with an arch smile, and said: - -“You mean to frighten me, Mr. Darcy, by coming in all this state to hear -me? I will not be alarmed though your sister _does_ play so well. There -is a stubbornness about me that never can bear to be frightened at the -will of others. My courage always rises at every attempt to intimidate -me.” - -“I shall not say you are mistaken,” he replied, “because you could not -really believe me to entertain any design of alarming you; and I have -had the pleasure of your acquaintance long enough to know that you find -great enjoyment in occasionally professing opinions which in fact are -not your own.” - -Elizabeth laughed heartily at this picture of herself, and said to -Colonel Fitzwilliam, “Your cousin will give you a very pretty notion of -me, and teach you not to believe a word I say. I am particularly unlucky -in meeting with a person so able to expose my real character, in a part -of the world where I had hoped to pass myself off with some degree of -credit. Indeed, Mr. Darcy, it is very ungenerous in you to mention all -that you knew to my disadvantage in Hertfordshire--and, give me leave to -say, very impolitic too--for it is provoking me to retaliate, and such -things may come out as will shock your relations to hear.” - -“I am not afraid of you,” said he, smilingly. - -“Pray let me hear what you have to accuse him of,” cried Colonel -Fitzwilliam. “I should like to know how he behaves among strangers.” - -“You shall hear then--but prepare yourself for something very dreadful. -The first time of my ever seeing him in Hertfordshire, you must know, -was at a ball--and at this ball, what do you think he did? He danced -only four dances, though gentlemen were scarce; and, to my certain -knowledge, more than one young lady was sitting down in want of a -partner. Mr. Darcy, you cannot deny the fact.” - -“I had not at that time the honour of knowing any lady in the assembly -beyond my own party.” - -“True; and nobody can ever be introduced in a ball-room. Well, Colonel -Fitzwilliam, what do I play next? My fingers wait your orders.” - -“Perhaps,” said Darcy, “I should have judged better, had I sought an -introduction; but I am ill-qualified to recommend myself to strangers.” - -“Shall we ask your cousin the reason of this?” said Elizabeth, still -addressing Colonel Fitzwilliam. “Shall we ask him why a man of sense and -education, and who has lived in the world, is ill qualified to recommend -himself to strangers?” - -“I can answer your question,” said Fitzwilliam, “without applying to -him. It is because he will not give himself the trouble.” - -“I certainly have not the talent which some people possess,” said Darcy, -“of conversing easily with those I have never seen before. I cannot -catch their tone of conversation, or appear interested in their -concerns, as I often see done.” - -“My fingers,” said Elizabeth, “do not move over this instrument in the -masterly manner which I see so many women's do. They have not the same -force or rapidity, and do not produce the same expression. But then I -have always supposed it to be my own fault--because I will not take the -trouble of practising. It is not that I do not believe _my_ fingers as -capable as any other woman's of superior execution.” - -Darcy smiled and said, “You are perfectly right. You have employed your -time much better. No one admitted to the privilege of hearing you can -think anything wanting. We neither of us perform to strangers.” - -Here they were interrupted by Lady Catherine, who called out to know -what they were talking of. Elizabeth immediately began playing again. -Lady Catherine approached, and, after listening for a few minutes, said -to Darcy: - -“Miss Bennet would not play at all amiss if she practised more, and -could have the advantage of a London master. She has a very good notion -of fingering, though her taste is not equal to Anne's. Anne would have -been a delightful performer, had her health allowed her to learn.” - -Elizabeth looked at Darcy to see how cordially he assented to his -cousin's praise; but neither at that moment nor at any other could she -discern any symptom of love; and from the whole of his behaviour to Miss -de Bourgh she derived this comfort for Miss Bingley, that he might have -been just as likely to marry _her_, had she been his relation. - -Lady Catherine continued her remarks on Elizabeth's performance, mixing -with them many instructions on execution and taste. Elizabeth received -them with all the forbearance of civility, and, at the request of the -gentlemen, remained at the instrument till her ladyship's carriage was -ready to take them all home. - - - -Chapter 32 - - -Elizabeth was sitting by herself the next morning, and writing to Jane -while Mrs. Collins and Maria were gone on business into the village, -when she was startled by a ring at the door, the certain signal of a -visitor. As she had heard no carriage, she thought it not unlikely to -be Lady Catherine, and under that apprehension was putting away her -half-finished letter that she might escape all impertinent questions, -when the door opened, and, to her very great surprise, Mr. Darcy, and -Mr. Darcy only, entered the room. - -He seemed astonished too on finding her alone, and apologised for his -intrusion by letting her know that he had understood all the ladies were -to be within. - -They then sat down, and when her inquiries after Rosings were made, -seemed in danger of sinking into total silence. It was absolutely -necessary, therefore, to think of something, and in this emergence -recollecting _when_ she had seen him last in Hertfordshire, and -feeling curious to know what he would say on the subject of their hasty -departure, she observed: - -“How very suddenly you all quitted Netherfield last November, Mr. Darcy! -It must have been a most agreeable surprise to Mr. Bingley to see you -all after him so soon; for, if I recollect right, he went but the day -before. He and his sisters were well, I hope, when you left London?” - -“Perfectly so, I thank you.” - -She found that she was to receive no other answer, and, after a short -pause added: - -“I think I have understood that Mr. Bingley has not much idea of ever -returning to Netherfield again?” - -“I have never heard him say so; but it is probable that he may spend -very little of his time there in the future. He has many friends, and -is at a time of life when friends and engagements are continually -increasing.” - -“If he means to be but little at Netherfield, it would be better for -the neighbourhood that he should give up the place entirely, for then we -might possibly get a settled family there. But, perhaps, Mr. Bingley did -not take the house so much for the convenience of the neighbourhood as -for his own, and we must expect him to keep it or quit it on the same -principle.” - -“I should not be surprised,” said Darcy, “if he were to give it up as -soon as any eligible purchase offers.” - -Elizabeth made no answer. She was afraid of talking longer of his -friend; and, having nothing else to say, was now determined to leave the -trouble of finding a subject to him. - -He took the hint, and soon began with, “This seems a very comfortable -house. Lady Catherine, I believe, did a great deal to it when Mr. -Collins first came to Hunsford.” - -“I believe she did--and I am sure she could not have bestowed her -kindness on a more grateful object.” - -“Mr. Collins appears to be very fortunate in his choice of a wife.” - -“Yes, indeed, his friends may well rejoice in his having met with one -of the very few sensible women who would have accepted him, or have made -him happy if they had. My friend has an excellent understanding--though -I am not certain that I consider her marrying Mr. Collins as the -wisest thing she ever did. She seems perfectly happy, however, and in a -prudential light it is certainly a very good match for her.” - -“It must be very agreeable for her to be settled within so easy a -distance of her own family and friends.” - -“An easy distance, do you call it? It is nearly fifty miles.” - -“And what is fifty miles of good road? Little more than half a day's -journey. Yes, I call it a _very_ easy distance.” - -“I should never have considered the distance as one of the _advantages_ -of the match,” cried Elizabeth. “I should never have said Mrs. Collins -was settled _near_ her family.” - -“It is a proof of your own attachment to Hertfordshire. Anything beyond -the very neighbourhood of Longbourn, I suppose, would appear far.” - -As he spoke there was a sort of smile which Elizabeth fancied she -understood; he must be supposing her to be thinking of Jane and -Netherfield, and she blushed as she answered: - -“I do not mean to say that a woman may not be settled too near her -family. The far and the near must be relative, and depend on many -varying circumstances. Where there is fortune to make the expenses of -travelling unimportant, distance becomes no evil. But that is not the -case _here_. Mr. and Mrs. Collins have a comfortable income, but not -such a one as will allow of frequent journeys--and I am persuaded my -friend would not call herself _near_ her family under less than _half_ -the present distance.” - -Mr. Darcy drew his chair a little towards her, and said, “_You_ cannot -have a right to such very strong local attachment. _You_ cannot have -been always at Longbourn.” - -Elizabeth looked surprised. The gentleman experienced some change of -feeling; he drew back his chair, took a newspaper from the table, and -glancing over it, said, in a colder voice: - -“Are you pleased with Kent?” - -A short dialogue on the subject of the country ensued, on either side -calm and concise--and soon put an end to by the entrance of Charlotte -and her sister, just returned from her walk. The tete-a-tete surprised -them. Mr. Darcy related the mistake which had occasioned his intruding -on Miss Bennet, and after sitting a few minutes longer without saying -much to anybody, went away. - -“What can be the meaning of this?” said Charlotte, as soon as he was -gone. “My dear, Eliza, he must be in love with you, or he would never -have called us in this familiar way.” - -But when Elizabeth told of his silence, it did not seem very likely, -even to Charlotte's wishes, to be the case; and after various -conjectures, they could at last only suppose his visit to proceed from -the difficulty of finding anything to do, which was the more probable -from the time of year. All field sports were over. Within doors there -was Lady Catherine, books, and a billiard-table, but gentlemen cannot -always be within doors; and in the nearness of the Parsonage, or the -pleasantness of the walk to it, or of the people who lived in it, the -two cousins found a temptation from this period of walking thither -almost every day. They called at various times of the morning, sometimes -separately, sometimes together, and now and then accompanied by their -aunt. It was plain to them all that Colonel Fitzwilliam came because he -had pleasure in their society, a persuasion which of course recommended -him still more; and Elizabeth was reminded by her own satisfaction in -being with him, as well as by his evident admiration of her, of her -former favourite George Wickham; and though, in comparing them, she saw -there was less captivating softness in Colonel Fitzwilliam's manners, -she believed he might have the best informed mind. - -But why Mr. Darcy came so often to the Parsonage, it was more difficult -to understand. It could not be for society, as he frequently sat there -ten minutes together without opening his lips; and when he did speak, -it seemed the effect of necessity rather than of choice--a sacrifice -to propriety, not a pleasure to himself. He seldom appeared really -animated. Mrs. Collins knew not what to make of him. Colonel -Fitzwilliam's occasionally laughing at his stupidity, proved that he was -generally different, which her own knowledge of him could not have told -her; and as she would liked to have believed this change the effect -of love, and the object of that love her friend Eliza, she set herself -seriously to work to find it out. She watched him whenever they were at -Rosings, and whenever he came to Hunsford; but without much success. He -certainly looked at her friend a great deal, but the expression of that -look was disputable. It was an earnest, steadfast gaze, but she often -doubted whether there were much admiration in it, and sometimes it -seemed nothing but absence of mind. - -She had once or twice suggested to Elizabeth the possibility of his -being partial to her, but Elizabeth always laughed at the idea; and Mrs. -Collins did not think it right to press the subject, from the danger of -raising expectations which might only end in disappointment; for in her -opinion it admitted not of a doubt, that all her friend's dislike would -vanish, if she could suppose him to be in her power. - - -In her kind schemes for Elizabeth, she sometimes planned her marrying -Colonel Fitzwilliam. He was beyond comparison the most pleasant man; he -certainly admired her, and his situation in life was most eligible; but, -to counterbalance these advantages, Mr. Darcy had considerable patronage -in the church, and his cousin could have none at all. - - - -Chapter 33 - - -More than once did Elizabeth, in her ramble within the park, -unexpectedly meet Mr. Darcy. She felt all the perverseness of the -mischance that should bring him where no one else was brought, and, to -prevent its ever happening again, took care to inform him at first that -it was a favourite haunt of hers. How it could occur a second time, -therefore, was very odd! Yet it did, and even a third. It seemed like -wilful ill-nature, or a voluntary penance, for on these occasions it was -not merely a few formal inquiries and an awkward pause and then away, -but he actually thought it necessary to turn back and walk with her. He -never said a great deal, nor did she give herself the trouble of talking -or of listening much; but it struck her in the course of their third -rencontre that he was asking some odd unconnected questions--about -her pleasure in being at Hunsford, her love of solitary walks, and her -opinion of Mr. and Mrs. Collins's happiness; and that in speaking of -Rosings and her not perfectly understanding the house, he seemed to -expect that whenever she came into Kent again she would be staying -_there_ too. His words seemed to imply it. Could he have Colonel -Fitzwilliam in his thoughts? She supposed, if he meant anything, he must -mean an allusion to what might arise in that quarter. It distressed -her a little, and she was quite glad to find herself at the gate in the -pales opposite the Parsonage. - -She was engaged one day as she walked, in perusing Jane's last letter, -and dwelling on some passages which proved that Jane had not written in -spirits, when, instead of being again surprised by Mr. Darcy, she saw -on looking up that Colonel Fitzwilliam was meeting her. Putting away the -letter immediately and forcing a smile, she said: - -“I did not know before that you ever walked this way.” - -“I have been making the tour of the park,” he replied, “as I generally -do every year, and intend to close it with a call at the Parsonage. Are -you going much farther?” - -“No, I should have turned in a moment.” - -And accordingly she did turn, and they walked towards the Parsonage -together. - -“Do you certainly leave Kent on Saturday?” said she. - -“Yes--if Darcy does not put it off again. But I am at his disposal. He -arranges the business just as he pleases.” - -“And if not able to please himself in the arrangement, he has at least -pleasure in the great power of choice. I do not know anybody who seems -more to enjoy the power of doing what he likes than Mr. Darcy.” - -“He likes to have his own way very well,” replied Colonel Fitzwilliam. -“But so we all do. It is only that he has better means of having it -than many others, because he is rich, and many others are poor. I speak -feelingly. A younger son, you know, must be inured to self-denial and -dependence.” - -“In my opinion, the younger son of an earl can know very little of -either. Now seriously, what have you ever known of self-denial and -dependence? When have you been prevented by want of money from going -wherever you chose, or procuring anything you had a fancy for?” - -“These are home questions--and perhaps I cannot say that I have -experienced many hardships of that nature. But in matters of greater -weight, I may suffer from want of money. Younger sons cannot marry where -they like.” - -“Unless where they like women of fortune, which I think they very often -do.” - -“Our habits of expense make us too dependent, and there are not many -in my rank of life who can afford to marry without some attention to -money.” - -“Is this,” thought Elizabeth, “meant for me?” and she coloured at the -idea; but, recovering herself, said in a lively tone, “And pray, what -is the usual price of an earl's younger son? Unless the elder brother is -very sickly, I suppose you would not ask above fifty thousand pounds.” - -He answered her in the same style, and the subject dropped. To interrupt -a silence which might make him fancy her affected with what had passed, -she soon afterwards said: - -“I imagine your cousin brought you down with him chiefly for the sake of -having someone at his disposal. I wonder he does not marry, to secure a -lasting convenience of that kind. But, perhaps, his sister does as well -for the present, and, as she is under his sole care, he may do what he -likes with her.” - -“No,” said Colonel Fitzwilliam, “that is an advantage which he must -divide with me. I am joined with him in the guardianship of Miss Darcy.” - -“Are you indeed? And pray what sort of guardians do you make? Does your -charge give you much trouble? Young ladies of her age are sometimes a -little difficult to manage, and if she has the true Darcy spirit, she -may like to have her own way.” - -As she spoke she observed him looking at her earnestly; and the manner -in which he immediately asked her why she supposed Miss Darcy likely to -give them any uneasiness, convinced her that she had somehow or other -got pretty near the truth. She directly replied: - -“You need not be frightened. I never heard any harm of her; and I dare -say she is one of the most tractable creatures in the world. She is a -very great favourite with some ladies of my acquaintance, Mrs. Hurst and -Miss Bingley. I think I have heard you say that you know them.” - -“I know them a little. Their brother is a pleasant gentlemanlike man--he -is a great friend of Darcy's.” - -“Oh! yes,” said Elizabeth drily; “Mr. Darcy is uncommonly kind to Mr. -Bingley, and takes a prodigious deal of care of him.” - -“Care of him! Yes, I really believe Darcy _does_ take care of him in -those points where he most wants care. From something that he told me in -our journey hither, I have reason to think Bingley very much indebted to -him. But I ought to beg his pardon, for I have no right to suppose that -Bingley was the person meant. It was all conjecture.” - -“What is it you mean?” - -“It is a circumstance which Darcy could not wish to be generally known, -because if it were to get round to the lady's family, it would be an -unpleasant thing.” - -“You may depend upon my not mentioning it.” - -“And remember that I have not much reason for supposing it to be -Bingley. What he told me was merely this: that he congratulated himself -on having lately saved a friend from the inconveniences of a most -imprudent marriage, but without mentioning names or any other -particulars, and I only suspected it to be Bingley from believing -him the kind of young man to get into a scrape of that sort, and from -knowing them to have been together the whole of last summer.” - -“Did Mr. Darcy give you reasons for this interference?” - -“I understood that there were some very strong objections against the -lady.” - -“And what arts did he use to separate them?” - -“He did not talk to me of his own arts,” said Fitzwilliam, smiling. “He -only told me what I have now told you.” - -Elizabeth made no answer, and walked on, her heart swelling with -indignation. After watching her a little, Fitzwilliam asked her why she -was so thoughtful. - -“I am thinking of what you have been telling me,” said she. “Your -cousin's conduct does not suit my feelings. Why was he to be the judge?” - -“You are rather disposed to call his interference officious?” - -“I do not see what right Mr. Darcy had to decide on the propriety of his -friend's inclination, or why, upon his own judgement alone, he was to -determine and direct in what manner his friend was to be happy. -But,” she continued, recollecting herself, “as we know none of the -particulars, it is not fair to condemn him. It is not to be supposed -that there was much affection in the case.” - -“That is not an unnatural surmise,” said Fitzwilliam, “but it is a -lessening of the honour of my cousin's triumph very sadly.” - -This was spoken jestingly; but it appeared to her so just a picture -of Mr. Darcy, that she would not trust herself with an answer, and -therefore, abruptly changing the conversation talked on indifferent -matters until they reached the Parsonage. There, shut into her own room, -as soon as their visitor left them, she could think without interruption -of all that she had heard. It was not to be supposed that any other -people could be meant than those with whom she was connected. There -could not exist in the world _two_ men over whom Mr. Darcy could have -such boundless influence. That he had been concerned in the measures -taken to separate Bingley and Jane she had never doubted; but she had -always attributed to Miss Bingley the principal design and arrangement -of them. If his own vanity, however, did not mislead him, _he_ was -the cause, his pride and caprice were the cause, of all that Jane had -suffered, and still continued to suffer. He had ruined for a while -every hope of happiness for the most affectionate, generous heart in the -world; and no one could say how lasting an evil he might have inflicted. - -“There were some very strong objections against the lady,” were Colonel -Fitzwilliam's words; and those strong objections probably were, her -having one uncle who was a country attorney, and another who was in -business in London. - -“To Jane herself,” she exclaimed, “there could be no possibility of -objection; all loveliness and goodness as she is!--her understanding -excellent, her mind improved, and her manners captivating. Neither -could anything be urged against my father, who, though with some -peculiarities, has abilities Mr. Darcy himself need not disdain, and -respectability which he will probably never reach.” When she thought of -her mother, her confidence gave way a little; but she would not allow -that any objections _there_ had material weight with Mr. Darcy, whose -pride, she was convinced, would receive a deeper wound from the want of -importance in his friend's connections, than from their want of sense; -and she was quite decided, at last, that he had been partly governed -by this worst kind of pride, and partly by the wish of retaining Mr. -Bingley for his sister. - -The agitation and tears which the subject occasioned, brought on a -headache; and it grew so much worse towards the evening, that, added to -her unwillingness to see Mr. Darcy, it determined her not to attend her -cousins to Rosings, where they were engaged to drink tea. Mrs. Collins, -seeing that she was really unwell, did not press her to go and as much -as possible prevented her husband from pressing her; but Mr. Collins -could not conceal his apprehension of Lady Catherine's being rather -displeased by her staying at home. - - - -Chapter 34 - - -When they were gone, Elizabeth, as if intending to exasperate herself -as much as possible against Mr. Darcy, chose for her employment the -examination of all the letters which Jane had written to her since her -being in Kent. They contained no actual complaint, nor was there any -revival of past occurrences, or any communication of present suffering. -But in all, and in almost every line of each, there was a want of that -cheerfulness which had been used to characterise her style, and which, -proceeding from the serenity of a mind at ease with itself and kindly -disposed towards everyone, had been scarcely ever clouded. Elizabeth -noticed every sentence conveying the idea of uneasiness, with an -attention which it had hardly received on the first perusal. Mr. Darcy's -shameful boast of what misery he had been able to inflict, gave her -a keener sense of her sister's sufferings. It was some consolation -to think that his visit to Rosings was to end on the day after the -next--and, a still greater, that in less than a fortnight she should -herself be with Jane again, and enabled to contribute to the recovery of -her spirits, by all that affection could do. - -She could not think of Darcy's leaving Kent without remembering that -his cousin was to go with him; but Colonel Fitzwilliam had made it clear -that he had no intentions at all, and agreeable as he was, she did not -mean to be unhappy about him. - -While settling this point, she was suddenly roused by the sound of the -door-bell, and her spirits were a little fluttered by the idea of its -being Colonel Fitzwilliam himself, who had once before called late in -the evening, and might now come to inquire particularly after her. -But this idea was soon banished, and her spirits were very differently -affected, when, to her utter amazement, she saw Mr. Darcy walk into the -room. In an hurried manner he immediately began an inquiry after her -health, imputing his visit to a wish of hearing that she were better. -She answered him with cold civility. He sat down for a few moments, and -then getting up, walked about the room. Elizabeth was surprised, but -said not a word. After a silence of several minutes, he came towards her -in an agitated manner, and thus began: - -“In vain I have struggled. It will not do. My feelings will not be -repressed. You must allow me to tell you how ardently I admire and love -you.” - -Elizabeth's astonishment was beyond expression. She stared, coloured, -doubted, and was silent. This he considered sufficient encouragement; -and the avowal of all that he felt, and had long felt for her, -immediately followed. He spoke well; but there were feelings besides -those of the heart to be detailed; and he was not more eloquent on the -subject of tenderness than of pride. His sense of her inferiority--of -its being a degradation--of the family obstacles which had always -opposed to inclination, were dwelt on with a warmth which seemed due to -the consequence he was wounding, but was very unlikely to recommend his -suit. - -In spite of her deeply-rooted dislike, she could not be insensible to -the compliment of such a man's affection, and though her intentions did -not vary for an instant, she was at first sorry for the pain he was to -receive; till, roused to resentment by his subsequent language, she -lost all compassion in anger. She tried, however, to compose herself to -answer him with patience, when he should have done. He concluded with -representing to her the strength of that attachment which, in spite -of all his endeavours, he had found impossible to conquer; and with -expressing his hope that it would now be rewarded by her acceptance of -his hand. As he said this, she could easily see that he had no doubt -of a favourable answer. He _spoke_ of apprehension and anxiety, but -his countenance expressed real security. Such a circumstance could -only exasperate farther, and, when he ceased, the colour rose into her -cheeks, and she said: - -“In such cases as this, it is, I believe, the established mode to -express a sense of obligation for the sentiments avowed, however -unequally they may be returned. It is natural that obligation should -be felt, and if I could _feel_ gratitude, I would now thank you. But I -cannot--I have never desired your good opinion, and you have certainly -bestowed it most unwillingly. I am sorry to have occasioned pain to -anyone. It has been most unconsciously done, however, and I hope will be -of short duration. The feelings which, you tell me, have long prevented -the acknowledgment of your regard, can have little difficulty in -overcoming it after this explanation.” - -Mr. Darcy, who was leaning against the mantelpiece with his eyes fixed -on her face, seemed to catch her words with no less resentment than -surprise. His complexion became pale with anger, and the disturbance -of his mind was visible in every feature. He was struggling for the -appearance of composure, and would not open his lips till he believed -himself to have attained it. The pause was to Elizabeth's feelings -dreadful. At length, with a voice of forced calmness, he said: - -“And this is all the reply which I am to have the honour of expecting! -I might, perhaps, wish to be informed why, with so little _endeavour_ at -civility, I am thus rejected. But it is of small importance.” - -“I might as well inquire,” replied she, “why with so evident a desire -of offending and insulting me, you chose to tell me that you liked me -against your will, against your reason, and even against your character? -Was not this some excuse for incivility, if I _was_ uncivil? But I have -other provocations. You know I have. Had not my feelings decided against -you--had they been indifferent, or had they even been favourable, do you -think that any consideration would tempt me to accept the man who has -been the means of ruining, perhaps for ever, the happiness of a most -beloved sister?” - -As she pronounced these words, Mr. Darcy changed colour; but the emotion -was short, and he listened without attempting to interrupt her while she -continued: - -“I have every reason in the world to think ill of you. No motive can -excuse the unjust and ungenerous part you acted _there_. You dare not, -you cannot deny, that you have been the principal, if not the only means -of dividing them from each other--of exposing one to the censure of the -world for caprice and instability, and the other to its derision for -disappointed hopes, and involving them both in misery of the acutest -kind.” - -She paused, and saw with no slight indignation that he was listening -with an air which proved him wholly unmoved by any feeling of remorse. -He even looked at her with a smile of affected incredulity. - -“Can you deny that you have done it?” she repeated. - -With assumed tranquillity he then replied: “I have no wish of denying -that I did everything in my power to separate my friend from your -sister, or that I rejoice in my success. Towards _him_ I have been -kinder than towards myself.” - -Elizabeth disdained the appearance of noticing this civil reflection, -but its meaning did not escape, nor was it likely to conciliate her. - -“But it is not merely this affair,” she continued, “on which my dislike -is founded. Long before it had taken place my opinion of you was -decided. Your character was unfolded in the recital which I received -many months ago from Mr. Wickham. On this subject, what can you have to -say? In what imaginary act of friendship can you here defend yourself? -or under what misrepresentation can you here impose upon others?” - -“You take an eager interest in that gentleman's concerns,” said Darcy, -in a less tranquil tone, and with a heightened colour. - -“Who that knows what his misfortunes have been, can help feeling an -interest in him?” - -“His misfortunes!” repeated Darcy contemptuously; “yes, his misfortunes -have been great indeed.” - -“And of your infliction,” cried Elizabeth with energy. “You have reduced -him to his present state of poverty--comparative poverty. You have -withheld the advantages which you must know to have been designed for -him. You have deprived the best years of his life of that independence -which was no less his due than his desert. You have done all this! -and yet you can treat the mention of his misfortune with contempt and -ridicule.” - -“And this,” cried Darcy, as he walked with quick steps across the room, -“is your opinion of me! This is the estimation in which you hold me! -I thank you for explaining it so fully. My faults, according to this -calculation, are heavy indeed! But perhaps,” added he, stopping in -his walk, and turning towards her, “these offenses might have been -overlooked, had not your pride been hurt by my honest confession of the -scruples that had long prevented my forming any serious design. These -bitter accusations might have been suppressed, had I, with greater -policy, concealed my struggles, and flattered you into the belief of -my being impelled by unqualified, unalloyed inclination; by reason, by -reflection, by everything. But disguise of every sort is my abhorrence. -Nor am I ashamed of the feelings I related. They were natural and -just. Could you expect me to rejoice in the inferiority of your -connections?--to congratulate myself on the hope of relations, whose -condition in life is so decidedly beneath my own?” - -Elizabeth felt herself growing more angry every moment; yet she tried to -the utmost to speak with composure when she said: - -“You are mistaken, Mr. Darcy, if you suppose that the mode of your -declaration affected me in any other way, than as it spared me the concern -which I might have felt in refusing you, had you behaved in a more -gentlemanlike manner.” - -She saw him start at this, but he said nothing, and she continued: - -“You could not have made the offer of your hand in any possible way that -would have tempted me to accept it.” - -Again his astonishment was obvious; and he looked at her with an -expression of mingled incredulity and mortification. She went on: - -“From the very beginning--from the first moment, I may almost say--of -my acquaintance with you, your manners, impressing me with the fullest -belief of your arrogance, your conceit, and your selfish disdain of -the feelings of others, were such as to form the groundwork of -disapprobation on which succeeding events have built so immovable a -dislike; and I had not known you a month before I felt that you were the -last man in the world whom I could ever be prevailed on to marry.” - -“You have said quite enough, madam. I perfectly comprehend your -feelings, and have now only to be ashamed of what my own have been. -Forgive me for having taken up so much of your time, and accept my best -wishes for your health and happiness.” - -And with these words he hastily left the room, and Elizabeth heard him -the next moment open the front door and quit the house. - -The tumult of her mind, was now painfully great. She knew not how -to support herself, and from actual weakness sat down and cried for -half-an-hour. Her astonishment, as she reflected on what had passed, -was increased by every review of it. That she should receive an offer of -marriage from Mr. Darcy! That he should have been in love with her for -so many months! So much in love as to wish to marry her in spite of -all the objections which had made him prevent his friend's marrying -her sister, and which must appear at least with equal force in his -own case--was almost incredible! It was gratifying to have inspired -unconsciously so strong an affection. But his pride, his abominable -pride--his shameless avowal of what he had done with respect to -Jane--his unpardonable assurance in acknowledging, though he could -not justify it, and the unfeeling manner in which he had mentioned Mr. -Wickham, his cruelty towards whom he had not attempted to deny, soon -overcame the pity which the consideration of his attachment had for -a moment excited. She continued in very agitated reflections till the -sound of Lady Catherine's carriage made her feel how unequal she was to -encounter Charlotte's observation, and hurried her away to her room. - - - -Chapter 35 - - -Elizabeth awoke the next morning to the same thoughts and meditations -which had at length closed her eyes. She could not yet recover from the -surprise of what had happened; it was impossible to think of anything -else; and, totally indisposed for employment, she resolved, soon after -breakfast, to indulge herself in air and exercise. She was proceeding -directly to her favourite walk, when the recollection of Mr. Darcy's -sometimes coming there stopped her, and instead of entering the park, -she turned up the lane, which led farther from the turnpike-road. The -park paling was still the boundary on one side, and she soon passed one -of the gates into the ground. - -After walking two or three times along that part of the lane, she was -tempted, by the pleasantness of the morning, to stop at the gates and -look into the park. The five weeks which she had now passed in Kent had -made a great difference in the country, and every day was adding to the -verdure of the early trees. She was on the point of continuing her walk, -when she caught a glimpse of a gentleman within the sort of grove which -edged the park; he was moving that way; and, fearful of its being Mr. -Darcy, she was directly retreating. But the person who advanced was now -near enough to see her, and stepping forward with eagerness, pronounced -her name. She had turned away; but on hearing herself called, though -in a voice which proved it to be Mr. Darcy, she moved again towards the -gate. He had by that time reached it also, and, holding out a letter, -which she instinctively took, said, with a look of haughty composure, -“I have been walking in the grove some time in the hope of meeting you. -Will you do me the honour of reading that letter?” And then, with a -slight bow, turned again into the plantation, and was soon out of sight. - -With no expectation of pleasure, but with the strongest curiosity, -Elizabeth opened the letter, and, to her still increasing wonder, -perceived an envelope containing two sheets of letter-paper, written -quite through, in a very close hand. The envelope itself was likewise -full. Pursuing her way along the lane, she then began it. It was dated -from Rosings, at eight o'clock in the morning, and was as follows:-- - -“Be not alarmed, madam, on receiving this letter, by the apprehension -of its containing any repetition of those sentiments or renewal of those -offers which were last night so disgusting to you. I write without any -intention of paining you, or humbling myself, by dwelling on wishes -which, for the happiness of both, cannot be too soon forgotten; and the -effort which the formation and the perusal of this letter must occasion, -should have been spared, had not my character required it to be written -and read. You must, therefore, pardon the freedom with which I demand -your attention; your feelings, I know, will bestow it unwillingly, but I -demand it of your justice. - -“Two offenses of a very different nature, and by no means of equal -magnitude, you last night laid to my charge. The first mentioned was, -that, regardless of the sentiments of either, I had detached Mr. Bingley -from your sister, and the other, that I had, in defiance of various -claims, in defiance of honour and humanity, ruined the immediate -prosperity and blasted the prospects of Mr. Wickham. Wilfully and -wantonly to have thrown off the companion of my youth, the acknowledged -favourite of my father, a young man who had scarcely any other -dependence than on our patronage, and who had been brought up to expect -its exertion, would be a depravity, to which the separation of two young -persons, whose affection could be the growth of only a few weeks, could -bear no comparison. But from the severity of that blame which was last -night so liberally bestowed, respecting each circumstance, I shall hope -to be in the future secured, when the following account of my actions -and their motives has been read. If, in the explanation of them, which -is due to myself, I am under the necessity of relating feelings which -may be offensive to yours, I can only say that I am sorry. The necessity -must be obeyed, and further apology would be absurd. - -“I had not been long in Hertfordshire, before I saw, in common with -others, that Bingley preferred your elder sister to any other young -woman in the country. But it was not till the evening of the dance -at Netherfield that I had any apprehension of his feeling a serious -attachment. I had often seen him in love before. At that ball, while I -had the honour of dancing with you, I was first made acquainted, by Sir -William Lucas's accidental information, that Bingley's attentions to -your sister had given rise to a general expectation of their marriage. -He spoke of it as a certain event, of which the time alone could -be undecided. From that moment I observed my friend's behaviour -attentively; and I could then perceive that his partiality for Miss -Bennet was beyond what I had ever witnessed in him. Your sister I also -watched. Her look and manners were open, cheerful, and engaging as ever, -but without any symptom of peculiar regard, and I remained convinced -from the evening's scrutiny, that though she received his attentions -with pleasure, she did not invite them by any participation of -sentiment. If _you_ have not been mistaken here, _I_ must have been -in error. Your superior knowledge of your sister must make the latter -probable. If it be so, if I have been misled by such error to inflict -pain on her, your resentment has not been unreasonable. But I shall not -scruple to assert, that the serenity of your sister's countenance and -air was such as might have given the most acute observer a conviction -that, however amiable her temper, her heart was not likely to be -easily touched. That I was desirous of believing her indifferent is -certain--but I will venture to say that my investigation and decisions -are not usually influenced by my hopes or fears. I did not believe -her to be indifferent because I wished it; I believed it on impartial -conviction, as truly as I wished it in reason. My objections to the -marriage were not merely those which I last night acknowledged to have -the utmost force of passion to put aside, in my own case; the want of -connection could not be so great an evil to my friend as to me. But -there were other causes of repugnance; causes which, though still -existing, and existing to an equal degree in both instances, I had -myself endeavoured to forget, because they were not immediately before -me. These causes must be stated, though briefly. The situation of your -mother's family, though objectionable, was nothing in comparison to that -total want of propriety so frequently, so almost uniformly betrayed by -herself, by your three younger sisters, and occasionally even by your -father. Pardon me. It pains me to offend you. But amidst your concern -for the defects of your nearest relations, and your displeasure at this -representation of them, let it give you consolation to consider that, to -have conducted yourselves so as to avoid any share of the like censure, -is praise no less generally bestowed on you and your elder sister, than -it is honourable to the sense and disposition of both. I will only say -farther that from what passed that evening, my opinion of all parties -was confirmed, and every inducement heightened which could have led -me before, to preserve my friend from what I esteemed a most unhappy -connection. He left Netherfield for London, on the day following, as -you, I am certain, remember, with the design of soon returning. - -“The part which I acted is now to be explained. His sisters' uneasiness -had been equally excited with my own; our coincidence of feeling was -soon discovered, and, alike sensible that no time was to be lost in -detaching their brother, we shortly resolved on joining him directly in -London. We accordingly went--and there I readily engaged in the office -of pointing out to my friend the certain evils of such a choice. I -described, and enforced them earnestly. But, however this remonstrance -might have staggered or delayed his determination, I do not suppose -that it would ultimately have prevented the marriage, had it not been -seconded by the assurance that I hesitated not in giving, of your -sister's indifference. He had before believed her to return his -affection with sincere, if not with equal regard. But Bingley has great -natural modesty, with a stronger dependence on my judgement than on his -own. To convince him, therefore, that he had deceived himself, was -no very difficult point. To persuade him against returning into -Hertfordshire, when that conviction had been given, was scarcely the -work of a moment. I cannot blame myself for having done thus much. There -is but one part of my conduct in the whole affair on which I do not -reflect with satisfaction; it is that I condescended to adopt the -measures of art so far as to conceal from him your sister's being in -town. I knew it myself, as it was known to Miss Bingley; but her -brother is even yet ignorant of it. That they might have met without -ill consequence is perhaps probable; but his regard did not appear to me -enough extinguished for him to see her without some danger. Perhaps this -concealment, this disguise was beneath me; it is done, however, and it -was done for the best. On this subject I have nothing more to say, no -other apology to offer. If I have wounded your sister's feelings, it -was unknowingly done and though the motives which governed me may to -you very naturally appear insufficient, I have not yet learnt to condemn -them. - -“With respect to that other, more weighty accusation, of having injured -Mr. Wickham, I can only refute it by laying before you the whole of his -connection with my family. Of what he has _particularly_ accused me I -am ignorant; but of the truth of what I shall relate, I can summon more -than one witness of undoubted veracity. - -“Mr. Wickham is the son of a very respectable man, who had for many -years the management of all the Pemberley estates, and whose good -conduct in the discharge of his trust naturally inclined my father to -be of service to him; and on George Wickham, who was his godson, his -kindness was therefore liberally bestowed. My father supported him at -school, and afterwards at Cambridge--most important assistance, as his -own father, always poor from the extravagance of his wife, would have -been unable to give him a gentleman's education. My father was not only -fond of this young man's society, whose manners were always engaging; he -had also the highest opinion of him, and hoping the church would be -his profession, intended to provide for him in it. As for myself, it is -many, many years since I first began to think of him in a very different -manner. The vicious propensities--the want of principle, which he was -careful to guard from the knowledge of his best friend, could not escape -the observation of a young man of nearly the same age with himself, -and who had opportunities of seeing him in unguarded moments, which Mr. -Darcy could not have. Here again I shall give you pain--to what degree -you only can tell. But whatever may be the sentiments which Mr. Wickham -has created, a suspicion of their nature shall not prevent me from -unfolding his real character--it adds even another motive. - -“My excellent father died about five years ago; and his attachment to -Mr. Wickham was to the last so steady, that in his will he particularly -recommended it to me, to promote his advancement in the best manner -that his profession might allow--and if he took orders, desired that a -valuable family living might be his as soon as it became vacant. There -was also a legacy of one thousand pounds. His own father did not long -survive mine, and within half a year from these events, Mr. Wickham -wrote to inform me that, having finally resolved against taking orders, -he hoped I should not think it unreasonable for him to expect some more -immediate pecuniary advantage, in lieu of the preferment, by which he -could not be benefited. He had some intention, he added, of studying -law, and I must be aware that the interest of one thousand pounds would -be a very insufficient support therein. I rather wished, than believed -him to be sincere; but, at any rate, was perfectly ready to accede to -his proposal. I knew that Mr. Wickham ought not to be a clergyman; the -business was therefore soon settled--he resigned all claim to assistance -in the church, were it possible that he could ever be in a situation to -receive it, and accepted in return three thousand pounds. All connection -between us seemed now dissolved. I thought too ill of him to invite him -to Pemberley, or admit his society in town. In town I believe he chiefly -lived, but his studying the law was a mere pretence, and being now free -from all restraint, his life was a life of idleness and dissipation. -For about three years I heard little of him; but on the decease of the -incumbent of the living which had been designed for him, he applied to -me again by letter for the presentation. His circumstances, he assured -me, and I had no difficulty in believing it, were exceedingly bad. He -had found the law a most unprofitable study, and was now absolutely -resolved on being ordained, if I would present him to the living in -question--of which he trusted there could be little doubt, as he was -well assured that I had no other person to provide for, and I could not -have forgotten my revered father's intentions. You will hardly blame -me for refusing to comply with this entreaty, or for resisting every -repetition to it. His resentment was in proportion to the distress of -his circumstances--and he was doubtless as violent in his abuse of me -to others as in his reproaches to myself. After this period every -appearance of acquaintance was dropped. How he lived I know not. But -last summer he was again most painfully obtruded on my notice. - -“I must now mention a circumstance which I would wish to forget myself, -and which no obligation less than the present should induce me to unfold -to any human being. Having said thus much, I feel no doubt of your -secrecy. My sister, who is more than ten years my junior, was left to -the guardianship of my mother's nephew, Colonel Fitzwilliam, and myself. -About a year ago, she was taken from school, and an establishment formed -for her in London; and last summer she went with the lady who presided -over it, to Ramsgate; and thither also went Mr. Wickham, undoubtedly by -design; for there proved to have been a prior acquaintance between him -and Mrs. Younge, in whose character we were most unhappily deceived; and -by her connivance and aid, he so far recommended himself to Georgiana, -whose affectionate heart retained a strong impression of his kindness to -her as a child, that she was persuaded to believe herself in love, and -to consent to an elopement. She was then but fifteen, which must be her -excuse; and after stating her imprudence, I am happy to add, that I owed -the knowledge of it to herself. I joined them unexpectedly a day or two -before the intended elopement, and then Georgiana, unable to support the -idea of grieving and offending a brother whom she almost looked up to as -a father, acknowledged the whole to me. You may imagine what I felt and -how I acted. Regard for my sister's credit and feelings prevented -any public exposure; but I wrote to Mr. Wickham, who left the place -immediately, and Mrs. Younge was of course removed from her charge. Mr. -Wickham's chief object was unquestionably my sister's fortune, which -is thirty thousand pounds; but I cannot help supposing that the hope of -revenging himself on me was a strong inducement. His revenge would have -been complete indeed. - -“This, madam, is a faithful narrative of every event in which we have -been concerned together; and if you do not absolutely reject it as -false, you will, I hope, acquit me henceforth of cruelty towards Mr. -Wickham. I know not in what manner, under what form of falsehood he -had imposed on you; but his success is not perhaps to be wondered -at. Ignorant as you previously were of everything concerning either, -detection could not be in your power, and suspicion certainly not in -your inclination. - -“You may possibly wonder why all this was not told you last night; but -I was not then master enough of myself to know what could or ought to -be revealed. For the truth of everything here related, I can appeal more -particularly to the testimony of Colonel Fitzwilliam, who, from our -near relationship and constant intimacy, and, still more, as one of -the executors of my father's will, has been unavoidably acquainted -with every particular of these transactions. If your abhorrence of _me_ -should make _my_ assertions valueless, you cannot be prevented by -the same cause from confiding in my cousin; and that there may be -the possibility of consulting him, I shall endeavour to find some -opportunity of putting this letter in your hands in the course of the -morning. I will only add, God bless you. - -“FITZWILLIAM DARCY” - - - -Chapter 36 - - -If Elizabeth, when Mr. Darcy gave her the letter, did not expect it to -contain a renewal of his offers, she had formed no expectation at all of -its contents. But such as they were, it may well be supposed how eagerly -she went through them, and what a contrariety of emotion they excited. -Her feelings as she read were scarcely to be defined. With amazement did -she first understand that he believed any apology to be in his power; -and steadfastly was she persuaded, that he could have no explanation -to give, which a just sense of shame would not conceal. With a strong -prejudice against everything he might say, she began his account of what -had happened at Netherfield. She read with an eagerness which hardly -left her power of comprehension, and from impatience of knowing what the -next sentence might bring, was incapable of attending to the sense of -the one before her eyes. His belief of her sister's insensibility she -instantly resolved to be false; and his account of the real, the worst -objections to the match, made her too angry to have any wish of doing -him justice. He expressed no regret for what he had done which satisfied -her; his style was not penitent, but haughty. It was all pride and -insolence. - -But when this subject was succeeded by his account of Mr. Wickham--when -she read with somewhat clearer attention a relation of events which, -if true, must overthrow every cherished opinion of his worth, and which -bore so alarming an affinity to his own history of himself--her -feelings were yet more acutely painful and more difficult of definition. -Astonishment, apprehension, and even horror, oppressed her. She wished -to discredit it entirely, repeatedly exclaiming, “This must be false! -This cannot be! This must be the grossest falsehood!”--and when she had -gone through the whole letter, though scarcely knowing anything of the -last page or two, put it hastily away, protesting that she would not -regard it, that she would never look in it again. - -In this perturbed state of mind, with thoughts that could rest on -nothing, she walked on; but it would not do; in half a minute the letter -was unfolded again, and collecting herself as well as she could, she -again began the mortifying perusal of all that related to Wickham, and -commanded herself so far as to examine the meaning of every sentence. -The account of his connection with the Pemberley family was exactly what -he had related himself; and the kindness of the late Mr. Darcy, though -she had not before known its extent, agreed equally well with his own -words. So far each recital confirmed the other; but when she came to the -will, the difference was great. What Wickham had said of the living -was fresh in her memory, and as she recalled his very words, it was -impossible not to feel that there was gross duplicity on one side or the -other; and, for a few moments, she flattered herself that her wishes did -not err. But when she read and re-read with the closest attention, the -particulars immediately following of Wickham's resigning all pretensions -to the living, of his receiving in lieu so considerable a sum as three -thousand pounds, again was she forced to hesitate. She put down -the letter, weighed every circumstance with what she meant to be -impartiality--deliberated on the probability of each statement--but with -little success. On both sides it was only assertion. Again she read -on; but every line proved more clearly that the affair, which she had -believed it impossible that any contrivance could so represent as to -render Mr. Darcy's conduct in it less than infamous, was capable of a -turn which must make him entirely blameless throughout the whole. - -The extravagance and general profligacy which he scrupled not to lay at -Mr. Wickham's charge, exceedingly shocked her; the more so, as she could -bring no proof of its injustice. She had never heard of him before his -entrance into the ----shire Militia, in which he had engaged at the -persuasion of the young man who, on meeting him accidentally in town, -had there renewed a slight acquaintance. Of his former way of life -nothing had been known in Hertfordshire but what he told himself. As -to his real character, had information been in her power, she had -never felt a wish of inquiring. His countenance, voice, and manner had -established him at once in the possession of every virtue. She tried -to recollect some instance of goodness, some distinguished trait of -integrity or benevolence, that might rescue him from the attacks of -Mr. Darcy; or at least, by the predominance of virtue, atone for those -casual errors under which she would endeavour to class what Mr. Darcy -had described as the idleness and vice of many years' continuance. But -no such recollection befriended her. She could see him instantly before -her, in every charm of air and address; but she could remember no more -substantial good than the general approbation of the neighbourhood, and -the regard which his social powers had gained him in the mess. After -pausing on this point a considerable while, she once more continued to -read. But, alas! the story which followed, of his designs on Miss -Darcy, received some confirmation from what had passed between Colonel -Fitzwilliam and herself only the morning before; and at last she was -referred for the truth of every particular to Colonel Fitzwilliam -himself--from whom she had previously received the information of his -near concern in all his cousin's affairs, and whose character she had no -reason to question. At one time she had almost resolved on applying to -him, but the idea was checked by the awkwardness of the application, and -at length wholly banished by the conviction that Mr. Darcy would never -have hazarded such a proposal, if he had not been well assured of his -cousin's corroboration. - -She perfectly remembered everything that had passed in conversation -between Wickham and herself, in their first evening at Mr. Phillips's. -Many of his expressions were still fresh in her memory. She was _now_ -struck with the impropriety of such communications to a stranger, and -wondered it had escaped her before. She saw the indelicacy of putting -himself forward as he had done, and the inconsistency of his professions -with his conduct. She remembered that he had boasted of having no fear -of seeing Mr. Darcy--that Mr. Darcy might leave the country, but that -_he_ should stand his ground; yet he had avoided the Netherfield ball -the very next week. She remembered also that, till the Netherfield -family had quitted the country, he had told his story to no one but -herself; but that after their removal it had been everywhere discussed; -that he had then no reserves, no scruples in sinking Mr. Darcy's -character, though he had assured her that respect for the father would -always prevent his exposing the son. - -How differently did everything now appear in which he was concerned! -His attentions to Miss King were now the consequence of views solely and -hatefully mercenary; and the mediocrity of her fortune proved no longer -the moderation of his wishes, but his eagerness to grasp at anything. -His behaviour to herself could now have had no tolerable motive; he had -either been deceived with regard to her fortune, or had been gratifying -his vanity by encouraging the preference which she believed she had most -incautiously shown. Every lingering struggle in his favour grew fainter -and fainter; and in farther justification of Mr. Darcy, she could not -but allow that Mr. Bingley, when questioned by Jane, had long ago -asserted his blamelessness in the affair; that proud and repulsive as -were his manners, she had never, in the whole course of their -acquaintance--an acquaintance which had latterly brought them much -together, and given her a sort of intimacy with his ways--seen anything -that betrayed him to be unprincipled or unjust--anything that spoke him -of irreligious or immoral habits; that among his own connections he was -esteemed and valued--that even Wickham had allowed him merit as a -brother, and that she had often heard him speak so affectionately of his -sister as to prove him capable of _some_ amiable feeling; that had his -actions been what Mr. Wickham represented them, so gross a violation of -everything right could hardly have been concealed from the world; and -that friendship between a person capable of it, and such an amiable man -as Mr. Bingley, was incomprehensible. - -She grew absolutely ashamed of herself. Of neither Darcy nor Wickham -could she think without feeling she had been blind, partial, prejudiced, -absurd. - -“How despicably I have acted!” she cried; “I, who have prided myself -on my discernment! I, who have valued myself on my abilities! who have -often disdained the generous candour of my sister, and gratified -my vanity in useless or blameable mistrust! How humiliating is this -discovery! Yet, how just a humiliation! Had I been in love, I could -not have been more wretchedly blind! But vanity, not love, has been my -folly. Pleased with the preference of one, and offended by the neglect -of the other, on the very beginning of our acquaintance, I have courted -prepossession and ignorance, and driven reason away, where either were -concerned. Till this moment I never knew myself.” - -From herself to Jane--from Jane to Bingley, her thoughts were in a line -which soon brought to her recollection that Mr. Darcy's explanation -_there_ had appeared very insufficient, and she read it again. Widely -different was the effect of a second perusal. How could she deny that -credit to his assertions in one instance, which she had been obliged to -give in the other? He declared himself to be totally unsuspicious of her -sister's attachment; and she could not help remembering what Charlotte's -opinion had always been. Neither could she deny the justice of his -description of Jane. She felt that Jane's feelings, though fervent, were -little displayed, and that there was a constant complacency in her air -and manner not often united with great sensibility. - -When she came to that part of the letter in which her family were -mentioned in terms of such mortifying, yet merited reproach, her sense -of shame was severe. The justice of the charge struck her too forcibly -for denial, and the circumstances to which he particularly alluded as -having passed at the Netherfield ball, and as confirming all his first -disapprobation, could not have made a stronger impression on his mind -than on hers. - -The compliment to herself and her sister was not unfelt. It soothed, -but it could not console her for the contempt which had thus been -self-attracted by the rest of her family; and as she considered -that Jane's disappointment had in fact been the work of her nearest -relations, and reflected how materially the credit of both must be hurt -by such impropriety of conduct, she felt depressed beyond anything she -had ever known before. - -After wandering along the lane for two hours, giving way to every -variety of thought--re-considering events, determining probabilities, -and reconciling herself, as well as she could, to a change so sudden and -so important, fatigue, and a recollection of her long absence, made -her at length return home; and she entered the house with the wish -of appearing cheerful as usual, and the resolution of repressing such -reflections as must make her unfit for conversation. - -She was immediately told that the two gentlemen from Rosings had each -called during her absence; Mr. Darcy, only for a few minutes, to take -leave--but that Colonel Fitzwilliam had been sitting with them at least -an hour, hoping for her return, and almost resolving to walk after her -till she could be found. Elizabeth could but just _affect_ concern -in missing him; she really rejoiced at it. Colonel Fitzwilliam was no -longer an object; she could think only of her letter. - - - -Chapter 37 - - -The two gentlemen left Rosings the next morning, and Mr. Collins having -been in waiting near the lodges, to make them his parting obeisance, was -able to bring home the pleasing intelligence, of their appearing in very -good health, and in as tolerable spirits as could be expected, after the -melancholy scene so lately gone through at Rosings. To Rosings he then -hastened, to console Lady Catherine and her daughter; and on his return -brought back, with great satisfaction, a message from her ladyship, -importing that she felt herself so dull as to make her very desirous of -having them all to dine with her. - -Elizabeth could not see Lady Catherine without recollecting that, had -she chosen it, she might by this time have been presented to her as -her future niece; nor could she think, without a smile, of what her -ladyship's indignation would have been. “What would she have said? how -would she have behaved?” were questions with which she amused herself. - -Their first subject was the diminution of the Rosings party. “I assure -you, I feel it exceedingly,” said Lady Catherine; “I believe no one -feels the loss of friends so much as I do. But I am particularly -attached to these young men, and know them to be so much attached to -me! They were excessively sorry to go! But so they always are. The -dear Colonel rallied his spirits tolerably till just at last; but Darcy -seemed to feel it most acutely, more, I think, than last year. His -attachment to Rosings certainly increases.” - -Mr. Collins had a compliment, and an allusion to throw in here, which -were kindly smiled on by the mother and daughter. - -Lady Catherine observed, after dinner, that Miss Bennet seemed out of -spirits, and immediately accounting for it by herself, by supposing that -she did not like to go home again so soon, she added: - -“But if that is the case, you must write to your mother and beg that -you may stay a little longer. Mrs. Collins will be very glad of your -company, I am sure.” - -“I am much obliged to your ladyship for your kind invitation,” replied -Elizabeth, “but it is not in my power to accept it. I must be in town -next Saturday.” - -“Why, at that rate, you will have been here only six weeks. I expected -you to stay two months. I told Mrs. Collins so before you came. There -can be no occasion for your going so soon. Mrs. Bennet could certainly -spare you for another fortnight.” - -“But my father cannot. He wrote last week to hurry my return.” - -“Oh! your father of course may spare you, if your mother can. Daughters -are never of so much consequence to a father. And if you will stay -another _month_ complete, it will be in my power to take one of you as -far as London, for I am going there early in June, for a week; and as -Dawson does not object to the barouche-box, there will be very good room -for one of you--and indeed, if the weather should happen to be cool, I -should not object to taking you both, as you are neither of you large.” - -“You are all kindness, madam; but I believe we must abide by our -original plan.” - -Lady Catherine seemed resigned. “Mrs. Collins, you must send a servant -with them. You know I always speak my mind, and I cannot bear the idea -of two young women travelling post by themselves. It is highly improper. -You must contrive to send somebody. I have the greatest dislike in -the world to that sort of thing. Young women should always be properly -guarded and attended, according to their situation in life. When my -niece Georgiana went to Ramsgate last summer, I made a point of her -having two men-servants go with her. Miss Darcy, the daughter of -Mr. Darcy, of Pemberley, and Lady Anne, could not have appeared with -propriety in a different manner. I am excessively attentive to all those -things. You must send John with the young ladies, Mrs. Collins. I -am glad it occurred to me to mention it; for it would really be -discreditable to _you_ to let them go alone.” - -“My uncle is to send a servant for us.” - -“Oh! Your uncle! He keeps a man-servant, does he? I am very glad you -have somebody who thinks of these things. Where shall you change horses? -Oh! Bromley, of course. If you mention my name at the Bell, you will be -attended to.” - -Lady Catherine had many other questions to ask respecting their journey, -and as she did not answer them all herself, attention was necessary, -which Elizabeth believed to be lucky for her; or, with a mind so -occupied, she might have forgotten where she was. Reflection must be -reserved for solitary hours; whenever she was alone, she gave way to it -as the greatest relief; and not a day went by without a solitary -walk, in which she might indulge in all the delight of unpleasant -recollections. - -Mr. Darcy's letter she was in a fair way of soon knowing by heart. She -studied every sentence; and her feelings towards its writer were at -times widely different. When she remembered the style of his address, -she was still full of indignation; but when she considered how unjustly -she had condemned and upbraided him, her anger was turned against -herself; and his disappointed feelings became the object of compassion. -His attachment excited gratitude, his general character respect; but she -could not approve him; nor could she for a moment repent her refusal, -or feel the slightest inclination ever to see him again. In her own past -behaviour, there was a constant source of vexation and regret; and in -the unhappy defects of her family, a subject of yet heavier chagrin. -They were hopeless of remedy. Her father, contented with laughing at -them, would never exert himself to restrain the wild giddiness of his -youngest daughters; and her mother, with manners so far from right -herself, was entirely insensible of the evil. Elizabeth had frequently -united with Jane in an endeavour to check the imprudence of Catherine -and Lydia; but while they were supported by their mother's indulgence, -what chance could there be of improvement? Catherine, weak-spirited, -irritable, and completely under Lydia's guidance, had been always -affronted by their advice; and Lydia, self-willed and careless, would -scarcely give them a hearing. They were ignorant, idle, and vain. While -there was an officer in Meryton, they would flirt with him; and while -Meryton was within a walk of Longbourn, they would be going there -forever. - -Anxiety on Jane's behalf was another prevailing concern; and Mr. Darcy's -explanation, by restoring Bingley to all her former good opinion, -heightened the sense of what Jane had lost. His affection was proved -to have been sincere, and his conduct cleared of all blame, unless any -could attach to the implicitness of his confidence in his friend. How -grievous then was the thought that, of a situation so desirable in every -respect, so replete with advantage, so promising for happiness, Jane had -been deprived, by the folly and indecorum of her own family! - -When to these recollections was added the development of Wickham's -character, it may be easily believed that the happy spirits which had -seldom been depressed before, were now so much affected as to make it -almost impossible for her to appear tolerably cheerful. - -Their engagements at Rosings were as frequent during the last week of -her stay as they had been at first. The very last evening was spent -there; and her ladyship again inquired minutely into the particulars of -their journey, gave them directions as to the best method of packing, -and was so urgent on the necessity of placing gowns in the only right -way, that Maria thought herself obliged, on her return, to undo all the -work of the morning, and pack her trunk afresh. - -When they parted, Lady Catherine, with great condescension, wished them -a good journey, and invited them to come to Hunsford again next year; -and Miss de Bourgh exerted herself so far as to curtsey and hold out her -hand to both. - - - -Chapter 38 - - -On Saturday morning Elizabeth and Mr. Collins met for breakfast a few -minutes before the others appeared; and he took the opportunity of -paying the parting civilities which he deemed indispensably necessary. - -“I know not, Miss Elizabeth,” said he, “whether Mrs. Collins has yet -expressed her sense of your kindness in coming to us; but I am very -certain you will not leave the house without receiving her thanks for -it. The favour of your company has been much felt, I assure you. We -know how little there is to tempt anyone to our humble abode. Our plain -manner of living, our small rooms and few domestics, and the little we -see of the world, must make Hunsford extremely dull to a young lady like -yourself; but I hope you will believe us grateful for the condescension, -and that we have done everything in our power to prevent your spending -your time unpleasantly.” - -Elizabeth was eager with her thanks and assurances of happiness. She -had spent six weeks with great enjoyment; and the pleasure of being with -Charlotte, and the kind attentions she had received, must make _her_ -feel the obliged. Mr. Collins was gratified, and with a more smiling -solemnity replied: - -“It gives me great pleasure to hear that you have passed your time not -disagreeably. We have certainly done our best; and most fortunately -having it in our power to introduce you to very superior society, and, -from our connection with Rosings, the frequent means of varying the -humble home scene, I think we may flatter ourselves that your Hunsford -visit cannot have been entirely irksome. Our situation with regard to -Lady Catherine's family is indeed the sort of extraordinary advantage -and blessing which few can boast. You see on what a footing we are. You -see how continually we are engaged there. In truth I must acknowledge -that, with all the disadvantages of this humble parsonage, I should -not think anyone abiding in it an object of compassion, while they are -sharers of our intimacy at Rosings.” - -Words were insufficient for the elevation of his feelings; and he was -obliged to walk about the room, while Elizabeth tried to unite civility -and truth in a few short sentences. - -“You may, in fact, carry a very favourable report of us into -Hertfordshire, my dear cousin. I flatter myself at least that you will -be able to do so. Lady Catherine's great attentions to Mrs. Collins you -have been a daily witness of; and altogether I trust it does not appear -that your friend has drawn an unfortunate--but on this point it will be -as well to be silent. Only let me assure you, my dear Miss Elizabeth, -that I can from my heart most cordially wish you equal felicity in -marriage. My dear Charlotte and I have but one mind and one way of -thinking. There is in everything a most remarkable resemblance of -character and ideas between us. We seem to have been designed for each -other.” - -Elizabeth could safely say that it was a great happiness where that was -the case, and with equal sincerity could add, that she firmly believed -and rejoiced in his domestic comforts. She was not sorry, however, to -have the recital of them interrupted by the lady from whom they sprang. -Poor Charlotte! it was melancholy to leave her to such society! But she -had chosen it with her eyes open; and though evidently regretting that -her visitors were to go, she did not seem to ask for compassion. Her -home and her housekeeping, her parish and her poultry, and all their -dependent concerns, had not yet lost their charms. - -At length the chaise arrived, the trunks were fastened on, the parcels -placed within, and it was pronounced to be ready. After an affectionate -parting between the friends, Elizabeth was attended to the carriage by -Mr. Collins, and as they walked down the garden he was commissioning her -with his best respects to all her family, not forgetting his thanks -for the kindness he had received at Longbourn in the winter, and his -compliments to Mr. and Mrs. Gardiner, though unknown. He then handed her -in, Maria followed, and the door was on the point of being closed, -when he suddenly reminded them, with some consternation, that they had -hitherto forgotten to leave any message for the ladies at Rosings. - -“But,” he added, “you will of course wish to have your humble respects -delivered to them, with your grateful thanks for their kindness to you -while you have been here.” - -Elizabeth made no objection; the door was then allowed to be shut, and -the carriage drove off. - -“Good gracious!” cried Maria, after a few minutes' silence, “it seems -but a day or two since we first came! and yet how many things have -happened!” - -“A great many indeed,” said her companion with a sigh. - -“We have dined nine times at Rosings, besides drinking tea there twice! -How much I shall have to tell!” - -Elizabeth added privately, “And how much I shall have to conceal!” - -Their journey was performed without much conversation, or any alarm; and -within four hours of their leaving Hunsford they reached Mr. Gardiner's -house, where they were to remain a few days. - -Jane looked well, and Elizabeth had little opportunity of studying her -spirits, amidst the various engagements which the kindness of her -aunt had reserved for them. But Jane was to go home with her, and at -Longbourn there would be leisure enough for observation. - -It was not without an effort, meanwhile, that she could wait even for -Longbourn, before she told her sister of Mr. Darcy's proposals. To know -that she had the power of revealing what would so exceedingly astonish -Jane, and must, at the same time, so highly gratify whatever of her own -vanity she had not yet been able to reason away, was such a temptation -to openness as nothing could have conquered but the state of indecision -in which she remained as to the extent of what she should communicate; -and her fear, if she once entered on the subject, of being hurried -into repeating something of Bingley which might only grieve her sister -further. - - - -Chapter 39 - - -It was the second week in May, in which the three young ladies set out -together from Gracechurch Street for the town of ----, in Hertfordshire; -and, as they drew near the appointed inn where Mr. Bennet's carriage -was to meet them, they quickly perceived, in token of the coachman's -punctuality, both Kitty and Lydia looking out of a dining-room up stairs. -These two girls had been above an hour in the place, happily employed -in visiting an opposite milliner, watching the sentinel on guard, and -dressing a salad and cucumber. - -After welcoming their sisters, they triumphantly displayed a table set -out with such cold meat as an inn larder usually affords, exclaiming, -“Is not this nice? Is not this an agreeable surprise?” - -“And we mean to treat you all,” added Lydia, “but you must lend us the -money, for we have just spent ours at the shop out there.” Then, showing -her purchases--“Look here, I have bought this bonnet. I do not think -it is very pretty; but I thought I might as well buy it as not. I shall -pull it to pieces as soon as I get home, and see if I can make it up any -better.” - -And when her sisters abused it as ugly, she added, with perfect -unconcern, “Oh! but there were two or three much uglier in the shop; and -when I have bought some prettier-coloured satin to trim it with fresh, I -think it will be very tolerable. Besides, it will not much signify what -one wears this summer, after the ----shire have left Meryton, and they -are going in a fortnight.” - -“Are they indeed!” cried Elizabeth, with the greatest satisfaction. - -“They are going to be encamped near Brighton; and I do so want papa to -take us all there for the summer! It would be such a delicious scheme; -and I dare say would hardly cost anything at all. Mamma would like to -go too of all things! Only think what a miserable summer else we shall -have!” - -“Yes,” thought Elizabeth, “_that_ would be a delightful scheme indeed, -and completely do for us at once. Good Heaven! Brighton, and a whole -campful of soldiers, to us, who have been overset already by one poor -regiment of militia, and the monthly balls of Meryton!” - -“Now I have got some news for you,” said Lydia, as they sat down at -table. “What do you think? It is excellent news--capital news--and about -a certain person we all like!” - -Jane and Elizabeth looked at each other, and the waiter was told he need -not stay. Lydia laughed, and said: - -“Aye, that is just like your formality and discretion. You thought the -waiter must not hear, as if he cared! I dare say he often hears worse -things said than I am going to say. But he is an ugly fellow! I am glad -he is gone. I never saw such a long chin in my life. Well, but now for -my news; it is about dear Wickham; too good for the waiter, is it not? -There is no danger of Wickham's marrying Mary King. There's for you! She -is gone down to her uncle at Liverpool: gone to stay. Wickham is safe.” - -“And Mary King is safe!” added Elizabeth; “safe from a connection -imprudent as to fortune.” - -“She is a great fool for going away, if she liked him.” - -“But I hope there is no strong attachment on either side,” said Jane. - -“I am sure there is not on _his_. I will answer for it, he never cared -three straws about her--who could about such a nasty little freckled -thing?” - -Elizabeth was shocked to think that, however incapable of such -coarseness of _expression_ herself, the coarseness of the _sentiment_ -was little other than her own breast had harboured and fancied liberal! - -As soon as all had ate, and the elder ones paid, the carriage was -ordered; and after some contrivance, the whole party, with all their -boxes, work-bags, and parcels, and the unwelcome addition of Kitty's and -Lydia's purchases, were seated in it. - -“How nicely we are all crammed in,” cried Lydia. “I am glad I bought my -bonnet, if it is only for the fun of having another bandbox! Well, now -let us be quite comfortable and snug, and talk and laugh all the way -home. And in the first place, let us hear what has happened to you all -since you went away. Have you seen any pleasant men? Have you had any -flirting? I was in great hopes that one of you would have got a husband -before you came back. Jane will be quite an old maid soon, I declare. -She is almost three-and-twenty! Lord, how ashamed I should be of not -being married before three-and-twenty! My aunt Phillips wants you so to -get husbands, you can't think. She says Lizzy had better have taken Mr. -Collins; but _I_ do not think there would have been any fun in it. Lord! -how I should like to be married before any of you; and then I would -chaperon you about to all the balls. Dear me! we had such a good piece -of fun the other day at Colonel Forster's. Kitty and me were to spend -the day there, and Mrs. Forster promised to have a little dance in the -evening; (by the bye, Mrs. Forster and me are _such_ friends!) and so -she asked the two Harringtons to come, but Harriet was ill, and so Pen -was forced to come by herself; and then, what do you think we did? We -dressed up Chamberlayne in woman's clothes on purpose to pass for a -lady, only think what fun! Not a soul knew of it, but Colonel and Mrs. -Forster, and Kitty and me, except my aunt, for we were forced to borrow -one of her gowns; and you cannot imagine how well he looked! When Denny, -and Wickham, and Pratt, and two or three more of the men came in, they -did not know him in the least. Lord! how I laughed! and so did Mrs. -Forster. I thought I should have died. And _that_ made the men suspect -something, and then they soon found out what was the matter.” - -With such kinds of histories of their parties and good jokes, did -Lydia, assisted by Kitty's hints and additions, endeavour to amuse her -companions all the way to Longbourn. Elizabeth listened as little as she -could, but there was no escaping the frequent mention of Wickham's name. - -Their reception at home was most kind. Mrs. Bennet rejoiced to see Jane -in undiminished beauty; and more than once during dinner did Mr. Bennet -say voluntarily to Elizabeth: - -“I am glad you are come back, Lizzy.” - -Their party in the dining-room was large, for almost all the Lucases -came to meet Maria and hear the news; and various were the subjects that -occupied them: Lady Lucas was inquiring of Maria, after the welfare and -poultry of her eldest daughter; Mrs. Bennet was doubly engaged, on one -hand collecting an account of the present fashions from Jane, who sat -some way below her, and, on the other, retailing them all to the younger -Lucases; and Lydia, in a voice rather louder than any other person's, -was enumerating the various pleasures of the morning to anybody who -would hear her. - -“Oh! Mary,” said she, “I wish you had gone with us, for we had such fun! -As we went along, Kitty and I drew up the blinds, and pretended there -was nobody in the coach; and I should have gone so all the way, if Kitty -had not been sick; and when we got to the George, I do think we behaved -very handsomely, for we treated the other three with the nicest cold -luncheon in the world, and if you would have gone, we would have treated -you too. And then when we came away it was such fun! I thought we never -should have got into the coach. I was ready to die of laughter. And then -we were so merry all the way home! we talked and laughed so loud, that -anybody might have heard us ten miles off!” - -To this Mary very gravely replied, “Far be it from me, my dear sister, -to depreciate such pleasures! They would doubtless be congenial with the -generality of female minds. But I confess they would have no charms for -_me_--I should infinitely prefer a book.” - -But of this answer Lydia heard not a word. She seldom listened to -anybody for more than half a minute, and never attended to Mary at all. - -In the afternoon Lydia was urgent with the rest of the girls to walk -to Meryton, and to see how everybody went on; but Elizabeth steadily -opposed the scheme. It should not be said that the Miss Bennets could -not be at home half a day before they were in pursuit of the officers. -There was another reason too for her opposition. She dreaded seeing Mr. -Wickham again, and was resolved to avoid it as long as possible. The -comfort to _her_ of the regiment's approaching removal was indeed beyond -expression. In a fortnight they were to go--and once gone, she hoped -there could be nothing more to plague her on his account. - -She had not been many hours at home before she found that the Brighton -scheme, of which Lydia had given them a hint at the inn, was under -frequent discussion between her parents. Elizabeth saw directly that her -father had not the smallest intention of yielding; but his answers were -at the same time so vague and equivocal, that her mother, though often -disheartened, had never yet despaired of succeeding at last. - - - -Chapter 40 - - -Elizabeth's impatience to acquaint Jane with what had happened could -no longer be overcome; and at length, resolving to suppress every -particular in which her sister was concerned, and preparing her to be -surprised, she related to her the next morning the chief of the scene -between Mr. Darcy and herself. - -Miss Bennet's astonishment was soon lessened by the strong sisterly -partiality which made any admiration of Elizabeth appear perfectly -natural; and all surprise was shortly lost in other feelings. She was -sorry that Mr. Darcy should have delivered his sentiments in a manner so -little suited to recommend them; but still more was she grieved for the -unhappiness which her sister's refusal must have given him. - -“His being so sure of succeeding was wrong,” said she, “and certainly -ought not to have appeared; but consider how much it must increase his -disappointment!” - -“Indeed,” replied Elizabeth, “I am heartily sorry for him; but he has -other feelings, which will probably soon drive away his regard for me. -You do not blame me, however, for refusing him?” - -“Blame you! Oh, no.” - -“But you blame me for having spoken so warmly of Wickham?” - -“No--I do not know that you were wrong in saying what you did.” - -“But you _will_ know it, when I tell you what happened the very next -day.” - -She then spoke of the letter, repeating the whole of its contents as far -as they concerned George Wickham. What a stroke was this for poor Jane! -who would willingly have gone through the world without believing that -so much wickedness existed in the whole race of mankind, as was here -collected in one individual. Nor was Darcy's vindication, though -grateful to her feelings, capable of consoling her for such discovery. -Most earnestly did she labour to prove the probability of error, and -seek to clear the one without involving the other. - -“This will not do,” said Elizabeth; “you never will be able to make both -of them good for anything. Take your choice, but you must be satisfied -with only one. There is but such a quantity of merit between them; just -enough to make one good sort of man; and of late it has been shifting -about pretty much. For my part, I am inclined to believe it all Darcy's; -but you shall do as you choose.” - -It was some time, however, before a smile could be extorted from Jane. - -“I do not know when I have been more shocked,” said she. “Wickham so -very bad! It is almost past belief. And poor Mr. Darcy! Dear Lizzy, only -consider what he must have suffered. Such a disappointment! and with the -knowledge of your ill opinion, too! and having to relate such a thing -of his sister! It is really too distressing. I am sure you must feel it -so.” - -“Oh! no, my regret and compassion are all done away by seeing you so -full of both. I know you will do him such ample justice, that I am -growing every moment more unconcerned and indifferent. Your profusion -makes me saving; and if you lament over him much longer, my heart will -be as light as a feather.” - -“Poor Wickham! there is such an expression of goodness in his -countenance! such an openness and gentleness in his manner!” - -“There certainly was some great mismanagement in the education of those -two young men. One has got all the goodness, and the other all the -appearance of it.” - -“I never thought Mr. Darcy so deficient in the _appearance_ of it as you -used to do.” - -“And yet I meant to be uncommonly clever in taking so decided a dislike -to him, without any reason. It is such a spur to one's genius, such an -opening for wit, to have a dislike of that kind. One may be continually -abusive without saying anything just; but one cannot always be laughing -at a man without now and then stumbling on something witty.” - -“Lizzy, when you first read that letter, I am sure you could not treat -the matter as you do now.” - -“Indeed, I could not. I was uncomfortable enough, I may say unhappy. And -with no one to speak to about what I felt, no Jane to comfort me and say -that I had not been so very weak and vain and nonsensical as I knew I -had! Oh! how I wanted you!” - -“How unfortunate that you should have used such very strong expressions -in speaking of Wickham to Mr. Darcy, for now they _do_ appear wholly -undeserved.” - -“Certainly. But the misfortune of speaking with bitterness is a most -natural consequence of the prejudices I had been encouraging. There -is one point on which I want your advice. I want to be told whether I -ought, or ought not, to make our acquaintances in general understand -Wickham's character.” - -Miss Bennet paused a little, and then replied, “Surely there can be no -occasion for exposing him so dreadfully. What is your opinion?” - -“That it ought not to be attempted. Mr. Darcy has not authorised me -to make his communication public. On the contrary, every particular -relative to his sister was meant to be kept as much as possible to -myself; and if I endeavour to undeceive people as to the rest of his -conduct, who will believe me? The general prejudice against Mr. Darcy -is so violent, that it would be the death of half the good people in -Meryton to attempt to place him in an amiable light. I am not equal -to it. Wickham will soon be gone; and therefore it will not signify to -anyone here what he really is. Some time hence it will be all found out, -and then we may laugh at their stupidity in not knowing it before. At -present I will say nothing about it.” - -“You are quite right. To have his errors made public might ruin him for -ever. He is now, perhaps, sorry for what he has done, and anxious to -re-establish a character. We must not make him desperate.” - -The tumult of Elizabeth's mind was allayed by this conversation. She had -got rid of two of the secrets which had weighed on her for a fortnight, -and was certain of a willing listener in Jane, whenever she might wish -to talk again of either. But there was still something lurking behind, -of which prudence forbade the disclosure. She dared not relate the other -half of Mr. Darcy's letter, nor explain to her sister how sincerely she -had been valued by her friend. Here was knowledge in which no one -could partake; and she was sensible that nothing less than a perfect -understanding between the parties could justify her in throwing off -this last encumbrance of mystery. “And then,” said she, “if that very -improbable event should ever take place, I shall merely be able to -tell what Bingley may tell in a much more agreeable manner himself. The -liberty of communication cannot be mine till it has lost all its value!” - -She was now, on being settled at home, at leisure to observe the real -state of her sister's spirits. Jane was not happy. She still cherished a -very tender affection for Bingley. Having never even fancied herself -in love before, her regard had all the warmth of first attachment, -and, from her age and disposition, greater steadiness than most first -attachments often boast; and so fervently did she value his remembrance, -and prefer him to every other man, that all her good sense, and all her -attention to the feelings of her friends, were requisite to check the -indulgence of those regrets which must have been injurious to her own -health and their tranquillity. - -“Well, Lizzy,” said Mrs. Bennet one day, “what is your opinion _now_ of -this sad business of Jane's? For my part, I am determined never to speak -of it again to anybody. I told my sister Phillips so the other day. But -I cannot find out that Jane saw anything of him in London. Well, he is -a very undeserving young man--and I do not suppose there's the least -chance in the world of her ever getting him now. There is no talk of -his coming to Netherfield again in the summer; and I have inquired of -everybody, too, who is likely to know.” - -“I do not believe he will ever live at Netherfield any more.” - -“Oh well! it is just as he chooses. Nobody wants him to come. Though I -shall always say he used my daughter extremely ill; and if I was her, I -would not have put up with it. Well, my comfort is, I am sure Jane will -die of a broken heart; and then he will be sorry for what he has done.” - -But as Elizabeth could not receive comfort from any such expectation, -she made no answer. - -“Well, Lizzy,” continued her mother, soon afterwards, “and so the -Collinses live very comfortable, do they? Well, well, I only hope -it will last. And what sort of table do they keep? Charlotte is an -excellent manager, I dare say. If she is half as sharp as her -mother, she is saving enough. There is nothing extravagant in _their_ -housekeeping, I dare say.” - -“No, nothing at all.” - -“A great deal of good management, depend upon it. Yes, yes, _they_ will -take care not to outrun their income. _They_ will never be distressed -for money. Well, much good may it do them! And so, I suppose, they often -talk of having Longbourn when your father is dead. They look upon it as -quite their own, I dare say, whenever that happens.” - -“It was a subject which they could not mention before me.” - -“No; it would have been strange if they had; but I make no doubt they -often talk of it between themselves. Well, if they can be easy with an -estate that is not lawfully their own, so much the better. I should be -ashamed of having one that was only entailed on me.” - - - -Chapter 41 - - -The first week of their return was soon gone. The second began. It was -the last of the regiment's stay in Meryton, and all the young ladies -in the neighbourhood were drooping apace. The dejection was almost -universal. The elder Miss Bennets alone were still able to eat, drink, -and sleep, and pursue the usual course of their employments. Very -frequently were they reproached for this insensibility by Kitty and -Lydia, whose own misery was extreme, and who could not comprehend such -hard-heartedness in any of the family. - -“Good Heaven! what is to become of us? What are we to do?” would they -often exclaim in the bitterness of woe. “How can you be smiling so, -Lizzy?” - -Their affectionate mother shared all their grief; she remembered what -she had herself endured on a similar occasion, five-and-twenty years -ago. - -“I am sure,” said she, “I cried for two days together when Colonel -Miller's regiment went away. I thought I should have broken my heart.” - -“I am sure I shall break _mine_,” said Lydia. - -“If one could but go to Brighton!” observed Mrs. Bennet. - -“Oh, yes!--if one could but go to Brighton! But papa is so -disagreeable.” - -“A little sea-bathing would set me up forever.” - -“And my aunt Phillips is sure it would do _me_ a great deal of good,” - added Kitty. - -Such were the kind of lamentations resounding perpetually through -Longbourn House. Elizabeth tried to be diverted by them; but all sense -of pleasure was lost in shame. She felt anew the justice of Mr. Darcy's -objections; and never had she been so much disposed to pardon his -interference in the views of his friend. - -But the gloom of Lydia's prospect was shortly cleared away; for she -received an invitation from Mrs. Forster, the wife of the colonel of -the regiment, to accompany her to Brighton. This invaluable friend was a -very young woman, and very lately married. A resemblance in good humour -and good spirits had recommended her and Lydia to each other, and out of -their _three_ months' acquaintance they had been intimate _two_. - -The rapture of Lydia on this occasion, her adoration of Mrs. Forster, -the delight of Mrs. Bennet, and the mortification of Kitty, are scarcely -to be described. Wholly inattentive to her sister's feelings, Lydia -flew about the house in restless ecstasy, calling for everyone's -congratulations, and laughing and talking with more violence than ever; -whilst the luckless Kitty continued in the parlour repined at her fate -in terms as unreasonable as her accent was peevish. - -“I cannot see why Mrs. Forster should not ask _me_ as well as Lydia,” - said she, “Though I am _not_ her particular friend. I have just as much -right to be asked as she has, and more too, for I am two years older.” - -In vain did Elizabeth attempt to make her reasonable, and Jane to make -her resigned. As for Elizabeth herself, this invitation was so far from -exciting in her the same feelings as in her mother and Lydia, that she -considered it as the death warrant of all possibility of common sense -for the latter; and detestable as such a step must make her were it -known, she could not help secretly advising her father not to let her -go. She represented to him all the improprieties of Lydia's general -behaviour, the little advantage she could derive from the friendship of -such a woman as Mrs. Forster, and the probability of her being yet more -imprudent with such a companion at Brighton, where the temptations must -be greater than at home. He heard her attentively, and then said: - -“Lydia will never be easy until she has exposed herself in some public -place or other, and we can never expect her to do it with so -little expense or inconvenience to her family as under the present -circumstances.” - -“If you were aware,” said Elizabeth, “of the very great disadvantage to -us all which must arise from the public notice of Lydia's unguarded and -imprudent manner--nay, which has already arisen from it, I am sure you -would judge differently in the affair.” - -“Already arisen?” repeated Mr. Bennet. “What, has she frightened away -some of your lovers? Poor little Lizzy! But do not be cast down. Such -squeamish youths as cannot bear to be connected with a little absurdity -are not worth a regret. Come, let me see the list of pitiful fellows who -have been kept aloof by Lydia's folly.” - -“Indeed you are mistaken. I have no such injuries to resent. It is not -of particular, but of general evils, which I am now complaining. Our -importance, our respectability in the world must be affected by the -wild volatility, the assurance and disdain of all restraint which mark -Lydia's character. Excuse me, for I must speak plainly. If you, my dear -father, will not take the trouble of checking her exuberant spirits, and -of teaching her that her present pursuits are not to be the business of -her life, she will soon be beyond the reach of amendment. Her character -will be fixed, and she will, at sixteen, be the most determined flirt -that ever made herself or her family ridiculous; a flirt, too, in the -worst and meanest degree of flirtation; without any attraction beyond -youth and a tolerable person; and, from the ignorance and emptiness -of her mind, wholly unable to ward off any portion of that universal -contempt which her rage for admiration will excite. In this danger -Kitty also is comprehended. She will follow wherever Lydia leads. Vain, -ignorant, idle, and absolutely uncontrolled! Oh! my dear father, can you -suppose it possible that they will not be censured and despised wherever -they are known, and that their sisters will not be often involved in the -disgrace?” - -Mr. Bennet saw that her whole heart was in the subject, and -affectionately taking her hand said in reply: - -“Do not make yourself uneasy, my love. Wherever you and Jane are known -you must be respected and valued; and you will not appear to less -advantage for having a couple of--or I may say, three--very silly -sisters. We shall have no peace at Longbourn if Lydia does not go to -Brighton. Let her go, then. Colonel Forster is a sensible man, and will -keep her out of any real mischief; and she is luckily too poor to be an -object of prey to anybody. At Brighton she will be of less importance -even as a common flirt than she has been here. The officers will find -women better worth their notice. Let us hope, therefore, that her being -there may teach her her own insignificance. At any rate, she cannot grow -many degrees worse, without authorising us to lock her up for the rest -of her life.” - -With this answer Elizabeth was forced to be content; but her own opinion -continued the same, and she left him disappointed and sorry. It was not -in her nature, however, to increase her vexations by dwelling on -them. She was confident of having performed her duty, and to fret -over unavoidable evils, or augment them by anxiety, was no part of her -disposition. - -Had Lydia and her mother known the substance of her conference with her -father, their indignation would hardly have found expression in their -united volubility. In Lydia's imagination, a visit to Brighton comprised -every possibility of earthly happiness. She saw, with the creative eye -of fancy, the streets of that gay bathing-place covered with officers. -She saw herself the object of attention, to tens and to scores of them -at present unknown. She saw all the glories of the camp--its tents -stretched forth in beauteous uniformity of lines, crowded with the young -and the gay, and dazzling with scarlet; and, to complete the view, she -saw herself seated beneath a tent, tenderly flirting with at least six -officers at once. - -Had she known her sister sought to tear her from such prospects and such -realities as these, what would have been her sensations? They could have -been understood only by her mother, who might have felt nearly the same. -Lydia's going to Brighton was all that consoled her for her melancholy -conviction of her husband's never intending to go there himself. - -But they were entirely ignorant of what had passed; and their raptures -continued, with little intermission, to the very day of Lydia's leaving -home. - -Elizabeth was now to see Mr. Wickham for the last time. Having been -frequently in company with him since her return, agitation was pretty -well over; the agitations of former partiality entirely so. She had even -learnt to detect, in the very gentleness which had first delighted -her, an affectation and a sameness to disgust and weary. In his present -behaviour to herself, moreover, she had a fresh source of displeasure, -for the inclination he soon testified of renewing those intentions which -had marked the early part of their acquaintance could only serve, after -what had since passed, to provoke her. She lost all concern for him in -finding herself thus selected as the object of such idle and frivolous -gallantry; and while she steadily repressed it, could not but feel the -reproof contained in his believing, that however long, and for whatever -cause, his attentions had been withdrawn, her vanity would be gratified, -and her preference secured at any time by their renewal. - -On the very last day of the regiment's remaining at Meryton, he dined, -with other of the officers, at Longbourn; and so little was Elizabeth -disposed to part from him in good humour, that on his making some -inquiry as to the manner in which her time had passed at Hunsford, she -mentioned Colonel Fitzwilliam's and Mr. Darcy's having both spent three -weeks at Rosings, and asked him, if he was acquainted with the former. - -He looked surprised, displeased, alarmed; but with a moment's -recollection and a returning smile, replied, that he had formerly seen -him often; and, after observing that he was a very gentlemanlike man, -asked her how she had liked him. Her answer was warmly in his favour. -With an air of indifference he soon afterwards added: - -“How long did you say he was at Rosings?” - -“Nearly three weeks.” - -“And you saw him frequently?” - -“Yes, almost every day.” - -“His manners are very different from his cousin's.” - -“Yes, very different. But I think Mr. Darcy improves upon acquaintance.” - -“Indeed!” cried Mr. Wickham with a look which did not escape her. “And -pray, may I ask?--” But checking himself, he added, in a gayer tone, “Is -it in address that he improves? Has he deigned to add aught of civility -to his ordinary style?--for I dare not hope,” he continued in a lower -and more serious tone, “that he is improved in essentials.” - -“Oh, no!” said Elizabeth. “In essentials, I believe, he is very much -what he ever was.” - -While she spoke, Wickham looked as if scarcely knowing whether to -rejoice over her words, or to distrust their meaning. There was a -something in her countenance which made him listen with an apprehensive -and anxious attention, while she added: - -“When I said that he improved on acquaintance, I did not mean that -his mind or his manners were in a state of improvement, but that, from -knowing him better, his disposition was better understood.” - -Wickham's alarm now appeared in a heightened complexion and agitated -look; for a few minutes he was silent, till, shaking off his -embarrassment, he turned to her again, and said in the gentlest of -accents: - -“You, who so well know my feeling towards Mr. Darcy, will readily -comprehend how sincerely I must rejoice that he is wise enough to assume -even the _appearance_ of what is right. His pride, in that direction, -may be of service, if not to himself, to many others, for it must only -deter him from such foul misconduct as I have suffered by. I only -fear that the sort of cautiousness to which you, I imagine, have been -alluding, is merely adopted on his visits to his aunt, of whose good -opinion and judgement he stands much in awe. His fear of her has always -operated, I know, when they were together; and a good deal is to be -imputed to his wish of forwarding the match with Miss de Bourgh, which I -am certain he has very much at heart.” - -Elizabeth could not repress a smile at this, but she answered only by a -slight inclination of the head. She saw that he wanted to engage her on -the old subject of his grievances, and she was in no humour to indulge -him. The rest of the evening passed with the _appearance_, on his -side, of usual cheerfulness, but with no further attempt to distinguish -Elizabeth; and they parted at last with mutual civility, and possibly a -mutual desire of never meeting again. - -When the party broke up, Lydia returned with Mrs. Forster to Meryton, -from whence they were to set out early the next morning. The separation -between her and her family was rather noisy than pathetic. Kitty was the -only one who shed tears; but she did weep from vexation and envy. Mrs. -Bennet was diffuse in her good wishes for the felicity of her daughter, -and impressive in her injunctions that she should not miss the -opportunity of enjoying herself as much as possible--advice which -there was every reason to believe would be well attended to; and in -the clamorous happiness of Lydia herself in bidding farewell, the more -gentle adieus of her sisters were uttered without being heard. - - - -Chapter 42 - - -Had Elizabeth's opinion been all drawn from her own family, she could -not have formed a very pleasing opinion of conjugal felicity or domestic -comfort. Her father, captivated by youth and beauty, and that appearance -of good humour which youth and beauty generally give, had married a -woman whose weak understanding and illiberal mind had very early in -their marriage put an end to all real affection for her. Respect, -esteem, and confidence had vanished for ever; and all his views -of domestic happiness were overthrown. But Mr. Bennet was not of -a disposition to seek comfort for the disappointment which his own -imprudence had brought on, in any of those pleasures which too often -console the unfortunate for their folly or their vice. He was fond of -the country and of books; and from these tastes had arisen his principal -enjoyments. To his wife he was very little otherwise indebted, than as -her ignorance and folly had contributed to his amusement. This is not -the sort of happiness which a man would in general wish to owe to his -wife; but where other powers of entertainment are wanting, the true -philosopher will derive benefit from such as are given. - -Elizabeth, however, had never been blind to the impropriety of her -father's behaviour as a husband. She had always seen it with pain; but -respecting his abilities, and grateful for his affectionate treatment of -herself, she endeavoured to forget what she could not overlook, and to -banish from her thoughts that continual breach of conjugal obligation -and decorum which, in exposing his wife to the contempt of her own -children, was so highly reprehensible. But she had never felt so -strongly as now the disadvantages which must attend the children of so -unsuitable a marriage, nor ever been so fully aware of the evils arising -from so ill-judged a direction of talents; talents, which, rightly used, -might at least have preserved the respectability of his daughters, even -if incapable of enlarging the mind of his wife. - -When Elizabeth had rejoiced over Wickham's departure she found little -other cause for satisfaction in the loss of the regiment. Their parties -abroad were less varied than before, and at home she had a mother and -sister whose constant repinings at the dullness of everything around -them threw a real gloom over their domestic circle; and, though Kitty -might in time regain her natural degree of sense, since the disturbers -of her brain were removed, her other sister, from whose disposition -greater evil might be apprehended, was likely to be hardened in all -her folly and assurance by a situation of such double danger as a -watering-place and a camp. Upon the whole, therefore, she found, what -has been sometimes found before, that an event to which she had been -looking with impatient desire did not, in taking place, bring all the -satisfaction she had promised herself. It was consequently necessary to -name some other period for the commencement of actual felicity--to have -some other point on which her wishes and hopes might be fixed, and by -again enjoying the pleasure of anticipation, console herself for the -present, and prepare for another disappointment. Her tour to the Lakes -was now the object of her happiest thoughts; it was her best consolation -for all the uncomfortable hours which the discontentedness of her mother -and Kitty made inevitable; and could she have included Jane in the -scheme, every part of it would have been perfect. - -“But it is fortunate,” thought she, “that I have something to wish for. -Were the whole arrangement complete, my disappointment would be certain. -But here, by carrying with me one ceaseless source of regret in my -sister's absence, I may reasonably hope to have all my expectations of -pleasure realised. A scheme of which every part promises delight can -never be successful; and general disappointment is only warded off by -the defence of some little peculiar vexation.” - -When Lydia went away she promised to write very often and very minutely -to her mother and Kitty; but her letters were always long expected, and -always very short. Those to her mother contained little else than that -they were just returned from the library, where such and such officers -had attended them, and where she had seen such beautiful ornaments as -made her quite wild; that she had a new gown, or a new parasol, which -she would have described more fully, but was obliged to leave off in a -violent hurry, as Mrs. Forster called her, and they were going off to -the camp; and from her correspondence with her sister, there was still -less to be learnt--for her letters to Kitty, though rather longer, were -much too full of lines under the words to be made public. - -After the first fortnight or three weeks of her absence, health, good -humour, and cheerfulness began to reappear at Longbourn. Everything wore -a happier aspect. The families who had been in town for the winter came -back again, and summer finery and summer engagements arose. Mrs. Bennet -was restored to her usual querulous serenity; and, by the middle of -June, Kitty was so much recovered as to be able to enter Meryton without -tears; an event of such happy promise as to make Elizabeth hope that by -the following Christmas she might be so tolerably reasonable as not to -mention an officer above once a day, unless, by some cruel and malicious -arrangement at the War Office, another regiment should be quartered in -Meryton. - -The time fixed for the beginning of their northern tour was now fast -approaching, and a fortnight only was wanting of it, when a letter -arrived from Mrs. Gardiner, which at once delayed its commencement and -curtailed its extent. Mr. Gardiner would be prevented by business from -setting out till a fortnight later in July, and must be in London again -within a month, and as that left too short a period for them to go so -far, and see so much as they had proposed, or at least to see it with -the leisure and comfort they had built on, they were obliged to give up -the Lakes, and substitute a more contracted tour, and, according to the -present plan, were to go no farther northwards than Derbyshire. In that -county there was enough to be seen to occupy the chief of their three -weeks; and to Mrs. Gardiner it had a peculiarly strong attraction. The -town where she had formerly passed some years of her life, and where -they were now to spend a few days, was probably as great an object of -her curiosity as all the celebrated beauties of Matlock, Chatsworth, -Dovedale, or the Peak. - -Elizabeth was excessively disappointed; she had set her heart on seeing -the Lakes, and still thought there might have been time enough. But it -was her business to be satisfied--and certainly her temper to be happy; -and all was soon right again. - -With the mention of Derbyshire there were many ideas connected. It was -impossible for her to see the word without thinking of Pemberley and its -owner. “But surely,” said she, “I may enter his county with impunity, -and rob it of a few petrified spars without his perceiving me.” - -The period of expectation was now doubled. Four weeks were to pass away -before her uncle and aunt's arrival. But they did pass away, and Mr. -and Mrs. Gardiner, with their four children, did at length appear at -Longbourn. The children, two girls of six and eight years old, and two -younger boys, were to be left under the particular care of their -cousin Jane, who was the general favourite, and whose steady sense and -sweetness of temper exactly adapted her for attending to them in every -way--teaching them, playing with them, and loving them. - -The Gardiners stayed only one night at Longbourn, and set off the -next morning with Elizabeth in pursuit of novelty and amusement. -One enjoyment was certain--that of suitableness of companions; -a suitableness which comprehended health and temper to bear -inconveniences--cheerfulness to enhance every pleasure--and affection -and intelligence, which might supply it among themselves if there were -disappointments abroad. - -It is not the object of this work to give a description of Derbyshire, -nor of any of the remarkable places through which their route thither -lay; Oxford, Blenheim, Warwick, Kenilworth, Birmingham, etc. are -sufficiently known. A small part of Derbyshire is all the present -concern. To the little town of Lambton, the scene of Mrs. Gardiner's -former residence, and where she had lately learned some acquaintance -still remained, they bent their steps, after having seen all the -principal wonders of the country; and within five miles of Lambton, -Elizabeth found from her aunt that Pemberley was situated. It was not -in their direct road, nor more than a mile or two out of it. In -talking over their route the evening before, Mrs. Gardiner expressed -an inclination to see the place again. Mr. Gardiner declared his -willingness, and Elizabeth was applied to for her approbation. - -“My love, should not you like to see a place of which you have heard -so much?” said her aunt; “a place, too, with which so many of your -acquaintances are connected. Wickham passed all his youth there, you -know.” - -Elizabeth was distressed. She felt that she had no business at -Pemberley, and was obliged to assume a disinclination for seeing it. She -must own that she was tired of seeing great houses; after going over so -many, she really had no pleasure in fine carpets or satin curtains. - -Mrs. Gardiner abused her stupidity. “If it were merely a fine house -richly furnished,” said she, “I should not care about it myself; but -the grounds are delightful. They have some of the finest woods in the -country.” - -Elizabeth said no more--but her mind could not acquiesce. The -possibility of meeting Mr. Darcy, while viewing the place, instantly -occurred. It would be dreadful! She blushed at the very idea, and -thought it would be better to speak openly to her aunt than to run such -a risk. But against this there were objections; and she finally resolved -that it could be the last resource, if her private inquiries to the -absence of the family were unfavourably answered. - -Accordingly, when she retired at night, she asked the chambermaid -whether Pemberley were not a very fine place? what was the name of its -proprietor? and, with no little alarm, whether the family were down for -the summer? A most welcome negative followed the last question--and her -alarms now being removed, she was at leisure to feel a great deal of -curiosity to see the house herself; and when the subject was revived the -next morning, and she was again applied to, could readily answer, and -with a proper air of indifference, that she had not really any dislike -to the scheme. To Pemberley, therefore, they were to go. - - - -Chapter 43 - - -Elizabeth, as they drove along, watched for the first appearance of -Pemberley Woods with some perturbation; and when at length they turned -in at the lodge, her spirits were in a high flutter. - -The park was very large, and contained great variety of ground. They -entered it in one of its lowest points, and drove for some time through -a beautiful wood stretching over a wide extent. - -Elizabeth's mind was too full for conversation, but she saw and admired -every remarkable spot and point of view. They gradually ascended for -half-a-mile, and then found themselves at the top of a considerable -eminence, where the wood ceased, and the eye was instantly caught by -Pemberley House, situated on the opposite side of a valley, into which -the road with some abruptness wound. It was a large, handsome stone -building, standing well on rising ground, and backed by a ridge of -high woody hills; and in front, a stream of some natural importance was -swelled into greater, but without any artificial appearance. Its banks -were neither formal nor falsely adorned. Elizabeth was delighted. She -had never seen a place for which nature had done more, or where natural -beauty had been so little counteracted by an awkward taste. They were -all of them warm in their admiration; and at that moment she felt that -to be mistress of Pemberley might be something! - -They descended the hill, crossed the bridge, and drove to the door; and, -while examining the nearer aspect of the house, all her apprehension of -meeting its owner returned. She dreaded lest the chambermaid had been -mistaken. On applying to see the place, they were admitted into the -hall; and Elizabeth, as they waited for the housekeeper, had leisure to -wonder at her being where she was. - -The housekeeper came; a respectable-looking elderly woman, much less -fine, and more civil, than she had any notion of finding her. They -followed her into the dining-parlour. It was a large, well proportioned -room, handsomely fitted up. Elizabeth, after slightly surveying it, went -to a window to enjoy its prospect. The hill, crowned with wood, which -they had descended, receiving increased abruptness from the distance, -was a beautiful object. Every disposition of the ground was good; and -she looked on the whole scene, the river, the trees scattered on its -banks and the winding of the valley, as far as she could trace it, -with delight. As they passed into other rooms these objects were taking -different positions; but from every window there were beauties to be -seen. The rooms were lofty and handsome, and their furniture suitable to -the fortune of its proprietor; but Elizabeth saw, with admiration of -his taste, that it was neither gaudy nor uselessly fine; with less of -splendour, and more real elegance, than the furniture of Rosings. - -“And of this place,” thought she, “I might have been mistress! With -these rooms I might now have been familiarly acquainted! Instead of -viewing them as a stranger, I might have rejoiced in them as my own, and -welcomed to them as visitors my uncle and aunt. But no,”--recollecting -herself--“that could never be; my uncle and aunt would have been lost to -me; I should not have been allowed to invite them.” - -This was a lucky recollection--it saved her from something very like -regret. - -She longed to inquire of the housekeeper whether her master was really -absent, but had not the courage for it. At length however, the question -was asked by her uncle; and she turned away with alarm, while Mrs. -Reynolds replied that he was, adding, “But we expect him to-morrow, with -a large party of friends.” How rejoiced was Elizabeth that their own -journey had not by any circumstance been delayed a day! - -Her aunt now called her to look at a picture. She approached and saw the -likeness of Mr. Wickham, suspended, amongst several other miniatures, -over the mantelpiece. Her aunt asked her, smilingly, how she liked it. -The housekeeper came forward, and told them it was a picture of a young -gentleman, the son of her late master's steward, who had been brought -up by him at his own expense. “He is now gone into the army,” she added; -“but I am afraid he has turned out very wild.” - -Mrs. Gardiner looked at her niece with a smile, but Elizabeth could not -return it. - -“And that,” said Mrs. Reynolds, pointing to another of the miniatures, -“is my master--and very like him. It was drawn at the same time as the -other--about eight years ago.” - -“I have heard much of your master's fine person,” said Mrs. Gardiner, -looking at the picture; “it is a handsome face. But, Lizzy, you can tell -us whether it is like or not.” - -Mrs. Reynolds respect for Elizabeth seemed to increase on this -intimation of her knowing her master. - -“Does that young lady know Mr. Darcy?” - -Elizabeth coloured, and said: “A little.” - -“And do not you think him a very handsome gentleman, ma'am?” - -“Yes, very handsome.” - -“I am sure I know none so handsome; but in the gallery up stairs you -will see a finer, larger picture of him than this. This room was my late -master's favourite room, and these miniatures are just as they used to -be then. He was very fond of them.” - -This accounted to Elizabeth for Mr. Wickham's being among them. - -Mrs. Reynolds then directed their attention to one of Miss Darcy, drawn -when she was only eight years old. - -“And is Miss Darcy as handsome as her brother?” said Mrs. Gardiner. - -“Oh! yes--the handsomest young lady that ever was seen; and so -accomplished!--She plays and sings all day long. In the next room is -a new instrument just come down for her--a present from my master; she -comes here to-morrow with him.” - -Mr. Gardiner, whose manners were very easy and pleasant, encouraged her -communicativeness by his questions and remarks; Mrs. Reynolds, either -by pride or attachment, had evidently great pleasure in talking of her -master and his sister. - -“Is your master much at Pemberley in the course of the year?” - -“Not so much as I could wish, sir; but I dare say he may spend half his -time here; and Miss Darcy is always down for the summer months.” - -“Except,” thought Elizabeth, “when she goes to Ramsgate.” - -“If your master would marry, you might see more of him.” - -“Yes, sir; but I do not know when _that_ will be. I do not know who is -good enough for him.” - -Mr. and Mrs. Gardiner smiled. Elizabeth could not help saying, “It is -very much to his credit, I am sure, that you should think so.” - -“I say no more than the truth, and everybody will say that knows him,” - replied the other. Elizabeth thought this was going pretty far; and she -listened with increasing astonishment as the housekeeper added, “I have -never known a cross word from him in my life, and I have known him ever -since he was four years old.” - -This was praise, of all others most extraordinary, most opposite to her -ideas. That he was not a good-tempered man had been her firmest opinion. -Her keenest attention was awakened; she longed to hear more, and was -grateful to her uncle for saying: - -“There are very few people of whom so much can be said. You are lucky in -having such a master.” - -“Yes, sir, I know I am. If I were to go through the world, I could -not meet with a better. But I have always observed, that they who are -good-natured when children, are good-natured when they grow up; and -he was always the sweetest-tempered, most generous-hearted boy in the -world.” - -Elizabeth almost stared at her. “Can this be Mr. Darcy?” thought she. - -“His father was an excellent man,” said Mrs. Gardiner. - -“Yes, ma'am, that he was indeed; and his son will be just like him--just -as affable to the poor.” - -Elizabeth listened, wondered, doubted, and was impatient for more. Mrs. -Reynolds could interest her on no other point. She related the subjects -of the pictures, the dimensions of the rooms, and the price of the -furniture, in vain. Mr. Gardiner, highly amused by the kind of family -prejudice to which he attributed her excessive commendation of her -master, soon led again to the subject; and she dwelt with energy on his -many merits as they proceeded together up the great staircase. - -“He is the best landlord, and the best master,” said she, “that ever -lived; not like the wild young men nowadays, who think of nothing but -themselves. There is not one of his tenants or servants but will give -him a good name. Some people call him proud; but I am sure I never saw -anything of it. To my fancy, it is only because he does not rattle away -like other young men.” - -“In what an amiable light does this place him!” thought Elizabeth. - -“This fine account of him,” whispered her aunt as they walked, “is not -quite consistent with his behaviour to our poor friend.” - -“Perhaps we might be deceived.” - -“That is not very likely; our authority was too good.” - -On reaching the spacious lobby above they were shown into a very pretty -sitting-room, lately fitted up with greater elegance and lightness than -the apartments below; and were informed that it was but just done to -give pleasure to Miss Darcy, who had taken a liking to the room when -last at Pemberley. - -“He is certainly a good brother,” said Elizabeth, as she walked towards -one of the windows. - -Mrs. Reynolds anticipated Miss Darcy's delight, when she should enter -the room. “And this is always the way with him,” she added. “Whatever -can give his sister any pleasure is sure to be done in a moment. There -is nothing he would not do for her.” - -The picture-gallery, and two or three of the principal bedrooms, were -all that remained to be shown. In the former were many good paintings; -but Elizabeth knew nothing of the art; and from such as had been already -visible below, she had willingly turned to look at some drawings of Miss -Darcy's, in crayons, whose subjects were usually more interesting, and -also more intelligible. - -In the gallery there were many family portraits, but they could have -little to fix the attention of a stranger. Elizabeth walked in quest of -the only face whose features would be known to her. At last it arrested -her--and she beheld a striking resemblance to Mr. Darcy, with such a -smile over the face as she remembered to have sometimes seen when he -looked at her. She stood several minutes before the picture, in earnest -contemplation, and returned to it again before they quitted the gallery. -Mrs. Reynolds informed them that it had been taken in his father's -lifetime. - -There was certainly at this moment, in Elizabeth's mind, a more gentle -sensation towards the original than she had ever felt at the height of -their acquaintance. The commendation bestowed on him by Mrs. Reynolds -was of no trifling nature. What praise is more valuable than the praise -of an intelligent servant? As a brother, a landlord, a master, she -considered how many people's happiness were in his guardianship!--how -much of pleasure or pain was it in his power to bestow!--how much of -good or evil must be done by him! Every idea that had been brought -forward by the housekeeper was favourable to his character, and as she -stood before the canvas on which he was represented, and fixed his -eyes upon herself, she thought of his regard with a deeper sentiment of -gratitude than it had ever raised before; she remembered its warmth, and -softened its impropriety of expression. - -When all of the house that was open to general inspection had been seen, -they returned downstairs, and, taking leave of the housekeeper, were -consigned over to the gardener, who met them at the hall-door. - -As they walked across the hall towards the river, Elizabeth turned back -to look again; her uncle and aunt stopped also, and while the former -was conjecturing as to the date of the building, the owner of it himself -suddenly came forward from the road, which led behind it to the stables. - -They were within twenty yards of each other, and so abrupt was his -appearance, that it was impossible to avoid his sight. Their eyes -instantly met, and the cheeks of both were overspread with the deepest -blush. He absolutely started, and for a moment seemed immovable from -surprise; but shortly recovering himself, advanced towards the party, -and spoke to Elizabeth, if not in terms of perfect composure, at least -of perfect civility. - -She had instinctively turned away; but stopping on his approach, -received his compliments with an embarrassment impossible to be -overcome. Had his first appearance, or his resemblance to the picture -they had just been examining, been insufficient to assure the other two -that they now saw Mr. Darcy, the gardener's expression of surprise, on -beholding his master, must immediately have told it. They stood a little -aloof while he was talking to their niece, who, astonished and confused, -scarcely dared lift her eyes to his face, and knew not what answer -she returned to his civil inquiries after her family. Amazed at the -alteration of his manner since they last parted, every sentence that -he uttered was increasing her embarrassment; and every idea of the -impropriety of her being found there recurring to her mind, the few -minutes in which they continued were some of the most uncomfortable in -her life. Nor did he seem much more at ease; when he spoke, his accent -had none of its usual sedateness; and he repeated his inquiries as -to the time of her having left Longbourn, and of her having stayed in -Derbyshire, so often, and in so hurried a way, as plainly spoke the -distraction of his thoughts. - -At length every idea seemed to fail him; and, after standing a few -moments without saying a word, he suddenly recollected himself, and took -leave. - -The others then joined her, and expressed admiration of his figure; but -Elizabeth heard not a word, and wholly engrossed by her own feelings, -followed them in silence. She was overpowered by shame and vexation. Her -coming there was the most unfortunate, the most ill-judged thing in the -world! How strange it must appear to him! In what a disgraceful light -might it not strike so vain a man! It might seem as if she had purposely -thrown herself in his way again! Oh! why did she come? Or, why did he -thus come a day before he was expected? Had they been only ten minutes -sooner, they should have been beyond the reach of his discrimination; -for it was plain that he was that moment arrived--that moment alighted -from his horse or his carriage. She blushed again and again over -the perverseness of the meeting. And his behaviour, so strikingly -altered--what could it mean? That he should even speak to her was -amazing!--but to speak with such civility, to inquire after her family! -Never in her life had she seen his manners so little dignified, never -had he spoken with such gentleness as on this unexpected meeting. What -a contrast did it offer to his last address in Rosings Park, when he put -his letter into her hand! She knew not what to think, or how to account -for it. - -They had now entered a beautiful walk by the side of the water, and -every step was bringing forward a nobler fall of ground, or a finer -reach of the woods to which they were approaching; but it was some time -before Elizabeth was sensible of any of it; and, though she answered -mechanically to the repeated appeals of her uncle and aunt, and -seemed to direct her eyes to such objects as they pointed out, she -distinguished no part of the scene. Her thoughts were all fixed on that -one spot of Pemberley House, whichever it might be, where Mr. Darcy then -was. She longed to know what at the moment was passing in his mind--in -what manner he thought of her, and whether, in defiance of everything, -she was still dear to him. Perhaps he had been civil only because he -felt himself at ease; yet there had been _that_ in his voice which was -not like ease. Whether he had felt more of pain or of pleasure in -seeing her she could not tell, but he certainly had not seen her with -composure. - -At length, however, the remarks of her companions on her absence of mind -aroused her, and she felt the necessity of appearing more like herself. - -They entered the woods, and bidding adieu to the river for a while, -ascended some of the higher grounds; when, in spots where the opening of -the trees gave the eye power to wander, were many charming views of the -valley, the opposite hills, with the long range of woods overspreading -many, and occasionally part of the stream. Mr. Gardiner expressed a wish -of going round the whole park, but feared it might be beyond a walk. -With a triumphant smile they were told that it was ten miles round. -It settled the matter; and they pursued the accustomed circuit; which -brought them again, after some time, in a descent among hanging woods, -to the edge of the water, and one of its narrowest parts. They crossed -it by a simple bridge, in character with the general air of the scene; -it was a spot less adorned than any they had yet visited; and the -valley, here contracted into a glen, allowed room only for the stream, -and a narrow walk amidst the rough coppice-wood which bordered it. -Elizabeth longed to explore its windings; but when they had crossed the -bridge, and perceived their distance from the house, Mrs. Gardiner, -who was not a great walker, could go no farther, and thought only -of returning to the carriage as quickly as possible. Her niece was, -therefore, obliged to submit, and they took their way towards the house -on the opposite side of the river, in the nearest direction; but their -progress was slow, for Mr. Gardiner, though seldom able to indulge the -taste, was very fond of fishing, and was so much engaged in watching the -occasional appearance of some trout in the water, and talking to the -man about them, that he advanced but little. Whilst wandering on in this -slow manner, they were again surprised, and Elizabeth's astonishment -was quite equal to what it had been at first, by the sight of Mr. Darcy -approaching them, and at no great distance. The walk being here -less sheltered than on the other side, allowed them to see him before -they met. Elizabeth, however astonished, was at least more prepared -for an interview than before, and resolved to appear and to speak with -calmness, if he really intended to meet them. For a few moments, indeed, -she felt that he would probably strike into some other path. The idea -lasted while a turning in the walk concealed him from their view; the -turning past, he was immediately before them. With a glance, she saw -that he had lost none of his recent civility; and, to imitate his -politeness, she began, as they met, to admire the beauty of the place; -but she had not got beyond the words “delightful,” and “charming,” when -some unlucky recollections obtruded, and she fancied that praise of -Pemberley from her might be mischievously construed. Her colour changed, -and she said no more. - -Mrs. Gardiner was standing a little behind; and on her pausing, he asked -her if she would do him the honour of introducing him to her friends. -This was a stroke of civility for which she was quite unprepared; -and she could hardly suppress a smile at his being now seeking the -acquaintance of some of those very people against whom his pride had -revolted in his offer to herself. “What will be his surprise,” thought -she, “when he knows who they are? He takes them now for people of -fashion.” - -The introduction, however, was immediately made; and as she named their -relationship to herself, she stole a sly look at him, to see how he bore -it, and was not without the expectation of his decamping as fast as he -could from such disgraceful companions. That he was _surprised_ by the -connection was evident; he sustained it, however, with fortitude, and -so far from going away, turned back with them, and entered into -conversation with Mr. Gardiner. Elizabeth could not but be pleased, -could not but triumph. It was consoling that he should know she had -some relations for whom there was no need to blush. She listened most -attentively to all that passed between them, and gloried in every -expression, every sentence of her uncle, which marked his intelligence, -his taste, or his good manners. - -The conversation soon turned upon fishing; and she heard Mr. Darcy -invite him, with the greatest civility, to fish there as often as he -chose while he continued in the neighbourhood, offering at the same time -to supply him with fishing tackle, and pointing out those parts of -the stream where there was usually most sport. Mrs. Gardiner, who was -walking arm-in-arm with Elizabeth, gave her a look expressive of wonder. -Elizabeth said nothing, but it gratified her exceedingly; the compliment -must be all for herself. Her astonishment, however, was extreme, and -continually was she repeating, “Why is he so altered? From what can -it proceed? It cannot be for _me_--it cannot be for _my_ sake that his -manners are thus softened. My reproofs at Hunsford could not work such a -change as this. It is impossible that he should still love me.” - -After walking some time in this way, the two ladies in front, the two -gentlemen behind, on resuming their places, after descending to -the brink of the river for the better inspection of some curious -water-plant, there chanced to be a little alteration. It originated -in Mrs. Gardiner, who, fatigued by the exercise of the morning, found -Elizabeth's arm inadequate to her support, and consequently preferred -her husband's. Mr. Darcy took her place by her niece, and they walked on -together. After a short silence, the lady first spoke. She wished him -to know that she had been assured of his absence before she came to the -place, and accordingly began by observing, that his arrival had been -very unexpected--“for your housekeeper,” she added, “informed us that -you would certainly not be here till to-morrow; and indeed, before we -left Bakewell, we understood that you were not immediately expected -in the country.” He acknowledged the truth of it all, and said that -business with his steward had occasioned his coming forward a few hours -before the rest of the party with whom he had been travelling. “They -will join me early to-morrow,” he continued, “and among them are some -who will claim an acquaintance with you--Mr. Bingley and his sisters.” - -Elizabeth answered only by a slight bow. Her thoughts were instantly -driven back to the time when Mr. Bingley's name had been the last -mentioned between them; and, if she might judge by his complexion, _his_ -mind was not very differently engaged. - -“There is also one other person in the party,” he continued after a -pause, “who more particularly wishes to be known to you. Will you allow -me, or do I ask too much, to introduce my sister to your acquaintance -during your stay at Lambton?” - -The surprise of such an application was great indeed; it was too great -for her to know in what manner she acceded to it. She immediately felt -that whatever desire Miss Darcy might have of being acquainted with her -must be the work of her brother, and, without looking farther, it was -satisfactory; it was gratifying to know that his resentment had not made -him think really ill of her. - -They now walked on in silence, each of them deep in thought. Elizabeth -was not comfortable; that was impossible; but she was flattered and -pleased. His wish of introducing his sister to her was a compliment of -the highest kind. They soon outstripped the others, and when they had -reached the carriage, Mr. and Mrs. Gardiner were half a quarter of a -mile behind. - -He then asked her to walk into the house--but she declared herself not -tired, and they stood together on the lawn. At such a time much might -have been said, and silence was very awkward. She wanted to talk, but -there seemed to be an embargo on every subject. At last she recollected -that she had been travelling, and they talked of Matlock and Dove Dale -with great perseverance. Yet time and her aunt moved slowly--and her -patience and her ideas were nearly worn out before the tete-a-tete was -over. On Mr. and Mrs. Gardiner's coming up they were all pressed to go -into the house and take some refreshment; but this was declined, and -they parted on each side with utmost politeness. Mr. Darcy handed the -ladies into the carriage; and when it drove off, Elizabeth saw him -walking slowly towards the house. - -The observations of her uncle and aunt now began; and each of them -pronounced him to be infinitely superior to anything they had expected. -“He is perfectly well behaved, polite, and unassuming,” said her uncle. - -“There _is_ something a little stately in him, to be sure,” replied her -aunt, “but it is confined to his air, and is not unbecoming. I can now -say with the housekeeper, that though some people may call him proud, I -have seen nothing of it.” - -“I was never more surprised than by his behaviour to us. It was more -than civil; it was really attentive; and there was no necessity for such -attention. His acquaintance with Elizabeth was very trifling.” - -“To be sure, Lizzy,” said her aunt, “he is not so handsome as Wickham; -or, rather, he has not Wickham's countenance, for his features -are perfectly good. But how came you to tell me that he was so -disagreeable?” - -Elizabeth excused herself as well as she could; said that she had liked -him better when they had met in Kent than before, and that she had never -seen him so pleasant as this morning. - -“But perhaps he may be a little whimsical in his civilities,” replied -her uncle. “Your great men often are; and therefore I shall not take him -at his word, as he might change his mind another day, and warn me off -his grounds.” - -Elizabeth felt that they had entirely misunderstood his character, but -said nothing. - -“From what we have seen of him,” continued Mrs. Gardiner, “I really -should not have thought that he could have behaved in so cruel a way by -anybody as he has done by poor Wickham. He has not an ill-natured look. -On the contrary, there is something pleasing about his mouth when he -speaks. And there is something of dignity in his countenance that would -not give one an unfavourable idea of his heart. But, to be sure, the -good lady who showed us his house did give him a most flaming character! -I could hardly help laughing aloud sometimes. But he is a liberal -master, I suppose, and _that_ in the eye of a servant comprehends every -virtue.” - -Elizabeth here felt herself called on to say something in vindication of -his behaviour to Wickham; and therefore gave them to understand, in -as guarded a manner as she could, that by what she had heard from -his relations in Kent, his actions were capable of a very different -construction; and that his character was by no means so faulty, nor -Wickham's so amiable, as they had been considered in Hertfordshire. In -confirmation of this, she related the particulars of all the pecuniary -transactions in which they had been connected, without actually naming -her authority, but stating it to be such as might be relied on. - -Mrs. Gardiner was surprised and concerned; but as they were now -approaching the scene of her former pleasures, every idea gave way to -the charm of recollection; and she was too much engaged in pointing out -to her husband all the interesting spots in its environs to think of -anything else. Fatigued as she had been by the morning's walk they -had no sooner dined than she set off again in quest of her former -acquaintance, and the evening was spent in the satisfactions of a -intercourse renewed after many years' discontinuance. - -The occurrences of the day were too full of interest to leave Elizabeth -much attention for any of these new friends; and she could do nothing -but think, and think with wonder, of Mr. Darcy's civility, and, above -all, of his wishing her to be acquainted with his sister. - - - -Chapter 44 - - -Elizabeth had settled it that Mr. Darcy would bring his sister to visit -her the very day after her reaching Pemberley; and was consequently -resolved not to be out of sight of the inn the whole of that morning. -But her conclusion was false; for on the very morning after their -arrival at Lambton, these visitors came. They had been walking about the -place with some of their new friends, and were just returning to the inn -to dress themselves for dining with the same family, when the sound of a -carriage drew them to a window, and they saw a gentleman and a lady in -a curricle driving up the street. Elizabeth immediately recognizing -the livery, guessed what it meant, and imparted no small degree of her -surprise to her relations by acquainting them with the honour which she -expected. Her uncle and aunt were all amazement; and the embarrassment -of her manner as she spoke, joined to the circumstance itself, and many -of the circumstances of the preceding day, opened to them a new idea on -the business. Nothing had ever suggested it before, but they felt that -there was no other way of accounting for such attentions from such a -quarter than by supposing a partiality for their niece. While these -newly-born notions were passing in their heads, the perturbation of -Elizabeth's feelings was at every moment increasing. She was quite -amazed at her own discomposure; but amongst other causes of disquiet, -she dreaded lest the partiality of the brother should have said too much -in her favour; and, more than commonly anxious to please, she naturally -suspected that every power of pleasing would fail her. - -She retreated from the window, fearful of being seen; and as she walked -up and down the room, endeavouring to compose herself, saw such looks of -inquiring surprise in her uncle and aunt as made everything worse. - -Miss Darcy and her brother appeared, and this formidable introduction -took place. With astonishment did Elizabeth see that her new -acquaintance was at least as much embarrassed as herself. Since her -being at Lambton, she had heard that Miss Darcy was exceedingly proud; -but the observation of a very few minutes convinced her that she was -only exceedingly shy. She found it difficult to obtain even a word from -her beyond a monosyllable. - -Miss Darcy was tall, and on a larger scale than Elizabeth; and, though -little more than sixteen, her figure was formed, and her appearance -womanly and graceful. She was less handsome than her brother; but there -was sense and good humour in her face, and her manners were perfectly -unassuming and gentle. Elizabeth, who had expected to find in her as -acute and unembarrassed an observer as ever Mr. Darcy had been, was much -relieved by discerning such different feelings. - -They had not long been together before Mr. Darcy told her that Bingley -was also coming to wait on her; and she had barely time to express her -satisfaction, and prepare for such a visitor, when Bingley's quick -step was heard on the stairs, and in a moment he entered the room. All -Elizabeth's anger against him had been long done away; but had she still -felt any, it could hardly have stood its ground against the unaffected -cordiality with which he expressed himself on seeing her again. He -inquired in a friendly, though general way, after her family, and looked -and spoke with the same good-humoured ease that he had ever done. - -To Mr. and Mrs. Gardiner he was scarcely a less interesting personage -than to herself. They had long wished to see him. The whole party before -them, indeed, excited a lively attention. The suspicions which had just -arisen of Mr. Darcy and their niece directed their observation towards -each with an earnest though guarded inquiry; and they soon drew from -those inquiries the full conviction that one of them at least knew -what it was to love. Of the lady's sensations they remained a little -in doubt; but that the gentleman was overflowing with admiration was -evident enough. - -Elizabeth, on her side, had much to do. She wanted to ascertain the -feelings of each of her visitors; she wanted to compose her own, and -to make herself agreeable to all; and in the latter object, where she -feared most to fail, she was most sure of success, for those to whom she -endeavoured to give pleasure were prepossessed in her favour. Bingley -was ready, Georgiana was eager, and Darcy determined, to be pleased. - -In seeing Bingley, her thoughts naturally flew to her sister; and, oh! -how ardently did she long to know whether any of his were directed in -a like manner. Sometimes she could fancy that he talked less than on -former occasions, and once or twice pleased herself with the notion -that, as he looked at her, he was trying to trace a resemblance. But, -though this might be imaginary, she could not be deceived as to his -behaviour to Miss Darcy, who had been set up as a rival to Jane. No look -appeared on either side that spoke particular regard. Nothing occurred -between them that could justify the hopes of his sister. On this point -she was soon satisfied; and two or three little circumstances occurred -ere they parted, which, in her anxious interpretation, denoted a -recollection of Jane not untinctured by tenderness, and a wish of saying -more that might lead to the mention of her, had he dared. He observed -to her, at a moment when the others were talking together, and in a tone -which had something of real regret, that it “was a very long time since -he had had the pleasure of seeing her;” and, before she could reply, -he added, “It is above eight months. We have not met since the 26th of -November, when we were all dancing together at Netherfield.” - -Elizabeth was pleased to find his memory so exact; and he afterwards -took occasion to ask her, when unattended to by any of the rest, whether -_all_ her sisters were at Longbourn. There was not much in the question, -nor in the preceding remark; but there was a look and a manner which -gave them meaning. - -It was not often that she could turn her eyes on Mr. Darcy himself; -but, whenever she did catch a glimpse, she saw an expression of general -complaisance, and in all that he said she heard an accent so removed -from _hauteur_ or disdain of his companions, as convinced her that -the improvement of manners which she had yesterday witnessed however -temporary its existence might prove, had at least outlived one day. When -she saw him thus seeking the acquaintance and courting the good opinion -of people with whom any intercourse a few months ago would have been a -disgrace--when she saw him thus civil, not only to herself, but to the -very relations whom he had openly disdained, and recollected their last -lively scene in Hunsford Parsonage--the difference, the change was -so great, and struck so forcibly on her mind, that she could hardly -restrain her astonishment from being visible. Never, even in the company -of his dear friends at Netherfield, or his dignified relations -at Rosings, had she seen him so desirous to please, so free from -self-consequence or unbending reserve, as now, when no importance -could result from the success of his endeavours, and when even the -acquaintance of those to whom his attentions were addressed would draw -down the ridicule and censure of the ladies both of Netherfield and -Rosings. - -Their visitors stayed with them above half-an-hour; and when they arose -to depart, Mr. Darcy called on his sister to join him in expressing -their wish of seeing Mr. and Mrs. Gardiner, and Miss Bennet, to dinner -at Pemberley, before they left the country. Miss Darcy, though with a -diffidence which marked her little in the habit of giving invitations, -readily obeyed. Mrs. Gardiner looked at her niece, desirous of knowing -how _she_, whom the invitation most concerned, felt disposed as to its -acceptance, but Elizabeth had turned away her head. Presuming however, -that this studied avoidance spoke rather a momentary embarrassment than -any dislike of the proposal, and seeing in her husband, who was fond of -society, a perfect willingness to accept it, she ventured to engage for -her attendance, and the day after the next was fixed on. - -Bingley expressed great pleasure in the certainty of seeing Elizabeth -again, having still a great deal to say to her, and many inquiries to -make after all their Hertfordshire friends. Elizabeth, construing all -this into a wish of hearing her speak of her sister, was pleased, and on -this account, as well as some others, found herself, when their -visitors left them, capable of considering the last half-hour with some -satisfaction, though while it was passing, the enjoyment of it had been -little. Eager to be alone, and fearful of inquiries or hints from her -uncle and aunt, she stayed with them only long enough to hear their -favourable opinion of Bingley, and then hurried away to dress. - -But she had no reason to fear Mr. and Mrs. Gardiner's curiosity; it was -not their wish to force her communication. It was evident that she was -much better acquainted with Mr. Darcy than they had before any idea of; -it was evident that he was very much in love with her. They saw much to -interest, but nothing to justify inquiry. - -Of Mr. Darcy it was now a matter of anxiety to think well; and, as far -as their acquaintance reached, there was no fault to find. They could -not be untouched by his politeness; and had they drawn his character -from their own feelings and his servant's report, without any reference -to any other account, the circle in Hertfordshire to which he was known -would not have recognized it for Mr. Darcy. There was now an interest, -however, in believing the housekeeper; and they soon became sensible -that the authority of a servant who had known him since he was four -years old, and whose own manners indicated respectability, was not to be -hastily rejected. Neither had anything occurred in the intelligence of -their Lambton friends that could materially lessen its weight. They had -nothing to accuse him of but pride; pride he probably had, and if not, -it would certainly be imputed by the inhabitants of a small market-town -where the family did not visit. It was acknowledged, however, that he -was a liberal man, and did much good among the poor. - -With respect to Wickham, the travellers soon found that he was not held -there in much estimation; for though the chief of his concerns with the -son of his patron were imperfectly understood, it was yet a well-known -fact that, on his quitting Derbyshire, he had left many debts behind -him, which Mr. Darcy afterwards discharged. - -As for Elizabeth, her thoughts were at Pemberley this evening more than -the last; and the evening, though as it passed it seemed long, was not -long enough to determine her feelings towards _one_ in that mansion; -and she lay awake two whole hours endeavouring to make them out. She -certainly did not hate him. No; hatred had vanished long ago, and she -had almost as long been ashamed of ever feeling a dislike against him, -that could be so called. The respect created by the conviction of his -valuable qualities, though at first unwillingly admitted, had for some -time ceased to be repugnant to her feeling; and it was now heightened -into somewhat of a friendlier nature, by the testimony so highly in -his favour, and bringing forward his disposition in so amiable a light, -which yesterday had produced. But above all, above respect and esteem, -there was a motive within her of goodwill which could not be overlooked. -It was gratitude; gratitude, not merely for having once loved her, -but for loving her still well enough to forgive all the petulance and -acrimony of her manner in rejecting him, and all the unjust accusations -accompanying her rejection. He who, she had been persuaded, would avoid -her as his greatest enemy, seemed, on this accidental meeting, most -eager to preserve the acquaintance, and without any indelicate display -of regard, or any peculiarity of manner, where their two selves only -were concerned, was soliciting the good opinion of her friends, and bent -on making her known to his sister. Such a change in a man of so much -pride exciting not only astonishment but gratitude--for to love, ardent -love, it must be attributed; and as such its impression on her was of a -sort to be encouraged, as by no means unpleasing, though it could not be -exactly defined. She respected, she esteemed, she was grateful to him, -she felt a real interest in his welfare; and she only wanted to know how -far she wished that welfare to depend upon herself, and how far it would -be for the happiness of both that she should employ the power, which her -fancy told her she still possessed, of bringing on her the renewal of -his addresses. - -It had been settled in the evening between the aunt and the niece, that -such a striking civility as Miss Darcy's in coming to see them on the -very day of her arrival at Pemberley, for she had reached it only to a -late breakfast, ought to be imitated, though it could not be equalled, -by some exertion of politeness on their side; and, consequently, that -it would be highly expedient to wait on her at Pemberley the following -morning. They were, therefore, to go. Elizabeth was pleased; though when -she asked herself the reason, she had very little to say in reply. - -Mr. Gardiner left them soon after breakfast. The fishing scheme had been -renewed the day before, and a positive engagement made of his meeting -some of the gentlemen at Pemberley before noon. - - - -Chapter 45 - - -Convinced as Elizabeth now was that Miss Bingley's dislike of her had -originated in jealousy, she could not help feeling how unwelcome her -appearance at Pemberley must be to her, and was curious to know with how -much civility on that lady's side the acquaintance would now be renewed. - -On reaching the house, they were shown through the hall into the saloon, -whose northern aspect rendered it delightful for summer. Its windows -opening to the ground, admitted a most refreshing view of the high woody -hills behind the house, and of the beautiful oaks and Spanish chestnuts -which were scattered over the intermediate lawn. - -In this house they were received by Miss Darcy, who was sitting there -with Mrs. Hurst and Miss Bingley, and the lady with whom she lived in -London. Georgiana's reception of them was very civil, but attended with -all the embarrassment which, though proceeding from shyness and the fear -of doing wrong, would easily give to those who felt themselves inferior -the belief of her being proud and reserved. Mrs. Gardiner and her niece, -however, did her justice, and pitied her. - -By Mrs. Hurst and Miss Bingley they were noticed only by a curtsey; and, -on their being seated, a pause, awkward as such pauses must always be, -succeeded for a few moments. It was first broken by Mrs. Annesley, a -genteel, agreeable-looking woman, whose endeavour to introduce some kind -of discourse proved her to be more truly well-bred than either of the -others; and between her and Mrs. Gardiner, with occasional help from -Elizabeth, the conversation was carried on. Miss Darcy looked as if she -wished for courage enough to join in it; and sometimes did venture a -short sentence when there was least danger of its being heard. - -Elizabeth soon saw that she was herself closely watched by Miss Bingley, -and that she could not speak a word, especially to Miss Darcy, without -calling her attention. This observation would not have prevented her -from trying to talk to the latter, had they not been seated at an -inconvenient distance; but she was not sorry to be spared the necessity -of saying much. Her own thoughts were employing her. She expected every -moment that some of the gentlemen would enter the room. She wished, she -feared that the master of the house might be amongst them; and whether -she wished or feared it most, she could scarcely determine. After -sitting in this manner a quarter of an hour without hearing Miss -Bingley's voice, Elizabeth was roused by receiving from her a cold -inquiry after the health of her family. She answered with equal -indifference and brevity, and the other said no more. - -The next variation which their visit afforded was produced by the -entrance of servants with cold meat, cake, and a variety of all the -finest fruits in season; but this did not take place till after many -a significant look and smile from Mrs. Annesley to Miss Darcy had been -given, to remind her of her post. There was now employment for the whole -party--for though they could not all talk, they could all eat; and the -beautiful pyramids of grapes, nectarines, and peaches soon collected -them round the table. - -While thus engaged, Elizabeth had a fair opportunity of deciding whether -she most feared or wished for the appearance of Mr. Darcy, by the -feelings which prevailed on his entering the room; and then, though but -a moment before she had believed her wishes to predominate, she began to -regret that he came. - -He had been some time with Mr. Gardiner, who, with two or three other -gentlemen from the house, was engaged by the river, and had left him -only on learning that the ladies of the family intended a visit to -Georgiana that morning. No sooner did he appear than Elizabeth wisely -resolved to be perfectly easy and unembarrassed; a resolution the more -necessary to be made, but perhaps not the more easily kept, because she -saw that the suspicions of the whole party were awakened against them, -and that there was scarcely an eye which did not watch his behaviour -when he first came into the room. In no countenance was attentive -curiosity so strongly marked as in Miss Bingley's, in spite of the -smiles which overspread her face whenever she spoke to one of its -objects; for jealousy had not yet made her desperate, and her attentions -to Mr. Darcy were by no means over. Miss Darcy, on her brother's -entrance, exerted herself much more to talk, and Elizabeth saw that he -was anxious for his sister and herself to get acquainted, and forwarded -as much as possible, every attempt at conversation on either side. Miss -Bingley saw all this likewise; and, in the imprudence of anger, took the -first opportunity of saying, with sneering civility: - -“Pray, Miss Eliza, are not the ----shire Militia removed from Meryton? -They must be a great loss to _your_ family.” - -In Darcy's presence she dared not mention Wickham's name; but Elizabeth -instantly comprehended that he was uppermost in her thoughts; and the -various recollections connected with him gave her a moment's distress; -but exerting herself vigorously to repel the ill-natured attack, she -presently answered the question in a tolerably detached tone. While -she spoke, an involuntary glance showed her Darcy, with a heightened -complexion, earnestly looking at her, and his sister overcome with -confusion, and unable to lift up her eyes. Had Miss Bingley known what -pain she was then giving her beloved friend, she undoubtedly would -have refrained from the hint; but she had merely intended to discompose -Elizabeth by bringing forward the idea of a man to whom she believed -her partial, to make her betray a sensibility which might injure her in -Darcy's opinion, and, perhaps, to remind the latter of all the follies -and absurdities by which some part of her family were connected -with that corps. Not a syllable had ever reached her of Miss Darcy's -meditated elopement. To no creature had it been revealed, where secrecy -was possible, except to Elizabeth; and from all Bingley's connections -her brother was particularly anxious to conceal it, from the very -wish which Elizabeth had long ago attributed to him, of their becoming -hereafter her own. He had certainly formed such a plan, and without -meaning that it should affect his endeavour to separate him from Miss -Bennet, it is probable that it might add something to his lively concern -for the welfare of his friend. - -Elizabeth's collected behaviour, however, soon quieted his emotion; and -as Miss Bingley, vexed and disappointed, dared not approach nearer to -Wickham, Georgiana also recovered in time, though not enough to be able -to speak any more. Her brother, whose eye she feared to meet, scarcely -recollected her interest in the affair, and the very circumstance which -had been designed to turn his thoughts from Elizabeth seemed to have -fixed them on her more and more cheerfully. - -Their visit did not continue long after the question and answer above -mentioned; and while Mr. Darcy was attending them to their carriage Miss -Bingley was venting her feelings in criticisms on Elizabeth's person, -behaviour, and dress. But Georgiana would not join her. Her brother's -recommendation was enough to ensure her favour; his judgement could not -err. And he had spoken in such terms of Elizabeth as to leave Georgiana -without the power of finding her otherwise than lovely and amiable. When -Darcy returned to the saloon, Miss Bingley could not help repeating to -him some part of what she had been saying to his sister. - -“How very ill Miss Eliza Bennet looks this morning, Mr. Darcy,” she -cried; “I never in my life saw anyone so much altered as she is since -the winter. She is grown so brown and coarse! Louisa and I were agreeing -that we should not have known her again.” - -However little Mr. Darcy might have liked such an address, he contented -himself with coolly replying that he perceived no other alteration than -her being rather tanned, no miraculous consequence of travelling in the -summer. - -“For my own part,” she rejoined, “I must confess that I never could -see any beauty in her. Her face is too thin; her complexion has no -brilliancy; and her features are not at all handsome. Her nose -wants character--there is nothing marked in its lines. Her teeth are -tolerable, but not out of the common way; and as for her eyes, -which have sometimes been called so fine, I could never see anything -extraordinary in them. They have a sharp, shrewish look, which I do -not like at all; and in her air altogether there is a self-sufficiency -without fashion, which is intolerable.” - -Persuaded as Miss Bingley was that Darcy admired Elizabeth, this was not -the best method of recommending herself; but angry people are not always -wise; and in seeing him at last look somewhat nettled, she had all the -success she expected. He was resolutely silent, however, and, from a -determination of making him speak, she continued: - -“I remember, when we first knew her in Hertfordshire, how amazed we all -were to find that she was a reputed beauty; and I particularly recollect -your saying one night, after they had been dining at Netherfield, '_She_ -a beauty!--I should as soon call her mother a wit.' But afterwards she -seemed to improve on you, and I believe you thought her rather pretty at -one time.” - -“Yes,” replied Darcy, who could contain himself no longer, “but _that_ -was only when I first saw her, for it is many months since I have -considered her as one of the handsomest women of my acquaintance.” - -He then went away, and Miss Bingley was left to all the satisfaction of -having forced him to say what gave no one any pain but herself. - -Mrs. Gardiner and Elizabeth talked of all that had occurred during their -visit, as they returned, except what had particularly interested them -both. The look and behaviour of everybody they had seen were discussed, -except of the person who had mostly engaged their attention. They talked -of his sister, his friends, his house, his fruit--of everything but -himself; yet Elizabeth was longing to know what Mrs. Gardiner thought of -him, and Mrs. Gardiner would have been highly gratified by her niece's -beginning the subject. - - - -Chapter 46 - - -Elizabeth had been a good deal disappointed in not finding a letter from -Jane on their first arrival at Lambton; and this disappointment had been -renewed on each of the mornings that had now been spent there; but -on the third her repining was over, and her sister justified, by the -receipt of two letters from her at once, on one of which was marked that -it had been missent elsewhere. Elizabeth was not surprised at it, as -Jane had written the direction remarkably ill. - -They had just been preparing to walk as the letters came in; and -her uncle and aunt, leaving her to enjoy them in quiet, set off by -themselves. The one missent must first be attended to; it had been -written five days ago. The beginning contained an account of all their -little parties and engagements, with such news as the country afforded; -but the latter half, which was dated a day later, and written in evident -agitation, gave more important intelligence. It was to this effect: - -“Since writing the above, dearest Lizzy, something has occurred of a -most unexpected and serious nature; but I am afraid of alarming you--be -assured that we are all well. What I have to say relates to poor Lydia. -An express came at twelve last night, just as we were all gone to bed, -from Colonel Forster, to inform us that she was gone off to Scotland -with one of his officers; to own the truth, with Wickham! Imagine our -surprise. To Kitty, however, it does not seem so wholly unexpected. I am -very, very sorry. So imprudent a match on both sides! But I am willing -to hope the best, and that his character has been misunderstood. -Thoughtless and indiscreet I can easily believe him, but this step -(and let us rejoice over it) marks nothing bad at heart. His choice is -disinterested at least, for he must know my father can give her nothing. -Our poor mother is sadly grieved. My father bears it better. How -thankful am I that we never let them know what has been said against -him; we must forget it ourselves. They were off Saturday night about -twelve, as is conjectured, but were not missed till yesterday morning at -eight. The express was sent off directly. My dear Lizzy, they must have -passed within ten miles of us. Colonel Forster gives us reason to expect -him here soon. Lydia left a few lines for his wife, informing her of -their intention. I must conclude, for I cannot be long from my poor -mother. I am afraid you will not be able to make it out, but I hardly -know what I have written.” - -Without allowing herself time for consideration, and scarcely knowing -what she felt, Elizabeth on finishing this letter instantly seized the -other, and opening it with the utmost impatience, read as follows: it -had been written a day later than the conclusion of the first. - -“By this time, my dearest sister, you have received my hurried letter; I -wish this may be more intelligible, but though not confined for time, my -head is so bewildered that I cannot answer for being coherent. Dearest -Lizzy, I hardly know what I would write, but I have bad news for you, -and it cannot be delayed. Imprudent as the marriage between Mr. Wickham -and our poor Lydia would be, we are now anxious to be assured it has -taken place, for there is but too much reason to fear they are not gone -to Scotland. Colonel Forster came yesterday, having left Brighton the -day before, not many hours after the express. Though Lydia's short -letter to Mrs. F. gave them to understand that they were going to Gretna -Green, something was dropped by Denny expressing his belief that W. -never intended to go there, or to marry Lydia at all, which was -repeated to Colonel F., who, instantly taking the alarm, set off from B. -intending to trace their route. He did trace them easily to Clapham, -but no further; for on entering that place, they removed into a hackney -coach, and dismissed the chaise that brought them from Epsom. All that -is known after this is, that they were seen to continue the London road. -I know not what to think. After making every possible inquiry on that -side London, Colonel F. came on into Hertfordshire, anxiously renewing -them at all the turnpikes, and at the inns in Barnet and Hatfield, but -without any success--no such people had been seen to pass through. With -the kindest concern he came on to Longbourn, and broke his apprehensions -to us in a manner most creditable to his heart. I am sincerely grieved -for him and Mrs. F., but no one can throw any blame on them. Our -distress, my dear Lizzy, is very great. My father and mother believe the -worst, but I cannot think so ill of him. Many circumstances might make -it more eligible for them to be married privately in town than to pursue -their first plan; and even if _he_ could form such a design against a -young woman of Lydia's connections, which is not likely, can I suppose -her so lost to everything? Impossible! I grieve to find, however, that -Colonel F. is not disposed to depend upon their marriage; he shook his -head when I expressed my hopes, and said he feared W. was not a man to -be trusted. My poor mother is really ill, and keeps her room. Could she -exert herself, it would be better; but this is not to be expected. And -as to my father, I never in my life saw him so affected. Poor Kitty has -anger for having concealed their attachment; but as it was a matter of -confidence, one cannot wonder. I am truly glad, dearest Lizzy, that you -have been spared something of these distressing scenes; but now, as the -first shock is over, shall I own that I long for your return? I am not -so selfish, however, as to press for it, if inconvenient. Adieu! I -take up my pen again to do what I have just told you I would not; but -circumstances are such that I cannot help earnestly begging you all to -come here as soon as possible. I know my dear uncle and aunt so well, -that I am not afraid of requesting it, though I have still something -more to ask of the former. My father is going to London with Colonel -Forster instantly, to try to discover her. What he means to do I am sure -I know not; but his excessive distress will not allow him to pursue any -measure in the best and safest way, and Colonel Forster is obliged to -be at Brighton again to-morrow evening. In such an exigence, my -uncle's advice and assistance would be everything in the world; he will -immediately comprehend what I must feel, and I rely upon his goodness.” - -“Oh! where, where is my uncle?” cried Elizabeth, darting from her seat -as she finished the letter, in eagerness to follow him, without losing -a moment of the time so precious; but as she reached the door it was -opened by a servant, and Mr. Darcy appeared. Her pale face and impetuous -manner made him start, and before he could recover himself to speak, -she, in whose mind every idea was superseded by Lydia's situation, -hastily exclaimed, “I beg your pardon, but I must leave you. I must find -Mr. Gardiner this moment, on business that cannot be delayed; I have not -an instant to lose.” - -“Good God! what is the matter?” cried he, with more feeling than -politeness; then recollecting himself, “I will not detain you a minute; -but let me, or let the servant go after Mr. and Mrs. Gardiner. You are -not well enough; you cannot go yourself.” - -Elizabeth hesitated, but her knees trembled under her and she felt how -little would be gained by her attempting to pursue them. Calling back -the servant, therefore, she commissioned him, though in so breathless -an accent as made her almost unintelligible, to fetch his master and -mistress home instantly. - -On his quitting the room she sat down, unable to support herself, and -looking so miserably ill, that it was impossible for Darcy to leave her, -or to refrain from saying, in a tone of gentleness and commiseration, -“Let me call your maid. Is there nothing you could take to give you -present relief? A glass of wine; shall I get you one? You are very ill.” - -“No, I thank you,” she replied, endeavouring to recover herself. “There -is nothing the matter with me. I am quite well; I am only distressed by -some dreadful news which I have just received from Longbourn.” - -She burst into tears as she alluded to it, and for a few minutes could -not speak another word. Darcy, in wretched suspense, could only say -something indistinctly of his concern, and observe her in compassionate -silence. At length she spoke again. “I have just had a letter from Jane, -with such dreadful news. It cannot be concealed from anyone. My younger -sister has left all her friends--has eloped; has thrown herself into -the power of--of Mr. Wickham. They are gone off together from Brighton. -_You_ know him too well to doubt the rest. She has no money, no -connections, nothing that can tempt him to--she is lost for ever.” - -Darcy was fixed in astonishment. “When I consider,” she added in a yet -more agitated voice, “that I might have prevented it! I, who knew what -he was. Had I but explained some part of it only--some part of what I -learnt, to my own family! Had his character been known, this could not -have happened. But it is all--all too late now.” - -“I am grieved indeed,” cried Darcy; “grieved--shocked. But is it -certain--absolutely certain?” - -“Oh, yes! They left Brighton together on Sunday night, and were traced -almost to London, but not beyond; they are certainly not gone to -Scotland.” - -“And what has been done, what has been attempted, to recover her?” - -“My father is gone to London, and Jane has written to beg my uncle's -immediate assistance; and we shall be off, I hope, in half-an-hour. But -nothing can be done--I know very well that nothing can be done. How is -such a man to be worked on? How are they even to be discovered? I have -not the smallest hope. It is every way horrible!” - -Darcy shook his head in silent acquiescence. - -“When _my_ eyes were opened to his real character--Oh! had I known what -I ought, what I dared to do! But I knew not--I was afraid of doing too -much. Wretched, wretched mistake!” - -Darcy made no answer. He seemed scarcely to hear her, and was walking -up and down the room in earnest meditation, his brow contracted, his air -gloomy. Elizabeth soon observed, and instantly understood it. Her -power was sinking; everything _must_ sink under such a proof of family -weakness, such an assurance of the deepest disgrace. She could neither -wonder nor condemn, but the belief of his self-conquest brought nothing -consolatory to her bosom, afforded no palliation of her distress. It -was, on the contrary, exactly calculated to make her understand her own -wishes; and never had she so honestly felt that she could have loved -him, as now, when all love must be vain. - -But self, though it would intrude, could not engross her. Lydia--the -humiliation, the misery she was bringing on them all, soon swallowed -up every private care; and covering her face with her handkerchief, -Elizabeth was soon lost to everything else; and, after a pause of -several minutes, was only recalled to a sense of her situation by -the voice of her companion, who, in a manner which, though it spoke -compassion, spoke likewise restraint, said, “I am afraid you have been -long desiring my absence, nor have I anything to plead in excuse of my -stay, but real, though unavailing concern. Would to Heaven that anything -could be either said or done on my part that might offer consolation to -such distress! But I will not torment you with vain wishes, which may -seem purposely to ask for your thanks. This unfortunate affair will, I -fear, prevent my sister's having the pleasure of seeing you at Pemberley -to-day.” - -“Oh, yes. Be so kind as to apologise for us to Miss Darcy. Say that -urgent business calls us home immediately. Conceal the unhappy truth as -long as it is possible, I know it cannot be long.” - -He readily assured her of his secrecy; again expressed his sorrow for -her distress, wished it a happier conclusion than there was at present -reason to hope, and leaving his compliments for her relations, with only -one serious, parting look, went away. - -As he quitted the room, Elizabeth felt how improbable it was that they -should ever see each other again on such terms of cordiality as -had marked their several meetings in Derbyshire; and as she threw a -retrospective glance over the whole of their acquaintance, so full -of contradictions and varieties, sighed at the perverseness of those -feelings which would now have promoted its continuance, and would -formerly have rejoiced in its termination. - -If gratitude and esteem are good foundations of affection, Elizabeth's -change of sentiment will be neither improbable nor faulty. But if -otherwise--if regard springing from such sources is unreasonable or -unnatural, in comparison of what is so often described as arising on -a first interview with its object, and even before two words have been -exchanged, nothing can be said in her defence, except that she had given -somewhat of a trial to the latter method in her partiality for Wickham, -and that its ill success might, perhaps, authorise her to seek the other -less interesting mode of attachment. Be that as it may, she saw him -go with regret; and in this early example of what Lydia's infamy must -produce, found additional anguish as she reflected on that wretched -business. Never, since reading Jane's second letter, had she entertained -a hope of Wickham's meaning to marry her. No one but Jane, she thought, -could flatter herself with such an expectation. Surprise was the least -of her feelings on this development. While the contents of the first -letter remained in her mind, she was all surprise--all astonishment that -Wickham should marry a girl whom it was impossible he could marry -for money; and how Lydia could ever have attached him had appeared -incomprehensible. But now it was all too natural. For such an attachment -as this she might have sufficient charms; and though she did not suppose -Lydia to be deliberately engaging in an elopement without the intention -of marriage, she had no difficulty in believing that neither her virtue -nor her understanding would preserve her from falling an easy prey. - -She had never perceived, while the regiment was in Hertfordshire, that -Lydia had any partiality for him; but she was convinced that Lydia -wanted only encouragement to attach herself to anybody. Sometimes one -officer, sometimes another, had been her favourite, as their attentions -raised them in her opinion. Her affections had continually been -fluctuating but never without an object. The mischief of neglect and -mistaken indulgence towards such a girl--oh! how acutely did she now -feel it! - -She was wild to be at home--to hear, to see, to be upon the spot to -share with Jane in the cares that must now fall wholly upon her, in a -family so deranged, a father absent, a mother incapable of exertion, and -requiring constant attendance; and though almost persuaded that nothing -could be done for Lydia, her uncle's interference seemed of the utmost -importance, and till he entered the room her impatience was severe. Mr. -and Mrs. Gardiner had hurried back in alarm, supposing by the servant's -account that their niece was taken suddenly ill; but satisfying them -instantly on that head, she eagerly communicated the cause of their -summons, reading the two letters aloud, and dwelling on the postscript -of the last with trembling energy.--Though Lydia had never been a -favourite with them, Mr. and Mrs. Gardiner could not but be deeply -afflicted. Not Lydia only, but all were concerned in it; and after the -first exclamations of surprise and horror, Mr. Gardiner promised every -assistance in his power. Elizabeth, though expecting no less, thanked -him with tears of gratitude; and all three being actuated by one spirit, -everything relating to their journey was speedily settled. They were to -be off as soon as possible. “But what is to be done about Pemberley?” - cried Mrs. Gardiner. “John told us Mr. Darcy was here when you sent for -us; was it so?” - -“Yes; and I told him we should not be able to keep our engagement. -_That_ is all settled.” - -“What is all settled?” repeated the other, as she ran into her room to -prepare. “And are they upon such terms as for her to disclose the real -truth? Oh, that I knew how it was!” - -But wishes were vain, or at least could only serve to amuse her in the -hurry and confusion of the following hour. Had Elizabeth been at leisure -to be idle, she would have remained certain that all employment was -impossible to one so wretched as herself; but she had her share of -business as well as her aunt, and amongst the rest there were notes to -be written to all their friends at Lambton, with false excuses for their -sudden departure. An hour, however, saw the whole completed; and Mr. -Gardiner meanwhile having settled his account at the inn, nothing -remained to be done but to go; and Elizabeth, after all the misery of -the morning, found herself, in a shorter space of time than she could -have supposed, seated in the carriage, and on the road to Longbourn. - - - -Chapter 47 - - -“I have been thinking it over again, Elizabeth,” said her uncle, as they -drove from the town; “and really, upon serious consideration, I am much -more inclined than I was to judge as your eldest sister does on the -matter. It appears to me so very unlikely that any young man should -form such a design against a girl who is by no means unprotected or -friendless, and who was actually staying in his colonel's family, that I -am strongly inclined to hope the best. Could he expect that her friends -would not step forward? Could he expect to be noticed again by the -regiment, after such an affront to Colonel Forster? His temptation is -not adequate to the risk!” - -“Do you really think so?” cried Elizabeth, brightening up for a moment. - -“Upon my word,” said Mrs. Gardiner, “I begin to be of your uncle's -opinion. It is really too great a violation of decency, honour, and -interest, for him to be guilty of. I cannot think so very ill of -Wickham. Can you yourself, Lizzy, so wholly give him up, as to believe -him capable of it?” - -“Not, perhaps, of neglecting his own interest; but of every other -neglect I can believe him capable. If, indeed, it should be so! But I -dare not hope it. Why should they not go on to Scotland if that had been -the case?” - -“In the first place,” replied Mr. Gardiner, “there is no absolute proof -that they are not gone to Scotland.” - -“Oh! but their removing from the chaise into a hackney coach is such -a presumption! And, besides, no traces of them were to be found on the -Barnet road.” - -“Well, then--supposing them to be in London. They may be there, though -for the purpose of concealment, for no more exceptional purpose. It is -not likely that money should be very abundant on either side; and it -might strike them that they could be more economically, though less -expeditiously, married in London than in Scotland.” - -“But why all this secrecy? Why any fear of detection? Why must their -marriage be private? Oh, no, no--this is not likely. His most particular -friend, you see by Jane's account, was persuaded of his never intending -to marry her. Wickham will never marry a woman without some money. He -cannot afford it. And what claims has Lydia--what attraction has she -beyond youth, health, and good humour that could make him, for her sake, -forego every chance of benefiting himself by marrying well? As to what -restraint the apprehensions of disgrace in the corps might throw on a -dishonourable elopement with her, I am not able to judge; for I know -nothing of the effects that such a step might produce. But as to your -other objection, I am afraid it will hardly hold good. Lydia has -no brothers to step forward; and he might imagine, from my father's -behaviour, from his indolence and the little attention he has ever -seemed to give to what was going forward in his family, that _he_ would -do as little, and think as little about it, as any father could do, in -such a matter.” - -“But can you think that Lydia is so lost to everything but love of him -as to consent to live with him on any terms other than marriage?” - -“It does seem, and it is most shocking indeed,” replied Elizabeth, with -tears in her eyes, “that a sister's sense of decency and virtue in such -a point should admit of doubt. But, really, I know not what to say. -Perhaps I am not doing her justice. But she is very young; she has never -been taught to think on serious subjects; and for the last half-year, -nay, for a twelvemonth--she has been given up to nothing but amusement -and vanity. She has been allowed to dispose of her time in the most idle -and frivolous manner, and to adopt any opinions that came in her way. -Since the ----shire were first quartered in Meryton, nothing but love, -flirtation, and officers have been in her head. She has been doing -everything in her power by thinking and talking on the subject, to give -greater--what shall I call it? susceptibility to her feelings; which are -naturally lively enough. And we all know that Wickham has every charm of -person and address that can captivate a woman.” - -“But you see that Jane,” said her aunt, “does not think so very ill of -Wickham as to believe him capable of the attempt.” - -“Of whom does Jane ever think ill? And who is there, whatever might be -their former conduct, that she would think capable of such an attempt, -till it were proved against them? But Jane knows, as well as I do, what -Wickham really is. We both know that he has been profligate in every -sense of the word; that he has neither integrity nor honour; that he is -as false and deceitful as he is insinuating.” - -“And do you really know all this?” cried Mrs. Gardiner, whose curiosity -as to the mode of her intelligence was all alive. - -“I do indeed,” replied Elizabeth, colouring. “I told you, the other day, -of his infamous behaviour to Mr. Darcy; and you yourself, when last at -Longbourn, heard in what manner he spoke of the man who had behaved -with such forbearance and liberality towards him. And there are other -circumstances which I am not at liberty--which it is not worth while to -relate; but his lies about the whole Pemberley family are endless. From -what he said of Miss Darcy I was thoroughly prepared to see a proud, -reserved, disagreeable girl. Yet he knew to the contrary himself. He -must know that she was as amiable and unpretending as we have found -her.” - -“But does Lydia know nothing of this? can she be ignorant of what you -and Jane seem so well to understand?” - -“Oh, yes!--that, that is the worst of all. Till I was in Kent, and saw -so much both of Mr. Darcy and his relation Colonel Fitzwilliam, I was -ignorant of the truth myself. And when I returned home, the ----shire -was to leave Meryton in a week or fortnight's time. As that was the -case, neither Jane, to whom I related the whole, nor I, thought it -necessary to make our knowledge public; for of what use could -it apparently be to any one, that the good opinion which all the -neighbourhood had of him should then be overthrown? And even when it was -settled that Lydia should go with Mrs. Forster, the necessity of opening -her eyes to his character never occurred to me. That _she_ could be -in any danger from the deception never entered my head. That such a -consequence as _this_ could ensue, you may easily believe, was far -enough from my thoughts.” - -“When they all removed to Brighton, therefore, you had no reason, I -suppose, to believe them fond of each other?” - -“Not the slightest. I can remember no symptom of affection on either -side; and had anything of the kind been perceptible, you must be aware -that ours is not a family on which it could be thrown away. When first -he entered the corps, she was ready enough to admire him; but so we all -were. Every girl in or near Meryton was out of her senses about him for -the first two months; but he never distinguished _her_ by any particular -attention; and, consequently, after a moderate period of extravagant and -wild admiration, her fancy for him gave way, and others of the regiment, -who treated her with more distinction, again became her favourites.” - - * * * * * - -It may be easily believed, that however little of novelty could be added -to their fears, hopes, and conjectures, on this interesting subject, by -its repeated discussion, no other could detain them from it long, during -the whole of the journey. From Elizabeth's thoughts it was never absent. -Fixed there by the keenest of all anguish, self-reproach, she could find -no interval of ease or forgetfulness. - -They travelled as expeditiously as possible, and, sleeping one night -on the road, reached Longbourn by dinner time the next day. It was a -comfort to Elizabeth to consider that Jane could not have been wearied -by long expectations. - -The little Gardiners, attracted by the sight of a chaise, were standing -on the steps of the house as they entered the paddock; and, when the -carriage drove up to the door, the joyful surprise that lighted up their -faces, and displayed itself over their whole bodies, in a variety of -capers and frisks, was the first pleasing earnest of their welcome. - -Elizabeth jumped out; and, after giving each of them a hasty kiss, -hurried into the vestibule, where Jane, who came running down from her -mother's apartment, immediately met her. - -Elizabeth, as she affectionately embraced her, whilst tears filled the -eyes of both, lost not a moment in asking whether anything had been -heard of the fugitives. - -“Not yet,” replied Jane. “But now that my dear uncle is come, I hope -everything will be well.” - -“Is my father in town?” - -“Yes, he went on Tuesday, as I wrote you word.” - -“And have you heard from him often?” - -“We have heard only twice. He wrote me a few lines on Wednesday to say -that he had arrived in safety, and to give me his directions, which I -particularly begged him to do. He merely added that he should not write -again till he had something of importance to mention.” - -“And my mother--how is she? How are you all?” - -“My mother is tolerably well, I trust; though her spirits are greatly -shaken. She is up stairs and will have great satisfaction in seeing you -all. She does not yet leave her dressing-room. Mary and Kitty, thank -Heaven, are quite well.” - -“But you--how are you?” cried Elizabeth. “You look pale. How much you -must have gone through!” - -Her sister, however, assured her of her being perfectly well; and their -conversation, which had been passing while Mr. and Mrs. Gardiner were -engaged with their children, was now put an end to by the approach -of the whole party. Jane ran to her uncle and aunt, and welcomed and -thanked them both, with alternate smiles and tears. - -When they were all in the drawing-room, the questions which Elizabeth -had already asked were of course repeated by the others, and they soon -found that Jane had no intelligence to give. The sanguine hope of -good, however, which the benevolence of her heart suggested had not yet -deserted her; she still expected that it would all end well, and that -every morning would bring some letter, either from Lydia or her father, -to explain their proceedings, and, perhaps, announce their marriage. - -Mrs. Bennet, to whose apartment they all repaired, after a few minutes' -conversation together, received them exactly as might be expected; with -tears and lamentations of regret, invectives against the villainous -conduct of Wickham, and complaints of her own sufferings and ill-usage; -blaming everybody but the person to whose ill-judging indulgence the -errors of her daughter must principally be owing. - -“If I had been able,” said she, “to carry my point in going to Brighton, -with all my family, _this_ would not have happened; but poor dear Lydia -had nobody to take care of her. Why did the Forsters ever let her go out -of their sight? I am sure there was some great neglect or other on their -side, for she is not the kind of girl to do such a thing if she had been -well looked after. I always thought they were very unfit to have the -charge of her; but I was overruled, as I always am. Poor dear child! -And now here's Mr. Bennet gone away, and I know he will fight Wickham, -wherever he meets him and then he will be killed, and what is to become -of us all? The Collinses will turn us out before he is cold in his -grave, and if you are not kind to us, brother, I do not know what we -shall do.” - -They all exclaimed against such terrific ideas; and Mr. Gardiner, after -general assurances of his affection for her and all her family, told her -that he meant to be in London the very next day, and would assist Mr. -Bennet in every endeavour for recovering Lydia. - -“Do not give way to useless alarm,” added he; “though it is right to be -prepared for the worst, there is no occasion to look on it as certain. -It is not quite a week since they left Brighton. In a few days more we -may gain some news of them; and till we know that they are not married, -and have no design of marrying, do not let us give the matter over as -lost. As soon as I get to town I shall go to my brother, and make -him come home with me to Gracechurch Street; and then we may consult -together as to what is to be done.” - -“Oh! my dear brother,” replied Mrs. Bennet, “that is exactly what I -could most wish for. And now do, when you get to town, find them out, -wherever they may be; and if they are not married already, _make_ them -marry. And as for wedding clothes, do not let them wait for that, but -tell Lydia she shall have as much money as she chooses to buy them, -after they are married. And, above all, keep Mr. Bennet from fighting. -Tell him what a dreadful state I am in, that I am frighted out of my -wits--and have such tremblings, such flutterings, all over me--such -spasms in my side and pains in my head, and such beatings at heart, that -I can get no rest by night nor by day. And tell my dear Lydia not to -give any directions about her clothes till she has seen me, for she does -not know which are the best warehouses. Oh, brother, how kind you are! I -know you will contrive it all.” - -But Mr. Gardiner, though he assured her again of his earnest endeavours -in the cause, could not avoid recommending moderation to her, as well -in her hopes as her fear; and after talking with her in this manner till -dinner was on the table, they all left her to vent all her feelings on -the housekeeper, who attended in the absence of her daughters. - -Though her brother and sister were persuaded that there was no real -occasion for such a seclusion from the family, they did not attempt to -oppose it, for they knew that she had not prudence enough to hold her -tongue before the servants, while they waited at table, and judged it -better that _one_ only of the household, and the one whom they could -most trust should comprehend all her fears and solicitude on the -subject. - -In the dining-room they were soon joined by Mary and Kitty, who had been -too busily engaged in their separate apartments to make their appearance -before. One came from her books, and the other from her toilette. The -faces of both, however, were tolerably calm; and no change was visible -in either, except that the loss of her favourite sister, or the anger -which she had herself incurred in this business, had given more of -fretfulness than usual to the accents of Kitty. As for Mary, she was -mistress enough of herself to whisper to Elizabeth, with a countenance -of grave reflection, soon after they were seated at table: - -“This is a most unfortunate affair, and will probably be much talked of. -But we must stem the tide of malice, and pour into the wounded bosoms of -each other the balm of sisterly consolation.” - -Then, perceiving in Elizabeth no inclination of replying, she added, -“Unhappy as the event must be for Lydia, we may draw from it this useful -lesson: that loss of virtue in a female is irretrievable; that one -false step involves her in endless ruin; that her reputation is no less -brittle than it is beautiful; and that she cannot be too much guarded in -her behaviour towards the undeserving of the other sex.” - -Elizabeth lifted up her eyes in amazement, but was too much oppressed -to make any reply. Mary, however, continued to console herself with such -kind of moral extractions from the evil before them. - -In the afternoon, the two elder Miss Bennets were able to be for -half-an-hour by themselves; and Elizabeth instantly availed herself of -the opportunity of making any inquiries, which Jane was equally eager to -satisfy. After joining in general lamentations over the dreadful sequel -of this event, which Elizabeth considered as all but certain, and Miss -Bennet could not assert to be wholly impossible, the former continued -the subject, by saying, “But tell me all and everything about it which -I have not already heard. Give me further particulars. What did Colonel -Forster say? Had they no apprehension of anything before the elopement -took place? They must have seen them together for ever.” - -“Colonel Forster did own that he had often suspected some partiality, -especially on Lydia's side, but nothing to give him any alarm. I am so -grieved for him! His behaviour was attentive and kind to the utmost. He -_was_ coming to us, in order to assure us of his concern, before he had -any idea of their not being gone to Scotland: when that apprehension -first got abroad, it hastened his journey.” - -“And was Denny convinced that Wickham would not marry? Did he know of -their intending to go off? Had Colonel Forster seen Denny himself?” - -“Yes; but, when questioned by _him_, Denny denied knowing anything of -their plans, and would not give his real opinion about it. He did not -repeat his persuasion of their not marrying--and from _that_, I am -inclined to hope, he might have been misunderstood before.” - -“And till Colonel Forster came himself, not one of you entertained a -doubt, I suppose, of their being really married?” - -“How was it possible that such an idea should enter our brains? I felt -a little uneasy--a little fearful of my sister's happiness with him -in marriage, because I knew that his conduct had not been always quite -right. My father and mother knew nothing of that; they only felt how -imprudent a match it must be. Kitty then owned, with a very natural -triumph on knowing more than the rest of us, that in Lydia's last letter -she had prepared her for such a step. She had known, it seems, of their -being in love with each other, many weeks.” - -“But not before they went to Brighton?” - -“No, I believe not.” - -“And did Colonel Forster appear to think well of Wickham himself? Does -he know his real character?” - -“I must confess that he did not speak so well of Wickham as he formerly -did. He believed him to be imprudent and extravagant. And since this sad -affair has taken place, it is said that he left Meryton greatly in debt; -but I hope this may be false.” - -“Oh, Jane, had we been less secret, had we told what we knew of him, -this could not have happened!” - -“Perhaps it would have been better,” replied her sister. “But to expose -the former faults of any person without knowing what their present -feelings were, seemed unjustifiable. We acted with the best intentions.” - -“Could Colonel Forster repeat the particulars of Lydia's note to his -wife?” - -“He brought it with him for us to see.” - -Jane then took it from her pocket-book, and gave it to Elizabeth. These -were the contents: - -“MY DEAR HARRIET, - -“You will laugh when you know where I am gone, and I cannot help -laughing myself at your surprise to-morrow morning, as soon as I am -missed. I am going to Gretna Green, and if you cannot guess with who, -I shall think you a simpleton, for there is but one man in the world I -love, and he is an angel. I should never be happy without him, so think -it no harm to be off. You need not send them word at Longbourn of my -going, if you do not like it, for it will make the surprise the greater, -when I write to them and sign my name 'Lydia Wickham.' What a good joke -it will be! I can hardly write for laughing. Pray make my excuses to -Pratt for not keeping my engagement, and dancing with him to-night. -Tell him I hope he will excuse me when he knows all; and tell him I will -dance with him at the next ball we meet, with great pleasure. I shall -send for my clothes when I get to Longbourn; but I wish you would tell -Sally to mend a great slit in my worked muslin gown before they are -packed up. Good-bye. Give my love to Colonel Forster. I hope you will -drink to our good journey. - -“Your affectionate friend, - -“LYDIA BENNET.” - -“Oh! thoughtless, thoughtless Lydia!” cried Elizabeth when she had -finished it. “What a letter is this, to be written at such a moment! -But at least it shows that _she_ was serious on the subject of their -journey. Whatever he might afterwards persuade her to, it was not on her -side a _scheme_ of infamy. My poor father! how he must have felt it!” - -“I never saw anyone so shocked. He could not speak a word for full ten -minutes. My mother was taken ill immediately, and the whole house in -such confusion!” - -“Oh! Jane,” cried Elizabeth, “was there a servant belonging to it who -did not know the whole story before the end of the day?” - -“I do not know. I hope there was. But to be guarded at such a time is -very difficult. My mother was in hysterics, and though I endeavoured to -give her every assistance in my power, I am afraid I did not do so -much as I might have done! But the horror of what might possibly happen -almost took from me my faculties.” - -“Your attendance upon her has been too much for you. You do not look -well. Oh that I had been with you! you have had every care and anxiety -upon yourself alone.” - -“Mary and Kitty have been very kind, and would have shared in every -fatigue, I am sure; but I did not think it right for either of them. -Kitty is slight and delicate; and Mary studies so much, that her hours -of repose should not be broken in on. My aunt Phillips came to Longbourn -on Tuesday, after my father went away; and was so good as to stay till -Thursday with me. She was of great use and comfort to us all. And -Lady Lucas has been very kind; she walked here on Wednesday morning to -condole with us, and offered her services, or any of her daughters', if -they should be of use to us.” - -“She had better have stayed at home,” cried Elizabeth; “perhaps she -_meant_ well, but, under such a misfortune as this, one cannot see -too little of one's neighbours. Assistance is impossible; condolence -insufferable. Let them triumph over us at a distance, and be satisfied.” - -She then proceeded to inquire into the measures which her father had -intended to pursue, while in town, for the recovery of his daughter. - -“He meant I believe,” replied Jane, “to go to Epsom, the place where -they last changed horses, see the postilions and try if anything could -be made out from them. His principal object must be to discover the -number of the hackney coach which took them from Clapham. It had come -with a fare from London; and as he thought that the circumstance of a -gentleman and lady's removing from one carriage into another might -be remarked he meant to make inquiries at Clapham. If he could anyhow -discover at what house the coachman had before set down his fare, he -determined to make inquiries there, and hoped it might not be impossible -to find out the stand and number of the coach. I do not know of any -other designs that he had formed; but he was in such a hurry to be gone, -and his spirits so greatly discomposed, that I had difficulty in finding -out even so much as this.” - - - -Chapter 48 - - -The whole party were in hopes of a letter from Mr. Bennet the next -morning, but the post came in without bringing a single line from him. -His family knew him to be, on all common occasions, a most negligent and -dilatory correspondent; but at such a time they had hoped for exertion. -They were forced to conclude that he had no pleasing intelligence to -send; but even of _that_ they would have been glad to be certain. Mr. -Gardiner had waited only for the letters before he set off. - -When he was gone, they were certain at least of receiving constant -information of what was going on, and their uncle promised, at parting, -to prevail on Mr. Bennet to return to Longbourn, as soon as he could, -to the great consolation of his sister, who considered it as the only -security for her husband's not being killed in a duel. - -Mrs. Gardiner and the children were to remain in Hertfordshire a few -days longer, as the former thought her presence might be serviceable -to her nieces. She shared in their attendance on Mrs. Bennet, and was a -great comfort to them in their hours of freedom. Their other aunt also -visited them frequently, and always, as she said, with the design of -cheering and heartening them up--though, as she never came without -reporting some fresh instance of Wickham's extravagance or irregularity, -she seldom went away without leaving them more dispirited than she found -them. - -All Meryton seemed striving to blacken the man who, but three months -before, had been almost an angel of light. He was declared to be in debt -to every tradesman in the place, and his intrigues, all honoured with -the title of seduction, had been extended into every tradesman's family. -Everybody declared that he was the wickedest young man in the world; -and everybody began to find out that they had always distrusted the -appearance of his goodness. Elizabeth, though she did not credit above -half of what was said, believed enough to make her former assurance of -her sister's ruin more certain; and even Jane, who believed still less -of it, became almost hopeless, more especially as the time was now come -when, if they had gone to Scotland, which she had never before entirely -despaired of, they must in all probability have gained some news of -them. - -Mr. Gardiner left Longbourn on Sunday; on Tuesday his wife received a -letter from him; it told them that, on his arrival, he had immediately -found out his brother, and persuaded him to come to Gracechurch Street; -that Mr. Bennet had been to Epsom and Clapham, before his arrival, -but without gaining any satisfactory information; and that he was now -determined to inquire at all the principal hotels in town, as Mr. Bennet -thought it possible they might have gone to one of them, on their first -coming to London, before they procured lodgings. Mr. Gardiner himself -did not expect any success from this measure, but as his brother was -eager in it, he meant to assist him in pursuing it. He added that Mr. -Bennet seemed wholly disinclined at present to leave London and promised -to write again very soon. There was also a postscript to this effect: - -“I have written to Colonel Forster to desire him to find out, if -possible, from some of the young man's intimates in the regiment, -whether Wickham has any relations or connections who would be likely to -know in what part of town he has now concealed himself. If there were -anyone that one could apply to with a probability of gaining such a -clue as that, it might be of essential consequence. At present we have -nothing to guide us. Colonel Forster will, I dare say, do everything in -his power to satisfy us on this head. But, on second thoughts, perhaps, -Lizzy could tell us what relations he has now living, better than any -other person.” - -Elizabeth was at no loss to understand from whence this deference to her -authority proceeded; but it was not in her power to give any information -of so satisfactory a nature as the compliment deserved. She had never -heard of his having had any relations, except a father and mother, both -of whom had been dead many years. It was possible, however, that some of -his companions in the ----shire might be able to give more information; -and though she was not very sanguine in expecting it, the application -was a something to look forward to. - -Every day at Longbourn was now a day of anxiety; but the most anxious -part of each was when the post was expected. The arrival of letters -was the grand object of every morning's impatience. Through letters, -whatever of good or bad was to be told would be communicated, and every -succeeding day was expected to bring some news of importance. - -But before they heard again from Mr. Gardiner, a letter arrived for -their father, from a different quarter, from Mr. Collins; which, as Jane -had received directions to open all that came for him in his absence, -she accordingly read; and Elizabeth, who knew what curiosities his -letters always were, looked over her, and read it likewise. It was as -follows: - -“MY DEAR SIR, - -“I feel myself called upon, by our relationship, and my situation -in life, to condole with you on the grievous affliction you are now -suffering under, of which we were yesterday informed by a letter from -Hertfordshire. Be assured, my dear sir, that Mrs. Collins and myself -sincerely sympathise with you and all your respectable family, in -your present distress, which must be of the bitterest kind, because -proceeding from a cause which no time can remove. No arguments shall be -wanting on my part that can alleviate so severe a misfortune--or that -may comfort you, under a circumstance that must be of all others the -most afflicting to a parent's mind. The death of your daughter would -have been a blessing in comparison of this. And it is the more to -be lamented, because there is reason to suppose as my dear Charlotte -informs me, that this licentiousness of behaviour in your daughter has -proceeded from a faulty degree of indulgence; though, at the same time, -for the consolation of yourself and Mrs. Bennet, I am inclined to think -that her own disposition must be naturally bad, or she could not be -guilty of such an enormity, at so early an age. Howsoever that may be, -you are grievously to be pitied; in which opinion I am not only joined -by Mrs. Collins, but likewise by Lady Catherine and her daughter, to -whom I have related the affair. They agree with me in apprehending that -this false step in one daughter will be injurious to the fortunes of -all the others; for who, as Lady Catherine herself condescendingly says, -will connect themselves with such a family? And this consideration leads -me moreover to reflect, with augmented satisfaction, on a certain event -of last November; for had it been otherwise, I must have been involved -in all your sorrow and disgrace. Let me then advise you, dear sir, to -console yourself as much as possible, to throw off your unworthy child -from your affection for ever, and leave her to reap the fruits of her -own heinous offense. - -“I am, dear sir, etc., etc.” - -Mr. Gardiner did not write again till he had received an answer from -Colonel Forster; and then he had nothing of a pleasant nature to send. -It was not known that Wickham had a single relationship with whom he -kept up any connection, and it was certain that he had no near one -living. His former acquaintances had been numerous; but since he -had been in the militia, it did not appear that he was on terms of -particular friendship with any of them. There was no one, therefore, -who could be pointed out as likely to give any news of him. And in the -wretched state of his own finances, there was a very powerful motive for -secrecy, in addition to his fear of discovery by Lydia's relations, for -it had just transpired that he had left gaming debts behind him to a -very considerable amount. Colonel Forster believed that more than a -thousand pounds would be necessary to clear his expenses at Brighton. -He owed a good deal in town, but his debts of honour were still more -formidable. Mr. Gardiner did not attempt to conceal these particulars -from the Longbourn family. Jane heard them with horror. “A gamester!” - she cried. “This is wholly unexpected. I had not an idea of it.” - -Mr. Gardiner added in his letter, that they might expect to see their -father at home on the following day, which was Saturday. Rendered -spiritless by the ill-success of all their endeavours, he had yielded -to his brother-in-law's entreaty that he would return to his family, and -leave it to him to do whatever occasion might suggest to be advisable -for continuing their pursuit. When Mrs. Bennet was told of this, she did -not express so much satisfaction as her children expected, considering -what her anxiety for his life had been before. - -“What, is he coming home, and without poor Lydia?” she cried. “Sure he -will not leave London before he has found them. Who is to fight Wickham, -and make him marry her, if he comes away?” - -As Mrs. Gardiner began to wish to be at home, it was settled that she -and the children should go to London, at the same time that Mr. Bennet -came from it. The coach, therefore, took them the first stage of their -journey, and brought its master back to Longbourn. - -Mrs. Gardiner went away in all the perplexity about Elizabeth and her -Derbyshire friend that had attended her from that part of the world. His -name had never been voluntarily mentioned before them by her niece; and -the kind of half-expectation which Mrs. Gardiner had formed, of their -being followed by a letter from him, had ended in nothing. Elizabeth had -received none since her return that could come from Pemberley. - -The present unhappy state of the family rendered any other excuse for -the lowness of her spirits unnecessary; nothing, therefore, could be -fairly conjectured from _that_, though Elizabeth, who was by this time -tolerably well acquainted with her own feelings, was perfectly aware -that, had she known nothing of Darcy, she could have borne the dread of -Lydia's infamy somewhat better. It would have spared her, she thought, -one sleepless night out of two. - -When Mr. Bennet arrived, he had all the appearance of his usual -philosophic composure. He said as little as he had ever been in the -habit of saying; made no mention of the business that had taken him -away, and it was some time before his daughters had courage to speak of -it. - -It was not till the afternoon, when he had joined them at tea, that -Elizabeth ventured to introduce the subject; and then, on her briefly -expressing her sorrow for what he must have endured, he replied, “Say -nothing of that. Who should suffer but myself? It has been my own doing, -and I ought to feel it.” - -“You must not be too severe upon yourself,” replied Elizabeth. - -“You may well warn me against such an evil. Human nature is so prone -to fall into it! No, Lizzy, let me once in my life feel how much I have -been to blame. I am not afraid of being overpowered by the impression. -It will pass away soon enough.” - -“Do you suppose them to be in London?” - -“Yes; where else can they be so well concealed?” - -“And Lydia used to want to go to London,” added Kitty. - -“She is happy then,” said her father drily; “and her residence there -will probably be of some duration.” - -Then after a short silence he continued: - -“Lizzy, I bear you no ill-will for being justified in your advice to me -last May, which, considering the event, shows some greatness of mind.” - -They were interrupted by Miss Bennet, who came to fetch her mother's -tea. - -“This is a parade,” he cried, “which does one good; it gives such an -elegance to misfortune! Another day I will do the same; I will sit in my -library, in my nightcap and powdering gown, and give as much trouble as -I can; or, perhaps, I may defer it till Kitty runs away.” - -“I am not going to run away, papa,” said Kitty fretfully. “If I should -ever go to Brighton, I would behave better than Lydia.” - -“_You_ go to Brighton. I would not trust you so near it as Eastbourne -for fifty pounds! No, Kitty, I have at last learnt to be cautious, and -you will feel the effects of it. No officer is ever to enter into -my house again, nor even to pass through the village. Balls will be -absolutely prohibited, unless you stand up with one of your sisters. -And you are never to stir out of doors till you can prove that you have -spent ten minutes of every day in a rational manner.” - -Kitty, who took all these threats in a serious light, began to cry. - -“Well, well,” said he, “do not make yourself unhappy. If you are a good -girl for the next ten years, I will take you to a review at the end of -them.” - - - -Chapter 49 - - -Two days after Mr. Bennet's return, as Jane and Elizabeth were walking -together in the shrubbery behind the house, they saw the housekeeper -coming towards them, and, concluding that she came to call them to their -mother, went forward to meet her; but, instead of the expected summons, -when they approached her, she said to Miss Bennet, “I beg your pardon, -madam, for interrupting you, but I was in hopes you might have got some -good news from town, so I took the liberty of coming to ask.” - -“What do you mean, Hill? We have heard nothing from town.” - -“Dear madam,” cried Mrs. Hill, in great astonishment, “don't you know -there is an express come for master from Mr. Gardiner? He has been here -this half-hour, and master has had a letter.” - -Away ran the girls, too eager to get in to have time for speech. They -ran through the vestibule into the breakfast-room; from thence to the -library; their father was in neither; and they were on the point of -seeking him up stairs with their mother, when they were met by the -butler, who said: - -“If you are looking for my master, ma'am, he is walking towards the -little copse.” - -Upon this information, they instantly passed through the hall once -more, and ran across the lawn after their father, who was deliberately -pursuing his way towards a small wood on one side of the paddock. - -Jane, who was not so light nor so much in the habit of running as -Elizabeth, soon lagged behind, while her sister, panting for breath, -came up with him, and eagerly cried out: - -“Oh, papa, what news--what news? Have you heard from my uncle?” - -“Yes I have had a letter from him by express.” - -“Well, and what news does it bring--good or bad?” - -“What is there of good to be expected?” said he, taking the letter from -his pocket. “But perhaps you would like to read it.” - -Elizabeth impatiently caught it from his hand. Jane now came up. - -“Read it aloud,” said their father, “for I hardly know myself what it is -about.” - -“Gracechurch Street, Monday, August 2. - -“MY DEAR BROTHER, - -“At last I am able to send you some tidings of my niece, and such as, -upon the whole, I hope it will give you satisfaction. Soon after you -left me on Saturday, I was fortunate enough to find out in what part of -London they were. The particulars I reserve till we meet; it is enough -to know they are discovered. I have seen them both--” - -“Then it is as I always hoped,” cried Jane; “they are married!” - -Elizabeth read on: - -“I have seen them both. They are not married, nor can I find there -was any intention of being so; but if you are willing to perform the -engagements which I have ventured to make on your side, I hope it will -not be long before they are. All that is required of you is, to assure -to your daughter, by settlement, her equal share of the five thousand -pounds secured among your children after the decease of yourself and -my sister; and, moreover, to enter into an engagement of allowing her, -during your life, one hundred pounds per annum. These are conditions -which, considering everything, I had no hesitation in complying with, -as far as I thought myself privileged, for you. I shall send this by -express, that no time may be lost in bringing me your answer. You -will easily comprehend, from these particulars, that Mr. Wickham's -circumstances are not so hopeless as they are generally believed to be. -The world has been deceived in that respect; and I am happy to say there -will be some little money, even when all his debts are discharged, to -settle on my niece, in addition to her own fortune. If, as I conclude -will be the case, you send me full powers to act in your name throughout -the whole of this business, I will immediately give directions to -Haggerston for preparing a proper settlement. There will not be the -smallest occasion for your coming to town again; therefore stay quiet at -Longbourn, and depend on my diligence and care. Send back your answer as -fast as you can, and be careful to write explicitly. We have judged it -best that my niece should be married from this house, of which I hope -you will approve. She comes to us to-day. I shall write again as soon as -anything more is determined on. Yours, etc., - -“EDW. GARDINER.” - -“Is it possible?” cried Elizabeth, when she had finished. “Can it be -possible that he will marry her?” - -“Wickham is not so undeserving, then, as we thought him,” said her -sister. “My dear father, I congratulate you.” - -“And have you answered the letter?” cried Elizabeth. - -“No; but it must be done soon.” - -Most earnestly did she then entreat him to lose no more time before he -wrote. - -“Oh! my dear father,” she cried, “come back and write immediately. -Consider how important every moment is in such a case.” - -“Let me write for you,” said Jane, “if you dislike the trouble -yourself.” - -“I dislike it very much,” he replied; “but it must be done.” - -And so saying, he turned back with them, and walked towards the house. - -“And may I ask--” said Elizabeth; “but the terms, I suppose, must be -complied with.” - -“Complied with! I am only ashamed of his asking so little.” - -“And they _must_ marry! Yet he is _such_ a man!” - -“Yes, yes, they must marry. There is nothing else to be done. But there -are two things that I want very much to know; one is, how much money -your uncle has laid down to bring it about; and the other, how am I ever -to pay him.” - -“Money! My uncle!” cried Jane, “what do you mean, sir?” - -“I mean, that no man in his senses would marry Lydia on so slight a -temptation as one hundred a year during my life, and fifty after I am -gone.” - -“That is very true,” said Elizabeth; “though it had not occurred to me -before. His debts to be discharged, and something still to remain! Oh! -it must be my uncle's doings! Generous, good man, I am afraid he has -distressed himself. A small sum could not do all this.” - -“No,” said her father; “Wickham's a fool if he takes her with a farthing -less than ten thousand pounds. I should be sorry to think so ill of him, -in the very beginning of our relationship.” - -“Ten thousand pounds! Heaven forbid! How is half such a sum to be -repaid?” - -Mr. Bennet made no answer, and each of them, deep in thought, continued -silent till they reached the house. Their father then went on to the -library to write, and the girls walked into the breakfast-room. - -“And they are really to be married!” cried Elizabeth, as soon as they -were by themselves. “How strange this is! And for _this_ we are to be -thankful. That they should marry, small as is their chance of happiness, -and wretched as is his character, we are forced to rejoice. Oh, Lydia!” - -“I comfort myself with thinking,” replied Jane, “that he certainly would -not marry Lydia if he had not a real regard for her. Though our kind -uncle has done something towards clearing him, I cannot believe that ten -thousand pounds, or anything like it, has been advanced. He has children -of his own, and may have more. How could he spare half ten thousand -pounds?” - -“If he were ever able to learn what Wickham's debts have been,” said -Elizabeth, “and how much is settled on his side on our sister, we shall -exactly know what Mr. Gardiner has done for them, because Wickham has -not sixpence of his own. The kindness of my uncle and aunt can never -be requited. Their taking her home, and affording her their personal -protection and countenance, is such a sacrifice to her advantage as -years of gratitude cannot enough acknowledge. By this time she is -actually with them! If such goodness does not make her miserable now, -she will never deserve to be happy! What a meeting for her, when she -first sees my aunt!” - -“We must endeavour to forget all that has passed on either side,” said -Jane: “I hope and trust they will yet be happy. His consenting to -marry her is a proof, I will believe, that he is come to a right way of -thinking. Their mutual affection will steady them; and I flatter myself -they will settle so quietly, and live in so rational a manner, as may in -time make their past imprudence forgotten.” - -“Their conduct has been such,” replied Elizabeth, “as neither you, nor -I, nor anybody can ever forget. It is useless to talk of it.” - -It now occurred to the girls that their mother was in all likelihood -perfectly ignorant of what had happened. They went to the library, -therefore, and asked their father whether he would not wish them to make -it known to her. He was writing and, without raising his head, coolly -replied: - -“Just as you please.” - -“May we take my uncle's letter to read to her?” - -“Take whatever you like, and get away.” - -Elizabeth took the letter from his writing-table, and they went up stairs -together. Mary and Kitty were both with Mrs. Bennet: one communication -would, therefore, do for all. After a slight preparation for good news, -the letter was read aloud. Mrs. Bennet could hardly contain herself. As -soon as Jane had read Mr. Gardiner's hope of Lydia's being soon -married, her joy burst forth, and every following sentence added to its -exuberance. She was now in an irritation as violent from delight, as she -had ever been fidgety from alarm and vexation. To know that her daughter -would be married was enough. She was disturbed by no fear for her -felicity, nor humbled by any remembrance of her misconduct. - -“My dear, dear Lydia!” she cried. “This is delightful indeed! She will -be married! I shall see her again! She will be married at sixteen! -My good, kind brother! I knew how it would be. I knew he would manage -everything! How I long to see her! and to see dear Wickham too! But the -clothes, the wedding clothes! I will write to my sister Gardiner about -them directly. Lizzy, my dear, run down to your father, and ask him -how much he will give her. Stay, stay, I will go myself. Ring the bell, -Kitty, for Hill. I will put on my things in a moment. My dear, dear -Lydia! How merry we shall be together when we meet!” - -Her eldest daughter endeavoured to give some relief to the violence of -these transports, by leading her thoughts to the obligations which Mr. -Gardiner's behaviour laid them all under. - -“For we must attribute this happy conclusion,” she added, “in a great -measure to his kindness. We are persuaded that he has pledged himself to -assist Mr. Wickham with money.” - -“Well,” cried her mother, “it is all very right; who should do it but -her own uncle? If he had not had a family of his own, I and my children -must have had all his money, you know; and it is the first time we have -ever had anything from him, except a few presents. Well! I am so happy! -In a short time I shall have a daughter married. Mrs. Wickham! How well -it sounds! And she was only sixteen last June. My dear Jane, I am in -such a flutter, that I am sure I can't write; so I will dictate, and -you write for me. We will settle with your father about the money -afterwards; but the things should be ordered immediately.” - -She was then proceeding to all the particulars of calico, muslin, and -cambric, and would shortly have dictated some very plentiful orders, had -not Jane, though with some difficulty, persuaded her to wait till her -father was at leisure to be consulted. One day's delay, she observed, -would be of small importance; and her mother was too happy to be quite -so obstinate as usual. Other schemes, too, came into her head. - -“I will go to Meryton,” said she, “as soon as I am dressed, and tell the -good, good news to my sister Philips. And as I come back, I can call -on Lady Lucas and Mrs. Long. Kitty, run down and order the carriage. -An airing would do me a great deal of good, I am sure. Girls, can I do -anything for you in Meryton? Oh! Here comes Hill! My dear Hill, have you -heard the good news? Miss Lydia is going to be married; and you shall -all have a bowl of punch to make merry at her wedding.” - -Mrs. Hill began instantly to express her joy. Elizabeth received her -congratulations amongst the rest, and then, sick of this folly, took -refuge in her own room, that she might think with freedom. - -Poor Lydia's situation must, at best, be bad enough; but that it was -no worse, she had need to be thankful. She felt it so; and though, in -looking forward, neither rational happiness nor worldly prosperity could -be justly expected for her sister, in looking back to what they had -feared, only two hours ago, she felt all the advantages of what they had -gained. - - - -Chapter 50 - - -Mr. Bennet had very often wished before this period of his life that, -instead of spending his whole income, he had laid by an annual sum for -the better provision of his children, and of his wife, if she survived -him. He now wished it more than ever. Had he done his duty in that -respect, Lydia need not have been indebted to her uncle for whatever -of honour or credit could now be purchased for her. The satisfaction of -prevailing on one of the most worthless young men in Great Britain to be -her husband might then have rested in its proper place. - -He was seriously concerned that a cause of so little advantage to anyone -should be forwarded at the sole expense of his brother-in-law, and he -was determined, if possible, to find out the extent of his assistance, -and to discharge the obligation as soon as he could. - -When first Mr. Bennet had married, economy was held to be perfectly -useless, for, of course, they were to have a son. The son was to join -in cutting off the entail, as soon as he should be of age, and the widow -and younger children would by that means be provided for. Five daughters -successively entered the world, but yet the son was to come; and Mrs. -Bennet, for many years after Lydia's birth, had been certain that he -would. This event had at last been despaired of, but it was then -too late to be saving. Mrs. Bennet had no turn for economy, and her -husband's love of independence had alone prevented their exceeding their -income. - -Five thousand pounds was settled by marriage articles on Mrs. Bennet and -the children. But in what proportions it should be divided amongst the -latter depended on the will of the parents. This was one point, with -regard to Lydia, at least, which was now to be settled, and Mr. Bennet -could have no hesitation in acceding to the proposal before him. In -terms of grateful acknowledgment for the kindness of his brother, -though expressed most concisely, he then delivered on paper his perfect -approbation of all that was done, and his willingness to fulfil the -engagements that had been made for him. He had never before supposed -that, could Wickham be prevailed on to marry his daughter, it would -be done with so little inconvenience to himself as by the present -arrangement. He would scarcely be ten pounds a year the loser by the -hundred that was to be paid them; for, what with her board and pocket -allowance, and the continual presents in money which passed to her -through her mother's hands, Lydia's expenses had been very little within -that sum. - -That it would be done with such trifling exertion on his side, too, was -another very welcome surprise; for his wish at present was to have as -little trouble in the business as possible. When the first transports -of rage which had produced his activity in seeking her were over, he -naturally returned to all his former indolence. His letter was soon -dispatched; for, though dilatory in undertaking business, he was quick -in its execution. He begged to know further particulars of what he -was indebted to his brother, but was too angry with Lydia to send any -message to her. - -The good news spread quickly through the house, and with proportionate -speed through the neighbourhood. It was borne in the latter with decent -philosophy. To be sure, it would have been more for the advantage -of conversation had Miss Lydia Bennet come upon the town; or, as the -happiest alternative, been secluded from the world, in some distant -farmhouse. But there was much to be talked of in marrying her; and the -good-natured wishes for her well-doing which had proceeded before from -all the spiteful old ladies in Meryton lost but a little of their spirit -in this change of circumstances, because with such an husband her misery -was considered certain. - -It was a fortnight since Mrs. Bennet had been downstairs; but on this -happy day she again took her seat at the head of her table, and in -spirits oppressively high. No sentiment of shame gave a damp to her -triumph. The marriage of a daughter, which had been the first object -of her wishes since Jane was sixteen, was now on the point of -accomplishment, and her thoughts and her words ran wholly on those -attendants of elegant nuptials, fine muslins, new carriages, and -servants. She was busily searching through the neighbourhood for a -proper situation for her daughter, and, without knowing or considering -what their income might be, rejected many as deficient in size and -importance. - -“Haye Park might do,” said she, “if the Gouldings could quit it--or the -great house at Stoke, if the drawing-room were larger; but Ashworth is -too far off! I could not bear to have her ten miles from me; and as for -Pulvis Lodge, the attics are dreadful.” - -Her husband allowed her to talk on without interruption while the -servants remained. But when they had withdrawn, he said to her: “Mrs. -Bennet, before you take any or all of these houses for your son and -daughter, let us come to a right understanding. Into _one_ house in this -neighbourhood they shall never have admittance. I will not encourage the -impudence of either, by receiving them at Longbourn.” - -A long dispute followed this declaration; but Mr. Bennet was firm. It -soon led to another; and Mrs. Bennet found, with amazement and horror, -that her husband would not advance a guinea to buy clothes for his -daughter. He protested that she should receive from him no mark of -affection whatever on the occasion. Mrs. Bennet could hardly comprehend -it. That his anger could be carried to such a point of inconceivable -resentment as to refuse his daughter a privilege without which her -marriage would scarcely seem valid, exceeded all she could believe -possible. She was more alive to the disgrace which her want of new -clothes must reflect on her daughter's nuptials, than to any sense of -shame at her eloping and living with Wickham a fortnight before they -took place. - -Elizabeth was now most heartily sorry that she had, from the distress of -the moment, been led to make Mr. Darcy acquainted with their fears for -her sister; for since her marriage would so shortly give the -proper termination to the elopement, they might hope to conceal its -unfavourable beginning from all those who were not immediately on the -spot. - -She had no fear of its spreading farther through his means. There were -few people on whose secrecy she would have more confidently depended; -but, at the same time, there was no one whose knowledge of a sister's -frailty would have mortified her so much--not, however, from any fear -of disadvantage from it individually to herself, for, at any rate, -there seemed a gulf impassable between them. Had Lydia's marriage been -concluded on the most honourable terms, it was not to be supposed that -Mr. Darcy would connect himself with a family where, to every other -objection, would now be added an alliance and relationship of the -nearest kind with a man whom he so justly scorned. - -From such a connection she could not wonder that he would shrink. The -wish of procuring her regard, which she had assured herself of his -feeling in Derbyshire, could not in rational expectation survive such a -blow as this. She was humbled, she was grieved; she repented, though she -hardly knew of what. She became jealous of his esteem, when she could no -longer hope to be benefited by it. She wanted to hear of him, when there -seemed the least chance of gaining intelligence. She was convinced that -she could have been happy with him, when it was no longer likely they -should meet. - -What a triumph for him, as she often thought, could he know that the -proposals which she had proudly spurned only four months ago, would now -have been most gladly and gratefully received! He was as generous, she -doubted not, as the most generous of his sex; but while he was mortal, -there must be a triumph. - -She began now to comprehend that he was exactly the man who, in -disposition and talents, would most suit her. His understanding and -temper, though unlike her own, would have answered all her wishes. It -was an union that must have been to the advantage of both; by her ease -and liveliness, his mind might have been softened, his manners improved; -and from his judgement, information, and knowledge of the world, she -must have received benefit of greater importance. - -But no such happy marriage could now teach the admiring multitude what -connubial felicity really was. An union of a different tendency, and -precluding the possibility of the other, was soon to be formed in their -family. - -How Wickham and Lydia were to be supported in tolerable independence, -she could not imagine. But how little of permanent happiness could -belong to a couple who were only brought together because their passions -were stronger than their virtue, she could easily conjecture. - - * * * * * - -Mr. Gardiner soon wrote again to his brother. To Mr. Bennet's -acknowledgments he briefly replied, with assurance of his eagerness to -promote the welfare of any of his family; and concluded with entreaties -that the subject might never be mentioned to him again. The principal -purport of his letter was to inform them that Mr. Wickham had resolved -on quitting the militia. - -“It was greatly my wish that he should do so,” he added, “as soon as -his marriage was fixed on. And I think you will agree with me, in -considering the removal from that corps as highly advisable, both on -his account and my niece's. It is Mr. Wickham's intention to go into -the regulars; and among his former friends, there are still some who -are able and willing to assist him in the army. He has the promise of an -ensigncy in General ----'s regiment, now quartered in the North. It -is an advantage to have it so far from this part of the kingdom. He -promises fairly; and I hope among different people, where they may each -have a character to preserve, they will both be more prudent. I have -written to Colonel Forster, to inform him of our present arrangements, -and to request that he will satisfy the various creditors of Mr. Wickham -in and near Brighton, with assurances of speedy payment, for which I -have pledged myself. And will you give yourself the trouble of carrying -similar assurances to his creditors in Meryton, of whom I shall subjoin -a list according to his information? He has given in all his debts; I -hope at least he has not deceived us. Haggerston has our directions, -and all will be completed in a week. They will then join his regiment, -unless they are first invited to Longbourn; and I understand from Mrs. -Gardiner, that my niece is very desirous of seeing you all before she -leaves the South. She is well, and begs to be dutifully remembered to -you and her mother.--Yours, etc., - -“E. GARDINER.” - -Mr. Bennet and his daughters saw all the advantages of Wickham's removal -from the ----shire as clearly as Mr. Gardiner could do. But Mrs. Bennet -was not so well pleased with it. Lydia's being settled in the North, -just when she had expected most pleasure and pride in her company, -for she had by no means given up her plan of their residing in -Hertfordshire, was a severe disappointment; and, besides, it was such a -pity that Lydia should be taken from a regiment where she was acquainted -with everybody, and had so many favourites. - -“She is so fond of Mrs. Forster,” said she, “it will be quite shocking -to send her away! And there are several of the young men, too, that she -likes very much. The officers may not be so pleasant in General ----'s -regiment.” - -His daughter's request, for such it might be considered, of being -admitted into her family again before she set off for the North, -received at first an absolute negative. But Jane and Elizabeth, -who agreed in wishing, for the sake of their sister's feelings and -consequence, that she should be noticed on her marriage by her parents, -urged him so earnestly yet so rationally and so mildly, to receive her -and her husband at Longbourn, as soon as they were married, that he was -prevailed on to think as they thought, and act as they wished. And their -mother had the satisfaction of knowing that she would be able to show -her married daughter in the neighbourhood before she was banished to the -North. When Mr. Bennet wrote again to his brother, therefore, he sent -his permission for them to come; and it was settled, that as soon as -the ceremony was over, they should proceed to Longbourn. Elizabeth was -surprised, however, that Wickham should consent to such a scheme, and -had she consulted only her own inclination, any meeting with him would -have been the last object of her wishes. - - - -Chapter 51 - - -Their sister's wedding day arrived; and Jane and Elizabeth felt for her -probably more than she felt for herself. The carriage was sent to -meet them at ----, and they were to return in it by dinner-time. Their -arrival was dreaded by the elder Miss Bennets, and Jane more especially, -who gave Lydia the feelings which would have attended herself, had she -been the culprit, and was wretched in the thought of what her sister -must endure. - -They came. The family were assembled in the breakfast room to receive -them. Smiles decked the face of Mrs. Bennet as the carriage drove up to -the door; her husband looked impenetrably grave; her daughters, alarmed, -anxious, uneasy. - -Lydia's voice was heard in the vestibule; the door was thrown open, and -she ran into the room. Her mother stepped forwards, embraced her, and -welcomed her with rapture; gave her hand, with an affectionate smile, -to Wickham, who followed his lady; and wished them both joy with an -alacrity which shewed no doubt of their happiness. - -Their reception from Mr. Bennet, to whom they then turned, was not quite -so cordial. His countenance rather gained in austerity; and he scarcely -opened his lips. The easy assurance of the young couple, indeed, was -enough to provoke him. Elizabeth was disgusted, and even Miss Bennet -was shocked. Lydia was Lydia still; untamed, unabashed, wild, noisy, -and fearless. She turned from sister to sister, demanding their -congratulations; and when at length they all sat down, looked eagerly -round the room, took notice of some little alteration in it, and -observed, with a laugh, that it was a great while since she had been -there. - -Wickham was not at all more distressed than herself, but his manners -were always so pleasing, that had his character and his marriage been -exactly what they ought, his smiles and his easy address, while he -claimed their relationship, would have delighted them all. Elizabeth had -not before believed him quite equal to such assurance; but she sat down, -resolving within herself to draw no limits in future to the impudence -of an impudent man. She blushed, and Jane blushed; but the cheeks of the -two who caused their confusion suffered no variation of colour. - -There was no want of discourse. The bride and her mother could neither -of them talk fast enough; and Wickham, who happened to sit near -Elizabeth, began inquiring after his acquaintance in that neighbourhood, -with a good humoured ease which she felt very unable to equal in her -replies. They seemed each of them to have the happiest memories in the -world. Nothing of the past was recollected with pain; and Lydia led -voluntarily to subjects which her sisters would not have alluded to for -the world. - -“Only think of its being three months,” she cried, “since I went away; -it seems but a fortnight I declare; and yet there have been things -enough happened in the time. Good gracious! when I went away, I am sure -I had no more idea of being married till I came back again! though I -thought it would be very good fun if I was.” - -Her father lifted up his eyes. Jane was distressed. Elizabeth looked -expressively at Lydia; but she, who never heard nor saw anything of -which she chose to be insensible, gaily continued, “Oh! mamma, do the -people hereabouts know I am married to-day? I was afraid they might not; -and we overtook William Goulding in his curricle, so I was determined he -should know it, and so I let down the side-glass next to him, and took -off my glove, and let my hand just rest upon the window frame, so that -he might see the ring, and then I bowed and smiled like anything.” - -Elizabeth could bear it no longer. She got up, and ran out of the room; -and returned no more, till she heard them passing through the hall to -the dining parlour. She then joined them soon enough to see Lydia, with -anxious parade, walk up to her mother's right hand, and hear her say -to her eldest sister, “Ah! Jane, I take your place now, and you must go -lower, because I am a married woman.” - -It was not to be supposed that time would give Lydia that embarrassment -from which she had been so wholly free at first. Her ease and good -spirits increased. She longed to see Mrs. Phillips, the Lucases, and -all their other neighbours, and to hear herself called “Mrs. Wickham” - by each of them; and in the mean time, she went after dinner to show her -ring, and boast of being married, to Mrs. Hill and the two housemaids. - -“Well, mamma,” said she, when they were all returned to the breakfast -room, “and what do you think of my husband? Is not he a charming man? I -am sure my sisters must all envy me. I only hope they may have half -my good luck. They must all go to Brighton. That is the place to get -husbands. What a pity it is, mamma, we did not all go.” - -“Very true; and if I had my will, we should. But my dear Lydia, I don't -at all like your going such a way off. Must it be so?” - -“Oh, lord! yes;--there is nothing in that. I shall like it of all -things. You and papa, and my sisters, must come down and see us. We -shall be at Newcastle all the winter, and I dare say there will be some -balls, and I will take care to get good partners for them all.” - -“I should like it beyond anything!” said her mother. - -“And then when you go away, you may leave one or two of my sisters -behind you; and I dare say I shall get husbands for them before the -winter is over.” - -“I thank you for my share of the favour,” said Elizabeth; “but I do not -particularly like your way of getting husbands.” - -Their visitors were not to remain above ten days with them. Mr. Wickham -had received his commission before he left London, and he was to join -his regiment at the end of a fortnight. - -No one but Mrs. Bennet regretted that their stay would be so short; and -she made the most of the time by visiting about with her daughter, and -having very frequent parties at home. These parties were acceptable to -all; to avoid a family circle was even more desirable to such as did -think, than such as did not. - -Wickham's affection for Lydia was just what Elizabeth had expected -to find it; not equal to Lydia's for him. She had scarcely needed her -present observation to be satisfied, from the reason of things, that -their elopement had been brought on by the strength of her love, rather -than by his; and she would have wondered why, without violently caring -for her, he chose to elope with her at all, had she not felt certain -that his flight was rendered necessary by distress of circumstances; and -if that were the case, he was not the young man to resist an opportunity -of having a companion. - -Lydia was exceedingly fond of him. He was her dear Wickham on every -occasion; no one was to be put in competition with him. He did every -thing best in the world; and she was sure he would kill more birds on -the first of September, than any body else in the country. - -One morning, soon after their arrival, as she was sitting with her two -elder sisters, she said to Elizabeth: - -“Lizzy, I never gave _you_ an account of my wedding, I believe. You -were not by, when I told mamma and the others all about it. Are not you -curious to hear how it was managed?” - -“No really,” replied Elizabeth; “I think there cannot be too little said -on the subject.” - -“La! You are so strange! But I must tell you how it went off. We were -married, you know, at St. Clement's, because Wickham's lodgings were in -that parish. And it was settled that we should all be there by eleven -o'clock. My uncle and aunt and I were to go together; and the others -were to meet us at the church. Well, Monday morning came, and I was in -such a fuss! I was so afraid, you know, that something would happen to -put it off, and then I should have gone quite distracted. And there was -my aunt, all the time I was dressing, preaching and talking away just as -if she was reading a sermon. However, I did not hear above one word in -ten, for I was thinking, you may suppose, of my dear Wickham. I longed -to know whether he would be married in his blue coat.” - -“Well, and so we breakfasted at ten as usual; I thought it would never -be over; for, by the bye, you are to understand, that my uncle and aunt -were horrid unpleasant all the time I was with them. If you'll believe -me, I did not once put my foot out of doors, though I was there a -fortnight. Not one party, or scheme, or anything. To be sure London was -rather thin, but, however, the Little Theatre was open. Well, and so -just as the carriage came to the door, my uncle was called away upon -business to that horrid man Mr. Stone. And then, you know, when once -they get together, there is no end of it. Well, I was so frightened I -did not know what to do, for my uncle was to give me away; and if we -were beyond the hour, we could not be married all day. But, luckily, he -came back again in ten minutes' time, and then we all set out. However, -I recollected afterwards that if he had been prevented going, the -wedding need not be put off, for Mr. Darcy might have done as well.” - -“Mr. Darcy!” repeated Elizabeth, in utter amazement. - -“Oh, yes!--he was to come there with Wickham, you know. But gracious -me! I quite forgot! I ought not to have said a word about it. I promised -them so faithfully! What will Wickham say? It was to be such a secret!” - -“If it was to be secret,” said Jane, “say not another word on the -subject. You may depend upon my seeking no further.” - -“Oh! certainly,” said Elizabeth, though burning with curiosity; “we will -ask you no questions.” - -“Thank you,” said Lydia, “for if you did, I should certainly tell you -all, and then Wickham would be angry.” - -On such encouragement to ask, Elizabeth was forced to put it out of her -power, by running away. - -But to live in ignorance on such a point was impossible; or at least -it was impossible not to try for information. Mr. Darcy had been at -her sister's wedding. It was exactly a scene, and exactly among people, -where he had apparently least to do, and least temptation to go. -Conjectures as to the meaning of it, rapid and wild, hurried into her -brain; but she was satisfied with none. Those that best pleased her, as -placing his conduct in the noblest light, seemed most improbable. She -could not bear such suspense; and hastily seizing a sheet of paper, -wrote a short letter to her aunt, to request an explanation of what -Lydia had dropt, if it were compatible with the secrecy which had been -intended. - -“You may readily comprehend,” she added, “what my curiosity must be -to know how a person unconnected with any of us, and (comparatively -speaking) a stranger to our family, should have been amongst you at such -a time. Pray write instantly, and let me understand it--unless it is, -for very cogent reasons, to remain in the secrecy which Lydia seems -to think necessary; and then I must endeavour to be satisfied with -ignorance.” - -“Not that I _shall_, though,” she added to herself, as she finished -the letter; “and my dear aunt, if you do not tell me in an honourable -manner, I shall certainly be reduced to tricks and stratagems to find it -out.” - -Jane's delicate sense of honour would not allow her to speak to -Elizabeth privately of what Lydia had let fall; Elizabeth was glad -of it;--till it appeared whether her inquiries would receive any -satisfaction, she had rather be without a confidante. - - - -Chapter 52 - - -Elizabeth had the satisfaction of receiving an answer to her letter as -soon as she possibly could. She was no sooner in possession of it -than, hurrying into the little copse, where she was least likely to -be interrupted, she sat down on one of the benches and prepared to -be happy; for the length of the letter convinced her that it did not -contain a denial. - -“Gracechurch street, Sept. 6. - -“MY DEAR NIECE, - -“I have just received your letter, and shall devote this whole morning -to answering it, as I foresee that a _little_ writing will not comprise -what I have to tell you. I must confess myself surprised by your -application; I did not expect it from _you_. Don't think me angry, -however, for I only mean to let you know that I had not imagined such -inquiries to be necessary on _your_ side. If you do not choose to -understand me, forgive my impertinence. Your uncle is as much surprised -as I am--and nothing but the belief of your being a party concerned -would have allowed him to act as he has done. But if you are really -innocent and ignorant, I must be more explicit. - -“On the very day of my coming home from Longbourn, your uncle had a most -unexpected visitor. Mr. Darcy called, and was shut up with him several -hours. It was all over before I arrived; so my curiosity was not so -dreadfully racked as _yours_ seems to have been. He came to tell Mr. -Gardiner that he had found out where your sister and Mr. Wickham were, -and that he had seen and talked with them both; Wickham repeatedly, -Lydia once. From what I can collect, he left Derbyshire only one day -after ourselves, and came to town with the resolution of hunting for -them. The motive professed was his conviction of its being owing to -himself that Wickham's worthlessness had not been so well known as to -make it impossible for any young woman of character to love or confide -in him. He generously imputed the whole to his mistaken pride, and -confessed that he had before thought it beneath him to lay his private -actions open to the world. His character was to speak for itself. He -called it, therefore, his duty to step forward, and endeavour to remedy -an evil which had been brought on by himself. If he _had another_ -motive, I am sure it would never disgrace him. He had been some days -in town, before he was able to discover them; but he had something to -direct his search, which was more than _we_ had; and the consciousness -of this was another reason for his resolving to follow us. - -“There is a lady, it seems, a Mrs. Younge, who was some time ago -governess to Miss Darcy, and was dismissed from her charge on some cause -of disapprobation, though he did not say what. She then took a large -house in Edward-street, and has since maintained herself by letting -lodgings. This Mrs. Younge was, he knew, intimately acquainted with -Wickham; and he went to her for intelligence of him as soon as he got to -town. But it was two or three days before he could get from her what he -wanted. She would not betray her trust, I suppose, without bribery and -corruption, for she really did know where her friend was to be found. -Wickham indeed had gone to her on their first arrival in London, and had -she been able to receive them into her house, they would have taken up -their abode with her. At length, however, our kind friend procured the -wished-for direction. They were in ---- street. He saw Wickham, and -afterwards insisted on seeing Lydia. His first object with her, he -acknowledged, had been to persuade her to quit her present disgraceful -situation, and return to her friends as soon as they could be prevailed -on to receive her, offering his assistance, as far as it would go. But -he found Lydia absolutely resolved on remaining where she was. She cared -for none of her friends; she wanted no help of his; she would not hear -of leaving Wickham. She was sure they should be married some time or -other, and it did not much signify when. Since such were her feelings, -it only remained, he thought, to secure and expedite a marriage, which, -in his very first conversation with Wickham, he easily learnt had never -been _his_ design. He confessed himself obliged to leave the regiment, -on account of some debts of honour, which were very pressing; and -scrupled not to lay all the ill-consequences of Lydia's flight on her -own folly alone. He meant to resign his commission immediately; and as -to his future situation, he could conjecture very little about it. He -must go somewhere, but he did not know where, and he knew he should have -nothing to live on. - -“Mr. Darcy asked him why he had not married your sister at once. Though -Mr. Bennet was not imagined to be very rich, he would have been able -to do something for him, and his situation must have been benefited by -marriage. But he found, in reply to this question, that Wickham still -cherished the hope of more effectually making his fortune by marriage in -some other country. Under such circumstances, however, he was not likely -to be proof against the temptation of immediate relief. - -“They met several times, for there was much to be discussed. Wickham of -course wanted more than he could get; but at length was reduced to be -reasonable. - -“Every thing being settled between _them_, Mr. Darcy's next step was to -make your uncle acquainted with it, and he first called in Gracechurch -street the evening before I came home. But Mr. Gardiner could not be -seen, and Mr. Darcy found, on further inquiry, that your father was -still with him, but would quit town the next morning. He did not judge -your father to be a person whom he could so properly consult as your -uncle, and therefore readily postponed seeing him till after the -departure of the former. He did not leave his name, and till the next -day it was only known that a gentleman had called on business. - -“On Saturday he came again. Your father was gone, your uncle at home, -and, as I said before, they had a great deal of talk together. - -“They met again on Sunday, and then _I_ saw him too. It was not all -settled before Monday: as soon as it was, the express was sent off to -Longbourn. But our visitor was very obstinate. I fancy, Lizzy, that -obstinacy is the real defect of his character, after all. He has been -accused of many faults at different times, but _this_ is the true one. -Nothing was to be done that he did not do himself; though I am sure (and -I do not speak it to be thanked, therefore say nothing about it), your -uncle would most readily have settled the whole. - -“They battled it together for a long time, which was more than either -the gentleman or lady concerned in it deserved. But at last your uncle -was forced to yield, and instead of being allowed to be of use to his -niece, was forced to put up with only having the probable credit of it, -which went sorely against the grain; and I really believe your letter -this morning gave him great pleasure, because it required an explanation -that would rob him of his borrowed feathers, and give the praise where -it was due. But, Lizzy, this must go no farther than yourself, or Jane -at most. - -“You know pretty well, I suppose, what has been done for the young -people. His debts are to be paid, amounting, I believe, to considerably -more than a thousand pounds, another thousand in addition to her own -settled upon _her_, and his commission purchased. The reason why all -this was to be done by him alone, was such as I have given above. It -was owing to him, to his reserve and want of proper consideration, that -Wickham's character had been so misunderstood, and consequently that he -had been received and noticed as he was. Perhaps there was some truth -in _this_; though I doubt whether _his_ reserve, or _anybody's_ reserve, -can be answerable for the event. But in spite of all this fine talking, -my dear Lizzy, you may rest perfectly assured that your uncle would -never have yielded, if we had not given him credit for _another -interest_ in the affair. - -“When all this was resolved on, he returned again to his friends, who -were still staying at Pemberley; but it was agreed that he should be in -London once more when the wedding took place, and all money matters were -then to receive the last finish. - -“I believe I have now told you every thing. It is a relation which -you tell me is to give you great surprise; I hope at least it will not -afford you any displeasure. Lydia came to us; and Wickham had constant -admission to the house. _He_ was exactly what he had been, when I -knew him in Hertfordshire; but I would not tell you how little I was -satisfied with her behaviour while she staid with us, if I had not -perceived, by Jane's letter last Wednesday, that her conduct on coming -home was exactly of a piece with it, and therefore what I now tell -you can give you no fresh pain. I talked to her repeatedly in the most -serious manner, representing to her all the wickedness of what she had -done, and all the unhappiness she had brought on her family. If she -heard me, it was by good luck, for I am sure she did not listen. I was -sometimes quite provoked, but then I recollected my dear Elizabeth and -Jane, and for their sakes had patience with her. - -“Mr. Darcy was punctual in his return, and as Lydia informed you, -attended the wedding. He dined with us the next day, and was to leave -town again on Wednesday or Thursday. Will you be very angry with me, my -dear Lizzy, if I take this opportunity of saying (what I was never bold -enough to say before) how much I like him. His behaviour to us has, -in every respect, been as pleasing as when we were in Derbyshire. His -understanding and opinions all please me; he wants nothing but a little -more liveliness, and _that_, if he marry _prudently_, his wife may teach -him. I thought him very sly;--he hardly ever mentioned your name. But -slyness seems the fashion. - -“Pray forgive me if I have been very presuming, or at least do not -punish me so far as to exclude me from P. I shall never be quite happy -till I have been all round the park. A low phaeton, with a nice little -pair of ponies, would be the very thing. - -“But I must write no more. The children have been wanting me this half -hour. - -“Yours, very sincerely, - -“M. GARDINER.” - -The contents of this letter threw Elizabeth into a flutter of spirits, -in which it was difficult to determine whether pleasure or pain bore the -greatest share. The vague and unsettled suspicions which uncertainty had -produced of what Mr. Darcy might have been doing to forward her sister's -match, which she had feared to encourage as an exertion of goodness too -great to be probable, and at the same time dreaded to be just, from the -pain of obligation, were proved beyond their greatest extent to be true! -He had followed them purposely to town, he had taken on himself all -the trouble and mortification attendant on such a research; in which -supplication had been necessary to a woman whom he must abominate and -despise, and where he was reduced to meet, frequently meet, reason -with, persuade, and finally bribe, the man whom he always most wished to -avoid, and whose very name it was punishment to him to pronounce. He had -done all this for a girl whom he could neither regard nor esteem. Her -heart did whisper that he had done it for her. But it was a hope shortly -checked by other considerations, and she soon felt that even her vanity -was insufficient, when required to depend on his affection for her--for -a woman who had already refused him--as able to overcome a sentiment so -natural as abhorrence against relationship with Wickham. Brother-in-law -of Wickham! Every kind of pride must revolt from the connection. He had, -to be sure, done much. She was ashamed to think how much. But he had -given a reason for his interference, which asked no extraordinary -stretch of belief. It was reasonable that he should feel he had been -wrong; he had liberality, and he had the means of exercising it; and -though she would not place herself as his principal inducement, she -could, perhaps, believe that remaining partiality for her might assist -his endeavours in a cause where her peace of mind must be materially -concerned. It was painful, exceedingly painful, to know that they were -under obligations to a person who could never receive a return. They -owed the restoration of Lydia, her character, every thing, to him. Oh! -how heartily did she grieve over every ungracious sensation she had ever -encouraged, every saucy speech she had ever directed towards him. For -herself she was humbled; but she was proud of him. Proud that in a cause -of compassion and honour, he had been able to get the better of himself. -She read over her aunt's commendation of him again and again. It -was hardly enough; but it pleased her. She was even sensible of some -pleasure, though mixed with regret, on finding how steadfastly both she -and her uncle had been persuaded that affection and confidence subsisted -between Mr. Darcy and herself. - -She was roused from her seat, and her reflections, by some one's -approach; and before she could strike into another path, she was -overtaken by Wickham. - -“I am afraid I interrupt your solitary ramble, my dear sister?” said he, -as he joined her. - -“You certainly do,” she replied with a smile; “but it does not follow -that the interruption must be unwelcome.” - -“I should be sorry indeed, if it were. We were always good friends; and -now we are better.” - -“True. Are the others coming out?” - -“I do not know. Mrs. Bennet and Lydia are going in the carriage to -Meryton. And so, my dear sister, I find, from our uncle and aunt, that -you have actually seen Pemberley.” - -She replied in the affirmative. - -“I almost envy you the pleasure, and yet I believe it would be too much -for me, or else I could take it in my way to Newcastle. And you saw the -old housekeeper, I suppose? Poor Reynolds, she was always very fond of -me. But of course she did not mention my name to you.” - -“Yes, she did.” - -“And what did she say?” - -“That you were gone into the army, and she was afraid had--not turned -out well. At such a distance as _that_, you know, things are strangely -misrepresented.” - -“Certainly,” he replied, biting his lips. Elizabeth hoped she had -silenced him; but he soon afterwards said: - -“I was surprised to see Darcy in town last month. We passed each other -several times. I wonder what he can be doing there.” - -“Perhaps preparing for his marriage with Miss de Bourgh,” said -Elizabeth. “It must be something particular, to take him there at this -time of year.” - -“Undoubtedly. Did you see him while you were at Lambton? I thought I -understood from the Gardiners that you had.” - -“Yes; he introduced us to his sister.” - -“And do you like her?” - -“Very much.” - -“I have heard, indeed, that she is uncommonly improved within this year -or two. When I last saw her, she was not very promising. I am very glad -you liked her. I hope she will turn out well.” - -“I dare say she will; she has got over the most trying age.” - -“Did you go by the village of Kympton?” - -“I do not recollect that we did.” - -“I mention it, because it is the living which I ought to have had. A -most delightful place!--Excellent Parsonage House! It would have suited -me in every respect.” - -“How should you have liked making sermons?” - -“Exceedingly well. I should have considered it as part of my duty, -and the exertion would soon have been nothing. One ought not to -repine;--but, to be sure, it would have been such a thing for me! The -quiet, the retirement of such a life would have answered all my ideas -of happiness! But it was not to be. Did you ever hear Darcy mention the -circumstance, when you were in Kent?” - -“I have heard from authority, which I thought _as good_, that it was -left you conditionally only, and at the will of the present patron.” - -“You have. Yes, there was something in _that_; I told you so from the -first, you may remember.” - -“I _did_ hear, too, that there was a time, when sermon-making was not -so palatable to you as it seems to be at present; that you actually -declared your resolution of never taking orders, and that the business -had been compromised accordingly.” - -“You did! and it was not wholly without foundation. You may remember -what I told you on that point, when first we talked of it.” - -They were now almost at the door of the house, for she had walked fast -to get rid of him; and unwilling, for her sister's sake, to provoke him, -she only said in reply, with a good-humoured smile: - -“Come, Mr. Wickham, we are brother and sister, you know. Do not let -us quarrel about the past. In future, I hope we shall be always of one -mind.” - -She held out her hand; he kissed it with affectionate gallantry, though -he hardly knew how to look, and they entered the house. - - - -Chapter 53 - - -Mr. Wickham was so perfectly satisfied with this conversation that he -never again distressed himself, or provoked his dear sister Elizabeth, -by introducing the subject of it; and she was pleased to find that she -had said enough to keep him quiet. - -The day of his and Lydia's departure soon came, and Mrs. Bennet was -forced to submit to a separation, which, as her husband by no means -entered into her scheme of their all going to Newcastle, was likely to -continue at least a twelvemonth. - -“Oh! my dear Lydia,” she cried, “when shall we meet again?” - -“Oh, lord! I don't know. Not these two or three years, perhaps.” - -“Write to me very often, my dear.” - -“As often as I can. But you know married women have never much time for -writing. My sisters may write to _me_. They will have nothing else to -do.” - -Mr. Wickham's adieus were much more affectionate than his wife's. He -smiled, looked handsome, and said many pretty things. - -“He is as fine a fellow,” said Mr. Bennet, as soon as they were out of -the house, “as ever I saw. He simpers, and smirks, and makes love to -us all. I am prodigiously proud of him. I defy even Sir William Lucas -himself to produce a more valuable son-in-law.” - -The loss of her daughter made Mrs. Bennet very dull for several days. - -“I often think,” said she, “that there is nothing so bad as parting with -one's friends. One seems so forlorn without them.” - -“This is the consequence, you see, Madam, of marrying a daughter,” said -Elizabeth. “It must make you better satisfied that your other four are -single.” - -“It is no such thing. Lydia does not leave me because she is married, -but only because her husband's regiment happens to be so far off. If -that had been nearer, she would not have gone so soon.” - -But the spiritless condition which this event threw her into was shortly -relieved, and her mind opened again to the agitation of hope, by an -article of news which then began to be in circulation. The housekeeper -at Netherfield had received orders to prepare for the arrival of her -master, who was coming down in a day or two, to shoot there for several -weeks. Mrs. Bennet was quite in the fidgets. She looked at Jane, and -smiled and shook her head by turns. - -“Well, well, and so Mr. Bingley is coming down, sister,” (for Mrs. -Phillips first brought her the news). “Well, so much the better. Not -that I care about it, though. He is nothing to us, you know, and I am -sure _I_ never want to see him again. But, however, he is very welcome -to come to Netherfield, if he likes it. And who knows what _may_ happen? -But that is nothing to us. You know, sister, we agreed long ago never to -mention a word about it. And so, is it quite certain he is coming?” - -“You may depend on it,” replied the other, “for Mrs. Nicholls was in -Meryton last night; I saw her passing by, and went out myself on purpose -to know the truth of it; and she told me that it was certain true. He -comes down on Thursday at the latest, very likely on Wednesday. She was -going to the butcher's, she told me, on purpose to order in some meat on -Wednesday, and she has got three couple of ducks just fit to be killed.” - -Miss Bennet had not been able to hear of his coming without changing -colour. It was many months since she had mentioned his name to -Elizabeth; but now, as soon as they were alone together, she said: - -“I saw you look at me to-day, Lizzy, when my aunt told us of the present -report; and I know I appeared distressed. But don't imagine it was from -any silly cause. I was only confused for the moment, because I felt that -I _should_ be looked at. I do assure you that the news does not affect -me either with pleasure or pain. I am glad of one thing, that he comes -alone; because we shall see the less of him. Not that I am afraid of -_myself_, but I dread other people's remarks.” - -Elizabeth did not know what to make of it. Had she not seen him in -Derbyshire, she might have supposed him capable of coming there with no -other view than what was acknowledged; but she still thought him partial -to Jane, and she wavered as to the greater probability of his coming -there _with_ his friend's permission, or being bold enough to come -without it. - -“Yet it is hard,” she sometimes thought, “that this poor man cannot -come to a house which he has legally hired, without raising all this -speculation! I _will_ leave him to himself.” - -In spite of what her sister declared, and really believed to be her -feelings in the expectation of his arrival, Elizabeth could easily -perceive that her spirits were affected by it. They were more disturbed, -more unequal, than she had often seen them. - -The subject which had been so warmly canvassed between their parents, -about a twelvemonth ago, was now brought forward again. - -“As soon as ever Mr. Bingley comes, my dear,” said Mrs. Bennet, “you -will wait on him of course.” - -“No, no. You forced me into visiting him last year, and promised, if I -went to see him, he should marry one of my daughters. But it ended in -nothing, and I will not be sent on a fool's errand again.” - -His wife represented to him how absolutely necessary such an attention -would be from all the neighbouring gentlemen, on his returning to -Netherfield. - -“'Tis an etiquette I despise,” said he. “If he wants our society, -let him seek it. He knows where we live. I will not spend my hours -in running after my neighbours every time they go away and come back -again.” - -“Well, all I know is, that it will be abominably rude if you do not wait -on him. But, however, that shan't prevent my asking him to dine here, I -am determined. We must have Mrs. Long and the Gouldings soon. That will -make thirteen with ourselves, so there will be just room at table for -him.” - -Consoled by this resolution, she was the better able to bear her -husband's incivility; though it was very mortifying to know that her -neighbours might all see Mr. Bingley, in consequence of it, before -_they_ did. As the day of his arrival drew near,-- - -“I begin to be sorry that he comes at all,” said Jane to her sister. “It -would be nothing; I could see him with perfect indifference, but I can -hardly bear to hear it thus perpetually talked of. My mother means well; -but she does not know, no one can know, how much I suffer from what she -says. Happy shall I be, when his stay at Netherfield is over!” - -“I wish I could say anything to comfort you,” replied Elizabeth; “but it -is wholly out of my power. You must feel it; and the usual satisfaction -of preaching patience to a sufferer is denied me, because you have -always so much.” - -Mr. Bingley arrived. Mrs. Bennet, through the assistance of servants, -contrived to have the earliest tidings of it, that the period of anxiety -and fretfulness on her side might be as long as it could. She counted -the days that must intervene before their invitation could be sent; -hopeless of seeing him before. But on the third morning after his -arrival in Hertfordshire, she saw him, from her dressing-room window, -enter the paddock and ride towards the house. - -Her daughters were eagerly called to partake of her joy. Jane resolutely -kept her place at the table; but Elizabeth, to satisfy her mother, went -to the window--she looked,--she saw Mr. Darcy with him, and sat down -again by her sister. - -“There is a gentleman with him, mamma,” said Kitty; “who can it be?” - -“Some acquaintance or other, my dear, I suppose; I am sure I do not -know.” - -“La!” replied Kitty, “it looks just like that man that used to be with -him before. Mr. what's-his-name. That tall, proud man.” - -“Good gracious! Mr. Darcy!--and so it does, I vow. Well, any friend of -Mr. Bingley's will always be welcome here, to be sure; but else I must -say that I hate the very sight of him.” - -Jane looked at Elizabeth with surprise and concern. She knew but little -of their meeting in Derbyshire, and therefore felt for the awkwardness -which must attend her sister, in seeing him almost for the first time -after receiving his explanatory letter. Both sisters were uncomfortable -enough. Each felt for the other, and of course for themselves; and their -mother talked on, of her dislike of Mr. Darcy, and her resolution to be -civil to him only as Mr. Bingley's friend, without being heard by either -of them. But Elizabeth had sources of uneasiness which could not be -suspected by Jane, to whom she had never yet had courage to shew Mrs. -Gardiner's letter, or to relate her own change of sentiment towards him. -To Jane, he could be only a man whose proposals she had refused, -and whose merit she had undervalued; but to her own more extensive -information, he was the person to whom the whole family were indebted -for the first of benefits, and whom she regarded herself with an -interest, if not quite so tender, at least as reasonable and just as -what Jane felt for Bingley. Her astonishment at his coming--at his -coming to Netherfield, to Longbourn, and voluntarily seeking her again, -was almost equal to what she had known on first witnessing his altered -behaviour in Derbyshire. - -The colour which had been driven from her face, returned for half a -minute with an additional glow, and a smile of delight added lustre to -her eyes, as she thought for that space of time that his affection and -wishes must still be unshaken. But she would not be secure. - -“Let me first see how he behaves,” said she; “it will then be early -enough for expectation.” - -She sat intently at work, striving to be composed, and without daring to -lift up her eyes, till anxious curiosity carried them to the face of -her sister as the servant was approaching the door. Jane looked a little -paler than usual, but more sedate than Elizabeth had expected. On the -gentlemen's appearing, her colour increased; yet she received them with -tolerable ease, and with a propriety of behaviour equally free from any -symptom of resentment or any unnecessary complaisance. - -Elizabeth said as little to either as civility would allow, and sat down -again to her work, with an eagerness which it did not often command. She -had ventured only one glance at Darcy. He looked serious, as usual; and, -she thought, more as he had been used to look in Hertfordshire, than as -she had seen him at Pemberley. But, perhaps he could not in her mother's -presence be what he was before her uncle and aunt. It was a painful, but -not an improbable, conjecture. - -Bingley, she had likewise seen for an instant, and in that short period -saw him looking both pleased and embarrassed. He was received by Mrs. -Bennet with a degree of civility which made her two daughters ashamed, -especially when contrasted with the cold and ceremonious politeness of -her curtsey and address to his friend. - -Elizabeth, particularly, who knew that her mother owed to the latter -the preservation of her favourite daughter from irremediable infamy, -was hurt and distressed to a most painful degree by a distinction so ill -applied. - -Darcy, after inquiring of her how Mr. and Mrs. Gardiner did, a question -which she could not answer without confusion, said scarcely anything. He -was not seated by her; perhaps that was the reason of his silence; but -it had not been so in Derbyshire. There he had talked to her friends, -when he could not to herself. But now several minutes elapsed without -bringing the sound of his voice; and when occasionally, unable to resist -the impulse of curiosity, she raised her eyes to his face, she as often -found him looking at Jane as at herself, and frequently on no object but -the ground. More thoughtfulness and less anxiety to please, than when -they last met, were plainly expressed. She was disappointed, and angry -with herself for being so. - -“Could I expect it to be otherwise!” said she. “Yet why did he come?” - -She was in no humour for conversation with anyone but himself; and to -him she had hardly courage to speak. - -She inquired after his sister, but could do no more. - -“It is a long time, Mr. Bingley, since you went away,” said Mrs. Bennet. - -He readily agreed to it. - -“I began to be afraid you would never come back again. People _did_ say -you meant to quit the place entirely at Michaelmas; but, however, I hope -it is not true. A great many changes have happened in the neighbourhood, -since you went away. Miss Lucas is married and settled. And one of my -own daughters. I suppose you have heard of it; indeed, you must have -seen it in the papers. It was in The Times and The Courier, I know; -though it was not put in as it ought to be. It was only said, 'Lately, -George Wickham, Esq. to Miss Lydia Bennet,' without there being a -syllable said of her father, or the place where she lived, or anything. -It was my brother Gardiner's drawing up too, and I wonder how he came to -make such an awkward business of it. Did you see it?” - -Bingley replied that he did, and made his congratulations. Elizabeth -dared not lift up her eyes. How Mr. Darcy looked, therefore, she could -not tell. - -“It is a delightful thing, to be sure, to have a daughter well married,” - continued her mother, “but at the same time, Mr. Bingley, it is very -hard to have her taken such a way from me. They are gone down to -Newcastle, a place quite northward, it seems, and there they are to stay -I do not know how long. His regiment is there; for I suppose you have -heard of his leaving the ----shire, and of his being gone into the -regulars. Thank Heaven! he has _some_ friends, though perhaps not so -many as he deserves.” - -Elizabeth, who knew this to be levelled at Mr. Darcy, was in such -misery of shame, that she could hardly keep her seat. It drew from her, -however, the exertion of speaking, which nothing else had so effectually -done before; and she asked Bingley whether he meant to make any stay in -the country at present. A few weeks, he believed. - -“When you have killed all your own birds, Mr. Bingley,” said her mother, -“I beg you will come here, and shoot as many as you please on Mr. -Bennet's manor. I am sure he will be vastly happy to oblige you, and -will save all the best of the covies for you.” - -Elizabeth's misery increased, at such unnecessary, such officious -attention! Were the same fair prospect to arise at present as had -flattered them a year ago, every thing, she was persuaded, would be -hastening to the same vexatious conclusion. At that instant, she felt -that years of happiness could not make Jane or herself amends for -moments of such painful confusion. - -“The first wish of my heart,” said she to herself, “is never more to -be in company with either of them. Their society can afford no pleasure -that will atone for such wretchedness as this! Let me never see either -one or the other again!” - -Yet the misery, for which years of happiness were to offer no -compensation, received soon afterwards material relief, from observing -how much the beauty of her sister re-kindled the admiration of her -former lover. When first he came in, he had spoken to her but little; -but every five minutes seemed to be giving her more of his attention. He -found her as handsome as she had been last year; as good natured, and -as unaffected, though not quite so chatty. Jane was anxious that no -difference should be perceived in her at all, and was really persuaded -that she talked as much as ever. But her mind was so busily engaged, -that she did not always know when she was silent. - -When the gentlemen rose to go away, Mrs. Bennet was mindful of her -intended civility, and they were invited and engaged to dine at -Longbourn in a few days time. - -“You are quite a visit in my debt, Mr. Bingley,” she added, “for when -you went to town last winter, you promised to take a family dinner with -us, as soon as you returned. I have not forgot, you see; and I assure -you, I was very much disappointed that you did not come back and keep -your engagement.” - -Bingley looked a little silly at this reflection, and said something of -his concern at having been prevented by business. They then went away. - -Mrs. Bennet had been strongly inclined to ask them to stay and dine -there that day; but, though she always kept a very good table, she did -not think anything less than two courses could be good enough for a man -on whom she had such anxious designs, or satisfy the appetite and pride -of one who had ten thousand a year. - - - -Chapter 54 - - -As soon as they were gone, Elizabeth walked out to recover her spirits; -or in other words, to dwell without interruption on those subjects that -must deaden them more. Mr. Darcy's behaviour astonished and vexed her. - -“Why, if he came only to be silent, grave, and indifferent,” said she, -“did he come at all?” - -She could settle it in no way that gave her pleasure. - -“He could be still amiable, still pleasing, to my uncle and aunt, when -he was in town; and why not to me? If he fears me, why come hither? If -he no longer cares for me, why silent? Teasing, teasing, man! I will -think no more about him.” - -Her resolution was for a short time involuntarily kept by the approach -of her sister, who joined her with a cheerful look, which showed her -better satisfied with their visitors, than Elizabeth. - -“Now,” said she, “that this first meeting is over, I feel perfectly -easy. I know my own strength, and I shall never be embarrassed again by -his coming. I am glad he dines here on Tuesday. It will then be publicly -seen that, on both sides, we meet only as common and indifferent -acquaintance.” - -“Yes, very indifferent indeed,” said Elizabeth, laughingly. “Oh, Jane, -take care.” - -“My dear Lizzy, you cannot think me so weak, as to be in danger now?” - -“I think you are in very great danger of making him as much in love with -you as ever.” - - * * * * * - -They did not see the gentlemen again till Tuesday; and Mrs. Bennet, in -the meanwhile, was giving way to all the happy schemes, which the good -humour and common politeness of Bingley, in half an hour's visit, had -revived. - -On Tuesday there was a large party assembled at Longbourn; and the two -who were most anxiously expected, to the credit of their punctuality -as sportsmen, were in very good time. When they repaired to the -dining-room, Elizabeth eagerly watched to see whether Bingley would take -the place, which, in all their former parties, had belonged to him, by -her sister. Her prudent mother, occupied by the same ideas, forbore -to invite him to sit by herself. On entering the room, he seemed to -hesitate; but Jane happened to look round, and happened to smile: it was -decided. He placed himself by her. - -Elizabeth, with a triumphant sensation, looked towards his friend. -He bore it with noble indifference, and she would have imagined that -Bingley had received his sanction to be happy, had she not seen his eyes -likewise turned towards Mr. Darcy, with an expression of half-laughing -alarm. - -His behaviour to her sister was such, during dinner time, as showed an -admiration of her, which, though more guarded than formerly, persuaded -Elizabeth, that if left wholly to himself, Jane's happiness, and his -own, would be speedily secured. Though she dared not depend upon the -consequence, she yet received pleasure from observing his behaviour. It -gave her all the animation that her spirits could boast; for she was in -no cheerful humour. Mr. Darcy was almost as far from her as the table -could divide them. He was on one side of her mother. She knew how little -such a situation would give pleasure to either, or make either appear to -advantage. She was not near enough to hear any of their discourse, but -she could see how seldom they spoke to each other, and how formal and -cold was their manner whenever they did. Her mother's ungraciousness, -made the sense of what they owed him more painful to Elizabeth's mind; -and she would, at times, have given anything to be privileged to tell -him that his kindness was neither unknown nor unfelt by the whole of the -family. - -She was in hopes that the evening would afford some opportunity of -bringing them together; that the whole of the visit would not pass away -without enabling them to enter into something more of conversation than -the mere ceremonious salutation attending his entrance. Anxious -and uneasy, the period which passed in the drawing-room, before the -gentlemen came, was wearisome and dull to a degree that almost made her -uncivil. She looked forward to their entrance as the point on which all -her chance of pleasure for the evening must depend. - -“If he does not come to me, _then_,” said she, “I shall give him up for -ever.” - -The gentlemen came; and she thought he looked as if he would have -answered her hopes; but, alas! the ladies had crowded round the table, -where Miss Bennet was making tea, and Elizabeth pouring out the coffee, -in so close a confederacy that there was not a single vacancy near her -which would admit of a chair. And on the gentlemen's approaching, one of -the girls moved closer to her than ever, and said, in a whisper: - -“The men shan't come and part us, I am determined. We want none of them; -do we?” - -Darcy had walked away to another part of the room. She followed him with -her eyes, envied everyone to whom he spoke, had scarcely patience enough -to help anybody to coffee; and then was enraged against herself for -being so silly! - -“A man who has once been refused! How could I ever be foolish enough to -expect a renewal of his love? Is there one among the sex, who would not -protest against such a weakness as a second proposal to the same woman? -There is no indignity so abhorrent to their feelings!” - -She was a little revived, however, by his bringing back his coffee cup -himself; and she seized the opportunity of saying: - -“Is your sister at Pemberley still?” - -“Yes, she will remain there till Christmas.” - -“And quite alone? Have all her friends left her?” - -“Mrs. Annesley is with her. The others have been gone on to Scarborough, -these three weeks.” - -She could think of nothing more to say; but if he wished to converse -with her, he might have better success. He stood by her, however, for -some minutes, in silence; and, at last, on the young lady's whispering -to Elizabeth again, he walked away. - -When the tea-things were removed, and the card-tables placed, the ladies -all rose, and Elizabeth was then hoping to be soon joined by him, -when all her views were overthrown by seeing him fall a victim to her -mother's rapacity for whist players, and in a few moments after seated -with the rest of the party. She now lost every expectation of pleasure. -They were confined for the evening at different tables, and she had -nothing to hope, but that his eyes were so often turned towards her side -of the room, as to make him play as unsuccessfully as herself. - -Mrs. Bennet had designed to keep the two Netherfield gentlemen to -supper; but their carriage was unluckily ordered before any of the -others, and she had no opportunity of detaining them. - -“Well girls,” said she, as soon as they were left to themselves, “What -say you to the day? I think every thing has passed off uncommonly well, -I assure you. The dinner was as well dressed as any I ever saw. The -venison was roasted to a turn--and everybody said they never saw so -fat a haunch. The soup was fifty times better than what we had at the -Lucases' last week; and even Mr. Darcy acknowledged, that the partridges -were remarkably well done; and I suppose he has two or three French -cooks at least. And, my dear Jane, I never saw you look in greater -beauty. Mrs. Long said so too, for I asked her whether you did not. And -what do you think she said besides? 'Ah! Mrs. Bennet, we shall have her -at Netherfield at last.' She did indeed. I do think Mrs. Long is as good -a creature as ever lived--and her nieces are very pretty behaved girls, -and not at all handsome: I like them prodigiously.” - -Mrs. Bennet, in short, was in very great spirits; she had seen enough of -Bingley's behaviour to Jane, to be convinced that she would get him at -last; and her expectations of advantage to her family, when in a happy -humour, were so far beyond reason, that she was quite disappointed at -not seeing him there again the next day, to make his proposals. - -“It has been a very agreeable day,” said Miss Bennet to Elizabeth. “The -party seemed so well selected, so suitable one with the other. I hope we -may often meet again.” - -Elizabeth smiled. - -“Lizzy, you must not do so. You must not suspect me. It mortifies me. -I assure you that I have now learnt to enjoy his conversation as an -agreeable and sensible young man, without having a wish beyond it. I am -perfectly satisfied, from what his manners now are, that he never had -any design of engaging my affection. It is only that he is blessed -with greater sweetness of address, and a stronger desire of generally -pleasing, than any other man.” - -“You are very cruel,” said her sister, “you will not let me smile, and -are provoking me to it every moment.” - -“How hard it is in some cases to be believed!” - -“And how impossible in others!” - -“But why should you wish to persuade me that I feel more than I -acknowledge?” - -“That is a question which I hardly know how to answer. We all love to -instruct, though we can teach only what is not worth knowing. Forgive -me; and if you persist in indifference, do not make me your confidante.” - - - -Chapter 55 - - -A few days after this visit, Mr. Bingley called again, and alone. His -friend had left him that morning for London, but was to return home in -ten days time. He sat with them above an hour, and was in remarkably -good spirits. Mrs. Bennet invited him to dine with them; but, with many -expressions of concern, he confessed himself engaged elsewhere. - -“Next time you call,” said she, “I hope we shall be more lucky.” - -He should be particularly happy at any time, etc. etc.; and if she would -give him leave, would take an early opportunity of waiting on them. - -“Can you come to-morrow?” - -Yes, he had no engagement at all for to-morrow; and her invitation was -accepted with alacrity. - -He came, and in such very good time that the ladies were none of them -dressed. In ran Mrs. Bennet to her daughter's room, in her dressing -gown, and with her hair half finished, crying out: - -“My dear Jane, make haste and hurry down. He is come--Mr. Bingley is -come. He is, indeed. Make haste, make haste. Here, Sarah, come to Miss -Bennet this moment, and help her on with her gown. Never mind Miss -Lizzy's hair.” - -“We will be down as soon as we can,” said Jane; “but I dare say Kitty is -forwarder than either of us, for she went up stairs half an hour ago.” - -“Oh! hang Kitty! what has she to do with it? Come be quick, be quick! -Where is your sash, my dear?” - -But when her mother was gone, Jane would not be prevailed on to go down -without one of her sisters. - -The same anxiety to get them by themselves was visible again in the -evening. After tea, Mr. Bennet retired to the library, as was his -custom, and Mary went up stairs to her instrument. Two obstacles of -the five being thus removed, Mrs. Bennet sat looking and winking at -Elizabeth and Catherine for a considerable time, without making any -impression on them. Elizabeth would not observe her; and when at last -Kitty did, she very innocently said, “What is the matter mamma? What do -you keep winking at me for? What am I to do?” - -“Nothing child, nothing. I did not wink at you.” She then sat still -five minutes longer; but unable to waste such a precious occasion, she -suddenly got up, and saying to Kitty, “Come here, my love, I want to -speak to you,” took her out of the room. Jane instantly gave a look -at Elizabeth which spoke her distress at such premeditation, and her -entreaty that _she_ would not give in to it. In a few minutes, Mrs. -Bennet half-opened the door and called out: - -“Lizzy, my dear, I want to speak with you.” - -Elizabeth was forced to go. - -“We may as well leave them by themselves you know;” said her mother, as -soon as she was in the hall. “Kitty and I are going up stairs to sit in -my dressing-room.” - -Elizabeth made no attempt to reason with her mother, but remained -quietly in the hall, till she and Kitty were out of sight, then returned -into the drawing-room. - -Mrs. Bennet's schemes for this day were ineffectual. Bingley was every -thing that was charming, except the professed lover of her daughter. His -ease and cheerfulness rendered him a most agreeable addition to their -evening party; and he bore with the ill-judged officiousness of the -mother, and heard all her silly remarks with a forbearance and command -of countenance particularly grateful to the daughter. - -He scarcely needed an invitation to stay supper; and before he went -away, an engagement was formed, chiefly through his own and Mrs. -Bennet's means, for his coming next morning to shoot with her husband. - -After this day, Jane said no more of her indifference. Not a word passed -between the sisters concerning Bingley; but Elizabeth went to bed in -the happy belief that all must speedily be concluded, unless Mr. Darcy -returned within the stated time. Seriously, however, she felt tolerably -persuaded that all this must have taken place with that gentleman's -concurrence. - -Bingley was punctual to his appointment; and he and Mr. Bennet spent -the morning together, as had been agreed on. The latter was much more -agreeable than his companion expected. There was nothing of presumption -or folly in Bingley that could provoke his ridicule, or disgust him into -silence; and he was more communicative, and less eccentric, than the -other had ever seen him. Bingley of course returned with him to dinner; -and in the evening Mrs. Bennet's invention was again at work to get -every body away from him and her daughter. Elizabeth, who had a letter -to write, went into the breakfast room for that purpose soon after tea; -for as the others were all going to sit down to cards, she could not be -wanted to counteract her mother's schemes. - -But on returning to the drawing-room, when her letter was finished, she -saw, to her infinite surprise, there was reason to fear that her mother -had been too ingenious for her. On opening the door, she perceived her -sister and Bingley standing together over the hearth, as if engaged in -earnest conversation; and had this led to no suspicion, the faces of -both, as they hastily turned round and moved away from each other, would -have told it all. Their situation was awkward enough; but _hers_ she -thought was still worse. Not a syllable was uttered by either; and -Elizabeth was on the point of going away again, when Bingley, who as -well as the other had sat down, suddenly rose, and whispering a few -words to her sister, ran out of the room. - -Jane could have no reserves from Elizabeth, where confidence would give -pleasure; and instantly embracing her, acknowledged, with the liveliest -emotion, that she was the happiest creature in the world. - -“'Tis too much!” she added, “by far too much. I do not deserve it. Oh! -why is not everybody as happy?” - -Elizabeth's congratulations were given with a sincerity, a warmth, -a delight, which words could but poorly express. Every sentence of -kindness was a fresh source of happiness to Jane. But she would not -allow herself to stay with her sister, or say half that remained to be -said for the present. - -“I must go instantly to my mother;” she cried. “I would not on any -account trifle with her affectionate solicitude; or allow her to hear it -from anyone but myself. He is gone to my father already. Oh! Lizzy, to -know that what I have to relate will give such pleasure to all my dear -family! how shall I bear so much happiness!” - -She then hastened away to her mother, who had purposely broken up the -card party, and was sitting up stairs with Kitty. - -Elizabeth, who was left by herself, now smiled at the rapidity and ease -with which an affair was finally settled, that had given them so many -previous months of suspense and vexation. - -“And this,” said she, “is the end of all his friend's anxious -circumspection! of all his sister's falsehood and contrivance! the -happiest, wisest, most reasonable end!” - -In a few minutes she was joined by Bingley, whose conference with her -father had been short and to the purpose. - -“Where is your sister?” said he hastily, as he opened the door. - -“With my mother up stairs. She will be down in a moment, I dare say.” - -He then shut the door, and, coming up to her, claimed the good wishes -and affection of a sister. Elizabeth honestly and heartily expressed -her delight in the prospect of their relationship. They shook hands with -great cordiality; and then, till her sister came down, she had to listen -to all he had to say of his own happiness, and of Jane's perfections; -and in spite of his being a lover, Elizabeth really believed all his -expectations of felicity to be rationally founded, because they had for -basis the excellent understanding, and super-excellent disposition of -Jane, and a general similarity of feeling and taste between her and -himself. - -It was an evening of no common delight to them all; the satisfaction of -Miss Bennet's mind gave a glow of such sweet animation to her face, as -made her look handsomer than ever. Kitty simpered and smiled, and hoped -her turn was coming soon. Mrs. Bennet could not give her consent or -speak her approbation in terms warm enough to satisfy her feelings, -though she talked to Bingley of nothing else for half an hour; and when -Mr. Bennet joined them at supper, his voice and manner plainly showed -how really happy he was. - -Not a word, however, passed his lips in allusion to it, till their -visitor took his leave for the night; but as soon as he was gone, he -turned to his daughter, and said: - -“Jane, I congratulate you. You will be a very happy woman.” - -Jane went to him instantly, kissed him, and thanked him for his -goodness. - -“You are a good girl;” he replied, “and I have great pleasure in -thinking you will be so happily settled. I have not a doubt of your -doing very well together. Your tempers are by no means unlike. You are -each of you so complying, that nothing will ever be resolved on; so -easy, that every servant will cheat you; and so generous, that you will -always exceed your income.” - -“I hope not so. Imprudence or thoughtlessness in money matters would be -unpardonable in me.” - -“Exceed their income! My dear Mr. Bennet,” cried his wife, “what are you -talking of? Why, he has four or five thousand a year, and very likely -more.” Then addressing her daughter, “Oh! my dear, dear Jane, I am so -happy! I am sure I shan't get a wink of sleep all night. I knew how it -would be. I always said it must be so, at last. I was sure you could not -be so beautiful for nothing! I remember, as soon as ever I saw him, when -he first came into Hertfordshire last year, I thought how likely it was -that you should come together. Oh! he is the handsomest young man that -ever was seen!” - -Wickham, Lydia, were all forgotten. Jane was beyond competition her -favourite child. At that moment, she cared for no other. Her younger -sisters soon began to make interest with her for objects of happiness -which she might in future be able to dispense. - -Mary petitioned for the use of the library at Netherfield; and Kitty -begged very hard for a few balls there every winter. - -Bingley, from this time, was of course a daily visitor at Longbourn; -coming frequently before breakfast, and always remaining till after -supper; unless when some barbarous neighbour, who could not be enough -detested, had given him an invitation to dinner which he thought himself -obliged to accept. - -Elizabeth had now but little time for conversation with her sister; for -while he was present, Jane had no attention to bestow on anyone else; -but she found herself considerably useful to both of them in those hours -of separation that must sometimes occur. In the absence of Jane, he -always attached himself to Elizabeth, for the pleasure of talking of -her; and when Bingley was gone, Jane constantly sought the same means of -relief. - -“He has made me so happy,” said she, one evening, “by telling me that he -was totally ignorant of my being in town last spring! I had not believed -it possible.” - -“I suspected as much,” replied Elizabeth. “But how did he account for -it?” - -“It must have been his sister's doing. They were certainly no friends to -his acquaintance with me, which I cannot wonder at, since he might have -chosen so much more advantageously in many respects. But when they see, -as I trust they will, that their brother is happy with me, they will -learn to be contented, and we shall be on good terms again; though we -can never be what we once were to each other.” - -“That is the most unforgiving speech,” said Elizabeth, “that I ever -heard you utter. Good girl! It would vex me, indeed, to see you again -the dupe of Miss Bingley's pretended regard.” - -“Would you believe it, Lizzy, that when he went to town last November, -he really loved me, and nothing but a persuasion of _my_ being -indifferent would have prevented his coming down again!” - -“He made a little mistake to be sure; but it is to the credit of his -modesty.” - -This naturally introduced a panegyric from Jane on his diffidence, and -the little value he put on his own good qualities. Elizabeth was pleased -to find that he had not betrayed the interference of his friend; for, -though Jane had the most generous and forgiving heart in the world, she -knew it was a circumstance which must prejudice her against him. - -“I am certainly the most fortunate creature that ever existed!” cried -Jane. “Oh! Lizzy, why am I thus singled from my family, and blessed -above them all! If I could but see _you_ as happy! If there _were_ but -such another man for you!” - -“If you were to give me forty such men, I never could be so happy as -you. Till I have your disposition, your goodness, I never can have your -happiness. No, no, let me shift for myself; and, perhaps, if I have very -good luck, I may meet with another Mr. Collins in time.” - -The situation of affairs in the Longbourn family could not be long a -secret. Mrs. Bennet was privileged to whisper it to Mrs. Phillips, -and she ventured, without any permission, to do the same by all her -neighbours in Meryton. - -The Bennets were speedily pronounced to be the luckiest family in the -world, though only a few weeks before, when Lydia had first run away, -they had been generally proved to be marked out for misfortune. - - - -Chapter 56 - - -One morning, about a week after Bingley's engagement with Jane had been -formed, as he and the females of the family were sitting together in the -dining-room, their attention was suddenly drawn to the window, by the -sound of a carriage; and they perceived a chaise and four driving up -the lawn. It was too early in the morning for visitors, and besides, the -equipage did not answer to that of any of their neighbours. The horses -were post; and neither the carriage, nor the livery of the servant who -preceded it, were familiar to them. As it was certain, however, that -somebody was coming, Bingley instantly prevailed on Miss Bennet to avoid -the confinement of such an intrusion, and walk away with him into the -shrubbery. They both set off, and the conjectures of the remaining three -continued, though with little satisfaction, till the door was thrown -open and their visitor entered. It was Lady Catherine de Bourgh. - -They were of course all intending to be surprised; but their -astonishment was beyond their expectation; and on the part of Mrs. -Bennet and Kitty, though she was perfectly unknown to them, even -inferior to what Elizabeth felt. - -She entered the room with an air more than usually ungracious, made no -other reply to Elizabeth's salutation than a slight inclination of the -head, and sat down without saying a word. Elizabeth had mentioned her -name to her mother on her ladyship's entrance, though no request of -introduction had been made. - -Mrs. Bennet, all amazement, though flattered by having a guest of such -high importance, received her with the utmost politeness. After sitting -for a moment in silence, she said very stiffly to Elizabeth, - -“I hope you are well, Miss Bennet. That lady, I suppose, is your -mother.” - -Elizabeth replied very concisely that she was. - -“And _that_ I suppose is one of your sisters.” - -“Yes, madam,” said Mrs. Bennet, delighted to speak to Lady Catherine. -“She is my youngest girl but one. My youngest of all is lately married, -and my eldest is somewhere about the grounds, walking with a young man -who, I believe, will soon become a part of the family.” - -“You have a very small park here,” returned Lady Catherine after a short -silence. - -“It is nothing in comparison of Rosings, my lady, I dare say; but I -assure you it is much larger than Sir William Lucas's.” - -“This must be a most inconvenient sitting room for the evening, in -summer; the windows are full west.” - -Mrs. Bennet assured her that they never sat there after dinner, and then -added: - -“May I take the liberty of asking your ladyship whether you left Mr. and -Mrs. Collins well.” - -“Yes, very well. I saw them the night before last.” - -Elizabeth now expected that she would produce a letter for her from -Charlotte, as it seemed the only probable motive for her calling. But no -letter appeared, and she was completely puzzled. - -Mrs. Bennet, with great civility, begged her ladyship to take some -refreshment; but Lady Catherine very resolutely, and not very politely, -declined eating anything; and then, rising up, said to Elizabeth, - -“Miss Bennet, there seemed to be a prettyish kind of a little wilderness -on one side of your lawn. I should be glad to take a turn in it, if you -will favour me with your company.” - -“Go, my dear,” cried her mother, “and show her ladyship about the -different walks. I think she will be pleased with the hermitage.” - -Elizabeth obeyed, and running into her own room for her parasol, -attended her noble guest downstairs. As they passed through the -hall, Lady Catherine opened the doors into the dining-parlour and -drawing-room, and pronouncing them, after a short survey, to be decent -looking rooms, walked on. - -Her carriage remained at the door, and Elizabeth saw that her -waiting-woman was in it. They proceeded in silence along the gravel walk -that led to the copse; Elizabeth was determined to make no effort for -conversation with a woman who was now more than usually insolent and -disagreeable. - -“How could I ever think her like her nephew?” said she, as she looked in -her face. - -As soon as they entered the copse, Lady Catherine began in the following -manner:-- - -“You can be at no loss, Miss Bennet, to understand the reason of my -journey hither. Your own heart, your own conscience, must tell you why I -come.” - -Elizabeth looked with unaffected astonishment. - -“Indeed, you are mistaken, Madam. I have not been at all able to account -for the honour of seeing you here.” - -“Miss Bennet,” replied her ladyship, in an angry tone, “you ought to -know, that I am not to be trifled with. But however insincere _you_ may -choose to be, you shall not find _me_ so. My character has ever been -celebrated for its sincerity and frankness, and in a cause of such -moment as this, I shall certainly not depart from it. A report of a most -alarming nature reached me two days ago. I was told that not only your -sister was on the point of being most advantageously married, but that -you, that Miss Elizabeth Bennet, would, in all likelihood, be soon -afterwards united to my nephew, my own nephew, Mr. Darcy. Though I -_know_ it must be a scandalous falsehood, though I would not injure him -so much as to suppose the truth of it possible, I instantly resolved -on setting off for this place, that I might make my sentiments known to -you.” - -“If you believed it impossible to be true,” said Elizabeth, colouring -with astonishment and disdain, “I wonder you took the trouble of coming -so far. What could your ladyship propose by it?” - -“At once to insist upon having such a report universally contradicted.” - -“Your coming to Longbourn, to see me and my family,” said Elizabeth -coolly, “will be rather a confirmation of it; if, indeed, such a report -is in existence.” - -“If! Do you then pretend to be ignorant of it? Has it not been -industriously circulated by yourselves? Do you not know that such a -report is spread abroad?” - -“I never heard that it was.” - -“And can you likewise declare, that there is no foundation for it?” - -“I do not pretend to possess equal frankness with your ladyship. You may -ask questions which I shall not choose to answer.” - -“This is not to be borne. Miss Bennet, I insist on being satisfied. Has -he, has my nephew, made you an offer of marriage?” - -“Your ladyship has declared it to be impossible.” - -“It ought to be so; it must be so, while he retains the use of his -reason. But your arts and allurements may, in a moment of infatuation, -have made him forget what he owes to himself and to all his family. You -may have drawn him in.” - -“If I have, I shall be the last person to confess it.” - -“Miss Bennet, do you know who I am? I have not been accustomed to such -language as this. I am almost the nearest relation he has in the world, -and am entitled to know all his dearest concerns.” - -“But you are not entitled to know mine; nor will such behaviour as this, -ever induce me to be explicit.” - -“Let me be rightly understood. This match, to which you have the -presumption to aspire, can never take place. No, never. Mr. Darcy is -engaged to my daughter. Now what have you to say?” - -“Only this; that if he is so, you can have no reason to suppose he will -make an offer to me.” - -Lady Catherine hesitated for a moment, and then replied: - -“The engagement between them is of a peculiar kind. From their infancy, -they have been intended for each other. It was the favourite wish of -_his_ mother, as well as of hers. While in their cradles, we planned -the union: and now, at the moment when the wishes of both sisters would -be accomplished in their marriage, to be prevented by a young woman of -inferior birth, of no importance in the world, and wholly unallied to -the family! Do you pay no regard to the wishes of his friends? To his -tacit engagement with Miss de Bourgh? Are you lost to every feeling of -propriety and delicacy? Have you not heard me say that from his earliest -hours he was destined for his cousin?” - -“Yes, and I had heard it before. But what is that to me? If there is -no other objection to my marrying your nephew, I shall certainly not -be kept from it by knowing that his mother and aunt wished him to -marry Miss de Bourgh. You both did as much as you could in planning the -marriage. Its completion depended on others. If Mr. Darcy is neither -by honour nor inclination confined to his cousin, why is not he to make -another choice? And if I am that choice, why may not I accept him?” - -“Because honour, decorum, prudence, nay, interest, forbid it. Yes, -Miss Bennet, interest; for do not expect to be noticed by his family or -friends, if you wilfully act against the inclinations of all. You will -be censured, slighted, and despised, by everyone connected with him. -Your alliance will be a disgrace; your name will never even be mentioned -by any of us.” - -“These are heavy misfortunes,” replied Elizabeth. “But the wife of Mr. -Darcy must have such extraordinary sources of happiness necessarily -attached to her situation, that she could, upon the whole, have no cause -to repine.” - -“Obstinate, headstrong girl! I am ashamed of you! Is this your gratitude -for my attentions to you last spring? Is nothing due to me on that -score? Let us sit down. You are to understand, Miss Bennet, that I came -here with the determined resolution of carrying my purpose; nor will -I be dissuaded from it. I have not been used to submit to any person's -whims. I have not been in the habit of brooking disappointment.” - -“_That_ will make your ladyship's situation at present more pitiable; -but it will have no effect on me.” - -“I will not be interrupted. Hear me in silence. My daughter and my -nephew are formed for each other. They are descended, on the maternal -side, from the same noble line; and, on the father's, from respectable, -honourable, and ancient--though untitled--families. Their fortune on -both sides is splendid. They are destined for each other by the voice of -every member of their respective houses; and what is to divide them? -The upstart pretensions of a young woman without family, connections, -or fortune. Is this to be endured! But it must not, shall not be. If you -were sensible of your own good, you would not wish to quit the sphere in -which you have been brought up.” - -“In marrying your nephew, I should not consider myself as quitting that -sphere. He is a gentleman; I am a gentleman's daughter; so far we are -equal.” - -“True. You _are_ a gentleman's daughter. But who was your mother? -Who are your uncles and aunts? Do not imagine me ignorant of their -condition.” - -“Whatever my connections may be,” said Elizabeth, “if your nephew does -not object to them, they can be nothing to _you_.” - -“Tell me once for all, are you engaged to him?” - -Though Elizabeth would not, for the mere purpose of obliging Lady -Catherine, have answered this question, she could not but say, after a -moment's deliberation: - -“I am not.” - -Lady Catherine seemed pleased. - -“And will you promise me, never to enter into such an engagement?” - -“I will make no promise of the kind.” - -“Miss Bennet I am shocked and astonished. I expected to find a more -reasonable young woman. But do not deceive yourself into a belief that -I will ever recede. I shall not go away till you have given me the -assurance I require.” - -“And I certainly _never_ shall give it. I am not to be intimidated into -anything so wholly unreasonable. Your ladyship wants Mr. Darcy to marry -your daughter; but would my giving you the wished-for promise make their -marriage at all more probable? Supposing him to be attached to me, would -my refusing to accept his hand make him wish to bestow it on his cousin? -Allow me to say, Lady Catherine, that the arguments with which you have -supported this extraordinary application have been as frivolous as the -application was ill-judged. You have widely mistaken my character, if -you think I can be worked on by such persuasions as these. How far your -nephew might approve of your interference in his affairs, I cannot tell; -but you have certainly no right to concern yourself in mine. I must beg, -therefore, to be importuned no farther on the subject.” - -“Not so hasty, if you please. I have by no means done. To all the -objections I have already urged, I have still another to add. I am -no stranger to the particulars of your youngest sister's infamous -elopement. I know it all; that the young man's marrying her was a -patched-up business, at the expence of your father and uncles. And is -such a girl to be my nephew's sister? Is her husband, is the son of his -late father's steward, to be his brother? Heaven and earth!--of what are -you thinking? Are the shades of Pemberley to be thus polluted?” - -“You can now have nothing further to say,” she resentfully answered. -“You have insulted me in every possible method. I must beg to return to -the house.” - -And she rose as she spoke. Lady Catherine rose also, and they turned -back. Her ladyship was highly incensed. - -“You have no regard, then, for the honour and credit of my nephew! -Unfeeling, selfish girl! Do you not consider that a connection with you -must disgrace him in the eyes of everybody?” - -“Lady Catherine, I have nothing further to say. You know my sentiments.” - -“You are then resolved to have him?” - -“I have said no such thing. I am only resolved to act in that manner, -which will, in my own opinion, constitute my happiness, without -reference to _you_, or to any person so wholly unconnected with me.” - -“It is well. You refuse, then, to oblige me. You refuse to obey the -claims of duty, honour, and gratitude. You are determined to ruin him in -the opinion of all his friends, and make him the contempt of the world.” - -“Neither duty, nor honour, nor gratitude,” replied Elizabeth, “have any -possible claim on me, in the present instance. No principle of either -would be violated by my marriage with Mr. Darcy. And with regard to the -resentment of his family, or the indignation of the world, if the former -_were_ excited by his marrying me, it would not give me one moment's -concern--and the world in general would have too much sense to join in -the scorn.” - -“And this is your real opinion! This is your final resolve! Very well. -I shall now know how to act. Do not imagine, Miss Bennet, that your -ambition will ever be gratified. I came to try you. I hoped to find you -reasonable; but, depend upon it, I will carry my point.” - -In this manner Lady Catherine talked on, till they were at the door of -the carriage, when, turning hastily round, she added, “I take no leave -of you, Miss Bennet. I send no compliments to your mother. You deserve -no such attention. I am most seriously displeased.” - -Elizabeth made no answer; and without attempting to persuade her -ladyship to return into the house, walked quietly into it herself. She -heard the carriage drive away as she proceeded up stairs. Her mother -impatiently met her at the door of the dressing-room, to ask why Lady -Catherine would not come in again and rest herself. - -“She did not choose it,” said her daughter, “she would go.” - -“She is a very fine-looking woman! and her calling here was prodigiously -civil! for she only came, I suppose, to tell us the Collinses were -well. She is on her road somewhere, I dare say, and so, passing through -Meryton, thought she might as well call on you. I suppose she had -nothing particular to say to you, Lizzy?” - -Elizabeth was forced to give into a little falsehood here; for to -acknowledge the substance of their conversation was impossible. - - - -Chapter 57 - - -The discomposure of spirits which this extraordinary visit threw -Elizabeth into, could not be easily overcome; nor could she, for many -hours, learn to think of it less than incessantly. Lady Catherine, it -appeared, had actually taken the trouble of this journey from Rosings, -for the sole purpose of breaking off her supposed engagement with Mr. -Darcy. It was a rational scheme, to be sure! but from what the report -of their engagement could originate, Elizabeth was at a loss to imagine; -till she recollected that _his_ being the intimate friend of Bingley, -and _her_ being the sister of Jane, was enough, at a time when the -expectation of one wedding made everybody eager for another, to supply -the idea. She had not herself forgotten to feel that the marriage of her -sister must bring them more frequently together. And her neighbours -at Lucas Lodge, therefore (for through their communication with the -Collinses, the report, she concluded, had reached Lady Catherine), had -only set that down as almost certain and immediate, which she had looked -forward to as possible at some future time. - -In revolving Lady Catherine's expressions, however, she could not help -feeling some uneasiness as to the possible consequence of her persisting -in this interference. From what she had said of her resolution to -prevent their marriage, it occurred to Elizabeth that she must meditate -an application to her nephew; and how _he_ might take a similar -representation of the evils attached to a connection with her, she dared -not pronounce. She knew not the exact degree of his affection for his -aunt, or his dependence on her judgment, but it was natural to suppose -that he thought much higher of her ladyship than _she_ could do; and it -was certain that, in enumerating the miseries of a marriage with _one_, -whose immediate connections were so unequal to his own, his aunt would -address him on his weakest side. With his notions of dignity, he would -probably feel that the arguments, which to Elizabeth had appeared weak -and ridiculous, contained much good sense and solid reasoning. - -If he had been wavering before as to what he should do, which had often -seemed likely, the advice and entreaty of so near a relation might -settle every doubt, and determine him at once to be as happy as dignity -unblemished could make him. In that case he would return no more. Lady -Catherine might see him in her way through town; and his engagement to -Bingley of coming again to Netherfield must give way. - -“If, therefore, an excuse for not keeping his promise should come to his -friend within a few days,” she added, “I shall know how to understand -it. I shall then give over every expectation, every wish of his -constancy. If he is satisfied with only regretting me, when he might -have obtained my affections and hand, I shall soon cease to regret him -at all.” - - * * * * * - -The surprise of the rest of the family, on hearing who their visitor had -been, was very great; but they obligingly satisfied it, with the same -kind of supposition which had appeased Mrs. Bennet's curiosity; and -Elizabeth was spared from much teasing on the subject. - -The next morning, as she was going downstairs, she was met by her -father, who came out of his library with a letter in his hand. - -“Lizzy,” said he, “I was going to look for you; come into my room.” - -She followed him thither; and her curiosity to know what he had to -tell her was heightened by the supposition of its being in some manner -connected with the letter he held. It suddenly struck her that it -might be from Lady Catherine; and she anticipated with dismay all the -consequent explanations. - -She followed her father to the fire place, and they both sat down. He -then said, - -“I have received a letter this morning that has astonished me -exceedingly. As it principally concerns yourself, you ought to know its -contents. I did not know before, that I had two daughters on the brink -of matrimony. Let me congratulate you on a very important conquest.” - -The colour now rushed into Elizabeth's cheeks in the instantaneous -conviction of its being a letter from the nephew, instead of the aunt; -and she was undetermined whether most to be pleased that he explained -himself at all, or offended that his letter was not rather addressed to -herself; when her father continued: - -“You look conscious. Young ladies have great penetration in such matters -as these; but I think I may defy even _your_ sagacity, to discover the -name of your admirer. This letter is from Mr. Collins.” - -“From Mr. Collins! and what can _he_ have to say?” - -“Something very much to the purpose of course. He begins with -congratulations on the approaching nuptials of my eldest daughter, of -which, it seems, he has been told by some of the good-natured, gossiping -Lucases. I shall not sport with your impatience, by reading what he says -on that point. What relates to yourself, is as follows: 'Having thus -offered you the sincere congratulations of Mrs. Collins and myself on -this happy event, let me now add a short hint on the subject of another; -of which we have been advertised by the same authority. Your daughter -Elizabeth, it is presumed, will not long bear the name of Bennet, after -her elder sister has resigned it, and the chosen partner of her fate may -be reasonably looked up to as one of the most illustrious personages in -this land.' - -“Can you possibly guess, Lizzy, who is meant by this? 'This young -gentleman is blessed, in a peculiar way, with every thing the heart of -mortal can most desire,--splendid property, noble kindred, and extensive -patronage. Yet in spite of all these temptations, let me warn my cousin -Elizabeth, and yourself, of what evils you may incur by a precipitate -closure with this gentleman's proposals, which, of course, you will be -inclined to take immediate advantage of.' - -“Have you any idea, Lizzy, who this gentleman is? But now it comes out: - -“'My motive for cautioning you is as follows. We have reason to imagine -that his aunt, Lady Catherine de Bourgh, does not look on the match with -a friendly eye.' - -“_Mr. Darcy_, you see, is the man! Now, Lizzy, I think I _have_ -surprised you. Could he, or the Lucases, have pitched on any man within -the circle of our acquaintance, whose name would have given the lie -more effectually to what they related? Mr. Darcy, who never looks at any -woman but to see a blemish, and who probably never looked at you in his -life! It is admirable!” - -Elizabeth tried to join in her father's pleasantry, but could only force -one most reluctant smile. Never had his wit been directed in a manner so -little agreeable to her. - -“Are you not diverted?” - -“Oh! yes. Pray read on.” - -“'After mentioning the likelihood of this marriage to her ladyship last -night, she immediately, with her usual condescension, expressed what she -felt on the occasion; when it became apparent, that on the score of some -family objections on the part of my cousin, she would never give her -consent to what she termed so disgraceful a match. I thought it my duty -to give the speediest intelligence of this to my cousin, that she and -her noble admirer may be aware of what they are about, and not run -hastily into a marriage which has not been properly sanctioned.' Mr. -Collins moreover adds, 'I am truly rejoiced that my cousin Lydia's sad -business has been so well hushed up, and am only concerned that their -living together before the marriage took place should be so generally -known. I must not, however, neglect the duties of my station, or refrain -from declaring my amazement at hearing that you received the young -couple into your house as soon as they were married. It was an -encouragement of vice; and had I been the rector of Longbourn, I should -very strenuously have opposed it. You ought certainly to forgive them, -as a Christian, but never to admit them in your sight, or allow their -names to be mentioned in your hearing.' That is his notion of Christian -forgiveness! The rest of his letter is only about his dear Charlotte's -situation, and his expectation of a young olive-branch. But, Lizzy, you -look as if you did not enjoy it. You are not going to be _missish_, -I hope, and pretend to be affronted at an idle report. For what do we -live, but to make sport for our neighbours, and laugh at them in our -turn?” - -“Oh!” cried Elizabeth, “I am excessively diverted. But it is so -strange!” - -“Yes--_that_ is what makes it amusing. Had they fixed on any other man -it would have been nothing; but _his_ perfect indifference, and _your_ -pointed dislike, make it so delightfully absurd! Much as I abominate -writing, I would not give up Mr. Collins's correspondence for any -consideration. Nay, when I read a letter of his, I cannot help giving -him the preference even over Wickham, much as I value the impudence and -hypocrisy of my son-in-law. And pray, Lizzy, what said Lady Catherine -about this report? Did she call to refuse her consent?” - -To this question his daughter replied only with a laugh; and as it had -been asked without the least suspicion, she was not distressed by -his repeating it. Elizabeth had never been more at a loss to make her -feelings appear what they were not. It was necessary to laugh, when she -would rather have cried. Her father had most cruelly mortified her, by -what he said of Mr. Darcy's indifference, and she could do nothing but -wonder at such a want of penetration, or fear that perhaps, instead of -his seeing too little, she might have fancied too much. - - - -Chapter 58 - - -Instead of receiving any such letter of excuse from his friend, as -Elizabeth half expected Mr. Bingley to do, he was able to bring Darcy -with him to Longbourn before many days had passed after Lady Catherine's -visit. The gentlemen arrived early; and, before Mrs. Bennet had time -to tell him of their having seen his aunt, of which her daughter sat -in momentary dread, Bingley, who wanted to be alone with Jane, proposed -their all walking out. It was agreed to. Mrs. Bennet was not in the -habit of walking; Mary could never spare time; but the remaining five -set off together. Bingley and Jane, however, soon allowed the others -to outstrip them. They lagged behind, while Elizabeth, Kitty, and Darcy -were to entertain each other. Very little was said by either; Kitty -was too much afraid of him to talk; Elizabeth was secretly forming a -desperate resolution; and perhaps he might be doing the same. - -They walked towards the Lucases, because Kitty wished to call upon -Maria; and as Elizabeth saw no occasion for making it a general concern, -when Kitty left them she went boldly on with him alone. Now was the -moment for her resolution to be executed, and, while her courage was -high, she immediately said: - -“Mr. Darcy, I am a very selfish creature; and, for the sake of giving -relief to my own feelings, care not how much I may be wounding yours. I -can no longer help thanking you for your unexampled kindness to my -poor sister. Ever since I have known it, I have been most anxious to -acknowledge to you how gratefully I feel it. Were it known to the rest -of my family, I should not have merely my own gratitude to express.” - -“I am sorry, exceedingly sorry,” replied Darcy, in a tone of surprise -and emotion, “that you have ever been informed of what may, in a -mistaken light, have given you uneasiness. I did not think Mrs. Gardiner -was so little to be trusted.” - -“You must not blame my aunt. Lydia's thoughtlessness first betrayed to -me that you had been concerned in the matter; and, of course, I could -not rest till I knew the particulars. Let me thank you again and again, -in the name of all my family, for that generous compassion which induced -you to take so much trouble, and bear so many mortifications, for the -sake of discovering them.” - -“If you _will_ thank me,” he replied, “let it be for yourself alone. -That the wish of giving happiness to you might add force to the other -inducements which led me on, I shall not attempt to deny. But your -_family_ owe me nothing. Much as I respect them, I believe I thought -only of _you_.” - -Elizabeth was too much embarrassed to say a word. After a short pause, -her companion added, “You are too generous to trifle with me. If your -feelings are still what they were last April, tell me so at once. _My_ -affections and wishes are unchanged, but one word from you will silence -me on this subject for ever.” - -Elizabeth, feeling all the more than common awkwardness and anxiety of -his situation, now forced herself to speak; and immediately, though not -very fluently, gave him to understand that her sentiments had undergone -so material a change, since the period to which he alluded, as to make -her receive with gratitude and pleasure his present assurances. The -happiness which this reply produced, was such as he had probably never -felt before; and he expressed himself on the occasion as sensibly and as -warmly as a man violently in love can be supposed to do. Had Elizabeth -been able to encounter his eye, she might have seen how well the -expression of heartfelt delight, diffused over his face, became him; -but, though she could not look, she could listen, and he told her of -feelings, which, in proving of what importance she was to him, made his -affection every moment more valuable. - -They walked on, without knowing in what direction. There was too much to -be thought, and felt, and said, for attention to any other objects. She -soon learnt that they were indebted for their present good understanding -to the efforts of his aunt, who did call on him in her return through -London, and there relate her journey to Longbourn, its motive, and the -substance of her conversation with Elizabeth; dwelling emphatically on -every expression of the latter which, in her ladyship's apprehension, -peculiarly denoted her perverseness and assurance; in the belief that -such a relation must assist her endeavours to obtain that promise -from her nephew which she had refused to give. But, unluckily for her -ladyship, its effect had been exactly contrariwise. - -“It taught me to hope,” said he, “as I had scarcely ever allowed myself -to hope before. I knew enough of your disposition to be certain that, -had you been absolutely, irrevocably decided against me, you would have -acknowledged it to Lady Catherine, frankly and openly.” - -Elizabeth coloured and laughed as she replied, “Yes, you know enough -of my frankness to believe me capable of _that_. After abusing you so -abominably to your face, I could have no scruple in abusing you to all -your relations.” - -“What did you say of me, that I did not deserve? For, though your -accusations were ill-founded, formed on mistaken premises, my -behaviour to you at the time had merited the severest reproof. It was -unpardonable. I cannot think of it without abhorrence.” - -“We will not quarrel for the greater share of blame annexed to that -evening,” said Elizabeth. “The conduct of neither, if strictly examined, -will be irreproachable; but since then, we have both, I hope, improved -in civility.” - -“I cannot be so easily reconciled to myself. The recollection of what I -then said, of my conduct, my manners, my expressions during the whole of -it, is now, and has been many months, inexpressibly painful to me. Your -reproof, so well applied, I shall never forget: 'had you behaved in a -more gentlemanlike manner.' Those were your words. You know not, you can -scarcely conceive, how they have tortured me;--though it was some time, -I confess, before I was reasonable enough to allow their justice.” - -“I was certainly very far from expecting them to make so strong an -impression. I had not the smallest idea of their being ever felt in such -a way.” - -“I can easily believe it. You thought me then devoid of every proper -feeling, I am sure you did. The turn of your countenance I shall never -forget, as you said that I could not have addressed you in any possible -way that would induce you to accept me.” - -“Oh! do not repeat what I then said. These recollections will not do at -all. I assure you that I have long been most heartily ashamed of it.” - -Darcy mentioned his letter. “Did it,” said he, “did it soon make you -think better of me? Did you, on reading it, give any credit to its -contents?” - -She explained what its effect on her had been, and how gradually all her -former prejudices had been removed. - -“I knew,” said he, “that what I wrote must give you pain, but it was -necessary. I hope you have destroyed the letter. There was one part -especially, the opening of it, which I should dread your having the -power of reading again. I can remember some expressions which might -justly make you hate me.” - -“The letter shall certainly be burnt, if you believe it essential to the -preservation of my regard; but, though we have both reason to think my -opinions not entirely unalterable, they are not, I hope, quite so easily -changed as that implies.” - -“When I wrote that letter,” replied Darcy, “I believed myself perfectly -calm and cool, but I am since convinced that it was written in a -dreadful bitterness of spirit.” - -“The letter, perhaps, began in bitterness, but it did not end so. The -adieu is charity itself. But think no more of the letter. The feelings -of the person who wrote, and the person who received it, are now -so widely different from what they were then, that every unpleasant -circumstance attending it ought to be forgotten. You must learn some -of my philosophy. Think only of the past as its remembrance gives you -pleasure.” - -“I cannot give you credit for any philosophy of the kind. Your -retrospections must be so totally void of reproach, that the contentment -arising from them is not of philosophy, but, what is much better, of -innocence. But with me, it is not so. Painful recollections will intrude -which cannot, which ought not, to be repelled. I have been a selfish -being all my life, in practice, though not in principle. As a child I -was taught what was right, but I was not taught to correct my temper. I -was given good principles, but left to follow them in pride and conceit. -Unfortunately an only son (for many years an only child), I was spoilt -by my parents, who, though good themselves (my father, particularly, all -that was benevolent and amiable), allowed, encouraged, almost taught -me to be selfish and overbearing; to care for none beyond my own family -circle; to think meanly of all the rest of the world; to wish at least -to think meanly of their sense and worth compared with my own. Such I -was, from eight to eight and twenty; and such I might still have been -but for you, dearest, loveliest Elizabeth! What do I not owe you! You -taught me a lesson, hard indeed at first, but most advantageous. By you, -I was properly humbled. I came to you without a doubt of my reception. -You showed me how insufficient were all my pretensions to please a woman -worthy of being pleased.” - -“Had you then persuaded yourself that I should?” - -“Indeed I had. What will you think of my vanity? I believed you to be -wishing, expecting my addresses.” - -“My manners must have been in fault, but not intentionally, I assure -you. I never meant to deceive you, but my spirits might often lead me -wrong. How you must have hated me after _that_ evening?” - -“Hate you! I was angry perhaps at first, but my anger soon began to take -a proper direction.” - -“I am almost afraid of asking what you thought of me, when we met at -Pemberley. You blamed me for coming?” - -“No indeed; I felt nothing but surprise.” - -“Your surprise could not be greater than _mine_ in being noticed by you. -My conscience told me that I deserved no extraordinary politeness, and I -confess that I did not expect to receive _more_ than my due.” - -“My object then,” replied Darcy, “was to show you, by every civility in -my power, that I was not so mean as to resent the past; and I hoped to -obtain your forgiveness, to lessen your ill opinion, by letting you -see that your reproofs had been attended to. How soon any other wishes -introduced themselves I can hardly tell, but I believe in about half an -hour after I had seen you.” - -He then told her of Georgiana's delight in her acquaintance, and of her -disappointment at its sudden interruption; which naturally leading to -the cause of that interruption, she soon learnt that his resolution of -following her from Derbyshire in quest of her sister had been formed -before he quitted the inn, and that his gravity and thoughtfulness -there had arisen from no other struggles than what such a purpose must -comprehend. - -She expressed her gratitude again, but it was too painful a subject to -each, to be dwelt on farther. - -After walking several miles in a leisurely manner, and too busy to know -anything about it, they found at last, on examining their watches, that -it was time to be at home. - -“What could become of Mr. Bingley and Jane!” was a wonder which -introduced the discussion of their affairs. Darcy was delighted with -their engagement; his friend had given him the earliest information of -it. - -“I must ask whether you were surprised?” said Elizabeth. - -“Not at all. When I went away, I felt that it would soon happen.” - -“That is to say, you had given your permission. I guessed as much.” And -though he exclaimed at the term, she found that it had been pretty much -the case. - -“On the evening before my going to London,” said he, “I made a -confession to him, which I believe I ought to have made long ago. I -told him of all that had occurred to make my former interference in his -affairs absurd and impertinent. His surprise was great. He had never had -the slightest suspicion. I told him, moreover, that I believed myself -mistaken in supposing, as I had done, that your sister was indifferent -to him; and as I could easily perceive that his attachment to her was -unabated, I felt no doubt of their happiness together.” - -Elizabeth could not help smiling at his easy manner of directing his -friend. - -“Did you speak from your own observation,” said she, “when you told him -that my sister loved him, or merely from my information last spring?” - -“From the former. I had narrowly observed her during the two visits -which I had lately made here; and I was convinced of her affection.” - -“And your assurance of it, I suppose, carried immediate conviction to -him.” - -“It did. Bingley is most unaffectedly modest. His diffidence had -prevented his depending on his own judgment in so anxious a case, but -his reliance on mine made every thing easy. I was obliged to confess -one thing, which for a time, and not unjustly, offended him. I could not -allow myself to conceal that your sister had been in town three months -last winter, that I had known it, and purposely kept it from him. He was -angry. But his anger, I am persuaded, lasted no longer than he remained -in any doubt of your sister's sentiments. He has heartily forgiven me -now.” - -Elizabeth longed to observe that Mr. Bingley had been a most delightful -friend; so easily guided that his worth was invaluable; but she checked -herself. She remembered that he had yet to learn to be laughed at, -and it was rather too early to begin. In anticipating the happiness -of Bingley, which of course was to be inferior only to his own, he -continued the conversation till they reached the house. In the hall they -parted. - - - -Chapter 59 - - -“My dear Lizzy, where can you have been walking to?” was a question -which Elizabeth received from Jane as soon as she entered their room, -and from all the others when they sat down to table. She had only to -say in reply, that they had wandered about, till she was beyond her own -knowledge. She coloured as she spoke; but neither that, nor anything -else, awakened a suspicion of the truth. - -The evening passed quietly, unmarked by anything extraordinary. The -acknowledged lovers talked and laughed, the unacknowledged were silent. -Darcy was not of a disposition in which happiness overflows in mirth; -and Elizabeth, agitated and confused, rather _knew_ that she was happy -than _felt_ herself to be so; for, besides the immediate embarrassment, -there were other evils before her. She anticipated what would be felt -in the family when her situation became known; she was aware that no -one liked him but Jane; and even feared that with the others it was a -dislike which not all his fortune and consequence might do away. - -At night she opened her heart to Jane. Though suspicion was very far -from Miss Bennet's general habits, she was absolutely incredulous here. - -“You are joking, Lizzy. This cannot be!--engaged to Mr. Darcy! No, no, -you shall not deceive me. I know it to be impossible.” - -“This is a wretched beginning indeed! My sole dependence was on you; and -I am sure nobody else will believe me, if you do not. Yet, indeed, I am -in earnest. I speak nothing but the truth. He still loves me, and we are -engaged.” - -Jane looked at her doubtingly. “Oh, Lizzy! it cannot be. I know how much -you dislike him.” - -“You know nothing of the matter. _That_ is all to be forgot. Perhaps I -did not always love him so well as I do now. But in such cases as -these, a good memory is unpardonable. This is the last time I shall ever -remember it myself.” - -Miss Bennet still looked all amazement. Elizabeth again, and more -seriously assured her of its truth. - -“Good Heaven! can it be really so! Yet now I must believe you,” cried -Jane. “My dear, dear Lizzy, I would--I do congratulate you--but are you -certain? forgive the question--are you quite certain that you can be -happy with him?” - -“There can be no doubt of that. It is settled between us already, that -we are to be the happiest couple in the world. But are you pleased, -Jane? Shall you like to have such a brother?” - -“Very, very much. Nothing could give either Bingley or myself more -delight. But we considered it, we talked of it as impossible. And do you -really love him quite well enough? Oh, Lizzy! do anything rather than -marry without affection. Are you quite sure that you feel what you ought -to do?” - -“Oh, yes! You will only think I feel _more_ than I ought to do, when I -tell you all.” - -“What do you mean?” - -“Why, I must confess that I love him better than I do Bingley. I am -afraid you will be angry.” - -“My dearest sister, now _be_ serious. I want to talk very seriously. Let -me know every thing that I am to know, without delay. Will you tell me -how long you have loved him?” - -“It has been coming on so gradually, that I hardly know when it began. -But I believe I must date it from my first seeing his beautiful grounds -at Pemberley.” - -Another entreaty that she would be serious, however, produced the -desired effect; and she soon satisfied Jane by her solemn assurances -of attachment. When convinced on that article, Miss Bennet had nothing -further to wish. - -“Now I am quite happy,” said she, “for you will be as happy as myself. -I always had a value for him. Were it for nothing but his love of you, -I must always have esteemed him; but now, as Bingley's friend and your -husband, there can be only Bingley and yourself more dear to me. But -Lizzy, you have been very sly, very reserved with me. How little did you -tell me of what passed at Pemberley and Lambton! I owe all that I know -of it to another, not to you.” - -Elizabeth told her the motives of her secrecy. She had been unwilling -to mention Bingley; and the unsettled state of her own feelings had made -her equally avoid the name of his friend. But now she would no longer -conceal from her his share in Lydia's marriage. All was acknowledged, -and half the night spent in conversation. - - * * * * * - -“Good gracious!” cried Mrs. Bennet, as she stood at a window the next -morning, “if that disagreeable Mr. Darcy is not coming here again with -our dear Bingley! What can he mean by being so tiresome as to be always -coming here? I had no notion but he would go a-shooting, or something or -other, and not disturb us with his company. What shall we do with him? -Lizzy, you must walk out with him again, that he may not be in Bingley's -way.” - -Elizabeth could hardly help laughing at so convenient a proposal; yet -was really vexed that her mother should be always giving him such an -epithet. - -As soon as they entered, Bingley looked at her so expressively, and -shook hands with such warmth, as left no doubt of his good information; -and he soon afterwards said aloud, “Mrs. Bennet, have you no more lanes -hereabouts in which Lizzy may lose her way again to-day?” - -“I advise Mr. Darcy, and Lizzy, and Kitty,” said Mrs. Bennet, “to walk -to Oakham Mount this morning. It is a nice long walk, and Mr. Darcy has -never seen the view.” - -“It may do very well for the others,” replied Mr. Bingley; “but I am -sure it will be too much for Kitty. Won't it, Kitty?” Kitty owned that -she had rather stay at home. Darcy professed a great curiosity to see -the view from the Mount, and Elizabeth silently consented. As she went -up stairs to get ready, Mrs. Bennet followed her, saying: - -“I am quite sorry, Lizzy, that you should be forced to have that -disagreeable man all to yourself. But I hope you will not mind it: it is -all for Jane's sake, you know; and there is no occasion for talking -to him, except just now and then. So, do not put yourself to -inconvenience.” - -During their walk, it was resolved that Mr. Bennet's consent should be -asked in the course of the evening. Elizabeth reserved to herself the -application for her mother's. She could not determine how her mother -would take it; sometimes doubting whether all his wealth and grandeur -would be enough to overcome her abhorrence of the man. But whether she -were violently set against the match, or violently delighted with it, it -was certain that her manner would be equally ill adapted to do credit -to her sense; and she could no more bear that Mr. Darcy should hear -the first raptures of her joy, than the first vehemence of her -disapprobation. - - * * * * * - -In the evening, soon after Mr. Bennet withdrew to the library, she saw -Mr. Darcy rise also and follow him, and her agitation on seeing it was -extreme. She did not fear her father's opposition, but he was going to -be made unhappy; and that it should be through her means--that _she_, -his favourite child, should be distressing him by her choice, should be -filling him with fears and regrets in disposing of her--was a wretched -reflection, and she sat in misery till Mr. Darcy appeared again, when, -looking at him, she was a little relieved by his smile. In a few minutes -he approached the table where she was sitting with Kitty; and, while -pretending to admire her work said in a whisper, “Go to your father, he -wants you in the library.” She was gone directly. - -Her father was walking about the room, looking grave and anxious. -“Lizzy,” said he, “what are you doing? Are you out of your senses, to be -accepting this man? Have not you always hated him?” - -How earnestly did she then wish that her former opinions had been more -reasonable, her expressions more moderate! It would have spared her from -explanations and professions which it was exceedingly awkward to give; -but they were now necessary, and she assured him, with some confusion, -of her attachment to Mr. Darcy. - -“Or, in other words, you are determined to have him. He is rich, to be -sure, and you may have more fine clothes and fine carriages than Jane. -But will they make you happy?” - -“Have you any other objection,” said Elizabeth, “than your belief of my -indifference?” - -“None at all. We all know him to be a proud, unpleasant sort of man; but -this would be nothing if you really liked him.” - -“I do, I do like him,” she replied, with tears in her eyes, “I love him. -Indeed he has no improper pride. He is perfectly amiable. You do not -know what he really is; then pray do not pain me by speaking of him in -such terms.” - -“Lizzy,” said her father, “I have given him my consent. He is the kind -of man, indeed, to whom I should never dare refuse anything, which he -condescended to ask. I now give it to _you_, if you are resolved on -having him. But let me advise you to think better of it. I know -your disposition, Lizzy. I know that you could be neither happy nor -respectable, unless you truly esteemed your husband; unless you looked -up to him as a superior. Your lively talents would place you in the -greatest danger in an unequal marriage. You could scarcely escape -discredit and misery. My child, let me not have the grief of seeing -_you_ unable to respect your partner in life. You know not what you are -about.” - -Elizabeth, still more affected, was earnest and solemn in her reply; and -at length, by repeated assurances that Mr. Darcy was really the object -of her choice, by explaining the gradual change which her estimation of -him had undergone, relating her absolute certainty that his affection -was not the work of a day, but had stood the test of many months' -suspense, and enumerating with energy all his good qualities, she did -conquer her father's incredulity, and reconcile him to the match. - -“Well, my dear,” said he, when she ceased speaking, “I have no more to -say. If this be the case, he deserves you. I could not have parted with -you, my Lizzy, to anyone less worthy.” - -To complete the favourable impression, she then told him what Mr. Darcy -had voluntarily done for Lydia. He heard her with astonishment. - -“This is an evening of wonders, indeed! And so, Darcy did every thing; -made up the match, gave the money, paid the fellow's debts, and got him -his commission! So much the better. It will save me a world of trouble -and economy. Had it been your uncle's doing, I must and _would_ have -paid him; but these violent young lovers carry every thing their own -way. I shall offer to pay him to-morrow; he will rant and storm about -his love for you, and there will be an end of the matter.” - -He then recollected her embarrassment a few days before, on his reading -Mr. Collins's letter; and after laughing at her some time, allowed her -at last to go--saying, as she quitted the room, “If any young men come -for Mary or Kitty, send them in, for I am quite at leisure.” - -Elizabeth's mind was now relieved from a very heavy weight; and, after -half an hour's quiet reflection in her own room, she was able to join -the others with tolerable composure. Every thing was too recent for -gaiety, but the evening passed tranquilly away; there was no longer -anything material to be dreaded, and the comfort of ease and familiarity -would come in time. - -When her mother went up to her dressing-room at night, she followed her, -and made the important communication. Its effect was most extraordinary; -for on first hearing it, Mrs. Bennet sat quite still, and unable to -utter a syllable. Nor was it under many, many minutes that she could -comprehend what she heard; though not in general backward to credit -what was for the advantage of her family, or that came in the shape of a -lover to any of them. She began at length to recover, to fidget about in -her chair, get up, sit down again, wonder, and bless herself. - -“Good gracious! Lord bless me! only think! dear me! Mr. Darcy! Who would -have thought it! And is it really true? Oh! my sweetest Lizzy! how rich -and how great you will be! What pin-money, what jewels, what carriages -you will have! Jane's is nothing to it--nothing at all. I am so -pleased--so happy. Such a charming man!--so handsome! so tall!--Oh, my -dear Lizzy! pray apologise for my having disliked him so much before. I -hope he will overlook it. Dear, dear Lizzy. A house in town! Every thing -that is charming! Three daughters married! Ten thousand a year! Oh, -Lord! What will become of me. I shall go distracted.” - -This was enough to prove that her approbation need not be doubted: and -Elizabeth, rejoicing that such an effusion was heard only by herself, -soon went away. But before she had been three minutes in her own room, -her mother followed her. - -“My dearest child,” she cried, “I can think of nothing else! Ten -thousand a year, and very likely more! 'Tis as good as a Lord! And a -special licence. You must and shall be married by a special licence. But -my dearest love, tell me what dish Mr. Darcy is particularly fond of, -that I may have it to-morrow.” - -This was a sad omen of what her mother's behaviour to the gentleman -himself might be; and Elizabeth found that, though in the certain -possession of his warmest affection, and secure of her relations' -consent, there was still something to be wished for. But the morrow -passed off much better than she expected; for Mrs. Bennet luckily stood -in such awe of her intended son-in-law that she ventured not to speak to -him, unless it was in her power to offer him any attention, or mark her -deference for his opinion. - -Elizabeth had the satisfaction of seeing her father taking pains to get -acquainted with him; and Mr. Bennet soon assured her that he was rising -every hour in his esteem. - -“I admire all my three sons-in-law highly,” said he. “Wickham, perhaps, -is my favourite; but I think I shall like _your_ husband quite as well -as Jane's.” - - - -Chapter 60 - - -Elizabeth's spirits soon rising to playfulness again, she wanted Mr. -Darcy to account for his having ever fallen in love with her. “How could -you begin?” said she. “I can comprehend your going on charmingly, when -you had once made a beginning; but what could set you off in the first -place?” - -“I cannot fix on the hour, or the spot, or the look, or the words, which -laid the foundation. It is too long ago. I was in the middle before I -knew that I _had_ begun.” - -“My beauty you had early withstood, and as for my manners--my behaviour -to _you_ was at least always bordering on the uncivil, and I never spoke -to you without rather wishing to give you pain than not. Now be sincere; -did you admire me for my impertinence?” - -“For the liveliness of your mind, I did.” - -“You may as well call it impertinence at once. It was very little less. -The fact is, that you were sick of civility, of deference, of officious -attention. You were disgusted with the women who were always speaking, -and looking, and thinking for _your_ approbation alone. I roused, and -interested you, because I was so unlike _them_. Had you not been really -amiable, you would have hated me for it; but in spite of the pains you -took to disguise yourself, your feelings were always noble and just; and -in your heart, you thoroughly despised the persons who so assiduously -courted you. There--I have saved you the trouble of accounting for -it; and really, all things considered, I begin to think it perfectly -reasonable. To be sure, you knew no actual good of me--but nobody thinks -of _that_ when they fall in love.” - -“Was there no good in your affectionate behaviour to Jane while she was -ill at Netherfield?” - -“Dearest Jane! who could have done less for her? But make a virtue of it -by all means. My good qualities are under your protection, and you are -to exaggerate them as much as possible; and, in return, it belongs to me -to find occasions for teasing and quarrelling with you as often as may -be; and I shall begin directly by asking you what made you so unwilling -to come to the point at last. What made you so shy of me, when you first -called, and afterwards dined here? Why, especially, when you called, did -you look as if you did not care about me?” - -“Because you were grave and silent, and gave me no encouragement.” - -“But I was embarrassed.” - -“And so was I.” - -“You might have talked to me more when you came to dinner.” - -“A man who had felt less, might.” - -“How unlucky that you should have a reasonable answer to give, and that -I should be so reasonable as to admit it! But I wonder how long you -_would_ have gone on, if you had been left to yourself. I wonder when -you _would_ have spoken, if I had not asked you! My resolution of -thanking you for your kindness to Lydia had certainly great effect. -_Too much_, I am afraid; for what becomes of the moral, if our comfort -springs from a breach of promise? for I ought not to have mentioned the -subject. This will never do.” - -“You need not distress yourself. The moral will be perfectly fair. Lady -Catherine's unjustifiable endeavours to separate us were the means of -removing all my doubts. I am not indebted for my present happiness to -your eager desire of expressing your gratitude. I was not in a humour -to wait for any opening of yours. My aunt's intelligence had given me -hope, and I was determined at once to know every thing.” - -“Lady Catherine has been of infinite use, which ought to make her happy, -for she loves to be of use. But tell me, what did you come down to -Netherfield for? Was it merely to ride to Longbourn and be embarrassed? -or had you intended any more serious consequence?” - -“My real purpose was to see _you_, and to judge, if I could, whether I -might ever hope to make you love me. My avowed one, or what I avowed to -myself, was to see whether your sister were still partial to Bingley, -and if she were, to make the confession to him which I have since made.” - -“Shall you ever have courage to announce to Lady Catherine what is to -befall her?” - -“I am more likely to want more time than courage, Elizabeth. But it -ought to be done, and if you will give me a sheet of paper, it shall be -done directly.” - -“And if I had not a letter to write myself, I might sit by you and -admire the evenness of your writing, as another young lady once did. But -I have an aunt, too, who must not be longer neglected.” - -From an unwillingness to confess how much her intimacy with Mr. Darcy -had been over-rated, Elizabeth had never yet answered Mrs. Gardiner's -long letter; but now, having _that_ to communicate which she knew would -be most welcome, she was almost ashamed to find that her uncle and -aunt had already lost three days of happiness, and immediately wrote as -follows: - -“I would have thanked you before, my dear aunt, as I ought to have done, -for your long, kind, satisfactory, detail of particulars; but to say the -truth, I was too cross to write. You supposed more than really existed. -But _now_ suppose as much as you choose; give a loose rein to your -fancy, indulge your imagination in every possible flight which the -subject will afford, and unless you believe me actually married, you -cannot greatly err. You must write again very soon, and praise him a -great deal more than you did in your last. I thank you, again and again, -for not going to the Lakes. How could I be so silly as to wish it! Your -idea of the ponies is delightful. We will go round the Park every day. I -am the happiest creature in the world. Perhaps other people have said so -before, but not one with such justice. I am happier even than Jane; she -only smiles, I laugh. Mr. Darcy sends you all the love in the world that -he can spare from me. You are all to come to Pemberley at Christmas. -Yours, etc.” - -Mr. Darcy's letter to Lady Catherine was in a different style; and still -different from either was what Mr. Bennet sent to Mr. Collins, in reply -to his last. - -“DEAR SIR, - -“I must trouble you once more for congratulations. Elizabeth will soon -be the wife of Mr. Darcy. Console Lady Catherine as well as you can. -But, if I were you, I would stand by the nephew. He has more to give. - -“Yours sincerely, etc.” - -Miss Bingley's congratulations to her brother, on his approaching -marriage, were all that was affectionate and insincere. She wrote even -to Jane on the occasion, to express her delight, and repeat all her -former professions of regard. Jane was not deceived, but she was -affected; and though feeling no reliance on her, could not help writing -her a much kinder answer than she knew was deserved. - -The joy which Miss Darcy expressed on receiving similar information, -was as sincere as her brother's in sending it. Four sides of paper were -insufficient to contain all her delight, and all her earnest desire of -being loved by her sister. - -Before any answer could arrive from Mr. Collins, or any congratulations -to Elizabeth from his wife, the Longbourn family heard that the -Collinses were come themselves to Lucas Lodge. The reason of this -sudden removal was soon evident. Lady Catherine had been rendered -so exceedingly angry by the contents of her nephew's letter, that -Charlotte, really rejoicing in the match, was anxious to get away till -the storm was blown over. At such a moment, the arrival of her friend -was a sincere pleasure to Elizabeth, though in the course of their -meetings she must sometimes think the pleasure dearly bought, when she -saw Mr. Darcy exposed to all the parading and obsequious civility of -her husband. He bore it, however, with admirable calmness. He could even -listen to Sir William Lucas, when he complimented him on carrying away -the brightest jewel of the country, and expressed his hopes of their all -meeting frequently at St. James's, with very decent composure. If he did -shrug his shoulders, it was not till Sir William was out of sight. - -Mrs. Phillips's vulgarity was another, and perhaps a greater, tax on his -forbearance; and though Mrs. Phillips, as well as her sister, stood in -too much awe of him to speak with the familiarity which Bingley's good -humour encouraged, yet, whenever she _did_ speak, she must be vulgar. -Nor was her respect for him, though it made her more quiet, at all -likely to make her more elegant. Elizabeth did all she could to shield -him from the frequent notice of either, and was ever anxious to keep -him to herself, and to those of her family with whom he might converse -without mortification; and though the uncomfortable feelings arising -from all this took from the season of courtship much of its pleasure, it -added to the hope of the future; and she looked forward with delight to -the time when they should be removed from society so little pleasing -to either, to all the comfort and elegance of their family party at -Pemberley. - - - -Chapter 61 - - -Happy for all her maternal feelings was the day on which Mrs. Bennet got -rid of her two most deserving daughters. With what delighted pride -she afterwards visited Mrs. Bingley, and talked of Mrs. Darcy, may -be guessed. I wish I could say, for the sake of her family, that the -accomplishment of her earnest desire in the establishment of so many -of her children produced so happy an effect as to make her a sensible, -amiable, well-informed woman for the rest of her life; though perhaps it -was lucky for her husband, who might not have relished domestic felicity -in so unusual a form, that she still was occasionally nervous and -invariably silly. - -Mr. Bennet missed his second daughter exceedingly; his affection for her -drew him oftener from home than anything else could do. He delighted in -going to Pemberley, especially when he was least expected. - -Mr. Bingley and Jane remained at Netherfield only a twelvemonth. So near -a vicinity to her mother and Meryton relations was not desirable even to -_his_ easy temper, or _her_ affectionate heart. The darling wish of his -sisters was then gratified; he bought an estate in a neighbouring county -to Derbyshire, and Jane and Elizabeth, in addition to every other source -of happiness, were within thirty miles of each other. - -Kitty, to her very material advantage, spent the chief of her time with -her two elder sisters. In society so superior to what she had generally -known, her improvement was great. She was not of so ungovernable a -temper as Lydia; and, removed from the influence of Lydia's example, -she became, by proper attention and management, less irritable, less -ignorant, and less insipid. From the further disadvantage of Lydia's -society she was of course carefully kept, and though Mrs. Wickham -frequently invited her to come and stay with her, with the promise of -balls and young men, her father would never consent to her going. - -Mary was the only daughter who remained at home; and she was necessarily -drawn from the pursuit of accomplishments by Mrs. Bennet's being quite -unable to sit alone. Mary was obliged to mix more with the world, but -she could still moralize over every morning visit; and as she was no -longer mortified by comparisons between her sisters' beauty and her own, -it was suspected by her father that she submitted to the change without -much reluctance. - -As for Wickham and Lydia, their characters suffered no revolution from -the marriage of her sisters. He bore with philosophy the conviction that -Elizabeth must now become acquainted with whatever of his ingratitude -and falsehood had before been unknown to her; and in spite of every -thing, was not wholly without hope that Darcy might yet be prevailed on -to make his fortune. The congratulatory letter which Elizabeth received -from Lydia on her marriage, explained to her that, by his wife at least, -if not by himself, such a hope was cherished. The letter was to this -effect: - -“MY DEAR LIZZY, - -“I wish you joy. If you love Mr. Darcy half as well as I do my dear -Wickham, you must be very happy. It is a great comfort to have you so -rich, and when you have nothing else to do, I hope you will think of us. -I am sure Wickham would like a place at court very much, and I do not -think we shall have quite money enough to live upon without some help. -Any place would do, of about three or four hundred a year; but however, -do not speak to Mr. Darcy about it, if you had rather not. - -“Yours, etc.” - -As it happened that Elizabeth had _much_ rather not, she endeavoured in -her answer to put an end to every entreaty and expectation of the kind. -Such relief, however, as it was in her power to afford, by the practice -of what might be called economy in her own private expences, she -frequently sent them. It had always been evident to her that such an -income as theirs, under the direction of two persons so extravagant in -their wants, and heedless of the future, must be very insufficient to -their support; and whenever they changed their quarters, either Jane or -herself were sure of being applied to for some little assistance -towards discharging their bills. Their manner of living, even when the -restoration of peace dismissed them to a home, was unsettled in the -extreme. They were always moving from place to place in quest of a cheap -situation, and always spending more than they ought. His affection for -her soon sunk into indifference; hers lasted a little longer; and -in spite of her youth and her manners, she retained all the claims to -reputation which her marriage had given her. - -Though Darcy could never receive _him_ at Pemberley, yet, for -Elizabeth's sake, he assisted him further in his profession. Lydia was -occasionally a visitor there, when her husband was gone to enjoy himself -in London or Bath; and with the Bingleys they both of them frequently -staid so long, that even Bingley's good humour was overcome, and he -proceeded so far as to talk of giving them a hint to be gone. - -Miss Bingley was very deeply mortified by Darcy's marriage; but as she -thought it advisable to retain the right of visiting at Pemberley, she -dropt all her resentment; was fonder than ever of Georgiana, almost as -attentive to Darcy as heretofore, and paid off every arrear of civility -to Elizabeth. - -Pemberley was now Georgiana's home; and the attachment of the sisters -was exactly what Darcy had hoped to see. They were able to love each -other even as well as they intended. Georgiana had the highest opinion -in the world of Elizabeth; though at first she often listened with -an astonishment bordering on alarm at her lively, sportive, manner of -talking to her brother. He, who had always inspired in herself a respect -which almost overcame her affection, she now saw the object of open -pleasantry. Her mind received knowledge which had never before fallen -in her way. By Elizabeth's instructions, she began to comprehend that -a woman may take liberties with her husband which a brother will not -always allow in a sister more than ten years younger than himself. - -Lady Catherine was extremely indignant on the marriage of her nephew; -and as she gave way to all the genuine frankness of her character in -her reply to the letter which announced its arrangement, she sent him -language so very abusive, especially of Elizabeth, that for some time -all intercourse was at an end. But at length, by Elizabeth's persuasion, -he was prevailed on to overlook the offence, and seek a reconciliation; -and, after a little further resistance on the part of his aunt, her -resentment gave way, either to her affection for him, or her curiosity -to see how his wife conducted herself; and she condescended to wait -on them at Pemberley, in spite of that pollution which its woods had -received, not merely from the presence of such a mistress, but the -visits of her uncle and aunt from the city. - -With the Gardiners, they were always on the most intimate terms. -Darcy, as well as Elizabeth, really loved them; and they were both ever -sensible of the warmest gratitude towards the persons who, by bringing -her into Derbyshire, had been the means of uniting them. - - - - - -End of the Project Gutenberg EBook of Pride and Prejudice, by Jane Austen - -*** END OF THIS PROJECT GUTENBERG EBOOK PRIDE AND PREJUDICE *** - -***** This file should be named 1342-0.txt or 1342-0.zip ***** -This and all associated files of various formats will be found in: - http://www.gutenberg.org/1/3/4/1342/ - -Produced by Anonymous Volunteers - -Updated editions will replace the previous one--the old editions -will be renamed. - -Creating the works from public domain print editions means that no -one owns a United States copyright in these works, so the Foundation -(and you!) can copy and distribute it in the United States without -permission and without paying copyright royalties. Special rules, -set forth in the General Terms of Use part of this license, apply to -copying and distributing Project Gutenberg-tm electronic works to -protect the PROJECT GUTENBERG-tm concept and trademark. Project -Gutenberg is a registered trademark, and may not be used if you -charge for the eBooks, unless you receive specific permission. If you -do not charge anything for copies of this eBook, complying with the -rules is very easy. You may use this eBook for nearly any purpose -such as creation of derivative works, reports, performances and -research. They may be modified and printed and given away--you may do -practically ANYTHING with public domain eBooks. Redistribution is -subject to the trademark license, especially commercial -redistribution. - - - -*** START: FULL LICENSE *** - -THE FULL PROJECT GUTENBERG LICENSE -PLEASE READ THIS BEFORE YOU DISTRIBUTE OR USE THIS WORK - -To protect the Project Gutenberg-tm mission of promoting the free -distribution of electronic works, by using or distributing this work -(or any other work associated in any way with the phrase “Project -Gutenberg”), you agree to comply with all the terms of the Full Project -Gutenberg-tm License (available with this file or online at -http://gutenberg.org/license). - - -Section 1. General Terms of Use and Redistributing Project Gutenberg-tm -electronic works - -1.A. By reading or using any part of this Project Gutenberg-tm -electronic work, you indicate that you have read, understand, agree to -and accept all the terms of this license and intellectual property -(trademark/copyright) agreement. If you do not agree to abide by all -the terms of this agreement, you must cease using and return or destroy -all copies of Project Gutenberg-tm electronic works in your possession. -If you paid a fee for obtaining a copy of or access to a Project -Gutenberg-tm electronic work and you do not agree to be bound by the -terms of this agreement, you may obtain a refund from the person or -entity to whom you paid the fee as set forth in paragraph 1.E.8. - -1.B. “Project Gutenberg” is a registered trademark. It may only be -used on or associated in any way with an electronic work by people who -agree to be bound by the terms of this agreement. There are a few -things that you can do with most Project Gutenberg-tm electronic works -even without complying with the full terms of this agreement. See -paragraph 1.C below. There are a lot of things you can do with Project -Gutenberg-tm electronic works if you follow the terms of this agreement -and help preserve free future access to Project Gutenberg-tm electronic -works. See paragraph 1.E below. - -1.C. The Project Gutenberg Literary Archive Foundation (“the Foundation” - or PGLAF), owns a compilation copyright in the collection of Project -Gutenberg-tm electronic works. Nearly all the individual works in the -collection are in the public domain in the United States. If an -individual work is in the public domain in the United States and you are -located in the United States, we do not claim a right to prevent you from -copying, distributing, performing, displaying or creating derivative -works based on the work as long as all references to Project Gutenberg -are removed. Of course, we hope that you will support the Project -Gutenberg-tm mission of promoting free access to electronic works by -freely sharing Project Gutenberg-tm works in compliance with the terms of -this agreement for keeping the Project Gutenberg-tm name associated with -the work. You can easily comply with the terms of this agreement by -keeping this work in the same format with its attached full Project -Gutenberg-tm License when you share it without charge with others. - -1.D. The copyright laws of the place where you are located also govern -what you can do with this work. Copyright laws in most countries are in -a constant state of change. If you are outside the United States, check -the laws of your country in addition to the terms of this agreement -before downloading, copying, displaying, performing, distributing or -creating derivative works based on this work or any other Project -Gutenberg-tm work. The Foundation makes no representations concerning -the copyright status of any work in any country outside the United -States. - -1.E. Unless you have removed all references to Project Gutenberg: - -1.E.1. The following sentence, with active links to, or other immediate -access to, the full Project Gutenberg-tm License must appear prominently -whenever any copy of a Project Gutenberg-tm work (any work on which the -phrase “Project Gutenberg” appears, or with which the phrase “Project -Gutenberg” is associated) is accessed, displayed, performed, viewed, -copied or distributed: - -This eBook is for the use of anyone anywhere at no cost and with -almost no restrictions whatsoever. You may copy it, give it away or -re-use it under the terms of the Project Gutenberg License included -with this eBook or online at www.gutenberg.org - -1.E.2. If an individual Project Gutenberg-tm electronic work is derived -from the public domain (does not contain a notice indicating that it is -posted with permission of the copyright holder), the work can be copied -and distributed to anyone in the United States without paying any fees -or charges. If you are redistributing or providing access to a work -with the phrase “Project Gutenberg” associated with or appearing on the -work, you must comply either with the requirements of paragraphs 1.E.1 -through 1.E.7 or obtain permission for the use of the work and the -Project Gutenberg-tm trademark as set forth in paragraphs 1.E.8 or -1.E.9. - -1.E.3. If an individual Project Gutenberg-tm electronic work is posted -with the permission of the copyright holder, your use and distribution -must comply with both paragraphs 1.E.1 through 1.E.7 and any additional -terms imposed by the copyright holder. Additional terms will be linked -to the Project Gutenberg-tm License for all works posted with the -permission of the copyright holder found at the beginning of this work. - -1.E.4. Do not unlink or detach or remove the full Project Gutenberg-tm -License terms from this work, or any files containing a part of this -work or any other work associated with Project Gutenberg-tm. - -1.E.5. Do not copy, display, perform, distribute or redistribute this -electronic work, or any part of this electronic work, without -prominently displaying the sentence set forth in paragraph 1.E.1 with -active links or immediate access to the full terms of the Project -Gutenberg-tm License. - -1.E.6. You may convert to and distribute this work in any binary, -compressed, marked up, nonproprietary or proprietary form, including any -word processing or hypertext form. However, if you provide access to or -distribute copies of a Project Gutenberg-tm work in a format other than -“Plain Vanilla ASCII” or other format used in the official version -posted on the official Project Gutenberg-tm web site (www.gutenberg.org), -you must, at no additional cost, fee or expense to the user, provide a -copy, a means of exporting a copy, or a means of obtaining a copy upon -request, of the work in its original “Plain Vanilla ASCII” or other -form. Any alternate format must include the full Project Gutenberg-tm -License as specified in paragraph 1.E.1. - -1.E.7. Do not charge a fee for access to, viewing, displaying, -performing, copying or distributing any Project Gutenberg-tm works -unless you comply with paragraph 1.E.8 or 1.E.9. - -1.E.8. You may charge a reasonable fee for copies of or providing -access to or distributing Project Gutenberg-tm electronic works provided -that - -- You pay a royalty fee of 20% of the gross profits you derive from - the use of Project Gutenberg-tm works calculated using the method - you already use to calculate your applicable taxes. The fee is - owed to the owner of the Project Gutenberg-tm trademark, but he - has agreed to donate royalties under this paragraph to the - Project Gutenberg Literary Archive Foundation. Royalty payments - must be paid within 60 days following each date on which you - prepare (or are legally required to prepare) your periodic tax - returns. Royalty payments should be clearly marked as such and - sent to the Project Gutenberg Literary Archive Foundation at the - address specified in Section 4, “Information about donations to - the Project Gutenberg Literary Archive Foundation.” - -- You provide a full refund of any money paid by a user who notifies - you in writing (or by e-mail) within 30 days of receipt that s/he - does not agree to the terms of the full Project Gutenberg-tm - License. You must require such a user to return or - destroy all copies of the works possessed in a physical medium - and discontinue all use of and all access to other copies of - Project Gutenberg-tm works. - -- You provide, in accordance with paragraph 1.F.3, a full refund of any - money paid for a work or a replacement copy, if a defect in the - electronic work is discovered and reported to you within 90 days - of receipt of the work. - -- You comply with all other terms of this agreement for free - distribution of Project Gutenberg-tm works. - -1.E.9. If you wish to charge a fee or distribute a Project Gutenberg-tm -electronic work or group of works on different terms than are set -forth in this agreement, you must obtain permission in writing from -both the Project Gutenberg Literary Archive Foundation and Michael -Hart, the owner of the Project Gutenberg-tm trademark. Contact the -Foundation as set forth in Section 3 below. - -1.F. - -1.F.1. Project Gutenberg volunteers and employees expend considerable -effort to identify, do copyright research on, transcribe and proofread -public domain works in creating the Project Gutenberg-tm -collection. Despite these efforts, Project Gutenberg-tm electronic -works, and the medium on which they may be stored, may contain -“Defects,” such as, but not limited to, incomplete, inaccurate or -corrupt data, transcription errors, a copyright or other intellectual -property infringement, a defective or damaged disk or other medium, a -computer virus, or computer codes that damage or cannot be read by -your equipment. - -1.F.2. LIMITED WARRANTY, DISCLAIMER OF DAMAGES - Except for the “Right -of Replacement or Refund” described in paragraph 1.F.3, the Project -Gutenberg Literary Archive Foundation, the owner of the Project -Gutenberg-tm trademark, and any other party distributing a Project -Gutenberg-tm electronic work under this agreement, disclaim all -liability to you for damages, costs and expenses, including legal -fees. YOU AGREE THAT YOU HAVE NO REMEDIES FOR NEGLIGENCE, STRICT -LIABILITY, BREACH OF WARRANTY OR BREACH OF CONTRACT EXCEPT THOSE -PROVIDED IN PARAGRAPH F3. YOU AGREE THAT THE FOUNDATION, THE -TRADEMARK OWNER, AND ANY DISTRIBUTOR UNDER THIS AGREEMENT WILL NOT BE -LIABLE TO YOU FOR ACTUAL, DIRECT, INDIRECT, CONSEQUENTIAL, PUNITIVE OR -INCIDENTAL DAMAGES EVEN IF YOU GIVE NOTICE OF THE POSSIBILITY OF SUCH -DAMAGE. - -1.F.3. LIMITED RIGHT OF REPLACEMENT OR REFUND - If you discover a -defect in this electronic work within 90 days of receiving it, you can -receive a refund of the money (if any) you paid for it by sending a -written explanation to the person you received the work from. If you -received the work on a physical medium, you must return the medium with -your written explanation. The person or entity that provided you with -the defective work may elect to provide a replacement copy in lieu of a -refund. If you received the work electronically, the person or entity -providing it to you may choose to give you a second opportunity to -receive the work electronically in lieu of a refund. If the second copy -is also defective, you may demand a refund in writing without further -opportunities to fix the problem. - -1.F.4. Except for the limited right of replacement or refund set forth -in paragraph 1.F.3, this work is provided to you 'AS-IS' WITH NO OTHER -WARRANTIES OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO -WARRANTIES OF MERCHANTIBILITY OR FITNESS FOR ANY PURPOSE. - -1.F.5. Some states do not allow disclaimers of certain implied -warranties or the exclusion or limitation of certain types of damages. -If any disclaimer or limitation set forth in this agreement violates the -law of the state applicable to this agreement, the agreement shall be -interpreted to make the maximum disclaimer or limitation permitted by -the applicable state law. The invalidity or unenforceability of any -provision of this agreement shall not void the remaining provisions. - -1.F.6. INDEMNITY - You agree to indemnify and hold the Foundation, the -trademark owner, any agent or employee of the Foundation, anyone -providing copies of Project Gutenberg-tm electronic works in accordance -with this agreement, and any volunteers associated with the production, -promotion and distribution of Project Gutenberg-tm electronic works, -harmless from all liability, costs and expenses, including legal fees, -that arise directly or indirectly from any of the following which you do -or cause to occur: (a) distribution of this or any Project Gutenberg-tm -work, (b) alteration, modification, or additions or deletions to any -Project Gutenberg-tm work, and (c) any Defect you cause. - - -Section 2. Information about the Mission of Project Gutenberg-tm - -Project Gutenberg-tm is synonymous with the free distribution of -electronic works in formats readable by the widest variety of computers -including obsolete, old, middle-aged and new computers. It exists -because of the efforts of hundreds of volunteers and donations from -people in all walks of life. - -Volunteers and financial support to provide volunteers with the -assistance they need, are critical to reaching Project Gutenberg-tm's -goals and ensuring that the Project Gutenberg-tm collection will -remain freely available for generations to come. In 2001, the Project -Gutenberg Literary Archive Foundation was created to provide a secure -and permanent future for Project Gutenberg-tm and future generations. -To learn more about the Project Gutenberg Literary Archive Foundation -and how your efforts and donations can help, see Sections 3 and 4 -and the Foundation web page at http://www.pglaf.org. - - -Section 3. Information about the Project Gutenberg Literary Archive -Foundation - -The Project Gutenberg Literary Archive Foundation is a non profit -501(c)(3) educational corporation organized under the laws of the -state of Mississippi and granted tax exempt status by the Internal -Revenue Service. The Foundation's EIN or federal tax identification -number is 64-6221541. Its 501(c)(3) letter is posted at -http://pglaf.org/fundraising. Contributions to the Project Gutenberg -Literary Archive Foundation are tax deductible to the full extent -permitted by U.S. federal laws and your state's laws. - -The Foundation's principal office is located at 4557 Melan Dr. S. -Fairbanks, AK, 99712., but its volunteers and employees are scattered -throughout numerous locations. Its business office is located at -809 North 1500 West, Salt Lake City, UT 84116, (801) 596-1887, email -business@pglaf.org. Email contact links and up to date contact -information can be found at the Foundation's web site and official -page at http://pglaf.org - -For additional contact information: - Dr. Gregory B. Newby - Chief Executive and Director - gbnewby@pglaf.org - - -Section 4. Information about Donations to the Project Gutenberg -Literary Archive Foundation - -Project Gutenberg-tm depends upon and cannot survive without wide -spread public support and donations to carry out its mission of -increasing the number of public domain and licensed works that can be -freely distributed in machine readable form accessible by the widest -array of equipment including outdated equipment. Many small donations -($1 to $5,000) are particularly important to maintaining tax exempt -status with the IRS. - -The Foundation is committed to complying with the laws regulating -charities and charitable donations in all 50 states of the United -States. Compliance requirements are not uniform and it takes a -considerable effort, much paperwork and many fees to meet and keep up -with these requirements. We do not solicit donations in locations -where we have not received written confirmation of compliance. To -SEND DONATIONS or determine the status of compliance for any -particular state visit http://pglaf.org - -While we cannot and do not solicit contributions from states where we -have not met the solicitation requirements, we know of no prohibition -against accepting unsolicited donations from donors in such states who -approach us with offers to donate. - -International donations are gratefully accepted, but we cannot make -any statements concerning tax treatment of donations received from -outside the United States. U.S. laws alone swamp our small staff. - -Please check the Project Gutenberg Web pages for current donation -methods and addresses. Donations are accepted in a number of other -ways including checks, online payments and credit card donations. -To donate, please visit: http://pglaf.org/donate - - -Section 5. General Information About Project Gutenberg-tm electronic -works. - -Professor Michael S. Hart is the originator of the Project Gutenberg-tm -concept of a library of electronic works that could be freely shared -with anyone. For thirty years, he produced and distributed Project -Gutenberg-tm eBooks with only a loose network of volunteer support. - - -Project Gutenberg-tm eBooks are often created from several printed -editions, all of which are confirmed as Public Domain in the U.S. -unless a copyright notice is included. Thus, we do not necessarily -keep eBooks in compliance with any particular paper edition. - - -Most people start at our Web site which has the main PG search facility: - - http://www.gutenberg.org - -This Web site includes information about Project Gutenberg-tm, -including how to make donations to the Project Gutenberg Literary -Archive Foundation, how to help produce our new eBooks, and how to -subscribe to our email newsletter to hear about new eBooks. diff --git a/DataStructureNotes/src/code_00_array/Array.java b/DataStructureNotes/src/code_00_array/Array.java deleted file mode 100644 index 010d976..0000000 --- a/DataStructureNotes/src/code_00_array/Array.java +++ /dev/null @@ -1,164 +0,0 @@ -package code_00_array; - -/** - * 二次封装属于我们自己的数组 - */ -public class Array { - private E[] data; - private int size; - - public Array(int capacity){ - data=(E[])new Object[capacity]; - size=0; - } - - //无参构造函数,默认数组的容量是10 - public Array(){ - this(10); - } - - public int getSize(){ - return size; - } - - public int getCapacity(){ - return data.length; - } - - public boolean isEmpty(){ - return size==0; - } - - //在所有元素后添加新元素 - public void addLast(E e) { - //要先判断是否有空间来容纳新元素 - /*if(size==data.length){ - throw new IllegalArgumentException("AddLast failed,array is full"); - } - data[size]=e; - size++;*/ - add(size,e); - } - - //在所有元素前添加新元素 - public void addFirst(E e){ - add(0,e); - } - - //在index位置插入元素 - public void add(int index,E e){ - /* if(size==data.length){ - throw new IllegalArgumentException("Add failed,array is full"); - }*/ - if(size==data.length){ - resize(data.length*2); - } - if(index<0 || index>size){ - throw new IllegalArgumentException("Add Failed,0<=index<=size is required"); - } - //index位置后的元素向右移动 - for(int i=size;i>index;i--){ - data[i]=data[i-1]; - } - data[index]=e; - size++; - } - - //获取index位置的元素 - public E get(int index){ - if(index<0 || index>=size){ - throw new IllegalArgumentException("Get failed,index is illegal"); - } - return data[index]; - } - - //设置index位置元素值为e - public void set(int index,E e){ - if(index<0 || index>=size){ - throw new IllegalArgumentException("Get failed,index is illegal"); - } - data[index]=e; - } - - //查找数组中是否有元素e,有就返回下标,没有就返回-1 - public boolean contains(E e){ - for(int i=0;i=size){ - throw new IllegalArgumentException("Remove failed,index is illegal"); - } - E ret=data[index]; - for(int i=index+1;i array=new Array<>(); - array.addLast(1); - array.addLast(3); - array.addLast(4); - array.addFirst(0); - array.addFirst(5); - array.addFirst(6); - array.addFirst(7); - array.addFirst(8); - array.addFirst(9); - array.addFirst(10); - System.out.println(array); - - array.add(4,11); - System.out.println(array); - - array.removeElement(4); - System.out.println(array); - - array.removeElement(11); - System.out.println(array); - - Array array1=new Array<>(); - array1.addFirst(new Student("杨过",22)); - array1.addFirst(new Student("小龙女",27)); - System.out.println(array1); - } -} diff --git a/DataStructureNotes/src/code_00_array/Student.java b/DataStructureNotes/src/code_00_array/Student.java deleted file mode 100644 index 35ae126..0000000 --- a/DataStructureNotes/src/code_00_array/Student.java +++ /dev/null @@ -1,22 +0,0 @@ -package code_00_array; - -/** - * Created by DHA on 2018/11/13. - */ -public class Student { - String name; - int age; - - public Student(String name, int age) { - this.name = name; - this.age = age; - } - - @Override - public String toString() { - return "Student{" + - "name='" + name + '\'' + - ", age=" + age + - '}'; - } -} diff --git a/DataStructureNotes/src/code_01_stackAndQueue/ArrayQueue.java b/DataStructureNotes/src/code_01_stackAndQueue/ArrayQueue.java deleted file mode 100644 index 7daca06..0000000 --- a/DataStructureNotes/src/code_01_stackAndQueue/ArrayQueue.java +++ /dev/null @@ -1,59 +0,0 @@ -package code_01_stackAndQueue; - -import code_00_array.Array; - -/** - * Created by 18351 on 2018/11/17. - */ -public class ArrayQueue implements Queue { - Array array; - - public ArrayQueue(int capacity){ - array=new Array<>(capacity); - } - - public ArrayQueue(){ - array=new Array<>(); - } - - @Override - public int getSize() { - return array.getSize(); - } - - @Override - public boolean isEmpty() { - return array.isEmpty(); - } - - @Override - public void enqueue(E e) { - array.addLast(e); - } - - @Override - public E dequeue() { - return array.removeFirst(); - } - - @Override - public E getFront() { - return array.get(0); - } - - @Override - public String toString() { - StringBuilder ret=new StringBuilder(); - ret.append("Queue: "); - ret.append("font ["); - for(int i=0;i implements Stack { - Array array; - - public ArrayStack(int capacity){ - array=new Array<>(capacity); - } - - public ArrayStack(){ - array=new Array<>(); - } - - @Override - public int getSize() { - return array.getSize(); - } - - @Override - public boolean isEmpty() { - return array.isEmpty(); - } - - @Override - public void push(E e) { - array.addLast(e); - } - - @Override - public E pop() { - return array.removeLast(); - } - - @Override - public E peek() { - E ele=array.get(array.getSize()-1); - return ele; - } - - public int getCapacity(){ - return array.getCapacity(); - } - - @Override - public String toString() { - StringBuilder ret=new StringBuilder(); - ret.append("Stack: "); - ret.append("["); - for(int i=0;i implements Queue { - private E[] data; - private int front,tail; - private int size; - - public LoopQueue(int capacity){ - //循环队列会浪费一个单位空间 - data=(E[])new Object[capacity+1]; - front=0; - tail=0; - size=0; - } - - public LoopQueue(){ - this(10); - } - - public int getCapacity(){ - return data.length-1; - } - - @Override - public int getSize() { - return size; - } - - @Override - public boolean isEmpty() { - return front==tail; - } - - @Override - public void enqueue(E e) { - //出队操作,先判断队列是否满了 - if((tail+1)%data.length==front){ - resize(getCapacity()*2); - } - data[tail]=e; - tail=(tail+1)%data.length; - size++; - } - - @Override - public E dequeue() { - if(isEmpty()){ - throw new IllegalArgumentException("con not dequeue from empty queue"); - } - E ret=data[front]; - data[front]=null; - front=(front+1)%data.length; - size--; - if(size==getCapacity()/4 && getCapacity()/2!=0){ - resize(getCapacity()/2); - } - return ret; - } - - @Override - public E getFront() { - if(isEmpty()){ - throw new IllegalArgumentException("con not dequeue from empty queue"); - } - return data[front]; - } - - private void resize(int newCapacity) { - E[] newData=(E[])new Object[newCapacity+1]; - for(int i=0;i stack=new ArrayStack<>(); - for(int i=0;i<5;i++){ - stack.push(i); - System.out.println(stack); - } - stack.pop(); - System.out.println(stack);*/ - - /* Queue queue=new ArrayQueue<>(); - for(int i=0;i<10;i++){ - queue.enqueue(i); - System.out.println(queue); - if(i%3==2){ - queue.dequeue(); - System.out.println(queue); - } - }*/ - /* Queue queue=new LoopQueue<>(); - for(int i=0;i<11;i++){ - queue.enqueue(i); - System.out.println(queue); - if(i%3==2){ - queue.dequeue(); - System.out.println(queue); - } - }*/ - - int opCount=100000; - ArrayQueue arrayQueue=new ArrayQueue<>(); - double t1=testQueue(arrayQueue,opCount); - System.out.println("Array Queue time:"+t1+"s"); - - LoopQueue loopQueue=new LoopQueue<>(); - double t2=testQueue(loopQueue,opCount); - System.out.println("Loop Queue time:"+t2+"s"); - } - - //测试使用q运行opCount个enqueue和dequeue操作所需要的时间,单位:秒 - private static double testQueue(Queue q,int opCount){ - long startTime=System.nanoTime(); - - Random random=new Random(); - for(int i=0;i { - int getSize(); - boolean isEmpty(); - void enqueue(E e); - E dequeue(); - E getFront(); -} diff --git a/DataStructureNotes/src/code_01_stackAndQueue/Solution.java b/DataStructureNotes/src/code_01_stackAndQueue/Solution.java deleted file mode 100644 index 1a918de..0000000 --- a/DataStructureNotes/src/code_01_stackAndQueue/Solution.java +++ /dev/null @@ -1,68 +0,0 @@ -package code_01_stackAndQueue; - -import java.util.Stack; -/** - * 20. Valid Parentheses - * Given a string containing just the characters '(', ')', '{', '}', '[' and ']', determine if the input string is valid. - - An input string is valid if: - - Open brackets must be closed by the same type of brackets. - Open brackets must be closed in the correct order. - Note that an empty string is also considered valid. - - Example 1: - - Input: "()" - Output: true - Example 2: - - Input: "()[]{}" - Output: true - Example 3: - - Input: "(]" - Output: false - Example 4: - - Input: "([)]" - Output: false - Example 5: - - Input: "{[]}" - Output: true - - */ - -public class Solution { - public boolean isValid(String s) { - Stack stack=new Stack<>(); - for(int i=0;i { - int getSize(); - boolean isEmpty(); - void push(E e); - E pop(); - E peek(); -} diff --git a/DataStructureNotes/src/code_02_linkedlist/LinkedList.java b/DataStructureNotes/src/code_02_linkedlist/LinkedList.java deleted file mode 100644 index bd8e0e5..0000000 --- a/DataStructureNotes/src/code_02_linkedlist/LinkedList.java +++ /dev/null @@ -1,128 +0,0 @@ -package code_02_linkedlist; - -/** - * Created by DHA on 2018/11/21. - */ -public class LinkedList { - private Node dummyHead; - private int size; - - public LinkedList(){ - dummyHead=new Node(null,null); - size=0; - } - - public boolean isEmpty(){ - return size==0; - } - - public int getSize(){ - return size; - } - - //在链表index位置[从0开始]插入元素 - //这项操作在链表中并不常用 - public void add(int index,E e){ - if(index<0 || index> size){ - throw new IllegalArgumentException("Index is illegal"); - } - Node prev=dummyHead; - for(int i=0;i=size){ - throw new IllegalArgumentException("Index is illegal"); - } - Node cur=dummyHead.next; - for(int i=0;i=size){ - throw new IllegalArgumentException("Index is illegal"); - } - Node cur=dummyHead.next; - for(int i=0;i=size){ - throw new IllegalArgumentException("Index is illegal"); - } - Node prev=dummyHead; - for(int i=0;i"); - cur=cur.next; - } - builder.append("NULL"); - return builder.toString(); - } -} diff --git a/DataStructureNotes/src/code_02_linkedlist/LinkedListQueue.java b/DataStructureNotes/src/code_02_linkedlist/LinkedListQueue.java deleted file mode 100644 index c65def9..0000000 --- a/DataStructureNotes/src/code_02_linkedlist/LinkedListQueue.java +++ /dev/null @@ -1,88 +0,0 @@ -package code_02_linkedlist; - -import code_01_stackAndQueue.Queue; - -/** - * Created by DHA on 2018/12/7. - */ -public class LinkedListQueue implements Queue{ - private Node head; - private Node tail; - private int size; - - public LinkedListQueue(){ - head=null; - tail=null; - size=0; - } - - @Override - public int getSize() { - return size; - } - - @Override - public boolean isEmpty() { - return size==0; - } - - @Override - public void enqueue(E e) { - if(tail==null){ - tail=new Node(e); - head=tail; - }else{ - tail.next=new Node(e); - tail=tail.next; - } - size++; - } - - @Override - public E dequeue() { - if(isEmpty()){ - throw new IllegalArgumentException("Can not dequeue from empty queue."); - } - Node delNode=head; - head=head.next; - delNode.next=null; - if(head==null){ - tail=null; - } - size--; - return (E)delNode.e; - } - - @Override - public E getFront() { - if(isEmpty()){ - throw new IllegalArgumentException("Can not dequeue from empty queue."); - } - return (E)head.e; - } - - @Override - public String toString() { - StringBuilder builder=new StringBuilder(); - builder.append("Queue: front "); - Node cur=head; - while(cur!=null){ - builder.append(cur+"->"); - cur=cur.next; - } - builder.append("Null tail"); - return builder.toString(); - } - - public static void main(String[] args) { - Queue queue=new LinkedListQueue<>(); - for(int i=0;i<11;i++){ - queue.enqueue(i); - System.out.println(queue); - if(i%3==2){ - queue.dequeue(); - System.out.println(queue); - } - } - } -} diff --git a/DataStructureNotes/src/code_02_linkedlist/LinkedListStack.java b/DataStructureNotes/src/code_02_linkedlist/LinkedListStack.java deleted file mode 100644 index e003cf3..0000000 --- a/DataStructureNotes/src/code_02_linkedlist/LinkedListStack.java +++ /dev/null @@ -1,57 +0,0 @@ -package code_02_linkedlist; - -import code_01_stackAndQueue.Stack; - -/** - * Created by DHA on 2018/12/7. - */ -public class LinkedListStack implements Stack{ - private LinkedList linkedList; - - public LinkedListStack(){ - linkedList=new LinkedList<>(); - } - - @Override - public int getSize() { - return linkedList.getSize(); - } - - @Override - public boolean isEmpty() { - return linkedList.isEmpty(); - } - - @Override - public void push(E e) { - linkedList.addFirst(e); - } - - @Override - public E pop() { - return linkedList.removeFirst(); - } - - @Override - public E peek() { - return linkedList.getFirst(); - } - - @Override - public String toString() { - StringBuilder builder=new StringBuilder(); - builder.append("Stack:top "); - builder.append(linkedList); - return builder.toString(); - } - - public static void main(String[] args) { - Stack stack=new LinkedListStack<>(); - for(int i=0;i<5;i++){ - stack.push(i); - System.out.println(stack); - } - stack.pop(); - System.out.println(stack); - } -} diff --git a/DataStructureNotes/src/code_02_linkedlist/Main.java b/DataStructureNotes/src/code_02_linkedlist/Main.java deleted file mode 100644 index 380c820..0000000 --- a/DataStructureNotes/src/code_02_linkedlist/Main.java +++ /dev/null @@ -1,25 +0,0 @@ -package code_02_linkedlist; - -/** - * Created by DHA on 2018/12/6. - */ -public class Main { - public static void main(String[] args) { - LinkedList linkedList=new LinkedList<>(); - for(int i=0;i<5;i++){ - linkedList.addFirst(i); - System.out.println(linkedList); - } - linkedList.add(2,666); - System.out.println(linkedList); - - linkedList.remove(2); - System.out.println(linkedList); - - linkedList.removeFirst(); - System.out.println(linkedList); - - linkedList.removeLast(); - System.out.println(linkedList); - } -} diff --git a/DataStructureNotes/src/code_02_linkedlist/Node.java b/DataStructureNotes/src/code_02_linkedlist/Node.java deleted file mode 100644 index e8047a4..0000000 --- a/DataStructureNotes/src/code_02_linkedlist/Node.java +++ /dev/null @@ -1,26 +0,0 @@ -package code_02_linkedlist; - -/** - * Created by DHA on 2018/12/6. - */ -public class Node { - public E e; - public Node next; - public Node(E e, Node next){ - this.e=e; - this.next=next; - } - - public Node(E e){ - this(e,null); - } - - public Node(){ - this(null,null); - } - - @Override - public String toString() { - return e.toString(); - } -} diff --git a/DataStructureNotes/src/code_03_linkedlistAndRecursion/ListNode.java b/DataStructureNotes/src/code_03_linkedlistAndRecursion/ListNode.java deleted file mode 100644 index 92009cb..0000000 --- a/DataStructureNotes/src/code_03_linkedlistAndRecursion/ListNode.java +++ /dev/null @@ -1,34 +0,0 @@ -package code_03_linkedlistAndRecursion; - -/** - * Created by DHA on 2018/12/7. - */ -public class ListNode { - public int val; - public ListNode next; - public ListNode(int x) { val = x; } - - public ListNode(int[] arr){ - if(arr==null || arr.length==0){ - throw new IllegalArgumentException("arr can not be empty"); - } - ListNode cur=this; - cur.val=arr[0]; - for(int i=1;i"); - cur=cur.next; - } - res.append("NULL"); - return res.toString(); - } -} diff --git a/DataStructureNotes/src/code_03_linkedlistAndRecursion/Solution.java b/DataStructureNotes/src/code_03_linkedlistAndRecursion/Solution.java deleted file mode 100644 index 3d75f06..0000000 --- a/DataStructureNotes/src/code_03_linkedlistAndRecursion/Solution.java +++ /dev/null @@ -1,38 +0,0 @@ -package code_03_linkedlistAndRecursion; - -/** - * Created by DHA on 2018/12/7. - */ -public class Solution { - public ListNode removeElements(ListNode head, int val) { - if(head==null){ - return head; - } - while(head.val==val){ - ListNode delNode=head; - head=head.next; - delNode.next=null; - } - - ListNode prev=head; - while(prev.next!=null){ - if(prev.next.val==val){ - ListNode delNode=prev.next; - prev.next=delNode.next; - delNode.next=null; - }else{ - prev=prev.next; - } - } - return head; - } - - public static void main(String[] args) { - int[] arr={1,2,6,3,4,5,6}; - int val = 6; - ListNode head=new ListNode(arr); - System.out.println(head); - new Solution().removeElements(head,val); - System.out.println(head); - } -} diff --git a/DataStructureNotes/src/code_03_linkedlistAndRecursion/Solution2.java b/DataStructureNotes/src/code_03_linkedlistAndRecursion/Solution2.java deleted file mode 100644 index b7959f5..0000000 --- a/DataStructureNotes/src/code_03_linkedlistAndRecursion/Solution2.java +++ /dev/null @@ -1,32 +0,0 @@ -package code_03_linkedlistAndRecursion; - -/** - * Created by DHA on 2018/12/7. - */ -public class Solution2 { - public ListNode removeElements(ListNode head, int val) { - ListNode dummyHead=new ListNode(-1); - dummyHead.next=head; - - ListNode prev=dummyHead; - while(prev.next!=null){ - if(prev.next.val==val){ - ListNode delNode=prev.next; - prev.next=delNode.next; - delNode.next=null; - }else{ - prev=prev.next; - } - } - return dummyHead.next; - } - - public static void main(String[] args) { - int[] arr={1,2,6,3,4,5,6}; - int val = 6; - ListNode head=new ListNode(arr); - System.out.println(head); - new Solution2().removeElements(head,val); - System.out.println(head); - } -} diff --git a/DataStructureNotes/src/code_03_linkedlistAndRecursion/Solution3.java b/DataStructureNotes/src/code_03_linkedlistAndRecursion/Solution3.java deleted file mode 100644 index 2455c85..0000000 --- a/DataStructureNotes/src/code_03_linkedlistAndRecursion/Solution3.java +++ /dev/null @@ -1,28 +0,0 @@ -package code_03_linkedlistAndRecursion; - -/** - * Created by DHA on 2018/12/7. - */ -public class Solution3 { - public ListNode removeElements(ListNode head, int val) { - if(head==null){ - return null; - } - ListNode res=removeElements(head.next,val); - if(head.val==val){ - return res; - }else{ - head.next=res; - return head; - } - } - - public static void main(String[] args) { - int[] arr={1,2,6,3,4,5,6}; - int val = 6; - ListNode head=new ListNode(arr); - System.out.println(head); - new Solution3().removeElements(head,val); - System.out.println(head); - } -} diff --git a/DataStructureNotes/src/code_04_bst/BST.java b/DataStructureNotes/src/code_04_bst/BST.java deleted file mode 100644 index 9c3709a..0000000 --- a/DataStructureNotes/src/code_04_bst/BST.java +++ /dev/null @@ -1,402 +0,0 @@ -package code_04_bst; - -import java.util.LinkedList; -import java.util.Queue; -import java.util.Stack; - -/** - * Created by 18351 on 2018/12/17. - */ -public class BST> { - private Node root; - private int size; - - public BST(){ - root=null; - size=0; - } - - public int size(){ - return size; - } - - public boolean isEmpty(){ - return size==0; - } - - private class Node{ - public E e; - public Node left,right; - public Node(E e){ - this.e=e; - this.left=null; - this.right=null; - } - } - - /* //向BST中添加新元素e - public void add(E e){ - if(root==null){ - root=new Node(e); - size++; - return; - }else{ - add(root,e); - } - } - - //向以node为根节点的BST树种插入元素e - private void add(Node node,E e){ - if(e.equals(node.e)){ - //插入元素与根节点相等,直接返回 - return; - }else if(e.compareTo(node.e)<0 && node.left==null){ - node.left=new Node(e); - size++; - return; - }else if(e.compareTo(node.e)>0 && node.right==null){ - node.right=new Node(e); - size++; - return; - } - if(e.compareTo(node.e)<0){ - add(node.left,e); - }else{ //e.compareTo(node.e)>0 - add(node.right,e); - } - }*/ - - //向BST中添加新元素e - public void add(E e){ - root=add(root,e); - } - - //向以node为根节点的BST树种插入元素e - //返回插入新元素后该BST的根 - private Node add(Node node,E e){ - if(node==null){ - size++; - return new Node(e); - } - //注意:对于e.equals(node.e)不做处理 - if(e.compareTo(node.e)<0){ - node.left=add(node.left,e); - }else if(e.compareTo(node.e)>0){ - node.right=add(node.right,e); - } - return node; - } - - //查看BST中是否包含元素e - public boolean contains(E e){ - return contains(root,e); - } - - //查看以node为根节点的BST中是否包含元素e - private boolean contains(Node node,E e){ - if(node==null){ - return false; - } - if(e.compareTo(node.e)==0){ - return true; - }else if(e.compareTo(node.e)<0){ - return contains(node.left,e); - }else{ - return contains(node.right,e); - } - } - - //BST的前序遍历 - public void preOrder(){ - preOrder(root); - } - - private void preOrder(Node node){ - if(node==null){ - return; - } - System.out.println(node.e); - preOrder(node.left); - preOrder(node.right); - } - - //BST的前序遍历(非递归方式) - public void preOrderNR(){ - preOrderNR(root); - } - - private void preOrderNR(Node node){ - if(node==null){ - return; - } - Stack stack=new Stack<>(); - stack.push(new StackNode(Command.GO,node)); - while(!stack.isEmpty()){ - StackNode stackNode=stack.pop(); - Node n=stackNode.node; - Command command=stackNode.command; - if(command== Command.COUT){ - System.out.println(stackNode.node.e); - }else{ - if(n.right!=null){ - stack.push(new StackNode(Command.GO,n.right)); - } - if(n.left!=null){ - stack.push(new StackNode(Command.GO,n.left)); - } - stack.push(new StackNode(Command.COUT,n)); - } - } - } - - - //BST的中序遍历 - public void inOrder(){ - inOrder(root); - } - - private void inOrder(Node node){ - if(node==null){ - return; - } - inOrder(node.left); - System.out.println(node.e); - inOrder(node.right); - } - - //BST的中序遍历(非递归方式) - public void inOrderNR(){ - inOrderNR(root); - } - - private void inOrderNR(Node node){ - if(node==null){ - return; - } - Stack stack=new Stack<>(); - stack.push(new StackNode(Command.GO,node)); - while(!stack.isEmpty()){ - StackNode stackNode=stack.pop(); - Node n=stackNode.node; - Command command=stackNode.command; - if(command== Command.COUT){ - System.out.println(stackNode.node.e); - }else{ - if(n.right!=null){ - stack.push(new StackNode(Command.GO,n.right)); - } - stack.push(new StackNode(Command.COUT,n)); - if(n.left!=null){ - stack.push(new StackNode(Command.GO,n.left)); - } - } - } - } - - //BST的后序遍历 - public void postOrder(){ - postOrder(root); - } - - private void postOrder(Node node){ - if(node==null){ - return; - } - postOrder(node.left); - postOrder(node.right); - System.out.println(node.e); - } - - //BST的后序遍历(非递归方式) - public void postOrderNR(){ - postOrderNR(root); - } - - private void postOrderNR(Node node){ - if(node==null){ - return; - } - Stack stack=new Stack<>(); - stack.push(new StackNode(Command.GO,node)); - while(!stack.isEmpty()){ - StackNode stackNode=stack.pop(); - Node n=stackNode.node; - Command command=stackNode.command; - if(command== Command.COUT){ - System.out.println(stackNode.node.e); - }else{ - stack.push(new StackNode(Command.COUT,n)); - if(n.right!=null){ - stack.push(new StackNode(Command.GO,n.right)); - } - if(n.left!=null){ - stack.push(new StackNode(Command.GO,n.left)); - } - } - } - } - - //枚举命令,GO表示访问元素,COUT表示打印元素 - private enum Command{GO,COUT}; - - private class StackNode{ - Command command; - Node node; - StackNode(Command command,Node node){ - this.command=command; - this.node=node; - } - } - - //BST的层序遍历 - public void levelOrder(){ - Queue q=new LinkedList<>(); - q.add(root); - while(!q.isEmpty()){ - Node node=q.remove(); - System.out.println(node.e); - if(node.left!=null){ - q.add(node.left); - } - if(node.right!=null){ - q.add(node.right); - } - } - } - - //寻找BST中的最小元素 - public E min(){ - if(size==0){ - throw new IllegalArgumentException("BST is emmpty"); - } - return min(root).e; - } - - private Node min(Node node){ - if(node.left==null){ - return node; - } - return min(node.left); - } - - //寻找BST中的最大元素 - public E max(){ - if(size==0){ - throw new IllegalArgumentException("BST is emmpty"); - } - return max(root).e; - } - - private Node max(Node node){ - if(node.right==null){ - return node; - } - return max(node.right); - } - - //删除BST中的最小值 - public E delMin(){ - E res=min(); - delMin(root); - return res; - } - - //删除以node为根结点的BST中的最小值元素 - private Node delMin(Node node){ - if(node.left==null){ - Node nodeRight=node.right; - node.right=null; - size--; - return nodeRight; - } - node.left=delMin(node.left); - return node; - } - - //删除BST中的最大值 - public E delMax(){ - E res=max(); - delMax(root); - return res; - } - - //删除以node为根结点的BST中的最大值元素 - private Node delMax(Node node){ - if(node.right==null){ - Node nodeLeft=node.left; - node.left=null; - size--; - return nodeLeft; - } - node.right=delMax(node.right); - return node; - } - - //删除BST中任意元素 - public void del(E e){ - root=del(root,e); - } - - private Node del(Node node,E e){ - if(node==null){ - return null; - } - if(e.compareTo(node.e)<0){ - node.left=del(node.left,e); - return node; - }else if(e.compareTo(node.e)>0){ - node.right=del(node.right,e); - return node; - }else{ - //节点node就是要删除的节点 - //该节点只右有子树 - if(node.left==null){ - Node rightNode=node.right; - node.right=null; - size--; - return rightNode; - } - //该节点只有左子树 - if(node.right==null){ - Node leftNode=node.left; - node.left=null; - size--; - return leftNode; - } - //删除既有左子树又有右子树的节点 - Node s=min(node.right); - s.right=delMin(node.right); - s.left=node.left; - - //删除node - node.left=node.right=null; - return s; - } - } - - @Override - public String toString() { - StringBuilder res=new StringBuilder(); - generateBST(root,0,res); - return res.toString(); - } - - //生成以node为根节点,深度为depth的描述二叉树的字符串(利用前序遍历) - private void generateBST(Node node,int depth,StringBuilder res){ - if(node==null){ - res.append(generateDepth(depth)+"null\n"); - return; - } - res.append(generateDepth(depth)+node.e+"\n"); - generateBST(node.left,depth+1,res); - generateBST(node.right,depth+1,res); - } - - private String generateDepth(int depth){ - StringBuilder res=new StringBuilder(); - for(int i=0;i bst=new BST<>(); - int[] nums={5,3,6,8,4,2}; - for(int num:nums){ - bst.add(num); - } - /** - * 5 - * / \ - * 3 6 - * / \ \ - * 2 4 8 - */ - /* bst.preOrder(); - System.out.println(); - bst.preOrderNR(); - System.out.println("====================="); - //bst.inOrder(); - //System.out.println(); - bst.inOrder(); - System.out.println(); - bst.inOrderNR(); - System.out.println("====================="); - - bst.postOrder(); - System.out.println(); - bst.postOrderNR(); - //System.out.println(bst); - - System.out.println(bst.min()); - System.out.println(bst.max());*/ - bst.levelOrder(); - System.out.println(); - bst.delMin(); - System.out.println(bst); - bst.delMin(); - System.out.println(bst); - bst.delMax(); - System.out.println(bst); - - bst.del(5); - System.out.println(bst); - } -} diff --git a/DataStructureNotes/src/code_05_setAndMap/map/BSTMap.java b/DataStructureNotes/src/code_05_setAndMap/map/BSTMap.java deleted file mode 100644 index bb08ca2..0000000 --- a/DataStructureNotes/src/code_05_setAndMap/map/BSTMap.java +++ /dev/null @@ -1,158 +0,0 @@ -package code_05_setAndMap.map; - -import code_05_setAndMap.set.BST; - -/** - * Created by 18351 on 2018/12/22. - */ -public class BSTMap,V> implements Map{ - private class Node{ - public K key; - public V value; - public Node left,right; - public Node(K key,V value){ - this.key=key; - this.value=value; - this.left=null; - this.right=null; - } - } - - private Node root; - private int size; - - //返回以node为根节点的二分搜索树中,key所在的节点 - private Node getNode(Node node,K key){ - if(node==null){ - return null; - } - if(key.compareTo(node.key)<0){ - return getNode(node.left,key); - }else if(key.compareTo(node.key)>0){ - return getNode(node.right,key); - }else{ //key.compareTo(node.key)==0 - return node; - } - } - - @Override - public void add(K key, V value) { - root=add(root,key,value); - } - - private Node add(Node node,K key,V value){ - if(node==null){ - size++; - return new Node(key,value); - } - if(key.compareTo(node.key)<0){ - node.left=add(node.left,key,value); - }else if(key.compareTo(node.key)>0){ - node.right=add(node.right,key,value); - }else{ - node.value=value; - } - return node; - } - - - - @Override - public V remove(K key) { - Node node=getNode(root,key); - if(node!=null){ - root=del(root,key); - size--; - } - return null; - } - - //获取Map中的最小的key - private Node min(Node node){ - if(node.left==null){ - return node; - } - return min(node.left); - } - - //删除以node为根结点的Map中的key最小的元素 - private Node delMin(Node node){ - if(node.left==null){ - Node nodeRight=node.right; - node.right=null; - size--; - return nodeRight; - } - node.left=delMin(node.left); - return node; - } - - //删除以node为根结点的Map中的键值为key的元素 - private Node del(Node node, K key){ - if(node==null){ - return null; - } - if(key.compareTo(node.key)<0){ - node.left=del(node.left,key); - return node; - }else if(key.compareTo(node.key)>0){ - node.right= del(node.right,key); - return node; - }else{ - //节点node就是要删除的节点 - //该节点只右有子树 - if(node.left==null){ - Node rightNode=node.right; - node.right=null; - size--; - return rightNode; - } - //该节点只有左子树 - if(node.right==null){ - Node leftNode=node.left; - node.left=null; - size--; - return leftNode; - } - //删除既有左子树又有右子树的节点 - Node s=min(node.right); - s.right=delMin(node.right); - s.left=node.left; - - //删除node - node.left=node.right=null; - return s; - } - } - - - @Override - public boolean contains(K key) { - return getNode(root,key)!=null; - } - - @Override - public V get(K key) { - Node node=getNode(root,key); - return node==null?null:node.value; - } - - @Override - public void set(K key, V newValue) { - Node node=getNode(root,key); - if(node==null){ - throw new IllegalArgumentException(key+"does not exist"); - } - node.value=newValue; - } - - @Override - public int getSize() { - return size; - } - - @Override - public boolean isEmpty() { - return size==0; - } -} diff --git a/DataStructureNotes/src/code_05_setAndMap/map/BSTMapMain.java b/DataStructureNotes/src/code_05_setAndMap/map/BSTMapMain.java deleted file mode 100644 index e07b436..0000000 --- a/DataStructureNotes/src/code_05_setAndMap/map/BSTMapMain.java +++ /dev/null @@ -1,33 +0,0 @@ -package code_05_setAndMap.map; - -import java.util.ArrayList; - -/** - * Created by 18351 on 2018/12/22. - */ -public class BSTMapMain { - public static void main(String[] args){ - System.out.println("Pride and Prejudice"); - - ArrayList words = new ArrayList<>(); - if(FileOperation.readFile("pride-and-prejudice.txt", words)) { - System.out.println("Total words: " + words.size()); - - BSTMap map = new BSTMap<>(); - for (String word : words) { - if (map.contains(word)){ - map.set(word, map.get(word) + 1); - } else{ - map.add(word, 1); - } - - } - - System.out.println("Total different words: " + map.getSize()); - System.out.println("Frequency of PRIDE: " + map.get("pride")); - System.out.println("Frequency of PREJUDICE: " + map.get("prejudice")); - } - - System.out.println(); - } -} diff --git a/DataStructureNotes/src/code_05_setAndMap/map/FileOperation.java b/DataStructureNotes/src/code_05_setAndMap/map/FileOperation.java deleted file mode 100644 index 693dd9f..0000000 --- a/DataStructureNotes/src/code_05_setAndMap/map/FileOperation.java +++ /dev/null @@ -1,69 +0,0 @@ -package code_05_setAndMap.map; - -import java.io.BufferedInputStream; -import java.io.File; -import java.io.FileInputStream; -import java.io.IOException; -import java.util.ArrayList; -import java.util.Locale; -import java.util.Scanner; - -// 文件相关操作 -public class FileOperation { - - // 读取文件名称为filename中的内容,并将其中包含的所有词语放进words中 - public static boolean readFile(String filename, ArrayList words){ - - if (filename == null || words == null){ - System.out.println("filename is null or words is null"); - return false; - } - - // 文件读取 - Scanner scanner; - - try { - File file = new File(filename); - if(file.exists()){ - FileInputStream fis = new FileInputStream(file); - scanner = new Scanner(new BufferedInputStream(fis), "UTF-8"); - scanner.useLocale(Locale.ENGLISH); - } - else - return false; - } - catch(IOException ioe){ - System.out.println("Cannot open " + filename); - return false; - } - - // 简单分词 - // 这个分词方式相对简陋, 没有考虑很多文本处理中的特殊问题 - // 在这里只做demo展示用 - if (scanner.hasNextLine()) { - - String contents = scanner.useDelimiter("\\A").next(); - - int start = firstCharacterIndex(contents, 0); - for (int i = start + 1; i <= contents.length(); ) - if (i == contents.length() || !Character.isLetter(contents.charAt(i))) { - String word = contents.substring(start, i).toLowerCase(); - words.add(word); - start = firstCharacterIndex(contents, i); - i = start + 1; - } else - i++; - } - - return true; - } - - // 寻找字符串s中,从start的位置开始的第一个字母字符的位置 - private static int firstCharacterIndex(String s, int start){ - - for( int i = start ; i < s.length() ; i ++ ) - if( Character.isLetter(s.charAt(i)) ) - return i; - return s.length(); - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_05_setAndMap/map/LinkedListMap.java b/DataStructureNotes/src/code_05_setAndMap/map/LinkedListMap.java deleted file mode 100644 index 11d1bb1..0000000 --- a/DataStructureNotes/src/code_05_setAndMap/map/LinkedListMap.java +++ /dev/null @@ -1,107 +0,0 @@ -package code_05_setAndMap.map; - -/** - * Created by 18351 on 2018/12/22. - */ -public class LinkedListMap implements Map{ - private class Node{ - public K key; - public V value; - public Node next; - public Node(K key,V value,Node next){ - this.key=key; - this.value=value; - this.next=next; - } - public Node(K key,V value){ - this(key,value,null); - } - public Node(K key){ - this(key,null,null); - } - public Node(){ - this(null,null,null); - } - } - - private Node dummyHead; - private int size; - - public LinkedListMap(){ - dummyHead=new Node(); - size=0; - } - - private Node getNode(K key){ - Node cur=dummyHead.next; - while(cur!=null){ - if(cur.key.equals(key)){ - return cur; - } - cur=cur.next; - } - return null; - } - - @Override - public void add(K key, V value) { - Node node=getNode(key); - if(node==null){ - Node newNode=new Node(key,value); - newNode.next=dummyHead.next; - dummyHead.next=newNode; - size++; - }else{ - node.value=value; - } - } - - @Override - public V remove(K key) { - Node prev=dummyHead; - while(prev.next!=null){ - if(prev.next.key.equals(key)){ - break; - } - prev=prev.next; - } - if(prev.next!=null){ - Node delNode=prev.next; - prev.next=delNode.next; - delNode.next=null; - size--; - return delNode.value; - } - return null; - } - - @Override - public boolean contains(K key) { - return getNode(key)!=null; - } - - @Override - public V get(K key) { - Node node=getNode(key); - return node==null?null:node.value; - } - - @Override - public void set(K key, V newValue) { - Node node=getNode(key); - if(node==null){ - throw new IllegalArgumentException(key + "dose not exist"); - } - node.value=newValue; - } - - @Override - public int getSize() { - return size; - } - - @Override - public boolean isEmpty() { - return size==0; - } -} diff --git a/DataStructureNotes/src/code_05_setAndMap/map/LinkedListMapMain.java b/DataStructureNotes/src/code_05_setAndMap/map/LinkedListMapMain.java deleted file mode 100644 index 38f11b1..0000000 --- a/DataStructureNotes/src/code_05_setAndMap/map/LinkedListMapMain.java +++ /dev/null @@ -1,33 +0,0 @@ -package code_05_setAndMap.map; - -import java.util.ArrayList; - -/** - * Created by 18351 on 2018/12/22. - */ -public class LinkedListMapMain { - public static void main(String[] args){ - System.out.println("Pride and Prejudice"); - - ArrayList words = new ArrayList<>(); - if(FileOperation.readFile("pride-and-prejudice.txt", words)) { - System.out.println("Total words: " + words.size()); - - LinkedListMap map = new LinkedListMap<>(); - for (String word : words) { - if (map.contains(word)){ - map.set(word, map.get(word) + 1); - } else{ - map.add(word, 1); - } - - } - - System.out.println("Total different words: " + map.getSize()); - System.out.println("Frequency of PRIDE: " + map.get("pride")); - System.out.println("Frequency of PREJUDICE: " + map.get("prejudice")); - } - - System.out.println(); - } -} diff --git a/DataStructureNotes/src/code_05_setAndMap/map/Map.java b/DataStructureNotes/src/code_05_setAndMap/map/Map.java deleted file mode 100644 index 9a89d20..0000000 --- a/DataStructureNotes/src/code_05_setAndMap/map/Map.java +++ /dev/null @@ -1,14 +0,0 @@ -package code_05_setAndMap.map; - -/** - * Created by 18351 on 2018/12/22. - */ -public interface Map { - void add(K key,V value); - V remove(K key); - boolean contains(K key); - V get(K key); - void set(K key,V newValue); - int getSize(); - boolean isEmpty(); -} diff --git a/DataStructureNotes/src/code_05_setAndMap/set/BST.java b/DataStructureNotes/src/code_05_setAndMap/set/BST.java deleted file mode 100644 index a527ab3..0000000 --- a/DataStructureNotes/src/code_05_setAndMap/set/BST.java +++ /dev/null @@ -1,400 +0,0 @@ -package code_05_setAndMap.set; - -import java.util.LinkedList; -import java.util.Queue; -import java.util.Stack; - -/** - * Created by 18351 on 2018/12/17. - */ -public class BST> { - private Node root; - private int size; - - public BST(){ - root=null; - size=0; - } - - public int size(){ - return size; - } - - public boolean isEmpty(){ - return size==0; - } - - private class Node{ - public E e; - public Node left,right; - public Node(E e){ - this.e=e; - this.left=null; - this.right=null; - } - } - - /* //向BST中添加新元素e - public void add(E e){ - if(root==null){ - root=new Node(e); - size++; - return; - }else{ - add(root,e); - } - } - - //向以node为根节点的BST树种插入元素e - private void add(Node node,E e){ - if(e.equals(node.e)){ - //插入元素与根节点相等,直接返回 - return; - }else if(e.compareTo(node.e)<0 && node.left==null){ - node.left=new Node(e); - size++; - return; - }else if(e.compareTo(node.e)>0 && node.right==null){ - node.right=new Node(e); - size++; - return; - } - if(e.compareTo(node.e)<0){ - add(node.left,e); - }else{ //e.compareTo(node.e)>0 - add(node.right,e); - } - }*/ - - //向BST中添加新元素e - public void add(E e){ - root=add(root,e); - } - - //向以node为根节点的BST树种插入元素e - //返回插入新元素后该BST的根 - private Node add(Node node,E e){ - if(node==null){ - size++; - return new Node(e); - } - //注意:对于e.equals(node.e)不做处理 - if(e.compareTo(node.e)<0){ - node.left=add(node.left,e); - }else if(e.compareTo(node.e)>0){ - node.right=add(node.right,e); - } - return node; - } - - //查看BST中是否包含元素e - public boolean contains(E e){ - return contains(root,e); - } - - //查看以node为根节点的BST中是否包含元素e - private boolean contains(Node node,E e){ - if(node==null){ - return false; - } - if(e.compareTo(node.e)==0){ - return true; - }else if(e.compareTo(node.e)<0){ - return contains(node.left,e); - }else{ - return contains(node.right,e); - } - } - - //BST的前序遍历 - public void preOrder(){ - preOrder(root); - } - - private void preOrder(Node node){ - if(node==null){ - return; - } - System.out.println(node.e); - preOrder(node.left); - preOrder(node.right); - } - - //BST的前序遍历(非递归方式) - public void preOrderNR(){ - preOrderNR(root); - } - - private void preOrderNR(Node node){ - if(node==null){ - return; - } - Stack stack=new Stack<>(); - stack.push(new StackNode(Command.GO,node)); - while(!stack.isEmpty()){ - StackNode stackNode=stack.pop(); - Node n=stackNode.node; - Command command=stackNode.command; - if(command== Command.COUT){ - System.out.println(stackNode.node.e); - }else{ - if(n.right!=null){ - stack.push(new StackNode(Command.GO,n.right)); - } - if(n.left!=null){ - stack.push(new StackNode(Command.GO,n.left)); - } - stack.push(new StackNode(Command.COUT,n)); - } - } - } - - - //BST的中序遍历 - public void inOrder(){ - inOrder(root); - } - - private void inOrder(Node node){ - if(node==null){ - return; - } - inOrder(node.left); - System.out.println(node.e); - inOrder(node.right); - } - - //BST的中序遍历(非递归方式) - public void inOrderNR(){ - inOrderNR(root); - } - - private void inOrderNR(Node node){ - if(node==null){ - return; - } - Stack stack=new Stack<>(); - stack.push(new StackNode(Command.GO,node)); - while(!stack.isEmpty()){ - StackNode stackNode=stack.pop(); - Node n=stackNode.node; - Command command=stackNode.command; - if(command== Command.COUT){ - System.out.println(stackNode.node.e); - }else{ - if(n.right!=null){ - stack.push(new StackNode(Command.GO,n.right)); - } - stack.push(new StackNode(Command.COUT,n)); - if(n.left!=null){ - stack.push(new StackNode(Command.GO,n.left)); - } - } - } - } - - //BST的后序遍历 - public void postOrder(){ - postOrder(root); - } - - private void postOrder(Node node){ - if(node==null){ - return; - } - postOrder(node.left); - postOrder(node.right); - System.out.println(node.e); - } - - //BST的后序遍历(非递归方式) - public void postOrderNR(){ - postOrderNR(root); - } - - private void postOrderNR(Node node){ - if(node==null){ - return; - } - Stack stack=new Stack<>(); - stack.push(new StackNode(Command.GO,node)); - while(!stack.isEmpty()){ - StackNode stackNode=stack.pop(); - Node n=stackNode.node; - Command command=stackNode.command; - if(command== Command.COUT){ - System.out.println(stackNode.node.e); - }else{ - stack.push(new StackNode(Command.COUT,n)); - if(n.right!=null){ - stack.push(new StackNode(Command.GO,n.right)); - } - if(n.left!=null){ - stack.push(new StackNode(Command.GO,n.left)); - } - } - } - } - - //枚举命令,GO表示访问元素,COUT表示打印元素 - private enum Command{GO,COUT}; - - private class StackNode{ - Command command; - Node node; - StackNode(Command command,Node node){ - this.command=command; - this.node=node; - } - } - - //BST的层序遍历 - public void levelOrder(){ - Queue q=new LinkedList<>(); - q.add(root); - while(!q.isEmpty()){ - Node node=q.remove(); - System.out.println(node.e); - if(node.left!=null){ - q.add(node.left); - } - if(node.right!=null){ - q.add(node.right); - } - } - } - - //寻找BST中的最小元素 - public E min(){ - if(size==0){ - throw new IllegalArgumentException("BST is emmpty"); - } - return min(root).e; - } - - private Node min(Node node){ - if(node.left==null){ - return node; - } - return min(node.left); - } - - //寻找BST中的最大元素 - public E max(){ - if(size==0){ - throw new IllegalArgumentException("BST is emmpty"); - } - return max(root).e; - } - - private Node max(Node node){ - if(node.right==null){ - return node; - } - return max(node.right); - } - - //删除BST中的最小值 - public E delMin(){ - E res=min(); - delMin(root); - return res; - } - - //删除以node为根结点的BST中的最小值元素 - private Node delMin(Node node){ - if(node.left==null){ - Node nodeRight=node.right; - node.right=null; - size--; - return nodeRight; - } - node.left=delMin(node.left); - return node; - } - - //删除BST中的最大值 - public E delMax(){ - E res=max(); - delMax(root); - return res; - } - - //删除以node为根结点的BST中的最大值元素 - private Node delMax(Node node){ - if(node.right==null){ - Node nodeLeft=node.left; - node.left=null; - size--; - return nodeLeft; - } - node.right=delMax(node.right); - return node; - } - - //删除BST中任意元素 - public void del(E e){ - root=del(root,e); - } - - private Node del(Node node,E e){ - if(node==null){ - return null; - } - if(e.compareTo(node.e)<0){ - return del(node.left,e); - }else if(e.compareTo(node.e)>0){ - return del(node.right,e); - }else{ - //节点node就是要删除的节点 - //该节点只右有子树 - if(node.left==null){ - Node rightNode=node.right; - node.right=null; - size--; - return rightNode; - } - //该节点只有左子树 - if(node.right==null){ - Node leftNode=node.left; - node.left=null; - size--; - return leftNode; - } - //删除既有左子树又有右子树的节点 - Node s=min(node.right); - s.right=delMin(node.right); - s.left=node.left; - - //删除node - node.left=node.right=null; - return s; - } - } - - @Override - public String toString() { - StringBuilder res=new StringBuilder(); - generateBST(root,0,res); - return res.toString(); - } - - //生成以node为根节点,深度为depth的描述二叉树的字符串(利用前序遍历) - private void generateBST(Node node,int depth,StringBuilder res){ - if(node==null){ - res.append(generateDepth(depth)+"null\n"); - return; - } - res.append(generateDepth(depth)+node.e+"\n"); - generateBST(node.left,depth+1,res); - generateBST(node.right,depth+1,res); - } - - private String generateDepth(int depth){ - StringBuilder res=new StringBuilder(); - for(int i=0;i> implements Set { - private BST bst; - - public BSTSet(){ - bst=new BST<>(); - } - - @Override - public void add(E e) { - bst.add(e); - } - - @Override - public void remove(E e) { - bst.del(e); - } - - @Override - public boolean contains(E e) { - return bst.contains(e); - } - - @Override - public int getSize() { - return bst.size(); - } - - @Override - public boolean isEmpty() { - return bst.isEmpty(); - } -} diff --git a/DataStructureNotes/src/code_05_setAndMap/set/BSTSetMain.java b/DataStructureNotes/src/code_05_setAndMap/set/BSTSetMain.java deleted file mode 100644 index bdb1af6..0000000 --- a/DataStructureNotes/src/code_05_setAndMap/set/BSTSetMain.java +++ /dev/null @@ -1,37 +0,0 @@ -package code_05_setAndMap.set; - -import java.util.ArrayList; - -/** - * Created by 18351 on 2018/12/20. - */ -public class BSTSetMain { - public static void main(String[] args) { - System.out.println("Pride and Prejudice"); - - ArrayList words1 = new ArrayList<>(); - if(FileOperation.readFile("pride-and-prejudice.txt", words1)) { - System.out.println("Total words: " + words1.size()); - - BSTSet set1 = new BSTSet<>(); - for (String word : words1) - set1.add(word); - System.out.println("Total different words: " + set1.getSize()); - } - - System.out.println(); - - - System.out.println("A Tale of Two Cities"); - - ArrayList words2 = new ArrayList<>(); - if(FileOperation.readFile("a-tale-of-two-cities.txt", words2)){ - System.out.println("Total words: " + words2.size()); - - BSTSet set2 = new BSTSet<>(); - for(String word: words2) - set2.add(word); - System.out.println("Total different words: " + set2.getSize()); - } - } -} diff --git a/DataStructureNotes/src/code_05_setAndMap/set/FileOperation.java b/DataStructureNotes/src/code_05_setAndMap/set/FileOperation.java deleted file mode 100644 index 8ff447c..0000000 --- a/DataStructureNotes/src/code_05_setAndMap/set/FileOperation.java +++ /dev/null @@ -1,69 +0,0 @@ -package code_05_setAndMap.set; - -import java.io.BufferedInputStream; -import java.io.File; -import java.io.FileInputStream; -import java.io.IOException; -import java.util.ArrayList; -import java.util.Locale; -import java.util.Scanner; - -// 文件相关操作 -public class FileOperation { - - // 读取文件名称为filename中的内容,并将其中包含的所有词语放进words中 - public static boolean readFile(String filename, ArrayList words){ - - if (filename == null || words == null){ - System.out.println("filename is null or words is null"); - return false; - } - - // 文件读取 - Scanner scanner; - - try { - File file = new File(filename); - if(file.exists()){ - FileInputStream fis = new FileInputStream(file); - scanner = new Scanner(new BufferedInputStream(fis), "UTF-8"); - scanner.useLocale(Locale.ENGLISH); - } - else - return false; - } - catch(IOException ioe){ - System.out.println("Cannot open " + filename); - return false; - } - - // 简单分词 - // 这个分词方式相对简陋, 没有考虑很多文本处理中的特殊问题 - // 在这里只做demo展示用 - if (scanner.hasNextLine()) { - - String contents = scanner.useDelimiter("\\A").next(); - - int start = firstCharacterIndex(contents, 0); - for (int i = start + 1; i <= contents.length(); ) - if (i == contents.length() || !Character.isLetter(contents.charAt(i))) { - String word = contents.substring(start, i).toLowerCase(); - words.add(word); - start = firstCharacterIndex(contents, i); - i = start + 1; - } else - i++; - } - - return true; - } - - // 寻找字符串s中,从start的位置开始的第一个字母字符的位置 - private static int firstCharacterIndex(String s, int start){ - - for( int i = start ; i < s.length() ; i ++ ) - if( Character.isLetter(s.charAt(i)) ) - return i; - return s.length(); - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_05_setAndMap/set/LinkedList.java b/DataStructureNotes/src/code_05_setAndMap/set/LinkedList.java deleted file mode 100644 index fe5ea96..0000000 --- a/DataStructureNotes/src/code_05_setAndMap/set/LinkedList.java +++ /dev/null @@ -1,147 +0,0 @@ -package code_05_setAndMap.set; - -import code_02_linkedlist.Node; - -/** - * Created by DHA on 2018/11/21. - */ -public class LinkedList { - private Node dummyHead; - private int size; - - public LinkedList(){ - dummyHead=new Node(null,null); - size=0; - } - - public boolean isEmpty(){ - return size==0; - } - - public int getSize(){ - return size; - } - - //在链表index位置[从0开始]插入元素 - //这项操作在链表中并不常用 - public void add(int index,E e){ - if(index<0 || index> size){ - throw new IllegalArgumentException("Index is illegal"); - } - Node prev=dummyHead; - for(int i=0;i=size){ - throw new IllegalArgumentException("Index is illegal"); - } - Node cur=dummyHead.next; - for(int i=0;i=size){ - throw new IllegalArgumentException("Index is illegal"); - } - Node cur=dummyHead.next; - for(int i=0;i=size){ - throw new IllegalArgumentException("Index is illegal"); - } - Node prev=dummyHead; - for(int i=0;i"); - cur=cur.next; - } - builder.append("NULL"); - return builder.toString(); - } -} diff --git a/DataStructureNotes/src/code_05_setAndMap/set/LinkedListSet.java b/DataStructureNotes/src/code_05_setAndMap/set/LinkedListSet.java deleted file mode 100644 index 3e95e14..0000000 --- a/DataStructureNotes/src/code_05_setAndMap/set/LinkedListSet.java +++ /dev/null @@ -1,41 +0,0 @@ -package code_05_setAndMap.set; - -/** - * Created by 18351 on 2018/12/20. - */ -public class LinkedListSet implements Set { - private LinkedList linkedList; - - public LinkedListSet(){ - linkedList=new LinkedList<>(); - } - - @Override - public void add(E e) { - if(!contains(e)){ - linkedList.addFirst(e); - } - } - - @Override - public void remove(E e) { - if(contains(e)){ - linkedList.removeElement(e); - } - } - - @Override - public boolean contains(E e) { - return linkedList.contains(e); - } - - @Override - public int getSize() { - return linkedList.getSize(); - } - - @Override - public boolean isEmpty() { - return linkedList.isEmpty(); - } -} diff --git a/DataStructureNotes/src/code_05_setAndMap/set/LinkedListSetMain.java b/DataStructureNotes/src/code_05_setAndMap/set/LinkedListSetMain.java deleted file mode 100644 index 05dca22..0000000 --- a/DataStructureNotes/src/code_05_setAndMap/set/LinkedListSetMain.java +++ /dev/null @@ -1,37 +0,0 @@ -package code_05_setAndMap.set; - -import java.util.ArrayList; - -/** - * Created by 18351 on 2018/12/20. - */ -public class LinkedListSetMain { - public static void main(String[] args) { - System.out.println("Pride and Prejudice"); - - ArrayList words1 = new ArrayList<>(); - if(FileOperation.readFile("pride-and-prejudice.txt", words1)) { - System.out.println("Total words: " + words1.size()); - - LinkedListSet set1 = new LinkedListSet<>(); - for (String word : words1) - set1.add(word); - System.out.println("Total different words: " + set1.getSize()); - } - - System.out.println(); - - - System.out.println("A Tale of Two Cities"); - - ArrayList words2 = new ArrayList<>(); - if(FileOperation.readFile("a-tale-of-two-cities.txt", words2)){ - System.out.println("Total words: " + words2.size()); - - LinkedListSet set2 = new LinkedListSet<>(); - for(String word: words2) - set2.add(word); - System.out.println("Total different words: " + set2.getSize()); - } - } -} diff --git a/DataStructureNotes/src/code_05_setAndMap/set/Set.java b/DataStructureNotes/src/code_05_setAndMap/set/Set.java deleted file mode 100644 index aaaca11..0000000 --- a/DataStructureNotes/src/code_05_setAndMap/set/Set.java +++ /dev/null @@ -1,12 +0,0 @@ -package code_05_setAndMap.set; - -/** - * Created by 18351 on 2018/12/20. - */ -public interface Set { - void add(E e); - void remove(E e); - boolean contains(E e); - int getSize(); - boolean isEmpty(); -} diff --git a/DataStructureNotes/src/code_06_heapAndPriorityQueue/HeapMain.java b/DataStructureNotes/src/code_06_heapAndPriorityQueue/HeapMain.java deleted file mode 100644 index 413af1b..0000000 --- a/DataStructureNotes/src/code_06_heapAndPriorityQueue/HeapMain.java +++ /dev/null @@ -1,71 +0,0 @@ -package code_06_heapAndPriorityQueue; - -import java.util.Random; - -/** - * Created by 18351 on 2018/12/24. - */ -public class HeapMain { - private static double testHeap(Integer[] testData, boolean isHeapify){ - - long startTime = System.nanoTime(); - - MaxHeap maxHeap; - if(isHeapify){ - maxHeap = new MaxHeap<>(testData); - }else{ - maxHeap = new MaxHeap<>(); - for(int num: testData) { - maxHeap.add(num); - } - } - - int[] arr = new int[testData.length]; - for(int i = 0 ; i < testData.length ; i ++){ - arr[i] = maxHeap.extractMax(); - } - - for(int i = 1 ; i < testData.length ; i ++){ - if(arr[i-1] < arr[i]){ - throw new IllegalArgumentException("Error"); - } - } - System.out.println("Test MaxHeap completed."); - - long endTime = System.nanoTime(); - - return (endTime - startTime) / 1000000000.0; - } - - public static void main(String[] args) {/* - int n=1000000; - MaxHeap maxHeap=new MaxHeap<>(); - Random random=new Random(); - for(int i=0;i> { - private E[] data; - private int size; - //记录堆中元素个数 - - public MaxHeap(int capacity){ - data=(E[])new Comparable[capacity]; - } - - public MaxHeap(){ - this(10); - } - - //heapify:将任意数组整理成堆的形状 - public MaxHeap(E[] arr){ - data=(E[])new Comparable[arr.length]; - for(int i=0;i=0;i--){ - sink(i); - } - } - - //返回堆中元素个数 - public int size(){ - return size; - } - - //判断堆是否为空 - public boolean isEmpty(){ - return size==0; - } - - //返回一个索引的父节点的索引 - private int parent(int index){ - if(index==0){ - throw new IllegalArgumentException("index-0 does not have parment"); - } - return (index-1)/2; - } - - //返回一个索引的左孩子节点的索引 - private int leftChild(int index){ - return 2*index+1; - } - - //返回一个索引的左孩子节点的索引 - private int rightChild(int index){ - return 2*index+2; - } - - private void swap(int i,int j){ - if(i<0 || i>=size || j<0 || j>=size){ - throw new IllegalArgumentException("Index is illegal"); - } - E tmp=data[i]; - data[i]=data[j]; - data[j]=tmp; - } - - //调整数组大小 - private void resize(int newCapacity){ - E[] newData=(E[])new Comparable[newCapacity]; - for(int i=0;i0 && data[k].compareTo(data[parent(k)])>0){ - swap(k,parent(k)); - k=parent(k); - } - } - - //查看堆中最大元素 - public E findMax(){ - if(size==0){ - throw new IllegalArgumentException("Can not find max when maxheap is empty!"); - } - return data[0]; - } - - public E extractMax(){ - if(size==0){ - throw new IllegalArgumentException("MaxHeap is empty"); - } - E ret=findMax(); - swap(0,size-1); - size--; - sink(0); - return ret; - } - - private void sink(int k){ - while (leftChild(k)=0){ - break; - } - swap(k,j); - k=j; - } - } - - //replace:取出最大元素后,放入新元素 - public E replace(E e){ - E ret=data[0]; - data[0]=e; - sink(0); - return ret; - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_06_heapAndPriorityQueue/PriorityQueue.java b/DataStructureNotes/src/code_06_heapAndPriorityQueue/PriorityQueue.java deleted file mode 100644 index 9522286..0000000 --- a/DataStructureNotes/src/code_06_heapAndPriorityQueue/PriorityQueue.java +++ /dev/null @@ -1,37 +0,0 @@ -package code_06_heapAndPriorityQueue; - -/** - * Created by 18351 on 2018/12/25. - */ -public class PriorityQueue> implements Queue{ - private MaxHeap maxHeap; - - public PriorityQueue(){ - maxHeap=new MaxHeap<>(); - } - - @Override - public int getSize() { - return maxHeap.size(); - } - - @Override - public boolean isEmpty() { - return maxHeap.isEmpty(); - } - - @Override - public void enqueue(E e) { - maxHeap.add(e); - } - - @Override - public E dequeue() { - return maxHeap.extractMax(); - } - - @Override - public E getFront() { - return maxHeap.findMax(); - } -} diff --git a/DataStructureNotes/src/code_06_heapAndPriorityQueue/Queue.java b/DataStructureNotes/src/code_06_heapAndPriorityQueue/Queue.java deleted file mode 100644 index 3c23eba..0000000 --- a/DataStructureNotes/src/code_06_heapAndPriorityQueue/Queue.java +++ /dev/null @@ -1,12 +0,0 @@ -package code_06_heapAndPriorityQueue; - -/** - * Created by 18351 on 2018/11/17. - */ -public interface Queue { - int getSize(); - boolean isEmpty(); - void enqueue(E e); - E dequeue(); - E getFront(); -} diff --git a/DataStructureNotes/src/code_06_heapAndPriorityQueue/Solution347.java b/DataStructureNotes/src/code_06_heapAndPriorityQueue/Solution347.java deleted file mode 100644 index d6a9048..0000000 --- a/DataStructureNotes/src/code_06_heapAndPriorityQueue/Solution347.java +++ /dev/null @@ -1,50 +0,0 @@ -package code_06_heapAndPriorityQueue; - -import org.junit.Test; - -import java.lang.annotation.Target; -import java.util.*; -import java.util.PriorityQueue; - -/** - * Created by 18351 on 2018/12/25. - */ -public class Solution347 { - public List topKFrequent(int[] nums, int k) { - //统计数字出现的频率 - Map map=new HashMap<>(); - for(int num:nums){ - int freq=map.get(num)==null?0:map.get(num); - map.put(num,++freq); - } - - //维护一个优先队列,最小堆,维护当前频率最高的元素 - PriorityQueue priorityQueue=new PriorityQueue<>(new Comparator() { - @Override - public int compare(Integer a, Integer b) { - return map.get(a)-map.get(b); - } - }); - //pair存的是(频率,元素)的形式 - for(Integer num:map.keySet()){ - priorityQueue.add(num); - if(priorityQueue.size()>k) { - priorityQueue.poll(); - } - } - - List ret=new ArrayList<>(); - while(!priorityQueue.isEmpty()){ - ret.add(priorityQueue.poll()); - } - Collections.reverse(ret); - return ret; - } - - @Test - public void test(){ - int[] nums = {1,1,1,2,2,3}; - int k = 2; - System.out.println(topKFrequent(nums,k)); - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_07_segmentTree/Main.java b/DataStructureNotes/src/code_07_segmentTree/Main.java deleted file mode 100644 index e54fb91..0000000 --- a/DataStructureNotes/src/code_07_segmentTree/Main.java +++ /dev/null @@ -1,27 +0,0 @@ -package code_07_segmentTree; - -/** - * Created by 18351 on 2018/12/26. - */ -public class Main { - public static void main(String[] args) { - Integer[] nums={0,1,2,3,4,5,6,7,8,9}; - /*SegmentTree segmentTree=new SegmentTree(nums, new Merger() { - @Override - public Integer meger(Integer a, Integer b){ - return a+b; - } - });*/ - //使用Lamda表达式 - SegmentTree segmentTree=new SegmentTree<>(nums,(a, b) -> a+b); - System.out.println(segmentTree); - - System.out.println(segmentTree.query(0,1)); - System.out.println(segmentTree.query(1,4)); - System.out.println(segmentTree.query(0,6)); - System.out.println(segmentTree.query(0,7)); - - segmentTree.set(0,10); - System.out.println(segmentTree); - } -} diff --git a/DataStructureNotes/src/code_07_segmentTree/Merger.java b/DataStructureNotes/src/code_07_segmentTree/Merger.java deleted file mode 100644 index ed67dff..0000000 --- a/DataStructureNotes/src/code_07_segmentTree/Merger.java +++ /dev/null @@ -1,8 +0,0 @@ -package code_07_segmentTree; - -/** - * Created by 18351 on 2018/12/26. - */ -public interface Merger { - E meger(E a,E b); -} diff --git a/DataStructureNotes/src/code_07_segmentTree/SegmentTree.java b/DataStructureNotes/src/code_07_segmentTree/SegmentTree.java deleted file mode 100644 index 51e4c7d..0000000 --- a/DataStructureNotes/src/code_07_segmentTree/SegmentTree.java +++ /dev/null @@ -1,124 +0,0 @@ -package code_07_segmentTree; - -/** - * Created by 18351 on 2018/12/26. - */ -public class SegmentTree { - private E[] tree; //存储线段树中数据 - private E[] data; - private Merger merger; - - public SegmentTree(E[] arr, Merger merger){ - this.merger=merger; - data=(E[])new Object[arr.length]; - for(int i=0;i=data.length - || queryR<0 || queryR>=data.length || queryL>queryR){ - throw new IllegalArgumentException("Index is illegal"); - } - return query(0,0,data.length-1,queryL,queryR); - } - - private E query(int treeIndex,int l,int r,int queryL,int queryR){ - if(l==queryL && r==queryR){ - return tree[treeIndex]; - } - int mid=l+(r-l)/2; - int leftChildIndex=leftChild(treeIndex); - int rightChildIndex=rightChild(treeIndex); - if(queryL>=mid+1){ - //只要在右子树中查找 - return query(rightChildIndex,mid+1,r,queryL,queryR); - }else if(queryR<=mid){ - //只要在左子树中查找 - return query(leftChildIndex,l,mid,queryL,queryR); - } - E leftResult=query(leftChildIndex,l,mid,queryL,mid); - E rightResult=query(rightChildIndex,mid+1,r,mid+1,queryR); - return merger.meger(leftResult,rightResult); - } - - public void set(int index,E e){ - if(index<0 || index>=data.length){ - throw new IllegalArgumentException("Index is illegal"); - } - set(0,0,data.length-1,index,e); - } - - private void set(int treeIndex,int l,int r,int index, E e){ - if(l==r){ - tree[treeIndex]=e; - return; - } - int mid=l+(r-l)/2; - int leftChildIndex=leftChild(treeIndex); - int rightChildIndex=rightChild(treeIndex); - if(index>=mid+1){ - set(rightChildIndex,mid+1,r,index,e); - }else{ - set(leftChildIndex,l,mid,index,e); - } - tree[treeIndex]=merger.meger(tree[leftChildIndex],tree[rightChildIndex]); - } - - public int getSize(){ - return data.length; - } - - public E get(int index){ - if(index<0 || index>=data.length){ - throw new IllegalArgumentException("Index is illegal"); - } - return data[index]; - } - - //在完全二叉树的数组表示中,获取左孩子节点的索引 - private int leftChild(int index){ - return 2*index+1; - } - - //在完全二叉树的数组表示中,获取右孩子节点的索引 - private int rightChild(int index){ - return 2*index+2; - } - - @Override - public String toString() { - StringBuilder res=new StringBuilder(); - res.append("["); - for(int i=0;i> { - private Node root; - private int size; - - public BST(){ - root=null; - size=0; - } - - public int size(){ - return size; - } - - public boolean isEmpty(){ - return size==0; - } - - private class Node{ - public E e; - public Node left,right; - public Node(E e){ - this.e=e; - this.left=null; - this.right=null; - } - } - - /* //向BST中添加新元素e - public void add(E e){ - if(root==null){ - root=new Node(e); - size++; - return; - }else{ - add(root,e); - } - } - - //向以node为根节点的BST树种插入元素e - private void add(Node node,E e){ - if(e.equals(node.e)){ - //插入元素与根节点相等,直接返回 - return; - }else if(e.compareTo(node.e)<0 && node.left==null){ - node.left=new Node(e); - size++; - return; - }else if(e.compareTo(node.e)>0 && node.right==null){ - node.right=new Node(e); - size++; - return; - } - if(e.compareTo(node.e)<0){ - add(node.left,e); - }else{ //e.compareTo(node.e)>0 - add(node.right,e); - } - }*/ - - //向BST中添加新元素e - public void add(E e){ - root=add(root,e); - } - - //向以node为根节点的BST树种插入元素e - //返回插入新元素后该BST的根 - private Node add(Node node,E e){ - if(node==null){ - size++; - return new Node(e); - } - //注意:对于e.equals(node.e)不做处理 - if(e.compareTo(node.e)<0){ - node.left=add(node.left,e); - }else if(e.compareTo(node.e)>0){ - node.right=add(node.right,e); - } - return node; - } - - //查看BST中是否包含元素e - public boolean contains(E e){ - return contains(root,e); - } - - //查看以node为根节点的BST中是否包含元素e - private boolean contains(Node node,E e){ - if(node==null){ - return false; - } - if(e.compareTo(node.e)==0){ - return true; - }else if(e.compareTo(node.e)<0){ - return contains(node.left,e); - }else{ - return contains(node.right,e); - } - } - - //BST的前序遍历 - public void preOrder(){ - preOrder(root); - } - - private void preOrder(Node node){ - if(node==null){ - return; - } - System.out.println(node.e); - preOrder(node.left); - preOrder(node.right); - } - - //BST的前序遍历(非递归方式) - public void preOrderNR(){ - preOrderNR(root); - } - - private void preOrderNR(Node node){ - if(node==null){ - return; - } - Stack stack=new Stack<>(); - stack.push(new StackNode(Command.GO,node)); - while(!stack.isEmpty()){ - StackNode stackNode=stack.pop(); - Node n=stackNode.node; - Command command=stackNode.command; - if(command== Command.COUT){ - System.out.println(stackNode.node.e); - }else{ - if(n.right!=null){ - stack.push(new StackNode(Command.GO,n.right)); - } - if(n.left!=null){ - stack.push(new StackNode(Command.GO,n.left)); - } - stack.push(new StackNode(Command.COUT,n)); - } - } - } - - - //BST的中序遍历 - public void inOrder(){ - inOrder(root); - } - - private void inOrder(Node node){ - if(node==null){ - return; - } - inOrder(node.left); - System.out.println(node.e); - inOrder(node.right); - } - - //BST的中序遍历(非递归方式) - public void inOrderNR(){ - inOrderNR(root); - } - - private void inOrderNR(Node node){ - if(node==null){ - return; - } - Stack stack=new Stack<>(); - stack.push(new StackNode(Command.GO,node)); - while(!stack.isEmpty()){ - StackNode stackNode=stack.pop(); - Node n=stackNode.node; - Command command=stackNode.command; - if(command== Command.COUT){ - System.out.println(stackNode.node.e); - }else{ - if(n.right!=null){ - stack.push(new StackNode(Command.GO,n.right)); - } - stack.push(new StackNode(Command.COUT,n)); - if(n.left!=null){ - stack.push(new StackNode(Command.GO,n.left)); - } - } - } - } - - //BST的后序遍历 - public void postOrder(){ - postOrder(root); - } - - private void postOrder(Node node){ - if(node==null){ - return; - } - postOrder(node.left); - postOrder(node.right); - System.out.println(node.e); - } - - //BST的后序遍历(非递归方式) - public void postOrderNR(){ - postOrderNR(root); - } - - private void postOrderNR(Node node){ - if(node==null){ - return; - } - Stack stack=new Stack<>(); - stack.push(new StackNode(Command.GO,node)); - while(!stack.isEmpty()){ - StackNode stackNode=stack.pop(); - Node n=stackNode.node; - Command command=stackNode.command; - if(command== Command.COUT){ - System.out.println(stackNode.node.e); - }else{ - stack.push(new StackNode(Command.COUT,n)); - if(n.right!=null){ - stack.push(new StackNode(Command.GO,n.right)); - } - if(n.left!=null){ - stack.push(new StackNode(Command.GO,n.left)); - } - } - } - } - - //枚举命令,GO表示访问元素,COUT表示打印元素 - private enum Command{GO,COUT}; - - private class StackNode{ - Command command; - Node node; - StackNode(Command command,Node node){ - this.command=command; - this.node=node; - } - } - - //BST的层序遍历 - public void levelOrder(){ - Queue q=new LinkedList<>(); - q.add(root); - while(!q.isEmpty()){ - Node node=q.remove(); - System.out.println(node.e); - if(node.left!=null){ - q.add(node.left); - } - if(node.right!=null){ - q.add(node.right); - } - } - } - - //寻找BST中的最小元素 - public E min(){ - if(size==0){ - throw new IllegalArgumentException("BST is emmpty"); - } - return min(root).e; - } - - private Node min(Node node){ - if(node.left==null){ - return node; - } - return min(node.left); - } - - //寻找BST中的最大元素 - public E max(){ - if(size==0){ - throw new IllegalArgumentException("BST is emmpty"); - } - return max(root).e; - } - - private Node max(Node node){ - if(node.right==null){ - return node; - } - return max(node.right); - } - - //删除BST中的最小值 - public E delMin(){ - E res=min(); - delMin(root); - return res; - } - - //删除以node为根结点的BST中的最小值元素 - private Node delMin(Node node){ - if(node.left==null){ - Node nodeRight=node.right; - node.right=null; - size--; - return nodeRight; - } - node.left=delMin(node.left); - return node; - } - - //删除BST中的最大值 - public E delMax(){ - E res=max(); - delMax(root); - return res; - } - - //删除以node为根结点的BST中的最大值元素 - private Node delMax(Node node){ - if(node.right==null){ - Node nodeLeft=node.left; - node.left=null; - size--; - return nodeLeft; - } - node.right=delMax(node.right); - return node; - } - - //删除BST中任意元素 - public void del(E e){ - root=del(root,e); - } - - private Node del(Node node,E e){ - if(node==null){ - return null; - } - if(e.compareTo(node.e)<0){ - return del(node.left,e); - }else if(e.compareTo(node.e)>0){ - return del(node.right,e); - }else{ - //节点node就是要删除的节点 - //该节点只右有子树 - if(node.left==null){ - Node rightNode=node.right; - node.right=null; - size--; - return rightNode; - } - //该节点只有左子树 - if(node.right==null){ - Node leftNode=node.left; - node.left=null; - size--; - return leftNode; - } - //删除既有左子树又有右子树的节点 - Node s=min(node.right); - s.right=delMin(node.right); - s.left=node.left; - - //删除node - node.left=node.right=null; - return s; - } - } - - @Override - public String toString() { - StringBuilder res=new StringBuilder(); - generateBST(root,0,res); - return res.toString(); - } - - //生成以node为根节点,深度为depth的描述二叉树的字符串(利用前序遍历) - private void generateBST(Node node,int depth,StringBuilder res){ - if(node==null){ - res.append(generateDepth(depth)+"null\n"); - return; - } - res.append(generateDepth(depth)+node.e+"\n"); - generateBST(node.left,depth+1,res); - generateBST(node.right,depth+1,res); - } - - private String generateDepth(int depth){ - StringBuilder res=new StringBuilder(); - for(int i=0;i> implements Set { - private BST bst; - - public BSTSet(){ - bst=new BST<>(); - } - - @Override - public void add(E e) { - bst.add(e); - } - - @Override - public void remove(E e) { - bst.del(e); - } - - @Override - public boolean contains(E e) { - return bst.contains(e); - } - - @Override - public int getSize() { - return bst.size(); - } - - @Override - public boolean isEmpty() { - return bst.isEmpty(); - } -} diff --git a/DataStructureNotes/src/code_08_trie/FileOperation.java b/DataStructureNotes/src/code_08_trie/FileOperation.java deleted file mode 100644 index f700ac7..0000000 --- a/DataStructureNotes/src/code_08_trie/FileOperation.java +++ /dev/null @@ -1,69 +0,0 @@ -package code_08_trie; - -import java.io.BufferedInputStream; -import java.io.File; -import java.io.FileInputStream; -import java.io.IOException; -import java.util.ArrayList; -import java.util.Locale; -import java.util.Scanner; - -// 文件相关操作 -public class FileOperation { - - // 读取文件名称为filename中的内容,并将其中包含的所有词语放进words中 - public static boolean readFile(String filename, ArrayList words){ - - if (filename == null || words == null){ - System.out.println("filename is null or words is null"); - return false; - } - - // 文件读取 - Scanner scanner; - - try { - File file = new File(filename); - if(file.exists()){ - FileInputStream fis = new FileInputStream(file); - scanner = new Scanner(new BufferedInputStream(fis), "UTF-8"); - scanner.useLocale(Locale.ENGLISH); - } - else - return false; - } - catch(IOException ioe){ - System.out.println("Cannot open " + filename); - return false; - } - - // 简单分词 - // 这个分词方式相对简陋, 没有考虑很多文本处理中的特殊问题 - // 在这里只做demo展示用 - if (scanner.hasNextLine()) { - - String contents = scanner.useDelimiter("\\A").next(); - - int start = firstCharacterIndex(contents, 0); - for (int i = start + 1; i <= contents.length(); ) - if (i == contents.length() || !Character.isLetter(contents.charAt(i))) { - String word = contents.substring(start, i).toLowerCase(); - words.add(word); - start = firstCharacterIndex(contents, i); - i = start + 1; - } else - i++; - } - - return true; - } - - // 寻找字符串s中,从start的位置开始的第一个字母字符的位置 - private static int firstCharacterIndex(String s, int start){ - - for( int i = start ; i < s.length() ; i ++ ) - if( Character.isLetter(s.charAt(i)) ) - return i; - return s.length(); - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_08_trie/Main.java b/DataStructureNotes/src/code_08_trie/Main.java deleted file mode 100644 index b9b1007..0000000 --- a/DataStructureNotes/src/code_08_trie/Main.java +++ /dev/null @@ -1,42 +0,0 @@ -package code_08_trie; - -import java.util.ArrayList; - -/** - * Created by 18351 on 2018/12/26. - */ -public class Main { - public static void main(String[] args) { - System.out.println("Mix of two fiction"); - - ArrayList words = new ArrayList<>(); - if(FileOperation.readFile("mix.txt", words)){ - long startTime = System.nanoTime(); - BSTSet set = new BSTSet<>(); - for(String word: words){ - set.add(word); - } - for(String word: words){ - set.contains(word); - } - long endTime = System.nanoTime(); - double time = (endTime - startTime) / 1000000000.0; - System.out.println("Total different words: " + set.getSize()); - System.out.println("BSTSet: " + time + " s"); - - // --- - startTime = System.nanoTime(); - TrieSet trieSet = new TrieSet(); - for(String word: words){ - trieSet.add(word); - } - for(String word: words){ - trieSet.contains(word); - } - endTime = System.nanoTime(); - time = (endTime - startTime) / 1000000000.0; - System.out.println("Total different words: " + trieSet.getSize()); - System.out.println("Trie: " + time + " s"); - } - } -} diff --git a/DataStructureNotes/src/code_08_trie/MapSum.java b/DataStructureNotes/src/code_08_trie/MapSum.java deleted file mode 100644 index 77eca0c..0000000 --- a/DataStructureNotes/src/code_08_trie/MapSum.java +++ /dev/null @@ -1,66 +0,0 @@ -package code_08_trie; - -/** - * Created by 18351 on 2018/12/28. - */ -public class MapSum { - private class Node{ - public Node[] next; - public int value; - - public Node(int value){ - this.next=new Node[26]; - this.value=value; - } - - public Node(){ - this(0); - } - } - - private Node root; - - /** Initialize your data structure here. */ - public MapSum() { - root=new Node(); - } - - public void insert(String key, int val) { - Node cur=root; - for(int i=0;i { - void add(E e); - void remove(E e); - boolean contains(E e); - int getSize(); - boolean isEmpty(); -} diff --git a/DataStructureNotes/src/code_08_trie/Trie.java b/DataStructureNotes/src/code_08_trie/Trie.java deleted file mode 100644 index 24e8ce1..0000000 --- a/DataStructureNotes/src/code_08_trie/Trie.java +++ /dev/null @@ -1,83 +0,0 @@ -package code_08_trie; - -import java.util.TreeMap; - -/** - * Created by 18351 on 2018/12/26. - */ -public class Trie { - private class Node{ - public boolean isWord;//标记该字符是否是单词结尾 - public TreeMap next; - public Node(boolean isWord){ - this.isWord=isWord; - next=new TreeMap<>(); - } - public Node(){ - this(false); - } - } - - private Node root; - private int size; - - public Trie(){ - root=new Node(); - size=0; - } - - //获取Trie中存储的单词数量 - public int getSize(){ - return size; - } - - //向Trie中添加一个新单词word - public void add(String word){ - Node cur=root; - for(int i=0;i{ - private Trie trie; - - public TrieSet(){ - trie=new Trie(); - } - - @Override - public void add(String s) { - trie.add(s); - } - - @Override - public void remove(String s) { - //.... - } - - @Override - public boolean contains(String s) { - return trie.contains(s); - } - - @Override - public int getSize() { - return trie.getSize(); - } - - @Override - public boolean isEmpty() { - return trie.getSize()==0; - } -} diff --git a/DataStructureNotes/src/code_08_trie/WordDictionary.java b/DataStructureNotes/src/code_08_trie/WordDictionary.java deleted file mode 100644 index b519e12..0000000 --- a/DataStructureNotes/src/code_08_trie/WordDictionary.java +++ /dev/null @@ -1,73 +0,0 @@ -package code_08_trie; - -import java.util.TreeMap; - -/** - * Created by 18351 on 2018/12/27. - */ -public class WordDictionary { - private class Node{ - public boolean isWord;//标记该字符是否是单词结尾 - public TreeMap next; - public Node(boolean isWord){ - this.isWord=isWord; - next=new TreeMap<>(); - } - public Node(){ - this(false); - } - } - - private Node root; - - /** Initialize your data structure here. */ - public WordDictionary() { - root=new Node(); - } - - /** Adds a word into the data structure. */ - public void addWord(String word) { - Node cur=root; - for(int i=0;i=id.length){ - throw new IllegalArgumentException("p is out of bound"); - } - return id[p]; - } - - //时间复杂度:O(n) - @Override - public void unionElements(int p, int q) { - int pId=find(p); - int qId=find(q); - if(pId==qId){ - return; - } - //连接两个元素后,如果它们是在两个不同的集合中, - //则现在由于p、q的连接,就会成为一个集合 - for(int i=0;i=parent.length){ - throw new IllegalArgumentException("p is out of bound."); - } - while(p!=parent[p]){ - p=parent[p]; - } - //返回的是p所在的集合的编号,同时也是p集合非根节点 - return p; - } - - @Override - public boolean isConnected(int p, int q) { - //根节点相同,就是同一个集合 - return find(p)==find(q); - } - - - @Override - public void unionElements(int p, int q) { - int pRoot=find(p); - int qRoot=find(q); - if(pRoot==qRoot){ - return; - } - //将p所在集合的根节点指向q所在集合的根节点 - parent[pRoot]=qRoot; - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_09_unionFind/UnionFind3.java b/DataStructureNotes/src/code_09_unionFind/UnionFind3.java deleted file mode 100644 index 19d1d6d..0000000 --- a/DataStructureNotes/src/code_09_unionFind/UnionFind3.java +++ /dev/null @@ -1,69 +0,0 @@ -package code_09_unionFind; - -/** - * Created by 18351 on 2018/12/28. - */ -public class UnionFind3 implements UF{ - //parent[i]表示i所指向的父节点 - private int[] parent; - //sz[i]表示i元素所在的集合的元素个数 - private int[] sz; - - public UnionFind3(int size){ - parent=new int[size]; - sz=new int[size]; - //初始化时,将每个元素看成一个树节点,它们指向自身,构成森林 - for(int i=0;i=parent.length){ - throw new IllegalArgumentException("p is out of bound."); - } - while(p!=parent[p]){ - p=parent[p]; - } - //返回的是p所在的集合的编号,同时也是p集合非根节点 - return p; - } - - @Override - public boolean isConnected(int p, int q) { - //根节点相同,就是同一个集合 - return find(p)==find(q); - } - - //根据两个元素所在的集合的元素个数的不同,判断合并方向。 - //将元素少的集合合并到元素多的集合上,降低树的高度。 - @Override - public void unionElements(int p, int q) { - int pRoot=find(p); - int qRoot=find(q); - if(pRoot==qRoot){ - return; - } - //将p所在集合的根节点指向q所在集合的根节点 - //parent[pRoot]=qRoot; - - //改进: - if(sz[pRoot]=parent.length){ - throw new IllegalArgumentException("p is out of bound."); - } - while(p!=parent[p]){ - p=parent[p]; - } - //返回的是p所在的集合的编号,同时也是p集合非根节点 - return p; - } - - @Override - public boolean isConnected(int p, int q) { - //根节点相同,就是同一个集合 - return find(p)==find(q); - } - - //根据两个元素所在的集合的树的深度不同,判断合并方向。 - //将深度浅的集合合并到深度深的的集合上,降低树的高度。 - @Override - public void unionElements(int p, int q) { - int pRoot=find(p); - int qRoot=find(q); - if(pRoot==qRoot){ - return; - } - //将p所在集合的根节点指向q所在集合的根节点 - //parent[pRoot]=qRoot; - - /*改进: - if(sz[pRoot]rank[qRoot]){ - parent[qRoot]=pRoot; - }else{ //rank[pRoot]==rank[qRoot] - parent[pRoot]=qRoot; - //pRoot的父指针指向qRoot,则qRoot所在的集合深度+1 - rank[qRoot]+=1; - } - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_09_unionFind/UnionFind5.java b/DataStructureNotes/src/code_09_unionFind/UnionFind5.java deleted file mode 100644 index c5ad6a3..0000000 --- a/DataStructureNotes/src/code_09_unionFind/UnionFind5.java +++ /dev/null @@ -1,83 +0,0 @@ -package code_09_unionFind; - -/** - * Created by 18351 on 2018/12/28. - */ -public class UnionFind5 implements UF{ - //parent[i]表示i所指向的父节点 - private int[] parent; - - //rank[i]表示根节点为i的树的深度 - private int[] rank; - - public UnionFind5(int size){ - parent=new int[size]; - rank=new int[size]; - //初始化时,将每个元素看成一个树节点,它们指向自身,构成森林 - for(int i=0;i=parent.length){ - throw new IllegalArgumentException("p is out of bound."); - } - while(p!=parent[p]){ - parent[p]=parent[parent[p]]; - p=parent[p]; - } - //返回的是p所在的集合的编号,同时也是p集合非根节点 - return p; - } - - @Override - public boolean isConnected(int p, int q) { - //根节点相同,就是同一个集合 - return find(p)==find(q); - } - - //根据两个元素所在的集合的树的深度不同,判断合并方向。 - //将深度浅的集合合并到深度深的的集合上,降低树的高度。 - @Override - public void unionElements(int p, int q) { - int pRoot=find(p); - int qRoot=find(q); - if(pRoot==qRoot){ - return; - } - //将p所在集合的根节点指向q所在集合的根节点 - //parent[pRoot]=qRoot; - - /*改进: - if(sz[pRoot]rank[qRoot]){ - parent[qRoot]=pRoot; - }else{ //rank[pRoot]==rank[qRoot] - parent[pRoot]=qRoot; - //pRoot的父指针指向qRoot,则qRoot所在的集合深度+1 - rank[qRoot]+=1; - } - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_09_unionFind/UnionFind6.java b/DataStructureNotes/src/code_09_unionFind/UnionFind6.java deleted file mode 100644 index ff53dc5..0000000 --- a/DataStructureNotes/src/code_09_unionFind/UnionFind6.java +++ /dev/null @@ -1,81 +0,0 @@ -package code_09_unionFind; - -/** - * Created by 18351 on 2018/12/28. - */ -public class UnionFind6 implements UF{ - //parent[i]表示i所指向的父节点 - private int[] parent; - - //rank[i]表示根节点为i的树的深度 - private int[] rank; - - public UnionFind6(int size){ - parent=new int[size]; - rank=new int[size]; - //初始化时,将每个元素看成一个树节点,它们指向自身,构成森林 - for(int i=0;i=parent.length){ - throw new IllegalArgumentException("p is out of bound."); - } - if(p!=parent[p]){ - parent[p]=find(parent[p]); - } - return parent[p]; - } - - @Override - public boolean isConnected(int p, int q) { - //根节点相同,就是同一个集合 - return find(p)==find(q); - } - - //根据两个元素所在的集合的树的深度不同,判断合并方向。 - //将深度浅的集合合并到深度深的的集合上,降低树的高度。 - @Override - public void unionElements(int p, int q) { - int pRoot=find(p); - int qRoot=find(q); - if(pRoot==qRoot){ - return; - } - //将p所在集合的根节点指向q所在集合的根节点 - //parent[pRoot]=qRoot; - - /*改进: - if(sz[pRoot]rank[qRoot]){ - parent[qRoot]=pRoot; - }else{ //rank[pRoot]==rank[qRoot] - parent[pRoot]=qRoot; - //pRoot的父指针指向qRoot,则qRoot所在的集合深度+1 - rank[qRoot]+=1; - } - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_10_avl/AVLMain.java b/DataStructureNotes/src/code_10_avl/AVLMain.java deleted file mode 100644 index 2cbce4d..0000000 --- a/DataStructureNotes/src/code_10_avl/AVLMain.java +++ /dev/null @@ -1,40 +0,0 @@ -package code_10_avl; - -import java.util.ArrayList; - -public class AVLMain { - - public static void main(String[] args) { - System.out.println("Pride and Prejudice"); - - ArrayList words = new ArrayList<>(); - if(FileOperation.readFile("pride-and-prejudice.txt", words)) { - System.out.println("Total words: " + words.size()); - - AVLTree map = new AVLTree<>(); - for (String word : words) { - if (map.contains(word)){ - map.set(word, map.get(word) + 1); - } else{ - map.add(word, 1); - } - } - - System.out.println("Total different words: " + map.getSize()); - System.out.println("Frequency of PRIDE: " + map.get("pride")); - System.out.println("Frequency of PREJUDICE: " + map.get("prejudice")); - - System.out.println("is bst:"+map.isBST()); - System.out.println("is balanced:"+map.isBalancedTree()); - - for(String word:words){ - map.remove(word); - if(!map.isBST() || !map.isBalancedTree()){ - throw new IllegalArgumentException("Error"); - } - } - } - - System.out.println(); - } -} diff --git a/DataStructureNotes/src/code_10_avl/AVLTree.java b/DataStructureNotes/src/code_10_avl/AVLTree.java deleted file mode 100644 index aa763bb..0000000 --- a/DataStructureNotes/src/code_10_avl/AVLTree.java +++ /dev/null @@ -1,303 +0,0 @@ -package code_10_avl; - -import code_05_setAndMap.map.Map; - -import java.util.ArrayList; -import java.util.List; - -/** - * Created by 18351 on 2018/12/29. - */ -public class AVLTree,V>{ - private class Node{ - public K key; - public V value; - public Node left,right; - public int height; - public Node(K key,V value){ - this.key=key; - this.value=value; - this.left=null; - this.right=null; - //叶子节点的高度是1 - height=1; - } - } - - private Node root; - private int size; - - public void add(K key, V value) { - root=add(root,key,value); - } - - //检查该树是否是平衡二叉树 - public boolean isBST(){ - List keys=new ArrayList<>(); - inOrder(root,keys); - for(int i=1;i0){ - return false; - } - } - return true; - } - - //判断该二叉树是否是一棵平衡二叉树 - public boolean isBalancedTree(){ - return isBalancedTree(root); - } - - private boolean isBalancedTree(Node node){ - if(node==null){ - return true; - } - int balancedFactor=getBalancedFactor(node); - if(Math.abs(balancedFactor)>1){ - return false; - } - return isBalancedTree(node.left) && isBalancedTree(node.right); - } - - private void inOrder(Node node, List keys){ - if(node==null){ - return; - } - inOrder(node.left,keys); - keys.add(node.key); - inOrder(node.right,keys); - } - - //计算节点的高度 - private int getNodeHeight(Node node){ - if(node==null){ - return 0; - } - return node.height; - } - - //获取节点的平衡因子,左子树高度-右子树高度 - private int getBalancedFactor(Node node){ - if(node==null){ - return 0; - } - return getNodeHeight(node.left)-getNodeHeight(node.right); - } - - // 对节点y进行向右旋转操作,返回旋转后新的根节点x - // y x - // / \ / \ - // x T4 向右旋转 (y) z y - // / \ - - - - - - - -> / \ / \ - // z T3 T1 T2 T3 T4 - // / \ - // T1 T2 - private Node rightRotate(Node y){ - Node x=y.left; - Node T3=x.right; - - //向右旋转 - x.right=y; - y.left=T3; - - //维护树的高度 - y.height=1 + Math.max(getNodeHeight(y.left),getNodeHeight(y.right)); - x.height=1 + Math.max(getNodeHeight(x.left),getNodeHeight(x.right)); - - return x; - } - - // 对节点y进行向左旋转操作,返回旋转后新的根节点x - // y x - // / \ / \ - // T1 x 向左旋转 (y) y z - // / \ - - - - - - - -> / \ / \ - // T2 z T1 T2 T3 T4 - // / \ - // T3 T4 - private Node leftRotate(Node y){ - Node x=y.right; - Node T2=x.left; - - //向左旋转 - x.left=y; - y.right=T2; - - //维护高度 - y.height=1+Math.max(getNodeHeight(y.left),getNodeHeight(y.right)); - x.height=1+Math.max(getNodeHeight(x.left),getNodeHeight(x.right)); - - return x; - } - - private Node add(Node node,K key,V value){ - if(node==null){ - size++; - return new Node(key,value); - } - if(key.compareTo(node.key)<0){ - node.left=add(node.left,key,value); - }else if(key.compareTo(node.key)>0){ - node.right=add(node.right,key,value); - }else{ - node.value=value; - } - //更新height - node.height=1+Math.max(getNodeHeight(node.left),getNodeHeight(node.right)); - - //维护平衡 - return keepBalance(node); - } - - //从AVL中删除值为key的元素 - public V remove(K key) { - Node node=getNode(root,key); - if(node!=null){ - root=del(root,key); - size--; - } - return null; - } - - //获取Map中的最小的key - private Node min(Node node){ - if(node.left==null){ - return node; - } - return min(node.left); - } - - //删除以node为根结点的Map中的key最小的元素 - private Node delMin(Node node){ - if(node.left==null){ - Node nodeRight=node.right; - node.right=null; - size--; - return nodeRight; - } - node.left=delMin(node.left); - - //更新height - node.height=1+Math.max(getNodeHeight(node.left),getNodeHeight(node.right)); - - //维护平衡 - return keepBalance(node); - } - - ////删除以node为根结点的Map中的键值为key的元素 - private Node del(Node node, K key){ - if(node==null){ - return null; - } - //记录删除元素后,该BST的新的根节点 - Node retNode=null; - if(key.compareTo(node.key)<0){ - node.left=del(node.left,key); - retNode=node; - }else if(key.compareTo(node.key)>0){ - node.right=del(node.right,key); - retNode=node; - }else{ - //节点node就是要删除的节点 - //该节点只右有子树 - if(node.left==null){ - Node rightNode=node.right; - node.right=null; - size--; - retNode=rightNode; - }else if(node.right==null){ //该节点只有左子树 - Node leftNode=node.left; - node.left=null; - size--; - retNode=leftNode; - }else{ - //删除既有左子树又有右子树的节点 - Node s=min(node.right); - s.right=delMin(node.right); - s.left=node.left; - - //删除node - node.left=node.right=null; - retNode=s; - } - } - if(retNode==null){ - return retNode; - } - //更新height - retNode.height=1+Math.max(getNodeHeight(retNode.left),getNodeHeight(retNode.right)); - - //保持平衡 - return keepBalance(retNode); - } - - //维护以node为根节点的二叉树是平衡二叉树 - private Node keepBalance(Node node){ - //计算平衡因子 - int balancedFactor=getBalancedFactor(node); - - //平衡维护 - //LL - if(balancedFactor>1 && getBalancedFactor(node.left)>=0){ - return rightRotate(node); - } - //RR - if(balancedFactor<-1 && getBalancedFactor(node.right)<=0){ - return leftRotate(node); - } - //LR - if(balancedFactor>1 && getBalancedFactor(node.left)<0){ - Node x=node.left; - node.left=leftRotate(x); - //LL - return rightRotate(node); - } - //RL - if(balancedFactor<-1 && getBalancedFactor(node.right)>0){ - Node x=node.right; - node.right=rightRotate(x); - //RR - return leftRotate(node); - } - return node; - } - - public boolean contains(K key) { - return getNode(root,key)!=null; - } - - public V get(K key) { - Node node=getNode(root,key); - return node==null?null:node.value; - } - - public void set(K key, V newValue) { - Node node=getNode(root,key); - if(node==null){ - throw new IllegalArgumentException(key+"does not exist"); - } - node.value=newValue; - } - - //返回以node为根节点的二分搜索树中,key所在的节点 - private Node getNode(Node node,K key){ - if(node==null){ - return null; - } - if(key.compareTo(node.key)<0){ - return getNode(node.left,key); - }else if(key.compareTo(node.key)>0){ - return getNode(node.right,key); - }else{ //key.compareTo(node.key)==0 - return node; - } - } - - public int getSize() { - return size; - } - - public boolean isEmpty() { - return size==0; - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_10_avl/FileOperation.java b/DataStructureNotes/src/code_10_avl/FileOperation.java deleted file mode 100644 index a3c293f..0000000 --- a/DataStructureNotes/src/code_10_avl/FileOperation.java +++ /dev/null @@ -1,69 +0,0 @@ -package code_10_avl; - -import java.io.BufferedInputStream; -import java.io.File; -import java.io.FileInputStream; -import java.io.IOException; -import java.util.ArrayList; -import java.util.Locale; -import java.util.Scanner; - -// 文件相关操作 -public class FileOperation { - - // 读取文件名称为filename中的内容,并将其中包含的所有词语放进words中 - public static boolean readFile(String filename, ArrayList words){ - - if (filename == null || words == null){ - System.out.println("filename is null or words is null"); - return false; - } - - // 文件读取 - Scanner scanner; - - try { - File file = new File(filename); - if(file.exists()){ - FileInputStream fis = new FileInputStream(file); - scanner = new Scanner(new BufferedInputStream(fis), "UTF-8"); - scanner.useLocale(Locale.ENGLISH); - } - else - return false; - } - catch(IOException ioe){ - System.out.println("Cannot open " + filename); - return false; - } - - // 简单分词 - // 这个分词方式相对简陋, 没有考虑很多文本处理中的特殊问题 - // 在这里只做demo展示用 - if (scanner.hasNextLine()) { - - String contents = scanner.useDelimiter("\\A").next(); - - int start = firstCharacterIndex(contents, 0); - for (int i = start + 1; i <= contents.length(); ) - if (i == contents.length() || !Character.isLetter(contents.charAt(i))) { - String word = contents.substring(start, i).toLowerCase(); - words.add(word); - start = firstCharacterIndex(contents, i); - i = start + 1; - } else - i++; - } - - return true; - } - - // 寻找字符串s中,从start的位置开始的第一个字母字符的位置 - private static int firstCharacterIndex(String s, int start){ - - for( int i = start ; i < s.length() ; i ++ ) - if( Character.isLetter(s.charAt(i)) ) - return i; - return s.length(); - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_10_avl/Main.java b/DataStructureNotes/src/code_10_avl/Main.java deleted file mode 100644 index 3388f80..0000000 --- a/DataStructureNotes/src/code_10_avl/Main.java +++ /dev/null @@ -1,65 +0,0 @@ -package code_10_avl; - -import code_10_avl.map.BSTMap; - -import java.util.ArrayList; -import java.util.Collections; - -/** - * Created by 18351 on 2018/12/29. - */ -public class Main { - public static void main(String[] args) { - System.out.println("Pride and Prejudice"); - - ArrayList words = new ArrayList<>(); - if(FileOperation.readFile("pride-and-prejudice.txt", words)) { - System.out.println("Total words: " + words.size()); - - Collections.sort(words); - - // Test BST - long startTime = System.nanoTime(); - - BSTMap bst = new BSTMap<>(); - for (String word : words) { - if (bst.contains(word)){ - bst.set(word, bst.get(word) + 1); - }else{ - bst.add(word, 1); - } - } - - for(String word: words){ - bst.contains(word); - } - - long endTime = System.nanoTime(); - - double time = (endTime - startTime) / 1000000000.0; - System.out.println("BST: " + time + " s"); - - - // Test AVL Tree - startTime = System.nanoTime(); - - AVLTree avl = new AVLTree<>(); - for (String word : words) { - if (avl.contains(word)){ - avl.set(word, avl.get(word) + 1); - }else{ - avl.add(word, 1); - } - } - - for(String word: words){ - avl.contains(word); - } - endTime = System.nanoTime(); - - time = (endTime - startTime) / 1000000000.0; - System.out.println("AVL: " + time + " s"); - } - System.out.println(); - } -} diff --git a/DataStructureNotes/src/code_10_avl/map/AVLMap.java b/DataStructureNotes/src/code_10_avl/map/AVLMap.java deleted file mode 100644 index b189c20..0000000 --- a/DataStructureNotes/src/code_10_avl/map/AVLMap.java +++ /dev/null @@ -1,50 +0,0 @@ -package code_10_avl.map; - -import code_10_avl.AVLTree; -import code_10_avl.map.Map; - -/** - * Created by 18351 on 2018/12/31. - */ -public class AVLMap,V> implements Map { - private AVLTree avlTree; - - public AVLMap(){ - avlTree=new AVLTree<>(); - } - - @Override - public void add(K key, V value) { - avlTree.add(key,value); - } - - @Override - public V remove(K key) { - return avlTree.remove(key); - } - - @Override - public boolean contains(K key) { - return avlTree.contains(key); - } - - @Override - public V get(K key) { - return avlTree.get(key); - } - - @Override - public void set(K key, V newValue) { - avlTree.set(key,newValue); - } - - @Override - public int getSize() { - return avlTree.getSize(); - } - - @Override - public boolean isEmpty() { - return avlTree.isEmpty(); - } -} diff --git a/DataStructureNotes/src/code_10_avl/map/BSTMap.java b/DataStructureNotes/src/code_10_avl/map/BSTMap.java deleted file mode 100644 index 7900419..0000000 --- a/DataStructureNotes/src/code_10_avl/map/BSTMap.java +++ /dev/null @@ -1,156 +0,0 @@ -package code_10_avl.map; - -/** - * Created by 18351 on 2018/12/22. - */ -public class BSTMap,V> implements Map{ - private class Node{ - public K key; - public V value; - public Node left,right; - public Node(K key,V value){ - this.key=key; - this.value=value; - this.left=null; - this.right=null; - } - } - - private Node root; - private int size; - - //返回以node为根节点的二分搜索树中,key所在的节点 - private Node getNode(Node node,K key){ - if(node==null){ - return null; - } - if(key.compareTo(node.key)<0){ - return getNode(node.left,key); - }else if(key.compareTo(node.key)>0){ - return getNode(node.right,key); - }else{ //key.compareTo(node.key)==0 - return node; - } - } - - @Override - public void add(K key, V value) { - root=add(root,key,value); - } - - private Node add(Node node,K key,V value){ - if(node==null){ - size++; - return new Node(key,value); - } - if(key.compareTo(node.key)<0){ - node.left=add(node.left,key,value); - }else if(key.compareTo(node.key)>0){ - node.right=add(node.right,key,value); - }else{ - node.value=value; - } - return node; - } - - - - @Override - public V remove(K key) { - Node node=getNode(root,key); - if(node!=null){ - root=del(root,key); - size--; - } - return null; - } - - //获取Map中的最小的key - private Node min(Node node){ - if(node.left==null){ - return node; - } - return min(node.left); - } - - //删除以node为根结点的Map中的key最小的元素 - private Node delMin(Node node){ - if(node.left==null){ - Node nodeRight=node.right; - node.right=null; - size--; - return nodeRight; - } - node.left=delMin(node.left); - return node; - } - - ////删除以node为根结点的Map中的键值为key的元素 - private Node del(Node node, K key){ - if(node==null){ - return null; - } - if(key.compareTo(node.key)<0){ - node.left=del(node.left,key); - return node; - }else if(key.compareTo(node.key)>0){ - node.right=del(node.right,key); - return node; - }else{ - //节点node就是要删除的节点 - //该节点只右有子树 - if(node.left==null){ - Node rightNode=node.right; - node.right=null; - size--; - return rightNode; - } - //该节点只有左子树 - if(node.right==null){ - Node leftNode=node.left; - node.left=null; - size--; - return leftNode; - } - //删除既有左子树又有右子树的节点 - Node s=min(node.right); - s.right=delMin(node.right); - s.left=node.left; - - //删除node - node.left=node.right=null; - return s; - } - } - - - @Override - public boolean contains(K key) { - return getNode(root,key)!=null; - } - - @Override - public V get(K key) { - Node node=getNode(root,key); - return node==null?null:node.value; - } - - @Override - public void set(K key, V newValue) { - Node node=getNode(root,key); - if(node==null){ - throw new IllegalArgumentException(key+" does not exist"); - } - node.value=newValue; - } - - @Override - public int getSize() { - return size; - } - - @Override - public boolean isEmpty() { - return size==0; - } -} diff --git a/DataStructureNotes/src/code_10_avl/map/LinkedListMap.java b/DataStructureNotes/src/code_10_avl/map/LinkedListMap.java deleted file mode 100644 index 51dd852..0000000 --- a/DataStructureNotes/src/code_10_avl/map/LinkedListMap.java +++ /dev/null @@ -1,107 +0,0 @@ -package code_10_avl.map; - -/** - * Created by 18351 on 2018/12/22. - */ -public class LinkedListMap implements Map { - private class Node{ - public K key; - public V value; - public Node next; - public Node(K key,V value,Node next){ - this.key=key; - this.value=value; - this.next=next; - } - public Node(K key,V value){ - this(key,value,null); - } - public Node(K key){ - this(key,null,null); - } - public Node(){ - this(null,null,null); - } - } - - private Node dummyHead; - private int size; - - public LinkedListMap(){ - dummyHead=new Node(); - size=0; - } - - private Node getNode(K key){ - Node cur=dummyHead.next; - while(cur!=null){ - if(cur.key.equals(key)){ - return cur; - } - cur=cur.next; - } - return null; - } - - @Override - public void add(K key, V value) { - Node node=getNode(key); - if(node==null){ - Node newNode=new Node(key,value); - newNode.next=dummyHead.next; - dummyHead.next=newNode; - size++; - }else{ - node.value=value; - } - } - - @Override - public V remove(K key) { - Node prev=dummyHead; - while(prev.next!=null){ - if(prev.next.key.equals(key)){ - break; - } - prev=prev.next; - } - if(prev.next!=null){ - Node delNode=prev.next; - prev.next=delNode.next; - delNode.next=null; - size--; - return delNode.value; - } - return null; - } - - @Override - public boolean contains(K key) { - return getNode(key)!=null; - } - - @Override - public V get(K key) { - Node node=getNode(key); - return node==null?null:node.value; - } - - @Override - public void set(K key, V newValue) { - Node node=getNode(key); - if(node==null){ - throw new IllegalArgumentException(key + "dose not exist"); - } - node.value=newValue; - } - - @Override - public int getSize() { - return size; - } - - @Override - public boolean isEmpty() { - return size==0; - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_10_avl/map/Map.java b/DataStructureNotes/src/code_10_avl/map/Map.java deleted file mode 100644 index 0318fd4..0000000 --- a/DataStructureNotes/src/code_10_avl/map/Map.java +++ /dev/null @@ -1,14 +0,0 @@ -package code_10_avl.map; - -/** - * Created by 18351 on 2018/12/22. - */ -public interface Map { - void add(K key, V value); - V remove(K key); - boolean contains(K key); - V get(K key); - void set(K key, V newValue); - int getSize(); - boolean isEmpty(); -} diff --git a/DataStructureNotes/src/code_10_avl/map/MapMain.java b/DataStructureNotes/src/code_10_avl/map/MapMain.java deleted file mode 100644 index 845da8b..0000000 --- a/DataStructureNotes/src/code_10_avl/map/MapMain.java +++ /dev/null @@ -1,57 +0,0 @@ -package code_10_avl.map; - -import code_10_avl.FileOperation; - -import java.util.ArrayList; - -/** - * Created by 18351 on 2018/12/31. - */ -public class MapMain { - private static double testMap(Map map, String filename){ - - long startTime = System.nanoTime(); - - System.out.println(filename); - ArrayList words = new ArrayList<>(); - if(FileOperation.readFile(filename, words)) { - System.out.println("Total words: " + words.size()); - - for (String word : words){ - if(map.contains(word)) - map.set(word, map.get(word) + 1); - else - map.add(word, 1); - } - - System.out.println("Total different words: " + map.getSize()); - System.out.println("Frequency of PRIDE: " + map.get("pride")); - System.out.println("Frequency of PREJUDICE: " + map.get("prejudice")); - } - - long endTime = System.nanoTime(); - - return (endTime - startTime) / 1000000000.0; - } - - public static void main(String[] args) { - - String filename = "pride-and-prejudice.txt"; - - BSTMap bstMap = new BSTMap<>(); - double time1 = testMap(bstMap, filename); - System.out.println("BST Map: " + time1 + " s"); - - System.out.println(); - - LinkedListMap linkedListMap = new LinkedListMap<>(); - double time2 = testMap(linkedListMap, filename); - System.out.println("Linked List Map: " + time2 + " s"); - - System.out.println(); - - AVLMap avlMap = new AVLMap<>(); - double time3 = testMap(avlMap, filename); - System.out.println("AVL Map: " + time3 + " s"); - } -} diff --git a/DataStructureNotes/src/code_10_avl/set/AVLSet.java b/DataStructureNotes/src/code_10_avl/set/AVLSet.java deleted file mode 100644 index 03e47d7..0000000 --- a/DataStructureNotes/src/code_10_avl/set/AVLSet.java +++ /dev/null @@ -1,39 +0,0 @@ -package code_10_avl.set; - -import code_10_avl.AVLTree; - -/** - * Created by 18351 on 2018/12/31. - */ -public class AVLSet> implements Set{ - private AVLTree avlTree; - - public AVLSet(){ - avlTree=new AVLTree<>(); - } - - @Override - public void add(K k) { - avlTree.add(k,null); - } - - @Override - public void remove(K k) { - avlTree.remove(k); - } - - @Override - public boolean contains(K k) { - return avlTree.contains(k); - } - - @Override - public int getSize() { - return avlTree.getSize(); - } - - @Override - public boolean isEmpty() { - return avlTree.isEmpty(); - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_10_avl/set/BST.java b/DataStructureNotes/src/code_10_avl/set/BST.java deleted file mode 100644 index 0f805bf..0000000 --- a/DataStructureNotes/src/code_10_avl/set/BST.java +++ /dev/null @@ -1,400 +0,0 @@ -package code_10_avl.set; - -import java.util.LinkedList; -import java.util.Queue; -import java.util.Stack; - -/** - * Created by 18351 on 2018/12/17. - */ -public class BST> { - private Node root; - private int size; - - public BST(){ - root=null; - size=0; - } - - public int size(){ - return size; - } - - public boolean isEmpty(){ - return size==0; - } - - private class Node{ - public E e; - public Node left,right; - public Node(E e){ - this.e=e; - this.left=null; - this.right=null; - } - } - - /* //向BST中添加新元素e - public void add(E e){ - if(root==null){ - root=new Node(e); - size++; - return; - }else{ - add(root,e); - } - } - - //向以node为根节点的BST树种插入元素e - private void add(Node node,E e){ - if(e.equals(node.e)){ - //插入元素与根节点相等,直接返回 - return; - }else if(e.compareTo(node.e)<0 && node.left==null){ - node.left=new Node(e); - size++; - return; - }else if(e.compareTo(node.e)>0 && node.right==null){ - node.right=new Node(e); - size++; - return; - } - if(e.compareTo(node.e)<0){ - add(node.left,e); - }else{ //e.compareTo(node.e)>0 - add(node.right,e); - } - }*/ - - //向BST中添加新元素e - public void add(E e){ - root=add(root,e); - } - - //向以node为根节点的BST树种插入元素e - //返回插入新元素后该BST的根 - private Node add(Node node,E e){ - if(node==null){ - size++; - return new Node(e); - } - //注意:对于e.equals(node.e)不做处理 - if(e.compareTo(node.e)<0){ - node.left=add(node.left,e); - }else if(e.compareTo(node.e)>0){ - node.right=add(node.right,e); - } - return node; - } - - //查看BST中是否包含元素e - public boolean contains(E e){ - return contains(root,e); - } - - //查看以node为根节点的BST中是否包含元素e - private boolean contains(Node node,E e){ - if(node==null){ - return false; - } - if(e.compareTo(node.e)==0){ - return true; - }else if(e.compareTo(node.e)<0){ - return contains(node.left,e); - }else{ - return contains(node.right,e); - } - } - - //BST的前序遍历 - public void preOrder(){ - preOrder(root); - } - - private void preOrder(Node node){ - if(node==null){ - return; - } - System.out.println(node.e); - preOrder(node.left); - preOrder(node.right); - } - - //BST的前序遍历(非递归方式) - public void preOrderNR(){ - preOrderNR(root); - } - - private void preOrderNR(Node node){ - if(node==null){ - return; - } - Stack stack=new Stack<>(); - stack.push(new StackNode(Command.GO,node)); - while(!stack.isEmpty()){ - StackNode stackNode=stack.pop(); - Node n=stackNode.node; - Command command=stackNode.command; - if(command== Command.COUT){ - System.out.println(stackNode.node.e); - }else{ - if(n.right!=null){ - stack.push(new StackNode(Command.GO,n.right)); - } - if(n.left!=null){ - stack.push(new StackNode(Command.GO,n.left)); - } - stack.push(new StackNode(Command.COUT,n)); - } - } - } - - - //BST的中序遍历 - public void inOrder(){ - inOrder(root); - } - - private void inOrder(Node node){ - if(node==null){ - return; - } - inOrder(node.left); - System.out.println(node.e); - inOrder(node.right); - } - - //BST的中序遍历(非递归方式) - public void inOrderNR(){ - inOrderNR(root); - } - - private void inOrderNR(Node node){ - if(node==null){ - return; - } - Stack stack=new Stack<>(); - stack.push(new StackNode(Command.GO,node)); - while(!stack.isEmpty()){ - StackNode stackNode=stack.pop(); - Node n=stackNode.node; - Command command=stackNode.command; - if(command== Command.COUT){ - System.out.println(stackNode.node.e); - }else{ - if(n.right!=null){ - stack.push(new StackNode(Command.GO,n.right)); - } - stack.push(new StackNode(Command.COUT,n)); - if(n.left!=null){ - stack.push(new StackNode(Command.GO,n.left)); - } - } - } - } - - //BST的后序遍历 - public void postOrder(){ - postOrder(root); - } - - private void postOrder(Node node){ - if(node==null){ - return; - } - postOrder(node.left); - postOrder(node.right); - System.out.println(node.e); - } - - //BST的后序遍历(非递归方式) - public void postOrderNR(){ - postOrderNR(root); - } - - private void postOrderNR(Node node){ - if(node==null){ - return; - } - Stack stack=new Stack<>(); - stack.push(new StackNode(Command.GO,node)); - while(!stack.isEmpty()){ - StackNode stackNode=stack.pop(); - Node n=stackNode.node; - Command command=stackNode.command; - if(command== Command.COUT){ - System.out.println(stackNode.node.e); - }else{ - stack.push(new StackNode(Command.COUT,n)); - if(n.right!=null){ - stack.push(new StackNode(Command.GO,n.right)); - } - if(n.left!=null){ - stack.push(new StackNode(Command.GO,n.left)); - } - } - } - } - - //枚举命令,GO表示访问元素,COUT表示打印元素 - private enum Command{GO,COUT}; - - private class StackNode{ - Command command; - Node node; - StackNode(Command command,Node node){ - this.command=command; - this.node=node; - } - } - - //BST的层序遍历 - public void levelOrder(){ - Queue q=new LinkedList<>(); - q.add(root); - while(!q.isEmpty()){ - Node node=q.remove(); - System.out.println(node.e); - if(node.left!=null){ - q.add(node.left); - } - if(node.right!=null){ - q.add(node.right); - } - } - } - - //寻找BST中的最小元素 - public E min(){ - if(size==0){ - throw new IllegalArgumentException("BST is emmpty"); - } - return min(root).e; - } - - private Node min(Node node){ - if(node.left==null){ - return node; - } - return min(node.left); - } - - //寻找BST中的最大元素 - public E max(){ - if(size==0){ - throw new IllegalArgumentException("BST is emmpty"); - } - return max(root).e; - } - - private Node max(Node node){ - if(node.right==null){ - return node; - } - return max(node.right); - } - - //删除BST中的最小值 - public E delMin(){ - E res=min(); - delMin(root); - return res; - } - - //删除以node为根结点的BST中的最小值元素 - private Node delMin(Node node){ - if(node.left==null){ - Node nodeRight=node.right; - node.right=null; - size--; - return nodeRight; - } - node.left=delMin(node.left); - return node; - } - - //删除BST中的最大值 - public E delMax(){ - E res=max(); - delMax(root); - return res; - } - - //删除以node为根结点的BST中的最大值元素 - private Node delMax(Node node){ - if(node.right==null){ - Node nodeLeft=node.left; - node.left=null; - size--; - return nodeLeft; - } - node.right=delMax(node.right); - return node; - } - - //删除BST中任意元素 - public void del(E e){ - root=del(root,e); - } - - private Node del(Node node,E e){ - if(node==null){ - return null; - } - if(e.compareTo(node.e)<0){ - return del(node.left,e); - }else if(e.compareTo(node.e)>0){ - return del(node.right,e); - }else{ - //节点node就是要删除的节点 - //该节点只右有子树 - if(node.left==null){ - Node rightNode=node.right; - node.right=null; - size--; - return rightNode; - } - //该节点只有左子树 - if(node.right==null){ - Node leftNode=node.left; - node.left=null; - size--; - return leftNode; - } - //删除既有左子树又有右子树的节点 - Node s=min(node.right); - s.right=delMin(node.right); - s.left=node.left; - - //删除node - node.left=node.right=null; - return s; - } - } - - @Override - public String toString() { - StringBuilder res=new StringBuilder(); - generateBST(root,0,res); - return res.toString(); - } - - //生成以node为根节点,深度为depth的描述二叉树的字符串(利用前序遍历) - private void generateBST(Node node,int depth,StringBuilder res){ - if(node==null){ - res.append(generateDepth(depth)+"null\n"); - return; - } - res.append(generateDepth(depth)+node.e+"\n"); - generateBST(node.left,depth+1,res); - generateBST(node.right,depth+1,res); - } - - private String generateDepth(int depth){ - StringBuilder res=new StringBuilder(); - for(int i=0;i> implements Set { - private BST bst; - - public BSTSet(){ - bst=new BST<>(); - } - - @Override - public void add(E e) { - bst.add(e); - } - - @Override - public void remove(E e) { - bst.del(e); - } - - @Override - public boolean contains(E e) { - return bst.contains(e); - } - - @Override - public int getSize() { - return bst.size(); - } - - @Override - public boolean isEmpty() { - return bst.isEmpty(); - } -} diff --git a/DataStructureNotes/src/code_10_avl/set/LinkedList.java b/DataStructureNotes/src/code_10_avl/set/LinkedList.java deleted file mode 100644 index e0c1deb..0000000 --- a/DataStructureNotes/src/code_10_avl/set/LinkedList.java +++ /dev/null @@ -1,147 +0,0 @@ -package code_10_avl.set; - -import code_02_linkedlist.Node; - -/** - * Created by DHA on 2018/11/21. - */ -public class LinkedList { - private Node dummyHead; - private int size; - - public LinkedList(){ - dummyHead=new Node(null,null); - size=0; - } - - public boolean isEmpty(){ - return size==0; - } - - public int getSize(){ - return size; - } - - //在链表index位置[从0开始]插入元素 - //这项操作在链表中并不常用 - public void add(int index,E e){ - if(index<0 || index> size){ - throw new IllegalArgumentException("Index is illegal"); - } - Node prev=dummyHead; - for(int i=0;i=size){ - throw new IllegalArgumentException("Index is illegal"); - } - Node cur=dummyHead.next; - for(int i=0;i=size){ - throw new IllegalArgumentException("Index is illegal"); - } - Node cur=dummyHead.next; - for(int i=0;i=size){ - throw new IllegalArgumentException("Index is illegal"); - } - Node prev=dummyHead; - for(int i=0;i"); - cur=cur.next; - } - builder.append("NULL"); - return builder.toString(); - } -} diff --git a/DataStructureNotes/src/code_10_avl/set/LinkedListSet.java b/DataStructureNotes/src/code_10_avl/set/LinkedListSet.java deleted file mode 100644 index 413e04b..0000000 --- a/DataStructureNotes/src/code_10_avl/set/LinkedListSet.java +++ /dev/null @@ -1,41 +0,0 @@ -package code_10_avl.set; - -/** - * Created by 18351 on 2018/12/20. - */ -public class LinkedListSet implements Set { - private LinkedList linkedList; - - public LinkedListSet(){ - linkedList=new LinkedList<>(); - } - - @Override - public void add(E e) { - if(!contains(e)){ - linkedList.addFirst(e); - } - } - - @Override - public void remove(E e) { - if(contains(e)){ - linkedList.removeElement(e); - } - } - - @Override - public boolean contains(E e) { - return linkedList.contains(e); - } - - @Override - public int getSize() { - return linkedList.getSize(); - } - - @Override - public boolean isEmpty() { - return linkedList.isEmpty(); - } -} diff --git a/DataStructureNotes/src/code_10_avl/set/Set.java b/DataStructureNotes/src/code_10_avl/set/Set.java deleted file mode 100644 index 38dad54..0000000 --- a/DataStructureNotes/src/code_10_avl/set/Set.java +++ /dev/null @@ -1,12 +0,0 @@ -package code_10_avl.set; - -/** - * Created by 18351 on 2018/12/20. - */ -public interface Set { - void add(E e); - void remove(E e); - boolean contains(E e); - int getSize(); - boolean isEmpty(); -} diff --git a/DataStructureNotes/src/code_10_avl/set/SetMain.java b/DataStructureNotes/src/code_10_avl/set/SetMain.java deleted file mode 100644 index 2d45774..0000000 --- a/DataStructureNotes/src/code_10_avl/set/SetMain.java +++ /dev/null @@ -1,50 +0,0 @@ -package code_10_avl.set; - -import code_10_avl.FileOperation; - -import java.util.ArrayList; - -/** - * Created by 18351 on 2018/12/31. - */ -public class SetMain { - private static double testSet(Set set, String filename){ - - long startTime = System.nanoTime(); - - System.out.println(filename); - ArrayList words = new ArrayList<>(); - if(FileOperation.readFile(filename, words)) { - System.out.println("Total words: " + words.size()); - - for (String word : words) - set.add(word); - System.out.println("Total different words: " + set.getSize()); - } - - long endTime = System.nanoTime(); - - return (endTime - startTime) / 1000000000.0; - } - - public static void main(String[] args) { - - String filename = "pride-and-prejudice.txt"; - - BSTSet bstSet = new BSTSet<>(); - double time1 = testSet(bstSet, filename); - System.out.println("BST Set: " + time1 + " s"); - - System.out.println(); - - LinkedListSet linkedListSet = new LinkedListSet<>(); - double time2 = testSet(linkedListSet, filename); - System.out.println("Linked List Set: " + time2 + " s"); - - System.out.println(); - - AVLSet avlSet = new AVLSet<>(); - double time3 = testSet(avlSet, filename); - System.out.println("AVL Set: " + time3 + " s"); - } -} diff --git a/DataStructureNotes/src/code_11_redBlackTree/AVLTree.java b/DataStructureNotes/src/code_11_redBlackTree/AVLTree.java deleted file mode 100644 index b58e58c..0000000 --- a/DataStructureNotes/src/code_11_redBlackTree/AVLTree.java +++ /dev/null @@ -1,301 +0,0 @@ -package code_11_redBlackTree; - -import java.util.ArrayList; -import java.util.List; - -/** - * Created by 18351 on 2018/12/29. - */ -public class AVLTree,V>{ - private class Node{ - public K key; - public V value; - public Node left,right; - public int height; - public Node(K key,V value){ - this.key=key; - this.value=value; - this.left=null; - this.right=null; - //叶子节点的高度是1 - height=1; - } - } - - private Node root; - private int size; - - public void add(K key, V value) { - root=add(root,key,value); - } - - //检查该树是否是平衡二叉树 - public boolean isBST(){ - List keys=new ArrayList<>(); - inOrder(root,keys); - for(int i=1;i0){ - return false; - } - } - return true; - } - - //判断该二叉树是否是一棵平衡二叉树 - public boolean isBalancedTree(){ - return isBalancedTree(root); - } - - private boolean isBalancedTree(Node node){ - if(node==null){ - return true; - } - int balancedFactor=getBalancedFactor(node); - if(Math.abs(balancedFactor)>1){ - return false; - } - return isBalancedTree(node.left) && isBalancedTree(node.right); - } - - private void inOrder(Node node, List keys){ - if(node==null){ - return; - } - inOrder(node.left,keys); - keys.add(node.key); - inOrder(node.right,keys); - } - - //计算节点的高度 - private int getNodeHeight(Node node){ - if(node==null){ - return 0; - } - return node.height; - } - - //获取节点的平衡因子,左子树高度-右子树高度 - private int getBalancedFactor(Node node){ - if(node==null){ - return 0; - } - return getNodeHeight(node.left)-getNodeHeight(node.right); - } - - // 对节点y进行向右旋转操作,返回旋转后新的根节点x - // y x - // / \ / \ - // x T4 向右旋转 (y) z y - // / \ - - - - - - - -> / \ / \ - // z T3 T1 T2 T3 T4 - // / \ - // T1 T2 - private Node rightRotate(Node y){ - Node x=y.left; - Node T3=x.right; - - //向右旋转 - x.right=y; - y.left=T3; - - //维护树的高度 - y.height=1 + Math.max(getNodeHeight(y.left),getNodeHeight(y.right)); - x.height=1 + Math.max(getNodeHeight(x.left),getNodeHeight(x.right)); - - return x; - } - - // 对节点y进行向左旋转操作,返回旋转后新的根节点x - // y x - // / \ / \ - // T1 x 向左旋转 (y) y z - // / \ - - - - - - - -> / \ / \ - // T2 z T1 T2 T3 T4 - // / \ - // T3 T4 - private Node leftRotate(Node y){ - Node x=y.right; - Node T2=x.left; - - //向左旋转 - x.left=y; - y.right=T2; - - //维护高度 - y.height=1+Math.max(getNodeHeight(y.left),getNodeHeight(y.right)); - x.height=1+Math.max(getNodeHeight(x.left),getNodeHeight(x.right)); - - return x; - } - - private Node add(Node node,K key,V value){ - if(node==null){ - size++; - return new Node(key,value); - } - if(key.compareTo(node.key)<0){ - node.left=add(node.left,key,value); - }else if(key.compareTo(node.key)>0){ - node.right=add(node.right,key,value); - }else{ - node.value=value; - } - //更新height - node.height=1+Math.max(getNodeHeight(node.left),getNodeHeight(node.right)); - - //维护平衡 - return keepBalance(node); - } - - //从AVL中删除值为key的元素 - public V remove(K key) { - Node node=getNode(root,key); - if(node!=null){ - root=del(root,key); - size--; - } - return null; - } - - //获取Map中的最小的key - private Node min(Node node){ - if(node.left==null){ - return node; - } - return min(node.left); - } - - //删除以node为根结点的Map中的key最小的元素 - private Node delMin(Node node){ - if(node.left==null){ - Node nodeRight=node.right; - node.right=null; - size--; - return nodeRight; - } - node.left=delMin(node.left); - - //更新height - node.height=1+Math.max(getNodeHeight(node.left),getNodeHeight(node.right)); - - //维护平衡 - return keepBalance(node); - } - - ////删除以node为根结点的Map中的键值为key的元素 - private Node del(Node node, K key){ - if(node==null){ - return null; - } - //记录删除元素后,该BST的新的根节点 - Node retNode=null; - if(key.compareTo(node.key)<0){ - node.left=del(node.left,key); - retNode=node; - }else if(key.compareTo(node.key)>0){ - node.right=del(node.right,key); - retNode=node; - }else{ - //节点node就是要删除的节点 - //该节点只右有子树 - if(node.left==null){ - Node rightNode=node.right; - node.right=null; - size--; - retNode=rightNode; - }else if(node.right==null){ //该节点只有左子树 - Node leftNode=node.left; - node.left=null; - size--; - retNode=leftNode; - }else{ - //删除既有左子树又有右子树的节点 - Node s=min(node.right); - s.right=delMin(node.right); - s.left=node.left; - - //删除node - node.left=node.right=null; - retNode=s; - } - } - if(retNode==null){ - return retNode; - } - //更新height - retNode.height=1+Math.max(getNodeHeight(retNode.left),getNodeHeight(retNode.right)); - - //保持平衡 - return keepBalance(retNode); - } - - //维护以node为根节点的二叉树是平衡二叉树 - private Node keepBalance(Node node){ - //计算平衡因子 - int balancedFactor=getBalancedFactor(node); - - //平衡维护 - //LL - if(balancedFactor>1 && getBalancedFactor(node.left)>=0){ - return rightRotate(node); - } - //RR - if(balancedFactor<-1 && getBalancedFactor(node.right)<=0){ - return leftRotate(node); - } - //LR - if(balancedFactor>1 && getBalancedFactor(node.left)<0){ - Node x=node.left; - node.left=leftRotate(x); - //LL - return rightRotate(node); - } - //RL - if(balancedFactor<-1 && getBalancedFactor(node.right)>0){ - Node x=node.right; - node.right=rightRotate(x); - //RR - return leftRotate(node); - } - return node; - } - - public boolean contains(K key) { - return getNode(root,key)!=null; - } - - public V get(K key) { - Node node=getNode(root,key); - return node==null?null:node.value; - } - - public void set(K key, V newValue) { - Node node=getNode(root,key); - if(node==null){ - throw new IllegalArgumentException(key+"does not exist"); - } - node.value=newValue; - } - - //返回以node为根节点的二分搜索树中,key所在的节点 - private Node getNode(Node node,K key){ - if(node==null){ - return null; - } - if(key.compareTo(node.key)<0){ - return getNode(node.left,key); - }else if(key.compareTo(node.key)>0){ - return getNode(node.right,key); - }else{ //key.compareTo(node.key)==0 - return node; - } - } - - public int getSize() { - return size; - } - - public boolean isEmpty() { - return size==0; - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_11_redBlackTree/BST.java b/DataStructureNotes/src/code_11_redBlackTree/BST.java deleted file mode 100644 index 1fadb62..0000000 --- a/DataStructureNotes/src/code_11_redBlackTree/BST.java +++ /dev/null @@ -1,194 +0,0 @@ -package code_11_redBlackTree; - -import java.util.ArrayList; - -public class BST, V> { - - private class Node{ - public K key; - public V value; - public Node left, right; - - public Node(K key, V value){ - this.key = key; - this.value = value; - left = null; - right = null; - } - } - - private Node root; - private int size; - - public BST(){ - root = null; - size = 0; - } - - public int getSize(){ - return size; - } - - public boolean isEmpty(){ - return size == 0; - } - - // 向二分搜索树中添加新的元素(key, value) - public void add(K key, V value){ - root = add(root, key, value); - } - - // 向以node为根的二分搜索树中插入元素(key, value),递归算法 - // 返回插入新节点后二分搜索树的根 - private Node add(Node node, K key, V value){ - - if(node == null){ - size ++; - return new Node(key, value); - } - - if(key.compareTo(node.key) < 0) - node.left = add(node.left, key, value); - else if(key.compareTo(node.key) > 0) - node.right = add(node.right, key, value); - else // key.compareTo(node.key) == 0 - node.value = value; - - return node; - } - - // 返回以node为根节点的二分搜索树中,key所在的节点 - private Node getNode(Node node, K key){ - - if(node == null) - return null; - - if(key.equals(node.key)) - return node; - else if(key.compareTo(node.key) < 0) - return getNode(node.left, key); - else // if(key.compareTo(node.key) > 0) - return getNode(node.right, key); - } - - public boolean contains(K key){ - return getNode(root, key) != null; - } - - public V get(K key){ - - Node node = getNode(root, key); - return node == null ? null : node.value; - } - - public void set(K key, V newValue){ - Node node = getNode(root, key); - if(node == null) - throw new IllegalArgumentException(key + " doesn't exist!"); - - node.value = newValue; - } - - // 返回以node为根的二分搜索树的最小值所在的节点 - private Node minimum(Node node){ - if(node.left == null){ - return node; - } - return minimum(node.left); - } - - // 删除掉以node为根的二分搜索树中的最小节点 - // 返回删除节点后新的二分搜索树的根 - private Node removeMin(Node node){ - - if(node.left == null){ - Node rightNode = node.right; - node.right = null; - size --; - return rightNode; - } - - node.left = removeMin(node.left); - return node; - } - - // 从二分搜索树中删除键为key的节点 - public V remove(K key){ - - Node node = getNode(root, key); - if(node != null){ - root = remove(root, key); - return node.value; - } - return null; - } - - private Node remove(Node node, K key){ - - if( node == null ) - return null; - - if( key.compareTo(node.key) < 0 ){ - node.left = remove(node.left , key); - return node; - } - else if(key.compareTo(node.key) > 0 ){ - node.right = remove(node.right, key); - return node; - } - else{ // key.compareTo(node.key) == 0 - - // 待删除节点左子树为空的情况 - if(node.left == null){ - Node rightNode = node.right; - node.right = null; - size --; - return rightNode; - } - - // 待删除节点右子树为空的情况 - if(node.right == null){ - Node leftNode = node.left; - node.left = null; - size --; - return leftNode; - } - - // 待删除节点左右子树均不为空的情况 - - // 找到比待删除节点大的最小节点, 即待删除节点右子树的最小节点 - // 用这个节点顶替待删除节点的位置 - Node successor = minimum(node.right); - successor.right = removeMin(node.right); - successor.left = node.left; - - node.left = node.right = null; - - return successor; - } - } - - public static void main(String[] args){ - - System.out.println("Pride and Prejudice"); - - ArrayList words = new ArrayList<>(); - if(FileOperation.readFile("pride-and-prejudice.txt", words)) { - System.out.println("Total words: " + words.size()); - - BST map = new BST<>(); - for (String word : words) { - if (map.contains(word)) - map.set(word, map.get(word) + 1); - else - map.add(word, 1); - } - - System.out.println("Total different words: " + map.getSize()); - System.out.println("Frequency of PRIDE: " + map.get("pride")); - System.out.println("Frequency of PREJUDICE: " + map.get("prejudice")); - } - - System.out.println(); - } -} diff --git a/DataStructureNotes/src/code_11_redBlackTree/FileOperation.java b/DataStructureNotes/src/code_11_redBlackTree/FileOperation.java deleted file mode 100644 index e0eb286..0000000 --- a/DataStructureNotes/src/code_11_redBlackTree/FileOperation.java +++ /dev/null @@ -1,69 +0,0 @@ -package code_11_redBlackTree; - -import java.io.BufferedInputStream; -import java.io.File; -import java.io.FileInputStream; -import java.io.IOException; -import java.util.ArrayList; -import java.util.Locale; -import java.util.Scanner; - -// 文件相关操作 -public class FileOperation { - - // 读取文件名称为filename中的内容,并将其中包含的所有词语放进words中 - public static boolean readFile(String filename, ArrayList words){ - - if (filename == null || words == null){ - System.out.println("filename is null or words is null"); - return false; - } - - // 文件读取 - Scanner scanner; - - try { - File file = new File(filename); - if(file.exists()){ - FileInputStream fis = new FileInputStream(file); - scanner = new Scanner(new BufferedInputStream(fis), "UTF-8"); - scanner.useLocale(Locale.ENGLISH); - } - else - return false; - } - catch(IOException ioe){ - System.out.println("Cannot open " + filename); - return false; - } - - // 简单分词 - // 这个分词方式相对简陋, 没有考虑很多文本处理中的特殊问题 - // 在这里只做demo展示用 - if (scanner.hasNextLine()) { - - String contents = scanner.useDelimiter("\\A").next(); - - int start = firstCharacterIndex(contents, 0); - for (int i = start + 1; i <= contents.length(); ) - if (i == contents.length() || !Character.isLetter(contents.charAt(i))) { - String word = contents.substring(start, i).toLowerCase(); - words.add(word); - start = firstCharacterIndex(contents, i); - i = start + 1; - } else - i++; - } - - return true; - } - - // 寻找字符串s中,从start的位置开始的第一个字母字符的位置 - private static int firstCharacterIndex(String s, int start){ - - for( int i = start ; i < s.length() ; i ++ ) - if( Character.isLetter(s.charAt(i)) ) - return i; - return s.length(); - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_11_redBlackTree/Main.java b/DataStructureNotes/src/code_11_redBlackTree/Main.java deleted file mode 100644 index e72c395..0000000 --- a/DataStructureNotes/src/code_11_redBlackTree/Main.java +++ /dev/null @@ -1,86 +0,0 @@ -package code_11_redBlackTree; - -import java.util.ArrayList; - -/** - - 对于完全随机的数据,建议使用普通的BST。但是在极端情况下,会退化成链表!(或者高度不平衡) - - - 对于查询较多的使用情况,建议使用AVL树。 - - - 红黑树牺牲了平衡性(2log n的高度),统计性能更优(增删改查所有的操作) - */ -public class Main { - - public static void main(String[] args) { - - System.out.println("Pride and Prejudice"); - - ArrayList words = new ArrayList<>(); - if(FileOperation.readFile("pride-and-prejudice.txt", words)) { - System.out.println("Total words: " + words.size()); - - // Collections.sort(words); - - // Test BST - long startTime = System.nanoTime(); - - BST bst = new BST<>(); - for (String word : words) { - if (bst.contains(word)) - bst.set(word, bst.get(word) + 1); - else - bst.add(word, 1); - } - - for(String word: words) - bst.contains(word); - - long endTime = System.nanoTime(); - - double time = (endTime - startTime) / 1000000000.0; - System.out.println("BST: " + time + " s"); - - - // Test AVL - startTime = System.nanoTime(); - - AVLTree avl = new AVLTree<>(); - for (String word : words) { - if (avl.contains(word)) - avl.set(word, avl.get(word) + 1); - else - avl.add(word, 1); - } - - for(String word: words) - avl.contains(word); - - endTime = System.nanoTime(); - - time = (endTime - startTime) / 1000000000.0; - System.out.println("AVL: " + time + " s"); - - - // Test RBTree - startTime = System.nanoTime(); - - RBTree rbt = new RBTree<>(); - for (String word : words) { - if (rbt.contains(word)) - rbt.set(word, rbt.get(word) + 1); - else - rbt.add(word, 1); - } - - for(String word: words) - rbt.contains(word); - - endTime = System.nanoTime(); - - time = (endTime - startTime) / 1000000000.0; - System.out.println("RBTree: " + time + " s"); - } - - System.out.println(); - } -} diff --git a/DataStructureNotes/src/code_11_redBlackTree/Main2.java b/DataStructureNotes/src/code_11_redBlackTree/Main2.java deleted file mode 100644 index 7e5cbaa..0000000 --- a/DataStructureNotes/src/code_11_redBlackTree/Main2.java +++ /dev/null @@ -1,63 +0,0 @@ -package code_11_redBlackTree; - -import java.util.ArrayList; -import java.util.Random; - -/** - - 对于完全随机的数据,建议使用普通的BST。但是在极端情况下,会退化成链表!(或者高度不平衡) - - - 对于查询较多的使用情况,建议使用AVL树。 - - - 红黑树牺牲了平衡性(2log n的高度),统计性能更优(增删改查所有的操作) - */ -public class Main2 { - - public static void main(String[] args) { - - // int n = 20000000; - int n = 2000000; - - Random random = new Random(n); - ArrayList testData = new ArrayList<>(n); - for(int i = 0 ; i < n ; i ++) - testData.add(random.nextInt(Integer.MAX_VALUE)); - - // Test BST - long startTime = System.nanoTime(); - - BST bst = new BST<>(); - for (Integer x: testData) - bst.add(x, null); - - long endTime = System.nanoTime(); - - double time = (endTime - startTime) / 1000000000.0; - System.out.println("BST: " + time + " s"); - - - // Test AVL - startTime = System.nanoTime(); - - AVLTree avl = new AVLTree<>(); - for (Integer x: testData) - avl.add(x, null); - - endTime = System.nanoTime(); - - time = (endTime - startTime) / 1000000000.0; - System.out.println("AVL: " + time + " s"); - - - // Test RBTree - startTime = System.nanoTime(); - - RBTree rbt = new RBTree<>(); - for (Integer x: testData) - rbt.add(x, null); - - endTime = System.nanoTime(); - - time = (endTime - startTime) / 1000000000.0; - System.out.println("RBTree: " + time + " s"); - } -} diff --git a/DataStructureNotes/src/code_11_redBlackTree/Main3.java b/DataStructureNotes/src/code_11_redBlackTree/Main3.java deleted file mode 100644 index 373bec8..0000000 --- a/DataStructureNotes/src/code_11_redBlackTree/Main3.java +++ /dev/null @@ -1,48 +0,0 @@ -package code_11_redBlackTree; - -import java.util.ArrayList; -import java.util.Random; - -/** - - 对于完全随机的数据,建议使用普通的BST。但是在极端情况下,会退化成链表!(或者高度不平衡) - - - 对于查询较多的使用情况,建议使用AVL树。 - - - 红黑树牺牲了平衡性(2log n的高度),统计性能更优(增删改查所有的操作) - */ -public class Main3 { - - public static void main(String[] args) { - - int n = 2000000; - - ArrayList testData = new ArrayList<>(n); - for(int i = 0 ; i < n ; i ++) - testData.add(i); - - // Test AVL - long startTime = System.nanoTime(); - - AVLTree avl = new AVLTree<>(); - for (Integer x: testData) - avl.add(x, null); - - long endTime = System.nanoTime(); - - double time = (endTime - startTime) / 1000000000.0; - System.out.println("AVL: " + time + " s"); - - - // Test RBTree - startTime = System.nanoTime(); - - RBTree rbt = new RBTree<>(); - for (Integer x: testData) - rbt.add(x, null); - - endTime = System.nanoTime(); - - time = (endTime - startTime) / 1000000000.0; - System.out.println("RBTree: " + time + " s"); - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_11_redBlackTree/RBTree.java b/DataStructureNotes/src/code_11_redBlackTree/RBTree.java deleted file mode 100644 index 2372d56..0000000 --- a/DataStructureNotes/src/code_11_redBlackTree/RBTree.java +++ /dev/null @@ -1,237 +0,0 @@ -package code_11_redBlackTree; - -import java.io.BufferedReader; - -/** - * Created by 18351 on 2018/12/31. - */ -public class RBTree,V>{ - private static final boolean RED=true; - private static final boolean BLACK=false; - - private class Node{ - public K key; - public V value; - public Node left,right; - public boolean color; - public Node(K key,V value){ - this.key=key; - this.value=value; - this.left=null; - this.right=null; - this.color=RED; - } - } - - private Node root; - private int size; - - //判断节点是否是红色 - private boolean isRed(Node node){ - if(node==null){ - return BLACK; - } - return node.color; - } - - //左旋转 - // node x - // / \ 左旋转 / \ - // T1 x ---------> node T3 - // / \ / \ - // T2 T3 T1 T2 - private Node leftRotate(Node node){ - Node x=node.right; - - //左旋转 - node.right=x.left; - x.left=node; - - //改变节点颜色 - x.color=node.color; - node.color=RED; - - return x; - } - - //右旋转 - // node x - // / \ 右旋转 / \ - // x T2 -------> y node - // / \ / \ - // y T1 T1 T2 - private Node rightRotate(Node node) { - Node x=node.left; - - //右旋转 - node.left=x.right; - x.right=node; - - x.color=node.color; - node.color=RED; - - return x; - } - - //颜色翻转 - private void flipColors(Node node){ - node.color=RED; - node.left.color=BLACK; - node.right.color=BLACK; - } - - public void add(K key, V value) { - root=add(root,key,value); - //红黑树性质: 2.根节点是黑色的 - root.color=BLACK; - } - - private Node add(Node node,K key,V value){ - if(node==null){ - size++; - return new Node(key,value); - } - if(key.compareTo(node.key)<0){ - node.left=add(node.left,key,value); - }else if(key.compareTo(node.key)>0){ - node.right=add(node.right,key,value); - }else{ - node.value=value; - } - - // 黑 - // / - // 红 - // \ - // 红 - //左旋转 - if(isRed(node.right) && !isRed(node.left)){ - node=leftRotate(node); - } - - // 黑 - // / - // 红 - // / - // 红 - //右旋转 - if(isRed(node.left) && isRed(node.left.left)){ - node=rightRotate(node); - } - - // 黑 - // / \ - // 红 红 - // 颜色翻转 - if(isRed(node.left) && isRed(node.right)){ - flipColors(node); - } - return node; - } - - public V remove(K key) { - Node node=getNode(root,key); - if(node!=null){ - root=del(root,key); - size--; - } - return null; - } - - //返回以node为根节点的二分搜索树中,key所在的节点 - private Node getNode(Node node,K key){ - if(node==null){ - return null; - } - if(key.compareTo(node.key)<0){ - return getNode(node.left,key); - }else if(key.compareTo(node.key)>0){ - return getNode(node.right,key); - }else{ //key.compareTo(node.key)==0 - return node; - } - } - - //获取Map中的最小的key - private Node min(Node node){ - if(node.left==null){ - return node; - } - return min(node.left); - } - - //删除以node为根结点的Map中的key最小的元素 - private Node delMin(Node node){ - if(node.left==null){ - Node nodeRight=node.right; - node.right=null; - size--; - return nodeRight; - } - node.left=delMin(node.left); - return node; - } - - ////删除以node为根结点的Map中的键值为key的元素 - private Node del(Node node, K key){ - if(node==null){ - return null; - } - if(key.compareTo(node.key)<0){ - node.left=del(node.left,key); - return node; - }else if(key.compareTo(node.key)>0){ - node.right=del(node.right,key); - return node; - }else{ - //节点node就是要删除的节点 - //该节点只右有子树 - if(node.left==null){ - Node rightNode=node.right; - node.right=null; - size--; - return rightNode; - } - //该节点只有左子树 - if(node.right==null){ - Node leftNode=node.left; - node.left=null; - size--; - return leftNode; - } - //删除既有左子树又有右子树的节点 - Node s=min(node.right); - s.right=delMin(node.right); - s.left=node.left; - - //删除node - node.left=node.right=null; - return s; - } - } - - public boolean contains(K key) { - return getNode(root,key)!=null; - } - - public V get(K key) { - Node node=getNode(root,key); - return node==null?null:node.value; - } - - public void set(K key, V newValue) { - Node node=getNode(root,key); - if(node==null){ - throw new IllegalArgumentException(key+" does not exist"); - } - node.value=newValue; - } - - public int getSize() { - return size; - } - - public boolean isEmpty() { - return size==0; - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_12_hashTable/AVLTree.java b/DataStructureNotes/src/code_12_hashTable/AVLTree.java deleted file mode 100644 index 4482639..0000000 --- a/DataStructureNotes/src/code_12_hashTable/AVLTree.java +++ /dev/null @@ -1,301 +0,0 @@ -package code_12_hashTable; - -import java.util.ArrayList; -import java.util.List; - -/** - * Created by 18351 on 2018/12/29. - */ -public class AVLTree,V>{ - private class Node{ - public K key; - public V value; - public Node left,right; - public int height; - public Node(K key,V value){ - this.key=key; - this.value=value; - this.left=null; - this.right=null; - //叶子节点的高度是1 - height=1; - } - } - - private Node root; - private int size; - - public void add(K key, V value) { - root=add(root,key,value); - } - - //检查该树是否是平衡二叉树 - public boolean isBST(){ - List keys=new ArrayList<>(); - inOrder(root,keys); - for(int i=1;i0){ - return false; - } - } - return true; - } - - //判断该二叉树是否是一棵平衡二叉树 - public boolean isBalancedTree(){ - return isBalancedTree(root); - } - - private boolean isBalancedTree(Node node){ - if(node==null){ - return true; - } - int balancedFactor=getBalancedFactor(node); - if(Math.abs(balancedFactor)>1){ - return false; - } - return isBalancedTree(node.left) && isBalancedTree(node.right); - } - - private void inOrder(Node node, List keys){ - if(node==null){ - return; - } - inOrder(node.left,keys); - keys.add(node.key); - inOrder(node.right,keys); - } - - //计算节点的高度 - private int getNodeHeight(Node node){ - if(node==null){ - return 0; - } - return node.height; - } - - //获取节点的平衡因子,左子树高度-右子树高度 - private int getBalancedFactor(Node node){ - if(node==null){ - return 0; - } - return getNodeHeight(node.left)-getNodeHeight(node.right); - } - - // 对节点y进行向右旋转操作,返回旋转后新的根节点x - // y x - // / \ / \ - // x T4 向右旋转 (y) z y - // / \ - - - - - - - -> / \ / \ - // z T3 T1 T2 T3 T4 - // / \ - // T1 T2 - private Node rightRotate(Node y){ - Node x=y.left; - Node T3=x.right; - - //向右旋转 - x.right=y; - y.left=T3; - - //维护树的高度 - y.height=1 + Math.max(getNodeHeight(y.left),getNodeHeight(y.right)); - x.height=1 + Math.max(getNodeHeight(x.left),getNodeHeight(x.right)); - - return x; - } - - // 对节点y进行向左旋转操作,返回旋转后新的根节点x - // y x - // / \ / \ - // T1 x 向左旋转 (y) y z - // / \ - - - - - - - -> / \ / \ - // T2 z T1 T2 T3 T4 - // / \ - // T3 T4 - private Node leftRotate(Node y){ - Node x=y.right; - Node T2=x.left; - - //向左旋转 - x.left=y; - y.right=T2; - - //维护高度 - y.height=1+Math.max(getNodeHeight(y.left),getNodeHeight(y.right)); - x.height=1+Math.max(getNodeHeight(x.left),getNodeHeight(x.right)); - - return x; - } - - private Node add(Node node,K key,V value){ - if(node==null){ - size++; - return new Node(key,value); - } - if(key.compareTo(node.key)<0){ - node.left=add(node.left,key,value); - }else if(key.compareTo(node.key)>0){ - node.right=add(node.right,key,value); - }else{ - node.value=value; - } - //更新height - node.height=1+Math.max(getNodeHeight(node.left),getNodeHeight(node.right)); - - //维护平衡 - return keepBalance(node); - } - - //从AVL中删除值为key的元素 - public V remove(K key) { - Node node=getNode(root,key); - if(node!=null){ - root=del(root,key); - size--; - } - return null; - } - - //获取Map中的最小的key - private Node min(Node node){ - if(node.left==null){ - return node; - } - return min(node.left); - } - - //删除以node为根结点的Map中的key最小的元素 - private Node delMin(Node node){ - if(node.left==null){ - Node nodeRight=node.right; - node.right=null; - size--; - return nodeRight; - } - node.left=delMin(node.left); - - //更新height - node.height=1+Math.max(getNodeHeight(node.left),getNodeHeight(node.right)); - - //维护平衡 - return keepBalance(node); - } - - ////删除以node为根结点的Map中的键值为key的元素 - private Node del(Node node, K key){ - if(node==null){ - return null; - } - //记录删除元素后,该BST的新的根节点 - Node retNode=null; - if(key.compareTo(node.key)<0){ - node.left=del(node.left,key); - retNode=node; - }else if(key.compareTo(node.key)>0){ - node.right=del(node.right,key); - retNode=node; - }else{ - //节点node就是要删除的节点 - //该节点只右有子树 - if(node.left==null){ - Node rightNode=node.right; - node.right=null; - size--; - retNode=rightNode; - }else if(node.right==null){ //该节点只有左子树 - Node leftNode=node.left; - node.left=null; - size--; - retNode=leftNode; - }else{ - //删除既有左子树又有右子树的节点 - Node s=min(node.right); - s.right=delMin(node.right); - s.left=node.left; - - //删除node - node.left=node.right=null; - retNode=s; - } - } - if(retNode==null){ - return retNode; - } - //更新height - retNode.height=1+Math.max(getNodeHeight(retNode.left),getNodeHeight(retNode.right)); - - //保持平衡 - return keepBalance(retNode); - } - - //维护以node为根节点的二叉树是平衡二叉树 - private Node keepBalance(Node node){ - //计算平衡因子 - int balancedFactor=getBalancedFactor(node); - - //平衡维护 - //LL - if(balancedFactor>1 && getBalancedFactor(node.left)>=0){ - return rightRotate(node); - } - //RR - if(balancedFactor<-1 && getBalancedFactor(node.right)<=0){ - return leftRotate(node); - } - //LR - if(balancedFactor>1 && getBalancedFactor(node.left)<0){ - Node x=node.left; - node.left=leftRotate(x); - //LL - return rightRotate(node); - } - //RL - if(balancedFactor<-1 && getBalancedFactor(node.right)>0){ - Node x=node.right; - node.right=rightRotate(x); - //RR - return leftRotate(node); - } - return node; - } - - public boolean contains(K key) { - return getNode(root,key)!=null; - } - - public V get(K key) { - Node node=getNode(root,key); - return node==null?null:node.value; - } - - public void set(K key, V newValue) { - Node node=getNode(root,key); - if(node==null){ - throw new IllegalArgumentException(key+"does not exist"); - } - node.value=newValue; - } - - //返回以node为根节点的二分搜索树中,key所在的节点 - private Node getNode(Node node,K key){ - if(node==null){ - return null; - } - if(key.compareTo(node.key)<0){ - return getNode(node.left,key); - }else if(key.compareTo(node.key)>0){ - return getNode(node.right,key); - }else{ //key.compareTo(node.key)==0 - return node; - } - } - - public int getSize() { - return size; - } - - public boolean isEmpty() { - return size==0; - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_12_hashTable/BST.java b/DataStructureNotes/src/code_12_hashTable/BST.java deleted file mode 100644 index 24b5e00..0000000 --- a/DataStructureNotes/src/code_12_hashTable/BST.java +++ /dev/null @@ -1,194 +0,0 @@ -package code_12_hashTable; - -import java.util.ArrayList; - -public class BST, V> { - - private class Node{ - public K key; - public V value; - public Node left, right; - - public Node(K key, V value){ - this.key = key; - this.value = value; - left = null; - right = null; - } - } - - private Node root; - private int size; - - public BST(){ - root = null; - size = 0; - } - - public int getSize(){ - return size; - } - - public boolean isEmpty(){ - return size == 0; - } - - // 向二分搜索树中添加新的元素(key, value) - public void add(K key, V value){ - root = add(root, key, value); - } - - // 向以node为根的二分搜索树中插入元素(key, value),递归算法 - // 返回插入新节点后二分搜索树的根 - private Node add(Node node, K key, V value){ - - if(node == null){ - size ++; - return new Node(key, value); - } - - if(key.compareTo(node.key) < 0) - node.left = add(node.left, key, value); - else if(key.compareTo(node.key) > 0) - node.right = add(node.right, key, value); - else // key.compareTo(node.key) == 0 - node.value = value; - - return node; - } - - // 返回以node为根节点的二分搜索树中,key所在的节点 - private Node getNode(Node node, K key){ - - if(node == null) - return null; - - if(key.equals(node.key)) - return node; - else if(key.compareTo(node.key) < 0) - return getNode(node.left, key); - else // if(key.compareTo(node.key) > 0) - return getNode(node.right, key); - } - - public boolean contains(K key){ - return getNode(root, key) != null; - } - - public V get(K key){ - - Node node = getNode(root, key); - return node == null ? null : node.value; - } - - public void set(K key, V newValue){ - Node node = getNode(root, key); - if(node == null) - throw new IllegalArgumentException(key + " doesn't exist!"); - - node.value = newValue; - } - - // 返回以node为根的二分搜索树的最小值所在的节点 - private Node minimum(Node node){ - if(node.left == null){ - return node; - } - return minimum(node.left); - } - - // 删除掉以node为根的二分搜索树中的最小节点 - // 返回删除节点后新的二分搜索树的根 - private Node removeMin(Node node){ - - if(node.left == null){ - Node rightNode = node.right; - node.right = null; - size --; - return rightNode; - } - - node.left = removeMin(node.left); - return node; - } - - // 从二分搜索树中删除键为key的节点 - public V remove(K key){ - - Node node = getNode(root, key); - if(node != null){ - root = remove(root, key); - return node.value; - } - return null; - } - - private Node remove(Node node, K key){ - - if( node == null ) - return null; - - if( key.compareTo(node.key) < 0 ){ - node.left = remove(node.left , key); - return node; - } - else if(key.compareTo(node.key) > 0 ){ - node.right = remove(node.right, key); - return node; - } - else{ // key.compareTo(node.key) == 0 - - // 待删除节点左子树为空的情况 - if(node.left == null){ - Node rightNode = node.right; - node.right = null; - size --; - return rightNode; - } - - // 待删除节点右子树为空的情况 - if(node.right == null){ - Node leftNode = node.left; - node.left = null; - size --; - return leftNode; - } - - // 待删除节点左右子树均不为空的情况 - - // 找到比待删除节点大的最小节点, 即待删除节点右子树的最小节点 - // 用这个节点顶替待删除节点的位置 - Node successor = minimum(node.right); - successor.right = removeMin(node.right); - successor.left = node.left; - - node.left = node.right = null; - - return successor; - } - } - - public static void main(String[] args){ - - System.out.println("Pride and Prejudice"); - - ArrayList words = new ArrayList<>(); - if(FileOperation.readFile("pride-and-prejudice.txt", words)) { - System.out.println("Total words: " + words.size()); - - BST map = new BST<>(); - for (String word : words) { - if (map.contains(word)) - map.set(word, map.get(word) + 1); - else - map.add(word, 1); - } - - System.out.println("Total different words: " + map.getSize()); - System.out.println("Frequency of PRIDE: " + map.get("pride")); - System.out.println("Frequency of PREJUDICE: " + map.get("prejudice")); - } - - System.out.println(); - } -} diff --git a/DataStructureNotes/src/code_12_hashTable/FileOperation.java b/DataStructureNotes/src/code_12_hashTable/FileOperation.java deleted file mode 100644 index 99e71a2..0000000 --- a/DataStructureNotes/src/code_12_hashTable/FileOperation.java +++ /dev/null @@ -1,69 +0,0 @@ -package code_12_hashTable; - -import java.io.BufferedInputStream; -import java.io.File; -import java.io.FileInputStream; -import java.io.IOException; -import java.util.ArrayList; -import java.util.Locale; -import java.util.Scanner; - -// 文件相关操作 -public class FileOperation { - - // 读取文件名称为filename中的内容,并将其中包含的所有词语放进words中 - public static boolean readFile(String filename, ArrayList words){ - - if (filename == null || words == null){ - System.out.println("filename is null or words is null"); - return false; - } - - // 文件读取 - Scanner scanner; - - try { - File file = new File(filename); - if(file.exists()){ - FileInputStream fis = new FileInputStream(file); - scanner = new Scanner(new BufferedInputStream(fis), "UTF-8"); - scanner.useLocale(Locale.ENGLISH); - } - else - return false; - } - catch(IOException ioe){ - System.out.println("Cannot open " + filename); - return false; - } - - // 简单分词 - // 这个分词方式相对简陋, 没有考虑很多文本处理中的特殊问题 - // 在这里只做demo展示用 - if (scanner.hasNextLine()) { - - String contents = scanner.useDelimiter("\\A").next(); - - int start = firstCharacterIndex(contents, 0); - for (int i = start + 1; i <= contents.length(); ) - if (i == contents.length() || !Character.isLetter(contents.charAt(i))) { - String word = contents.substring(start, i).toLowerCase(); - words.add(word); - start = firstCharacterIndex(contents, i); - i = start + 1; - } else - i++; - } - - return true; - } - - // 寻找字符串s中,从start的位置开始的第一个字母字符的位置 - private static int firstCharacterIndex(String s, int start){ - - for( int i = start ; i < s.length() ; i ++ ) - if( Character.isLetter(s.charAt(i)) ) - return i; - return s.length(); - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_12_hashTable/HashTable.java b/DataStructureNotes/src/code_12_hashTable/HashTable.java deleted file mode 100644 index ac50aed..0000000 --- a/DataStructureNotes/src/code_12_hashTable/HashTable.java +++ /dev/null @@ -1,70 +0,0 @@ -package code_12_hashTable; - -import java.util.HashMap; -import java.util.TreeMap; - -/** - * Created by 18351 on 2019/1/3. - */ -public class HashTable { - private TreeMap[] hashtable; - private int M; - private int size; - - public HashTable(int M){ - this.M=M; - this.size=0; - this.hashtable=new TreeMap[M]; - for(int i=0;i(); - } - } - - public HashTable(){ - this(97); - } - - private int hash(K key){ - return (key.hashCode() & 0x7fffffff) % M; - } - - public int getSize(){ - return size; - } - - public void add(K key,V value){ - TreeMap map=hashtable[hash(key)]; - if(map.containsKey(key)){ - map.put(key,value); - }else{ - map.put(key,value); - size++; - } - } - - public V remove(K key){ - TreeMap map=hashtable[hash(key)]; - V ret=null; - if(map.containsKey(key)){ - ret=map.remove(key); - size--; - } - return ret; - } - - public void set(K key,V value){ - TreeMap map=hashtable[hash(key)]; - if(!map.containsKey(key)) { - throw new IllegalArgumentException(key + "does not exist!"); - } - map.put(key,value); - } - - public boolean contains(K key){ - return hashtable[hash(key)].containsKey(key); - } - - public V get(K key){ - return hashtable[hash(key)].get(key); - } -} diff --git a/DataStructureNotes/src/code_12_hashTable/HashTable2.java b/DataStructureNotes/src/code_12_hashTable/HashTable2.java deleted file mode 100644 index 78bff3a..0000000 --- a/DataStructureNotes/src/code_12_hashTable/HashTable2.java +++ /dev/null @@ -1,96 +0,0 @@ -package code_12_hashTable; - -import java.util.TreeMap; - -/** - * Created by 18351 on 2019/1/3. - */ -public class HashTable2 { - private static final int upperTol=10; - private static final int lowerTol=2; - private static final int initCapacity=7; - - private TreeMap[] hashtable; - private int M; - private int size; - - public HashTable2(int M){ - this.M=M; - this.size=0; - this.hashtable=new TreeMap[M]; - for(int i=0;i(); - } - } - - public HashTable2(){ - this(initCapacity); - } - - private int hash(K key){ - return (key.hashCode() & 0x7fffffff) % M; - } - - private void resize(int newM){ - TreeMap[] newHashtable=new TreeMap[newM]; - for(int i=0;i(); - } - - int oldM=M; - this.M=newM; - for(int i=0;i map=hashtable[i]; - for(K key:map.keySet()){ - newHashtable[hash(key)].put(key,map.get(key)); - } - } - this.hashtable=newHashtable; - } - - public int getSize(){ - return size; - } - - public void add(K key,V value){ - TreeMap map=hashtable[hash(key)]; - if(map.containsKey(key)){ - map.put(key,value); - }else{ - map.put(key,value); - size++; - if(size >= upperTol*M){ - resize(2*M); - } - } - } - - public V remove(K key){ - TreeMap map=hashtable[hash(key)]; - V ret=null; - if(map.containsKey(key)){ - ret=map.remove(key); - size--; - if(size < lowerTol*M && M/2>=initCapacity){ - resize(M/2); - } - } - return ret; - } - - public void set(K key,V value){ - TreeMap map=hashtable[hash(key)]; - if(!map.containsKey(key)) { - throw new IllegalArgumentException(key + "does not exist!"); - } - map.put(key,value); - } - - public boolean contains(K key){ - return hashtable[hash(key)].containsKey(key); - } - - public V get(K key){ - return hashtable[hash(key)].get(key); - } -} diff --git a/DataStructureNotes/src/code_12_hashTable/HashTable3.java b/DataStructureNotes/src/code_12_hashTable/HashTable3.java deleted file mode 100644 index 11fad38..0000000 --- a/DataStructureNotes/src/code_12_hashTable/HashTable3.java +++ /dev/null @@ -1,102 +0,0 @@ -package code_12_hashTable; - -import java.util.TreeMap; - -/** - * Created by 18351 on 2019/1/3. - */ -public class HashTable3 { - //哈希表容量的常量表 - private final int[] capacity = { - 53, 97, 193, 389, 769, 1543, 3079, 6151, 12289, 24593, - 49157, 98317, 196613, 393241, 786433, 1572869, 3145739, - 6291469, 12582917, 25165843, 50331653, 100663319, 201326611, - 402653189, 805306457, 1610612741}; - //int类型的最大素数就是 1610612741 - - private static final int upperTol=10; - private static final int lowerTol=2; - private int capacityIndex=0; - - private TreeMap[] hashtable; - private int M; - private int size; - - public HashTable3(){ - this.M=capacity[capacityIndex]; - this.size=0; - this.hashtable=new TreeMap[M]; - for(int i=0;i(); - } - } - - private int hash(K key){ - return (key.hashCode() & 0x7fffffff) % M; - } - - private void resize(int newM){ - TreeMap[] newHashtable=new TreeMap[newM]; - for(int i=0;i(); - } - - int oldM=M; - this.M=newM; - for(int i=0;i map=hashtable[i]; - for(K key:map.keySet()){ - newHashtable[hash(key)].put(key,map.get(key)); - } - } - hashtable=newHashtable; - } - - public int getSize(){ - return size; - } - - public void add(K key,V value){ - TreeMap map=hashtable[hash(key)]; - if(map.containsKey(key)){ - map.put(key,value); - }else{ - map.put(key,value); - size++; - if(size >= upperTol*M && capacityIndex+1 map=hashtable[hash(key)]; - V ret=null; - if(map.containsKey(key)){ - ret=map.remove(key); - size--; - if(size < lowerTol*M && capacityIndex-1>=0){ - capacityIndex--; - resize(capacity[capacityIndex]); - } - } - return ret; - } - - public void set(K key,V value){ - TreeMap map=hashtable[hash(key)]; - if(!map.containsKey(key)) { - throw new IllegalArgumentException(key + "does not exist!"); - } - map.put(key,value); - } - - public boolean contains(K key){ - return hashtable[hash(key)].containsKey(key); - } - - public V get(K key){ - return hashtable[hash(key)].get(key); - } -} diff --git a/DataStructureNotes/src/code_12_hashTable/HashTableMain.java b/DataStructureNotes/src/code_12_hashTable/HashTableMain.java deleted file mode 100644 index b82d104..0000000 --- a/DataStructureNotes/src/code_12_hashTable/HashTableMain.java +++ /dev/null @@ -1,139 +0,0 @@ -package code_12_hashTable; - -import java.util.ArrayList; - -/** - * Created by 18351 on 2019/1/3. - */ -public class HashTableMain { - public static void main(String[] args) { - - System.out.println("mix"); - - ArrayList words = new ArrayList<>(); - if(FileOperation.readFile("mix.txt", words)) { - System.out.println("Total words: " + words.size()); - - // Collections.sort(words); - - // Test BST - long startTime = System.nanoTime(); - - BST bst = new BST<>(); - for (String word : words) { - if (bst.contains(word)) - bst.set(word, bst.get(word) + 1); - else - bst.add(word, 1); - } - - for(String word: words) - bst.contains(word); - - long endTime = System.nanoTime(); - - double time = (endTime - startTime) / 1000000000.0; - System.out.println("BST: " + time + " s"); - - - // Test AVL - startTime = System.nanoTime(); - - AVLTree avl = new AVLTree<>(); - for (String word : words) { - if (avl.contains(word)) - avl.set(word, avl.get(word) + 1); - else - avl.add(word, 1); - } - - for(String word: words) - avl.contains(word); - - endTime = System.nanoTime(); - - time = (endTime - startTime) / 1000000000.0; - System.out.println("AVL: " + time + " s"); - - - // Test RBTree - startTime = System.nanoTime(); - - RBTree rbt = new RBTree<>(); - for (String word : words) { - if (rbt.contains(word)) - rbt.set(word, rbt.get(word) + 1); - else - rbt.add(word, 1); - } - - for(String word: words) - rbt.contains(word); - - endTime = System.nanoTime(); - - time = (endTime - startTime) / 1000000000.0; - System.out.println("RBTree: " + time + " s"); - - - // Test HashTable - startTime = System.nanoTime(); - - HashTable ht = new HashTable<>(); - //HashTable ht = new HashTable<>(131071); - for (String word : words) { - if (ht.contains(word)) - ht.set(word, ht.get(word) + 1); - else - ht.add(word, 1); - } - - for(String word: words) - ht.contains(word); - - endTime = System.nanoTime(); - - time = (endTime - startTime) / 1000000000.0; - System.out.println("HashTable: " + time + " s"); - - // Test HashTable2 - startTime = System.nanoTime(); - - HashTable2 ht2 = new HashTable2<>(); - for (String word : words) { - if (ht2.contains(word)) - ht2.set(word, ht2.get(word) + 1); - else - ht2.add(word, 1); - } - - for(String word: words) - ht2.contains(word); - - endTime = System.nanoTime(); - - time = (endTime - startTime) / 1000000000.0; - System.out.println("HashTable2: " + time + " s"); - - //Test HashTable3 - startTime = System.nanoTime(); - - HashTable3 ht3 = new HashTable3<>(); - for (String word : words) { - if (ht3.contains(word)) - ht3.set(word, ht3.get(word) + 1); - else - ht3.add(word, 1); - } - - for(String word: words) - ht3.contains(word); - - endTime = System.nanoTime(); - - time = (endTime - startTime) / 1000000000.0; - System.out.println("HashTable3: " + time + " s"); - } - System.out.println(); - } -} diff --git a/DataStructureNotes/src/code_12_hashTable/Main.java b/DataStructureNotes/src/code_12_hashTable/Main.java deleted file mode 100644 index 51cf340..0000000 --- a/DataStructureNotes/src/code_12_hashTable/Main.java +++ /dev/null @@ -1,20 +0,0 @@ -package code_12_hashTable; - -/** - * Created by 18351 on 2019/1/2. - */ -public class Main { - public static void main(String[] args) { - Integer a=new Integer(3); - System.out.println(a.hashCode()); - - Integer b=new Integer(-3); - System.out.println(b.hashCode()); - - Double c=new Double(123.4); - System.out.println(c.hashCode()); - - String s="abcd"; - System.out.println(s.hashCode()); - } -} diff --git a/DataStructureNotes/src/code_12_hashTable/Main2.java b/DataStructureNotes/src/code_12_hashTable/Main2.java deleted file mode 100644 index e2ae094..0000000 --- a/DataStructureNotes/src/code_12_hashTable/Main2.java +++ /dev/null @@ -1,19 +0,0 @@ -package code_12_hashTable; - -/** - * Created by 18351 on 2019/1/2. - */ -public class Main2 { - public static void main(String[] args) { - //重写hashCode的情况 - Student s=new Student(1,90.0,"aaa"); - System.out.println(s.hashCode()); //-1999996187 - - Student s2=new Student(1,90.0,"aaa"); - System.out.println(s2.hashCode());//-1999996187 - - //s和s2的地址是不同的,但是内容是相同的 - System.out.println(s==s2); //false - System.out.println(s.equals(s2)); //true - } -} diff --git a/DataStructureNotes/src/code_12_hashTable/RBTree.java b/DataStructureNotes/src/code_12_hashTable/RBTree.java deleted file mode 100644 index 2621dd9..0000000 --- a/DataStructureNotes/src/code_12_hashTable/RBTree.java +++ /dev/null @@ -1,235 +0,0 @@ -package code_12_hashTable; - -/** - * Created by 18351 on 2018/12/31. - */ -public class RBTree,V>{ - private static final boolean RED=true; - private static final boolean BLACK=false; - - private class Node{ - public K key; - public V value; - public Node left,right; - public boolean color; - public Node(K key,V value){ - this.key=key; - this.value=value; - this.left=null; - this.right=null; - this.color=RED; - } - } - - private Node root; - private int size; - - //判断节点是否是红色 - private boolean isRed(Node node){ - if(node==null){ - return BLACK; - } - return node.color; - } - - //左旋转 - // node x - // / \ 左旋转 / \ - // T1 x ---------> node T3 - // / \ / \ - // T2 T3 T1 T2 - private Node leftRotate(Node node){ - Node x=node.right; - - //左旋转 - node.right=x.left; - x.left=node; - - //改变节点颜色 - x.color=node.color; - node.color=RED; - - return x; - } - - //右旋转 - // node x - // / \ 右旋转 / \ - // x T2 -------> y node - // / \ / \ - // y T1 T1 T2 - private Node rightRotate(Node node) { - Node x=node.left; - - //右旋转 - node.left=x.right; - x.right=node; - - x.color=node.color; - node.color=RED; - - return x; - } - - //颜色翻转 - private void flipColors(Node node){ - node.color=RED; - node.left.color=BLACK; - node.right.color=BLACK; - } - - public void add(K key, V value) { - root=add(root,key,value); - //红黑树性质: 2.根节点是黑色的 - root.color=BLACK; - } - - private Node add(Node node,K key,V value){ - if(node==null){ - size++; - return new Node(key,value); - } - if(key.compareTo(node.key)<0){ - node.left=add(node.left,key,value); - }else if(key.compareTo(node.key)>0){ - node.right=add(node.right,key,value); - }else{ - node.value=value; - } - - // 黑 - // / - // 红 - // \ - // 红 - //左旋转 - if(isRed(node.right) && !isRed(node.left)){ - node=leftRotate(node); - } - - // 黑 - // / - // 红 - // / - // 红 - //右旋转 - if(isRed(node.left) && isRed(node.left.left)){ - node=rightRotate(node); - } - - // 黑 - // / \ - // 红 红 - // 颜色翻转 - if(isRed(node.left) && isRed(node.right)){ - flipColors(node); - } - return node; - } - - public V remove(K key) { - Node node=getNode(root,key); - if(node!=null){ - root=del(root,key); - size--; - } - return null; - } - - //返回以node为根节点的二分搜索树中,key所在的节点 - private Node getNode(Node node,K key){ - if(node==null){ - return null; - } - if(key.compareTo(node.key)<0){ - return getNode(node.left,key); - }else if(key.compareTo(node.key)>0){ - return getNode(node.right,key); - }else{ //key.compareTo(node.key)==0 - return node; - } - } - - //获取Map中的最小的key - private Node min(Node node){ - if(node.left==null){ - return node; - } - return min(node.left); - } - - //删除以node为根结点的Map中的key最小的元素 - private Node delMin(Node node){ - if(node.left==null){ - Node nodeRight=node.right; - node.right=null; - size--; - return nodeRight; - } - node.left=delMin(node.left); - return node; - } - - ////删除以node为根结点的Map中的键值为key的元素 - private Node del(Node node, K key){ - if(node==null){ - return null; - } - if(key.compareTo(node.key)<0){ - node.left=del(node.left,key); - return node; - }else if(key.compareTo(node.key)>0){ - node.right=del(node.right,key); - return node; - }else{ - //节点node就是要删除的节点 - //该节点只右有子树 - if(node.left==null){ - Node rightNode=node.right; - node.right=null; - size--; - return rightNode; - } - //该节点只有左子树 - if(node.right==null){ - Node leftNode=node.left; - node.left=null; - size--; - return leftNode; - } - //删除既有左子树又有右子树的节点 - Node s=min(node.right); - s.right=delMin(node.right); - s.left=node.left; - - //删除node - node.left=node.right=null; - return s; - } - } - - public boolean contains(K key) { - return getNode(root,key)!=null; - } - - public V get(K key) { - Node node=getNode(root,key); - return node==null?null:node.value; - } - - public void set(K key, V newValue) { - Node node=getNode(root,key); - if(node==null){ - throw new IllegalArgumentException(key+" does not exist"); - } - node.value=newValue; - } - - public int getSize() { - return size; - } - - public boolean isEmpty() { - return size==0; - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_12_hashTable/Student.java b/DataStructureNotes/src/code_12_hashTable/Student.java deleted file mode 100644 index 2dddc1e..0000000 --- a/DataStructureNotes/src/code_12_hashTable/Student.java +++ /dev/null @@ -1,50 +0,0 @@ -package code_12_hashTable; - -/** - * Created by 18351 on 2019/1/2. - */ -public class Student { - private int id; - private double score; - private String name; - - public Student(int id,double score,String name){ - this.id=id; - this.score=score; - this.name=name; - } - - /* - @Override - public int hashCode() { - int B=26; - - int hash=0; - hash = hash * B + id; - hash = hash * B + ((Double)score).hashCode(); - //忽略name的大小写问题 - hash = hash * B + name.toLowerCase().hashCode(); - return hash; - }*/ - - /** - * - 1. 检查是否为同一个对象的引用,如果是直接返回 true; - 2. 检查是否是同一个类型(判断Class对象是否相同),如果不是,直接返回 false; - 3. 将 Object 对象进行转型 - 4. 判断每个关键域是否相等 - */ - @Override - public boolean equals(Object obj) { - if(this==obj){ - return true; - } - if(obj==null || this.getClass()!=obj.getClass()){ - return false; - } - Student another=(Student)obj; - return this.id==another.id && - this.score==another.score && - this.name.toLowerCase().equals(another.name.toLowerCase()); - } -} diff --git a/DataStructureNotes/src/code_13_graph/BreadthFirstPaths.java b/DataStructureNotes/src/code_13_graph/BreadthFirstPaths.java deleted file mode 100644 index 6318732..0000000 --- a/DataStructureNotes/src/code_13_graph/BreadthFirstPaths.java +++ /dev/null @@ -1,81 +0,0 @@ -package code_13_graph; - -import java.util.LinkedList; -import java.util.Queue; -import java.util.Stack; - -/** - * 图的广度优先遍历 - */ -public class BreadthFirstPaths { - //标记顶点是否被访问过 - private boolean[] visited; - //记录路径 - private int[] edgeTo; - //起点 - private int s; - - public BreadthFirstPaths(Graph graph, int s){ - visited=new boolean[graph.V()]; - edgeTo=new int[graph.V()]; - for(int i=0;i queue=new LinkedList<>(); - queue.add(s); - while (!queue.isEmpty()){ - int v=queue.poll(); - for(int w:graph.adj(v)){ - if(!visited[w]){ - visited[w]=true; - edgeTo[w]=v; - queue.add(w); - } - } - } - } - - //是否有到顶点v的路径 - private boolean hasPathTo(int v){ - return visited[v]; - } - - //获取从 s->v的路径 - public Iterable pathTo(int v){ - if(!hasPathTo(v)){ - return null; - } - Stack path=new Stack<>(); - for(int i=v;i!=s;i=edgeTo[i]){ - path.push(i); - } - path.push(s); - return path; - } - - public void showPath(int v){ - Stack path= (Stack) pathTo(v); - - StringBuffer sb=new StringBuffer(); - sb.append("["); - while(!path.isEmpty()){ - int w=path.peek(); - if(path.size()==1){ - sb.append(w); - path.pop(); - }else{ - sb.append(w+"-->"); - path.pop(); - } - } - sb.append("]"); - System.out.println(sb.toString()); - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_13_graph/Component.java b/DataStructureNotes/src/code_13_graph/Component.java deleted file mode 100644 index 8410c47..0000000 --- a/DataStructureNotes/src/code_13_graph/Component.java +++ /dev/null @@ -1,37 +0,0 @@ -package code_13_graph; - -/** - * 图的dfs应用之统计图的连通分量 - */ -public class Component { - private Graph graph; - //连通分量的个数 - private int num; - private boolean[] visited; - - public Component(Graph graph){ - this.graph=graph; - visited=new boolean[graph.V()]; - num=0; - for(int i=0;i= 0; - this.n = n; - this.m = 0; // 初始化没有任何边 - //false表示无向图 - this.directed = directed; - // g初始化为n*n的布尔矩阵, 每一个g[i][j]均为false, 表示没有任和边 - // false为boolean型变量的默认值 - g = new boolean[n][n]; - } - - @Override - public int V(){ return n;} // 返回节点个数 - - @Override - public int E(){ return m;} // 返回边的个数 - - // 向图中添加一个边 - @Override - public void addEdge( int v , int w ){ - - assert v >= 0 && v < n ; - assert w >= 0 && w < n ; - - if( hasEdge( v , w ) ){ - return; - } - - - g[v][w] = true; - if( !directed ){ - g[w][v] = true; - } - m ++; - } - - // 验证图中是否有从v到w的边 - @Override - public boolean hasEdge( int v , int w ){ - assert v >= 0 && v < n ; - assert w >= 0 && w < n ; - return g[v][w]; - } - - @Override - public void show() { - for(int i=0;i adj(int v) { - assert v >= 0 && v < n; - Vector adjV = new Vector<>(); - for (int i = 0; i < n; i++) { - if (g[v][i]) { - adjV.add(i); - } - } - return adjV; - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_13_graph/DepthFirstPaths.java b/DataStructureNotes/src/code_13_graph/DepthFirstPaths.java deleted file mode 100644 index eeffb94..0000000 --- a/DataStructureNotes/src/code_13_graph/DepthFirstPaths.java +++ /dev/null @@ -1,74 +0,0 @@ -package code_13_graph; - -import java.util.Collections; -import java.util.Stack; - -/** - * 图的深度优先遍历 - */ -public class DepthFirstPaths { - //标记顶点是否被访问过 - private boolean[] visited; - //记录路径 - private int[] edgeTo; - //起点 - private int s; - - public DepthFirstPaths(Graph graph,int s){ - visited=new boolean[graph.V()]; - edgeTo=new int[graph.V()]; - for(int i=0;iv的路径 - dfs(graph,w); - } - } - } - - //是否有到顶点v的路径 - private boolean hasPathTo(int v){ - return visited[v]; - } - - //获取从 s->v的路径 - public Iterable pathTo(int v){ - if(!hasPathTo(v)){ - return null; - } - Stack path=new Stack<>(); - for(int i=v;i!=s;i=edgeTo[i]){ - path.push(i); - } - path.push(s); - return path; - } - - public void showPath(int v){ - Stack path= (Stack) pathTo(v); - - StringBuffer sb=new StringBuffer(); - sb.append("["); - while(!path.isEmpty()){ - int w=path.peek(); - if(path.size()==1){ - sb.append(w); - path.pop(); - }else{ - sb.append(w+"-->"); - path.pop(); - } - } - sb.append("]"); - System.out.println(sb.toString()); - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_13_graph/Graph.java b/DataStructureNotes/src/code_13_graph/Graph.java deleted file mode 100644 index 81cb900..0000000 --- a/DataStructureNotes/src/code_13_graph/Graph.java +++ /dev/null @@ -1,12 +0,0 @@ -package code_13_graph; - -// 图的接口 -public interface Graph { - - public int V(); - public int E(); - public void addEdge(int v, int w); - boolean hasEdge(int v, int w); - void show(); - public Iterable adj(int v); -} diff --git a/DataStructureNotes/src/code_13_graph/Main.java b/DataStructureNotes/src/code_13_graph/Main.java deleted file mode 100644 index 19b8302..0000000 --- a/DataStructureNotes/src/code_13_graph/Main.java +++ /dev/null @@ -1,30 +0,0 @@ -package code_13_graph; - -/** - * Created by 18351 on 2019/1/6. - */ -public class Main { - public static void main(String[] args) { - DenseGraph g1=new DenseGraph(4,false); - - g1.addEdge(0,1); - g1.addEdge(0,2); - g1.addEdge(0,3); - g1.addEdge(1,3); - g1.addEdge(2,3); - - Iterable adj1=g1.adj(0); - System.out.println(adj1); - - DenseGraph g2=new DenseGraph(4,false); - - g2.addEdge(0,1); - g2.addEdge(0,2); - g2.addEdge(0,3); - g2.addEdge(1,3); - g2.addEdge(2,3); - - Iterable adj2=g1.adj(0); - System.out.println(adj2); - } -} diff --git a/DataStructureNotes/src/code_13_graph/Main2.java b/DataStructureNotes/src/code_13_graph/Main2.java deleted file mode 100644 index b5fb4bc..0000000 --- a/DataStructureNotes/src/code_13_graph/Main2.java +++ /dev/null @@ -1,18 +0,0 @@ -package code_13_graph; - -import java.util.Stack; - -/** - * Created by 18351 on 2019/1/6. - */ -public class Main2 { - public static void main(String[] args) { - SparseGraph g1=new SparseGraph(6,false); - ReadGraph.readGraph(g1,"testG2.txt"); - g1.show(); - - //深度优先遍历 - DepthFirstPaths dfp=new DepthFirstPaths(g1,0); - dfp.showPath(5); - } -} diff --git a/DataStructureNotes/src/code_13_graph/Main3.java b/DataStructureNotes/src/code_13_graph/Main3.java deleted file mode 100644 index 9313cf1..0000000 --- a/DataStructureNotes/src/code_13_graph/Main3.java +++ /dev/null @@ -1,25 +0,0 @@ -package code_13_graph; - -import java.util.Stack; - -/** - * Created by 18351 on 2019/1/6. - */ -public class Main3 { - public static void main(String[] args) { - SparseGraph g1=new SparseGraph(13,false); - ReadGraph.readGraph(g1,"testG1.txt"); - Component component=new Component(g1); - System.out.println("Num Of Component:"+component.getNum()); - - SparseGraph g2=new SparseGraph(6,false); - ReadGraph.readGraph(g2,"testG2.txt"); - Component component2=new Component(g2); - System.out.println("Num Of Component:"+component2.getNum()); - - SparseGraph g3=new SparseGraph(2,false); - ReadGraph.readGraph(g3,"testG3.txt"); - Component component3=new Component(g3); - System.out.println("Num Of Component:"+component3.getNum()); - } -} diff --git a/DataStructureNotes/src/code_13_graph/Main4.java b/DataStructureNotes/src/code_13_graph/Main4.java deleted file mode 100644 index 93be0ff..0000000 --- a/DataStructureNotes/src/code_13_graph/Main4.java +++ /dev/null @@ -1,17 +0,0 @@ -package code_13_graph; - -/** - * Created by 18351 on 2019/1/6. - */ -public class Main4 { - public static void main(String[] args) { - SparseGraph g2=new SparseGraph(6,false); - ReadGraph.readGraph(g2,"testG2.txt"); - - DepthFirstPaths dfp=new DepthFirstPaths(g2,0); - dfp.showPath(5); - - BreadthFirstPaths bfp=new BreadthFirstPaths(g2,0); - bfp.showPath(3); - } -} diff --git a/DataStructureNotes/src/code_13_graph/ReadGraph.java b/DataStructureNotes/src/code_13_graph/ReadGraph.java deleted file mode 100644 index f708f85..0000000 --- a/DataStructureNotes/src/code_13_graph/ReadGraph.java +++ /dev/null @@ -1,64 +0,0 @@ -package code_13_graph; - -import java.io.BufferedInputStream; -import java.io.File; -import java.io.FileInputStream; -import java.io.IOException; -import java.util.InputMismatchException; -import java.util.Locale; -import java.util.NoSuchElementException; -import java.util.Scanner; - -/** - * Created by 18351 on 2019/1/6. - */ -public class ReadGraph { - private static Scanner scanner; - - private static void readFile(String fileName) { - assert fileName!=null; - try{ - File file=new File(fileName); - if(file.exists()){ - FileInputStream fis=new FileInputStream(file); - scanner=new Scanner(new BufferedInputStream(fis),"UTF-8"); - scanner.useLocale(Locale.ENGLISH); - } - }catch (IOException e){ - throw new IllegalArgumentException(fileName + "doesn't exist."); - } - } - - public static void readGraph(Graph graph, String fileName) { - readFile(fileName); - - try { - int V = scanner.nextInt(); - if (V < 0){ - throw new IllegalArgumentException("number of vertices in a Graph must be nonnegative"); - } - - assert (V == graph.V()); - - int E = scanner.nextInt(); - if (E < 0){ - throw new IllegalArgumentException("number of edges in a Graph must be nonnegative"); - } - - for (int i = 0; i < E; i++) { - int v = scanner.nextInt(); - int w = scanner.nextInt(); - assert v >= 0 && v < V; - assert w >= 0 && w < V; - graph.addEdge(v, w); - } - } - catch (InputMismatchException e) { - String token = scanner.next(); - throw new InputMismatchException("attempts to read an 'int' value from input stream, but the next token is \"" + token + "\""); - } - catch (NoSuchElementException e) { - throw new NoSuchElementException("attemps to read an 'int' value from input stream, but there are no more tokens available"); - } - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_13_graph/ShortestPath.java b/DataStructureNotes/src/code_13_graph/ShortestPath.java deleted file mode 100644 index fd2cca3..0000000 --- a/DataStructureNotes/src/code_13_graph/ShortestPath.java +++ /dev/null @@ -1,90 +0,0 @@ -package code_13_graph; - -import java.util.LinkedList; -import java.util.Queue; -import java.util.Stack; - -/** - * 图的广度优先遍历求无权图的最短路径 - */ -public class ShortestPath { - //标记顶点是否被访问过 - private boolean[] visited; - //记录路径 - private int[] edgeTo; - //起点 - private int s; - //从起点到某个节点的最短路径 - private int[] ord; - - public ShortestPath(Graph graph, int s){ - visited=new boolean[graph.V()]; - edgeTo=new int[graph.V()]; - ord=new int[graph.V()]; - for(int i=0;i queue=new LinkedList<>(); - queue.add(s); - while (!queue.isEmpty()){ - int v=queue.poll(); - for(int w:graph.adj(v)){ - if(!visited[w]){ - visited[w]=true; - edgeTo[w]=v; - ord[w]=ord[v]+1; - queue.add(w); - } - } - } - } - - //是否有到顶点v的路径 - private boolean hasPathTo(int v){ - return visited[v]; - } - - //获取从 s->v的路径 - public Iterable pathTo(int v){ - if(!hasPathTo(v)){ - return null; - } - Stack path=new Stack<>(); - for(int i=v;i!=s;i=edgeTo[i]){ - path.push(i); - } - path.push(s); - return path; - } - - public void showPath(int v){ - Stack path= (Stack) pathTo(v); - - StringBuffer sb=new StringBuffer(); - sb.append("["); - while(!path.isEmpty()){ - int w=path.peek(); - if(path.size()==1){ - sb.append(w); - path.pop(); - }else{ - sb.append(w+"-->"); - path.pop(); - } - } - sb.append("]"); - System.out.println(sb.toString()); - } - - //s-->v的最短距离 - public int getLength(int v){ - return ord[v]; - } -} diff --git a/DataStructureNotes/src/code_13_graph/SparseGraph.java b/DataStructureNotes/src/code_13_graph/SparseGraph.java deleted file mode 100644 index 7d9f37b..0000000 --- a/DataStructureNotes/src/code_13_graph/SparseGraph.java +++ /dev/null @@ -1,78 +0,0 @@ -package code_13_graph; - -import java.util.Vector; - -/** - * 稀疏图 - 邻接表 - */ -public class SparseGraph implements Graph{ - - private int n; // 节点数 - private int m; // 边数 - private boolean directed; // 是否为有向图 - private Vector[] g; // 图的具体数据 - - // 构造函数 - public SparseGraph( int n , boolean directed ){ - assert n >= 0; - this.n = n; - this.m = 0; // 初始化没有任何边 - this.directed = directed; - // g初始化为n个空的vector, 表示每一个g[i]都为空, 即没有任和边 - g = (Vector[])new Vector[n]; - for(int i = 0 ; i < n ; i ++){ - g[i] = new Vector(); - } - } - - @Override - public int V(){ return n;} // 返回节点个数 - - @Override - public int E(){ return m;} // 返回边的个数 - - // 向图中添加一个边 - @Override - public void addEdge( int v, int w ){ - - assert v >= 0 && v < n ; - assert w >= 0 && w < n ; - - g[v].add(w); - if( v != w && !directed ){ - g[w].add(v); - } - m ++; - } - - // 验证图中是否有从v到w的边 -->时间复杂度:O(n) - @Override - public boolean hasEdge(int v, int w){ - - assert v >= 0 && v < n ; - assert w >= 0 && w < n ; - - for( int i = 0 ; i < g[v].size() ; i ++ ){ - if( g[v].elementAt(i) == w ){ - return true; - } - } - return false; - } - - @Override - public void show() { - for(int i=0;i adj(int v){ - assert v>=0 && v implements WeightedGraph{ - - private int n; // 节点数 - private int m; // 边数 - private boolean directed; // 是否为有向图 - private Edge[][] g; // 图的具体数据 - - // 构造函数 - public DenseWeightedGraph(int n , boolean directed ){ - assert n >= 0; - this.n = n; - this.m = 0; // 初始化没有任何边 - //false表示无向图 - this.directed = directed; - // g初始化为n*n的有向边矩阵 - g = new Edge[n][n]; - } - - @Override - public int V(){ return n;} // 返回节点个数 - - @Override - public int E(){ return m;} // 返回边的个数 - - // 向图中添加一个边 - @Override - public void addEdge(Edge edge){ - assert edge.v() >= 0 && edge.v() < n ; - assert edge.w() >= 0 && edge.w() < n ; - - if( hasEdge( edge.v() , edge.w() ) ){ - return; - } - g[edge.v()][edge.w()] = new Edge(edge); - if( edge.v() != edge.w() && !directed ){ - g[edge.w()][edge.v()] = new Edge(edge.w(), edge.v(), edge.wt()); - } - m ++; - } - - // 验证图中是否有从v到w的边 - @Override - public boolean hasEdge( int v , int w ){ - assert v >= 0 && v < n ; - assert w >= 0 && w < n ; - return g[v][w]!=null; - } - - @Override - public void show() { - for(int i=0;i> adj(int v) { - assert v >= 0 && v < n; - Vector> adjV = new Vector<>(); - for (int i = 0; i < n; i++) { - if (g[v][i]!=null) { - adjV.add(g[v][i]); - } - } - return adjV; - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_14_minSpanTree/Edge.java b/DataStructureNotes/src/code_14_minSpanTree/Edge.java deleted file mode 100644 index d3dca8d..0000000 --- a/DataStructureNotes/src/code_14_minSpanTree/Edge.java +++ /dev/null @@ -1,58 +0,0 @@ -package code_14_minSpanTree; - -/** - * Created by 18351 on 2019/1/7. - */ -public class Edge implements Comparable{ - //定义改变的起始节点和终止节点 - private int from; - private int to; - //该边的权值 - private E weight; - - public Edge(int v, int w, E weight) - { - this.from = v; - this.to = w; - this.weight = weight; - } - - public Edge(Edge e) - { - this.from = e.from; - this.to = e.to; - this.weight = e.weight; - } - - //获取起点 - public int v(){ - return from; - } - - //获取终点 - public int w(){ - return to; - } - - //获取权值 - public E wt(){ - return weight; - } - - // 给定一个顶点, 返回另一个顶点 - public int other(int x){ - assert x == from || x == to; - return x == from ? to : from; - } - - @Override - public String toString() { - return "" + from + "-" + to + ": " + weight; - } - - @Override - public int compareTo(Edge that) { - int num=weight.compareTo(that.wt()); - return num; - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_14_minSpanTree/IndexMinHeap.java b/DataStructureNotes/src/code_14_minSpanTree/IndexMinHeap.java deleted file mode 100644 index 15a1ea7..0000000 --- a/DataStructureNotes/src/code_14_minSpanTree/IndexMinHeap.java +++ /dev/null @@ -1,171 +0,0 @@ -package code_14_minSpanTree; - -import java.lang.reflect.Array; -import java.util.*; -import java.lang.*; - -// 最小索引堆 -public class IndexMinHeap { - - protected Item[] data; // 最小索引堆中的数据 - protected int[] indexes; // 最小索引堆中的索引, indexes[x] = i 表示索引i在x的位置 - protected int[] reverse; // 最小索引堆中的反向索引, reverse[i] = x 表示索引i在x的位置 - protected int count; - protected int capacity; - - // 构造函数, 构造一个空堆, 可容纳capacity个元素 - public IndexMinHeap(int capacity){ - data = (Item[])new Comparable[capacity+1]; - indexes = new int[capacity+1]; - reverse = new int[capacity+1]; - for( int i = 0 ; i <= capacity ; i ++ ) - reverse[i] = 0; - - count = 0; - this.capacity = capacity; - } - - // 返回索引堆中的元素个数 - public int size(){ - return count; - } - - // 返回一个布尔值, 表示索引堆中是否为空 - public boolean isEmpty(){ - return count == 0; - } - - // 向最小索引堆中插入一个新的元素, 新元素的索引为i, 元素为item - // 传入的i对用户而言,是从0索引的 - public void insert(int i, Item item){ - - assert count + 1 <= capacity; - assert i + 1 >= 1 && i + 1 <= capacity; - - // 再插入一个新元素前,还需要保证索引i所在的位置是没有元素的。 - assert !contain(i); - - i += 1; - data[i] = item; - indexes[count+1] = i; - reverse[i] = count + 1; - count ++; - - shiftUp(count); - } - - // 从最小索引堆中取出堆顶元素, 即索引堆中所存储的最小数据 - public Item extractMin(){ - assert count > 0; - - Item ret = data[indexes[1]]; - swapIndexes( 1 , count ); - reverse[indexes[count]] = 0; - count --; - shiftDown(1); - - return ret; - } - - // 从最小索引堆中取出堆顶元素的索引 - public int extractMinIndex(){ - assert count > 0; - - int ret = indexes[1] - 1; - swapIndexes( 1 , count ); - reverse[indexes[count]] = 0; - count --; - shiftDown(1); - - return ret; - } - - // 获取最小索引堆中的堆顶元素 - public Item getMin(){ - assert count > 0; - return data[indexes[1]]; - } - - // 获取最小索引堆中的堆顶元素的索引 - public int getMinIndex(){ - assert count > 0; - return indexes[1]-1; - } - - // 看索引i所在的位置是否存在元素 - boolean contain( int i ){ - assert i + 1 >= 1 && i + 1 <= capacity; - return reverse[i+1] != 0; - } - - // 获取最小索引堆中索引为i的元素 - public Item getItem( int i ){ - assert contain(i); - return data[i+1]; - } - - // 将最小索引堆中索引为i的元素修改为newItem - public void change( int i , Item newItem ){ - - assert contain(i); - - i += 1; - data[i] = newItem; - - // 有了 reverse 之后, - // 我们可以非常简单的通过reverse直接定位索引i在indexes中的位置 - shiftUp( reverse[i] ); - shiftDown( reverse[i] ); - } - - // 交换索引堆中的索引i和j - // 由于有了反向索引reverse数组, - // indexes数组发生改变以后, 相应的就需要维护reverse数组 - private void swapIndexes(int i, int j){ - int t = indexes[i]; - indexes[i] = indexes[j]; - indexes[j] = t; - - reverse[indexes[i]] = i; - reverse[indexes[j]] = j; - } - - //******************** - //* 最小索引堆核心辅助函数 - //******************** - - // 索引堆中, 数据之间的比较根据data的大小进行比较, 但实际操作的是索引 - private void shiftUp(int k){ - - while( k > 1 && data[indexes[k/2]].compareTo(data[indexes[k]]) > 0 ){ - swapIndexes(k, k/2); - k /= 2; - } - } - - // 索引堆中, 数据之间的比较根据data的大小进行比较, 但实际操作的是索引 - private void shiftDown(int k){ - - while( 2*k <= count ){ - int j = 2*k; - if( j+1 <= count && data[indexes[j+1]].compareTo(data[indexes[j]]) < 0 ) - j ++; - - if( data[indexes[k]].compareTo(data[indexes[j]]) <= 0 ) - break; - - swapIndexes(k, j); - k = j; - } - } - - // 测试 IndexMinHeap - public static void main(String[] args) { - - int N = 1000000; - IndexMinHeap indexMinHeap = new IndexMinHeap(N); - for( int i = 0 ; i < N ; i ++ ) - indexMinHeap.insert( i , (int)(Math.random()*N) ); - - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_14_minSpanTree/KruskalMST.java b/DataStructureNotes/src/code_14_minSpanTree/KruskalMST.java deleted file mode 100644 index ae94221..0000000 --- a/DataStructureNotes/src/code_14_minSpanTree/KruskalMST.java +++ /dev/null @@ -1,59 +0,0 @@ -package code_14_minSpanTree; - -import java.util.PriorityQueue; -import java.util.Vector; - -/** - * Created by DHA on 2019/1/7. - */ -public class KruskalMST { - private Vector> mst; // 最小生成树所包含的所有边 - private Number mstWeight; // 最小生成树的权值 - - public KruskalMST(WeightedGraph graph){ - mst=new Vector<>(); - - // 将图中的所有边存放到一个最小堆中 - PriorityQueue> pq=new PriorityQueue<>(graph.E()); - for(int i=0;i e=(Edge)item; - if(e.w() e = pq.poll(); - - //如果该边的两个端点是联通的, 说明加入这条边将产生环, 扔掉这条边 - if(uf.isConnected(e.w(),e.v())){ - continue; - } - - // 否则, 将这条边添加进最小生成树, 同时标记边的两个端点联通 - mst.add(e); - uf.unionElements(e.w(),e.v()); - } - - // 计算最小生成树的权值 - mstWeight = mst.elementAt(0).wt(); - for( int i = 1 ; i < mst.size() ; i ++ ){ - mstWeight = mstWeight.doubleValue() + mst.elementAt(i).wt().doubleValue(); - } - } - - // 返回最小生成树的所有边 - Vector> mstEdges(){ - return mst; - } - - // 返回最小生成树的权值 - Number result(){ - return mstWeight; - } -} diff --git a/DataStructureNotes/src/code_14_minSpanTree/LazyPrimMST.java b/DataStructureNotes/src/code_14_minSpanTree/LazyPrimMST.java deleted file mode 100644 index ace27a2..0000000 --- a/DataStructureNotes/src/code_14_minSpanTree/LazyPrimMST.java +++ /dev/null @@ -1,70 +0,0 @@ -package code_14_minSpanTree; - -import java.util.PriorityQueue; -import java.util.Vector; - -/** - * Created by 18351 on 2019/1/7. - */ -public class LazyPrimMST { - private WeightedGraph G; // 图的引用 - private PriorityQueue> pq; // 最小堆, -->Java默认使用小根堆 - private boolean[] marked; // 标记数组, 在算法运行过程中标记节点i是否被访问 - private Vector> mst; // 最小生成树所包含的所有边 - private Number mstWeight; // 最小生成树的权值 - - public LazyPrimMST(WeightedGraph graph){ - this.G=graph; - pq=new PriorityQueue<>(); - marked=new boolean[graph.V()]; - mst=new Vector<>(); - - //从0节点开始访问 - visit(0); - while(!pq.isEmpty()){ - //获取最小边 - Edge e=pq.poll(); - //看看这条最小边是否是横切边 - if(marked[e.v()]==marked[e.w()]){ - continue; - } - //是横切边,说明就是MST的边 - mst.add(e); - - // 访问和这条边连接的还没有被访问过的节点 - if(! marked[e.v()]){ - visit(e.v()); - }else{ - visit(e.w()); - } - - //计算最小生成树的权值 - mstWeight=mst.elementAt(0).wt(); - for(int i=1;i> mstEdges(){ - return mst; - } - - // 返回最小生成树的权值 - public Number result(){ - return mstWeight; - } -} diff --git a/DataStructureNotes/src/code_14_minSpanTree/MSTMain.java b/DataStructureNotes/src/code_14_minSpanTree/MSTMain.java deleted file mode 100644 index dfd735f..0000000 --- a/DataStructureNotes/src/code_14_minSpanTree/MSTMain.java +++ /dev/null @@ -1,122 +0,0 @@ -package code_14_minSpanTree; - -/** - * Created by 18351 on 2019/1/7. - */ -public class MSTMain { - // 测试我们实现的两种Prim算法的性能差距 - // 可以看出这一节使用索引堆实现的Prim算法的Lazy Prim算法 - public static void main(String[] args) { - String filename1 = "testG4.txt"; - int V1 = 8; - - String filename2 = "testG5.txt"; - int V2 = 250; - - String filename3 = "testG6.txt"; - int V3 = 1000; - - String filename4 = "testG7.txt"; - int V4 = 10000; - - // 文件读取 - SparseWeightedGraph g1 = new SparseWeightedGraph(V1, false); - ReadWeightedGraph readGraph1 = new ReadWeightedGraph(g1, filename1); - System.out.println( filename1 + " load successfully."); - - SparseWeightedGraph g2 = new SparseWeightedGraph(V2, false); - ReadWeightedGraph readGraph2 = new ReadWeightedGraph(g2, filename2); - System.out.println( filename2 + " load successfully."); - - SparseWeightedGraph g3 = new SparseWeightedGraph(V3, false); - ReadWeightedGraph readGraph3 = new ReadWeightedGraph(g3, filename3); - System.out.println( filename3 + " load successfully."); - - SparseWeightedGraph g4 = new SparseWeightedGraph(V4, false); - ReadWeightedGraph readGraph4 = new ReadWeightedGraph(g4, filename4); - System.out.println( filename4 + " load successfully."); - -// SparseWeightedGraph g5 = new SparseWeightedGraph(V5, false); -// ReadWeightedGraph readGraph5 = new ReadWeightedGraph(g5, filename5); -// System.out.println( filename5 + " load successfully."); - - System.out.println(); - - - long startTime, endTime; - - // Test Lazy Prim MST - System.out.println("Test Lazy Prim MST:"); - - startTime = System.currentTimeMillis(); - LazyPrimMST lazyPrimMST1 = new LazyPrimMST(g1); - endTime = System.currentTimeMillis(); - System.out.println("Test for G4: " + (endTime-startTime) + "ms."); - - startTime = System.currentTimeMillis(); - LazyPrimMST lazyPrimMST2 = new LazyPrimMST(g2); - endTime = System.currentTimeMillis(); - System.out.println("Test for G5: " + (endTime-startTime) + "ms."); - - startTime = System.currentTimeMillis(); - LazyPrimMST lazyPrimMST3 = new LazyPrimMST(g3); - endTime = System.currentTimeMillis(); - System.out.println("Test for G6: " + (endTime-startTime) + "ms."); - - startTime = System.currentTimeMillis(); - LazyPrimMST lazyPrimMST4 = new LazyPrimMST(g4); - endTime = System.currentTimeMillis(); - System.out.println("Test for G7: " + (endTime-startTime) + "ms."); - - System.out.println(); - - - // Test Prim MST - System.out.println("Test Prim MST:"); - - startTime = System.currentTimeMillis(); - PrimMST primMST1 = new PrimMST(g1); - endTime = System.currentTimeMillis(); - System.out.println("Test for G4: " + (endTime-startTime) + "ms."); - - startTime = System.currentTimeMillis(); - PrimMST primMST2 = new PrimMST(g2); - endTime = System.currentTimeMillis(); - System.out.println("Test for G5: " + (endTime-startTime) + "ms."); - - startTime = System.currentTimeMillis(); - PrimMST primMST3 = new PrimMST(g3); - endTime = System.currentTimeMillis(); - System.out.println("Test for G6: " + (endTime-startTime) + "ms."); - - startTime = System.currentTimeMillis(); - PrimMST primMST4 = new PrimMST(g4); - endTime = System.currentTimeMillis(); - System.out.println("Test for G7: " + (endTime-startTime) + "ms."); - - System.out.println(); - - // Test Kruskal MST - System.out.println("Test Kruskal MST:"); - - startTime = System.currentTimeMillis(); - KruskalMST kruskalMST1 = new KruskalMST(g1); - endTime = System.currentTimeMillis(); - System.out.println("Test for G4: " + (endTime-startTime) + "ms."); - - startTime = System.currentTimeMillis(); - KruskalMST kruskalMST2 = new KruskalMST(g2); - endTime = System.currentTimeMillis(); - System.out.println("Test for G5: " + (endTime-startTime) + "ms."); - - startTime = System.currentTimeMillis(); - KruskalMST kruskalMST3 = new KruskalMST(g3); - endTime = System.currentTimeMillis(); - System.out.println("Test for G6: " + (endTime-startTime) + "ms."); - - startTime = System.currentTimeMillis(); - KruskalMST kruskalMST4 = new KruskalMST(g4); - endTime = System.currentTimeMillis(); - System.out.println("Test for G7: " + (endTime-startTime) + "ms."); - } -} diff --git a/DataStructureNotes/src/code_14_minSpanTree/Main.java b/DataStructureNotes/src/code_14_minSpanTree/Main.java deleted file mode 100644 index 9a74edf..0000000 --- a/DataStructureNotes/src/code_14_minSpanTree/Main.java +++ /dev/null @@ -1,24 +0,0 @@ -package code_14_minSpanTree; - -/** - * Created by 18351 on 2019/1/7. - */ -public class Main { - public static void main(String[] args) { - // 使用两种图的存储方式读取testG1.txt文件 - String filename = "testG4.txt"; - SparseWeightedGraph g1 = new SparseWeightedGraph(8, false); - ReadWeightedGraph readGraph1 = new ReadWeightedGraph(g1, filename); - System.out.println("test G4 in Sparse Weighted Graph:"); - g1.show(); - - System.out.println(); - - DenseWeightedGraph g2 = new DenseWeightedGraph(8, false); - ReadWeightedGraph readGraph2 = new ReadWeightedGraph(g2 , filename ); - System.out.println("test G4 in Dense Graph:"); - g2.show(); - - System.out.println(); - } -} diff --git a/DataStructureNotes/src/code_14_minSpanTree/Main2.java b/DataStructureNotes/src/code_14_minSpanTree/Main2.java deleted file mode 100644 index 6348c87..0000000 --- a/DataStructureNotes/src/code_14_minSpanTree/Main2.java +++ /dev/null @@ -1,40 +0,0 @@ -package code_14_minSpanTree; - -import java.util.Vector; - -/** - * Created by 18351 on 2019/1/7. - */ -public class Main2 { - public static void main(String[] args) { - // 使用两种图的存储方式读取testG1.txt文件 - String filename = "testG4.txt"; - SparseWeightedGraph g1 = new SparseWeightedGraph(8, false); - ReadWeightedGraph readGraph1 = new ReadWeightedGraph(g1, filename); - System.out.println("test G4 in Sparse Weighted Graph:"); - g1.show(); - - LazyPrimMST lazyPrimMST=new LazyPrimMST<>(g1); - Vector> mst=lazyPrimMST.mstEdges(); - for(Edge e:mst){ - System.out.println(e); - } - System.out.println("The mst weight is:"+lazyPrimMST.result()); - - PrimMST primMST=new PrimMST<>(g1); - Vector> mst2=primMST.mstEdges(); - for(Edge e:mst2){ - System.out.println(e); - } - System.out.println("The mst weight is:"+primMST.result()); - - - KruskalMST kruskalMST=new KruskalMST<>(g1); - Vector> mst3=kruskalMST.mstEdges(); - for(Edge e:mst3){ - System.out.println(e); - } - System.out.println("The mst weight is:"+kruskalMST.result()); - - } -} diff --git a/DataStructureNotes/src/code_14_minSpanTree/PrimMST.java b/DataStructureNotes/src/code_14_minSpanTree/PrimMST.java deleted file mode 100644 index 6845d34..0000000 --- a/DataStructureNotes/src/code_14_minSpanTree/PrimMST.java +++ /dev/null @@ -1,77 +0,0 @@ -package code_14_minSpanTree; - -import java.util.Vector; - -/** - * 优化的Prim算法求图的最小生成树 - */ -public class PrimMST { - private WeightedGraph G; // 图的引用 - private IndexMinHeap ipq; // 最小索引堆, 算法辅助数据结构 - private Edge[] edgeTo; // 访问的点所对应的边, 算法辅助数据结构 - private boolean[] marked; // 标记数组, 在算法运行过程中标记节点i是否被访问 - private Vector> mst; // 最小生成树所包含的所有边 - private Number mstWeight; // 最小生成树的权值 - - public PrimMST(WeightedGraph graph){ - G = graph; - assert( graph.E() >= 1 ); - ipq = new IndexMinHeap(graph.V()); - - // 算法初始化 - marked = new boolean[G.V()]; - edgeTo = new Edge[G.V()]; - mst=new Vector<>(); - - //Lazy Prim算法的改进 - visit(0); - while (!ipq.isEmpty()){ - // 使用最小索引堆找出已经访问的边中权值最小的边 - // 最小索引堆中存储的是点的索引, 通过点的索引找到相对应的边 - int v=ipq.extractMinIndex(); - assert( edgeTo[v] != null ); - mst.add(edgeTo[v]); - visit(v); - } - - //计算最小生成树的权值 - mstWeight=mst.elementAt(0).wt(); - for(int i=1;i e=(Edge)edge; - int w=e.other(v); - // 如果边的另一端点未被访问 - if(!marked[w]){ - if(edgeTo[w]==null){ - //如果从没有考虑过这个端点, 直接将这个端点和与之相连接的边加入索引堆 - //edgeTo[w] 表示访问w定点所对应的边 - edgeTo[w]=e; - ipq.insert(w,e.wt()); - }else if(e.wt().compareTo(edgeTo[w].wt())<0){ - //如果曾经考虑这个端点, 但现在的边比之前考虑的边更短, 则进行替换 - edgeTo[w]=e; - ipq.change(w,e.wt()); - } - } - } - } - - // 返回最小生成树的所有边 - Vector> mstEdges(){ - return mst; - } - - // 返回最小生成树的权值 - Number result(){ - return mstWeight; - } -} diff --git a/DataStructureNotes/src/code_14_minSpanTree/ReadWeightedGraph.java b/DataStructureNotes/src/code_14_minSpanTree/ReadWeightedGraph.java deleted file mode 100644 index 46ae463..0000000 --- a/DataStructureNotes/src/code_14_minSpanTree/ReadWeightedGraph.java +++ /dev/null @@ -1,67 +0,0 @@ -package code_14_minSpanTree; - -import java.io.BufferedInputStream; -import java.io.File; -import java.io.FileInputStream; -import java.io.IOException; -import java.util.Scanner; -import java.util.Locale; -import java.util.InputMismatchException; -import java.util.NoSuchElementException; - -// 通过文件读取有全图的信息 -public class ReadWeightedGraph{ - - private Scanner scanner; - - // 由于文件格式的限制,我们的文件读取类只能读取权值为Double类型的图 - public ReadWeightedGraph(WeightedGraph graph, String filename){ - readFile(filename); - - try { - int V = scanner.nextInt(); - if (V < 0){ - throw new IllegalArgumentException("number of vertices in a Graph must be nonnegative"); - } - assert V == graph.V(); - - int E = scanner.nextInt(); - if (E < 0){ - throw new IllegalArgumentException("number of edges in a Graph must be nonnegative"); - } - for (int i = 0; i < E; i++) { - int v = scanner.nextInt(); - int w = scanner.nextInt(); - Double weight = scanner.nextDouble(); - assert v >= 0 && v < V; - assert w >= 0 && w < V; - graph.addEdge(new Edge(v, w, weight)); - } - } - catch (InputMismatchException e) { - String token = scanner.next(); - throw new InputMismatchException("attempts to read an 'int' value from input stream, but the next token is \"" + token + "\""); - } - catch (NoSuchElementException e) { - throw new NoSuchElementException("attemps to read an 'int' value from input stream, but there are no more tokens available"); - } - } - - private void readFile(String filename){ - assert filename != null; - try { - File file = new File(filename); - if (file.exists()) { - FileInputStream fis = new FileInputStream(file); - scanner = new Scanner(new BufferedInputStream(fis), "UTF-8"); - scanner.useLocale(Locale.ENGLISH); - } - else{ - throw new IllegalArgumentException(filename + " doesn't exist."); - } - } - catch (IOException ioe) { - throw new IllegalArgumentException("Could not open " + filename, ioe); - } - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_14_minSpanTree/SparseWeightedGraph.java b/DataStructureNotes/src/code_14_minSpanTree/SparseWeightedGraph.java deleted file mode 100644 index 0409bd5..0000000 --- a/DataStructureNotes/src/code_14_minSpanTree/SparseWeightedGraph.java +++ /dev/null @@ -1,84 +0,0 @@ -package code_14_minSpanTree; - -import java.util.Vector; - -/** - * 有向图 - */ -public class SparseWeightedGraph implements WeightedGraph{ - - private int n; // 节点数 - private int m; // 边数 - private boolean directed; // 是否为有向图 - private Vector>[] g; // 图的具体数据 - - // 构造函数 - public SparseWeightedGraph(int n , boolean directed ){ - assert n >= 0; - this.n = n; - this.m = 0; // 初始化没有任何边 - this.directed = directed; - // g初始化为n个空的vector, 表示每一个g[i]都为空, 即没有任和边 - g = (Vector>[])new Vector[n]; - for(int i = 0 ; i < n ; i ++){ - g[i] = new Vector>(); - } - } - - @Override - public int V(){ return n;} // 返回节点个数 - - @Override - public int E(){ return m;} // 返回边的个数 - - // 向图中添加一个边 - @Override - public void addEdge(Edge edge){ - - assert edge.v() >= 0 && edge.v() < n ; - assert edge.w() >= 0 && edge.w() < n ; - - g[edge.v()].add(edge); - if( edge.v() != edge.w() && !directed ){ - g[edge.w()].add(new Edge(edge.w(),edge.v(),edge.wt())); - } - m ++; - } - - // 验证图中是否有从v到w的边 -->时间复杂度:O(n) - @Override - public boolean hasEdge(int v, int w){ - - assert v >= 0 && v < n ; - assert w >= 0 && w < n ; - - for( int i = 0 ; i < g[v].size() ; i ++ ){ - if( g[v].elementAt(i).other(v) == w ){ - return true; - } - } - return false; - } - - @Override - public void show() { - for( int i = 0 ; i < n ; i ++ ){ - System.out.print("vertex " + i + ":\t"); - for( int j = 0 ; j < g[i].size() ; j ++ ){ - Edge e = g[i].elementAt(j); - System.out.print( "( to:" + e.other(i) + ",wt:" + e.wt() + ")\t"); - } - System.out.println(); - } - } - - // 返回图中一个顶点的所有邻边 - // 由于java使用引用机制,返回一个Vector不会带来额外开销 - - @Override - public Iterable> adj(int v) { - assert v >= 0 && v < n; - return g[v]; - } -} - diff --git a/DataStructureNotes/src/code_14_minSpanTree/UnionFind.java b/DataStructureNotes/src/code_14_minSpanTree/UnionFind.java deleted file mode 100644 index 4b3a783..0000000 --- a/DataStructureNotes/src/code_14_minSpanTree/UnionFind.java +++ /dev/null @@ -1,68 +0,0 @@ -package code_14_minSpanTree; - -// Union-Find -public class UnionFind { - - // rank[i]表示以i为根的集合所表示的树的层数 - // 在后续的代码中, 我们并不会维护rank的语意, 也就是rank的值在路径压缩的过程中, 有可能不在是树的层数值 - // 这也是我们的rank不叫height或者depth的原因, 他只是作为比较的一个标准 - // 关于这个问题,可以参考问答区:http://coding.imooc.com/learn/questiondetail/7287.html - private int[] rank; - private int[] parent; // parent[i]表示第i个元素所指向的父节点 - private int count; // 数据个数 - - // 构造函数 - public UnionFind(int count){ - rank = new int[count]; - parent = new int[count]; - this.count = count; - // 初始化, 每一个parent[i]指向自己, 表示每一个元素自己自成一个集合 - for( int i = 0 ; i < count ; i ++ ){ - parent[i] = i; - rank[i] = 1; - } - } - - // 查找过程, 查找元素p所对应的集合编号 - // O(h)复杂度, h为树的高度 - int find(int p){ - assert( p >= 0 && p < count ); - - // path compression 1 - while( p != parent[p] ){ - parent[p] = parent[parent[p]]; - p = parent[p]; - } - return p; - } - - // 查看元素p和元素q是否所属一个集合 - // O(h)复杂度, h为树的高度 - boolean isConnected( int p , int q ){ - return find(p) == find(q); - } - - // 合并元素p和元素q所属的集合 - // O(h)复杂度, h为树的高度 - void unionElements(int p, int q){ - - int pRoot = find(p); - int qRoot = find(q); - - if( pRoot == qRoot ) - return; - - // 根据两个元素所在树的元素个数不同判断合并方向 - // 将元素个数少的集合合并到元素个数多的集合上 - if( rank[pRoot] < rank[qRoot] ){ - parent[pRoot] = qRoot; - } - else if( rank[qRoot] < rank[pRoot]){ - parent[qRoot] = pRoot; - } - else{ // rank[pRoot] == rank[qRoot] - parent[pRoot] = qRoot; - rank[qRoot] += 1; // 此时, 我维护rank的值 - } - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_14_minSpanTree/WeightedEdge.java b/DataStructureNotes/src/code_14_minSpanTree/WeightedEdge.java deleted file mode 100644 index e194478..0000000 --- a/DataStructureNotes/src/code_14_minSpanTree/WeightedEdge.java +++ /dev/null @@ -1,13 +0,0 @@ -package code_14_minSpanTree; - -/** - * 定义有向边 - */ -public interface WeightedEdge { - public int V(); - public int E(); - public void addEdge(Edge e); - boolean hasEdge( int v , int w ); - void show(); - public Iterable> adj(int v); -} diff --git a/DataStructureNotes/src/code_14_minSpanTree/WeightedGraph.java b/DataStructureNotes/src/code_14_minSpanTree/WeightedGraph.java deleted file mode 100644 index 9343fc1..0000000 --- a/DataStructureNotes/src/code_14_minSpanTree/WeightedGraph.java +++ /dev/null @@ -1,11 +0,0 @@ -package code_14_minSpanTree; - -// 图的接口 -public interface WeightedGraph { - public int V(); - public int E(); - public void addEdge(Edge edge); - boolean hasEdge(int v, int w); - void show(); - public Iterable> adj(int v); -} diff --git a/DataStructureNotes/src/code_15_shortestPath/BellmanFordSP.java b/DataStructureNotes/src/code_15_shortestPath/BellmanFordSP.java deleted file mode 100644 index 120c457..0000000 --- a/DataStructureNotes/src/code_15_shortestPath/BellmanFordSP.java +++ /dev/null @@ -1,134 +0,0 @@ -package code_15_shortestPath; - -import java.util.Stack; -import java.util.Vector; - -/** - * Created by 18351 on 2019/1/9. - */ -public class BellmanFordSP { - private WeightedGraph G; - // 图的引用 - private int s; - // 起始点 - private Number[] distTo; - // distTo[i]存储从起始点s到顶点i的最短路径长度 - private boolean[] marked; - // 标记数组, 在算法运行过程中标记节点i是否被访问 - private Edge[] from; - // from[i]记录最短路径中, 到达i点的边是哪一条 - // 可以用来恢复整个最短路径 - - private boolean hasNegativeCycle; - // 标记图中是否有负权环 - - public BellmanFordSP(WeightedGraph graph,int s){ - this.G=graph; - this.s=s; - distTo=new Number[G.V()]; - marked=new boolean[G.V()]; - from=new Edge[G.V()]; - - // // 设置distTo[s] = 0, 并且让from[s]不为NULL, 表示初始s节点可达且距离为0 - distTo[s] = 0.0; - from[s] = new Edge(s, s, (E)(Number)(0.0)); - - // Bellman-Ford的过程 - // 进行V-1次循环, 每一次循环求出从起点到其余所有点, 最多使用pass步可到达的最短距离 - for(int pass=1;pass e=(Edge)item; - // 对于每一个边首先判断e->v()可达 - // 之后看如果e->w()以前没有到达过, 显然我们可以更新distTo[e->w()] - // 或者e->w()以前虽然到达过, 但是通过这个e我们可以获得一个更短的距离, - // 即可以进行一次松弛操作, 我们也可以更新distTo[e->w()] - if(from[e.v()]!=null && - (from[e.w()]==null || distTo[e.v()].doubleValue()+e.wt().doubleValue() e = (Edge)item; - if( from[e.v()] != null && distTo[e.v()].doubleValue() + e.wt().doubleValue() < distTo[e.w()].doubleValue() ){ - return true; - } - - } - } - return false; - } - // 返回图中是否有负权环 - boolean negativeCycle(){ - return hasNegativeCycle; - } - - // 返回从s点到w点的最短路径长度 - Number shortestPathTo( int w ){ - assert w >= 0 && w < G.V(); - assert !hasNegativeCycle; - assert hasPathTo(w); - return distTo[w]; - } - - // 判断从s点到w点是否联通 - boolean hasPathTo( int w ){ - assert( w >= 0 && w < G.V() ); - return from[w] != null; - } - - // 寻找从s到w的最短路径, 将整个路径经过的边存放在vec中 - Vector> shortestPath(int w){ - - assert w >= 0 && w < G.V() ; - assert !hasNegativeCycle ; - assert hasPathTo(w) ; - - // 通过from数组逆向查找到从s到w的路径, 存放到栈中 - Stack> s = new Stack>(); - Edge e = from[w]; - while( e.v() != this.s ){ - s.push(e); - e = from[e.v()]; - } - s.push(e); - - // 从栈中依次取出元素, 获得顺序的从s到w的路径 - Vector> res = new Vector>(); - while( !s.empty() ){ - e = s.pop(); - res.add(e); - } - - return res; - } - - // 打印出从s点到w点的路径 - void showPath(int w){ - - assert( w >= 0 && w < G.V() ); - assert( !hasNegativeCycle ); - assert( hasPathTo(w) ); - - Vector> res = shortestPath(w); - for( int i = 0 ; i < res.size() ; i ++ ){ - System.out.print(res.elementAt(i).v() + " -> "); - if( i == res.size()-1 ){ - System.out.println(res.elementAt(i).w()); - } - } - } -} diff --git a/DataStructureNotes/src/code_15_shortestPath/DijkstraSP.java b/DataStructureNotes/src/code_15_shortestPath/DijkstraSP.java deleted file mode 100644 index d2d2f27..0000000 --- a/DataStructureNotes/src/code_15_shortestPath/DijkstraSP.java +++ /dev/null @@ -1,113 +0,0 @@ -package code_15_shortestPath; - -import java.util.Stack; -import java.util.Vector; - -/** - * Created by 18351 on 2019/1/8. - */ -public class DijkstraSP{ - private WeightedGraph G; - // 图的引用 - private int s; - // 起始点 - private Number[] distTo; - // distTo[i]存储从起始点s到顶点i的最短路径长度 - private boolean[] marked; - // 标记数组, 在算法运行过程中标记节点i是否被访问 - private Edge[] from; - // from[i]记录最短路径中, 到达i点的边是哪一条 - // 可以用来恢复整个最短路径 - - public DijkstraSP(WeightedGraph graph,int s){ - this.G=graph; - this.s=s; - distTo=new Number[G.V()]; - marked=new boolean[G.V()]; - from=new Edge[G.V()]; - - //使用索引堆记录当前找到的到达每个顶点的最短距离 ---> Number类型 - IndexMinHeap indexMinHeap=new IndexMinHeap<>(G.V()); - //初始化起始点 - distTo[s] = 0.0; - from[s]=new Edge(s,s,(E)((Number)0.0)); - marked[s]=true; - - indexMinHeap.insert(s,(E)distTo[s]); - while (!indexMinHeap.isEmpty()){ - int v=indexMinHeap.extractMinIndex(); - - // distTo[v]就是s到v的最短距离 - marked[v] = true; - - for(Object item:G.adj(v)){ - Edge edge=(Edge)item; - int w=edge.other(v); - //如果从s点到w点的最短路径还没有找到 - if(!marked[w]){ - // 如果w点以前没有访问过, - // 或者访问过, 但是通过当前的v点到w点距离更短, 则进行更新 - if(from[w]==null || - (distTo[v].doubleValue()+edge.wt().doubleValue() < distTo[w].doubleValue())){ - distTo[w]=distTo[v].doubleValue()+edge.wt().doubleValue(); - from[w]=edge; - if(indexMinHeap.contain(w)){ - indexMinHeap.change(w,(E)distTo[w]); - }else{ - indexMinHeap.insert(w,(E)distTo[w]); - } - } - } - } - } - } - - //获取从s点到w点的最短路径长度 - public Number shortestPathTo(int w){ - assert hasPathTo(w); - return distTo[w]; - } - - // 判断从s点到w点是否联通 - public boolean hasPathTo(int w){ - assert w>=0 && w> shortestPath(int w){ - assert hasPathTo(w); - - //通过from数组逆向查找到从s到w的路径, 存放到栈中 - Stack> stack=new Stack<>(); - Edge e=from[w]; - while (e.v()!=s){ - stack.push(e); - e=from[e.v()]; - } - //最后e.v()就是s,那么e这条边入栈 - stack.push(e); - - //从栈中依次取出元素, 获得顺序的从s到w的路径 - Vector> res=new Vector<>(); - while (!stack.isEmpty()){ - Edge edge=stack.pop(); - res.add(edge); - } - return res; - } - - - // 打印出从s点到w点的路径 - public void showPath(int w){ - assert hasPathTo(w); - - Vector> path = shortestPath(w); - for( int i = 0 ; i < path.size() ; i ++ ){ - System.out.print( path.elementAt(i).v() + " -> "); - if( i == path.size()-1 ){ - System.out.println(path.elementAt(i).w()); - } - } - } -} diff --git a/DataStructureNotes/src/code_15_shortestPath/Edge.java b/DataStructureNotes/src/code_15_shortestPath/Edge.java deleted file mode 100644 index 2138dfb..0000000 --- a/DataStructureNotes/src/code_15_shortestPath/Edge.java +++ /dev/null @@ -1,58 +0,0 @@ -package code_15_shortestPath; - -/** - * Created by 18351 on 2019/1/7. - */ -public class Edge implements Comparable{ - //定义改变的起始节点和终止节点 - private int from; - private int to; - //该边的权值 - private E weight; - - public Edge(int v, int w, E weight) - { - this.from = v; - this.to = w; - this.weight = weight; - } - - public Edge(Edge e) - { - this.from = e.from; - this.to = e.to; - this.weight = e.weight; - } - - //获取起点 - public int v(){ - return from; - } - - //获取终点 - public int w(){ - return to; - } - - //获取权值 - public E wt(){ - return weight; - } - - // 给定一个顶点, 返回另一个顶点 - public int other(int x){ - assert x == from || x == to; - return x == from ? to : from; - } - - @Override - public String toString() { - return "" + from + "-" + to + ": " + weight; - } - - @Override - public int compareTo(Edge that) { - int num=weight.compareTo(that.wt()); - return num; - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_15_shortestPath/IndexMinHeap.java b/DataStructureNotes/src/code_15_shortestPath/IndexMinHeap.java deleted file mode 100644 index de31805..0000000 --- a/DataStructureNotes/src/code_15_shortestPath/IndexMinHeap.java +++ /dev/null @@ -1,167 +0,0 @@ -package code_15_shortestPath; - -// 最小索引堆 -public class IndexMinHeap { - - protected Item[] data; // 最小索引堆中的数据 - protected int[] indexes; // 最小索引堆中的索引, indexes[x] = i 表示索引i在x的位置 - protected int[] reverse; // 最小索引堆中的反向索引, reverse[i] = x 表示索引i在x的位置 - protected int count; - protected int capacity; - - // 构造函数, 构造一个空堆, 可容纳capacity个元素 - public IndexMinHeap(int capacity){ - data = (Item[])new Comparable[capacity+1]; - indexes = new int[capacity+1]; - reverse = new int[capacity+1]; - for( int i = 0 ; i <= capacity ; i ++ ) - reverse[i] = 0; - - count = 0; - this.capacity = capacity; - } - - // 返回索引堆中的元素个数 - public int size(){ - return count; - } - - // 返回一个布尔值, 表示索引堆中是否为空 - public boolean isEmpty(){ - return count == 0; - } - - // 向最小索引堆中插入一个新的元素, 新元素的索引为i, 元素为item - // 传入的i对用户而言,是从0索引的 - public void insert(int i, Item item){ - - assert count + 1 <= capacity; - assert i + 1 >= 1 && i + 1 <= capacity; - - // 再插入一个新元素前,还需要保证索引i所在的位置是没有元素的。 - assert !contain(i); - - i += 1; - data[i] = item; - indexes[count+1] = i; - reverse[i] = count + 1; - count ++; - - shiftUp(count); - } - - // 从最小索引堆中取出堆顶元素, 即索引堆中所存储的最小数据 - public Item extractMin(){ - assert count > 0; - - Item ret = data[indexes[1]]; - swapIndexes( 1 , count ); - reverse[indexes[count]] = 0; - count --; - shiftDown(1); - - return ret; - } - - // 从最小索引堆中取出堆顶元素的索引 - public int extractMinIndex(){ - assert count > 0; - - int ret = indexes[1] - 1; - swapIndexes( 1 , count ); - reverse[indexes[count]] = 0; - count --; - shiftDown(1); - - return ret; - } - - // 获取最小索引堆中的堆顶元素 - public Item getMin(){ - assert count > 0; - return data[indexes[1]]; - } - - // 获取最小索引堆中的堆顶元素的索引 - public int getMinIndex(){ - assert count > 0; - return indexes[1]-1; - } - - // 看索引i所在的位置是否存在元素 - boolean contain( int i ){ - assert i + 1 >= 1 && i + 1 <= capacity; - return reverse[i+1] != 0; - } - - // 获取最小索引堆中索引为i的元素 - public Item getItem( int i ){ - assert contain(i); - return data[i+1]; - } - - // 将最小索引堆中索引为i的元素修改为newItem - public void change( int i , Item newItem ){ - - assert contain(i); - - i += 1; - data[i] = newItem; - - // 有了 reverse 之后, - // 我们可以非常简单的通过reverse直接定位索引i在indexes中的位置 - shiftUp( reverse[i] ); - shiftDown( reverse[i] ); - } - - // 交换索引堆中的索引i和j - // 由于有了反向索引reverse数组, - // indexes数组发生改变以后, 相应的就需要维护reverse数组 - private void swapIndexes(int i, int j){ - int t = indexes[i]; - indexes[i] = indexes[j]; - indexes[j] = t; - - reverse[indexes[i]] = i; - reverse[indexes[j]] = j; - } - - //******************** - //* 最小索引堆核心辅助函数 - //******************** - - // 索引堆中, 数据之间的比较根据data的大小进行比较, 但实际操作的是索引 - private void shiftUp(int k){ - - while( k > 1 && data[indexes[k/2]].compareTo(data[indexes[k]]) > 0 ){ - swapIndexes(k, k/2); - k /= 2; - } - } - - // 索引堆中, 数据之间的比较根据data的大小进行比较, 但实际操作的是索引 - private void shiftDown(int k){ - - while( 2*k <= count ){ - int j = 2*k; - if( j+1 <= count && data[indexes[j+1]].compareTo(data[indexes[j]]) < 0 ) - j ++; - - if( data[indexes[k]].compareTo(data[indexes[j]]) <= 0 ) - break; - - swapIndexes(k, j); - k = j; - } - } - - // 测试 IndexMinHeap - public static void main(String[] args) { - - int N = 1000000; - IndexMinHeap indexMinHeap = new IndexMinHeap(N); - for( int i = 0 ; i < N ; i ++ ) - indexMinHeap.insert( i , (int)(Math.random()*N) ); - - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_15_shortestPath/Main.java b/DataStructureNotes/src/code_15_shortestPath/Main.java deleted file mode 100644 index cf30050..0000000 --- a/DataStructureNotes/src/code_15_shortestPath/Main.java +++ /dev/null @@ -1,30 +0,0 @@ -package code_15_shortestPath; - -/** - * Created by 18351 on 2019/1/8. - */ -public class Main { - public static void main(String[] args) { - String filename = "testG8.txt"; - int V = 5; - - SparseWeightedGraph g = new SparseWeightedGraph<>(V, true); - // Dijkstra最短路径算法同样适用于有向图 - //SparseGraph g = SparseGraph(V, false); - //ReadWeightedGraph readGraph = new ReadWeightedGraph(g,filename); - ReadWeightedGraph readWeightedGraph=new ReadWeightedGraph(g,filename); - - System.out.println("Test Dijkstra:\n"); - DijkstraSP dij = new DijkstraSP(g,0); - for( int i = 1 ; i < V ; i ++ ){ - if(dij.hasPathTo(i)) { - System.out.println("Shortest Path to " + i + " : " + dij.shortestPathTo(i)); - dij.showPath(i); - } else{ - System.out.println("No Path to " + i ); - } - System.out.println("----------"); - } - - } -} diff --git a/DataStructureNotes/src/code_15_shortestPath/Main2.java b/DataStructureNotes/src/code_15_shortestPath/Main2.java deleted file mode 100644 index 63c6a57..0000000 --- a/DataStructureNotes/src/code_15_shortestPath/Main2.java +++ /dev/null @@ -1,32 +0,0 @@ -package code_15_shortestPath; - -/** - * Created by 18351 on 2019/1/8. - */ -public class Main2 { - public static void main(String[] args) { - //String filename = "testG_negative_circle.txt"; - String filename = "testG9.txt"; - int V = 5; - - SparseWeightedGraph g = new SparseWeightedGraph<>(V, true); - - ReadWeightedGraph readWeightedGraph=new ReadWeightedGraph(g,filename); - - System.out.println("Test Bellman-Ford:\n"); - BellmanFordSP bf = new BellmanFordSP(g,0); - if(bf.negativeCycle()){ - System.out.println("The graph has negative cycle"); - }else{ - for( int i = 1 ; i < V ; i ++ ){ - if(bf.hasPathTo(i)) { - System.out.println("Shortest Path to " + i + " : " + bf.shortestPathTo(i)); - bf.showPath(i); - } else{ - System.out.println("No Path to " + i ); - } - System.out.println("----------"); - } - } - } -} diff --git a/DataStructureNotes/src/code_15_shortestPath/ReadWeightedGraph.java b/DataStructureNotes/src/code_15_shortestPath/ReadWeightedGraph.java deleted file mode 100644 index 23e7999..0000000 --- a/DataStructureNotes/src/code_15_shortestPath/ReadWeightedGraph.java +++ /dev/null @@ -1,67 +0,0 @@ -package code_15_shortestPath; - -import java.io.BufferedInputStream; -import java.io.File; -import java.io.FileInputStream; -import java.io.IOException; -import java.util.InputMismatchException; -import java.util.Locale; -import java.util.NoSuchElementException; -import java.util.Scanner; - -// 通过文件读取有全图的信息 -public class ReadWeightedGraph { - - private Scanner scanner; - - // 由于文件格式的限制,我们的文件读取类只能读取权值为Double类型的图 - public ReadWeightedGraph(WeightedGraph graph, String filename){ - readFile(filename); - - try { - int V = scanner.nextInt(); - if (V < 0){ - throw new IllegalArgumentException("number of vertices in a Graph must be nonnegative"); - } - assert V == graph.V(); - - int E = scanner.nextInt(); - if (E < 0){ - throw new IllegalArgumentException("number of edges in a Graph must be nonnegative"); - } - for (int i = 0; i < E; i++) { - int v = scanner.nextInt(); - int w = scanner.nextInt(); - Integer weight = scanner.nextInt(); - assert v >= 0 && v < V; - assert w >= 0 && w < V; - graph.addEdge(new Edge(v, w, weight)); - } - } - catch (InputMismatchException e) { - String token = scanner.next(); - throw new InputMismatchException("attempts to read an 'int' value from input stream, but the next token is \"" + token + "\""); - } - catch (NoSuchElementException e) { - throw new NoSuchElementException("attemps to read an 'int' value from input stream, but there are no more tokens available"); - } - } - - private void readFile(String filename){ - assert filename != null; - try { - File file = new File(filename); - if (file.exists()) { - FileInputStream fis = new FileInputStream(file); - scanner = new Scanner(new BufferedInputStream(fis), "UTF-8"); - scanner.useLocale(Locale.ENGLISH); - } - else{ - throw new IllegalArgumentException(filename + " doesn't exist."); - } - } - catch (IOException ioe) { - throw new IllegalArgumentException("Could not open " + filename, ioe); - } - } -} \ No newline at end of file diff --git a/DataStructureNotes/src/code_15_shortestPath/SparseWeightedGraph.java b/DataStructureNotes/src/code_15_shortestPath/SparseWeightedGraph.java deleted file mode 100644 index f27f921..0000000 --- a/DataStructureNotes/src/code_15_shortestPath/SparseWeightedGraph.java +++ /dev/null @@ -1,84 +0,0 @@ -package code_15_shortestPath; - -import java.util.Vector; - -/** - * 有向图 - */ -public class SparseWeightedGraph implements WeightedGraph { - - private int n; // 节点数 - private int m; // 边数 - private boolean directed; // 是否为有向图 - private Vector>[] g; // 图的具体数据 - - // 构造函数 - public SparseWeightedGraph(int n , boolean directed ){ - assert n >= 0; - this.n = n; - this.m = 0; // 初始化没有任何边 - this.directed = directed; - // g初始化为n个空的vector, 表示每一个g[i]都为空, 即没有任和边 - g = (Vector>[])new Vector[n]; - for(int i = 0 ; i < n ; i ++){ - g[i] = new Vector>(); - } - } - - @Override - public int V(){ return n;} // 返回节点个数 - - @Override - public int E(){ return m;} // 返回边的个数 - - // 向图中添加一个边 - @Override - public void addEdge(Edge edge){ - - assert edge.v() >= 0 && edge.v() < n ; - assert edge.w() >= 0 && edge.w() < n ; - - g[edge.v()].add(edge); - if( edge.v() != edge.w() && !directed ){ - g[edge.w()].add(new Edge(edge.w(),edge.v(),edge.wt())); - } - m ++; - } - - // 验证图中是否有从v到w的边 -->时间复杂度:O(n) - @Override - public boolean hasEdge(int v, int w){ - - assert v >= 0 && v < n ; - assert w >= 0 && w < n ; - - for( int i = 0 ; i < g[v].size() ; i ++ ){ - if( g[v].elementAt(i).other(v) == w ){ - return true; - } - } - return false; - } - - @Override - public void show() { - for( int i = 0 ; i < n ; i ++ ){ - System.out.print("vertex " + i + ":\t"); - for( int j = 0 ; j < g[i].size() ; j ++ ){ - Edge e = g[i].elementAt(j); - System.out.print( "( to:" + e.other(i) + ",wt:" + e.wt() + ")\t"); - } - System.out.println(); - } - } - - // 返回图中一个顶点的所有邻边 - // 由于java使用引用机制,返回一个Vector不会带来额外开销 - - @Override - public Iterable> adj(int v) { - assert v >= 0 && v < n; - return g[v]; - } -} - diff --git a/DataStructureNotes/src/code_15_shortestPath/WeightedEdge.java b/DataStructureNotes/src/code_15_shortestPath/WeightedEdge.java deleted file mode 100644 index d6450ae..0000000 --- a/DataStructureNotes/src/code_15_shortestPath/WeightedEdge.java +++ /dev/null @@ -1,13 +0,0 @@ -package code_15_shortestPath; - -/** - * 定义有向边 - */ -public interface WeightedEdge { - public int V(); - public int E(); - public void addEdge(Edge e); - boolean hasEdge(int v, int w); - void show(); - public Iterable> adj(int v); -} diff --git a/DataStructureNotes/src/code_15_shortestPath/WeightedGraph.java b/DataStructureNotes/src/code_15_shortestPath/WeightedGraph.java deleted file mode 100644 index 08940fb..0000000 --- a/DataStructureNotes/src/code_15_shortestPath/WeightedGraph.java +++ /dev/null @@ -1,11 +0,0 @@ -package code_15_shortestPath; - -// 图的接口 -public interface WeightedGraph { - public int V(); - public int E(); - public void addEdge(Edge edge); - boolean hasEdge(int v, int w); - void show(); - public Iterable> adj(int v); -} diff --git a/DataStructureNotes/testG1.txt b/DataStructureNotes/testG1.txt deleted file mode 100644 index 8a67676..0000000 --- a/DataStructureNotes/testG1.txt +++ /dev/null @@ -1,14 +0,0 @@ -13 13 -0 5 -4 3 -0 1 -9 12 -6 4 -5 4 -0 2 -11 12 -9 10 -0 6 -7 8 -9 11 -5 3 diff --git a/DataStructureNotes/testG2.txt b/DataStructureNotes/testG2.txt deleted file mode 100644 index f900a0e..0000000 --- a/DataStructureNotes/testG2.txt +++ /dev/null @@ -1,9 +0,0 @@ -6 8 -0 1 -0 2 -0 5 -1 2 -2 3 -2 4 -3 4 -3 5 diff --git a/DataStructureNotes/testG3.txt b/DataStructureNotes/testG3.txt deleted file mode 100644 index 5d0dfc6..0000000 --- a/DataStructureNotes/testG3.txt +++ /dev/null @@ -1,2 +0,0 @@ -2 1 -0 1 diff --git a/DataStructureNotes/testG4.txt b/DataStructureNotes/testG4.txt deleted file mode 100644 index 87abc96..0000000 --- a/DataStructureNotes/testG4.txt +++ /dev/null @@ -1,17 +0,0 @@ -8 16 -4 5 .35 -4 7 .37 -5 7 .28 -0 7 .16 -1 5 .32 -0 4 .38 -2 3 .17 -1 7 .19 -0 2 .26 -1 2 .36 -1 3 .29 -2 7 .34 -6 2 .40 -3 6 .52 -6 0 .58 -6 4 .93 diff --git a/DataStructureNotes/testG5.txt b/DataStructureNotes/testG5.txt deleted file mode 100644 index 28dbb50..0000000 --- a/DataStructureNotes/testG5.txt +++ /dev/null @@ -1,1274 +0,0 @@ -250 1273 -244 246 0.11712 -239 240 0.10616 -238 245 0.06142 -235 238 0.07048 -233 240 0.07634 -232 248 0.10223 -231 248 0.10699 -229 249 0.10098 -228 241 0.01473 -226 231 0.07638 -223 242 0.10184 -223 249 0.10898 -222 225 0.09842 -220 247 0.10309 -219 221 0.06535 -218 224 0.05993 -218 227 0.09192 -217 232 0.09613 -216 232 0.08738 -214 219 0.04104 -214 221 0.10444 -213 235 0.09305 -213 238 0.10707 -212 214 0.09024 -212 219 0.08099 -212 221 0.08320 -212 244 0.04321 -211 222 0.06192 -211 225 0.10649 -210 212 0.05813 -210 214 0.07099 -210 219 0.03728 -210 221 0.03659 -210 244 0.10062 -209 211 0.01269 -209 222 0.07357 -209 225 0.11652 -208 226 0.04662 -208 231 0.08821 -207 210 0.03158 -207 212 0.05667 -207 214 0.10119 -207 219 0.06878 -207 221 0.02902 -207 244 0.09218 -206 209 0.11467 -205 207 0.10606 -205 210 0.07932 -205 214 0.07345 -205 219 0.05157 -205 221 0.08879 -204 222 0.09626 -204 225 0.05003 -204 231 0.11432 -203 249 0.04148 -202 204 0.04207 -202 209 0.10956 -202 211 0.09692 -202 222 0.05440 -202 225 0.06056 -201 216 0.11363 -201 217 0.11118 -201 232 0.03557 -201 248 0.06668 -200 203 0.05651 -200 223 0.09984 -200 249 0.06335 -199 237 0.06767 -198 223 0.09036 -198 242 0.03037 -197 230 0.09937 -196 205 0.05718 -196 214 0.08233 -196 219 0.08903 -195 238 0.11390 -195 245 0.09286 -194 220 0.11551 -193 243 0.09306 -192 243 0.07897 -191 202 0.06216 -191 204 0.07061 -191 222 0.09234 -191 225 0.11446 -191 231 0.11935 -190 220 0.04330 -190 247 0.06680 -189 200 0.11303 -189 203 0.05779 -189 220 0.09403 -189 249 0.08557 -188 230 0.05191 -188 233 0.08575 -188 240 0.09560 -187 208 0.06557 -187 226 0.03660 -187 231 0.04215 -187 248 0.11716 -186 189 0.05775 -186 203 0.10305 -186 249 0.11195 -185 201 0.06956 -185 232 0.10259 -185 248 0.02896 -184 188 0.07566 -184 197 0.05351 -184 230 0.04691 -183 215 0.03017 -182 198 0.07870 -182 223 0.08452 -182 242 0.10811 -181 184 0.08764 -181 188 0.10778 -181 196 0.11674 -181 230 0.05963 -180 213 0.03355 -179 193 0.10256 -179 212 0.09146 -179 244 0.07050 -178 236 0.02867 -177 186 0.03537 -177 189 0.03512 -177 203 0.06820 -177 249 0.07806 -176 191 0.02089 -176 202 0.04299 -176 204 0.06123 -176 222 0.07243 -176 225 0.09939 -175 246 0.03569 -174 179 0.09292 -174 192 0.07813 -174 243 0.07415 -172 180 0.08119 -172 197 0.09121 -172 213 0.05932 -172 235 0.07388 -171 172 0.06889 -171 180 0.10106 -171 213 0.06758 -171 235 0.03106 -171 238 0.05664 -171 245 0.11526 -170 182 0.06422 -170 198 0.10237 -170 223 0.03653 -170 229 0.10924 -170 249 0.11264 -169 177 0.08571 -169 186 0.05624 -169 189 0.08899 -169 190 0.09320 -169 220 0.10104 -168 187 0.04080 -168 204 0.11515 -168 208 0.08885 -168 226 0.07555 -168 231 0.00268 -168 248 0.10481 -167 224 0.07521 -166 236 0.09479 -165 171 0.11685 -165 172 0.09828 -165 180 0.01756 -165 191 0.10673 -165 213 0.05003 -164 190 0.07043 -164 194 0.07229 -164 220 0.05001 -164 247 0.09969 -163 202 0.09825 -163 209 0.02235 -163 211 0.01708 -163 222 0.05489 -163 225 0.11682 -162 192 0.09472 -161 169 0.10571 -161 177 0.07299 -161 186 0.06124 -161 189 0.10748 -161 229 0.10509 -161 249 0.11843 -160 168 0.06839 -160 176 0.06571 -160 187 0.10794 -160 191 0.05410 -160 202 0.08639 -160 204 0.06352 -160 225 0.11314 -160 231 0.06647 -159 234 0.05490 -159 239 0.10493 -158 170 0.05722 -158 200 0.07196 -158 203 0.09121 -158 223 0.05291 -158 229 0.09925 -158 249 0.05734 -157 181 0.05473 -157 184 0.04716 -157 188 0.10501 -157 197 0.07152 -157 230 0.05597 -156 196 0.08377 -156 205 0.05088 -156 207 0.07567 -156 210 0.04409 -156 212 0.08418 -156 214 0.03435 -156 219 0.00745 -156 221 0.07280 -155 165 0.05001 -155 171 0.07487 -155 172 0.04996 -155 180 0.03246 -155 197 0.11679 -155 213 0.01559 -155 235 0.09681 -155 238 0.11940 -154 171 0.08024 -154 195 0.11016 -154 235 0.09296 -154 238 0.02365 -154 245 0.04011 -153 228 0.05583 -153 241 0.04247 -152 179 0.10233 -152 207 0.08799 -152 210 0.10636 -152 212 0.05852 -152 221 0.11655 -152 244 0.03365 -152 246 0.09510 -151 168 0.09264 -151 187 0.06861 -151 208 0.00391 -151 226 0.04792 -151 231 0.09202 -150 164 0.09115 -150 169 0.06638 -150 177 0.08428 -150 186 0.08087 -150 189 0.06046 -150 190 0.06182 -150 203 0.11351 -150 220 0.04158 -149 163 0.07447 -149 206 0.10265 -149 209 0.05363 -149 211 0.05830 -149 222 0.11405 -149 225 0.10995 -148 157 0.01712 -148 181 0.05620 -148 184 0.03398 -148 188 0.08809 -148 197 0.07085 -148 230 0.04043 -147 162 0.09416 -147 166 0.11877 -146 218 0.06252 -146 224 0.11387 -146 227 0.04560 -145 146 0.10595 -144 168 0.09650 -144 185 0.03018 -144 187 0.11380 -144 201 0.08140 -144 204 0.11540 -144 231 0.09846 -144 232 0.11686 -144 248 0.01527 -143 152 0.07831 -143 175 0.10421 -143 179 0.08905 -143 193 0.06865 -143 212 0.11875 -143 244 0.07554 -143 246 0.07590 -142 154 0.11701 -142 155 0.04818 -142 165 0.04797 -142 171 0.08119 -142 172 0.09299 -142 180 0.04124 -142 195 0.08901 -142 213 0.03433 -142 235 0.11123 -142 238 0.10237 -140 147 0.04712 -140 162 0.10969 -139 156 0.06665 -139 196 0.04593 -139 205 0.01814 -139 210 0.09743 -139 214 0.08428 -139 219 0.06833 -139 221 0.10596 -138 151 0.11903 -138 188 0.10136 -138 226 0.11064 -138 233 0.09598 -138 239 0.11352 -138 240 0.02076 -137 145 0.11708 -137 146 0.03524 -137 183 0.11008 -137 215 0.11222 -137 218 0.04325 -137 224 0.10278 -137 227 0.07930 -136 159 0.02310 -136 234 0.03185 -135 141 0.06693 -135 181 0.07362 -135 230 0.11174 -134 137 0.10296 -134 145 0.10314 -134 146 0.06821 -134 227 0.03986 -133 166 0.06778 -132 154 0.08146 -132 171 0.07460 -132 235 0.05508 -132 238 0.06935 -131 143 0.05854 -131 179 0.09728 -131 193 0.01012 -131 243 0.10112 -130 194 0.05825 -130 234 0.11697 -129 133 0.07141 -129 147 0.08531 -129 166 0.03392 -129 178 0.11909 -129 236 0.09707 -128 136 0.11358 -128 159 0.09153 -128 173 0.11948 -128 239 0.01726 -126 183 0.08912 -126 215 0.05899 -125 148 0.04208 -125 157 0.02917 -125 172 0.11220 -125 181 0.08041 -125 184 0.05816 -125 197 0.05633 -125 230 0.08248 -124 142 0.06118 -124 155 0.01487 -124 165 0.05177 -124 171 0.08584 -124 172 0.04713 -124 180 0.03552 -124 197 0.10321 -124 213 0.03033 -124 235 0.10482 -123 175 0.07983 -123 246 0.10306 -122 139 0.01217 -122 156 0.05505 -122 196 0.05144 -122 205 0.00647 -122 207 0.11241 -122 210 0.08536 -122 214 0.07516 -122 219 0.05638 -122 221 0.09525 -121 158 0.08749 -121 170 0.03464 -121 182 0.03939 -121 198 0.07031 -121 223 0.04530 -121 242 0.09371 -120 145 0.09428 -120 161 0.09789 -120 229 0.08292 -119 120 0.10342 -119 134 0.04953 -119 137 0.09676 -119 145 0.05361 -119 146 0.07143 -119 227 0.07465 -118 124 0.06300 -118 142 0.11650 -118 151 0.10687 -118 155 0.07746 -118 165 0.08159 -118 172 0.08663 -118 180 0.07699 -118 184 0.11388 -118 197 0.06902 -118 208 0.10634 -118 213 0.09204 -117 140 0.10873 -117 147 0.11794 -117 167 0.09427 -117 178 0.06290 -117 236 0.08473 -116 164 0.04060 -116 190 0.07925 -116 194 0.08583 -116 220 0.08021 -116 247 0.07638 -115 153 0.05126 -115 228 0.08124 -115 241 0.06730 -114 163 0.05526 -114 176 0.08339 -114 191 0.10158 -114 202 0.07319 -114 204 0.11526 -114 209 0.07685 -114 211 0.06713 -114 222 0.02060 -114 225 0.11896 -113 121 0.05379 -113 158 0.09842 -113 170 0.07229 -113 182 0.08536 -113 198 0.05009 -113 223 0.04665 -113 242 0.05551 -112 128 0.09960 -112 136 0.05632 -112 159 0.04347 -112 234 0.08047 -112 239 0.10722 -110 122 0.05351 -110 139 0.06016 -110 156 0.03963 -110 196 0.05323 -110 205 0.05391 -110 207 0.11522 -110 210 0.08364 -110 212 0.11550 -110 214 0.02920 -110 219 0.04680 -110 221 0.11114 -109 126 0.09332 -109 137 0.05083 -109 146 0.08420 -109 183 0.06517 -109 215 0.06179 -109 218 0.07179 -108 110 0.06803 -108 122 0.08214 -108 135 0.11644 -108 139 0.07724 -108 156 0.10525 -108 181 0.10766 -108 196 0.03132 -108 205 0.08755 -108 214 0.09401 -108 219 0.11157 -107 130 0.11436 -107 173 0.08976 -107 200 0.08254 -107 203 0.11594 -106 123 0.11362 -106 131 0.02227 -106 143 0.06821 -106 179 0.11930 -106 193 0.02119 -106 243 0.10940 -106 246 0.11883 -105 106 0.01034 -105 123 0.10392 -105 131 0.03234 -105 143 0.07217 -105 193 0.03141 -105 243 0.11674 -105 246 0.11604 -104 144 0.08161 -104 185 0.07936 -104 201 0.02597 -104 217 0.09568 -104 232 0.04888 -104 248 0.06640 -103 174 0.03708 -103 192 0.04287 -103 243 0.05731 -102 138 0.09831 -102 187 0.09374 -102 226 0.07775 -102 240 0.11740 -101 108 0.05491 -101 110 0.07783 -101 122 0.05090 -101 125 0.10521 -101 139 0.03983 -101 156 0.09930 -101 157 0.10869 -101 181 0.10336 -101 196 0.03115 -101 205 0.05734 -101 214 0.10662 -101 219 0.10279 -100 103 0.06580 -100 133 0.08099 -100 174 0.06827 -100 192 0.07056 -99 129 0.10765 -99 140 0.05150 -99 147 0.03171 -99 162 0.06455 -98 117 0.11425 -98 178 0.05183 -98 236 0.04433 -97 144 0.07138 -97 160 0.08756 -97 168 0.10904 -97 176 0.10973 -97 185 0.07779 -97 191 0.11562 -97 202 0.08870 -97 204 0.04951 -97 225 0.05664 -97 231 0.10938 -97 248 0.08598 -96 199 0.01569 -96 237 0.06553 -95 115 0.09423 -95 153 0.11710 -95 216 0.11785 -94 141 0.08070 -94 198 0.09053 -94 242 0.09095 -93 97 0.07550 -93 144 0.08371 -93 160 0.04360 -93 168 0.03641 -93 176 0.10570 -93 185 0.11051 -93 187 0.07640 -93 191 0.09704 -93 202 0.11502 -93 204 0.07908 -93 226 0.11188 -93 231 0.03594 -93 248 0.09608 -92 122 0.11702 -92 132 0.07972 -92 139 0.11349 -92 171 0.08961 -92 172 0.09296 -92 205 0.11628 -92 235 0.06040 -91 109 0.06129 -91 119 0.09388 -91 134 0.09544 -91 137 0.01061 -91 145 0.11905 -91 146 0.02723 -91 218 0.04088 -91 224 0.09863 -91 227 0.06960 -90 113 0.11828 -90 173 0.06973 -90 233 0.10517 -90 242 0.10115 -89 116 0.06089 -89 127 0.10682 -89 130 0.10584 -89 164 0.07494 -89 194 0.05110 -88 98 0.08567 -88 182 0.09779 -87 111 0.11190 -87 130 0.03684 -87 136 0.10342 -87 194 0.08273 -87 234 0.08302 -86 108 0.11578 -86 135 0.10345 -86 141 0.05640 -85 152 0.10662 -85 175 0.11147 -85 246 0.09698 -84 100 0.09532 -84 103 0.05747 -84 106 0.11963 -84 131 0.10014 -84 174 0.02770 -84 179 0.06994 -84 192 0.10034 -84 193 0.09844 -84 243 0.07221 -83 95 0.11982 -83 104 0.08511 -83 201 0.09238 -83 217 0.03695 -83 232 0.06812 -82 85 0.04344 -82 152 0.06590 -82 175 0.11914 -82 207 0.10290 -82 212 0.10888 -82 244 0.09913 -82 246 0.09265 -81 119 0.08225 -81 134 0.04508 -81 146 0.11254 -81 227 0.07588 -81 229 0.10166 -80 97 0.08938 -80 149 0.09615 -80 202 0.11386 -80 204 0.10423 -80 225 0.05577 -79 84 0.09700 -79 110 0.11633 -79 174 0.10110 -79 179 0.07431 -79 212 0.11328 -79 214 0.09294 -78 112 0.10817 -78 128 0.03633 -78 138 0.09955 -78 159 0.11389 -78 239 0.02065 -78 240 0.09536 -77 78 0.10966 -77 102 0.02737 -77 138 0.07171 -77 151 0.11765 -77 187 0.10655 -77 208 0.11848 -77 226 0.08175 -77 240 0.09031 -76 95 0.07370 -76 115 0.03658 -76 153 0.04395 -76 228 0.09469 -76 241 0.08004 -75 89 0.03394 -75 116 0.02706 -75 164 0.04846 -75 190 0.10387 -75 194 0.06452 -75 220 0.09669 -75 247 0.10191 -74 109 0.10730 -74 126 0.07749 -74 183 0.05190 -74 215 0.04643 -73 120 0.10775 -73 145 0.09149 -72 107 0.11731 -72 150 0.08210 -72 177 0.06434 -72 186 0.09359 -72 189 0.03706 -72 200 0.08158 -72 203 0.03470 -72 220 0.10329 -72 249 0.07452 -71 135 0.10448 -71 148 0.09121 -71 157 0.10574 -71 181 0.08837 -71 184 0.09326 -71 188 0.03894 -71 230 0.05108 -71 233 0.07728 -71 240 0.11683 -70 79 0.01576 -70 84 0.08129 -70 100 0.11309 -70 174 0.08574 -70 179 0.06528 -70 212 0.11795 -70 214 0.10735 -70 244 0.11957 -69 107 0.05640 -69 128 0.11896 -69 173 0.05282 -68 114 0.06736 -68 160 0.10388 -68 165 0.10769 -68 176 0.04396 -68 191 0.04982 -68 202 0.07329 -68 204 0.10336 -68 222 0.06811 -67 83 0.07338 -67 112 0.11331 -67 217 0.04501 -66 149 0.07561 -66 206 0.05154 -66 209 0.11107 -65 71 0.06843 -65 125 0.10535 -65 138 0.11370 -65 148 0.07162 -65 151 0.10304 -65 157 0.08838 -65 181 0.10922 -65 184 0.04790 -65 188 0.03552 -65 197 0.09301 -65 208 0.10677 -65 230 0.05007 -65 240 0.11415 -64 91 0.04394 -64 109 0.06144 -64 119 0.06813 -64 134 0.09237 -64 137 0.03977 -64 145 0.07791 -64 146 0.04384 -64 183 0.09898 -64 215 0.11174 -64 218 0.08298 -64 227 0.08490 -63 96 0.02231 -63 199 0.01821 -63 237 0.04962 -62 71 0.10901 -62 78 0.11140 -62 90 0.08635 -62 128 0.11744 -62 138 0.09478 -62 188 0.11357 -62 233 0.03192 -62 239 0.10804 -62 240 0.07405 -61 87 0.05163 -61 89 0.09050 -61 111 0.06739 -61 130 0.06867 -61 194 0.07466 -61 234 0.10977 -60 63 0.06637 -60 96 0.05690 -60 111 0.08712 -60 199 0.04868 -60 237 0.11595 -59 80 0.06845 -59 97 0.06442 -59 144 0.08084 -59 185 0.06135 -59 204 0.10796 -59 225 0.08326 -59 248 0.08763 -58 68 0.04795 -58 114 0.01947 -58 163 0.07425 -58 176 0.06845 -58 191 0.08507 -58 202 0.06778 -58 204 0.10891 -58 209 0.09540 -58 211 0.08501 -58 222 0.02759 -57 65 0.06750 -57 118 0.08024 -57 125 0.06349 -57 148 0.06092 -57 151 0.10773 -57 157 0.06773 -57 172 0.11673 -57 181 0.11710 -57 184 0.03368 -57 188 0.10123 -57 197 0.02583 -57 208 0.11002 -57 230 0.08049 -56 73 0.05918 -56 119 0.11916 -56 120 0.05027 -56 145 0.08552 -56 161 0.11851 -55 67 0.08505 -55 78 0.08955 -55 112 0.04590 -55 128 0.09745 -55 136 0.10111 -55 159 0.08414 -55 217 0.11852 -55 239 0.09744 -54 99 0.08037 -54 117 0.08936 -54 140 0.02922 -54 147 0.07003 -53 56 0.05542 -53 73 0.10372 -53 81 0.11179 -53 119 0.07620 -53 120 0.02782 -53 134 0.10851 -53 145 0.06902 -53 229 0.09315 -52 77 0.10533 -52 93 0.09973 -52 102 0.10130 -52 151 0.03422 -52 168 0.06388 -52 187 0.03447 -52 208 0.03135 -52 226 0.02384 -52 231 0.06392 -51 70 0.07990 -51 79 0.06984 -51 86 0.10847 -51 110 0.11491 -51 133 0.11676 -51 214 0.10713 -50 59 0.04226 -50 80 0.10173 -50 97 0.10154 -50 104 0.11784 -50 144 0.08851 -50 185 0.05942 -50 201 0.09673 -50 232 0.11667 -50 248 0.08802 -49 59 0.08296 -49 80 0.08196 -49 93 0.08739 -49 97 0.03121 -49 144 0.10234 -49 160 0.08334 -49 176 0.08610 -49 185 0.10833 -49 191 0.09628 -49 202 0.05875 -49 204 0.02568 -49 222 0.10927 -49 225 0.03314 -49 248 0.11708 -48 50 0.09958 -48 83 0.08782 -48 104 0.06005 -48 144 0.11407 -48 185 0.09500 -48 201 0.03841 -48 216 0.07531 -48 217 0.11710 -48 232 0.02109 -48 248 0.10057 -47 64 0.10444 -47 91 0.06658 -47 109 0.07505 -47 137 0.06569 -47 146 0.09071 -47 167 0.11422 -47 218 0.02914 -47 224 0.05238 -46 161 0.07892 -46 169 0.06854 -46 177 0.11118 -46 186 0.07689 -45 48 0.11127 -45 67 0.06225 -45 76 0.11037 -45 83 0.02906 -45 95 0.10135 -45 104 0.11417 -45 217 0.04535 -45 232 0.09323 -44 49 0.02107 -44 59 0.09573 -44 68 0.11930 -44 80 0.10281 -44 93 0.06793 -44 97 0.03365 -44 144 0.09765 -44 160 0.06268 -44 168 0.10433 -44 176 0.07613 -44 185 0.10945 -44 191 0.08240 -44 202 0.05971 -44 204 0.01774 -44 222 0.11370 -44 225 0.05336 -44 231 0.10384 -44 248 0.11288 -43 82 0.08576 -43 152 0.08933 -43 156 0.10122 -43 207 0.02708 -43 210 0.05763 -43 212 0.07554 -43 219 0.09405 -43 221 0.03765 -43 244 0.10274 -42 86 0.09639 -42 101 0.09688 -42 108 0.06664 -42 135 0.05008 -42 141 0.08880 -42 157 0.11467 -42 181 0.06506 -42 196 0.09113 -41 81 0.11854 -41 88 0.06374 -41 121 0.07816 -41 170 0.09973 -41 182 0.03878 -41 198 0.10323 -40 75 0.07166 -40 89 0.10329 -40 116 0.05100 -40 150 0.07051 -40 164 0.03395 -40 190 0.03649 -40 194 0.10624 -40 220 0.03150 -40 247 0.07741 -39 66 0.05590 -39 80 0.10277 -39 149 0.05382 -39 206 0.10412 -39 209 0.10654 -39 211 0.11209 -38 74 0.06907 -38 109 0.09245 -38 126 0.00845 -38 183 0.08279 -38 215 0.05290 -37 76 0.02674 -37 95 0.09352 -37 115 0.01398 -37 153 0.03846 -37 228 0.07596 -37 241 0.06139 -36 41 0.05329 -36 88 0.01841 -36 98 0.08515 -36 182 0.09055 -35 36 0.08804 -35 41 0.10606 -35 88 0.07142 -35 94 0.06254 -35 141 0.11388 -35 198 0.10645 -34 53 0.08565 -34 56 0.04399 -34 73 0.01812 -34 120 0.09075 -34 145 0.07784 -33 58 0.09102 -33 114 0.08593 -33 163 0.10678 -33 222 0.10644 -32 52 0.07988 -32 77 0.11466 -32 93 0.07410 -32 102 0.09251 -32 104 0.10076 -32 144 0.07333 -32 151 0.11408 -32 160 0.11627 -32 168 0.05434 -32 185 0.10165 -32 187 0.04594 -32 201 0.11801 -32 208 0.11121 -32 226 0.07421 -32 231 0.05700 -32 248 0.07367 -31 37 0.09487 -31 115 0.08730 -31 153 0.10769 -31 228 0.07913 -31 241 0.07871 -30 43 0.10126 -30 70 0.10835 -30 79 0.10818 -30 82 0.10926 -30 143 0.08740 -30 152 0.04565 -30 156 0.11364 -30 179 0.06570 -30 207 0.08708 -30 210 0.09124 -30 212 0.03314 -30 214 0.11280 -30 219 0.11146 -30 221 0.11496 -30 244 0.01475 -29 47 0.02921 -29 64 0.10752 -29 91 0.06429 -29 109 0.09440 -29 137 0.06803 -29 146 0.08191 -29 167 0.10821 -29 218 0.02524 -29 224 0.03477 -29 227 0.10208 -28 35 0.10487 -28 41 0.10902 -28 94 0.08477 -28 113 0.05483 -28 121 0.07801 -28 170 0.10987 -28 182 0.08584 -28 198 0.00775 -28 223 0.09677 -28 242 0.02503 -27 62 0.07419 -27 65 0.07207 -27 71 0.05107 -27 138 0.07814 -27 184 0.11544 -27 188 0.03989 -27 230 0.08817 -27 233 0.04883 -27 240 0.06581 -26 55 0.09933 -26 77 0.03854 -26 78 0.09413 -26 102 0.04190 -26 138 0.09654 -26 217 0.11910 -26 226 0.11644 -26 239 0.11461 -26 240 0.11097 -25 60 0.03405 -25 63 0.09366 -25 96 0.08879 -25 111 0.05309 -25 199 0.07779 -24 39 0.07951 -24 66 0.08457 -24 80 0.11814 -24 114 0.10397 -24 149 0.02915 -24 163 0.05034 -24 206 0.09602 -24 209 0.02802 -24 211 0.03696 -24 222 0.09835 -24 225 0.11996 -23 33 0.06032 -23 58 0.07072 -23 68 0.07437 -23 114 0.07960 -23 176 0.11709 -23 195 0.08090 -23 222 0.09692 -22 34 0.03658 -22 53 0.07033 -22 56 0.01508 -22 73 0.04871 -22 120 0.06464 -22 145 0.09324 -21 27 0.01873 -21 62 0.07424 -21 65 0.07811 -21 71 0.03782 -21 138 0.09594 -21 184 0.11666 -21 188 0.04280 -21 230 0.08276 -21 233 0.04409 -21 240 0.08207 -20 40 0.07068 -20 75 0.02897 -20 89 0.05690 -20 116 0.02095 -20 127 0.11837 -20 164 0.06088 -20 190 0.09529 -20 194 0.09349 -20 220 0.10072 -20 247 0.07725 -19 70 0.06872 -19 79 0.08364 -19 84 0.03540 -19 100 0.06397 -19 103 0.05319 -19 174 0.01925 -19 179 0.08733 -19 192 0.09085 -19 243 0.09323 -18 35 0.11609 -18 51 0.11645 -18 86 0.02813 -18 94 0.11772 -18 141 0.06466 -17 41 0.10519 -17 81 0.05763 -17 121 0.09728 -17 134 0.10171 -17 158 0.10542 -17 170 0.07756 -17 182 0.09423 -17 223 0.11337 -17 229 0.06676 -16 54 0.07406 -16 98 0.11623 -16 99 0.10210 -16 117 0.05134 -16 129 0.09325 -16 140 0.07952 -16 147 0.07171 -16 166 0.11475 -16 178 0.06981 -16 236 0.07388 -15 24 0.04507 -15 39 0.09051 -15 49 0.10519 -15 58 0.10462 -15 66 0.11797 -15 80 0.08217 -15 114 0.09104 -15 149 0.04256 -15 163 0.05589 -15 202 0.08786 -15 204 0.11074 -15 209 0.04580 -15 211 0.04000 -15 222 0.07726 -15 225 0.07498 -14 18 0.07335 -14 51 0.09603 -14 86 0.09145 -14 129 0.10737 -14 133 0.06649 -14 166 0.08096 -13 19 0.08927 -13 100 0.02560 -13 103 0.08741 -13 129 0.10843 -13 133 0.06257 -13 162 0.11602 -13 174 0.09377 -13 192 0.08128 -12 28 0.06032 -12 35 0.06079 -12 36 0.08058 -12 41 0.06364 -12 88 0.07461 -12 94 0.08239 -12 113 0.09906 -12 121 0.08542 -12 170 0.11918 -12 182 0.06361 -12 198 0.05807 -12 242 0.08457 -11 30 0.08689 -11 43 0.10208 -11 82 0.03687 -11 85 0.06928 -11 143 0.08708 -11 152 0.04140 -11 175 0.09935 -11 207 0.11101 -11 212 0.09716 -11 244 0.07397 -11 246 0.06678 -10 105 0.11028 -10 106 0.11976 -10 123 0.00886 -10 175 0.07429 -10 246 0.09977 -9 23 0.03526 -9 33 0.08216 -9 58 0.10398 -9 68 0.09604 -9 114 0.11445 -9 142 0.10955 -9 195 0.04585 -8 11 0.04709 -8 30 0.03985 -8 43 0.09334 -8 82 0.07286 -8 85 0.11331 -8 143 0.07437 -8 152 0.00702 -8 179 0.09533 -8 207 0.09011 -8 210 0.10661 -8 212 0.05604 -8 221 0.11895 -8 244 0.02711 -8 246 0.09709 -7 42 0.11616 -7 57 0.06795 -7 65 0.09235 -7 71 0.11091 -7 101 0.10577 -7 125 0.02442 -7 148 0.02175 -7 157 0.00516 -7 181 0.05778 -7 184 0.04976 -7 188 0.10982 -7 197 0.06984 -7 230 0.06107 -6 16 0.04529 -6 54 0.11235 -6 98 0.09893 -6 99 0.11022 -6 117 0.08821 -6 129 0.05363 -6 140 0.10829 -6 147 0.07924 -6 166 0.06998 -6 178 0.07007 -6 236 0.05556 -5 26 0.03351 -5 32 0.11054 -5 55 0.11131 -5 67 0.10880 -5 77 0.05505 -5 102 0.03834 -5 104 0.11574 -5 217 0.09458 -5 226 0.11433 -4 5 0.11184 -4 26 0.08347 -4 55 0.06425 -4 77 0.10733 -4 78 0.02559 -4 112 0.08751 -4 128 0.04751 -4 138 0.11375 -4 159 0.10114 -4 239 0.03883 -4 240 0.11344 -3 37 0.08512 -3 45 0.11902 -3 67 0.09725 -3 76 0.08069 -3 115 0.09861 -3 153 0.04799 -3 228 0.07635 -3 241 0.07024 -2 14 0.08765 -2 18 0.07425 -2 42 0.11456 -2 51 0.05083 -2 79 0.11759 -2 86 0.05980 -2 108 0.09627 -2 110 0.11746 -2 141 0.11373 -1 72 0.06506 -1 107 0.07484 -1 130 0.10203 -1 150 0.10908 -1 164 0.11039 -1 189 0.09582 -1 194 0.11069 -1 200 0.09550 -1 203 0.08567 -1 220 0.10428 -0 15 0.05719 -0 24 0.10191 -0 44 0.06471 -0 49 0.04849 -0 58 0.09955 -0 59 0.10657 -0 68 0.11816 -0 80 0.06821 -0 97 0.07705 -0 114 0.09610 -0 149 0.09659 -0 160 0.11714 -0 163 0.09368 -0 176 0.08927 -0 191 0.10711 -0 202 0.04678 -0 204 0.05476 -0 209 0.09511 -0 211 0.08438 -0 222 0.07573 -0 225 0.02383 diff --git a/DataStructureNotes/testG6.txt b/DataStructureNotes/testG6.txt deleted file mode 100644 index b722f71..0000000 --- a/DataStructureNotes/testG6.txt +++ /dev/null @@ -1,8434 +0,0 @@ -1000 8433 -987 990 0.06469 -984 986 0.03770 -983 988 0.06158 -981 997 0.05808 -979 993 0.05028 -977 992 0.05575 -975 978 0.02590 -974 998 0.06373 -973 984 0.06512 -973 986 0.07181 -973 995 0.06798 -971 985 0.04048 -969 970 0.06807 -966 968 0.06213 -966 995 0.04364 -963 968 0.06970 -961 967 0.07440 -961 991 0.03901 -956 999 0.06462 -952 994 0.02873 -948 987 0.01489 -947 959 0.07469 -947 974 0.06580 -947 998 0.03188 -946 990 0.01906 -944 947 0.03825 -944 974 0.02764 -944 998 0.04288 -943 945 0.02586 -942 979 0.01027 -942 993 0.04583 -938 961 0.07417 -938 991 0.03525 -936 965 0.04994 -935 943 0.01266 -935 945 0.03619 -933 944 0.02367 -933 947 0.02216 -933 974 0.04848 -933 998 0.02065 -932 934 0.02981 -931 945 0.07309 -931 958 0.06016 -930 996 0.06125 -929 949 0.06134 -929 982 0.03239 -928 988 0.06494 -927 946 0.06891 -926 994 0.06692 -925 960 0.01951 -924 975 0.05714 -924 978 0.05258 -923 946 0.04998 -923 969 0.06000 -923 987 0.06068 -923 990 0.03152 -922 981 0.02690 -922 997 0.03288 -921 989 0.02107 -919 929 0.06636 -919 949 0.05455 -919 982 0.06103 -918 927 0.03727 -918 952 0.05446 -918 994 0.03860 -916 950 0.05051 -914 928 0.05594 -914 983 0.05423 -914 988 0.02410 -913 933 0.07346 -913 944 0.05709 -913 947 0.07063 -913 974 0.06458 -912 931 0.03287 -912 945 0.06818 -912 958 0.07395 -912 997 0.05270 -911 925 0.02444 -911 960 0.02365 -910 976 0.01405 -909 966 0.02532 -909 968 0.04773 -909 995 0.04005 -908 988 0.06062 -907 934 0.07120 -907 981 0.05675 -906 919 0.05184 -906 929 0.03396 -906 949 0.02738 -906 982 0.05651 -905 939 0.07030 -904 923 0.06418 -904 946 0.05884 -904 948 0.03987 -904 987 0.03137 -904 990 0.05213 -902 928 0.05429 -901 919 0.05007 -901 954 0.06697 -900 940 0.07163 -899 909 0.03701 -899 966 0.02545 -899 984 0.06417 -899 995 0.02462 -898 917 0.05110 -898 964 0.06846 -897 913 0.03854 -897 933 0.03840 -897 944 0.03211 -897 947 0.03209 -897 974 0.05477 -897 998 0.05756 -896 983 0.05029 -895 897 0.04983 -895 913 0.04510 -895 947 0.07137 -894 965 0.04964 -892 977 0.03879 -891 952 0.06905 -890 907 0.03488 -890 959 0.05917 -889 930 0.05244 -889 996 0.05049 -888 890 0.06937 -888 959 0.02389 -887 892 0.04066 -887 898 0.04044 -887 917 0.05621 -887 964 0.05971 -886 894 0.02442 -886 965 0.06260 -885 936 0.07391 -885 937 0.07184 -884 911 0.04981 -884 925 0.02827 -884 960 0.04662 -883 891 0.07287 -883 911 0.02857 -883 925 0.05264 -883 960 0.04495 -882 895 0.03114 -882 897 0.04636 -882 913 0.01806 -882 944 0.07128 -881 923 0.03720 -881 969 0.02309 -881 987 0.06648 -881 990 0.06809 -879 941 0.04723 -878 920 0.04201 -878 922 0.05067 -878 981 0.04148 -878 997 0.06394 -877 882 0.03345 -877 895 0.01697 -877 897 0.06480 -877 913 0.05089 -876 900 0.06325 -876 940 0.06158 -875 956 0.04668 -875 964 0.04964 -874 886 0.03409 -874 894 0.04498 -874 905 0.05611 -873 982 0.05854 -872 970 0.04155 -871 962 0.07477 -870 906 0.05748 -870 929 0.03841 -870 982 0.06619 -869 909 0.05309 -869 921 0.06900 -869 968 0.07101 -869 995 0.05908 -868 940 0.03140 -867 985 0.06177 -866 924 0.04869 -866 975 0.02406 -866 978 0.00436 -865 916 0.03303 -865 950 0.04448 -864 905 0.07312 -863 876 0.06491 -862 967 0.02900 -861 974 0.07324 -860 890 0.07415 -860 907 0.06759 -860 932 0.03411 -860 934 0.00536 -859 871 0.03890 -859 891 0.06291 -858 892 0.04445 -858 977 0.02819 -858 992 0.05661 -857 908 0.06021 -856 875 0.05754 -856 953 0.06917 -856 956 0.06463 -856 964 0.06773 -855 883 0.07222 -855 884 0.06073 -855 911 0.05900 -855 925 0.06299 -855 926 0.04750 -854 889 0.07398 -854 924 0.07065 -853 877 0.05421 -853 895 0.07042 -853 920 0.04100 -852 901 0.02406 -852 919 0.07154 -852 954 0.05513 -851 910 0.03506 -851 921 0.07023 -851 976 0.04478 -851 989 0.05090 -850 852 0.04171 -850 901 0.04185 -850 919 0.05604 -850 949 0.06845 -850 954 0.03218 -849 951 0.06972 -848 893 0.07471 -846 923 0.06974 -846 946 0.05840 -846 990 0.06177 -845 861 0.06191 -845 915 0.01930 -844 866 0.03424 -844 924 0.04632 -844 975 0.05768 -844 978 0.03427 -843 863 0.04521 -843 876 0.02672 -841 930 0.04375 -841 996 0.04736 -840 855 0.04726 -840 883 0.02672 -840 884 0.07080 -840 891 0.07247 -840 911 0.03118 -840 925 0.05243 -840 926 0.06027 -840 960 0.05467 -839 899 0.06224 -839 973 0.05214 -839 984 0.01299 -839 986 0.03806 -839 995 0.07140 -838 880 0.05879 -838 903 0.05996 -837 889 0.07130 -837 961 0.07242 -837 996 0.04234 -836 839 0.06119 -836 984 0.05859 -836 986 0.02370 -835 862 0.05968 -835 967 0.06296 -833 888 0.02748 -833 890 0.04744 -833 907 0.07495 -833 959 0.01202 -832 842 0.02813 -832 975 0.07243 -831 851 0.06697 -831 910 0.03604 -831 976 0.02274 -830 874 0.02388 -830 886 0.05615 -830 894 0.06883 -830 905 0.04209 -829 837 0.06878 -829 841 0.02245 -829 889 0.07328 -829 930 0.05822 -829 996 0.03179 -828 955 0.03996 -827 854 0.03016 -827 889 0.07252 -825 905 0.04301 -825 939 0.05150 -825 953 0.06519 -824 850 0.05174 -824 852 0.03845 -824 901 0.01483 -824 919 0.04214 -823 843 0.06075 -823 863 0.06523 -823 876 0.04935 -823 900 0.02344 -822 879 0.05936 -822 941 0.01505 -821 874 0.05360 -821 886 0.03636 -821 894 0.01194 -821 965 0.04684 -820 912 0.06077 -820 931 0.02799 -820 958 0.06404 -819 881 0.06534 -819 904 0.03021 -819 923 0.03646 -819 946 0.03616 -819 948 0.05648 -819 987 0.04227 -819 990 0.02339 -818 859 0.06296 -818 871 0.04344 -818 962 0.03215 -817 912 0.03353 -817 931 0.05626 -817 935 0.07028 -817 943 0.06469 -817 945 0.04295 -817 997 0.06258 -816 846 0.04014 -816 918 0.04480 -816 927 0.06032 -816 946 0.07065 -816 952 0.05008 -816 994 0.05911 -815 902 0.06735 -815 980 0.05106 -814 822 0.04567 -814 941 0.06063 -814 963 0.06589 -813 868 0.06315 -812 831 0.01970 -812 851 0.07464 -812 910 0.04995 -812 976 0.03595 -811 935 0.05002 -811 943 0.06268 -810 824 0.05537 -810 852 0.03980 -810 863 0.04856 -810 901 0.04888 -809 825 0.06315 -809 830 0.06072 -809 864 0.04423 -809 905 0.02941 -809 939 0.06801 -808 824 0.06560 -808 906 0.04336 -808 919 0.02856 -808 929 0.04272 -808 949 0.05998 -808 982 0.03253 -807 972 0.02055 -806 817 0.06756 -806 878 0.07083 -806 912 0.04886 -806 922 0.04892 -806 981 0.07270 -806 997 0.01676 -805 814 0.04254 -804 872 0.04770 -804 948 0.05106 -804 987 0.06532 -803 881 0.07010 -803 969 0.04701 -803 970 0.04201 -802 983 0.04903 -801 860 0.03185 -801 890 0.06470 -801 907 0.07395 -801 932 0.05301 -801 934 0.03616 -801 973 0.05818 -800 827 0.04595 -800 854 0.01693 -800 924 0.05634 -799 809 0.03319 -799 825 0.04149 -799 864 0.05685 -799 905 0.03718 -799 939 0.03570 -798 818 0.05168 -798 859 0.03802 -798 871 0.00824 -797 802 0.04760 -797 830 0.05217 -797 874 0.06422 -796 834 0.05698 -795 916 0.06779 -795 950 0.05019 -795 977 0.05807 -795 992 0.07146 -794 848 0.07418 -794 937 0.06707 -793 832 0.05167 -793 866 0.04735 -793 975 0.03493 -793 978 0.04567 -792 848 0.04852 -792 893 0.02626 -791 867 0.04690 -790 845 0.05458 -790 861 0.03531 -790 915 0.06420 -790 974 0.04779 -789 836 0.06684 -789 839 0.01003 -789 899 0.06032 -789 973 0.04230 -789 984 0.02287 -789 986 0.04317 -789 995 0.06611 -788 803 0.02928 -788 872 0.06988 -788 969 0.07373 -788 970 0.03216 -787 870 0.04439 -786 887 0.01898 -786 892 0.03585 -786 898 0.05483 -786 917 0.07486 -786 964 0.04885 -786 977 0.07171 -785 820 0.02927 -785 931 0.05230 -785 958 0.05687 -784 808 0.07481 -784 850 0.05672 -784 906 0.04794 -784 919 0.06186 -784 949 0.02072 -784 954 0.07207 -783 807 0.01378 -783 972 0.03186 -782 794 0.05188 -782 848 0.04780 -782 951 0.03947 -781 802 0.04819 -781 908 0.06675 -781 914 0.04711 -781 983 0.02798 -781 988 0.04285 -780 788 0.03882 -780 803 0.06547 -780 872 0.04756 -780 970 0.03679 -780 980 0.07081 -779 942 0.04688 -779 979 0.05227 -779 993 0.00532 -778 799 0.01555 -778 809 0.04523 -778 825 0.04947 -778 864 0.05680 -778 905 0.05273 -778 939 0.02329 -777 786 0.05991 -777 795 0.05610 -777 875 0.07386 -777 892 0.05966 -777 964 0.07137 -777 977 0.06209 -776 784 0.05087 -776 808 0.06678 -776 824 0.04307 -776 850 0.01698 -776 852 0.04714 -776 901 0.03776 -776 906 0.07213 -776 919 0.03915 -776 949 0.05790 -776 954 0.04885 -775 789 0.02137 -775 836 0.07444 -775 839 0.01685 -775 899 0.04800 -775 966 0.06666 -775 973 0.06057 -775 984 0.01631 -775 986 0.05255 -775 995 0.06132 -773 790 0.05886 -773 845 0.04764 -773 915 0.03557 -771 811 0.04471 -771 932 0.06779 -770 936 0.06957 -769 818 0.05751 -769 871 0.07412 -769 880 0.03854 -769 962 0.05518 -768 781 0.02741 -768 802 0.06500 -768 908 0.04048 -768 914 0.05048 -768 983 0.05515 -768 988 0.03282 -767 860 0.05435 -767 907 0.07467 -767 922 0.06792 -767 932 0.06413 -767 934 0.05155 -767 981 0.07011 -766 833 0.04075 -766 888 0.02784 -766 890 0.06306 -766 959 0.04502 -765 815 0.03521 -765 980 0.01596 -764 783 0.03675 -764 807 0.02523 -764 972 0.00489 -763 793 0.05711 -763 800 0.06138 -763 844 0.04900 -763 866 0.02545 -763 924 0.03525 -763 975 0.02232 -763 978 0.02967 -762 778 0.03898 -762 799 0.03893 -762 809 0.06941 -762 825 0.02323 -762 905 0.05806 -762 939 0.03165 -762 953 0.05797 -761 762 0.07430 -761 953 0.05106 -760 761 0.06923 -760 771 0.07119 -760 898 0.05001 -760 917 0.06783 -759 765 0.05475 -759 780 0.02415 -759 788 0.05976 -759 872 0.06032 -759 970 0.06060 -759 980 0.05329 -757 766 0.05035 -757 801 0.06480 -757 890 0.07304 -757 973 0.05225 -756 805 0.06751 -756 814 0.06723 -756 904 0.07496 -756 963 0.02984 -755 855 0.05581 -755 926 0.02900 -755 994 0.07282 -754 847 0.06709 -753 833 0.07446 -753 890 0.03915 -753 907 0.00895 -753 981 0.05199 -752 771 0.05892 -752 801 0.06002 -752 860 0.04651 -752 932 0.01379 -752 934 0.04271 -751 787 0.05605 -751 870 0.03825 -751 906 0.05790 -751 929 0.06124 -751 949 0.06871 -750 782 0.05254 -750 792 0.04353 -750 794 0.05747 -750 848 0.02578 -750 893 0.06638 -749 760 0.01570 -749 761 0.06766 -749 898 0.03522 -749 917 0.06279 -748 764 0.06651 -748 783 0.02999 -748 807 0.04190 -748 972 0.06165 -747 798 0.06255 -747 813 0.04401 -747 826 0.05246 -747 859 0.07304 -747 871 0.07079 -746 763 0.06379 -746 793 0.01093 -746 832 0.05809 -746 866 0.04993 -746 975 0.04237 -746 978 0.04739 -745 815 0.07397 -745 829 0.06607 -745 841 0.07030 -745 902 0.02088 -745 928 0.07310 -744 795 0.05478 -744 916 0.05976 -744 992 0.04489 -743 750 0.04093 -743 792 0.03379 -743 848 0.06121 -743 893 0.03918 -742 800 0.06813 -742 854 0.06823 -742 889 0.05849 -742 930 0.03330 -741 868 0.02569 -741 876 0.06676 -741 940 0.00727 -740 749 0.02577 -740 760 0.03081 -740 761 0.04198 -740 898 0.05046 -739 779 0.04111 -739 942 0.02589 -739 979 0.02179 -739 993 0.03733 -738 741 0.04227 -738 826 0.04945 -738 868 0.05102 -738 940 0.04717 -737 739 0.07018 -737 951 0.07337 -736 757 0.00898 -736 766 0.04162 -736 801 0.06715 -736 833 0.07322 -736 888 0.06908 -736 890 0.06708 -736 973 0.06075 -735 950 0.06595 -734 791 0.04852 -734 918 0.04472 -734 927 0.05291 -734 994 0.06209 -733 835 0.05766 -733 862 0.01518 -733 967 0.01410 -732 770 0.04671 -731 747 0.06793 -731 769 0.06495 -731 798 0.03302 -731 813 0.06109 -731 818 0.06503 -731 859 0.07095 -731 871 0.03481 -730 885 0.01236 -730 936 0.06293 -729 773 0.05466 -729 933 0.06798 -729 944 0.07150 -729 974 0.06714 -729 998 0.06102 -728 821 0.06288 -728 825 0.06398 -728 856 0.07151 -728 894 0.07196 -728 953 0.06236 -727 761 0.06620 -727 762 0.04297 -727 778 0.03786 -727 799 0.05152 -727 825 0.06501 -727 939 0.01620 -726 731 0.03648 -726 769 0.03213 -726 798 0.04783 -726 818 0.04085 -726 871 0.04253 -726 880 0.06020 -726 962 0.05716 -725 855 0.07438 -725 884 0.06398 -724 749 0.05769 -724 760 0.07052 -724 786 0.03859 -724 887 0.02003 -724 892 0.05663 -724 898 0.02573 -724 917 0.03997 -724 964 0.07077 -723 819 0.01077 -723 846 0.07453 -723 881 0.06229 -723 904 0.04087 -723 923 0.02923 -723 946 0.02968 -723 948 0.06576 -723 987 0.05116 -723 990 0.01353 -722 739 0.07203 -722 764 0.04521 -722 783 0.06669 -722 807 0.05337 -722 849 0.05567 -722 942 0.05260 -722 972 0.04702 -722 979 0.05083 -721 787 0.04371 -721 841 0.06255 -721 930 0.06661 -719 797 0.06246 -719 802 0.06070 -719 896 0.05240 -719 983 0.05260 -718 752 0.05185 -718 767 0.04135 -718 771 0.06540 -718 811 0.04882 -718 860 0.05998 -718 932 0.04492 -718 934 0.05480 -718 935 0.07471 -717 758 0.02019 -717 779 0.07116 -716 811 0.07025 -716 917 0.05586 -716 935 0.04582 -716 943 0.04624 -716 945 0.06861 -715 938 0.02871 -715 961 0.05478 -715 991 0.02364 -714 720 0.04604 -714 805 0.06019 -713 725 0.04145 -713 971 0.04730 -712 744 0.06072 -712 865 0.04509 -712 916 0.01883 -712 950 0.06934 -711 733 0.06334 -711 827 0.07116 -711 835 0.00757 -711 862 0.06640 -711 967 0.06746 -710 785 0.07443 -710 817 0.04993 -710 820 0.04559 -710 912 0.05282 -710 931 0.04018 -710 935 0.07487 -710 943 0.06303 -710 945 0.03974 -709 711 0.03779 -709 835 0.03413 -709 862 0.07156 -708 744 0.04019 -708 795 0.05222 -708 858 0.05254 -708 977 0.04214 -708 992 0.02000 -707 728 0.04424 -707 762 0.03709 -707 778 0.06898 -707 799 0.06115 -707 825 0.01974 -707 905 0.05591 -707 939 0.06829 -707 953 0.05699 -706 766 0.04878 -706 833 0.05198 -706 888 0.02755 -706 947 0.06759 -706 959 0.04362 -706 998 0.06684 -705 719 0.05844 -705 768 0.05830 -705 781 0.03327 -705 802 0.06161 -705 896 0.04335 -705 914 0.04586 -705 983 0.01262 -705 988 0.05764 -704 723 0.03215 -704 819 0.02229 -704 904 0.01174 -704 923 0.05843 -704 946 0.04726 -704 948 0.04997 -704 987 0.03935 -704 990 0.04199 -703 747 0.06998 -703 798 0.05474 -703 859 0.02139 -703 871 0.05767 -703 891 0.04967 -702 775 0.01987 -702 789 0.03250 -702 836 0.06134 -702 839 0.02290 -702 899 0.06461 -702 973 0.07479 -702 984 0.01014 -702 986 0.04293 -701 706 0.04485 -701 736 0.04935 -701 757 0.05647 -701 766 0.02162 -701 833 0.05846 -701 888 0.03665 -701 959 0.05936 -700 816 0.03133 -700 846 0.05517 -700 918 0.03786 -700 927 0.03212 -700 946 0.05311 -700 952 0.07309 -700 990 0.07029 -700 994 0.07025 -699 743 0.04232 -699 750 0.03982 -699 792 0.01228 -699 848 0.03874 -699 893 0.03759 -698 734 0.05696 -698 755 0.04935 -698 791 0.03252 -698 867 0.05501 -697 746 0.03649 -697 763 0.05642 -697 793 0.02597 -697 832 0.03589 -697 842 0.06208 -697 866 0.05834 -697 975 0.03656 -697 978 0.05857 -696 721 0.04690 -696 745 0.07130 -696 829 0.03757 -696 841 0.01585 -696 930 0.04473 -696 996 0.06293 -695 796 0.06794 -695 834 0.04857 -694 705 0.05397 -694 719 0.04583 -694 896 0.01459 -694 983 0.05846 -692 823 0.05783 -692 843 0.01188 -692 863 0.05533 -692 876 0.01581 -691 705 0.02573 -691 719 0.07025 -691 768 0.03515 -691 781 0.00798 -691 802 0.04746 -691 896 0.06862 -691 908 0.07471 -691 914 0.04690 -691 983 0.02004 -691 988 0.04669 -690 700 0.05677 -690 816 0.02886 -690 846 0.02629 -690 918 0.07284 -690 952 0.05896 -689 733 0.03240 -689 862 0.04562 -689 961 0.07337 -689 967 0.01970 -689 991 0.06467 -688 957 0.01876 -687 689 0.03419 -687 733 0.02318 -687 862 0.02313 -687 967 0.02784 -686 746 0.06969 -686 763 0.02792 -686 793 0.06712 -686 844 0.02113 -686 866 0.01985 -686 924 0.03321 -686 975 0.03958 -686 978 0.02242 -685 699 0.03660 -685 743 0.07260 -685 750 0.04607 -685 782 0.06611 -685 792 0.04882 -685 848 0.02321 -685 893 0.07378 -684 712 0.02121 -684 744 0.05983 -684 795 0.06598 -684 865 0.03220 -684 916 0.00238 -684 950 0.04815 -683 745 0.04527 -683 829 0.06846 -683 902 0.03443 -683 928 0.03707 -682 691 0.04877 -682 694 0.03708 -682 705 0.02318 -682 719 0.05976 -682 781 0.05607 -682 896 0.02355 -682 914 0.05328 -682 983 0.03371 -682 988 0.07179 -681 729 0.05866 -681 812 0.02220 -681 831 0.02144 -681 910 0.05729 -681 976 0.04418 -680 853 0.04265 -680 877 0.05428 -680 882 0.06175 -680 895 0.06986 -679 842 0.06414 -679 873 0.06982 -678 718 0.05657 -678 752 0.03696 -678 767 0.05793 -678 801 0.03326 -678 860 0.00968 -678 932 0.02502 -678 934 0.00755 -677 803 0.06430 -677 850 0.06806 -677 954 0.03897 -676 700 0.05957 -676 734 0.02359 -676 791 0.06615 -676 918 0.04056 -676 927 0.03191 -676 994 0.07107 -675 703 0.06384 -675 840 0.06577 -675 883 0.07132 -675 891 0.01433 -675 926 0.06757 -675 952 0.06140 -674 882 0.06983 -674 895 0.06721 -674 897 0.02401 -674 913 0.06242 -674 933 0.02031 -674 944 0.03101 -674 947 0.00895 -674 974 0.05863 -674 998 0.03548 -673 754 0.05750 -673 774 0.04756 -673 847 0.05792 -672 776 0.05188 -672 784 0.05306 -672 808 0.02177 -672 824 0.06449 -672 850 0.06834 -672 901 0.07154 -672 906 0.02983 -672 919 0.02239 -672 929 0.04644 -672 949 0.03929 -672 982 0.05021 -671 704 0.05711 -671 723 0.02513 -671 819 0.03577 -671 846 0.05273 -671 881 0.05764 -671 904 0.06597 -671 923 0.02098 -671 946 0.03222 -671 987 0.07197 -671 990 0.01763 -670 851 0.06226 -670 869 0.06549 -670 921 0.04352 -670 989 0.04525 -668 728 0.06553 -668 821 0.04519 -668 894 0.05596 -668 965 0.04237 -667 689 0.06121 -667 715 0.03044 -667 938 0.01885 -667 961 0.06039 -667 991 0.02247 -666 791 0.07078 -666 851 0.06005 -666 867 0.03883 -666 921 0.07113 -666 985 0.06833 -666 989 0.05405 -665 679 0.07029 -665 697 0.04978 -665 746 0.07325 -665 793 0.06693 -665 832 0.01527 -665 842 0.01286 -664 908 0.07145 -664 914 0.07400 -664 928 0.06668 -664 988 0.05801 -663 837 0.05534 -663 889 0.03370 -663 961 0.06061 -663 996 0.05808 -662 695 0.01820 -662 834 0.06672 -661 735 0.04710 -661 764 0.06771 -661 865 0.06570 -661 950 0.07030 -661 972 0.07109 -660 716 0.04919 -660 828 0.06700 -660 955 0.03227 -659 696 0.05493 -659 721 0.01631 -659 787 0.02895 -659 841 0.07073 -659 870 0.07333 -658 720 0.03711 -658 864 0.04973 -657 753 0.07429 -657 853 0.06765 -657 878 0.02142 -657 920 0.03299 -657 922 0.06862 -657 981 0.05247 -656 790 0.03902 -656 861 0.05523 -656 897 0.06560 -656 913 0.06196 -656 933 0.06883 -656 944 0.04598 -656 974 0.02202 -655 738 0.02002 -655 741 0.02270 -655 826 0.06325 -655 868 0.03318 -655 876 0.07213 -655 940 0.02842 -654 676 0.04233 -654 734 0.06293 -654 927 0.04429 -653 822 0.07418 -653 879 0.01654 -653 941 0.06094 -651 665 0.06809 -651 679 0.01960 -651 832 0.07369 -651 842 0.06548 -650 719 0.03977 -650 797 0.02281 -650 802 0.04142 -650 830 0.07001 -650 983 0.06776 -649 660 0.03569 -649 716 0.01729 -649 917 0.07061 -649 935 0.04841 -649 943 0.04415 -649 945 0.06152 -649 955 0.06685 -648 725 0.05860 -648 855 0.06672 -648 884 0.00957 -648 911 0.05928 -648 925 0.03707 -648 960 0.05456 -647 682 0.05737 -647 694 0.05349 -647 896 0.04763 -646 668 0.05698 -646 937 0.02537 -646 965 0.07465 -645 717 0.07273 -645 748 0.01279 -645 758 0.06882 -645 783 0.04081 -645 807 0.05115 -645 972 0.07153 -644 699 0.06239 -644 743 0.04821 -644 774 0.06337 -644 792 0.05038 -644 893 0.02568 -643 672 0.02405 -643 776 0.04919 -643 784 0.02997 -643 808 0.04543 -643 850 0.06256 -643 906 0.02399 -643 919 0.03907 -643 929 0.05533 -643 949 0.01575 -643 982 0.06983 -642 691 0.03426 -642 705 0.05999 -642 768 0.02040 -642 781 0.02702 -642 802 0.04732 -642 908 0.04583 -642 914 0.06630 -642 983 0.05270 -642 988 0.05223 -641 702 0.06993 -641 775 0.05464 -641 789 0.06839 -641 839 0.06965 -641 869 0.07442 -641 899 0.00887 -641 909 0.03025 -641 966 0.01670 -641 968 0.07483 -641 984 0.07050 -641 995 0.02935 -640 673 0.04343 -640 847 0.05147 -639 750 0.06986 -639 782 0.07158 -639 794 0.01970 -639 885 0.06322 -639 937 0.05124 -638 782 0.03244 -638 794 0.06591 -638 849 0.06813 -638 951 0.02188 -637 688 0.02869 -637 957 0.03023 -636 724 0.01460 -636 749 0.06813 -636 786 0.04163 -636 887 0.02338 -636 892 0.04921 -636 898 0.03930 -636 917 0.03332 -635 645 0.03319 -635 748 0.02512 -635 783 0.04224 -635 807 0.05602 -635 972 0.07216 -634 701 0.03277 -634 706 0.07491 -634 736 0.01703 -634 757 0.02371 -634 766 0.02967 -634 833 0.06730 -634 888 0.05739 -634 890 0.07269 -634 959 0.07364 -633 709 0.02361 -633 711 0.05232 -633 733 0.06759 -633 835 0.04605 -633 862 0.05853 -632 710 0.07461 -632 718 0.07412 -632 767 0.05661 -632 806 0.07044 -632 817 0.02621 -632 912 0.05391 -632 922 0.06061 -632 935 0.07099 -632 943 0.07002 -632 945 0.05607 -632 997 0.05954 -631 662 0.05115 -631 695 0.03523 -631 796 0.03511 -631 834 0.03167 -630 667 0.06872 -630 715 0.07176 -630 857 0.05441 -630 938 0.05095 -629 740 0.06754 -629 749 0.05259 -629 760 0.03847 -629 771 0.03281 -629 811 0.06102 -629 917 0.07468 -628 641 0.07199 -628 869 0.03298 -628 909 0.04255 -628 921 0.06769 -628 966 0.06725 -628 968 0.03915 -628 995 0.06996 -627 671 0.06704 -627 723 0.07169 -627 803 0.06111 -627 819 0.07435 -627 881 0.00958 -627 923 0.04674 -627 969 0.01428 -627 987 0.07195 -626 683 0.03152 -626 696 0.07034 -626 745 0.01588 -626 829 0.05685 -626 841 0.06582 -626 902 0.02176 -626 928 0.06384 -625 669 0.06062 -625 796 0.06463 -624 753 0.01989 -624 767 0.05996 -624 860 0.06664 -624 890 0.05350 -624 907 0.01901 -624 922 0.06248 -624 934 0.06903 -624 981 0.04101 -623 693 0.04175 -622 644 0.03944 -622 743 0.03885 -622 792 0.06476 -622 893 0.05254 -621 663 0.03988 -621 829 0.05414 -621 837 0.02746 -621 841 0.06929 -621 889 0.04545 -621 930 0.07483 -621 996 0.02250 -620 659 0.04795 -620 721 0.05559 -620 787 0.03132 -620 842 0.07048 -620 870 0.04664 -619 624 0.02226 -619 678 0.05384 -619 753 0.03587 -619 767 0.04699 -619 801 0.06202 -619 860 0.04453 -619 890 0.05453 -619 907 0.02929 -619 922 0.07391 -619 934 0.04678 -619 981 0.05808 -618 657 0.06121 -618 680 0.04865 -618 853 0.00644 -618 877 0.05459 -618 895 0.07019 -618 920 0.03512 -617 649 0.06132 -617 660 0.06181 -617 710 0.03218 -617 820 0.06342 -617 828 0.06678 -617 931 0.06914 -617 935 0.07242 -617 943 0.05985 -617 945 0.04767 -617 955 0.06814 -616 622 0.06957 -616 644 0.05398 -616 673 0.04430 -616 754 0.05256 -616 774 0.03116 -615 620 0.03388 -615 651 0.05909 -615 665 0.06111 -615 679 0.04357 -615 787 0.06496 -615 842 0.04911 -615 870 0.07129 -614 628 0.04967 -614 641 0.04053 -614 869 0.03707 -614 899 0.04037 -614 909 0.03232 -614 966 0.04854 -614 968 0.07364 -614 995 0.02233 -613 626 0.03668 -613 659 0.06532 -613 683 0.06791 -613 696 0.04831 -613 721 0.06980 -613 745 0.02837 -613 829 0.05739 -613 841 0.05246 -613 902 0.04926 -612 650 0.03931 -612 682 0.07050 -612 694 0.05193 -612 705 0.07022 -612 719 0.01180 -612 797 0.06077 -612 802 0.06767 -612 896 0.06070 -612 983 0.06432 -611 617 0.06967 -611 649 0.03533 -611 660 0.07013 -611 716 0.03204 -611 811 0.05392 -611 935 0.01385 -611 943 0.01694 -611 945 0.04263 -610 643 0.05527 -610 751 0.05045 -610 765 0.07124 -610 784 0.04416 -610 906 0.05311 -610 949 0.04002 -610 980 0.05774 -609 690 0.05841 -609 846 0.05547 -609 957 0.06823 -608 654 0.02109 -608 676 0.06313 -608 756 0.06987 -608 927 0.05904 -608 963 0.07346 -607 692 0.05836 -607 823 0.00245 -607 843 0.06172 -607 863 0.06745 -607 876 0.04927 -607 900 0.02134 -606 702 0.02127 -606 775 0.03192 -606 789 0.02935 -606 836 0.04255 -606 839 0.02078 -606 973 0.06786 -606 984 0.01612 -606 986 0.02191 -605 618 0.01527 -605 657 0.06865 -605 680 0.04004 -605 853 0.01418 -605 877 0.04006 -605 882 0.06755 -605 895 0.05625 -605 920 0.04762 -604 772 0.03606 -604 844 0.07212 -604 924 0.07076 -603 636 0.07031 -603 724 0.05979 -603 777 0.07035 -603 786 0.03900 -603 875 0.05973 -603 887 0.04874 -603 892 0.07374 -603 898 0.05894 -603 964 0.01109 -602 707 0.04589 -602 727 0.05011 -602 728 0.07365 -602 761 0.05012 -602 762 0.02819 -602 778 0.06355 -602 799 0.06654 -602 825 0.04367 -602 939 0.04752 -602 953 0.03248 -601 663 0.06132 -601 667 0.05773 -601 715 0.04618 -601 837 0.06320 -601 938 0.06893 -601 961 0.01253 -601 991 0.03529 -600 636 0.03194 -600 724 0.04529 -600 786 0.04947 -600 858 0.04867 -600 887 0.04055 -600 892 0.03098 -600 898 0.07090 -600 917 0.05084 -600 977 0.05962 -599 612 0.03606 -599 647 0.06952 -599 650 0.07108 -599 682 0.04594 -599 694 0.01620 -599 705 0.05707 -599 719 0.03134 -599 896 0.02796 -599 983 0.05808 -598 599 0.05085 -598 612 0.01714 -598 650 0.03878 -598 694 0.06704 -598 719 0.02849 -598 797 0.05620 -597 652 0.05752 -597 681 0.06485 -597 831 0.06352 -597 910 0.07097 -597 976 0.06943 -596 666 0.07153 -596 676 0.07213 -596 698 0.02462 -596 734 0.05265 -596 755 0.07376 -596 791 0.00908 -596 867 0.04312 -595 735 0.03988 -595 777 0.06885 -595 875 0.06627 -595 950 0.07005 -595 956 0.07432 -594 605 0.05818 -594 618 0.06888 -594 674 0.07436 -594 853 0.07122 -594 877 0.03064 -594 882 0.05455 -594 895 0.02342 -594 897 0.06336 -594 913 0.06780 -593 754 0.05620 -593 847 0.03154 -592 726 0.04231 -592 731 0.05417 -592 769 0.03596 -592 838 0.06872 -592 880 0.02555 -591 648 0.06250 -591 725 0.07284 -591 755 0.06030 -591 840 0.04577 -591 855 0.00450 -591 883 0.06999 -591 884 0.05635 -591 911 0.05544 -591 925 0.05863 -591 926 0.05133 -591 960 0.07360 -590 666 0.04386 -590 670 0.07450 -590 851 0.01820 -590 910 0.04648 -590 921 0.07211 -590 976 0.05868 -590 985 0.07021 -590 989 0.05116 -589 593 0.06860 -589 640 0.02605 -589 673 0.06026 -589 847 0.03715 -588 642 0.02488 -588 682 0.07307 -588 691 0.03091 -588 705 0.05249 -588 768 0.00731 -588 781 0.02374 -588 802 0.06602 -588 908 0.04686 -588 914 0.04343 -588 983 0.05050 -588 988 0.02736 -587 703 0.06182 -587 726 0.05461 -587 731 0.06637 -587 798 0.04194 -587 818 0.02333 -587 859 0.04099 -587 871 0.03492 -587 883 0.07323 -587 962 0.05281 -586 662 0.02886 -586 695 0.04682 -585 608 0.02226 -585 654 0.01576 -585 676 0.05181 -585 734 0.06899 -585 927 0.05948 -584 661 0.03945 -584 722 0.07492 -584 764 0.03370 -584 783 0.05720 -584 807 0.05190 -584 972 0.03552 -583 595 0.04622 -583 603 0.07433 -583 777 0.06847 -583 875 0.02036 -583 956 0.04477 -583 964 0.06548 -582 638 0.06966 -582 685 0.04948 -582 737 0.05213 -582 782 0.05527 -582 848 0.05320 -582 951 0.05480 -581 650 0.06303 -581 797 0.04121 -581 802 0.06735 -581 830 0.05236 -581 874 0.04667 -581 886 0.04236 -581 894 0.06668 -580 619 0.05193 -580 624 0.04101 -580 632 0.06641 -580 657 0.06964 -580 753 0.05719 -580 767 0.05405 -580 806 0.07095 -580 878 0.05694 -580 907 0.05949 -580 922 0.02210 -580 981 0.01734 -580 997 0.05467 -579 598 0.00969 -579 599 0.04989 -579 612 0.02163 -579 650 0.04846 -579 694 0.06595 -579 719 0.03340 -579 797 0.06533 -578 587 0.06538 -578 675 0.06579 -578 840 0.03283 -578 859 0.07298 -578 883 0.00993 -578 891 0.06576 -578 911 0.03841 -578 925 0.06228 -578 960 0.05329 -577 610 0.02641 -577 643 0.05999 -577 751 0.02439 -577 784 0.06166 -577 870 0.05502 -577 906 0.04669 -577 929 0.06360 -577 949 0.04861 -577 980 0.06990 -576 785 0.02258 -576 820 0.04203 -576 931 0.05481 -576 958 0.03597 -575 601 0.03667 -575 621 0.04468 -575 663 0.05164 -575 715 0.06097 -575 837 0.02679 -575 961 0.04674 -575 991 0.06359 -575 996 0.06509 -574 609 0.04552 -574 671 0.05594 -574 690 0.02773 -574 700 0.06496 -574 816 0.04757 -574 846 0.00999 -574 923 0.07080 -574 946 0.06605 -574 990 0.06717 -573 610 0.06635 -573 677 0.06755 -573 759 0.07111 -573 780 0.06289 -573 784 0.06219 -573 788 0.04307 -573 803 0.06048 -573 970 0.07430 -573 980 0.07073 -572 583 0.01931 -572 595 0.03678 -572 603 0.07349 -572 777 0.05094 -572 875 0.03408 -572 956 0.06319 -572 964 0.06680 -571 667 0.06648 -571 687 0.04692 -571 689 0.03508 -571 733 0.06011 -571 862 0.06820 -571 967 0.05171 -570 646 0.04642 -570 668 0.04933 -570 730 0.05910 -570 885 0.05899 -570 936 0.06720 -570 937 0.05024 -570 965 0.03578 -569 641 0.07218 -569 653 0.05783 -569 822 0.04263 -569 879 0.05112 -569 941 0.02978 -569 966 0.06356 -568 647 0.01635 -568 682 0.07316 -568 694 0.06412 -568 896 0.06099 -567 614 0.05182 -567 634 0.04571 -567 701 0.07005 -567 736 0.04310 -567 757 0.03680 -567 766 0.07482 -567 869 0.06953 -567 899 0.07034 -567 973 0.05289 -567 995 0.04747 -566 606 0.07297 -566 727 0.07384 -566 836 0.04541 -566 986 0.06382 -565 682 0.07062 -565 683 0.06356 -565 902 0.06898 -565 914 0.04099 -565 928 0.02932 -565 988 0.05973 -564 646 0.04494 -564 668 0.07204 -564 937 0.06465 -564 956 0.05085 -564 999 0.05919 -563 565 0.07318 -563 588 0.06853 -563 664 0.01212 -563 683 0.07373 -563 768 0.07024 -563 908 0.07135 -563 914 0.06232 -563 928 0.05680 -563 988 0.04790 -562 581 0.06320 -562 707 0.06377 -562 797 0.06775 -562 799 0.07054 -562 809 0.05856 -562 821 0.06957 -562 825 0.06101 -562 830 0.01564 -562 874 0.02234 -562 886 0.05622 -562 894 0.06326 -562 905 0.03386 -561 583 0.05866 -561 603 0.07174 -561 856 0.01701 -561 875 0.04125 -561 956 0.05070 -561 964 0.06099 -560 568 0.06853 -560 647 0.07089 -560 759 0.07500 -560 765 0.05344 -560 815 0.02559 -560 902 0.07333 -560 980 0.06893 -559 622 0.06231 -559 639 0.04091 -559 730 0.04870 -559 743 0.05592 -559 750 0.06543 -559 794 0.05138 -559 885 0.03765 -558 576 0.02177 -558 785 0.03501 -558 820 0.03741 -558 912 0.06154 -558 931 0.03830 -558 958 0.02664 -557 726 0.07119 -557 769 0.05785 -557 818 0.05501 -557 962 0.02354 -556 581 0.04860 -556 821 0.06974 -556 874 0.07451 -556 886 0.04456 -556 894 0.06019 -556 936 0.04370 -556 965 0.06373 -555 575 0.05115 -555 621 0.03404 -555 663 0.07216 -555 683 0.06749 -555 829 0.05023 -555 837 0.02465 -555 841 0.07192 -555 996 0.03371 -554 722 0.04312 -554 849 0.01269 -553 992 0.06464 -552 556 0.06710 -552 562 0.05003 -552 581 0.01941 -552 650 0.05114 -552 797 0.02835 -552 802 0.06735 -552 830 0.03665 -552 874 0.03937 -552 886 0.04986 -552 894 0.07220 -551 684 0.04912 -551 708 0.06040 -551 712 0.04416 -551 744 0.02024 -551 795 0.06711 -551 916 0.04833 -551 992 0.06316 -550 593 0.04845 -550 630 0.02959 -550 847 0.05476 -550 857 0.06906 -550 938 0.07418 -549 552 0.04872 -549 556 0.07489 -549 581 0.04381 -549 642 0.06184 -549 650 0.04667 -549 691 0.07155 -549 781 0.07083 -549 797 0.03949 -549 802 0.02570 -549 983 0.07473 -548 557 0.06661 -548 587 0.04852 -548 592 0.04870 -548 726 0.00694 -548 731 0.04023 -548 769 0.03398 -548 798 0.04648 -548 818 0.03393 -548 871 0.04028 -548 880 0.06525 -548 962 0.05123 -547 623 0.07100 -547 693 0.07287 -547 713 0.05547 -547 971 0.01203 -547 985 0.03732 -546 704 0.05657 -546 804 0.04743 -546 805 0.05479 -546 819 0.07039 -546 904 0.04484 -546 948 0.02385 -546 987 0.03550 -545 565 0.04144 -545 588 0.05149 -545 642 0.07129 -545 682 0.03856 -545 691 0.04494 -545 705 0.03565 -545 768 0.05880 -545 781 0.04775 -545 896 0.06112 -545 914 0.01549 -545 928 0.06324 -545 983 0.04630 -545 988 0.03811 -544 605 0.04998 -544 618 0.03827 -544 657 0.02847 -544 853 0.04434 -544 878 0.03801 -544 920 0.00454 -543 634 0.06156 -543 701 0.04424 -543 706 0.03343 -543 736 0.07162 -543 766 0.03202 -543 833 0.01921 -543 888 0.00875 -543 890 0.06354 -543 959 0.01534 -542 611 0.05246 -542 629 0.05354 -542 716 0.06272 -542 718 0.06189 -542 771 0.04479 -542 811 0.01322 -542 917 0.07084 -542 935 0.05203 -542 943 0.06426 -541 633 0.06673 -541 687 0.05000 -541 689 0.04270 -541 709 0.06673 -541 711 0.04186 -541 733 0.02725 -541 835 0.03836 -541 862 0.03798 -541 961 0.06348 -541 967 0.02639 -540 681 0.03631 -540 729 0.03310 -540 812 0.04874 -540 831 0.05724 -540 933 0.06341 -540 998 0.04743 -539 540 0.07394 -539 670 0.06030 -539 681 0.05291 -539 812 0.03071 -539 831 0.04373 -539 851 0.06431 -539 910 0.05501 -539 976 0.04473 -538 584 0.04113 -538 635 0.07435 -538 645 0.07086 -538 722 0.04122 -538 748 0.06179 -538 764 0.00773 -538 783 0.03279 -538 807 0.01990 -538 972 0.00629 -537 561 0.06073 -537 572 0.03741 -537 583 0.03920 -537 595 0.07403 -537 603 0.03630 -537 777 0.05210 -537 786 0.05947 -537 856 0.07362 -537 875 0.02975 -537 964 0.02950 -536 584 0.04563 -536 661 0.03745 -536 684 0.06812 -536 865 0.03592 -536 916 0.06892 -536 950 0.06341 -535 569 0.06357 -535 756 0.06842 -535 814 0.05371 -535 822 0.05348 -535 941 0.05978 -535 963 0.04431 -535 966 0.07394 -535 968 0.06477 -534 567 0.03261 -534 634 0.03472 -534 701 0.06727 -534 736 0.02060 -534 757 0.01170 -534 766 0.06204 -534 801 0.06152 -534 973 0.04079 -534 995 0.07434 -533 547 0.02704 -533 623 0.05499 -533 693 0.04656 -533 713 0.05953 -533 971 0.03566 -533 985 0.05981 -532 553 0.05166 -532 828 0.02721 -532 955 0.05151 -531 594 0.06959 -531 656 0.05428 -531 674 0.04767 -531 877 0.05944 -531 882 0.03055 -531 895 0.04934 -531 897 0.02456 -531 913 0.01606 -531 933 0.05750 -531 944 0.04133 -531 947 0.05623 -531 974 0.05220 -530 559 0.07285 -530 638 0.05575 -530 639 0.03327 -530 782 0.05517 -530 794 0.02456 -530 937 0.06118 -529 548 0.06797 -529 557 0.06933 -529 592 0.04877 -529 726 0.06559 -529 769 0.03403 -529 880 0.03002 -528 590 0.06796 -528 596 0.05104 -528 666 0.02476 -528 698 0.07278 -528 791 0.04844 -528 867 0.03363 -528 989 0.06378 -527 536 0.04579 -527 684 0.03554 -527 712 0.03660 -527 865 0.02224 -527 916 0.03482 -527 950 0.06533 -526 613 0.06576 -526 659 0.03505 -526 696 0.02953 -526 721 0.02120 -526 742 0.06825 -526 787 0.06386 -526 829 0.06646 -526 841 0.04404 -526 930 0.04651 -525 606 0.06423 -525 678 0.05654 -525 752 0.03445 -525 789 0.06574 -525 801 0.06107 -525 836 0.05375 -525 839 0.06819 -525 860 0.06541 -525 932 0.04442 -525 934 0.06403 -525 973 0.06336 -525 986 0.04771 -524 545 0.04473 -524 563 0.03701 -524 565 0.05824 -524 588 0.03622 -524 642 0.06070 -524 664 0.04745 -524 691 0.05771 -524 705 0.06796 -524 768 0.04052 -524 781 0.05367 -524 908 0.06148 -524 914 0.02943 -524 928 0.05849 -524 983 0.07244 -524 988 0.01103 -523 556 0.03519 -523 570 0.06568 -523 581 0.06818 -523 668 0.06395 -523 821 0.04145 -523 874 0.07081 -523 886 0.03713 -523 894 0.03622 -523 936 0.04322 -523 965 0.03079 -522 655 0.04207 -522 738 0.02290 -522 741 0.06292 -522 826 0.04967 -522 868 0.07392 -522 940 0.06662 -521 545 0.07374 -521 560 0.06505 -521 565 0.07312 -521 568 0.01937 -521 599 0.07433 -521 647 0.00689 -521 682 0.05793 -521 694 0.05816 -521 896 0.05092 -520 537 0.06168 -520 600 0.04656 -520 603 0.04893 -520 636 0.04813 -520 724 0.04873 -520 777 0.05024 -520 786 0.01388 -520 858 0.06925 -520 887 0.02879 -520 892 0.02505 -520 898 0.06769 -520 964 0.05746 -520 977 0.05839 -519 625 0.02094 -519 631 0.06397 -519 796 0.04376 -519 834 0.06438 -518 585 0.05330 -518 608 0.03967 -518 654 0.05979 -518 756 0.04432 -518 963 0.03563 -518 968 0.07064 -517 537 0.06440 -517 561 0.01358 -517 564 0.06513 -517 572 0.07164 -517 583 0.05348 -517 856 0.02732 -517 875 0.03962 -517 956 0.03764 -517 964 0.07011 -516 538 0.04481 -516 584 0.06153 -516 635 0.02956 -516 645 0.03700 -516 748 0.02439 -516 764 0.04748 -516 783 0.01357 -516 807 0.02705 -516 972 0.04270 -515 520 0.01906 -515 537 0.05906 -515 600 0.05813 -515 603 0.05807 -515 636 0.06619 -515 724 0.06774 -515 777 0.03279 -515 786 0.03166 -515 795 0.07375 -515 858 0.06657 -515 887 0.04785 -515 892 0.02885 -515 964 0.06407 -515 977 0.04851 -514 578 0.06974 -514 675 0.01448 -514 840 0.06255 -514 883 0.07350 -514 891 0.02880 -514 926 0.05391 -514 952 0.05555 -514 994 0.06445 -513 548 0.05694 -513 557 0.02629 -513 587 0.05207 -513 726 0.06315 -513 769 0.06274 -513 818 0.03373 -513 962 0.00762 -512 516 0.03955 -512 536 0.05885 -512 538 0.03327 -512 584 0.02225 -512 635 0.06413 -512 661 0.06136 -512 722 0.07374 -512 748 0.06369 -512 764 0.02857 -512 783 0.03699 -512 807 0.03537 -512 972 0.02706 -511 643 0.04932 -511 672 0.04211 -511 776 0.02047 -511 784 0.06186 -511 808 0.05150 -511 824 0.02851 -511 850 0.03578 -511 852 0.04948 -511 901 0.03053 -511 906 0.06849 -511 919 0.02299 -511 949 0.06224 -511 954 0.06789 -510 513 0.03466 -510 529 0.05950 -510 548 0.02647 -510 557 0.04016 -510 587 0.05240 -510 592 0.06156 -510 726 0.03118 -510 731 0.06670 -510 769 0.03030 -510 798 0.06792 -510 818 0.02963 -510 871 0.06036 -510 880 0.06881 -510 962 0.02764 -509 531 0.04771 -509 656 0.06541 -509 680 0.06932 -509 877 0.07143 -509 882 0.04186 -509 895 0.07286 -509 897 0.07219 -509 913 0.03511 -508 559 0.03963 -508 570 0.04972 -508 639 0.05671 -508 730 0.02107 -508 885 0.01198 -508 937 0.06002 -507 574 0.03269 -507 609 0.07296 -507 671 0.02679 -507 690 0.05231 -507 700 0.05574 -507 723 0.04742 -507 816 0.05590 -507 819 0.05792 -507 846 0.02711 -507 923 0.04616 -507 946 0.03458 -507 990 0.03474 -506 533 0.04060 -506 547 0.02322 -506 713 0.03518 -506 971 0.01259 -506 985 0.05199 -505 550 0.06039 -505 589 0.02109 -505 593 0.06479 -505 640 0.04714 -505 847 0.03712 -504 627 0.01840 -504 671 0.05204 -504 704 0.07376 -504 723 0.05367 -504 819 0.05597 -504 881 0.00998 -504 904 0.07482 -504 923 0.03107 -504 948 0.06825 -504 969 0.02967 -504 987 0.05713 -504 990 0.06061 -503 536 0.07087 -503 584 0.06017 -503 595 0.07371 -503 661 0.03346 -503 735 0.03481 -502 637 0.06056 -502 688 0.03629 -502 692 0.06853 -502 843 0.06388 -502 957 0.05301 -501 526 0.06943 -501 665 0.05137 -501 697 0.05634 -501 721 0.07402 -501 742 0.04445 -501 832 0.05315 -501 842 0.05364 -501 930 0.06408 -500 530 0.06288 -500 564 0.05122 -500 646 0.05632 -500 937 0.05423 -500 999 0.02718 -499 619 0.03541 -499 624 0.05617 -499 678 0.02480 -499 718 0.07339 -499 752 0.06164 -499 753 0.06275 -499 767 0.05964 -499 801 0.02796 -499 860 0.01587 -499 890 0.05828 -499 907 0.05394 -499 932 0.04975 -499 934 0.02094 -498 566 0.06549 -498 629 0.03459 -498 740 0.07350 -498 749 0.07043 -498 760 0.05485 -498 771 0.04196 -498 836 0.06030 -497 543 0.04380 -497 674 0.06605 -497 701 0.05760 -497 706 0.01343 -497 766 0.06216 -497 833 0.06099 -497 888 0.03940 -497 933 0.06714 -497 947 0.05715 -497 959 0.05104 -497 998 0.05357 -496 582 0.01737 -496 638 0.05257 -496 685 0.05417 -496 737 0.06045 -496 750 0.07018 -496 782 0.03913 -496 848 0.05011 -496 951 0.03955 -495 504 0.01491 -495 627 0.01929 -495 671 0.06548 -495 723 0.06314 -495 803 0.06459 -495 819 0.06320 -495 881 0.01783 -495 923 0.04460 -495 948 0.06204 -495 969 0.02266 -495 970 0.07371 -495 987 0.05353 -495 990 0.07197 -494 578 0.06466 -494 591 0.01731 -494 648 0.05344 -494 840 0.03510 -494 855 0.02131 -494 883 0.05594 -494 884 0.04560 -494 911 0.03841 -494 925 0.04225 -494 926 0.06168 -494 960 0.05637 -493 543 0.04707 -493 619 0.07283 -493 624 0.06519 -493 753 0.04631 -493 766 0.05823 -493 833 0.02831 -493 888 0.05463 -493 890 0.02397 -493 907 0.04667 -493 959 0.03862 -492 604 0.05851 -492 686 0.02378 -492 763 0.04459 -492 844 0.02455 -492 866 0.04362 -492 924 0.02522 -492 975 0.06163 -492 978 0.04601 -491 507 0.06881 -491 608 0.07435 -491 671 0.05871 -491 700 0.07411 -491 704 0.02656 -491 723 0.03952 -491 756 0.07226 -491 819 0.03565 -491 904 0.03676 -491 923 0.06865 -491 946 0.03447 -491 987 0.06584 -491 990 0.04109 -490 546 0.02213 -490 704 0.06712 -490 756 0.07159 -490 804 0.05713 -490 805 0.03285 -490 814 0.07358 -490 904 0.05593 -490 948 0.04584 -490 987 0.05607 -489 524 0.03606 -489 545 0.02603 -489 563 0.05892 -489 565 0.02345 -489 588 0.06056 -489 664 0.07104 -489 682 0.06313 -489 683 0.07478 -489 691 0.06571 -489 705 0.06139 -489 768 0.06723 -489 781 0.06610 -489 914 0.01898 -489 928 0.03778 -489 983 0.07123 -489 988 0.03638 -488 573 0.01627 -488 610 0.05177 -488 677 0.07205 -488 784 0.04688 -488 788 0.05926 -488 949 0.06308 -488 980 0.06771 -487 488 0.04004 -487 573 0.05524 -487 577 0.03840 -487 610 0.01253 -487 643 0.05292 -487 751 0.06269 -487 765 0.07479 -487 784 0.03548 -487 906 0.05627 -487 949 0.03717 -487 980 0.05994 -486 580 0.04928 -486 632 0.05250 -486 806 0.02408 -486 817 0.05790 -486 878 0.06596 -486 912 0.05240 -486 922 0.02833 -486 981 0.05475 -486 997 0.00800 -485 522 0.07011 -485 655 0.06576 -485 738 0.06027 -485 747 0.02400 -485 813 0.05964 -485 826 0.02919 -485 868 0.06861 -484 567 0.05091 -484 614 0.00317 -484 628 0.04876 -484 641 0.04370 -484 869 0.03436 -484 899 0.04349 -484 909 0.03443 -484 966 0.05148 -484 968 0.07432 -484 995 0.02477 -483 494 0.02066 -483 578 0.07371 -483 591 0.00940 -483 648 0.07067 -483 755 0.05490 -483 840 0.04096 -483 855 0.00758 -483 883 0.06664 -483 884 0.06395 -483 911 0.05594 -483 925 0.06287 -483 926 0.04279 -482 491 0.07468 -482 585 0.06250 -482 608 0.06149 -482 654 0.04722 -482 676 0.03436 -482 700 0.02894 -482 734 0.05473 -482 816 0.05733 -482 918 0.03615 -482 927 0.00318 -482 946 0.06676 -482 994 0.07476 -481 714 0.07213 -481 804 0.04279 -481 872 0.04333 -480 586 0.03952 -480 662 0.06652 -479 497 0.06988 -479 540 0.02476 -479 674 0.05787 -479 681 0.06061 -479 729 0.03738 -479 812 0.06964 -479 933 0.03875 -479 944 0.05327 -479 947 0.05602 -479 974 0.06429 -479 998 0.02505 -478 484 0.05193 -478 535 0.06595 -478 614 0.05013 -478 628 0.04352 -478 641 0.04186 -478 869 0.06404 -478 899 0.05017 -478 909 0.01835 -478 966 0.02948 -478 968 0.03305 -478 995 0.05789 -477 656 0.07386 -477 773 0.06323 -477 790 0.03731 -477 845 0.02859 -477 861 0.03353 -477 915 0.04643 -476 515 0.06906 -476 551 0.06711 -476 708 0.02304 -476 744 0.04814 -476 777 0.06664 -476 795 0.03253 -476 858 0.05493 -476 892 0.06952 -476 977 0.03300 -476 992 0.04300 -475 602 0.03456 -475 707 0.04821 -475 728 0.05086 -475 761 0.06208 -475 762 0.05599 -475 825 0.05908 -475 856 0.06652 -475 953 0.01159 -474 549 0.03906 -474 552 0.06836 -474 556 0.05163 -474 581 0.05243 -474 642 0.07102 -474 732 0.05390 -474 797 0.07316 -474 802 0.05928 -473 478 0.04427 -473 535 0.03008 -473 569 0.04685 -473 641 0.06081 -473 822 0.05933 -473 899 0.06899 -473 909 0.05779 -473 941 0.05789 -473 963 0.07008 -473 966 0.04470 -473 968 0.05778 -472 542 0.04014 -472 611 0.01940 -472 649 0.03724 -472 660 0.07248 -472 716 0.02485 -472 811 0.04598 -472 917 0.06213 -472 935 0.02927 -472 943 0.03620 -472 945 0.06200 -471 566 0.06043 -471 602 0.05157 -471 727 0.02081 -471 761 0.05018 -471 762 0.05543 -471 778 0.05859 -471 799 0.07175 -471 939 0.03605 -470 485 0.06504 -470 522 0.01405 -470 655 0.05220 -470 738 0.03218 -470 741 0.07422 -470 826 0.04056 -469 615 0.00719 -469 620 0.02835 -469 651 0.06559 -469 659 0.06859 -469 665 0.06082 -469 679 0.05059 -469 721 0.07052 -469 787 0.05891 -469 842 0.04832 -469 870 0.06898 -468 532 0.02094 -468 553 0.05498 -468 828 0.04091 -468 955 0.07199 -467 539 0.05590 -467 590 0.02960 -467 666 0.07325 -467 670 0.06800 -467 681 0.07384 -467 812 0.06162 -467 831 0.05249 -467 851 0.01482 -467 910 0.02055 -467 976 0.03007 -467 989 0.06440 -466 604 0.03785 -466 772 0.03315 -465 525 0.04760 -465 566 0.06979 -465 606 0.01791 -465 702 0.03916 -465 775 0.04693 -465 789 0.03655 -465 836 0.03038 -465 839 0.03185 -465 973 0.06581 -465 984 0.03282 -465 986 0.00669 -464 503 0.01702 -464 595 0.06467 -464 661 0.04888 -464 735 0.03078 -463 485 0.06318 -463 587 0.06884 -463 703 0.01520 -463 747 0.05515 -463 798 0.05152 -463 826 0.07455 -463 859 0.02846 -463 871 0.05642 -463 891 0.06210 -462 524 0.07017 -462 555 0.06148 -462 563 0.03326 -462 575 0.07349 -462 664 0.02338 -462 837 0.06514 -461 732 0.03098 -461 770 0.03793 -461 857 0.07217 -460 471 0.03255 -460 498 0.07373 -460 566 0.05671 -460 602 0.06339 -460 727 0.05314 -460 740 0.05549 -460 760 0.07229 -460 761 0.03064 -460 939 0.06733 -459 628 0.05717 -459 670 0.06374 -459 869 0.06924 -459 921 0.02251 -459 989 0.03968 -458 496 0.03672 -458 582 0.03132 -458 685 0.01826 -458 699 0.05402 -458 750 0.05310 -458 782 0.05622 -458 792 0.06601 -458 848 0.02732 -458 951 0.07458 -457 511 0.02786 -457 643 0.05779 -457 672 0.06156 -457 776 0.00969 -457 784 0.05570 -457 824 0.04537 -457 850 0.00793 -457 852 0.04120 -457 901 0.03694 -457 919 0.04832 -457 949 0.06522 -457 954 0.04010 -456 533 0.03793 -456 547 0.05922 -456 623 0.02086 -456 693 0.02510 -456 971 0.07042 -455 511 0.05537 -455 643 0.04945 -455 672 0.02605 -455 776 0.07107 -455 808 0.00452 -455 824 0.06817 -455 906 0.04582 -455 919 0.03254 -455 929 0.04170 -455 949 0.06374 -455 982 0.02851 -454 474 0.06594 -454 523 0.07153 -454 549 0.05263 -454 552 0.01046 -454 556 0.05803 -454 562 0.04977 -454 581 0.01366 -454 650 0.06117 -454 797 0.03836 -454 802 0.07373 -454 821 0.07429 -454 830 0.03871 -454 874 0.03480 -454 886 0.03980 -454 894 0.06275 -453 517 0.05505 -453 537 0.06770 -453 561 0.06564 -453 564 0.07418 -453 572 0.04335 -453 583 0.02916 -453 595 0.04834 -453 735 0.07444 -453 875 0.04223 -453 956 0.02602 -453 999 0.06862 -452 475 0.06345 -452 603 0.05877 -452 740 0.04814 -452 749 0.06359 -452 761 0.05224 -452 856 0.07034 -452 898 0.05979 -452 953 0.05409 -452 964 0.05893 -451 462 0.05418 -451 489 0.03946 -451 524 0.04225 -451 545 0.06439 -451 563 0.03233 -451 565 0.04511 -451 664 0.04236 -451 683 0.04789 -451 902 0.07451 -451 914 0.05215 -451 928 0.02448 -451 988 0.05147 -450 541 0.02733 -450 601 0.06743 -450 633 0.07031 -450 689 0.06687 -450 709 0.06076 -450 711 0.02470 -450 733 0.05418 -450 835 0.02663 -450 862 0.06266 -450 961 0.05495 -450 967 0.05317 -449 487 0.05794 -449 577 0.03791 -449 610 0.04705 -449 751 0.03914 -449 765 0.05053 -449 815 0.06740 -449 980 0.04747 -448 544 0.05824 -448 605 0.03756 -448 618 0.02964 -448 680 0.04318 -448 853 0.02516 -448 920 0.05391 -447 491 0.04104 -447 518 0.04859 -447 585 0.07214 -447 608 0.04988 -447 654 0.06688 -447 704 0.05532 -447 756 0.03540 -447 819 0.07346 -447 904 0.05845 -447 946 0.07318 -447 963 0.05853 -446 457 0.04276 -446 488 0.07377 -446 511 0.07053 -446 677 0.03338 -446 776 0.05063 -446 784 0.06721 -446 850 0.03494 -446 852 0.06269 -446 901 0.07283 -446 954 0.00851 -445 472 0.03772 -445 542 0.04148 -445 611 0.03100 -445 632 0.06614 -445 649 0.06624 -445 716 0.06010 -445 718 0.05497 -445 811 0.03515 -445 817 0.07282 -445 935 0.01994 -445 943 0.03143 -445 945 0.04914 -444 447 0.06541 -444 518 0.02088 -444 535 0.05815 -444 585 0.06926 -444 608 0.05927 -444 756 0.04978 -444 963 0.02748 -444 968 0.05216 -443 453 0.06954 -443 464 0.01671 -443 503 0.03372 -443 595 0.05977 -443 661 0.06492 -443 735 0.03578 -443 999 0.06455 -442 510 0.06139 -442 513 0.03949 -442 548 0.07102 -442 557 0.06539 -442 578 0.04656 -442 587 0.03380 -442 818 0.03711 -442 859 0.06670 -442 871 0.06859 -442 883 0.05085 -442 911 0.06706 -442 960 0.06464 -442 962 0.04494 -441 838 0.04329 -441 880 0.06713 -441 903 0.01692 -440 451 0.06535 -440 489 0.02853 -440 521 0.05555 -440 524 0.06157 -440 545 0.02482 -440 565 0.02627 -440 568 0.07490 -440 647 0.06006 -440 682 0.04473 -440 691 0.06858 -440 705 0.05341 -440 781 0.07217 -440 896 0.06139 -440 914 0.03428 -440 928 0.05479 -440 983 0.06570 -440 988 0.05821 -439 586 0.04159 -439 631 0.03942 -439 662 0.01298 -439 695 0.00524 -439 796 0.07112 -439 834 0.05381 -438 536 0.07460 -438 572 0.07275 -438 595 0.04906 -438 661 0.07051 -438 684 0.06927 -438 735 0.05200 -438 777 0.06862 -438 795 0.05382 -438 865 0.06341 -438 916 0.07164 -438 950 0.02126 -437 655 0.07162 -437 741 0.06155 -437 813 0.04632 -437 868 0.03863 -437 940 0.06508 -436 439 0.05867 -436 519 0.06678 -436 631 0.03868 -436 662 0.07143 -436 695 0.05347 -436 796 0.06309 -436 834 0.00701 -435 575 0.03756 -435 601 0.01919 -435 667 0.04713 -435 715 0.02831 -435 837 0.06346 -435 938 0.05417 -435 961 0.03026 -435 991 0.02612 -434 473 0.06161 -434 569 0.01487 -434 653 0.04304 -434 702 0.07450 -434 822 0.04494 -434 879 0.03664 -434 941 0.03003 -433 504 0.06717 -433 507 0.06256 -433 574 0.05535 -433 609 0.04405 -433 627 0.06558 -433 637 0.05152 -433 671 0.06275 -433 688 0.07432 -433 846 0.06281 -433 881 0.06242 -433 923 0.05996 -433 957 0.06273 -432 479 0.06753 -432 497 0.01680 -432 543 0.04400 -432 674 0.05128 -432 701 0.06944 -432 706 0.02529 -432 766 0.06941 -432 833 0.05750 -432 888 0.04286 -432 897 0.07275 -432 933 0.05587 -432 947 0.04234 -432 959 0.04598 -432 998 0.04666 -431 486 0.05043 -431 558 0.05364 -431 806 0.03317 -431 817 0.06206 -431 820 0.07097 -431 912 0.03061 -431 931 0.04625 -431 958 0.05445 -431 997 0.04608 -430 573 0.06800 -430 759 0.02420 -430 780 0.00512 -430 788 0.04250 -430 803 0.06814 -430 872 0.04300 -430 970 0.03653 -430 980 0.07356 -429 500 0.06563 -429 564 0.03239 -429 570 0.05584 -429 646 0.02321 -429 668 0.04394 -429 937 0.04854 -429 965 0.07416 -428 516 0.07215 -428 635 0.06517 -428 645 0.03557 -428 717 0.03753 -428 748 0.04833 -428 758 0.03439 -428 783 0.07352 -427 443 0.04037 -427 453 0.03234 -427 464 0.05620 -427 500 0.07233 -427 503 0.07282 -427 572 0.06691 -427 583 0.05863 -427 595 0.05160 -427 735 0.05779 -427 875 0.07432 -427 956 0.04702 -427 999 0.04683 -426 550 0.02299 -426 593 0.06904 -426 630 0.00661 -426 667 0.07254 -426 857 0.05701 -426 938 0.05536 -425 502 0.02470 -425 637 0.07088 -425 688 0.04233 -425 692 0.04956 -425 843 0.04848 -425 876 0.06142 -425 957 0.05216 -424 493 0.03201 -424 499 0.06242 -424 534 0.06318 -424 543 0.05631 -424 619 0.06799 -424 624 0.07059 -424 634 0.05437 -424 701 0.06891 -424 736 0.04885 -424 753 0.05746 -424 757 0.05522 -424 766 0.04793 -424 801 0.06047 -424 833 0.04463 -424 888 0.06022 -424 890 0.01844 -424 907 0.05255 -424 959 0.05654 -423 447 0.05745 -423 490 0.04043 -423 491 0.04742 -423 546 0.03305 -423 704 0.02675 -423 723 0.05695 -423 756 0.06605 -423 805 0.06777 -423 819 0.04626 -423 904 0.01610 -423 946 0.07382 -423 948 0.03682 -423 987 0.03458 -423 990 0.06817 -422 508 0.06970 -422 523 0.03306 -422 556 0.04838 -422 570 0.05088 -422 668 0.07413 -422 730 0.06161 -422 821 0.06985 -422 885 0.07066 -422 886 0.06969 -422 894 0.06763 -422 936 0.01839 -422 965 0.03182 -421 633 0.05169 -421 709 0.03071 -421 711 0.05315 -421 827 0.06540 -421 835 0.05375 -420 431 0.06589 -420 558 0.05091 -420 576 0.05702 -420 958 0.02428 -419 446 0.03121 -419 457 0.01232 -419 511 0.04001 -419 643 0.06677 -419 672 0.07296 -419 677 0.06453 -419 776 0.02160 -419 784 0.05954 -419 824 0.05436 -419 850 0.00465 -419 852 0.04076 -419 901 0.04355 -419 919 0.06060 -419 949 0.07213 -419 954 0.02788 -418 433 0.07211 -418 482 0.07016 -418 507 0.01680 -418 574 0.02728 -418 609 0.07244 -418 671 0.04316 -418 690 0.03851 -418 700 0.04289 -418 723 0.06128 -418 816 0.03911 -418 819 0.07123 -418 846 0.01801 -418 923 0.06294 -418 927 0.07326 -418 946 0.04138 -418 990 0.04789 -417 508 0.06683 -417 559 0.03556 -417 622 0.02787 -417 639 0.07299 -417 644 0.06017 -417 699 0.07209 -417 730 0.06526 -417 743 0.02984 -417 750 0.06089 -417 792 0.06345 -417 885 0.05915 -417 893 0.06273 -416 425 0.06340 -416 470 0.05701 -416 522 0.04299 -416 655 0.03937 -416 692 0.04594 -416 738 0.03956 -416 741 0.04460 -416 843 0.05730 -416 868 0.06781 -416 876 0.03771 -416 940 0.04326 -415 476 0.04929 -415 515 0.02519 -415 520 0.03565 -415 600 0.05129 -415 636 0.07109 -415 708 0.06407 -415 777 0.04569 -415 786 0.04937 -415 795 0.06378 -415 858 0.04301 -415 887 0.05973 -415 892 0.02207 -415 977 0.02355 -414 465 0.04958 -414 525 0.07058 -414 534 0.06717 -414 567 0.06516 -414 606 0.04391 -414 641 0.06325 -414 702 0.04496 -414 775 0.02903 -414 789 0.01457 -414 839 0.02411 -414 899 0.05458 -414 973 0.03162 -414 984 0.03618 -414 986 0.05626 -414 995 0.05543 -413 416 0.05101 -413 470 0.04144 -413 485 0.04926 -413 522 0.03560 -413 655 0.01810 -413 738 0.01462 -413 741 0.03959 -413 747 0.06823 -413 826 0.04526 -413 868 0.04078 -413 940 0.04597 -412 658 0.07311 -412 762 0.07268 -412 778 0.03958 -412 799 0.03376 -412 809 0.01889 -412 825 0.07232 -412 864 0.02693 -412 905 0.04650 -412 939 0.06267 -411 414 0.06308 -411 424 0.06348 -411 534 0.00743 -411 567 0.03749 -411 634 0.04122 -411 701 0.07395 -411 736 0.02583 -411 757 0.01757 -411 766 0.06742 -411 801 0.05528 -411 973 0.03494 -410 442 0.04573 -410 510 0.02859 -410 513 0.00748 -410 548 0.05250 -410 557 0.02214 -410 587 0.05426 -410 726 0.05837 -410 769 0.05567 -410 818 0.03368 -410 962 0.00154 -409 411 0.06964 -409 499 0.03263 -409 525 0.04463 -409 619 0.06755 -409 678 0.02110 -409 718 0.07495 -409 752 0.04005 -409 801 0.02004 -409 860 0.02582 -409 932 0.03421 -409 934 0.02743 -409 973 0.06259 -408 456 0.07208 -408 506 0.02766 -408 533 0.04316 -408 547 0.01644 -408 713 0.06283 -408 867 0.06719 -408 971 0.01608 -408 985 0.02445 -407 419 0.04255 -407 446 0.05091 -407 457 0.04955 -407 502 0.06546 -407 511 0.06776 -407 776 0.05834 -407 810 0.05270 -407 824 0.06272 -407 850 0.04586 -407 852 0.02492 -407 901 0.04795 -407 954 0.04241 -406 425 0.07452 -406 446 0.06136 -406 502 0.05263 -406 637 0.04151 -406 677 0.04017 -406 688 0.04734 -406 954 0.06174 -406 957 0.06228 -405 454 0.06086 -405 523 0.07204 -405 552 0.06638 -405 562 0.03260 -405 581 0.07129 -405 707 0.05339 -405 728 0.06028 -405 821 0.03984 -405 825 0.06116 -405 830 0.04447 -405 874 0.02712 -405 886 0.04283 -405 894 0.03716 -405 905 0.05693 -404 497 0.07002 -404 539 0.05554 -404 634 0.07031 -404 670 0.05589 -404 701 0.04700 -404 706 0.06389 -404 766 0.06857 -404 888 0.07467 -403 438 0.04664 -403 476 0.05581 -403 527 0.06928 -403 551 0.05483 -403 684 0.03750 -403 708 0.06890 -403 712 0.05565 -403 744 0.05173 -403 795 0.02925 -403 865 0.05544 -403 916 0.03951 -403 950 0.03194 -402 423 0.01009 -402 447 0.04959 -402 490 0.04931 -402 491 0.03750 -402 546 0.04313 -402 704 0.01955 -402 723 0.05144 -402 756 0.06296 -402 805 0.07448 -402 819 0.04114 -402 904 0.01234 -402 946 0.06536 -402 948 0.04490 -402 987 0.03990 -402 990 0.06153 -401 486 0.06909 -401 499 0.06754 -401 580 0.01998 -401 619 0.03270 -401 624 0.02186 -401 657 0.07462 -401 753 0.04012 -401 767 0.04905 -401 860 0.07399 -401 878 0.06713 -401 907 0.04082 -401 922 0.04203 -401 934 0.07489 -401 981 0.02638 -401 997 0.07464 -400 441 0.07286 -400 510 0.06489 -400 529 0.00600 -400 548 0.07396 -400 557 0.07229 -400 592 0.05342 -400 726 0.07159 -400 769 0.04000 -400 880 0.03279 -399 412 0.01713 -399 658 0.05885 -399 778 0.04827 -399 799 0.04714 -399 809 0.03517 -399 864 0.01003 -399 905 0.06358 -399 939 0.06955 -398 413 0.06451 -398 437 0.03651 -398 485 0.05295 -398 655 0.06948 -398 741 0.07124 -398 747 0.04434 -398 813 0.01726 -398 868 0.04615 -397 445 0.02155 -397 472 0.02842 -397 542 0.02093 -397 611 0.03431 -397 629 0.07442 -397 649 0.06456 -397 716 0.05326 -397 718 0.05931 -397 771 0.06335 -397 811 0.01962 -397 935 0.03147 -397 943 0.04396 -397 945 0.06682 -396 432 0.07119 -396 479 0.00885 -396 497 0.07152 -396 540 0.01599 -396 674 0.06618 -396 681 0.05177 -396 729 0.03484 -396 812 0.06141 -396 831 0.07217 -396 933 0.04741 -396 944 0.06199 -396 947 0.06382 -396 974 0.07167 -396 998 0.03218 -395 448 0.05561 -395 544 0.03636 -395 594 0.04713 -395 605 0.02458 -395 618 0.02599 -395 657 0.04688 -395 680 0.06422 -395 853 0.03091 -395 877 0.04378 -395 878 0.06619 -395 895 0.05540 -395 920 0.03619 -394 444 0.02454 -394 473 0.05075 -394 478 0.05902 -394 518 0.04513 -394 535 0.03761 -394 756 0.06062 -394 963 0.03103 -394 968 0.03924 -393 451 0.01960 -393 462 0.05032 -393 489 0.05690 -393 524 0.06110 -393 555 0.06776 -393 563 0.04143 -393 565 0.05644 -393 626 0.06378 -393 664 0.04746 -393 683 0.03231 -393 902 0.06389 -393 914 0.07125 -393 928 0.02833 -393 988 0.07076 -392 422 0.04948 -392 508 0.02561 -392 559 0.05958 -392 570 0.05081 -392 730 0.01225 -392 885 0.02196 -392 936 0.05196 -392 965 0.06540 -391 398 0.05421 -391 437 0.01810 -391 655 0.07489 -391 741 0.05972 -391 813 0.06436 -391 868 0.04250 -391 940 0.06130 -390 406 0.06175 -390 425 0.05149 -390 433 0.06333 -390 502 0.05221 -390 609 0.06903 -390 637 0.03015 -390 688 0.01799 -390 957 0.00080 -389 463 0.01184 -389 485 0.05186 -389 587 0.07475 -389 703 0.02699 -389 747 0.04340 -389 798 0.05047 -389 826 0.06563 -389 859 0.03654 -389 871 0.05670 -389 891 0.07313 -388 394 0.06261 -388 444 0.06142 -388 459 0.04377 -388 478 0.06414 -388 518 0.07183 -388 628 0.03982 -388 869 0.06974 -388 909 0.07312 -388 921 0.06456 -388 968 0.03572 -387 431 0.07136 -387 558 0.07153 -387 617 0.04067 -387 632 0.06835 -387 710 0.00858 -387 785 0.07436 -387 817 0.04294 -387 820 0.04510 -387 912 0.04429 -387 931 0.03452 -387 943 0.06525 -387 945 0.04042 -386 481 0.05777 -386 714 0.02380 -386 720 0.05026 -385 418 0.04891 -385 433 0.04115 -385 495 0.06131 -385 504 0.04643 -385 507 0.03313 -385 574 0.05000 -385 609 0.07121 -385 627 0.05653 -385 671 0.02191 -385 723 0.04462 -385 819 0.05438 -385 846 0.05088 -385 881 0.04831 -385 923 0.02301 -385 946 0.05301 -385 969 0.07080 -385 990 0.03949 -384 560 0.07279 -384 613 0.03929 -384 626 0.02416 -384 683 0.04663 -384 745 0.01317 -384 815 0.06201 -384 902 0.01397 -384 928 0.06815 -383 392 0.06828 -383 622 0.06908 -383 730 0.06450 -383 754 0.05871 -383 770 0.04394 -383 885 0.07317 -382 415 0.05362 -382 515 0.02992 -382 520 0.02181 -382 537 0.04198 -382 572 0.07174 -382 600 0.06602 -382 603 0.02849 -382 636 0.05873 -382 724 0.05370 -382 777 0.04931 -382 786 0.01762 -382 875 0.07152 -382 887 0.03548 -382 892 0.04681 -382 898 0.06494 -382 964 0.03597 -381 427 0.01864 -381 443 0.05889 -381 453 0.01765 -381 464 0.07439 -381 500 0.07265 -381 517 0.06475 -381 564 0.06642 -381 572 0.05945 -381 583 0.04672 -381 595 0.05545 -381 735 0.07204 -381 875 0.05925 -381 956 0.02853 -381 999 0.05125 -380 489 0.06557 -380 524 0.03896 -380 545 0.05735 -380 563 0.06906 -380 588 0.00591 -380 642 0.02185 -380 691 0.03486 -380 705 0.05760 -380 768 0.00167 -380 781 0.02723 -380 802 0.06594 -380 908 0.04131 -380 914 0.04888 -380 983 0.05479 -380 988 0.03117 -379 421 0.04164 -379 709 0.07208 -379 800 0.06551 -379 827 0.05222 -379 854 0.06159 -379 924 0.07370 -378 391 0.01248 -378 398 0.04902 -378 413 0.07069 -378 437 0.01797 -378 655 0.06244 -378 741 0.04801 -378 813 0.06185 -378 868 0.03006 -378 940 0.05023 -377 579 0.02445 -377 598 0.02920 -377 599 0.02810 -377 612 0.02302 -377 650 0.06199 -377 682 0.07273 -377 694 0.04328 -377 719 0.02903 -377 896 0.05605 -376 483 0.06476 -376 514 0.05403 -376 591 0.07307 -376 675 0.06850 -376 698 0.06769 -376 755 0.03146 -376 855 0.06908 -376 926 0.02209 -376 952 0.06362 -376 994 0.04595 -375 458 0.05759 -375 496 0.03424 -375 582 0.02667 -375 638 0.07500 -375 737 0.02638 -375 782 0.07177 -375 951 0.05484 -374 379 0.04863 -374 421 0.07286 -374 800 0.02920 -374 827 0.01771 -374 854 0.01580 -374 924 0.07444 -373 384 0.02870 -373 393 0.04925 -373 451 0.06251 -373 565 0.06716 -373 613 0.05398 -373 626 0.01789 -373 683 0.01793 -373 745 0.02850 -373 829 0.06885 -373 902 0.01705 -373 928 0.04605 -372 374 0.06385 -372 501 0.07214 -372 663 0.06567 -372 742 0.02849 -372 800 0.05967 -372 827 0.06557 -372 854 0.05285 -372 889 0.03462 -372 930 0.04276 -371 408 0.05905 -371 506 0.05132 -371 547 0.06816 -371 596 0.05728 -371 698 0.04503 -371 713 0.06174 -371 755 0.06221 -371 791 0.06611 -371 867 0.04914 -371 971 0.05671 -371 985 0.07188 -370 373 0.03981 -370 384 0.01329 -370 613 0.02958 -370 626 0.02983 -370 683 0.05746 -370 745 0.01405 -370 815 0.06311 -370 902 0.02702 -369 469 0.05702 -369 501 0.05515 -369 615 0.05699 -369 651 0.06381 -369 665 0.00476 -369 679 0.06559 -369 697 0.05401 -369 793 0.07020 -369 832 0.01873 -369 842 0.01028 -368 406 0.06065 -368 407 0.06680 -368 419 0.04357 -368 446 0.01602 -368 457 0.05362 -368 488 0.06062 -368 573 0.06172 -368 677 0.02422 -368 776 0.05990 -368 784 0.06342 -368 850 0.04640 -368 954 0.02442 -367 448 0.05293 -367 519 0.02934 -367 625 0.04218 -367 631 0.07154 -367 796 0.03915 -366 369 0.02562 -366 469 0.04752 -366 501 0.04334 -366 526 0.07363 -366 615 0.05072 -366 620 0.06362 -366 659 0.07418 -366 665 0.02572 -366 697 0.06793 -366 721 0.06527 -366 832 0.03929 -366 842 0.01702 -365 368 0.05320 -365 406 0.04052 -365 407 0.04069 -365 419 0.06014 -365 425 0.06380 -365 446 0.04312 -365 457 0.07187 -365 502 0.03973 -365 637 0.07357 -365 677 0.04890 -365 688 0.06260 -365 850 0.06478 -365 852 0.06478 -365 954 0.03788 -364 380 0.05915 -364 393 0.04247 -364 440 0.05470 -364 451 0.02294 -364 462 0.06418 -364 489 0.02618 -364 524 0.02052 -364 545 0.04625 -364 563 0.03280 -364 565 0.04335 -364 588 0.05589 -364 664 0.04491 -364 683 0.06958 -364 691 0.07288 -364 768 0.06075 -364 781 0.07034 -364 914 0.03195 -364 928 0.03820 -364 988 0.02870 -363 376 0.06746 -363 482 0.05682 -363 676 0.06186 -363 690 0.06238 -363 700 0.04865 -363 734 0.06050 -363 816 0.03918 -363 918 0.02249 -363 927 0.05845 -363 952 0.03198 -363 994 0.02183 -362 386 0.02114 -362 481 0.04933 -362 714 0.04489 -362 720 0.06336 -361 365 0.02034 -361 368 0.06096 -361 406 0.06085 -361 407 0.02136 -361 419 0.05225 -361 425 0.06688 -361 446 0.04692 -361 457 0.06235 -361 502 0.04650 -361 677 0.06382 -361 776 0.07192 -361 810 0.07044 -361 850 0.05655 -361 852 0.04620 -361 901 0.06858 -361 954 0.03914 -360 361 0.01273 -360 365 0.01278 -360 368 0.06348 -360 406 0.05108 -360 407 0.03391 -360 419 0.06255 -360 425 0.05697 -360 446 0.05148 -360 457 0.07337 -360 502 0.03491 -360 677 0.06140 -360 688 0.06429 -360 850 0.06703 -360 852 0.05882 -360 954 0.04483 -359 473 0.07160 -359 535 0.05080 -359 569 0.07303 -359 805 0.05390 -359 814 0.01267 -359 822 0.03309 -359 941 0.04809 -359 963 0.07160 -358 558 0.04740 -358 576 0.03038 -358 785 0.01403 -358 820 0.04129 -358 931 0.06600 -358 958 0.06634 -357 364 0.06558 -357 440 0.01939 -357 451 0.07023 -357 489 0.04079 -357 521 0.04806 -357 545 0.04414 -357 560 0.06276 -357 565 0.02518 -357 568 0.06637 -357 647 0.05404 -357 682 0.05855 -357 705 0.07120 -357 896 0.07014 -357 914 0.05188 -357 928 0.05325 -357 988 0.07497 -356 359 0.06237 -356 434 0.02657 -356 473 0.03644 -356 535 0.05011 -356 569 0.01362 -356 641 0.07373 -356 653 0.06913 -356 814 0.07339 -356 822 0.03512 -356 879 0.06022 -356 941 0.02608 -356 966 0.06243 -355 439 0.03347 -355 480 0.06910 -355 586 0.03077 -355 631 0.07268 -355 662 0.02451 -355 695 0.03747 -354 394 0.07163 -354 402 0.05212 -354 423 0.05502 -354 444 0.06030 -354 447 0.03170 -354 490 0.06256 -354 491 0.06437 -354 518 0.05280 -354 546 0.07463 -354 608 0.07337 -354 704 0.06694 -354 756 0.01104 -354 805 0.06265 -354 814 0.06933 -354 904 0.06422 -354 963 0.04078 -353 405 0.04658 -353 475 0.05262 -353 562 0.05925 -353 602 0.05294 -353 707 0.00721 -353 728 0.04085 -353 762 0.04372 -353 778 0.07374 -353 799 0.06477 -353 821 0.07389 -353 825 0.02431 -353 830 0.07487 -353 874 0.06915 -353 905 0.05519 -353 939 0.07454 -353 953 0.06210 -352 393 0.05608 -352 451 0.06370 -352 462 0.01363 -352 555 0.05080 -352 563 0.04647 -352 575 0.06008 -352 664 0.03700 -352 837 0.05189 -351 554 0.02312 -351 638 0.05537 -351 722 0.06252 -351 849 0.01387 -351 951 0.05587 -350 389 0.05314 -350 413 0.05957 -350 463 0.06107 -350 470 0.05335 -350 485 0.03038 -350 522 0.06376 -350 703 0.07389 -350 738 0.06446 -350 747 0.04971 -350 826 0.01503 -349 505 0.03825 -349 550 0.07432 -349 571 0.06727 -349 589 0.05390 -349 847 0.07402 -348 381 0.07180 -348 453 0.06191 -348 517 0.00705 -348 537 0.06566 -348 561 0.00815 -348 564 0.06877 -348 583 0.05865 -348 856 0.02027 -348 875 0.04318 -348 956 0.04459 -348 964 0.06830 -347 372 0.05756 -347 501 0.03468 -347 697 0.05463 -347 742 0.03964 -347 763 0.06130 -347 800 0.05478 -347 832 0.07156 -347 854 0.06466 -347 930 0.07167 -347 975 0.06015 -346 449 0.04376 -346 487 0.05562 -346 577 0.01768 -346 610 0.04395 -346 643 0.06643 -346 751 0.01059 -346 784 0.07469 -346 787 0.06376 -346 870 0.03807 -346 906 0.04755 -346 929 0.05412 -346 949 0.05839 -345 400 0.00976 -345 441 0.06313 -345 510 0.07372 -345 529 0.01427 -345 592 0.05451 -345 769 0.04725 -345 838 0.07468 -345 880 0.03092 -345 903 0.06936 -344 368 0.05083 -344 406 0.05298 -344 446 0.06406 -344 488 0.07058 -344 573 0.05937 -344 627 0.07134 -344 677 0.03236 -344 788 0.05169 -344 803 0.03242 -344 954 0.07066 -344 969 0.06021 -344 970 0.07367 -343 413 0.07459 -343 416 0.03471 -343 607 0.04514 -343 655 0.05763 -343 692 0.03878 -343 738 0.06770 -343 741 0.04697 -343 823 0.04635 -343 843 0.04955 -343 868 0.07226 -343 876 0.02299 -343 900 0.05137 -343 940 0.04086 -342 409 0.05387 -342 411 0.02793 -342 424 0.04106 -342 493 0.07305 -342 499 0.05521 -342 534 0.03153 -342 567 0.06413 -342 634 0.04825 -342 678 0.06803 -342 736 0.03218 -342 757 0.03110 -342 766 0.06405 -342 801 0.03511 -342 860 0.06493 -342 890 0.05458 -342 934 0.06984 -342 973 0.05140 -341 460 0.07302 -341 498 0.02582 -341 542 0.07235 -341 629 0.01881 -341 740 0.05407 -341 749 0.04573 -341 760 0.03003 -341 771 0.04609 -340 348 0.06300 -340 381 0.02807 -340 427 0.04138 -340 429 0.07070 -340 453 0.03804 -340 500 0.05500 -340 517 0.05657 -340 561 0.07013 -340 564 0.03837 -340 583 0.06391 -340 875 0.06884 -340 956 0.02257 -340 999 0.04326 -339 395 0.05810 -339 493 0.05490 -339 544 0.07096 -339 594 0.04781 -339 624 0.06861 -339 657 0.05122 -339 753 0.05304 -339 833 0.06974 -339 877 0.07394 -339 878 0.06873 -339 890 0.07009 -339 895 0.07111 -339 907 0.06118 -339 920 0.07443 -339 959 0.07188 -339 981 0.07330 -338 385 0.06629 -338 390 0.06712 -338 418 0.07049 -338 433 0.03844 -338 507 0.06984 -338 574 0.04412 -338 609 0.00563 -338 637 0.07249 -338 690 0.05962 -338 846 0.05411 -338 957 0.06632 -337 358 0.01911 -337 387 0.06925 -337 558 0.04901 -337 576 0.03960 -337 617 0.07493 -337 710 0.06741 -337 785 0.01707 -337 820 0.02761 -337 931 0.05522 -337 958 0.07293 -336 347 0.04140 -336 366 0.05366 -336 369 0.04648 -336 501 0.03697 -336 665 0.04174 -336 697 0.01941 -336 742 0.07359 -336 746 0.05572 -336 763 0.06453 -336 793 0.04535 -336 832 0.03228 -336 842 0.05208 -336 866 0.07269 -336 975 0.04897 -336 978 0.07374 -335 337 0.03843 -335 358 0.05654 -335 387 0.05785 -335 617 0.04287 -335 710 0.05161 -335 785 0.05458 -335 820 0.04304 -335 828 0.05483 -335 931 0.06515 -334 383 0.07464 -334 417 0.06029 -334 616 0.03717 -334 622 0.03255 -334 644 0.02920 -334 743 0.06272 -334 754 0.06368 -334 774 0.06016 -334 893 0.05403 -333 348 0.07315 -333 382 0.06516 -333 452 0.02196 -333 537 0.06492 -333 561 0.06504 -333 603 0.03786 -333 724 0.07309 -333 740 0.06410 -333 749 0.07302 -333 761 0.07418 -333 786 0.07065 -333 856 0.06200 -333 887 0.07207 -333 898 0.05765 -333 953 0.06910 -333 964 0.03704 -332 351 0.01816 -332 464 0.07499 -332 554 0.01724 -332 638 0.06936 -332 722 0.06015 -332 849 0.00687 -332 951 0.07296 -331 367 0.05472 -331 519 0.04807 -331 625 0.03080 -331 669 0.03077 -330 359 0.06321 -330 434 0.06880 -330 653 0.06692 -330 658 0.05342 -330 720 0.05520 -330 814 0.07298 -330 822 0.04942 -330 879 0.05137 -330 941 0.05096 -329 477 0.06468 -329 773 0.03596 -329 845 0.03730 -329 915 0.01828 -328 374 0.06800 -328 450 0.04064 -328 541 0.06789 -328 601 0.07107 -328 663 0.04823 -328 711 0.04330 -328 827 0.05052 -328 835 0.05061 -328 889 0.06801 -328 961 0.06183 -327 456 0.05356 -327 533 0.07304 -327 597 0.05498 -327 623 0.03754 -327 985 0.06726 -326 355 0.04389 -326 436 0.07410 -326 439 0.02211 -326 480 0.06291 -326 586 0.03432 -326 631 0.04388 -326 662 0.02030 -326 695 0.02519 -326 796 0.06678 -326 834 0.06811 -325 351 0.05879 -325 375 0.05276 -325 458 0.07166 -325 496 0.03662 -325 582 0.05197 -325 638 0.02301 -325 737 0.07198 -325 782 0.03781 -325 849 0.07265 -325 951 0.00294 -324 419 0.07223 -324 455 0.03241 -324 457 0.06011 -324 511 0.03225 -324 643 0.05758 -324 672 0.03708 -324 776 0.05228 -324 808 0.03047 -324 824 0.03623 -324 850 0.06803 -324 852 0.07252 -324 901 0.04871 -324 906 0.06659 -324 919 0.01937 -324 929 0.07311 -324 949 0.07327 -324 982 0.05860 -323 399 0.04050 -323 412 0.04813 -323 471 0.07012 -323 653 0.06357 -323 727 0.05378 -323 778 0.04206 -323 799 0.05328 -323 809 0.06530 -323 864 0.04165 -323 879 0.06953 -323 939 0.05088 -322 339 0.05137 -322 342 0.07411 -322 424 0.03373 -322 493 0.00736 -322 543 0.05439 -322 619 0.06647 -322 624 0.05799 -322 753 0.03899 -322 766 0.06484 -322 833 0.03553 -322 888 0.06199 -322 890 0.02156 -322 907 0.03964 -322 959 0.04548 -321 324 0.04323 -321 455 0.04854 -321 511 0.07474 -321 672 0.07024 -321 808 0.05106 -321 824 0.06711 -321 873 0.06417 -321 919 0.06095 -321 982 0.05519 -320 391 0.07383 -320 437 0.06968 -319 321 0.07481 -319 651 0.06870 -319 679 0.05859 -319 873 0.01134 -319 982 0.06242 -318 330 0.02570 -318 359 0.07307 -318 386 0.07400 -318 658 0.03715 -318 714 0.06127 -318 720 0.02951 -318 822 0.06962 -318 941 0.07441 -317 367 0.07264 -317 448 0.06554 -317 509 0.06833 -317 605 0.07374 -317 680 0.03403 -317 796 0.05730 -317 853 0.07406 -316 364 0.06564 -316 380 0.01020 -316 489 0.07452 -316 524 0.04513 -316 545 0.06747 -316 563 0.07111 -316 588 0.01611 -316 642 0.01998 -316 691 0.04278 -316 705 0.06673 -316 768 0.00893 -316 781 0.03485 -316 802 0.06708 -316 908 0.03204 -316 914 0.05848 -316 983 0.06282 -316 988 0.03898 -315 329 0.04579 -315 477 0.04449 -315 656 0.07086 -315 729 0.06102 -315 773 0.02198 -315 790 0.03737 -315 845 0.03790 -315 861 0.06534 -315 915 0.03561 -315 974 0.06962 -314 321 0.06070 -314 324 0.05137 -314 511 0.05796 -314 776 0.07351 -314 810 0.04867 -314 824 0.03046 -314 852 0.05565 -314 901 0.03966 -314 919 0.06537 -313 322 0.05779 -313 342 0.02170 -313 409 0.07229 -313 411 0.03946 -313 424 0.02426 -313 493 0.05525 -313 499 0.06517 -313 534 0.03892 -313 543 0.06551 -313 567 0.06824 -313 634 0.03673 -313 701 0.06113 -313 736 0.02632 -313 757 0.03145 -313 766 0.04430 -313 801 0.05240 -313 833 0.06017 -313 888 0.06628 -313 890 0.04164 -313 907 0.07296 -313 959 0.07088 -313 973 0.07022 -312 314 0.02981 -312 321 0.03981 -312 324 0.02263 -312 455 0.05249 -312 457 0.06705 -312 511 0.04183 -312 672 0.05958 -312 776 0.06168 -312 808 0.05154 -312 810 0.07393 -312 824 0.02737 -312 850 0.07446 -312 852 0.06552 -312 901 0.04219 -312 919 0.03980 -311 334 0.06048 -311 417 0.00321 -311 508 0.06913 -311 559 0.03658 -311 622 0.02838 -311 639 0.07291 -311 644 0.05882 -311 699 0.06891 -311 730 0.06814 -311 743 0.02669 -311 750 0.05800 -311 792 0.06037 -311 885 0.06176 -311 893 0.06030 -310 344 0.07288 -310 495 0.03015 -310 504 0.04502 -310 627 0.04122 -310 788 0.06201 -310 803 0.04578 -310 872 0.06941 -310 881 0.04537 -310 923 0.07412 -310 948 0.06254 -310 969 0.03173 -310 970 0.04378 -310 987 0.06101 -309 395 0.05527 -309 448 0.06440 -309 544 0.01921 -309 605 0.06580 -309 618 0.05210 -309 657 0.03719 -309 853 0.05729 -309 878 0.03521 -309 920 0.01921 -308 336 0.05648 -308 347 0.05093 -308 366 0.04234 -308 369 0.06221 -308 372 0.07180 -308 501 0.02059 -308 526 0.04893 -308 659 0.06943 -308 665 0.05960 -308 696 0.07243 -308 721 0.05408 -308 742 0.04356 -308 832 0.06592 -308 842 0.05730 -308 930 0.05158 -307 442 0.07066 -307 494 0.05559 -307 578 0.05890 -307 591 0.07257 -307 648 0.04881 -307 840 0.05774 -307 883 0.05025 -307 884 0.04120 -307 911 0.02660 -307 925 0.01556 -307 960 0.00627 -306 363 0.03882 -306 418 0.03842 -306 482 0.05247 -306 507 0.05506 -306 574 0.04977 -306 690 0.03310 -306 700 0.02635 -306 816 0.00500 -306 846 0.04169 -306 918 0.04191 -306 927 0.05548 -306 946 0.06748 -306 952 0.05289 -306 994 0.05956 -305 374 0.05314 -305 379 0.02868 -305 421 0.07007 -305 492 0.06252 -305 604 0.06906 -305 772 0.07322 -305 800 0.05595 -305 827 0.06472 -305 854 0.05988 -305 924 0.04585 -304 459 0.06984 -304 467 0.03405 -304 528 0.07442 -304 539 0.06898 -304 590 0.02760 -304 666 0.05511 -304 670 0.04723 -304 851 0.02097 -304 910 0.05453 -304 921 0.04927 -304 976 0.06196 -304 989 0.03035 -303 304 0.04713 -303 327 0.07386 -303 467 0.02600 -303 590 0.02448 -303 666 0.06296 -303 831 0.06701 -303 851 0.02788 -303 910 0.03123 -303 976 0.04525 -303 985 0.06297 -303 989 0.07453 -302 354 0.06498 -302 388 0.06778 -302 394 0.00674 -302 444 0.02221 -302 473 0.05359 -302 478 0.06533 -302 518 0.04175 -302 535 0.03650 -302 756 0.05398 -302 963 0.02431 -302 968 0.04589 -301 340 0.03453 -301 381 0.05437 -301 427 0.05753 -301 429 0.06097 -301 453 0.06941 -301 500 0.02051 -301 564 0.03757 -301 646 0.05930 -301 937 0.06547 -301 956 0.05698 -301 999 0.02242 -300 375 0.06786 -300 737 0.05173 -300 739 0.02066 -300 779 0.05865 -300 942 0.04278 -300 979 0.03486 -300 993 0.05407 -299 341 0.03836 -299 397 0.06570 -299 498 0.03687 -299 542 0.04594 -299 629 0.02495 -299 718 0.07287 -299 752 0.06608 -299 760 0.06326 -299 771 0.00795 -299 811 0.04805 -298 325 0.06595 -298 375 0.06713 -298 458 0.01920 -298 496 0.03757 -298 582 0.04091 -298 638 0.07148 -298 685 0.02449 -298 699 0.04988 -298 743 0.07369 -298 750 0.03635 -298 782 0.04162 -298 792 0.06040 -298 848 0.01266 -298 951 0.06869 -297 509 0.04308 -297 531 0.03665 -297 656 0.02336 -297 674 0.07148 -297 790 0.06110 -297 861 0.06886 -297 882 0.05820 -297 897 0.05487 -297 913 0.04041 -297 933 0.07122 -297 944 0.04779 -297 974 0.03599 -296 421 0.07195 -296 450 0.06461 -296 541 0.05233 -296 633 0.02342 -296 687 0.05803 -296 709 0.04142 -296 711 0.05444 -296 733 0.04632 -296 835 0.04693 -296 862 0.03559 -296 967 0.05962 -295 315 0.05442 -295 329 0.07403 -295 396 0.05271 -295 479 0.05641 -295 540 0.04675 -295 597 0.07233 -295 681 0.06153 -295 729 0.01955 -295 773 0.04173 -294 388 0.05205 -294 394 0.07322 -294 473 0.07025 -294 478 0.02627 -294 484 0.03895 -294 614 0.03870 -294 628 0.01910 -294 641 0.05349 -294 869 0.03914 -294 899 0.05945 -294 909 0.02359 -294 966 0.04815 -294 968 0.03595 -294 995 0.05572 -293 376 0.05743 -293 483 0.00874 -293 494 0.02939 -293 591 0.01567 -293 755 0.04616 -293 840 0.04657 -293 855 0.01169 -293 883 0.07293 -293 884 0.07184 -293 911 0.06416 -293 925 0.07161 -293 926 0.03581 -292 482 0.06312 -292 585 0.05697 -292 596 0.04491 -292 654 0.05529 -292 676 0.02881 -292 698 0.05781 -292 734 0.02004 -292 791 0.03800 -292 918 0.06243 -292 927 0.06057 -291 354 0.06119 -291 402 0.02727 -291 423 0.03703 -291 447 0.04278 -291 491 0.01067 -291 507 0.07343 -291 546 0.06954 -291 671 0.05952 -291 704 0.01655 -291 723 0.03721 -291 756 0.07018 -291 819 0.03069 -291 904 0.02616 -291 923 0.06622 -291 946 0.04037 -291 948 0.06588 -291 987 0.05586 -291 990 0.04227 -290 466 0.03807 -290 604 0.05210 -290 772 0.01676 -289 309 0.03037 -289 339 0.05619 -289 395 0.04222 -289 544 0.02026 -289 605 0.06255 -289 618 0.05408 -289 657 0.00821 -289 853 0.06050 -289 878 0.02398 -289 920 0.02478 -289 922 0.07372 -289 981 0.05948 -288 303 0.00816 -288 304 0.05422 -288 327 0.06724 -288 467 0.03400 -288 590 0.02954 -288 666 0.06351 -288 831 0.07154 -288 851 0.03570 -288 910 0.03664 -288 976 0.05065 -288 985 0.05565 -287 353 0.04841 -287 460 0.06737 -287 471 0.05199 -287 475 0.03871 -287 602 0.00738 -287 707 0.04123 -287 727 0.04754 -287 728 0.07295 -287 761 0.05653 -287 762 0.02088 -287 778 0.05721 -287 799 0.05946 -287 825 0.03692 -287 939 0.04280 -287 953 0.03835 -286 505 0.06529 -286 550 0.05633 -286 589 0.06635 -286 593 0.00875 -286 673 0.06706 -286 754 0.04858 -286 847 0.02946 -285 301 0.03350 -285 340 0.06199 -285 381 0.07079 -285 427 0.06448 -285 443 0.07358 -285 500 0.02341 -285 530 0.06467 -285 564 0.07043 -285 937 0.07483 -285 999 0.01979 -284 335 0.04662 -284 337 0.01667 -284 358 0.02613 -284 387 0.06055 -284 558 0.03379 -284 576 0.03034 -284 710 0.06066 -284 785 0.01383 -284 820 0.01548 -284 912 0.07300 -284 931 0.04039 -284 958 0.05927 -283 328 0.04238 -283 435 0.04824 -283 450 0.05025 -283 541 0.06807 -283 575 0.04690 -283 601 0.02933 -283 621 0.06793 -283 663 0.03991 -283 711 0.06954 -283 835 0.07445 -283 837 0.06752 -283 889 0.07317 -283 961 0.02296 -283 991 0.06182 -282 343 0.06131 -282 350 0.07211 -282 413 0.02466 -282 416 0.03056 -282 470 0.03187 -282 485 0.07023 -282 522 0.01924 -282 655 0.02418 -282 738 0.01037 -282 741 0.04384 -282 826 0.05711 -282 868 0.05719 -282 876 0.06824 -282 940 0.04738 -281 311 0.06610 -281 392 0.06656 -281 417 0.06553 -281 508 0.04100 -281 530 0.04850 -281 559 0.03057 -281 570 0.07317 -281 639 0.01577 -281 646 0.07319 -281 730 0.05977 -281 794 0.03436 -281 885 0.04754 -281 937 0.04864 -280 308 0.03669 -280 336 0.04266 -280 347 0.06483 -280 366 0.01165 -280 369 0.02567 -280 469 0.05914 -280 501 0.03327 -280 615 0.06214 -280 620 0.07470 -280 665 0.02362 -280 697 0.05808 -280 721 0.07001 -280 832 0.03375 -280 842 0.02106 -279 313 0.03108 -279 322 0.07127 -279 342 0.01627 -279 409 0.04128 -279 411 0.04244 -279 424 0.04164 -279 493 0.07184 -279 499 0.03894 -279 534 0.04708 -279 619 0.06567 -279 634 0.06339 -279 678 0.05287 -279 736 0.04800 -279 757 0.04737 -279 801 0.02133 -279 860 0.04903 -279 890 0.05006 -279 907 0.06866 -279 932 0.07417 -279 934 0.05407 -279 973 0.05813 -278 291 0.05781 -278 306 0.05153 -278 385 0.04987 -278 418 0.02417 -278 482 0.06226 -278 491 0.05113 -278 507 0.02193 -278 574 0.05016 -278 671 0.03387 -278 690 0.06174 -278 700 0.04199 -278 704 0.06465 -278 723 0.04274 -278 816 0.05425 -278 819 0.05127 -278 846 0.04177 -278 923 0.05464 -278 927 0.06494 -278 946 0.01761 -278 990 0.02952 -277 397 0.06823 -277 445 0.04874 -277 486 0.07260 -277 580 0.07272 -277 611 0.07290 -277 632 0.02336 -277 718 0.05140 -277 767 0.04327 -277 811 0.07298 -277 817 0.04468 -277 922 0.07374 -277 935 0.05906 -277 943 0.06217 -277 945 0.05730 -276 282 0.07451 -276 343 0.04896 -276 378 0.04234 -276 391 0.04922 -276 413 0.07108 -276 416 0.06606 -276 437 0.06022 -276 607 0.06779 -276 655 0.05463 -276 738 0.07405 -276 741 0.03193 -276 823 0.07016 -276 868 0.04214 -276 876 0.07194 -276 900 0.05586 -276 940 0.02714 -275 283 0.05074 -275 435 0.00349 -275 575 0.04087 -275 601 0.02146 -275 667 0.04374 -275 715 0.02521 -275 837 0.06658 -275 938 0.05072 -275 961 0.03178 -275 991 0.02303 -274 284 0.04647 -274 335 0.06720 -274 337 0.06070 -274 358 0.07232 -274 387 0.02977 -274 431 0.04572 -274 558 0.04482 -274 576 0.06169 -274 617 0.06680 -274 632 0.07474 -274 710 0.03636 -274 785 0.05876 -274 806 0.07344 -274 817 0.04944 -274 820 0.03314 -274 912 0.02795 -274 931 0.00689 -274 945 0.06711 -274 958 0.06566 -273 426 0.01930 -273 550 0.03682 -273 593 0.07454 -273 630 0.01644 -273 857 0.03803 -273 938 0.06190 -272 405 0.07073 -272 454 0.01212 -272 474 0.06397 -272 549 0.04390 -272 552 0.00489 -272 556 0.06560 -272 562 0.05492 -272 581 0.01710 -272 650 0.04922 -272 797 0.02648 -272 802 0.06302 -272 830 0.04146 -272 874 0.04384 -272 886 0.05187 -272 894 0.07484 -271 287 0.07136 -271 333 0.03646 -271 348 0.06820 -271 452 0.02797 -271 475 0.04003 -271 517 0.07492 -271 561 0.06172 -271 602 0.06479 -271 603 0.07217 -271 740 0.07159 -271 761 0.05904 -271 856 0.04965 -271 953 0.03384 -271 964 0.06798 -270 317 0.04532 -270 326 0.03421 -270 439 0.05384 -270 480 0.07075 -270 586 0.06008 -270 631 0.05145 -270 662 0.05451 -270 695 0.05494 -270 796 0.05364 -269 352 0.06103 -269 462 0.07303 -269 555 0.01534 -269 575 0.04379 -269 621 0.01884 -269 663 0.05700 -269 829 0.05074 -269 837 0.01811 -269 841 0.07025 -269 889 0.06377 -269 996 0.02521 -268 271 0.05312 -268 287 0.03346 -268 452 0.05837 -268 460 0.04461 -268 471 0.04769 -268 475 0.04173 -268 602 0.02659 -268 707 0.07114 -268 727 0.05677 -268 740 0.06425 -268 761 0.02400 -268 762 0.05279 -268 825 0.07025 -268 939 0.06153 -268 953 0.03230 -267 438 0.07247 -267 443 0.05957 -267 464 0.04332 -267 503 0.02756 -267 512 0.06309 -267 536 0.04345 -267 538 0.07441 -267 584 0.04088 -267 661 0.00605 -267 735 0.04430 -267 764 0.06682 -267 865 0.07148 -267 950 0.07385 -267 972 0.07049 -266 276 0.04617 -266 378 0.00467 -266 391 0.00856 -266 398 0.04855 -266 413 0.07451 -266 437 0.01495 -266 655 0.06679 -266 741 0.05267 -266 813 0.06037 -266 868 0.03411 -266 940 0.05489 -265 280 0.01782 -265 308 0.02426 -265 336 0.03580 -265 347 0.04806 -265 366 0.02824 -265 369 0.04061 -265 501 0.01546 -265 526 0.07051 -265 665 0.03723 -265 697 0.05441 -265 721 0.07054 -265 742 0.05902 -265 832 0.04180 -265 842 0.03831 -265 930 0.07464 -264 404 0.01948 -264 432 0.06918 -264 497 0.05238 -264 539 0.04861 -264 543 0.07339 -264 670 0.06892 -264 701 0.04640 -264 706 0.04841 -264 766 0.06616 -264 812 0.07093 -264 888 0.06479 -263 403 0.05049 -263 527 0.03697 -263 551 0.04271 -263 684 0.01643 -263 712 0.00518 -263 744 0.05811 -263 865 0.04280 -263 916 0.01410 -263 950 0.06456 -262 297 0.07206 -262 477 0.06093 -262 656 0.06783 -262 790 0.06235 -262 861 0.02982 -261 279 0.02762 -261 313 0.05826 -261 342 0.04273 -261 409 0.01750 -261 411 0.06410 -261 424 0.06323 -261 499 0.02007 -261 525 0.06169 -261 534 0.07023 -261 619 0.05510 -261 624 0.07494 -261 678 0.02533 -261 736 0.07491 -261 752 0.05563 -261 757 0.07305 -261 801 0.00893 -261 860 0.02300 -261 890 0.06492 -261 907 0.06982 -261 932 0.04708 -261 934 0.02749 -261 973 0.06632 -260 301 0.05754 -260 340 0.02818 -260 348 0.03566 -260 381 0.04519 -260 427 0.06304 -260 429 0.06816 -260 453 0.04372 -260 517 0.02984 -260 561 0.04330 -260 564 0.03956 -260 583 0.05818 -260 856 0.05382 -260 875 0.05437 -260 956 0.01788 -260 999 0.07076 -259 282 0.06220 -259 338 0.05974 -259 390 0.03676 -259 416 0.07268 -259 425 0.06418 -259 470 0.04028 -259 522 0.04466 -259 609 0.05849 -259 637 0.06467 -259 688 0.05214 -259 738 0.06755 -259 957 0.03631 -258 271 0.04624 -258 333 0.00983 -258 382 0.05557 -258 452 0.02988 -258 520 0.07330 -258 537 0.05897 -258 561 0.06824 -258 603 0.02889 -258 724 0.06514 -258 740 0.06660 -258 749 0.07200 -258 786 0.06082 -258 856 0.06747 -258 875 0.07335 -258 887 0.06278 -258 898 0.05216 -258 964 0.02990 -257 272 0.04045 -257 353 0.07193 -257 405 0.03084 -257 454 0.03193 -257 523 0.07268 -257 552 0.03590 -257 556 0.07457 -257 562 0.02195 -257 581 0.04426 -257 797 0.06038 -257 821 0.05710 -257 830 0.02104 -257 874 0.00390 -257 886 0.03567 -257 894 0.04816 -257 905 0.05579 -256 512 0.02959 -256 516 0.02032 -256 538 0.05006 -256 584 0.05116 -256 635 0.03558 -256 645 0.05523 -256 748 0.04247 -256 764 0.04955 -256 783 0.02896 -256 807 0.03841 -256 972 0.04563 -255 292 0.03212 -255 363 0.06475 -255 376 0.06307 -255 482 0.07369 -255 596 0.04123 -255 676 0.04441 -255 698 0.03824 -255 734 0.02087 -255 755 0.06349 -255 791 0.04066 -255 918 0.05542 -255 927 0.07223 -255 994 0.05898 -254 275 0.04254 -254 283 0.04882 -254 435 0.04358 -254 450 0.05308 -254 541 0.04761 -254 571 0.07188 -254 575 0.07325 -254 601 0.03664 -254 667 0.04398 -254 689 0.04462 -254 715 0.05443 -254 733 0.06183 -254 938 0.06192 -254 961 0.02947 -254 967 0.04935 -254 991 0.03108 -253 312 0.02926 -253 314 0.05172 -253 321 0.05917 -253 324 0.01658 -253 419 0.05566 -253 455 0.04322 -253 457 0.04356 -253 511 0.01570 -253 643 0.05171 -253 672 0.03704 -253 776 0.03597 -253 784 0.07069 -253 808 0.03995 -253 824 0.02751 -253 850 0.05147 -253 852 0.05914 -253 901 0.03647 -253 906 0.06634 -253 919 0.01465 -253 949 0.06657 -253 982 0.07132 -252 278 0.05244 -252 306 0.01065 -252 363 0.03472 -252 418 0.04405 -252 482 0.04230 -252 507 0.05994 -252 574 0.05909 -252 676 0.06615 -252 690 0.04375 -252 700 0.01862 -252 816 0.01520 -252 846 0.05040 -252 918 0.03287 -252 927 0.04524 -252 946 0.06678 -252 952 0.05518 -252 994 0.05644 -251 255 0.06280 -251 293 0.06254 -251 371 0.03567 -251 376 0.05649 -251 483 0.07079 -251 591 0.07320 -251 596 0.05688 -251 698 0.03325 -251 755 0.02685 -251 791 0.06538 -251 855 0.06896 -251 867 0.07311 -251 926 0.05545 -250 338 0.06333 -250 385 0.06031 -250 390 0.05221 -250 406 0.05879 -250 433 0.03044 -250 495 0.07279 -250 504 0.06411 -250 609 0.06846 -250 627 0.05428 -250 637 0.02799 -250 688 0.05607 -250 881 0.05580 -250 923 0.07119 -250 957 0.05193 -250 969 0.06180 -249 264 0.04507 -249 313 0.06725 -249 404 0.05173 -249 424 0.06980 -249 432 0.05440 -249 493 0.07368 -249 497 0.04329 -249 543 0.03252 -249 634 0.04512 -249 701 0.01513 -249 706 0.03018 -249 736 0.06057 -249 757 0.06849 -249 766 0.02308 -249 833 0.04943 -249 888 0.02405 -249 959 0.04785 -248 255 0.03525 -248 292 0.01827 -248 528 0.05915 -248 585 0.06742 -248 596 0.02876 -248 654 0.06919 -248 676 0.04707 -248 698 0.04688 -248 734 0.03371 -248 791 0.02070 -248 867 0.06594 -247 357 0.05803 -247 440 0.07176 -247 521 0.02600 -247 560 0.04565 -247 568 0.02295 -247 647 0.02938 -247 815 0.07021 -246 289 0.03659 -246 309 0.02121 -246 395 0.04111 -246 448 0.04431 -246 544 0.01640 -246 605 0.04611 -246 618 0.03159 -246 657 0.04479 -246 853 0.03636 -246 878 0.05160 -246 920 0.01197 -245 345 0.06866 -245 400 0.05957 -245 410 0.02796 -245 442 0.06539 -245 510 0.00695 -245 513 0.03485 -245 529 0.05439 -245 548 0.03192 -245 557 0.03563 -245 587 0.05881 -245 592 0.06169 -245 726 0.03581 -245 731 0.07198 -245 769 0.02797 -245 798 0.07468 -245 818 0.03573 -245 871 0.06719 -245 880 0.06630 -245 962 0.02734 -244 266 0.01645 -244 276 0.03203 -244 378 0.01456 -244 391 0.01732 -244 398 0.06349 -244 437 0.03140 -244 655 0.06573 -244 741 0.04723 -244 868 0.03688 -244 940 0.04730 -243 268 0.05187 -243 271 0.04307 -243 287 0.04583 -243 353 0.04965 -243 452 0.06880 -243 475 0.01014 -243 602 0.04274 -243 707 0.04647 -243 728 0.04156 -243 761 0.07201 -243 762 0.06096 -243 825 0.06027 -243 856 0.06089 -243 953 0.02104 -242 249 0.06508 -242 264 0.03734 -242 396 0.05793 -242 404 0.05582 -242 432 0.05485 -242 479 0.06169 -242 497 0.04147 -242 539 0.04218 -242 540 0.05694 -242 681 0.06007 -242 701 0.07367 -242 706 0.04789 -242 812 0.04644 -242 831 0.06614 -242 888 0.07436 -242 998 0.06118 -241 294 0.05305 -241 356 0.05699 -241 434 0.07037 -241 473 0.04131 -241 478 0.03268 -241 484 0.05698 -241 535 0.07104 -241 569 0.05792 -241 614 0.05400 -241 628 0.07211 -241 641 0.01954 -241 775 0.06527 -241 899 0.02774 -241 909 0.03064 -241 966 0.00565 -241 968 0.06457 -241 995 0.04793 -240 298 0.01226 -240 325 0.06282 -240 375 0.05609 -240 458 0.01044 -240 496 0.02982 -240 582 0.02950 -240 638 0.07226 -240 685 0.02480 -240 699 0.05721 -240 750 0.04855 -240 782 0.04579 -240 792 0.06861 -240 848 0.02384 -240 951 0.06571 -239 261 0.07192 -239 277 0.04764 -239 401 0.04834 -239 409 0.07463 -239 499 0.05511 -239 580 0.05502 -239 619 0.04354 -239 624 0.05770 -239 632 0.06112 -239 678 0.05375 -239 718 0.04153 -239 752 0.07380 -239 767 0.00454 -239 860 0.04994 -239 907 0.07170 -239 922 0.07005 -239 932 0.06101 -239 934 0.04725 -239 981 0.07057 -238 258 0.01060 -238 271 0.03570 -238 333 0.00077 -238 348 0.07289 -238 382 0.06590 -238 452 0.02145 -238 537 0.06538 -238 561 0.06479 -238 603 0.03856 -238 724 0.07376 -238 740 0.06402 -238 749 0.07321 -238 761 0.07368 -238 786 0.07141 -238 856 0.06157 -238 887 0.07281 -238 898 0.05817 -238 953 0.06834 -238 964 0.03761 -237 327 0.06363 -237 597 0.06225 -237 623 0.05889 -237 652 0.02101 -236 261 0.03827 -236 279 0.01070 -236 313 0.02134 -236 322 0.06878 -236 342 0.00742 -236 409 0.05119 -236 411 0.03534 -236 424 0.03662 -236 493 0.06827 -236 499 0.04895 -236 534 0.03885 -236 567 0.07143 -236 619 0.07303 -236 634 0.05271 -236 678 0.06355 -236 736 0.03753 -236 757 0.03759 -236 766 0.06542 -236 801 0.03155 -236 860 0.05966 -236 890 0.04859 -236 907 0.07219 -236 934 0.06473 -236 973 0.05714 -235 263 0.07440 -235 403 0.06700 -235 476 0.04825 -235 551 0.03321 -235 708 0.03241 -235 744 0.01729 -235 795 0.06430 -235 977 0.07434 -235 992 0.03014 -234 349 0.07139 -234 571 0.01679 -234 687 0.04050 -234 689 0.04245 -234 733 0.05905 -234 862 0.06350 -234 967 0.05436 -233 283 0.06753 -233 328 0.04430 -233 372 0.04033 -233 374 0.05058 -233 621 0.07124 -233 663 0.03966 -233 742 0.06873 -233 800 0.06562 -233 827 0.04106 -233 854 0.05023 -233 889 0.03226 -232 243 0.05826 -232 257 0.06479 -232 287 0.07323 -232 353 0.02724 -232 405 0.03415 -232 475 0.06516 -232 562 0.06066 -232 668 0.06992 -232 707 0.03387 -232 728 0.02674 -232 762 0.07090 -232 821 0.04870 -232 825 0.05093 -232 874 0.06117 -232 886 0.07093 -232 894 0.05439 -232 905 0.07078 -231 254 0.05678 -231 273 0.06703 -231 275 0.04720 -231 426 0.06035 -231 435 0.05068 -231 601 0.06472 -231 630 0.05602 -231 667 0.01390 -231 689 0.07439 -231 715 0.02679 -231 938 0.00514 -231 961 0.06952 -231 991 0.03052 -230 323 0.07279 -230 399 0.03229 -230 412 0.03179 -230 579 0.05826 -230 598 0.06240 -230 658 0.05612 -230 778 0.07127 -230 799 0.06345 -230 809 0.03372 -230 864 0.03406 -230 905 0.06012 -229 237 0.07313 -229 295 0.05401 -229 327 0.07343 -229 540 0.07201 -229 597 0.01850 -229 652 0.06333 -229 681 0.05371 -229 729 0.06767 -229 812 0.07300 -229 831 0.05827 -229 976 0.07007 -228 260 0.06048 -228 340 0.07165 -228 348 0.05249 -228 381 0.05830 -228 382 0.06895 -228 427 0.07166 -228 453 0.04070 -228 517 0.04860 -228 537 0.02720 -228 561 0.05075 -228 572 0.02465 -228 583 0.01383 -228 595 0.05802 -228 603 0.06105 -228 777 0.06589 -228 856 0.06703 -228 875 0.00951 -228 956 0.05041 -228 964 0.05187 -227 307 0.01747 -227 494 0.05641 -227 578 0.07481 -227 591 0.07182 -227 648 0.03335 -227 840 0.06811 -227 883 0.06562 -227 884 0.02748 -227 911 0.03878 -227 925 0.01588 -227 960 0.02373 -226 236 0.04733 -226 279 0.05586 -226 313 0.04502 -226 342 0.04011 -226 411 0.01548 -226 414 0.06755 -226 424 0.06906 -226 484 0.07487 -226 534 0.00890 -226 567 0.02420 -226 634 0.03262 -226 701 0.06398 -226 736 0.02239 -226 757 0.01411 -226 766 0.06166 -226 801 0.07037 -226 973 0.04433 -226 995 0.06809 -225 300 0.06132 -225 325 0.04567 -225 332 0.04293 -225 351 0.02583 -225 554 0.03935 -225 638 0.05287 -225 722 0.06350 -225 739 0.07338 -225 849 0.03696 -225 951 0.04317 -225 979 0.06636 -224 428 0.04222 -224 717 0.01216 -224 758 0.01320 -223 245 0.03191 -223 400 0.07382 -223 410 0.01621 -223 442 0.06013 -223 510 0.03577 -223 513 0.02076 -223 529 0.07044 -223 548 0.06205 -223 557 0.00595 -223 587 0.07038 -223 726 0.06694 -223 769 0.05600 -223 818 0.04913 -223 962 0.01760 -222 269 0.07427 -222 308 0.06304 -222 372 0.05072 -222 526 0.04694 -222 621 0.06503 -222 696 0.03650 -222 721 0.06807 -222 742 0.04641 -222 829 0.04462 -222 841 0.03188 -222 889 0.05120 -222 930 0.01369 -222 996 0.04922 -221 281 0.03636 -221 392 0.03708 -221 422 0.07210 -221 508 0.01636 -221 559 0.04701 -221 570 0.03986 -221 639 0.05069 -221 646 0.05960 -221 730 0.03625 -221 794 0.07024 -221 885 0.02833 -221 937 0.04391 -221 965 0.07173 -220 222 0.07305 -220 233 0.01542 -220 269 0.07485 -220 283 0.05861 -220 328 0.04612 -220 372 0.04399 -220 374 0.06600 -220 621 0.05609 -220 663 0.02533 -220 742 0.07192 -220 827 0.05576 -220 854 0.06517 -220 889 0.02215 -220 930 0.07294 -220 996 0.06767 -219 449 0.06952 -219 487 0.02739 -219 488 0.01993 -219 573 0.03091 -219 577 0.06258 -219 610 0.03668 -219 759 0.07338 -219 765 0.06591 -219 784 0.04959 -219 788 0.06937 -219 949 0.06006 -219 980 0.04996 -218 254 0.07400 -218 296 0.02632 -218 450 0.04021 -218 541 0.02641 -218 633 0.04111 -218 687 0.05063 -218 689 0.05997 -218 709 0.04624 -218 711 0.03781 -218 733 0.03046 -218 835 0.03078 -218 862 0.02912 -218 967 0.04031 -217 274 0.02528 -217 284 0.04977 -217 335 0.04988 -217 337 0.05843 -217 358 0.07489 -217 387 0.01088 -217 431 0.07018 -217 558 0.06296 -217 576 0.07441 -217 617 0.04152 -217 710 0.01257 -217 785 0.06359 -217 817 0.05167 -217 820 0.03437 -217 912 0.04634 -217 931 0.02819 -217 943 0.07494 -217 945 0.05072 -216 323 0.05565 -216 460 0.05069 -216 471 0.02998 -216 566 0.04242 -216 727 0.03414 -216 778 0.06415 -216 939 0.04841 -215 219 0.06308 -215 430 0.05587 -215 449 0.06962 -215 560 0.05742 -215 573 0.07494 -215 759 0.03284 -215 765 0.02192 -215 780 0.05431 -215 815 0.04818 -215 980 0.02356 -214 310 0.01461 -214 344 0.07034 -214 430 0.06564 -214 495 0.04466 -214 504 0.05946 -214 627 0.05391 -214 780 0.06594 -214 788 0.04991 -214 803 0.03965 -214 804 0.07304 -214 872 0.05785 -214 881 0.05910 -214 948 0.06964 -214 969 0.04242 -214 970 0.02917 -214 987 0.07080 -213 239 0.02528 -213 261 0.06702 -213 277 0.06756 -213 401 0.02679 -213 499 0.04722 -213 580 0.04061 -213 619 0.02123 -213 624 0.03243 -213 632 0.07473 -213 678 0.05738 -213 718 0.06550 -213 753 0.05134 -213 767 0.02775 -213 860 0.04987 -213 907 0.04708 -213 922 0.06080 -213 932 0.07331 -213 934 0.04984 -213 981 0.05244 -212 270 0.07333 -212 326 0.05520 -212 355 0.04970 -212 439 0.06519 -212 480 0.02142 -212 586 0.02364 -212 662 0.05249 -212 695 0.07041 -211 226 0.03611 -211 236 0.04466 -211 249 0.04654 -211 279 0.05532 -211 313 0.02676 -211 322 0.07207 -211 342 0.04124 -211 411 0.04073 -211 424 0.04356 -211 493 0.06718 -211 534 0.03550 -211 543 0.05691 -211 567 0.05338 -211 634 0.01082 -211 701 0.03687 -211 706 0.07493 -211 736 0.01495 -211 757 0.02380 -211 766 0.02669 -211 833 0.05992 -211 888 0.05414 -211 890 0.06190 -211 959 0.06749 -210 232 0.04931 -210 243 0.02751 -210 271 0.05751 -210 287 0.07036 -210 348 0.06598 -210 353 0.05478 -210 475 0.03760 -210 517 0.07203 -210 561 0.06591 -210 602 0.06864 -210 707 0.05526 -210 728 0.02382 -210 825 0.07373 -210 856 0.04963 -210 953 0.04764 -209 420 0.05436 -209 669 0.04514 -208 389 0.04894 -208 442 0.05416 -208 463 0.04150 -208 548 0.06720 -208 578 0.06607 -208 587 0.02814 -208 703 0.03369 -208 726 0.07170 -208 731 0.06890 -208 798 0.03644 -208 818 0.05067 -208 859 0.01310 -208 871 0.03448 -208 891 0.06871 -207 248 0.02902 -207 255 0.05764 -207 292 0.04704 -207 371 0.07240 -207 528 0.03133 -207 596 0.02338 -207 666 0.05495 -207 698 0.04785 -207 734 0.06199 -207 791 0.01797 -207 867 0.03957 -206 269 0.05087 -206 352 0.05117 -206 373 0.04832 -206 393 0.03458 -206 451 0.05388 -206 462 0.05426 -206 555 0.03592 -206 563 0.06527 -206 621 0.06874 -206 626 0.05357 -206 664 0.06532 -206 683 0.03318 -206 745 0.06944 -206 829 0.05715 -206 837 0.05838 -206 902 0.06530 -206 928 0.05805 -206 996 0.06025 -205 215 0.02949 -205 449 0.05231 -205 560 0.04446 -205 759 0.06130 -205 765 0.01125 -205 815 0.02418 -205 980 0.02690 -204 468 0.04078 -204 532 0.03482 -204 553 0.01696 -204 828 0.06045 -204 955 0.06866 -204 992 0.07262 -203 253 0.02627 -203 312 0.03428 -203 314 0.06386 -203 321 0.04223 -203 324 0.01341 -203 455 0.01901 -203 457 0.06772 -203 511 0.04056 -203 643 0.05234 -203 672 0.02919 -203 776 0.05895 -203 808 0.01736 -203 824 0.04943 -203 901 0.06130 -203 906 0.05697 -203 919 0.02044 -203 929 0.06008 -203 949 0.06799 -203 982 0.04564 -202 242 0.04488 -202 264 0.05811 -202 304 0.07094 -202 404 0.06642 -202 467 0.05239 -202 539 0.01121 -202 540 0.06673 -202 670 0.06901 -202 681 0.04249 -202 812 0.02047 -202 831 0.03255 -202 851 0.06292 -202 910 0.04773 -202 976 0.03596 -201 226 0.05635 -201 241 0.06792 -201 294 0.05747 -201 411 0.06794 -201 414 0.06879 -201 478 0.06902 -201 484 0.01854 -201 534 0.06424 -201 567 0.03249 -201 614 0.01933 -201 628 0.06607 -201 641 0.05102 -201 757 0.06929 -201 869 0.04495 -201 899 0.04751 -201 909 0.05087 -201 966 0.06293 -201 973 0.07130 -201 995 0.02311 -200 311 0.03263 -200 334 0.02968 -200 383 0.06477 -200 417 0.03178 -200 559 0.06526 -200 616 0.06625 -200 622 0.00525 -200 644 0.04065 -200 743 0.04409 -200 792 0.06939 -200 893 0.05591 -199 318 0.03928 -199 330 0.02734 -199 356 0.06667 -199 359 0.03620 -199 434 0.06880 -199 569 0.07150 -199 714 0.07175 -199 720 0.06352 -199 805 0.07396 -199 814 0.04564 -199 822 0.03250 -199 879 0.06592 -199 941 0.04179 -198 305 0.05645 -198 328 0.07214 -198 374 0.05661 -198 379 0.02785 -198 421 0.01674 -198 633 0.06753 -198 709 0.04518 -198 711 0.05806 -198 827 0.05082 -198 835 0.06070 -198 854 0.07221 -197 201 0.05408 -197 241 0.03830 -197 294 0.07429 -197 414 0.04132 -197 478 0.06456 -197 484 0.05451 -197 567 0.07066 -197 606 0.06512 -197 614 0.05156 -197 641 0.02270 -197 702 0.05076 -197 775 0.03327 -197 789 0.04569 -197 839 0.04728 -197 899 0.01496 -197 909 0.05197 -197 966 0.03767 -197 973 0.06707 -197 984 0.04953 -197 995 0.03151 -196 251 0.06165 -196 293 0.02640 -196 483 0.02685 -196 494 0.03609 -196 591 0.02080 -196 648 0.06620 -196 713 0.06248 -196 725 0.05856 -196 755 0.05653 -196 840 0.06651 -196 855 0.01957 -196 884 0.06274 -196 911 0.07431 -196 925 0.07292 -196 926 0.05811 -195 294 0.07108 -195 302 0.04474 -195 388 0.03115 -195 394 0.04178 -195 444 0.03196 -195 459 0.07059 -195 478 0.07216 -195 518 0.04072 -195 585 0.06251 -195 608 0.06344 -195 628 0.06532 -195 963 0.05909 -195 968 0.03922 -194 202 0.06745 -194 288 0.05775 -194 303 0.05037 -194 304 0.00535 -194 459 0.06938 -194 467 0.03466 -194 539 0.06488 -194 590 0.03228 -194 666 0.06016 -194 670 0.04226 -194 851 0.02311 -194 910 0.05478 -194 921 0.04807 -194 976 0.06108 -194 989 0.03061 -193 199 0.05152 -193 241 0.07160 -193 330 0.06627 -193 356 0.01798 -193 359 0.04446 -193 434 0.03711 -193 473 0.04149 -193 535 0.04291 -193 569 0.02909 -193 814 0.05574 -193 822 0.01903 -193 879 0.06300 -193 941 0.01747 -192 377 0.01021 -192 579 0.02931 -192 598 0.03622 -192 599 0.03279 -192 612 0.03290 -192 650 0.07136 -192 694 0.04601 -192 719 0.03922 -192 896 0.05989 -191 252 0.03395 -191 255 0.06408 -191 278 0.06790 -191 292 0.06036 -191 306 0.04460 -191 363 0.04157 -191 418 0.07046 -191 482 0.01562 -191 585 0.07292 -191 654 0.05863 -191 676 0.03271 -191 700 0.02768 -191 734 0.04752 -191 816 0.04899 -191 918 0.02053 -191 927 0.01691 -191 952 0.07280 -191 994 0.05914 -190 203 0.07355 -190 253 0.04731 -190 312 0.05994 -190 314 0.05775 -190 324 0.06230 -190 360 0.06447 -190 361 0.05186 -190 365 0.06759 -190 368 0.06950 -190 407 0.03279 -190 419 0.02793 -190 446 0.05489 -190 457 0.02589 -190 511 0.03549 -190 776 0.03136 -190 810 0.05386 -190 824 0.03296 -190 850 0.02774 -190 852 0.01579 -190 901 0.01881 -190 919 0.05828 -190 954 0.04856 -189 336 0.06933 -189 492 0.06179 -189 686 0.03853 -189 697 0.05168 -189 746 0.03242 -189 763 0.04182 -189 793 0.03307 -189 844 0.04671 -189 866 0.01994 -189 924 0.06862 -189 975 0.02857 -189 978 0.01630 -188 239 0.06349 -188 277 0.01601 -188 387 0.06788 -188 397 0.06282 -188 445 0.04157 -188 611 0.06066 -188 632 0.02467 -188 710 0.07175 -188 718 0.06123 -188 767 0.05916 -188 811 0.07175 -188 817 0.03592 -188 912 0.06927 -188 935 0.04713 -188 943 0.04809 -188 945 0.04129 -187 227 0.02454 -187 307 0.03991 -187 648 0.03436 -187 884 0.03531 -187 911 0.06332 -187 925 0.03992 -187 960 0.04587 -186 200 0.03369 -186 281 0.06563 -186 311 0.00136 -186 334 0.06131 -186 417 0.00442 -186 508 0.06948 -186 559 0.03633 -186 622 0.02935 -186 639 0.07219 -186 644 0.05905 -186 699 0.06790 -186 730 0.06887 -186 743 0.02576 -186 750 0.05665 -186 792 0.05949 -186 885 0.06229 -186 893 0.05994 -185 208 0.03665 -185 389 0.03081 -185 463 0.03375 -185 485 0.06688 -185 548 0.06648 -185 587 0.05381 -185 703 0.04082 -185 726 0.06760 -185 731 0.04633 -185 747 0.04760 -185 798 0.02001 -185 813 0.07261 -185 818 0.06862 -185 859 0.03105 -185 871 0.02715 -184 192 0.07109 -184 247 0.07042 -184 357 0.05901 -184 377 0.06719 -184 440 0.05035 -184 489 0.07396 -184 521 0.04443 -184 545 0.05200 -184 568 0.05742 -184 599 0.03909 -184 612 0.07067 -184 647 0.04246 -184 682 0.01764 -184 691 0.06612 -184 694 0.02549 -184 705 0.04039 -184 719 0.06162 -184 781 0.07355 -184 896 0.01121 -184 914 0.06741 -184 983 0.04966 -183 350 0.02364 -183 389 0.05546 -183 463 0.05914 -183 470 0.06467 -183 485 0.05264 -183 703 0.06827 -183 747 0.06801 -183 826 0.03590 -182 211 0.06248 -182 242 0.05798 -182 249 0.03479 -182 264 0.02220 -182 404 0.01770 -182 497 0.06068 -182 539 0.06876 -182 543 0.06707 -182 634 0.05499 -182 670 0.07292 -182 701 0.02935 -182 706 0.05197 -182 736 0.07181 -182 766 0.05088 -182 888 0.05841 -181 184 0.02618 -181 247 0.06909 -181 357 0.03666 -181 364 0.07307 -181 440 0.02443 -181 489 0.04832 -181 521 0.04626 -181 524 0.07417 -181 545 0.02953 -181 565 0.05069 -181 568 0.06453 -181 599 0.06404 -181 647 0.04822 -181 682 0.02190 -181 691 0.05996 -181 694 0.05159 -181 705 0.03795 -181 781 0.06578 -181 896 0.03706 -181 914 0.04476 -181 983 0.05044 -181 988 0.06752 -180 196 0.03985 -180 251 0.04049 -180 293 0.02566 -180 371 0.07195 -180 376 0.03814 -180 483 0.03439 -180 494 0.05504 -180 591 0.04015 -180 698 0.06862 -180 755 0.02052 -180 840 0.06624 -180 855 0.03569 -180 926 0.02206 -179 223 0.04529 -179 245 0.03608 -179 345 0.03829 -179 400 0.02854 -179 410 0.05383 -179 510 0.04260 -179 513 0.06117 -179 529 0.02555 -179 548 0.06004 -179 557 0.04384 -179 592 0.06133 -179 726 0.06033 -179 769 0.03049 -179 818 0.07177 -179 880 0.05104 -179 962 0.05419 -178 195 0.04753 -178 294 0.07240 -178 388 0.02609 -178 459 0.02420 -178 628 0.05591 -178 921 0.04669 -178 968 0.06179 -178 989 0.06226 -177 204 0.04159 -177 468 0.06274 -177 532 0.04327 -177 553 0.05217 -177 660 0.06114 -177 828 0.05134 -177 858 0.06514 -177 955 0.03364 -177 992 0.06609 -176 235 0.04306 -176 263 0.04924 -176 403 0.07351 -176 551 0.01974 -176 684 0.06049 -176 708 0.07436 -176 712 0.04856 -176 744 0.03645 -176 916 0.05906 -176 992 0.07240 -175 210 0.04291 -175 232 0.06960 -175 243 0.07004 -175 260 0.05770 -175 348 0.05469 -175 429 0.05240 -175 517 0.05718 -175 561 0.05987 -175 564 0.05456 -175 668 0.05215 -175 728 0.04693 -175 856 0.05175 -174 211 0.07374 -174 226 0.06581 -174 236 0.03011 -174 261 0.01446 -174 279 0.02086 -174 313 0.05139 -174 342 0.03251 -174 409 0.02135 -174 411 0.05054 -174 424 0.06179 -174 499 0.03380 -174 525 0.05893 -174 534 0.05702 -174 619 0.06774 -174 678 0.03743 -174 736 0.06403 -174 752 0.06120 -174 757 0.06105 -174 801 0.00584 -174 860 0.03698 -174 890 0.06754 -174 932 0.05538 -174 934 0.04101 -174 973 0.05234 -173 198 0.02745 -173 220 0.07457 -173 233 0.06325 -173 305 0.07031 -173 328 0.04530 -173 374 0.04561 -173 379 0.04584 -173 421 0.03698 -173 450 0.06264 -173 709 0.05165 -173 711 0.04392 -173 800 0.07455 -173 827 0.03236 -173 835 0.04947 -173 854 0.06082 -172 188 0.02546 -172 217 0.05309 -172 274 0.05927 -172 277 0.03941 -172 387 0.04253 -172 445 0.05574 -172 486 0.07480 -172 611 0.06245 -172 617 0.06760 -172 632 0.03108 -172 710 0.04693 -172 817 0.01871 -172 912 0.05010 -172 931 0.06609 -172 935 0.05166 -172 943 0.04606 -172 945 0.02615 -171 172 0.03416 -171 188 0.02314 -171 277 0.03534 -171 387 0.06984 -171 397 0.04299 -171 445 0.02162 -171 472 0.05223 -171 542 0.06309 -171 611 0.03781 -171 632 0.04745 -171 649 0.07081 -171 710 0.07101 -171 716 0.06985 -171 718 0.06244 -171 767 0.07415 -171 811 0.05603 -171 817 0.05128 -171 935 0.02410 -171 943 0.02732 -171 945 0.03251 -170 263 0.04415 -170 527 0.00774 -170 536 0.04305 -170 684 0.04327 -170 712 0.04336 -170 865 0.02645 -170 916 0.04255 -170 950 0.07070 -169 203 0.02348 -169 253 0.04906 -169 312 0.04628 -169 319 0.07362 -169 321 0.02984 -169 324 0.03352 -169 455 0.01980 -169 511 0.06391 -169 643 0.06858 -169 672 0.04465 -169 808 0.02329 -169 824 0.06852 -169 873 0.06561 -169 906 0.06535 -169 919 0.04357 -169 929 0.05513 -169 982 0.02944 -168 267 0.06624 -168 285 0.06724 -168 340 0.07375 -168 381 0.05431 -168 427 0.03567 -168 443 0.00673 -168 453 0.06615 -168 464 0.02316 -168 503 0.04009 -168 595 0.06135 -168 661 0.07162 -168 735 0.04121 -168 999 0.05783 -167 346 0.03548 -167 449 0.06933 -167 469 0.07013 -167 577 0.05316 -167 615 0.07358 -167 620 0.04452 -167 659 0.06325 -167 751 0.03228 -167 787 0.03456 -167 870 0.01240 -167 906 0.06522 -167 929 0.05017 -166 183 0.04578 -166 259 0.04816 -166 282 0.04782 -166 350 0.03711 -166 413 0.04912 -166 470 0.01900 -166 485 0.05573 -166 522 0.03249 -166 609 0.07446 -166 655 0.06392 -166 738 0.04483 -166 826 0.02733 -165 178 0.07111 -165 195 0.02556 -165 294 0.07115 -165 302 0.01935 -165 388 0.04952 -165 394 0.01637 -165 444 0.01702 -165 473 0.06451 -165 478 0.06279 -165 518 0.03674 -165 535 0.05398 -165 608 0.07232 -165 628 0.07225 -165 756 0.06456 -165 963 0.03789 -165 968 0.03521 -164 212 0.04317 -164 270 0.03321 -164 317 0.07108 -164 326 0.03590 -164 355 0.06564 -164 439 0.05704 -164 480 0.03757 -164 586 0.03828 -164 631 0.07451 -164 662 0.04997 -164 695 0.06080 -163 190 0.06725 -163 360 0.01597 -163 361 0.01972 -163 365 0.02859 -163 406 0.06388 -163 407 0.03449 -163 419 0.07155 -163 425 0.04859 -163 446 0.06559 -163 502 0.03181 -163 688 0.06665 -163 692 0.07323 -163 810 0.07165 -163 843 0.06409 -163 852 0.05804 -163 863 0.07058 -163 954 0.05824 -162 297 0.06402 -162 432 0.06807 -162 531 0.03099 -162 594 0.05468 -162 674 0.02445 -162 877 0.05963 -162 882 0.04648 -162 895 0.04362 -162 897 0.01000 -162 913 0.04251 -162 933 0.04255 -162 944 0.04077 -162 947 0.03064 -162 974 0.06457 -162 998 0.05985 -161 177 0.05784 -161 204 0.03248 -161 468 0.00849 -161 532 0.01962 -161 553 0.04649 -161 828 0.04403 -161 955 0.07092 -160 345 0.07302 -160 441 0.01072 -160 838 0.04915 -160 903 0.01314 -159 240 0.03614 -159 298 0.04722 -159 325 0.04918 -159 375 0.01996 -159 458 0.03829 -159 496 0.01825 -159 582 0.00698 -159 638 0.06842 -159 685 0.05646 -159 737 0.04588 -159 782 0.05736 -159 848 0.05966 -159 951 0.05189 -158 214 0.06797 -158 219 0.05466 -158 344 0.04303 -158 368 0.06594 -158 430 0.05796 -158 488 0.04079 -158 573 0.02477 -158 677 0.06247 -158 759 0.06941 -158 780 0.05335 -158 788 0.02125 -158 803 0.03607 -158 970 0.05337 -157 465 0.03277 -157 498 0.06711 -157 525 0.06494 -157 566 0.03736 -157 606 0.03977 -157 702 0.05566 -157 775 0.07120 -157 789 0.06723 -157 836 0.01241 -157 839 0.06008 -157 984 0.05491 -157 986 0.02656 -156 221 0.01711 -156 281 0.03965 -156 392 0.05165 -156 429 0.06342 -156 508 0.03346 -156 530 0.07354 -156 559 0.05921 -156 570 0.03446 -156 639 0.05038 -156 646 0.04274 -156 730 0.05274 -156 794 0.06982 -156 885 0.04544 -156 937 0.02763 -156 965 0.06987 -155 164 0.03826 -155 270 0.04409 -155 317 0.05242 -155 326 0.06852 -155 480 0.06103 -155 509 0.05700 -154 167 0.06912 -154 169 0.06600 -154 203 0.05612 -154 253 0.06390 -154 324 0.06509 -154 346 0.05005 -154 455 0.04627 -154 487 0.05428 -154 511 0.06530 -154 577 0.04779 -154 610 0.05201 -154 643 0.01982 -154 672 0.02804 -154 751 0.06052 -154 776 0.06827 -154 784 0.04402 -154 808 0.04347 -154 870 0.06158 -154 906 0.00423 -154 919 0.04955 -154 929 0.03782 -154 949 0.02362 -154 982 0.05896 -153 174 0.03048 -153 213 0.05073 -153 236 0.04486 -153 239 0.05919 -153 261 0.01733 -153 279 0.03485 -153 313 0.06128 -153 342 0.05111 -153 401 0.07023 -153 409 0.03155 -153 424 0.05931 -153 499 0.00410 -153 619 0.03778 -153 624 0.05785 -153 678 0.02657 -153 752 0.06296 -153 753 0.06318 -153 767 0.06373 -153 801 0.02465 -153 860 0.01839 -153 890 0.05613 -153 907 0.05428 -153 932 0.05157 -153 934 0.02367 -152 170 0.04656 -152 176 0.05276 -152 263 0.02839 -152 527 0.04275 -152 551 0.05681 -152 684 0.04364 -152 712 0.02321 -152 865 0.05951 -152 916 0.04127 -151 155 0.02589 -151 164 0.06011 -151 262 0.06456 -151 270 0.06992 -151 297 0.06944 -151 317 0.06897 -151 480 0.07119 -151 509 0.04171 -150 193 0.06002 -150 199 0.03073 -150 318 0.03637 -150 330 0.01087 -150 356 0.06870 -150 359 0.06433 -150 434 0.05865 -150 569 0.06748 -150 653 0.05667 -150 658 0.06070 -150 720 0.06586 -150 822 0.04495 -150 879 0.04082 -150 941 0.04360 -149 245 0.06914 -149 510 0.06638 -149 529 0.07274 -149 548 0.04431 -149 592 0.02581 -149 726 0.03751 -149 731 0.03094 -149 769 0.05060 -149 798 0.06230 -149 813 0.07323 -149 871 0.06185 -149 880 0.05132 -148 178 0.02810 -148 194 0.06673 -148 195 0.07369 -148 294 0.07484 -148 304 0.06748 -148 388 0.04588 -148 459 0.00459 -148 628 0.05581 -148 670 0.05935 -148 869 0.06592 -148 921 0.01908 -148 989 0.03768 -147 316 0.05047 -147 380 0.06066 -147 461 0.06535 -147 474 0.07187 -147 588 0.06657 -147 642 0.05513 -147 732 0.05799 -147 768 0.05933 -147 857 0.05449 -147 908 0.02735 -146 192 0.02752 -146 230 0.05087 -146 377 0.03211 -146 579 0.02636 -146 598 0.03598 -146 599 0.05958 -146 612 0.04482 -146 650 0.07453 -146 658 0.05276 -146 694 0.07349 -146 719 0.05549 -146 720 0.06618 -146 864 0.07408 -145 232 0.06290 -145 257 0.01731 -145 272 0.05000 -145 353 0.06328 -145 405 0.03286 -145 454 0.04463 -145 552 0.04511 -145 562 0.00516 -145 581 0.05805 -145 707 0.06807 -145 797 0.06380 -145 809 0.06220 -145 821 0.06801 -145 825 0.06596 -145 830 0.01235 -145 874 0.01822 -145 886 0.05231 -145 894 0.06098 -145 905 0.03856 -144 211 0.06183 -144 249 0.04205 -144 313 0.06667 -144 322 0.04697 -144 424 0.05404 -144 432 0.04649 -144 493 0.03981 -144 497 0.04945 -144 543 0.00960 -144 634 0.06768 -144 701 0.05322 -144 706 0.04068 -144 766 0.03886 -144 833 0.01155 -144 888 0.01834 -144 890 0.05860 -144 959 0.00623 -143 154 0.01943 -143 203 0.07044 -143 219 0.06095 -143 253 0.07200 -143 346 0.04961 -143 455 0.06378 -143 457 0.07374 -143 487 0.03564 -143 488 0.06662 -143 511 0.06911 -143 577 0.04056 -143 610 0.03570 -143 643 0.02030 -143 672 0.04125 -143 751 0.05998 -143 776 0.06616 -143 784 0.02824 -143 808 0.06042 -143 870 0.07215 -143 906 0.02236 -143 919 0.05909 -143 929 0.05574 -143 949 0.00884 -142 246 0.00804 -142 289 0.04425 -142 309 0.02807 -142 395 0.04259 -142 448 0.03657 -142 544 0.02400 -142 605 0.04306 -142 618 0.02789 -142 657 0.05246 -142 680 0.07233 -142 853 0.03162 -142 878 0.05960 -142 920 0.01947 -141 156 0.02773 -141 221 0.03524 -141 281 0.06698 -141 392 0.05178 -141 422 0.05749 -141 429 0.05301 -141 508 0.04694 -141 523 0.07308 -141 570 0.00739 -141 646 0.04103 -141 668 0.05265 -141 730 0.05879 -141 885 0.05714 -141 936 0.07326 -141 937 0.04297 -141 965 0.04308 -140 157 0.06224 -140 216 0.05848 -140 323 0.07014 -140 434 0.06430 -140 566 0.05667 -140 606 0.06680 -140 653 0.03397 -140 702 0.06025 -140 836 0.07458 -140 879 0.05031 -140 984 0.06883 -139 186 0.06548 -139 200 0.05456 -139 311 0.06559 -139 334 0.04624 -139 417 0.06762 -139 616 0.06702 -139 622 0.05222 -139 644 0.01708 -139 699 0.04975 -139 743 0.04806 -139 774 0.06971 -139 792 0.03871 -139 893 0.01252 -138 170 0.07252 -138 263 0.05506 -138 403 0.01408 -138 438 0.03401 -138 476 0.06668 -138 527 0.06589 -138 551 0.06731 -138 684 0.03966 -138 712 0.06018 -138 744 0.06566 -138 795 0.03640 -138 865 0.04856 -138 916 0.04198 -138 950 0.01787 -137 147 0.04061 -137 273 0.07202 -137 316 0.05753 -137 380 0.06540 -137 524 0.07305 -137 563 0.06819 -137 588 0.07022 -137 642 0.07327 -137 664 0.06358 -137 768 0.06495 -137 857 0.03892 -137 908 0.02768 -136 244 0.01899 -136 266 0.03293 -136 276 0.01328 -136 343 0.06118 -136 378 0.02923 -136 391 0.03602 -136 398 0.07356 -136 413 0.06995 -136 416 0.07418 -136 437 0.04718 -136 655 0.05547 -136 741 0.03389 -136 868 0.03496 -136 900 0.06747 -136 940 0.03173 -135 209 0.01849 -135 331 0.06588 -135 420 0.05948 -135 669 0.03547 -134 159 0.04931 -134 225 0.05032 -134 300 0.03843 -134 325 0.04852 -134 375 0.03353 -134 496 0.05469 -134 582 0.05617 -134 638 0.07053 -134 737 0.03221 -134 739 0.05899 -134 951 0.04890 -134 979 0.06827 -133 250 0.02970 -133 344 0.05255 -133 390 0.06793 -133 406 0.04157 -133 433 0.05867 -133 495 0.06449 -133 504 0.06193 -133 627 0.04561 -133 637 0.03778 -133 677 0.06435 -133 688 0.06356 -133 803 0.06562 -133 881 0.05198 -133 957 0.06798 -133 969 0.04595 -132 205 0.05961 -132 346 0.07288 -132 370 0.03837 -132 384 0.04982 -132 449 0.04126 -132 577 0.07477 -132 613 0.04701 -132 626 0.06744 -132 745 0.05165 -132 751 0.06369 -132 765 0.06556 -132 815 0.05875 -132 902 0.06359 -132 980 0.07231 -131 133 0.04716 -131 158 0.04965 -131 214 0.04770 -131 310 0.04828 -131 344 0.02508 -131 406 0.06596 -131 495 0.05804 -131 504 0.06644 -131 573 0.07219 -131 627 0.04951 -131 677 0.05652 -131 788 0.04732 -131 803 0.01847 -131 881 0.05903 -131 969 0.03680 -131 970 0.05825 -130 168 0.04829 -130 228 0.05892 -130 340 0.06910 -130 381 0.04105 -130 427 0.03541 -130 438 0.06294 -130 443 0.04801 -130 453 0.03771 -130 464 0.05633 -130 503 0.06835 -130 572 0.04289 -130 583 0.04547 -130 595 0.01625 -130 735 0.03852 -130 875 0.06568 -130 956 0.06333 -129 319 0.05203 -129 469 0.03945 -129 615 0.03306 -129 620 0.05627 -129 651 0.04944 -129 679 0.02988 -129 842 0.07496 -129 870 0.07398 -129 873 0.06122 -129 982 0.07065 -128 145 0.06988 -128 175 0.06984 -128 210 0.04160 -128 232 0.01326 -128 243 0.04600 -128 257 0.07435 -128 287 0.06084 -128 353 0.01876 -128 405 0.04471 -128 475 0.05232 -128 562 0.06685 -128 602 0.06370 -128 707 0.02388 -128 728 0.02314 -128 762 0.06060 -128 821 0.06178 -128 825 0.04296 -128 874 0.07096 -128 894 0.06764 -128 905 0.07060 -128 953 0.06344 -127 299 0.01784 -127 341 0.02208 -127 498 0.02144 -127 542 0.06004 -127 629 0.01688 -127 749 0.06560 -127 760 0.05030 -127 771 0.02491 -127 811 0.06433 -126 128 0.02701 -126 145 0.06811 -126 175 0.06194 -126 210 0.05225 -126 232 0.01546 -126 243 0.06740 -126 257 0.06599 -126 353 0.04270 -126 405 0.03583 -126 562 0.06694 -126 668 0.05481 -126 707 0.04926 -126 728 0.02852 -126 821 0.03601 -126 825 0.06630 -126 874 0.06213 -126 886 0.06399 -126 894 0.04390 -125 189 0.03517 -125 265 0.07008 -125 280 0.07478 -125 336 0.03432 -125 347 0.06090 -125 369 0.06998 -125 501 0.07008 -125 665 0.06594 -125 686 0.06035 -125 697 0.01677 -125 746 0.02784 -125 763 0.04420 -125 793 0.01735 -125 832 0.05145 -125 866 0.04204 -125 975 0.02233 -125 978 0.04198 -124 140 0.05965 -124 157 0.06281 -124 197 0.04653 -124 241 0.06956 -124 414 0.04795 -124 434 0.06710 -124 465 0.04750 -124 569 0.06884 -124 606 0.02961 -124 641 0.06416 -124 702 0.00835 -124 775 0.01986 -124 789 0.03710 -124 836 0.06913 -124 839 0.02838 -124 899 0.05956 -124 966 0.07242 -124 984 0.01696 -124 986 0.05125 -123 151 0.07449 -123 155 0.07344 -123 317 0.04496 -123 395 0.06848 -123 448 0.06598 -123 509 0.04702 -123 531 0.06623 -123 594 0.07164 -123 605 0.04875 -123 618 0.06212 -123 680 0.02542 -123 853 0.05756 -123 877 0.04104 -123 882 0.03751 -123 895 0.05297 -123 913 0.05074 -122 132 0.03060 -122 205 0.04602 -122 370 0.03107 -122 373 0.06196 -122 384 0.03459 -122 449 0.05870 -122 560 0.05409 -122 613 0.05653 -122 626 0.05828 -122 745 0.04392 -122 765 0.05585 -122 815 0.03395 -122 902 0.04509 -122 980 0.06834 -121 188 0.05945 -121 213 0.03193 -121 239 0.03138 -121 277 0.04505 -121 401 0.03436 -121 486 0.05514 -121 580 0.02931 -121 619 0.05205 -121 624 0.05367 -121 632 0.04504 -121 718 0.06767 -121 753 0.07332 -121 767 0.02876 -121 817 0.06986 -121 907 0.07213 -121 922 0.03937 -121 981 0.04662 -121 997 0.06275 -120 160 0.00697 -120 345 0.07214 -120 441 0.00931 -120 838 0.04225 -120 880 0.07422 -120 903 0.01944 -119 217 0.07091 -119 274 0.06021 -119 284 0.02472 -119 335 0.06990 -119 337 0.03311 -119 358 0.02456 -119 420 0.06343 -119 558 0.02440 -119 576 0.00652 -119 785 0.01607 -119 820 0.03757 -119 931 0.05334 -119 958 0.04191 -118 147 0.06898 -118 316 0.04468 -118 380 0.04519 -118 474 0.05666 -118 549 0.03811 -118 588 0.04654 -118 642 0.02470 -118 650 0.06471 -118 691 0.03825 -118 705 0.06034 -118 768 0.04400 -118 781 0.03511 -118 797 0.06982 -118 802 0.02339 -118 908 0.06733 -118 983 0.04930 -118 988 0.07297 -117 170 0.03930 -117 256 0.05510 -117 512 0.05482 -117 527 0.04683 -117 536 0.04089 -117 584 0.05778 -117 661 0.07345 -117 865 0.05608 -116 186 0.07471 -116 240 0.06959 -116 281 0.04915 -116 298 0.05982 -116 325 0.07178 -116 496 0.07405 -116 530 0.03418 -116 559 0.05877 -116 638 0.05717 -116 639 0.03611 -116 743 0.07340 -116 750 0.04404 -116 782 0.03676 -116 794 0.01729 -116 848 0.05775 -116 951 0.07269 -115 127 0.04991 -115 171 0.07102 -115 299 0.03276 -115 341 0.06733 -115 397 0.03571 -115 445 0.05086 -115 472 0.06024 -115 498 0.06961 -115 542 0.02101 -115 611 0.06992 -115 629 0.04954 -115 718 0.04888 -115 752 0.06667 -115 771 0.02861 -115 811 0.01635 -115 932 0.07031 -115 935 0.06637 -114 165 0.06091 -114 195 0.05449 -114 302 0.06903 -114 354 0.06519 -114 394 0.07183 -114 444 0.04730 -114 447 0.04595 -114 482 0.07311 -114 518 0.02752 -114 585 0.02968 -114 608 0.01214 -114 654 0.03270 -114 676 0.07499 -114 756 0.06042 -114 927 0.07077 -114 963 0.06162 -113 125 0.05725 -113 189 0.02807 -113 492 0.03516 -113 686 0.01529 -113 697 0.07382 -113 746 0.06049 -113 763 0.03689 -113 793 0.06010 -113 844 0.01916 -113 866 0.01603 -113 924 0.04847 -113 975 0.04008 -113 978 0.01527 -112 163 0.05107 -112 190 0.04001 -112 360 0.03946 -112 361 0.03141 -112 365 0.03544 -112 368 0.03516 -112 406 0.06593 -112 407 0.03180 -112 419 0.02488 -112 446 0.01917 -112 457 0.03696 -112 502 0.07376 -112 511 0.06379 -112 677 0.04842 -112 776 0.04646 -112 824 0.07228 -112 850 0.02953 -112 852 0.04497 -112 901 0.05876 -112 954 0.01076 -111 117 0.05412 -111 256 0.05349 -111 516 0.06680 -111 635 0.05136 -110 116 0.07345 -110 134 0.05870 -110 159 0.01830 -110 240 0.02520 -110 298 0.03345 -110 325 0.04089 -110 375 0.03619 -110 458 0.03199 -110 496 0.00473 -110 582 0.01561 -110 638 0.05580 -110 685 0.04946 -110 737 0.06257 -110 750 0.06696 -110 782 0.03969 -110 848 0.04607 -110 951 0.04383 -109 200 0.07084 -109 286 0.06553 -109 334 0.04767 -109 383 0.07500 -109 593 0.07414 -109 616 0.02626 -109 644 0.07282 -109 673 0.04088 -109 754 0.02671 -109 774 0.05415 -109 847 0.07429 -108 130 0.06295 -108 138 0.05721 -108 168 0.07168 -108 267 0.03795 -108 403 0.07127 -108 438 0.03453 -108 443 0.06559 -108 464 0.05539 -108 503 0.04930 -108 536 0.05048 -108 584 0.07448 -108 595 0.05635 -108 661 0.03629 -108 735 0.03173 -108 865 0.05737 -108 950 0.03935 -107 349 0.02103 -107 426 0.06556 -107 505 0.02851 -107 550 0.05350 -107 589 0.04893 -107 630 0.07037 -107 640 0.07460 -107 847 0.05847 -106 129 0.07154 -106 167 0.06409 -106 265 0.06502 -106 280 0.05519 -106 308 0.06151 -106 366 0.04546 -106 369 0.06718 -106 469 0.03356 -106 526 0.05604 -106 615 0.04074 -106 620 0.02459 -106 659 0.03632 -106 665 0.06907 -106 721 0.03700 -106 787 0.03751 -106 842 0.05689 -106 870 0.06895 -105 115 0.07317 -105 121 0.05339 -105 153 0.05434 -105 188 0.07060 -105 213 0.04223 -105 239 0.02232 -105 261 0.06235 -105 277 0.05653 -105 401 0.06822 -105 409 0.06016 -105 499 0.05044 -105 619 0.05418 -105 624 0.07306 -105 678 0.03934 -105 718 0.02538 -105 752 0.05212 -105 767 0.02465 -105 801 0.07110 -105 811 0.07419 -105 860 0.03940 -105 932 0.04000 -105 934 0.03495 -104 136 0.01776 -104 244 0.03350 -104 266 0.04272 -104 276 0.01664 -104 282 0.06020 -104 343 0.04952 -104 378 0.03817 -104 391 0.04837 -104 398 0.07260 -104 413 0.05465 -104 416 0.05718 -104 437 0.05447 -104 655 0.03878 -104 738 0.05859 -104 741 0.01643 -104 868 0.02752 -104 876 0.07176 -104 900 0.06950 -104 940 0.01411 -103 135 0.06688 -103 142 0.05082 -103 246 0.05473 -103 309 0.05735 -103 331 0.04814 -103 367 0.06197 -103 448 0.05823 -103 544 0.06893 -103 618 0.07313 -103 625 0.07013 -103 669 0.05060 -103 853 0.07346 -103 920 0.06536 -102 124 0.05981 -102 197 0.01688 -102 201 0.04997 -102 241 0.02430 -102 294 0.05834 -102 414 0.05734 -102 473 0.06553 -102 478 0.04773 -102 484 0.04483 -102 567 0.07354 -102 569 0.07355 -102 614 0.04168 -102 641 0.00592 -102 702 0.06522 -102 775 0.04928 -102 789 0.06254 -102 839 0.06401 -102 899 0.00347 -102 909 0.03546 -102 966 0.02218 -102 984 0.06530 -102 995 0.02734 -101 106 0.01986 -101 129 0.05608 -101 167 0.07240 -101 265 0.06207 -101 280 0.04787 -101 308 0.06612 -101 366 0.03642 -101 369 0.05267 -101 469 0.01664 -101 526 0.07296 -101 615 0.02326 -101 620 0.02789 -101 659 0.05618 -101 665 0.05551 -101 679 0.06444 -101 721 0.05566 -101 787 0.05308 -101 832 0.07078 -101 842 0.04269 -101 870 0.07406 -100 111 0.07485 -100 117 0.05515 -100 256 0.02651 -100 267 0.06638 -100 512 0.00329 -100 516 0.03632 -100 536 0.06126 -100 538 0.03322 -100 584 0.02554 -100 635 0.06087 -100 645 0.07283 -100 661 0.06462 -100 722 0.07412 -100 748 0.06052 -100 764 0.02919 -100 783 0.03421 -100 807 0.03348 -100 972 0.02715 -99 126 0.03890 -99 128 0.05394 -99 175 0.02563 -99 210 0.04456 -99 232 0.04974 -99 243 0.07083 -99 353 0.07270 -99 405 0.07381 -99 429 0.05677 -99 564 0.07133 -99 668 0.03502 -99 728 0.03455 -99 821 0.05509 -99 856 0.07304 -99 894 0.06686 -99 965 0.07484 -98 224 0.02601 -98 428 0.04170 -98 645 0.07247 -98 717 0.03512 -98 758 0.01509 -97 152 0.00666 -97 170 0.05246 -97 176 0.04640 -97 263 0.02837 -97 527 0.04815 -97 551 0.05159 -97 684 0.04450 -97 712 0.02334 -97 744 0.07132 -97 865 0.06357 -97 916 0.04212 -96 220 0.06621 -96 233 0.07378 -96 254 0.04056 -96 275 0.04993 -96 283 0.00978 -96 328 0.04296 -96 435 0.04796 -96 450 0.04268 -96 541 0.05869 -96 575 0.05360 -96 601 0.02886 -96 663 0.04914 -96 711 0.06378 -96 715 0.07359 -96 835 0.06802 -96 961 0.01888 -96 991 0.05739 -95 118 0.05904 -95 137 0.06482 -95 147 0.06877 -95 316 0.02121 -95 364 0.04491 -95 380 0.01443 -95 440 0.07310 -95 451 0.06680 -95 489 0.05378 -95 524 0.02458 -95 545 0.05038 -95 563 0.05578 -95 588 0.01276 -95 642 0.03626 -95 664 0.06350 -95 691 0.04127 -95 705 0.05955 -95 768 0.01595 -95 781 0.03500 -95 908 0.04526 -95 914 0.03905 -95 983 0.05977 -95 988 0.01779 -94 123 0.03587 -94 151 0.05435 -94 155 0.06584 -94 162 0.06833 -94 297 0.04833 -94 317 0.06586 -94 509 0.01437 -94 531 0.04131 -94 656 0.07165 -94 680 0.06012 -94 877 0.05707 -94 882 0.02836 -94 895 0.05897 -94 897 0.06468 -94 913 0.02615 -93 140 0.06699 -93 157 0.06230 -93 216 0.02528 -93 460 0.03622 -93 471 0.03564 -93 498 0.07427 -93 566 0.02496 -93 727 0.05087 -93 761 0.06645 -93 836 0.06970 -93 939 0.06696 -92 113 0.04923 -92 125 0.00803 -92 189 0.02808 -92 336 0.04132 -92 347 0.06370 -92 665 0.07397 -92 686 0.05252 -92 697 0.02466 -92 746 0.02835 -92 763 0.03815 -92 793 0.01955 -92 832 0.05944 -92 844 0.06812 -92 866 0.03403 -92 924 0.07289 -92 975 0.01584 -92 978 0.03396 -91 98 0.07184 -91 224 0.07031 -91 256 0.06739 -91 428 0.03028 -91 516 0.04727 -91 538 0.06885 -91 635 0.05193 -91 645 0.01957 -91 717 0.06273 -91 748 0.02785 -91 758 0.06428 -91 783 0.04531 -91 807 0.05106 -91 942 0.07167 -91 972 0.07121 -90 151 0.06839 -90 155 0.04555 -90 164 0.00875 -90 212 0.04255 -90 270 0.03088 -90 317 0.07264 -90 326 0.02726 -90 355 0.05830 -90 439 0.04828 -90 480 0.04137 -90 586 0.03295 -90 631 0.06718 -90 662 0.04145 -90 695 0.05206 -89 114 0.06737 -89 278 0.06244 -89 291 0.01536 -89 354 0.05246 -89 402 0.03503 -89 423 0.04505 -89 447 0.02883 -89 491 0.01243 -89 608 0.06675 -89 671 0.07105 -89 704 0.03100 -89 723 0.05089 -89 756 0.06000 -89 819 0.04559 -89 904 0.03842 -89 946 0.04637 -89 987 0.06947 -89 990 0.05342 -88 138 0.07388 -88 382 0.05411 -88 403 0.07355 -88 415 0.03997 -88 438 0.06748 -88 476 0.05727 -88 515 0.03252 -88 520 0.05126 -88 537 0.06121 -88 572 0.05942 -88 595 0.07411 -88 777 0.00938 -88 786 0.06243 -88 795 0.04814 -88 892 0.05657 -88 977 0.05412 -87 99 0.02110 -87 126 0.02621 -87 128 0.04987 -87 175 0.04668 -87 210 0.05716 -87 232 0.04093 -87 353 0.06756 -87 405 0.05667 -87 429 0.06610 -87 523 0.06983 -87 668 0.02919 -87 707 0.07355 -87 728 0.03871 -87 821 0.03399 -87 886 0.06998 -87 894 0.04575 -87 965 0.06023 -86 156 0.07455 -86 186 0.04622 -86 200 0.05093 -86 221 0.05749 -86 281 0.06631 -86 311 0.04518 -86 383 0.05014 -86 392 0.03962 -86 417 0.04200 -86 508 0.04134 -86 559 0.04219 -86 622 0.05157 -86 730 0.02847 -86 743 0.07182 -86 885 0.02957 -85 289 0.05842 -85 322 0.07108 -85 339 0.02462 -85 395 0.04208 -85 493 0.07286 -85 544 0.06673 -85 594 0.02433 -85 605 0.06195 -85 618 0.06783 -85 657 0.05672 -85 853 0.07208 -85 877 0.04937 -85 895 0.04708 -85 920 0.06902 -84 105 0.02948 -84 121 0.02889 -84 153 0.05471 -84 188 0.07104 -84 213 0.01509 -84 239 0.01019 -84 261 0.06906 -84 277 0.05503 -84 401 0.03903 -84 409 0.07413 -84 499 0.05075 -84 580 0.04800 -84 619 0.03413 -84 624 0.04751 -84 632 0.06562 -84 678 0.05401 -84 718 0.05110 -84 753 0.06636 -84 767 0.01295 -84 860 0.04853 -84 907 0.06175 -84 922 0.06514 -84 932 0.06523 -84 934 0.04688 -84 981 0.06255 -83 166 0.02625 -83 183 0.05870 -83 259 0.02736 -83 282 0.06104 -83 338 0.05554 -83 350 0.05906 -83 390 0.06231 -83 413 0.07058 -83 470 0.02999 -83 522 0.04192 -83 609 0.05190 -83 738 0.06217 -83 826 0.05256 -83 957 0.06174 -82 223 0.05431 -82 307 0.07083 -82 410 0.06072 -82 513 0.05712 -82 557 0.05244 -82 960 0.07001 -82 962 0.06203 -81 93 0.07064 -81 216 0.04560 -81 323 0.01702 -81 399 0.04804 -81 412 0.04990 -81 471 0.05473 -81 727 0.03714 -81 762 0.06312 -81 778 0.02962 -81 799 0.04361 -81 809 0.06392 -81 864 0.05226 -81 939 0.03407 -80 116 0.03328 -80 281 0.05713 -80 285 0.06527 -80 325 0.06750 -80 500 0.06698 -80 530 0.00999 -80 638 0.04577 -80 639 0.04152 -80 782 0.04742 -80 794 0.02883 -80 937 0.07075 -80 951 0.06703 -79 131 0.06448 -79 133 0.02782 -79 250 0.04057 -79 344 0.05848 -79 360 0.06621 -79 365 0.05703 -79 390 0.05123 -79 406 0.01827 -79 433 0.07017 -79 502 0.05895 -79 627 0.07343 -79 637 0.02552 -79 677 0.05479 -79 688 0.04104 -79 957 0.05158 -79 969 0.07299 -78 97 0.07145 -78 111 0.04636 -78 117 0.03033 -78 152 0.06489 -78 170 0.04163 -78 256 0.07415 -78 527 0.04853 -78 536 0.06638 -78 865 0.06706 -77 191 0.06774 -77 252 0.03628 -77 278 0.07291 -77 306 0.02756 -77 363 0.04316 -77 418 0.05297 -77 507 0.06897 -77 574 0.04918 -77 690 0.02185 -77 700 0.05383 -77 816 0.02268 -77 846 0.04583 -77 918 0.05789 -77 952 0.03737 -77 994 0.05691 -76 150 0.03127 -76 193 0.04379 -76 199 0.00774 -76 318 0.04602 -76 330 0.03055 -76 356 0.05898 -76 359 0.03315 -76 434 0.06212 -76 535 0.07320 -76 569 0.06412 -76 720 0.07110 -76 814 0.04400 -76 822 0.02478 -76 879 0.06244 -76 941 0.03435 -75 143 0.03718 -75 154 0.02023 -75 167 0.05312 -75 169 0.06187 -75 203 0.05952 -75 253 0.07440 -75 324 0.07114 -75 346 0.04423 -75 455 0.04414 -75 487 0.06817 -75 577 0.04937 -75 610 0.06267 -75 643 0.03935 -75 672 0.03763 -75 751 0.05340 -75 784 0.06388 -75 808 0.04321 -75 870 0.04381 -75 906 0.01607 -75 919 0.05980 -75 929 0.01865 -75 949 0.04320 -75 982 0.04626 -74 90 0.01226 -74 151 0.07014 -74 155 0.05028 -74 164 0.01314 -74 212 0.03072 -74 270 0.04307 -74 326 0.03431 -74 355 0.05518 -74 439 0.05268 -74 480 0.02983 -74 586 0.02605 -74 662 0.04327 -74 695 0.05715 -73 85 0.06614 -73 94 0.05818 -73 123 0.06820 -73 162 0.01657 -73 297 0.06590 -73 509 0.06927 -73 531 0.02934 -73 594 0.04254 -73 674 0.04095 -73 877 0.04319 -73 882 0.03280 -73 895 0.02766 -73 897 0.02223 -73 913 0.03455 -73 933 0.05895 -73 944 0.05415 -73 947 0.04653 -73 974 0.07462 -72 205 0.05673 -72 215 0.04702 -72 247 0.03583 -72 430 0.06387 -72 521 0.06177 -72 560 0.03957 -72 568 0.05333 -72 647 0.06446 -72 759 0.04522 -72 765 0.05876 -72 780 0.06623 -72 815 0.05416 -72 980 0.06879 -71 101 0.03328 -71 106 0.04058 -71 265 0.02928 -71 280 0.01494 -71 308 0.04004 -71 336 0.05759 -71 366 0.00555 -71 369 0.03105 -71 469 0.04583 -71 501 0.04369 -71 526 0.06854 -71 615 0.04972 -71 620 0.05979 -71 659 0.06865 -71 665 0.03127 -71 697 0.07257 -71 721 0.05976 -71 832 0.04477 -71 842 0.02206 -70 97 0.04248 -70 138 0.05026 -70 152 0.04559 -70 170 0.06623 -70 176 0.03621 -70 235 0.05183 -70 263 0.02307 -70 403 0.04034 -70 476 0.07207 -70 527 0.05871 -70 551 0.02250 -70 684 0.02664 -70 708 0.07235 -70 712 0.02626 -70 744 0.03518 -70 795 0.06128 -70 865 0.05884 -70 916 0.02595 -70 950 0.06486 -69 84 0.04056 -69 105 0.01952 -69 121 0.06834 -69 153 0.03995 -69 174 0.05741 -69 213 0.04862 -69 239 0.03735 -69 261 0.04449 -69 279 0.07134 -69 409 0.04070 -69 499 0.03661 -69 525 0.06754 -69 619 0.05289 -69 624 0.07447 -69 678 0.02015 -69 718 0.03753 -69 752 0.03849 -69 767 0.04098 -69 801 0.05292 -69 860 0.02246 -69 932 0.02484 -69 934 0.01728 -68 83 0.05431 -68 166 0.03101 -68 183 0.02808 -68 282 0.06516 -68 350 0.00706 -68 389 0.05959 -68 413 0.05345 -68 463 0.06786 -68 470 0.04655 -68 485 0.03041 -68 522 0.05674 -68 655 0.07147 -68 738 0.05768 -68 747 0.05195 -68 826 0.00829 -67 120 0.07312 -67 160 0.07206 -67 179 0.04605 -67 345 0.02019 -67 400 0.02409 -67 441 0.06382 -67 529 0.03008 -67 592 0.07470 -67 769 0.06392 -67 880 0.05077 -67 903 0.06497 -66 103 0.04860 -66 142 0.02254 -66 246 0.03054 -66 289 0.06564 -66 309 0.04984 -66 367 0.06006 -66 395 0.05130 -66 448 0.01495 -66 544 0.04567 -66 605 0.03964 -66 618 0.02676 -66 657 0.07377 -66 680 0.05617 -66 853 0.02546 -66 920 0.04118 -65 115 0.05568 -65 171 0.03750 -65 172 0.06779 -65 188 0.06041 -65 277 0.07016 -65 397 0.02014 -65 445 0.02275 -65 472 0.01524 -65 542 0.03846 -65 611 0.01425 -65 649 0.04597 -65 716 0.03765 -65 718 0.07471 -65 811 0.03974 -65 935 0.01640 -65 943 0.02686 -65 945 0.05214 -64 269 0.06818 -64 275 0.05117 -64 352 0.02903 -64 435 0.05050 -64 462 0.03771 -64 555 0.06397 -64 563 0.06930 -64 575 0.04648 -64 601 0.06533 -64 664 0.05772 -64 715 0.05034 -64 837 0.05266 -64 991 0.06880 -63 146 0.01419 -63 192 0.04069 -63 230 0.03676 -63 377 0.04338 -63 399 0.06475 -63 412 0.06831 -63 579 0.02933 -63 598 0.03751 -63 599 0.07145 -63 612 0.05062 -63 650 0.07351 -63 658 0.04990 -63 719 0.06219 -63 720 0.07112 -63 809 0.06900 -63 864 0.06200 -62 64 0.07198 -62 231 0.03137 -62 273 0.03729 -62 275 0.06661 -62 426 0.03671 -62 435 0.06969 -62 550 0.05905 -62 630 0.03065 -62 667 0.04526 -62 715 0.04140 -62 857 0.06515 -62 938 0.02648 -62 991 0.05790 -61 208 0.05136 -61 223 0.06732 -61 245 0.07189 -61 307 0.06902 -61 410 0.05289 -61 442 0.00719 -61 510 0.06762 -61 513 0.04668 -61 557 0.07256 -61 578 0.03979 -61 587 0.03453 -61 818 0.04190 -61 840 0.07132 -61 859 0.06340 -61 871 0.06938 -61 883 0.04467 -61 911 0.06288 -61 960 0.06285 -61 962 0.05208 -60 71 0.03482 -60 92 0.06640 -60 101 0.06808 -60 106 0.07346 -60 125 0.05924 -60 265 0.01112 -60 280 0.02044 -60 308 0.03453 -60 336 0.02511 -60 347 0.04553 -60 366 0.03209 -60 369 0.03659 -60 501 0.01987 -60 665 0.03241 -60 697 0.04337 -60 742 0.06406 -60 793 0.06844 -60 832 0.03331 -60 842 0.03719 -60 975 0.07355 -59 130 0.04948 -59 168 0.06978 -59 228 0.04828 -59 260 0.03202 -59 301 0.05818 -59 340 0.02518 -59 348 0.05626 -59 381 0.01556 -59 427 0.03414 -59 443 0.07418 -59 453 0.01350 -59 517 0.04921 -59 561 0.06139 -59 564 0.06067 -59 572 0.05551 -59 583 0.03913 -59 595 0.06136 -59 875 0.04727 -59 956 0.01425 -59 999 0.06067 -58 71 0.06504 -58 101 0.05052 -58 106 0.06983 -58 129 0.02704 -58 280 0.07266 -58 319 0.06794 -58 366 0.06341 -58 369 0.05628 -58 469 0.03716 -58 615 0.03033 -58 620 0.06364 -58 651 0.02916 -58 665 0.06105 -58 679 0.01397 -58 832 0.07199 -58 842 0.05322 -57 122 0.05943 -57 206 0.05305 -57 370 0.04079 -57 373 0.00746 -57 384 0.02836 -57 393 0.04911 -57 451 0.06032 -57 565 0.06075 -57 613 0.05856 -57 626 0.02388 -57 683 0.02057 -57 745 0.03145 -57 902 0.01478 -57 928 0.04166 -56 362 0.04271 -56 386 0.03464 -56 481 0.03866 -56 490 0.06491 -56 546 0.06944 -56 714 0.03761 -56 804 0.04127 -56 805 0.06629 -56 872 0.07369 -55 120 0.04915 -55 149 0.07463 -55 160 0.05585 -55 320 0.07311 -55 345 0.07063 -55 441 0.04870 -55 592 0.05962 -55 838 0.00960 -55 880 0.05163 -55 903 0.06562 -54 180 0.01628 -54 196 0.04120 -54 251 0.05676 -54 293 0.01749 -54 376 0.04012 -54 483 0.02468 -54 494 0.04435 -54 514 0.06399 -54 591 0.03301 -54 755 0.03466 -54 840 0.05030 -54 855 0.02918 -54 911 0.07428 -54 926 0.01833 -53 56 0.02878 -53 362 0.01536 -53 386 0.01189 -53 481 0.04615 -53 714 0.03263 -53 720 0.06181 -53 804 0.06768 -52 169 0.04733 -52 203 0.04696 -52 253 0.05153 -52 312 0.02347 -52 314 0.03541 -52 321 0.02587 -52 324 0.04013 -52 455 0.06109 -52 511 0.06511 -52 808 0.06186 -52 824 0.04870 -52 901 0.06311 -52 919 0.05940 -51 148 0.00790 -51 178 0.02629 -51 194 0.06641 -51 195 0.07352 -51 304 0.06653 -51 388 0.04783 -51 459 0.00524 -51 528 0.07023 -51 628 0.06241 -51 666 0.07323 -51 670 0.06398 -51 869 0.07379 -51 921 0.02121 -51 989 0.03620 -50 107 0.04902 -50 234 0.04569 -50 349 0.02980 -50 505 0.06739 -50 571 0.04708 -49 228 0.05297 -49 238 0.03949 -49 258 0.03118 -49 271 0.07071 -49 333 0.03888 -49 348 0.07142 -49 382 0.03261 -49 452 0.06064 -49 515 0.06087 -49 517 0.07308 -49 520 0.05409 -49 537 0.02937 -49 561 0.06417 -49 572 0.06678 -49 583 0.06643 -49 603 0.00856 -49 724 0.06832 -49 777 0.06903 -49 786 0.04555 -49 856 0.07109 -49 875 0.05129 -49 887 0.05674 -49 898 0.06703 -49 964 0.00337 -48 57 0.06114 -48 181 0.04926 -48 184 0.07469 -48 357 0.02157 -48 364 0.04729 -48 373 0.06778 -48 393 0.05969 -48 440 0.02504 -48 451 0.04893 -48 489 0.02655 -48 521 0.06962 -48 524 0.06182 -48 545 0.04250 -48 560 0.07361 -48 565 0.00401 -48 682 0.06974 -48 683 0.06520 -48 902 0.06859 -48 914 0.04337 -48 928 0.03212 -48 988 0.06293 -47 207 0.01773 -47 248 0.01310 -47 255 0.04708 -47 292 0.02994 -47 528 0.04637 -47 585 0.07007 -47 596 0.02741 -47 654 0.07458 -47 666 0.07093 -47 676 0.05842 -47 698 0.05021 -47 734 0.04676 -47 791 0.01836 -47 867 0.05685 -46 127 0.05953 -46 157 0.04228 -46 299 0.06132 -46 341 0.07444 -46 465 0.04523 -46 498 0.04942 -46 525 0.03412 -46 566 0.06851 -46 606 0.06254 -46 752 0.05118 -46 771 0.05928 -46 836 0.02993 -46 932 0.06482 -46 986 0.04067 -45 149 0.06920 -45 185 0.05622 -45 389 0.06743 -45 398 0.02825 -45 437 0.06205 -45 485 0.05176 -45 731 0.05077 -45 747 0.03165 -45 798 0.06181 -45 813 0.01650 -45 868 0.07327 -45 871 0.06912 -44 100 0.04008 -44 256 0.06461 -44 267 0.05255 -44 464 0.07206 -44 503 0.05776 -44 512 0.03805 -44 516 0.06555 -44 536 0.07431 -44 538 0.02473 -44 554 0.06489 -44 584 0.03063 -44 661 0.05470 -44 722 0.04546 -44 764 0.01878 -44 783 0.05542 -44 807 0.04393 -44 972 0.02363 -43 86 0.01410 -43 141 0.07194 -43 156 0.06090 -43 186 0.05347 -43 200 0.06390 -43 221 0.04379 -43 281 0.05721 -43 311 0.05268 -43 383 0.05959 -43 392 0.02796 -43 417 0.04972 -43 508 0.02749 -43 559 0.03853 -43 570 0.07317 -43 622 0.06398 -43 639 0.07219 -43 730 0.01587 -43 885 0.01557 -42 217 0.06181 -42 335 0.03854 -42 387 0.06358 -42 532 0.06909 -42 617 0.02495 -42 649 0.06554 -42 660 0.05157 -42 710 0.05502 -42 820 0.07406 -42 828 0.04222 -42 945 0.07116 -42 955 0.04713 -41 95 0.06345 -41 137 0.00173 -41 147 0.04136 -41 273 0.07332 -41 316 0.05657 -41 380 0.06429 -41 524 0.07140 -41 563 0.06650 -41 588 0.06905 -41 642 0.07260 -41 664 0.06198 -41 768 0.06388 -41 857 0.04054 -41 908 0.02721 -41 988 0.07456 -40 118 0.07137 -40 146 0.06852 -40 181 0.06731 -40 184 0.04956 -40 192 0.04831 -40 377 0.03884 -40 579 0.04811 -40 598 0.04352 -40 599 0.02843 -40 612 0.02671 -40 650 0.04747 -40 682 0.04547 -40 691 0.05734 -40 694 0.03894 -40 705 0.04356 -40 719 0.01503 -40 781 0.06470 -40 797 0.07007 -40 802 0.05712 -40 896 0.04174 -40 983 0.03865 -39 88 0.06559 -39 108 0.03504 -39 130 0.05567 -39 138 0.04112 -39 267 0.07267 -39 403 0.05329 -39 438 0.00751 -39 572 0.06588 -39 595 0.04159 -39 661 0.07132 -39 735 0.04766 -39 777 0.06574 -39 795 0.05766 -39 865 0.07010 -39 950 0.02873 -38 44 0.03717 -38 168 0.06927 -38 225 0.07151 -38 267 0.06330 -38 332 0.03993 -38 351 0.05420 -38 443 0.06652 -38 464 0.05684 -38 503 0.05042 -38 538 0.05537 -38 554 0.03256 -38 584 0.06353 -38 661 0.06827 -38 722 0.04284 -38 764 0.05277 -38 807 0.07492 -38 849 0.04076 -38 972 0.05739 -37 50 0.05461 -37 107 0.02497 -37 349 0.02679 -37 505 0.01398 -37 550 0.06909 -37 589 0.02721 -37 640 0.05126 -37 847 0.05103 -36 198 0.06050 -36 290 0.04620 -36 305 0.04208 -36 379 0.04258 -36 421 0.06492 -36 466 0.07123 -36 604 0.05559 -36 772 0.03900 -35 82 0.05641 -35 179 0.03764 -35 223 0.01960 -35 245 0.04213 -35 345 0.07421 -35 400 0.06480 -35 410 0.03562 -35 510 0.04798 -35 513 0.04028 -35 529 0.06282 -35 548 0.07405 -35 557 0.01403 -35 769 0.05866 -35 818 0.06728 -35 962 0.03692 -34 36 0.05088 -34 198 0.06469 -34 305 0.01028 -34 374 0.05202 -34 379 0.03743 -34 492 0.05497 -34 604 0.07016 -34 686 0.06930 -34 763 0.06739 -34 800 0.04956 -34 827 0.06577 -34 854 0.05609 -34 924 0.03629 -33 41 0.05512 -33 64 0.04608 -33 95 0.07185 -33 137 0.05652 -33 206 0.07244 -33 352 0.03237 -33 364 0.05966 -33 393 0.06034 -33 451 0.05736 -33 462 0.02049 -33 524 0.05955 -33 563 0.02712 -33 664 0.01528 -33 908 0.07012 -33 988 0.06942 -32 47 0.02629 -32 51 0.07131 -32 178 0.06447 -32 207 0.03575 -32 248 0.03363 -32 255 0.06819 -32 292 0.04063 -32 459 0.07448 -32 528 0.04977 -32 585 0.05268 -32 596 0.05323 -32 608 0.07491 -32 654 0.06192 -32 666 0.07326 -32 676 0.06254 -32 734 0.06066 -32 791 0.04436 -32 867 0.07288 -31 144 0.03023 -31 182 0.06347 -31 242 0.05951 -31 249 0.03598 -31 264 0.06180 -31 432 0.02031 -31 493 0.06997 -31 497 0.01923 -31 543 0.02523 -31 674 0.06976 -31 701 0.05108 -31 706 0.01357 -31 766 0.04915 -31 833 0.04177 -31 888 0.02271 -31 947 0.06098 -31 959 0.03192 -31 998 0.06659 -30 37 0.04492 -30 107 0.06844 -30 349 0.07033 -30 505 0.04128 -30 589 0.02029 -30 640 0.00637 -30 673 0.04849 -30 847 0.04916 -29 31 0.04676 -29 144 0.06201 -29 182 0.01675 -29 211 0.06105 -29 242 0.05032 -29 249 0.02196 -29 264 0.02337 -29 404 0.03114 -29 432 0.06003 -29 497 0.04463 -29 539 0.07157 -29 543 0.05244 -29 634 0.05607 -29 701 0.02421 -29 706 0.03528 -29 736 0.07299 -29 766 0.04287 -29 833 0.07055 -29 888 0.04368 -29 959 0.06732 -28 648 0.06856 -28 713 0.06733 -28 725 0.03442 -27 44 0.04700 -27 78 0.07052 -27 100 0.01460 -27 111 0.07103 -27 117 0.04211 -27 256 0.03223 -27 267 0.05971 -27 512 0.01323 -27 516 0.04742 -27 536 0.04754 -27 538 0.04620 -27 584 0.02210 -27 635 0.06777 -27 661 0.05681 -27 748 0.07177 -27 764 0.04088 -27 783 0.04780 -27 807 0.04807 -27 972 0.03993 -26 79 0.04118 -26 133 0.06456 -26 163 0.06380 -26 250 0.05820 -26 259 0.05397 -26 360 0.06157 -26 361 0.07428 -26 365 0.06010 -26 390 0.02060 -26 406 0.04637 -26 425 0.04032 -26 502 0.03347 -26 637 0.03056 -26 688 0.00285 -26 957 0.02138 -25 32 0.00981 -25 47 0.03495 -25 51 0.06174 -25 148 0.06911 -25 178 0.05482 -25 207 0.04139 -25 248 0.04329 -25 292 0.05018 -25 459 0.06480 -25 528 0.04905 -25 585 0.05382 -25 596 0.06102 -25 654 0.06502 -25 666 0.07097 -25 676 0.07070 -25 734 0.07022 -25 791 0.05242 -24 456 0.03534 -24 533 0.06343 -24 623 0.04503 -24 693 0.01723 -23 69 0.03592 -23 84 0.01595 -23 105 0.01880 -23 121 0.03472 -23 153 0.06169 -23 171 0.07350 -23 188 0.06016 -23 213 0.03102 -23 239 0.00579 -23 261 0.07342 -23 277 0.04459 -23 401 0.05398 -23 409 0.07477 -23 499 0.05759 -23 580 0.05986 -23 619 0.04876 -23 624 0.06345 -23 632 0.05993 -23 678 0.05370 -23 718 0.03597 -23 752 0.07089 -23 767 0.00599 -23 860 0.05089 -23 922 0.07391 -23 932 0.05854 -23 934 0.04769 -22 59 0.06242 -22 130 0.07282 -22 168 0.04198 -22 285 0.02681 -22 301 0.03866 -22 340 0.05114 -22 381 0.04975 -22 427 0.03942 -22 443 0.04861 -22 453 0.06730 -22 464 0.06371 -22 500 0.04264 -22 564 0.07406 -22 956 0.06971 -22 999 0.01676 -21 109 0.04754 -21 139 0.04260 -21 186 0.06589 -21 200 0.03559 -21 311 0.06515 -21 334 0.00700 -21 417 0.06523 -21 616 0.03327 -21 622 0.03789 -21 644 0.02602 -21 743 0.06483 -21 754 0.06608 -21 774 0.05394 -21 893 0.05160 -20 95 0.04180 -20 118 0.01873 -20 147 0.05738 -20 316 0.02596 -20 380 0.02748 -20 474 0.06660 -20 524 0.06608 -20 545 0.07392 -20 549 0.05590 -20 588 0.02997 -20 642 0.00600 -20 691 0.03416 -20 705 0.05965 -20 768 0.02611 -20 781 0.02771 -20 802 0.04155 -20 908 0.05049 -20 914 0.07001 -20 983 0.05130 -20 988 0.05726 -19 153 0.04287 -19 174 0.03919 -19 211 0.04572 -19 226 0.05844 -19 236 0.01536 -19 261 0.04245 -19 279 0.01881 -19 313 0.01896 -19 322 0.05364 -19 342 0.02172 -19 409 0.05832 -19 411 0.04862 -19 424 0.02284 -19 493 0.05356 -19 499 0.04664 -19 534 0.05071 -19 619 0.06361 -19 624 0.07329 -19 634 0.05559 -19 678 0.06616 -19 736 0.04355 -19 753 0.06579 -19 757 0.04649 -19 766 0.06089 -19 801 0.03842 -19 833 0.06702 -19 860 0.06023 -19 890 0.03323 -19 907 0.05849 -19 934 0.06557 -19 973 0.07249 -18 29 0.07323 -18 182 0.07268 -18 194 0.07321 -18 202 0.00817 -18 242 0.03682 -18 264 0.05130 -18 396 0.07327 -18 404 0.06121 -18 467 0.06025 -18 539 0.01009 -18 540 0.06385 -18 670 0.07038 -18 681 0.04402 -18 812 0.02203 -18 831 0.03785 -18 851 0.07027 -18 910 0.05586 -18 976 0.04386 -17 62 0.02185 -17 231 0.05183 -17 273 0.01546 -17 426 0.02046 -17 550 0.04315 -17 630 0.01398 -17 667 0.06547 -17 715 0.06284 -17 857 0.04802 -17 938 0.04673 -16 49 0.06001 -16 175 0.06525 -16 210 0.05477 -16 228 0.06672 -16 238 0.04680 -16 243 0.05910 -16 258 0.05304 -16 260 0.06603 -16 271 0.03784 -16 333 0.04724 -16 348 0.03054 -16 452 0.05603 -16 475 0.06262 -16 517 0.03713 -16 537 0.06764 -16 561 0.02388 -16 603 0.06570 -16 856 0.01482 -16 875 0.05763 -16 953 0.06282 -16 956 0.07456 -16 964 0.05664 -15 48 0.01885 -15 57 0.05759 -15 95 0.07004 -15 181 0.06113 -15 357 0.04004 -15 364 0.03075 -15 373 0.06294 -15 393 0.04287 -15 440 0.03731 -15 451 0.03019 -15 489 0.01998 -15 524 0.04837 -15 545 0.04475 -15 563 0.05869 -15 565 0.01496 -15 664 0.07018 -15 683 0.05559 -15 902 0.06843 -15 914 0.03884 -15 928 0.01865 -15 988 0.05225 -14 38 0.06901 -14 44 0.06638 -14 91 0.06743 -14 225 0.07050 -14 300 0.06205 -14 538 0.05299 -14 554 0.06366 -14 722 0.02620 -14 739 0.05077 -14 764 0.05953 -14 779 0.07317 -14 783 0.06664 -14 807 0.05605 -14 942 0.02773 -14 972 0.05926 -14 979 0.02905 -14 993 0.07281 -13 326 0.06456 -13 355 0.03285 -13 436 0.06942 -13 439 0.04451 -13 586 0.06307 -13 631 0.07421 -13 662 0.04525 -13 695 0.04479 -13 834 0.06894 -12 73 0.06988 -12 94 0.05651 -12 162 0.06613 -12 262 0.07105 -12 297 0.00820 -12 509 0.05114 -12 531 0.04122 -12 656 0.01533 -12 674 0.07075 -12 790 0.05374 -12 861 0.06455 -12 882 0.06515 -12 897 0.05653 -12 913 0.04716 -12 933 0.06819 -12 944 0.04452 -12 974 0.02891 -11 80 0.03692 -11 110 0.07492 -11 116 0.05941 -11 225 0.05717 -11 285 0.06660 -11 325 0.04119 -11 332 0.06018 -11 351 0.05040 -11 496 0.07185 -11 530 0.04632 -11 554 0.07272 -11 638 0.01942 -11 782 0.04616 -11 794 0.06305 -11 849 0.06082 -11 951 0.03941 -10 12 0.01754 -10 73 0.07480 -10 94 0.07258 -10 162 0.06718 -10 297 0.02532 -10 315 0.07254 -10 509 0.06836 -10 531 0.04909 -10 656 0.01064 -10 674 0.06549 -10 790 0.04476 -10 861 0.06508 -10 897 0.05718 -10 913 0.05913 -10 933 0.05819 -10 944 0.03547 -10 947 0.07338 -10 974 0.01225 -10 998 0.07482 -9 185 0.06972 -9 208 0.04903 -9 389 0.05555 -9 463 0.04394 -9 514 0.04843 -9 578 0.06273 -9 587 0.07294 -9 675 0.03412 -9 703 0.03016 -9 859 0.04247 -9 883 0.07157 -9 891 0.02050 -8 119 0.01701 -8 217 0.05441 -8 274 0.04676 -8 284 0.00905 -8 335 0.05567 -8 337 0.02355 -8 358 0.02664 -8 387 0.06488 -8 420 0.07403 -8 431 0.07333 -8 558 0.02552 -8 576 0.02195 -8 710 0.06603 -8 785 0.01260 -8 820 0.02060 -8 912 0.07160 -8 931 0.04014 -8 958 0.05039 -7 9 0.07146 -7 45 0.05050 -7 68 0.07427 -7 185 0.01060 -7 208 0.04501 -7 350 0.06897 -7 389 0.02442 -7 463 0.03081 -7 485 0.05631 -7 587 0.06416 -7 703 0.04143 -7 731 0.05111 -7 747 0.03769 -7 798 0.02963 -7 813 0.06699 -7 859 0.03708 -7 871 0.03727 -6 77 0.02295 -6 252 0.05871 -6 306 0.05047 -6 363 0.05643 -6 418 0.07208 -6 574 0.06076 -6 690 0.03459 -6 816 0.04562 -6 846 0.06083 -6 952 0.03561 -6 994 0.06281 -5 22 0.06210 -5 59 0.00784 -5 130 0.05707 -5 168 0.07406 -5 228 0.05281 -5 260 0.02521 -5 301 0.05313 -5 340 0.01895 -5 348 0.05302 -5 381 0.02017 -5 427 0.03852 -5 453 0.02128 -5 500 0.07341 -5 517 0.04603 -5 561 0.05891 -5 564 0.05297 -5 572 0.06229 -5 583 0.04505 -5 595 0.06918 -5 856 0.07312 -5 875 0.05052 -5 956 0.00858 -5 999 0.05824 -4 76 0.05440 -4 140 0.06872 -4 150 0.02492 -4 193 0.07104 -4 199 0.05519 -4 318 0.05433 -4 323 0.06310 -4 330 0.03330 -4 356 0.07385 -4 434 0.05513 -4 569 0.06795 -4 653 0.03590 -4 658 0.06523 -4 822 0.06101 -4 864 0.06800 -4 879 0.02345 -4 941 0.05361 -3 126 0.06627 -3 128 0.04869 -3 145 0.04887 -3 232 0.05219 -3 257 0.06347 -3 287 0.05508 -3 353 0.03133 -3 405 0.05108 -3 412 0.06253 -3 562 0.04377 -3 602 0.06203 -3 707 0.03093 -3 728 0.07168 -3 762 0.03846 -3 778 0.05071 -3 799 0.03799 -3 809 0.04975 -3 825 0.01860 -3 830 0.05745 -3 874 0.06220 -3 905 0.02536 -3 939 0.06035 -2 3 0.07490 -2 16 0.06945 -2 128 0.05735 -2 210 0.04722 -2 232 0.07052 -2 243 0.01971 -2 268 0.03238 -2 271 0.04217 -2 287 0.03111 -2 353 0.05450 -2 452 0.06222 -2 471 0.07391 -2 475 0.00978 -2 602 0.02599 -2 707 0.04910 -2 728 0.05891 -2 761 0.05376 -2 762 0.05006 -2 825 0.05677 -2 856 0.07464 -2 939 0.07344 -2 953 0.00842 -1 45 0.06601 -1 55 0.07000 -1 149 0.01007 -1 320 0.07173 -1 548 0.05429 -1 592 0.03004 -1 726 0.04753 -1 731 0.03564 -1 769 0.05932 -1 798 0.06835 -1 813 0.06790 -1 871 0.06886 -1 880 0.05445 -0 8 0.04315 -0 119 0.03800 -0 274 0.05485 -0 284 0.05164 -0 337 0.06644 -0 358 0.06245 -0 420 0.03426 -0 431 0.04748 -0 558 0.01791 -0 576 0.03302 -0 785 0.05140 -0 820 0.05468 -0 912 0.06421 -0 931 0.04934 -0 958 0.01083 diff --git a/DataStructureNotes/testG7.txt b/DataStructureNotes/testG7.txt deleted file mode 100644 index 84d3b8d..0000000 --- a/DataStructureNotes/testG7.txt +++ /dev/null @@ -1,61732 +0,0 @@ -10000 61731 -9991 9997 0.01405 -9979 9987 0.01854 -9963 9992 0.01445 -9943 9999 0.01880 -9941 9958 0.01898 -9934 9948 0.01317 -9929 9963 0.01649 -9929 9992 0.00389 -9912 9980 0.01251 -9898 9991 0.01674 -9898 9997 0.00474 -9895 9975 0.01662 -9888 9955 0.00657 -9886 9891 0.01873 -9883 9905 0.01615 -9879 9951 0.01657 -9879 9960 0.01503 -9854 9909 0.01650 -9846 9849 0.01235 -9840 9848 0.01745 -9834 9989 0.01293 -9833 9986 0.00305 -9829 9851 0.01919 -9826 9912 0.00217 -9826 9980 0.01412 -9824 9852 0.01539 -9820 9974 0.01083 -9813 9881 0.01417 -9811 9927 0.00696 -9805 9914 0.01142 -9805 9998 0.01509 -9802 9850 0.00559 -9791 9797 0.01327 -9789 9864 0.01197 -9787 9977 0.01730 -9784 9843 0.01486 -9781 9816 0.00915 -9776 9974 0.01958 -9774 9930 0.01163 -9770 9821 0.01508 -9769 9784 0.01763 -9764 9885 0.01449 -9763 9847 0.01431 -9760 9791 0.01800 -9758 9772 0.01310 -9756 9916 0.01780 -9753 9942 0.01926 -9751 9859 0.00761 -9743 9786 0.01126 -9742 9837 0.00882 -9738 9862 0.00358 -9726 9932 0.01984 -9724 9808 0.00697 -9723 9764 0.01645 -9722 9978 0.01041 -9718 9777 0.01966 -9714 9726 0.01752 -9712 9899 0.01575 -9706 9807 0.01703 -9705 9964 0.00785 -9700 9922 0.01960 -9699 9981 0.01087 -9698 9924 0.00863 -9695 9954 0.01426 -9691 9953 0.01503 -9687 9765 0.01132 -9675 9875 0.00809 -9670 9748 0.01540 -9670 9884 0.01382 -9669 9984 0.01894 -9667 9809 0.01678 -9660 9929 0.01681 -9660 9992 0.01399 -9659 9801 0.00656 -9657 9917 0.00860 -9654 9850 0.01967 -9651 9771 0.01652 -9649 9670 0.00355 -9649 9748 0.01882 -9649 9884 0.01212 -9648 9866 0.01250 -9643 9949 0.01492 -9636 9770 0.01936 -9630 9751 0.01243 -9630 9859 0.01989 -9628 9938 0.00567 -9627 9662 0.01509 -9626 9749 0.00755 -9625 9856 0.01846 -9623 9635 0.01286 -9621 9643 0.01185 -9621 9949 0.01416 -9618 9858 0.01698 -9618 9877 0.00632 -9617 9770 0.00796 -9617 9821 0.01036 -9616 9702 0.00411 -9615 9879 0.01854 -9612 9720 0.00735 -9609 9618 0.01978 -9609 9874 0.01693 -9606 9699 0.01597 -9606 9981 0.01160 -9604 9753 0.01616 -9604 9942 0.01129 -9603 9930 0.01329 -9601 9646 0.01086 -9600 9692 0.01536 -9597 9607 0.01551 -9597 9687 0.01847 -9593 9827 0.00986 -9593 9950 0.01875 -9592 9775 0.01522 -9591 9668 0.00569 -9588 9601 0.01762 -9588 9646 0.01567 -9587 9690 0.01584 -9581 9582 0.01807 -9579 9860 0.01753 -9578 9757 0.01473 -9573 9918 0.01925 -9572 9590 0.01199 -9571 9750 0.01154 -9571 9779 0.01377 -9568 9640 0.01843 -9567 9721 0.01634 -9567 9756 0.00975 -9567 9916 0.01195 -9564 9627 0.00196 -9564 9662 0.01530 -9562 9844 0.00147 -9560 9746 0.01441 -9556 9991 0.01044 -9556 9997 0.01730 -9548 9645 0.01606 -9547 9888 0.01332 -9547 9955 0.01415 -9546 9821 0.01868 -9545 9944 0.01098 -9544 9683 0.01460 -9542 9898 0.01720 -9542 9997 0.01693 -9541 9754 0.01643 -9540 9615 0.01828 -9540 9879 0.01634 -9540 9951 0.01289 -9539 9630 0.01728 -9538 9973 0.01309 -9533 9745 0.00399 -9529 9780 0.00564 -9528 9838 0.00927 -9523 9613 0.00408 -9520 9585 0.01479 -9519 9767 0.01135 -9516 9888 0.01484 -9516 9955 0.01204 -9514 9795 0.01303 -9513 9941 0.01994 -9513 9958 0.00299 -9504 9967 0.00973 -9503 9591 0.01473 -9503 9668 0.01377 -9496 9705 0.01619 -9496 9964 0.00934 -9494 9853 0.01147 -9493 9553 0.01180 -9492 9510 0.01793 -9491 9814 0.00742 -9490 9715 0.00262 -9488 9899 0.01908 -9485 9498 0.00886 -9484 9684 0.01559 -9483 9986 0.01998 -9482 9744 0.01567 -9480 9782 0.01891 -9478 9839 0.00374 -9477 9824 0.01834 -9474 9557 0.01700 -9473 9819 0.00632 -9467 9675 0.01890 -9466 9500 0.00966 -9465 9954 0.01919 -9463 9558 0.01809 -9463 9785 0.01791 -9460 9897 0.01640 -9458 9923 0.01999 -9457 9725 0.01762 -9456 9685 0.00217 -9454 9575 0.01229 -9453 9807 0.00830 -9452 9994 0.01440 -9450 9574 0.01551 -9445 9626 0.00660 -9445 9749 0.01334 -9443 9532 0.00415 -9441 9537 0.01832 -9439 9746 0.01460 -9438 9493 0.01740 -9438 9553 0.01546 -9437 9748 0.01854 -9437 9884 0.01712 -9433 9591 0.01945 -9433 9668 0.01903 -9430 9886 0.01582 -9430 9891 0.00961 -9429 9564 0.00972 -9429 9627 0.01129 -9429 9755 0.01114 -9428 9468 0.00781 -9428 9470 0.01786 -9426 9809 0.01565 -9425 9457 0.01777 -9424 9810 0.01125 -9423 9513 0.01344 -9423 9941 0.01533 -9423 9958 0.01062 -9422 9782 0.01106 -9418 9689 0.00136 -9417 9740 0.01140 -9414 9987 0.01306 -9413 9712 0.01664 -9413 9731 0.01927 -9410 9718 0.00974 -9410 9923 0.01684 -9409 9419 0.01465 -9408 9982 0.01864 -9406 9790 0.00820 -9403 9550 0.01868 -9401 9794 0.01981 -9400 9512 0.00594 -9400 9854 0.01483 -9399 9778 0.01195 -9396 9568 0.01356 -9396 9638 0.00655 -9394 9663 0.01258 -9389 9471 0.01006 -9388 9785 0.01419 -9387 9421 0.01131 -9387 9441 0.01819 -9387 9537 0.01879 -9386 9496 0.01606 -9386 9705 0.00161 -9386 9964 0.00721 -9385 9569 0.01037 -9380 9558 0.01909 -9378 9945 0.01666 -9376 9464 0.01398 -9373 9559 0.01304 -9370 9497 0.01676 -9367 9612 0.01611 -9366 9654 0.01461 -9366 9802 0.01276 -9366 9850 0.01493 -9365 9599 0.00641 -9364 9665 0.00714 -9362 9790 0.01795 -9361 9519 0.01619 -9360 9586 0.01453 -9359 9639 0.01518 -9352 9976 0.01213 -9350 9836 0.00826 -9348 9666 0.01559 -9348 9799 0.01227 -9347 9758 0.01147 -9347 9772 0.01323 -9346 9404 0.00680 -9345 9507 0.01577 -9345 9568 0.01093 -9345 9640 0.01741 -9344 9465 0.00973 -9344 9954 0.01510 -9342 9669 0.00653 -9342 9984 0.01802 -9340 9687 0.01829 -9340 9765 0.00795 -9338 9943 0.01688 -9338 9999 0.00375 -9337 9544 0.01946 -9337 9683 0.01223 -9337 9688 0.01042 -9336 9479 0.01471 -9335 9915 0.01493 -9330 9486 0.00037 -9327 9651 0.00662 -9327 9771 0.01587 -9326 9552 0.01668 -9323 9924 0.01551 -9319 9610 0.01853 -9318 9747 0.01883 -9317 9588 0.01378 -9315 9427 0.00500 -9314 9373 0.01112 -9314 9559 0.01394 -9313 9469 0.01230 -9311 9579 0.00990 -9311 9788 0.01961 -9310 9373 0.01577 -9309 9694 0.01615 -9309 9858 0.01896 -9308 9605 0.01822 -9307 9962 0.01800 -9306 9372 0.01194 -9305 9428 0.00134 -9305 9468 0.00666 -9305 9470 0.01786 -9304 9843 0.00781 -9301 9505 0.01321 -9301 9681 0.01796 -9298 9473 0.01555 -9298 9819 0.00957 -9297 9800 0.01759 -9294 9604 0.00562 -9294 9753 0.01549 -9294 9942 0.01669 -9293 9723 0.01788 -9293 9764 0.00521 -9293 9885 0.01858 -9292 9554 0.00660 -9290 9691 0.01806 -9290 9707 0.01432 -9289 9913 0.01960 -9288 9644 0.01614 -9287 9417 0.01743 -9287 9740 0.01369 -9286 9947 0.01654 -9285 9431 0.00921 -9284 9863 0.01379 -9283 9677 0.01077 -9282 9389 0.01203 -9282 9471 0.01842 -9278 9343 0.01496 -9277 9489 0.00392 -9275 9401 0.01303 -9274 9284 0.01237 -9274 9863 0.00173 -9273 9818 0.01612 -9272 9835 0.01233 -9271 9335 0.01106 -9271 9915 0.00580 -9270 9666 0.00763 -9266 9277 0.01622 -9266 9489 0.01923 -9266 9677 0.01576 -9263 9706 0.01024 -9262 9578 0.01737 -9262 9696 0.00980 -9259 9795 0.00908 -9255 9471 0.01237 -9253 9293 0.01846 -9253 9506 0.01535 -9252 9447 0.00673 -9250 9453 0.01849 -9250 9807 0.01701 -9249 9434 0.01896 -9249 9934 0.01363 -9249 9948 0.00749 -9248 9775 0.01625 -9247 9250 0.00872 -9247 9807 0.01653 -9245 9339 0.01459 -9245 9849 0.01104 -9244 9376 0.00658 -9244 9464 0.01776 -9243 9760 0.00871 -9238 9397 0.01016 -9237 9546 0.01976 -9237 9617 0.01988 -9237 9961 0.01580 -9235 9750 0.01882 -9234 9437 0.00727 -9234 9670 0.01957 -9234 9748 0.01186 -9234 9884 0.01985 -9233 9598 0.01810 -9232 9416 0.01222 -9231 9709 0.01634 -9230 9340 0.01607 -9230 9457 0.01682 -9225 9907 0.00794 -9222 9366 0.01055 -9222 9654 0.01376 -9218 9313 0.01535 -9218 9368 0.01069 -9218 9469 0.01612 -9215 9579 0.01865 -9215 9860 0.01356 -9212 9959 0.00942 -9211 9984 0.01584 -9210 9622 0.01220 -9209 9424 0.01990 -9207 9250 0.01701 -9206 9307 0.01646 -9205 9704 0.01347 -9204 9524 0.00822 -9202 9306 0.01544 -9202 9372 0.01469 -9201 9272 0.01914 -9199 9709 0.01726 -9197 9249 0.01289 -9197 9434 0.01790 -9197 9948 0.01045 -9196 9940 0.00950 -9195 9351 0.01068 -9194 9342 0.01261 -9194 9669 0.01889 -9194 9984 0.01869 -9193 9322 0.01535 -9192 9594 0.00880 -9191 9481 0.01911 -9191 9876 0.00726 -9190 9402 0.01906 -9190 9901 0.00537 -9189 9345 0.01369 -9189 9507 0.01892 -9189 9568 0.01202 -9188 9961 0.01174 -9186 9996 0.01813 -9181 9482 0.01437 -9180 9557 0.01952 -9179 9946 0.01691 -9178 9261 0.00576 -9175 9309 0.01503 -9174 9714 0.00957 -9173 9703 0.01892 -9173 9934 0.01553 -9172 9492 0.01802 -9172 9510 0.01547 -9171 9796 0.00812 -9168 9686 0.01124 -9167 9503 0.01751 -9167 9591 0.01276 -9167 9668 0.01784 -9166 9278 0.00308 -9166 9343 0.01363 -9165 9369 0.00906 -9164 9413 0.01973 -9164 9712 0.00636 -9164 9899 0.00939 -9163 9259 0.01501 -9161 9387 0.01140 -9161 9537 0.01200 -9159 9722 0.01690 -9155 9869 0.01576 -9154 9415 0.01664 -9154 9682 0.01012 -9153 9758 0.01537 -9153 9772 0.01503 -9152 9968 0.00389 -9151 9291 0.00894 -9150 9628 0.01525 -9150 9871 0.01566 -9150 9938 0.01270 -9149 9328 0.01285 -9146 9157 0.00594 -9144 9879 0.01694 -9144 9960 0.00553 -9143 9422 0.01100 -9142 9882 0.01252 -9141 9639 0.00649 -9141 9851 0.01849 -9138 9195 0.01813 -9138 9351 0.01236 -9137 9280 0.01898 -9136 9191 0.01043 -9136 9481 0.01706 -9136 9876 0.00485 -9134 9871 0.01273 -9133 9883 0.01720 -9132 9873 0.00946 -9131 9918 0.01830 -9130 9427 0.01597 -9128 9925 0.00743 -9127 9267 0.00688 -9126 9551 0.01712 -9125 9235 0.00891 -9125 9750 0.01289 -9124 9420 0.01846 -9121 9226 0.00209 -9120 9551 0.01873 -9119 9357 0.00852 -9118 9173 0.01464 -9118 9197 0.01864 -9118 9934 0.01806 -9118 9948 0.01296 -9116 9444 0.00531 -9115 9224 0.01921 -9113 9713 0.01831 -9112 9730 0.01276 -9111 9388 0.01716 -9104 9339 0.01559 -9103 9719 0.01179 -9102 9384 0.01045 -9101 9527 0.01903 -9101 9704 0.01289 -9100 9126 0.01423 -9100 9551 0.01285 -9100 9857 0.01692 -9099 9571 0.01867 -9099 9750 0.01979 -9098 9208 0.01533 -9097 9265 0.00438 -9095 9661 0.01684 -9095 9676 0.01025 -9094 9192 0.00427 -9094 9594 0.00537 -9092 9817 0.00826 -9090 9726 0.01931 -9089 9179 0.01438 -9089 9619 0.01609 -9089 9946 0.00939 -9088 9508 0.01585 -9087 9981 0.01494 -9086 9921 0.01163 -9082 9811 0.00446 -9082 9927 0.00881 -9081 9287 0.01640 -9081 9417 0.00448 -9081 9740 0.01425 -9080 9769 0.01223 -9080 9784 0.01114 -9079 9797 0.00888 -9078 9710 0.01940 -9077 9890 0.01516 -9074 9806 0.01714 -9071 9480 0.01693 -9070 9075 0.00566 -9070 9365 0.01976 -9070 9599 0.01461 -9069 9552 0.01671 -9069 9570 0.01111 -9068 9524 0.01232 -9068 9543 0.01350 -9067 9392 0.01518 -9067 9963 0.01348 -9065 9609 0.00439 -9065 9874 0.01284 -9063 9393 0.00842 -9062 9664 0.01662 -9062 9667 0.01582 -9061 9742 0.00955 -9061 9837 0.00529 -9060 9063 0.01575 -9060 9393 0.00918 -9058 9188 0.01420 -9056 9394 0.01407 -9056 9663 0.00194 -9055 9234 0.01157 -9055 9437 0.01713 -9055 9748 0.01504 -9053 9551 0.01608 -9052 9655 0.01847 -9051 9295 0.01922 -9051 9380 0.01398 -9050 9095 0.00255 -9050 9661 0.01874 -9050 9676 0.00909 -9048 9443 0.00461 -9048 9532 0.00838 -9047 9070 0.01579 -9047 9365 0.00807 -9047 9599 0.00291 -9046 9683 0.01819 -9045 9072 0.01287 -9043 9271 0.00748 -9043 9335 0.01830 -9043 9915 0.00479 -9042 9073 0.00416 -9042 9729 0.01921 -9040 9737 0.00932 -9038 9536 0.01220 -9036 9856 0.01529 -9034 9455 0.01469 -9034 9513 0.01862 -9033 9086 0.01651 -9033 9921 0.01936 -9032 9700 0.01386 -9032 9922 0.01299 -9030 9437 0.01613 -9028 9502 0.01673 -9028 9727 0.01667 -9027 9295 0.01970 -9026 9634 0.01850 -9025 9722 0.01967 -9025 9978 0.01226 -9024 9274 0.01947 -9024 9284 0.01547 -9023 9133 0.01166 -9022 9826 0.01116 -9022 9912 0.01299 -9020 9322 0.01900 -9015 9805 0.01242 -9015 9914 0.00130 -9013 9439 0.01584 -9012 9158 0.00897 -9011 9624 0.00832 -9009 9066 0.00839 -9009 9443 0.01816 -9009 9532 0.01513 -9008 9377 0.00685 -9005 9724 0.01068 -9005 9808 0.01765 -9004 9102 0.01285 -9004 9467 0.01562 -9004 9823 0.01078 -9002 9276 0.00177 -9001 9161 0.01830 -9001 9387 0.01602 -9001 9421 0.01997 -9000 9166 0.01425 -9000 9278 0.01526 -8998 9140 0.01944 -8998 9928 0.00658 -8997 9621 0.01549 -8997 9643 0.01165 -8997 9949 0.00559 -8995 9076 0.01613 -8994 9221 0.01856 -8994 9614 0.00405 -8993 9052 0.01704 -8993 9655 0.01191 -8992 9001 0.01063 -8992 9161 0.00859 -8992 9387 0.01302 -8991 9153 0.00870 -8991 9772 0.01790 -8989 9163 0.01223 -8989 9259 0.01397 -8989 9795 0.01646 -8987 9436 0.01686 -8986 9247 0.01328 -8986 9694 0.01671 -8985 9287 0.00843 -8985 9740 0.01712 -8983 9761 0.01441 -8982 9227 0.01369 -8981 9032 0.01876 -8981 9242 0.01812 -8981 9922 0.01133 -8980 9338 0.01252 -8980 9943 0.01124 -8980 9999 0.01202 -8979 9331 0.01563 -8977 9363 0.01565 -8976 9034 0.00521 -8976 9455 0.01658 -8974 9027 0.01029 -8974 9051 0.01233 -8971 9843 0.01732 -8969 9993 0.01510 -8967 9448 0.00812 -8965 8984 0.01249 -8965 9030 0.01735 -8965 9055 0.01751 -8965 9234 0.01780 -8965 9437 0.01548 -8964 9334 0.01801 -8963 9125 0.01873 -8963 9235 0.00984 -8963 9296 0.01588 -8962 9546 0.01552 -8962 9617 0.01112 -8962 9770 0.01711 -8962 9821 0.00319 -8960 9139 0.01353 -8959 8993 0.00846 -8959 9052 0.01219 -8959 9655 0.01766 -8958 9269 0.00534 -8956 8994 0.00451 -8956 9221 0.01560 -8956 9614 0.00804 -8954 9254 0.00949 -8953 9835 0.01705 -8952 9812 0.01658 -8951 9552 0.00780 -8951 9867 0.01701 -8950 9141 0.01748 -8950 9359 0.01458 -8950 9476 0.01325 -8950 9639 0.01522 -8949 9465 0.01410 -8949 9965 0.01426 -8948 9361 0.00868 -8948 9519 0.01810 -8948 9854 0.01980 -8947 9007 0.01823 -8947 9299 0.01033 -8946 9112 0.01810 -8946 9708 0.01654 -8945 9710 0.01931 -8944 9793 0.01900 -8943 9183 0.01377 -8941 8975 0.01835 -8941 9042 0.01355 -8941 9073 0.01768 -8941 9729 0.01494 -8940 9141 0.01954 -8940 9359 0.01297 -8940 9639 0.01364 -8939 8984 0.01873 -8939 9055 0.00850 -8937 9109 0.00656 -8936 9652 0.00673 -8934 9510 0.01924 -8933 8970 0.00715 -8933 9399 0.01745 -8932 8957 0.01046 -8931 8974 0.01021 -8931 9027 0.00023 -8931 9295 0.01948 -8929 9833 0.01192 -8929 9986 0.01444 -8926 9285 0.01117 -8925 9289 0.01148 -8923 9530 0.00385 -8922 9763 0.01619 -8922 9847 0.00387 -8921 9020 0.01882 -8920 9104 0.00880 -8920 9339 0.00849 -8919 9576 0.01707 -8919 9577 0.01560 -8918 8920 0.01971 -8918 9245 0.01664 -8918 9339 0.01212 -8918 9526 0.01922 -8915 9085 0.00701 -8914 9209 0.01953 -8914 9424 0.01278 -8913 9310 0.01384 -8913 9373 0.01548 -8912 9511 0.01864 -8911 9121 0.01471 -8911 9226 0.01272 -8911 9405 0.01580 -8908 9065 0.01960 -8908 9874 0.00925 -8907 9160 0.01291 -8905 9175 0.01666 -8904 9717 0.01587 -8903 9014 0.01884 -8903 9316 0.01003 -8903 9836 0.01799 -8902 9074 0.00995 -8902 9800 0.01497 -8901 9302 0.00075 -8900 9415 0.01610 -8899 9237 0.00396 -8899 9961 0.01419 -8898 9118 0.01946 -8897 8961 0.00301 -8895 9649 0.01879 -8895 9670 0.01563 -8895 9748 0.01247 -8893 9018 0.01097 -8892 9186 0.01604 -8892 9996 0.00223 -8891 9637 0.00628 -8891 9977 0.01465 -8887 9104 0.01632 -8886 9561 0.01416 -8885 9640 0.01001 -8884 9793 0.01095 -8882 9008 0.01721 -8882 9377 0.01669 -8882 9840 0.01763 -8881 9078 0.00610 -8880 9053 0.01859 -8880 9870 0.01328 -8878 9988 0.01970 -8877 9360 0.00725 -8877 9586 0.00732 -8876 9541 0.01642 -8876 9754 0.01653 -8875 9939 0.01610 -8874 9499 0.01187 -8873 9539 0.01539 -8873 9967 0.01768 -8872 9335 0.01606 -8870 9260 0.01350 -8868 9006 0.01405 -8865 8942 0.01670 -8865 9200 0.01604 -8863 9205 0.01819 -8863 9533 0.01256 -8863 9745 0.00946 -8862 9031 0.01708 -8862 9466 0.01796 -8862 9500 0.01275 -8860 9411 0.00689 -8859 9544 0.01676 -8858 9980 0.01936 -8857 9162 0.01224 -8856 9387 0.01792 -8856 9421 0.01146 -8856 9441 0.01538 -8855 9878 0.01126 -8852 9449 0.01477 -8851 9007 0.01338 -8851 9183 0.01736 -8850 9574 0.01681 -8850 9900 0.00918 -8849 9521 0.01683 -8847 9672 0.01350 -8846 9098 0.01056 -8846 9208 0.00549 -8845 9753 0.01670 -8845 9763 0.00695 -8844 9125 0.01270 -8844 9235 0.01417 -8843 9872 0.00641 -8839 8925 0.00212 -8839 9289 0.01184 -8838 9202 0.00897 -8838 9306 0.01061 -8838 9372 0.01702 -8837 9059 0.00261 -8836 9127 0.01591 -8836 9267 0.00956 -8835 9015 0.00717 -8835 9805 0.01439 -8835 9914 0.00803 -8834 9129 0.00322 -8833 9282 0.01208 -8833 9756 0.01871 -8832 9484 0.01803 -8831 9148 0.01392 -8831 9674 0.00955 -8830 9848 0.01697 -8829 9375 0.01827 -8824 9386 0.01471 -8824 9705 0.01309 -8824 9964 0.01808 -8824 9965 0.01496 -8821 9203 0.01724 -8820 9487 0.00393 -8819 8968 0.00655 -8818 9435 0.01670 -8817 9111 0.01560 -8815 8895 0.01181 -8815 9234 0.01481 -8815 9437 0.01917 -8815 9649 0.01050 -8815 9670 0.00704 -8815 9748 0.00837 -8815 9884 0.01751 -8814 9098 0.01541 -8814 9592 0.01462 -8813 8921 0.01347 -8813 9020 0.01322 -8813 9193 0.01638 -8812 8907 0.00657 -8812 9160 0.01284 -8812 9514 0.01714 -8811 9656 0.01160 -8810 9752 0.00415 -8809 9449 0.00819 -8808 8889 0.01559 -8808 8909 0.01326 -8808 9097 0.01961 -8807 9206 0.01791 -8806 9170 0.00902 -8805 9321 0.01042 -8805 9937 0.01383 -8804 8836 0.01847 -8804 9127 0.00301 -8804 9267 0.00905 -8802 8975 0.00746 -8801 9445 0.01424 -8801 9626 0.00816 -8801 9749 0.00131 -8800 9616 0.00852 -8800 9702 0.00873 -8798 8898 0.01028 -8798 9118 0.01745 -8797 8895 0.01992 -8796 8885 0.01678 -8796 9396 0.01662 -8796 9568 0.01908 -8796 9638 0.01790 -8796 9640 0.01550 -8795 9169 0.00539 -8794 8820 0.01097 -8794 9487 0.01394 -8793 9290 0.01766 -8793 9691 0.01025 -8793 9953 0.00490 -8791 9028 0.00218 -8791 9502 0.01773 -8791 9727 0.01873 -8790 8823 0.00286 -8789 9728 0.01472 -8788 9067 0.00677 -8788 9963 0.00868 -8787 9189 0.00707 -8787 9568 0.01849 -8784 8870 0.00802 -8784 9260 0.00549 -8783 8998 0.01252 -8783 9205 0.01446 -8783 9928 0.00627 -8782 9379 0.01069 -8780 9700 0.01526 -8778 9173 0.01570 -8778 9649 0.01919 -8778 9934 0.00837 -8777 9036 0.01584 -8777 9856 0.01994 -8774 8901 0.00971 -8774 9302 0.00956 -8773 8876 0.01834 -8771 9751 0.01851 -8771 9859 0.01370 -8770 9867 0.01945 -8769 8847 0.00368 -8769 9672 0.01119 -8768 9426 0.01690 -8766 8839 0.01175 -8766 8925 0.01144 -8766 9289 0.00032 -8766 9913 0.01950 -8765 9093 0.01277 -8765 9357 0.01697 -8763 9769 0.01707 -8762 9162 0.01704 -8762 9868 0.01657 -8761 9105 0.01099 -8758 9995 0.01315 -8757 9062 0.01177 -8757 9664 0.00722 -8755 9759 0.00720 -8754 8760 0.01763 -8754 9341 0.00658 -8753 8972 0.01865 -8752 9081 0.02000 -8752 9417 0.01563 -8752 9740 0.01657 -8752 9875 0.01431 -8751 9151 0.01220 -8751 9291 0.00631 -8751 9442 0.01536 -8749 8831 0.01176 -8749 9674 0.00960 -8747 8890 0.01174 -8746 9789 0.01476 -8745 9159 0.00553 -8744 8804 0.01800 -8744 8836 0.00054 -8744 9127 0.01546 -8744 9267 0.00906 -8743 8978 0.00872 -8740 8807 0.01868 -8738 9344 0.01135 -8738 9465 0.01473 -8738 9517 0.01993 -8737 8765 0.01066 -8737 9093 0.01604 -8737 9119 0.01566 -8737 9357 0.00718 -8736 9606 0.01101 -8736 9699 0.01512 -8736 9981 0.01829 -8735 9957 0.01451 -8734 8783 0.01900 -8734 8788 0.01488 -8734 8998 0.01250 -8734 9067 0.01221 -8734 9928 0.01373 -8733 9150 0.01439 -8733 9825 0.01186 -8732 9070 0.01827 -8732 9075 0.01261 -8731 9834 0.01408 -8729 9721 0.01199 -8728 8736 0.01607 -8728 9618 0.01146 -8728 9699 0.01151 -8728 9858 0.01771 -8728 9877 0.01319 -8727 9587 0.01376 -8726 9223 0.01294 -8725 8859 0.00766 -8725 9544 0.01073 -8724 9534 0.01130 -8722 9406 0.01501 -8722 9790 0.01991 -8722 9913 0.00775 -8721 9798 0.01860 -8720 8954 0.01317 -8720 9254 0.01690 -8720 9832 0.01581 -8719 8991 0.00758 -8719 9153 0.01616 -8718 9292 0.01921 -8718 9451 0.01845 -8718 9554 0.01716 -8715 8811 0.01712 -8714 9333 0.01212 -8712 9317 0.01732 -8712 9588 0.00366 -8712 9601 0.01766 -8712 9646 0.01345 -8711 8934 0.01454 -8711 9432 0.01388 -8710 9091 0.01091 -8709 9610 0.01553 -8708 9690 0.00869 -8707 9363 0.00945 -8706 8773 0.00877 -8704 8851 0.01790 -8703 8854 0.01712 -8702 8779 0.01169 -8701 9386 0.01978 -8701 9705 0.01929 -8700 8801 0.01810 -8700 9445 0.00428 -8700 9626 0.01006 -8700 9749 0.01731 -8699 9088 0.01883 -8699 9508 0.00644 -8696 8883 0.01897 -8695 8853 0.00973 -8694 8784 0.01595 -8694 8870 0.01943 -8694 8945 0.01807 -8694 9260 0.01589 -8692 8729 0.01588 -8692 9719 0.01377 -8691 8854 0.01775 -8690 9675 0.00940 -8690 9875 0.01492 -8689 9860 0.01451 -8687 9256 0.01544 -8686 8805 0.01998 -8686 9321 0.00960 -8686 9436 0.01962 -8685 9182 0.00771 -8684 9726 0.01901 -8683 9019 0.01898 -8682 9072 0.01807 -8681 8928 0.00711 -8681 9355 0.01970 -8681 9608 0.01526 -8680 8932 0.01345 -8680 8957 0.00299 -8679 9747 0.01792 -8679 9803 0.01164 -8678 8793 0.00795 -8678 9290 0.01789 -8678 9691 0.00236 -8678 9953 0.01269 -8677 9566 0.00136 -8676 8870 0.01650 -8674 9846 0.00402 -8674 9849 0.01320 -8673 9305 0.01088 -8673 9428 0.01021 -8673 9468 0.01259 -8671 8987 0.01423 -8671 9436 0.00369 -8670 9037 0.00834 -8669 9185 0.00743 -8669 9596 0.01615 -8668 9204 0.00761 -8668 9524 0.01529 -8667 8879 0.01748 -8667 9142 0.01251 -8666 8935 0.01254 -8665 9079 0.01603 -8665 9284 0.01814 -8664 9174 0.01433 -8664 9714 0.00569 -8663 8808 0.01065 -8663 8909 0.00885 -8662 9071 0.01664 -8662 9143 0.01474 -8662 9422 0.00868 -8662 9480 0.01749 -8662 9782 0.00874 -8660 9485 0.00567 -8660 9498 0.01345 -8658 8693 0.00750 -8657 8732 0.01873 -8657 9070 0.01145 -8657 9075 0.01115 -8657 9919 0.01072 -8656 9631 0.01397 -8655 8840 0.01711 -8655 9003 0.01183 -8652 8863 0.01308 -8652 9182 0.01760 -8652 9533 0.00717 -8652 9745 0.00936 -8651 9741 0.01318 -8650 8804 0.01937 -8650 9501 0.01826 -8649 8958 0.01804 -8648 8933 0.00981 -8648 8970 0.01093 -8646 8940 0.01445 -8646 9359 0.00940 -8643 9540 0.00523 -8643 9615 0.01384 -8643 9879 0.01730 -8643 9951 0.01788 -8642 9695 0.01633 -8642 9954 0.01420 -8641 8786 0.01687 -8641 9324 0.01307 -8640 8680 0.01468 -8640 8957 0.01636 -8639 9933 0.01485 -8638 9023 0.01920 -8638 9133 0.01246 -8638 9883 0.01956 -8637 9346 0.01918 -8637 9404 0.01382 -8637 9620 0.00925 -8635 9601 0.01017 -8635 9646 0.01624 -8634 8772 0.01840 -8634 8777 0.01917 -8634 9036 0.00692 -8633 8902 0.00733 -8633 9074 0.00262 -8633 9806 0.01846 -8632 9395 0.01907 -8632 9530 0.01833 -8631 9107 0.01673 -8630 9762 0.01658 -8629 8789 0.01543 -8628 9781 0.01843 -8627 9966 0.01163 -8626 9334 0.01878 -8625 9108 0.01319 -8623 9870 0.01624 -8622 9429 0.01256 -8622 9755 0.00209 -8619 8948 0.01378 -8619 9361 0.00987 -8619 9400 0.01314 -8619 9512 0.01488 -8619 9854 0.01946 -8618 9794 0.00549 -8617 8761 0.01810 -8617 9105 0.01159 -8616 9734 0.01996 -8614 9370 0.01951 -8614 9497 0.00608 -8613 9332 0.00732 -8612 9371 0.01400 -8610 9910 0.00937 -8610 9920 0.01654 -8609 9156 0.00308 -8607 8953 0.01516 -8607 9835 0.00874 -8606 8782 0.00457 -8606 9379 0.00641 -8605 8702 0.01935 -8605 8779 0.00912 -8605 9735 0.01186 -8604 8964 0.01290 -8603 8745 0.01719 -8603 9682 0.01787 -8602 9170 0.01648 -8601 9068 0.00398 -8601 9524 0.01506 -8601 9543 0.00975 -8600 9194 0.01954 -8600 9342 0.00857 -8600 9669 0.00835 -8599 8666 0.01822 -8599 8935 0.00929 -8598 9227 0.01959 -8597 9878 0.01576 -8596 9889 0.01003 -8595 9450 0.00822 -8594 9033 0.01890 -8594 9086 0.01915 -8594 9501 0.00902 -8593 9730 0.01924 -8592 9046 0.01539 -8591 8710 0.01775 -8591 8802 0.01764 -8591 8975 0.01146 -8590 8731 0.00632 -8590 9834 0.01142 -8589 9781 0.01881 -8588 9199 0.01509 -8587 9407 0.00437 -8586 8614 0.00814 -8586 9370 0.01208 -8586 9497 0.00483 -8585 9621 0.00970 -8585 9643 0.01077 -8583 9642 0.01141 -8582 8679 0.01988 -8582 9318 0.00954 -8582 9747 0.01185 -8581 9011 0.01682 -8579 9058 0.01999 -8578 8776 0.00972 -8577 9263 0.00853 -8577 9706 0.00185 -8577 9807 0.01788 -8575 9562 0.01434 -8575 9624 0.01774 -8575 9844 0.01433 -8573 9209 0.01872 -8573 9424 0.00867 -8573 9810 0.00793 -8573 9892 0.01965 -8571 9543 0.01954 -8570 9213 0.01651 -8570 9516 0.00948 -8570 9955 0.01591 -8569 8946 0.01608 -8569 9112 0.00202 -8569 9730 0.01474 -8568 8662 0.01708 -8568 9143 0.00293 -8568 9422 0.01392 -8567 8816 0.01302 -8567 9845 0.01725 -8566 8729 0.01782 -8566 9567 0.01114 -8566 9721 0.00636 -8566 9756 0.01448 -8563 9329 0.00781 -8563 9330 0.01329 -8563 9486 0.01292 -8562 9464 0.01195 -8561 8905 0.01485 -8561 9175 0.00606 -8561 9309 0.01763 -8560 9243 0.00932 -8560 9760 0.01681 -8559 8917 0.00907 -8557 8672 0.01004 -8554 9650 0.01176 -8553 9056 0.00761 -8553 9394 0.00647 -8553 9663 0.00616 -8552 8676 0.01749 -8552 8694 0.01891 -8552 8784 0.00893 -8552 8870 0.00157 -8552 9260 0.01440 -8551 8758 0.01482 -8550 9508 0.01396 -8550 9531 0.00936 -8547 8770 0.00905 -8547 9517 0.01858 -8546 9841 0.00874 -8545 8651 0.01409 -8545 9358 0.01004 -8545 9741 0.01785 -8544 8950 0.01366 -8544 9476 0.00828 -8543 9201 0.01554 -8543 9284 0.01869 -8542 8766 0.00605 -8542 8839 0.00681 -8542 8925 0.00582 -8542 9289 0.00601 -8541 8547 0.01164 -8541 8770 0.00342 -8541 9867 0.01677 -8540 8908 0.00179 -8540 9065 0.01851 -8540 9874 0.00756 -8539 8677 0.01854 -8539 9132 0.00364 -8539 9566 0.01855 -8539 9873 0.01036 -8536 8558 0.00838 -8535 9916 0.01847 -8530 8613 0.01545 -8529 9383 0.01076 -8528 9089 0.01542 -8528 9619 0.00410 -8528 9946 0.01832 -8527 8676 0.00391 -8527 8870 0.01952 -8526 9602 0.01361 -8524 9405 0.00784 -8523 8593 0.01211 -8523 9084 0.01627 -8522 9398 0.00812 -8521 8606 0.00721 -8521 8782 0.00509 -8521 9379 0.01346 -8519 9654 0.01389 -8518 8844 0.01216 -8517 8612 0.01621 -8517 8952 0.01735 -8517 9475 0.01864 -8515 8785 0.01886 -8515 8948 0.01889 -8515 9361 0.01297 -8515 9519 0.00865 -8515 9767 0.01994 -8514 8819 0.01779 -8514 9017 0.00507 -8513 9121 0.01597 -8513 9226 0.01765 -8513 9395 0.01557 -8512 8988 0.00996 -8512 9973 0.01289 -8511 8733 0.01860 -8511 9150 0.00779 -8511 9628 0.00844 -8511 9938 0.00491 -8510 8665 0.01414 -8510 9079 0.01329 -8510 9274 0.01664 -8510 9797 0.01936 -8510 9863 0.01543 -8509 9172 0.01104 -8509 9492 0.01975 -8508 8945 0.01286 -8508 9710 0.00782 -8507 9196 0.01522 -8506 9856 0.01583 -8505 9325 0.01301 -8504 8539 0.01987 -8504 8983 0.01717 -8504 9132 0.01772 -8503 9514 0.00622 -8503 9795 0.01269 -8502 8512 0.01747 -8502 8988 0.00939 -8502 9128 0.01636 -8501 9294 0.00907 -8501 9604 0.00651 -8501 9753 0.01052 -8501 9942 0.01025 -8499 8640 0.01448 -8498 9531 0.01508 -8498 9593 0.01135 -8498 9827 0.00542 -8497 9475 0.01518 -8495 9789 0.01432 -8495 9864 0.00672 -8494 8712 0.01338 -8494 9390 0.01390 -8494 9588 0.01675 -8494 9646 0.01808 -8493 9460 0.01743 -8492 8584 0.01203 -8491 9280 0.01302 -8490 8913 0.00915 -8490 9310 0.01556 -8489 9152 0.01945 -8489 9560 0.01439 -8489 9968 0.01562 -8488 9214 0.01755 -8485 9154 0.00721 -8485 9415 0.01535 -8485 9682 0.01450 -8484 8813 0.01656 -8484 9193 0.00983 -8483 9320 0.01570 -8482 9156 0.01786 -8482 9367 0.01802 -8482 9612 0.01731 -8481 8582 0.01995 -8481 9747 0.01384 -8480 9231 0.00519 -8480 9709 0.01126 -8479 8522 0.01734 -8479 9893 0.01008 -8478 8938 0.01988 -8478 9032 0.01315 -8478 9700 0.01623 -8477 9123 0.01821 -8476 9374 0.01511 -8475 8632 0.01376 -8475 9395 0.00775 -8474 8735 0.01017 -8474 9394 0.01973 -8474 9957 0.01913 -8473 8713 0.01709 -8473 9251 0.01572 -8473 9358 0.01974 -8472 9372 0.01822 -8471 8752 0.01624 -8471 8985 0.01883 -8471 9081 0.00949 -8471 9287 0.01325 -8471 9417 0.00684 -8471 9740 0.00477 -8470 8997 0.01746 -8469 9283 0.00419 -8469 9677 0.00769 -8468 9896 0.01530 -8467 9556 0.01298 -8467 9622 0.01391 -8466 9458 0.01708 -8465 9291 0.01870 -8465 9438 0.00649 -8464 8626 0.00853 -8464 9258 0.01767 -8464 9334 0.01601 -8463 8943 0.01877 -8463 9299 0.01309 -8462 9229 0.01214 -8461 9144 0.01671 -8461 9879 0.01359 -8461 9951 0.01418 -8461 9960 0.01139 -8460 9977 0.01784 -8458 9419 0.00983 -8457 9429 0.01832 -8457 9564 0.00882 -8457 9627 0.00795 -8457 9662 0.00787 -8456 8867 0.01834 -8456 9319 0.00764 -8455 9492 0.01693 -8453 8570 0.00561 -8453 9213 0.01190 -8453 9516 0.01506 -8453 9589 0.01742 -8452 9625 0.01087 -8452 9856 0.00798 -8451 8532 0.01653 -8451 8683 0.01453 -8450 8476 0.01949 -8450 9549 0.00711 -8449 9754 0.00969 -8447 8468 0.01726 -8447 9177 0.01942 -8447 9774 0.01818 -8447 9896 0.00227 -8447 9930 0.01985 -8446 9495 0.01461 -8446 9555 0.00960 -8445 8499 0.01011 -8445 8750 0.01726 -8444 8747 0.01612 -8444 9239 0.01285 -8444 9830 0.01837 -8442 8469 0.01856 -8442 9283 0.01497 -8442 9292 0.01213 -8442 9554 0.01683 -8441 8495 0.01900 -8441 8746 0.01462 -8441 9789 0.01588 -8439 9010 0.01130 -8438 9462 0.01591 -8437 9176 0.01923 -8436 9595 0.00579 -8435 8717 0.01501 -8435 9425 0.01576 -8435 9457 0.01989 -8435 9725 0.00853 -8434 8697 0.01518 -8433 9004 0.01649 -8433 9467 0.01567 -8433 9823 0.01637 -8432 8434 0.01215 -8432 8697 0.01349 -8431 8501 0.01951 -8431 9294 0.01780 -8431 9604 0.01407 -8431 9942 0.01581 -8430 9364 0.01621 -8430 9665 0.01754 -8429 9808 0.01934 -8428 9184 0.01809 -8427 8563 0.01139 -8427 9221 0.01658 -8427 9329 0.01778 -8427 9330 0.01198 -8427 9486 0.01179 -8425 8539 0.01254 -8425 9132 0.00957 -8425 9873 0.00732 -8424 8621 0.01022 -8422 9318 0.01931 -8422 9458 0.01863 -8421 8462 0.01630 -8421 8519 0.01755 -8421 9654 0.01106 -8421 9850 0.01692 -8420 8752 0.00972 -8420 9675 0.01351 -8420 9875 0.00550 -8419 8746 0.01734 -8418 8433 0.01568 -8418 9364 0.00812 -8418 9665 0.01185 -8418 9823 0.01750 -8417 8940 0.01154 -8417 9141 0.01716 -8417 9639 0.01458 -8416 8661 0.00333 -8415 8973 0.00585 -8414 8482 0.01915 -8414 9061 0.01775 -8413 8687 0.01391 -8413 9191 0.01950 -8413 9481 0.00908 -8411 8800 0.01889 -8411 9616 0.01370 -8411 9702 0.01772 -8410 8754 0.00960 -8410 8760 0.01330 -8410 9341 0.01291 -8409 8474 0.01422 -8409 8735 0.00662 -8409 9331 0.01685 -8408 8903 0.01365 -8408 9316 0.00926 -8407 8574 0.01080 -8406 8880 0.01099 -8406 9870 0.01607 -8405 9698 0.01898 -8404 8690 0.00158 -8404 9675 0.01057 -8404 9875 0.01544 -8402 9547 0.01787 -8402 9888 0.00916 -8402 9955 0.01571 -8401 8603 0.00939 -8401 8745 0.01309 -8401 9159 0.01831 -8400 8438 0.00456 -8400 9462 0.01547 -8399 8899 0.01162 -8399 8962 0.01781 -8399 9237 0.00807 -8399 9546 0.01752 -8399 9617 0.01181 -8399 9770 0.01810 -8399 9821 0.01907 -8398 8638 0.01202 -8398 9023 0.00919 -8398 9133 0.01179 -8396 8618 0.00990 -8396 9794 0.01150 -8395 8507 0.01399 -8395 8724 0.01739 -8395 9196 0.01004 -8395 9940 0.01931 -8394 9477 0.00600 -8394 9824 0.01592 -8392 8761 0.00751 -8392 9105 0.01510 -8390 9301 0.01576 -8390 9505 0.01983 -8389 8771 0.01049 -8389 9751 0.00906 -8389 9859 0.00332 -8388 8461 0.01549 -8388 8643 0.01602 -8388 9540 0.01098 -8388 9879 0.01625 -8388 9951 0.00196 -8387 9518 0.01192 -8386 8682 0.01962 -8385 8620 0.01508 -8385 8723 0.00790 -8384 8446 0.00782 -8384 9555 0.00298 -8383 8424 0.01728 -8383 9134 0.01229 -8383 9657 0.01731 -8383 9917 0.00876 -8382 8664 0.01237 -8382 9090 0.01309 -8382 9174 0.01927 -8382 9714 0.01129 -8382 9726 0.01018 -8381 8514 0.01823 -8381 9017 0.01322 -8380 8485 0.01499 -8380 8603 0.01551 -8380 9154 0.01214 -8380 9682 0.00340 -8379 8411 0.00620 -8379 9616 0.01743 -8378 9435 0.00950 -8377 8399 0.01294 -8377 8962 0.01584 -8377 9617 0.00482 -8377 9770 0.00520 -8377 9821 0.01471 -8376 8588 0.00649 -8376 9199 0.01834 -8376 9709 0.01944 -8376 9909 0.01931 -8375 8400 0.01745 -8375 8438 0.01340 -8375 9000 0.01956 -8375 9278 0.01827 -8375 9680 0.01943 -8374 8850 0.01107 -8374 9450 0.01981 -8374 9574 0.00658 -8373 8572 0.00387 -8372 9868 0.00837 -8371 8415 0.00876 -8371 8973 0.00656 -8370 8478 0.01950 -8370 8981 0.01878 -8370 9032 0.00853 -8370 9700 0.01109 -8370 9922 0.00856 -8368 8835 0.01038 -8368 9015 0.00356 -8368 9805 0.01099 -8368 9914 0.00239 -8368 9998 0.01856 -8367 8644 0.00939 -8366 8685 0.00862 -8366 9182 0.01632 -8365 8999 0.00382 -8364 9527 0.00699 -8364 9929 0.01784 -8363 8369 0.01595 -8363 8967 0.01595 -8363 9448 0.00853 -8362 9050 0.00539 -8362 9095 0.00791 -8362 9676 0.00776 -8361 9727 0.00615 -8360 8721 0.01717 -8360 9989 0.01790 -8359 8795 0.01242 -8359 9012 0.01817 -8359 9169 0.01713 -8358 9219 0.01381 -8357 8452 0.00808 -8357 8777 0.01360 -8357 9625 0.01424 -8357 9856 0.01293 -8356 8648 0.01024 -8356 8933 0.00874 -8356 8970 0.00228 -8355 8460 0.01869 -8355 9787 0.01326 -8355 9977 0.00641 -8354 9633 0.00947 -8352 9477 0.01845 -8351 9929 0.01402 -8351 9992 0.01708 -8350 8445 0.01651 -8350 8499 0.00889 -8350 8640 0.01656 -8349 9926 0.00968 -8347 8419 0.01765 -8347 9832 0.00906 -8346 8569 0.01816 -8346 9112 0.01847 -8345 8938 0.01979 -8343 8351 0.01182 -8343 8364 0.01348 -8343 9527 0.01816 -8343 9929 0.01672 -8342 9785 0.00972 -8342 9810 0.01530 -8341 8645 0.01691 -8341 8786 0.01902 -8340 8528 0.01911 -8340 9089 0.00415 -8340 9179 0.01101 -8340 9946 0.00796 -8339 8428 0.01651 -8339 9184 0.01551 -8337 9891 0.01854 -8337 9982 0.01332 -8335 8479 0.01705 -8335 8522 0.00321 -8335 8660 0.01950 -8335 9398 0.01110 -8334 9038 0.01054 -8334 9536 0.00562 -8333 8832 0.01758 -8333 9822 0.01901 -8332 8882 0.00664 -8332 9008 0.01364 -8332 9377 0.01099 -8332 9840 0.01534 -8331 9046 0.01016 -8331 9544 0.01559 -8331 9683 0.01908 -8329 8805 0.00569 -8329 9321 0.01410 -8329 9937 0.01439 -8328 9990 0.00242 -8327 9268 0.01424 -8325 9781 0.00568 -8325 9816 0.00355 -8323 9581 0.01480 -8322 8625 0.01994 -8322 9108 0.00685 -8321 9234 0.01990 -8321 9437 0.01593 -8321 9649 0.01558 -8321 9670 0.01706 -8321 9884 0.00352 -8319 8965 0.01754 -8319 9030 0.01304 -8318 9861 0.01978 -8317 8833 0.00899 -8317 9282 0.01657 -8317 9756 0.01105 -8316 8581 0.01327 -8316 9011 0.01807 -8316 9086 0.01730 -8316 9921 0.01388 -8315 8411 0.01828 -8315 8800 0.00453 -8315 9616 0.00540 -8315 9702 0.00426 -8314 8359 0.01456 -8314 8795 0.01500 -8314 9169 0.01523 -8314 9336 0.01480 -8313 9493 0.01871 -8313 9553 0.00806 -8312 9472 0.01887 -8312 9788 0.01296 -8311 8481 0.00367 -8311 9747 0.01287 -8310 8876 0.00737 -8310 9541 0.00947 -8310 9754 0.01250 -8309 8490 0.01609 -8309 9310 0.01730 -8308 9734 0.00617 -8307 8568 0.01753 -8307 9143 0.01999 -8306 8308 0.00491 -8306 9734 0.00154 -8305 8562 0.01472 -8305 9053 0.02000 -8305 9120 0.01439 -8304 9600 0.01201 -8303 9064 0.01067 -8302 8595 0.01547 -8302 9450 0.01646 -8301 8785 0.01814 -8299 8315 0.01640 -8299 8336 0.01090 -8299 8800 0.01897 -8299 9462 0.01591 -8299 9616 0.01992 -8299 9702 0.01586 -8298 8482 0.01910 -8298 9367 0.00550 -8298 9840 0.01909 -8297 9083 0.01324 -8296 8493 0.00945 -8295 9091 0.01189 -8295 9681 0.01757 -8294 9087 0.00442 -8294 9699 0.01764 -8294 9981 0.01142 -8293 8349 0.01365 -8293 9842 0.01522 -8293 9926 0.00541 -8292 8398 0.01981 -8292 8638 0.00780 -8292 9133 0.01799 -8292 9883 0.01751 -8291 8442 0.01758 -8291 9262 0.01755 -8291 9292 0.01950 -8291 9696 0.01132 -8290 8432 0.01864 -8290 8697 0.01240 -8289 9950 0.01308 -8288 8781 0.00925 -8288 9459 0.01359 -8287 8929 0.01589 -8287 9557 0.01671 -8286 8362 0.01743 -8286 9050 0.01258 -8286 9095 0.01021 -8286 9661 0.01623 -8286 9676 0.01561 -8285 9905 0.00822 -8284 8558 0.01988 -8284 9631 0.01448 -8283 9215 0.01211 -8283 9579 0.01816 -8283 9605 0.01219 -8282 8873 0.01655 -8282 9504 0.01390 -8282 9967 0.01576 -8281 8825 0.01790 -8280 8873 0.01108 -8280 9539 0.00483 -8280 9630 0.01894 -8279 8807 0.01985 -8279 8955 0.01858 -8279 9206 0.00454 -8279 9307 0.01888 -8278 9416 0.00929 -8277 8525 0.01867 -8275 9597 0.01833 -8274 8825 0.01124 -8273 8375 0.01820 -8273 9000 0.00465 -8273 9166 0.01804 -8273 9278 0.01849 -8272 8378 0.01110 -8272 9435 0.01496 -8271 8749 0.01630 -8271 9907 0.01586 -8270 9456 0.01788 -8270 9685 0.01612 -8269 8516 0.00774 -8268 9979 0.01773 -8267 8691 0.00493 -8267 8854 0.01882 -8266 9500 0.01974 -8265 9773 0.01769 -8264 9130 0.01300 -8264 9315 0.00756 -8264 9427 0.00526 -8263 8667 0.01818 -8263 8681 0.01314 -8263 8928 0.00607 -8262 9281 0.01811 -8261 8431 0.01332 -8260 8726 0.00687 -8260 9223 0.01036 -8259 8363 0.01623 -8259 8369 0.00295 -8258 8368 0.01808 -8258 9805 0.01609 -8258 9998 0.00235 -8257 9212 0.00709 -8257 9959 0.01389 -8256 8630 0.00555 -8256 9762 0.01372 -8255 8497 0.01740 -8255 9475 0.01421 -8254 8865 0.01648 -8254 9200 0.00086 -8253 8422 0.01787 -8253 8466 0.00503 -8253 9458 0.01230 -8252 8670 0.01959 -8252 9716 0.01751 -8251 8448 0.01894 -8251 9547 0.01947 -8250 8959 0.01507 -8250 8993 0.00812 -8250 9655 0.01654 -8249 8971 0.01330 -8249 9069 0.01733 -8248 9217 0.01238 -8247 8977 0.01360 -8247 9082 0.01536 -8247 9352 0.01639 -8247 9811 0.01976 -8246 8610 0.00747 -8246 9910 0.00421 -8245 8971 0.01892 -8245 9080 0.01245 -8245 9769 0.01349 -8245 9784 0.00654 -8245 9843 0.01904 -8244 8348 0.01056 -8243 8518 0.01207 -8243 8844 0.01179 -8243 8963 0.01364 -8243 9125 0.01836 -8243 9235 0.01291 -8243 9296 0.01902 -8242 9529 0.01240 -8242 9780 0.00900 -8240 8282 0.01183 -8240 8873 0.01600 -8240 9504 0.00855 -8240 9967 0.00392 -8239 9288 0.01782 -8238 8657 0.00974 -8238 9047 0.01301 -8238 9070 0.01094 -8238 9075 0.01487 -8238 9599 0.01403 -8238 9919 0.01562 -8237 8464 0.01840 -8237 8626 0.00992 -8236 8580 0.01445 -8236 9236 0.01687 -8235 8257 0.01380 -8235 9212 0.00781 -8235 9959 0.00362 -8234 8309 0.01727 -8234 9656 0.01027 -8233 8817 0.01802 -8233 9111 0.00706 -8233 9380 0.01876 -8233 9463 0.01804 -8232 9733 0.01639 -8231 8718 0.01631 -8231 9262 0.01636 -8231 9578 0.01594 -8231 9696 0.01083 -8230 8374 0.01394 -8230 8850 0.00445 -8230 9574 0.01868 -8230 9900 0.00719 -8229 8248 0.01751 -8229 9217 0.01981 -8228 8272 0.01048 -8228 8914 0.01430 -8227 8453 0.00184 -8227 8570 0.00719 -8227 9213 0.01161 -8227 9516 0.01668 -8227 9589 0.01575 -8226 8927 0.01121 -8226 9007 0.01988 -8225 8828 0.01739 -8225 9956 0.00965 -8224 8230 0.01095 -8224 8374 0.01928 -8224 8850 0.01476 -8224 9900 0.01542 -8223 8483 0.01559 -8223 9320 0.00449 -8222 8860 0.01211 -8222 9312 0.01643 -8222 9411 0.00906 -8220 8524 0.01792 -8220 8715 0.01186 -8219 9298 0.00808 -8219 9473 0.00880 -8219 9819 0.00531 -8218 9950 0.01407 -8217 9026 0.01780 -8217 9634 0.00245 -8216 8459 0.01188 -8216 9171 0.01717 -8215 9285 0.01350 -8215 9431 0.00675 -8214 8585 0.01371 -8214 8997 0.00755 -8214 9621 0.00804 -8214 9643 0.00795 -8214 9949 0.00795 -8213 8631 0.01792 -8213 9697 0.01685 -8212 8719 0.00462 -8212 8991 0.01080 -8212 9066 0.01956 -8212 9153 0.01946 -8211 8284 0.01740 -8211 8536 0.01116 -8211 8558 0.00280 -8210 8233 0.01976 -8210 9463 0.00329 -8210 9558 0.01577 -8209 8992 0.01244 -8209 9001 0.00820 -8208 9022 0.01695 -8208 9391 0.01484 -8208 9528 0.01645 -8207 8827 0.01332 -8207 9145 0.01605 -8206 8432 0.00406 -8206 8434 0.01456 -8206 8697 0.01749 -8205 9119 0.01697 -8205 9357 0.01817 -8204 8586 0.01424 -8204 8614 0.01041 -8204 9497 0.00941 -8203 8705 0.01531 -8203 9338 0.01295 -8203 9999 0.01652 -8202 8235 0.01920 -8202 8257 0.00550 -8202 9212 0.01199 -8202 9959 0.01938 -8201 9264 0.01444 -8200 8387 0.00422 -8200 9518 0.01050 -8199 8912 0.01795 -8198 8577 0.01789 -8198 9117 0.01101 -8198 9263 0.01464 -8198 9706 0.01954 -8197 8232 0.01151 -8197 8716 0.01604 -8197 9733 0.01177 -8196 8565 0.00963 -8196 8969 0.01657 -8196 9828 0.01705 -8195 9176 0.00688 -8195 9220 0.01731 -8194 8608 0.01457 -8194 9256 0.01167 -8193 8267 0.01450 -8193 8691 0.00964 -8192 8375 0.01757 -8192 8400 0.00851 -8192 8438 0.00681 -8192 9462 0.00971 -8191 8477 0.01939 -8191 9123 0.00760 -8190 8383 0.01979 -8190 8733 0.01282 -8190 9134 0.00886 -8190 9150 0.01687 -8190 9871 0.01344 -8189 8451 0.01406 -8189 8532 0.00418 -8188 9014 0.01365 -8187 8242 0.01158 -8187 9029 0.01299 -8187 9035 0.01930 -8187 9529 0.01231 -8187 9780 0.01420 -8186 8531 0.01600 -8186 8982 0.01470 -8186 9227 0.00791 -8185 8377 0.01792 -8185 8962 0.00914 -8185 9617 0.01460 -8185 9770 0.01637 -8185 9821 0.00635 -8183 9024 0.01230 -8183 9274 0.01556 -8183 9863 0.01663 -8182 8375 0.01264 -8182 8400 0.01561 -8182 8438 0.01456 -8182 9680 0.00957 -8180 8559 0.01267 -8180 8917 0.00639 -8179 8774 0.01741 -8179 9433 0.01306 -8178 8684 0.01500 -8178 9726 0.01963 -8178 9932 0.01382 -8177 8197 0.01099 -8177 8232 0.01440 -8177 9733 0.00212 -8176 8708 0.01640 -8175 8326 0.01639 -8175 8999 0.01943 -8174 8364 0.01454 -8174 8788 0.00847 -8174 9067 0.01525 -8174 9527 0.01890 -8174 9929 0.01572 -8174 9963 0.00828 -8174 9992 0.01567 -8173 9573 0.00505 -8171 8433 0.00567 -8171 9004 0.01735 -8171 9467 0.01120 -8170 8347 0.01058 -8170 8720 0.01826 -8170 9832 0.01102 -8170 9852 0.01506 -8169 8520 0.01518 -8169 9484 0.01917 -8168 8260 0.01114 -8168 8726 0.01385 -8168 9223 0.00090 -8165 8976 0.01716 -8164 8247 0.01967 -8164 8977 0.01090 -8164 9686 0.01679 -8163 9541 0.01904 -8162 8881 0.00621 -8162 9078 0.00780 -8161 8601 0.00528 -8161 9068 0.00736 -8161 9524 0.01962 -8161 9543 0.00773 -8160 9233 0.01412 -8160 9598 0.00926 -8159 8191 0.01438 -8159 8477 0.00675 -8159 9123 0.01168 -8158 8593 0.01917 -8158 9325 0.01306 -8157 8650 0.00680 -8157 9501 0.01756 -8156 9312 0.01932 -8156 9970 0.00790 -8155 9146 0.01972 -8155 9157 0.01859 -8154 9138 0.01485 -8154 9146 0.01675 -8154 9157 0.01595 -8153 8295 0.01440 -8152 8395 0.01658 -8152 8507 0.01483 -8152 8817 0.01937 -8151 8345 0.01628 -8149 8660 0.01512 -8149 8983 0.01906 -8149 9761 0.01207 -8148 8540 0.00873 -8148 8908 0.00767 -8148 9065 0.01853 -8148 9874 0.01332 -8147 8492 0.01789 -8147 8860 0.01829 -8146 9647 0.01448 -8145 8844 0.01259 -8145 9125 0.00632 -8145 9235 0.01486 -8145 9750 0.01409 -8144 8573 0.01041 -8144 9209 0.01284 -8144 9424 0.01700 -8144 9810 0.01769 -8144 9892 0.01265 -8143 8647 0.01443 -8143 9623 0.00972 -8143 9635 0.01803 -8142 8216 0.01382 -8142 8459 0.01589 -8141 8231 0.01494 -8141 8291 0.01116 -8141 8442 0.01483 -8141 9292 0.00970 -8141 9554 0.01576 -8141 9696 0.01142 -8140 8362 0.01662 -8140 9676 0.01583 -8139 8165 0.01902 -8138 8424 0.01068 -8138 8621 0.00116 -8137 8491 0.00926 -8137 9280 0.00944 -8136 8718 0.00504 -8136 9451 0.01351 -8136 9554 0.01924 -8135 8551 0.01815 -8135 8758 0.00338 -8135 9995 0.01397 -8134 8204 0.00491 -8134 8586 0.01455 -8134 8614 0.01344 -8134 9497 0.01005 -8133 9337 0.01107 -8133 9356 0.01943 -8133 9688 0.00930 -8132 8416 0.00023 -8132 8661 0.00310 -8131 8480 0.01569 -8131 9231 0.01863 -8131 9709 0.01721 -8131 9829 0.01097 -8130 8281 0.01751 -8130 9077 0.00990 -8130 9890 0.01158 -8129 8133 0.01238 -8129 9337 0.01714 -8128 9576 0.00762 -8127 8636 0.01119 -8127 9202 0.01542 -8125 8740 0.00749 -8124 9592 0.01959 -8123 8775 0.01147 -8123 9510 0.01744 -8122 8435 0.01705 -8122 8717 0.01412 -8121 9838 0.01554 -8121 9972 0.00818 -8120 9293 0.01738 -8120 9711 0.01228 -8120 9723 0.01106 -8120 9764 0.01919 -8119 9559 0.01634 -8118 8798 0.01571 -8118 8898 0.00546 -8117 8317 0.01491 -8117 8833 0.00935 -8116 8278 0.01223 -8116 9416 0.01972 -8115 8129 0.00788 -8114 8217 0.01933 -8114 8845 0.01961 -8114 9304 0.00895 -8114 9634 0.01923 -8114 9753 0.01795 -8114 9843 0.01673 -8113 8323 0.01540 -8113 8484 0.01136 -8112 8137 0.01758 -8112 8314 0.01815 -8112 8359 0.01157 -8112 8795 0.00428 -8112 9169 0.00925 -8111 8756 0.01739 -8110 9403 0.00705 -8109 9780 0.01860 -8108 8796 0.01848 -8108 8885 0.00186 -8108 9640 0.01016 -8107 9238 0.00905 -8107 9397 0.00580 -8106 8292 0.01829 -8106 9133 0.01797 -8106 9883 0.00090 -8106 9905 0.01544 -8105 8134 0.01873 -8102 9092 0.01780 -8102 9469 0.01912 -8102 9817 0.01812 -8101 8604 0.01313 -8101 8964 0.01085 -8100 9452 0.01523 -8100 9994 0.01714 -8099 8692 0.01244 -8099 8729 0.01008 -8097 9340 0.01242 -8097 9687 0.00821 -8097 9765 0.00447 -8096 8385 0.01607 -8096 9743 0.00820 -8096 9786 0.01146 -8095 8251 0.00785 -8095 8448 0.01223 -8094 8736 0.00669 -8094 9606 0.00592 -8094 9699 0.01764 -8094 9981 0.01654 -8093 8703 0.00560 -8093 8854 0.01422 -8092 8799 0.01730 -8092 9378 0.00850 -8091 8206 0.01970 -8091 8311 0.01455 -8091 8481 0.01792 -8091 8646 0.01902 -8090 8629 0.01918 -8090 8789 0.00852 -8090 9728 0.01589 -8089 8404 0.01348 -8089 8690 0.01504 -8088 8667 0.01528 -8088 8879 0.01011 -8088 9003 0.01361 -8087 8648 0.01354 -8087 8933 0.01862 -8087 9399 0.01410 -8087 9778 0.01987 -8086 9562 0.01804 -8086 9844 0.01886 -8085 8582 0.01439 -8085 8679 0.01175 -8085 9747 0.01998 -8084 8434 0.01897 -8084 9548 0.01103 -8083 8864 0.01220 -8083 9241 0.01973 -8081 8262 0.00865 -8081 9281 0.01295 -8080 8722 0.01875 -8080 9406 0.01162 -8080 9790 0.01942 -8078 8888 0.01106 -8077 9409 0.00927 -8077 9419 0.01704 -8076 9103 0.01348 -8076 9719 0.01115 -8075 8786 0.01464 -8074 8183 0.01999 -8074 8543 0.01840 -8074 8665 0.01901 -8074 9024 0.01468 -8074 9274 0.01308 -8074 9284 0.00107 -8074 9863 0.01455 -8073 8300 0.01801 -8072 9114 0.00876 -8071 8105 0.01047 -8071 9509 0.01958 -8070 8584 0.01353 -8070 8605 0.01714 -8069 8943 0.00621 -8069 9183 0.00765 -8067 8305 0.00610 -8067 8562 0.01349 -8067 9053 0.01574 -8067 9120 0.01912 -8065 8843 0.00738 -8065 9872 0.01378 -8064 8189 0.01269 -8064 8532 0.00880 -8064 8580 0.01998 -8063 8327 0.01413 -8063 9268 0.01320 -8062 8612 0.01459 -8062 9371 0.00878 -8061 8373 0.01557 -8061 8572 0.01371 -8060 8333 0.00869 -8059 9605 0.01521 -8058 8202 0.01461 -8058 8235 0.01437 -8058 8257 0.01090 -8058 9212 0.01334 -8058 9959 0.01175 -8057 8663 0.01725 -8057 8808 0.01529 -8057 8828 0.01886 -8056 8443 0.01819 -8056 8470 0.01902 -8056 8997 0.01426 -8056 9949 0.01322 -8055 8327 0.00995 -8055 8380 0.01331 -8055 8485 0.01863 -8055 8603 0.01733 -8055 9682 0.01650 -8054 8330 0.01694 -8054 9728 0.01562 -8053 9246 0.01999 -8052 8728 0.01858 -8052 8736 0.01613 -8052 9175 0.01666 -8052 9309 0.01902 -8052 9858 0.00735 -8051 9016 0.00986 -8051 9572 0.01643 -8051 9590 0.01508 -8049 8791 0.01713 -8049 9028 0.01763 -8049 9502 0.01205 -8048 9303 0.01072 -8047 8155 0.00829 -8047 9146 0.01432 -8047 9157 0.01569 -8046 8092 0.01297 -8046 9378 0.00472 -8046 9945 0.01744 -8045 8206 0.00843 -8045 8290 0.01776 -8045 8432 0.00449 -8045 8434 0.00933 -8045 8697 0.00988 -8044 8714 0.01861 -8044 9333 0.00916 -8044 9792 0.01979 -8043 9211 0.00575 -8043 9984 0.01986 -8042 8253 0.01990 -8042 8466 0.01501 -8041 8101 0.01759 -8041 8237 0.01790 -8041 8464 0.01508 -8041 8626 0.01292 -8041 8964 0.01261 -8041 9334 0.00966 -8040 8058 0.01421 -8040 8202 0.00601 -8040 8257 0.00961 -8040 9212 0.01670 -8039 8285 0.00611 -8039 9905 0.00573 -8038 8511 0.00744 -8038 9150 0.01498 -8038 9628 0.00809 -8038 9938 0.00332 -8037 8890 0.01447 -8036 9076 0.01665 -8036 9692 0.01677 -8035 8935 0.01539 -8034 8429 0.01920 -8034 8904 0.01882 -8034 9717 0.01785 -8033 8722 0.01667 -8033 9362 0.01646 -8033 9406 0.00895 -8033 9790 0.00462 -8032 8040 0.01413 -8032 8058 0.01288 -8032 8202 0.00924 -8032 8235 0.01038 -8032 8257 0.00459 -8032 9212 0.00276 -8032 9959 0.01149 -8031 8126 0.01281 -8031 9350 0.01407 -8030 8593 0.01152 -8030 9112 0.01911 -8030 9730 0.00800 -8029 8046 0.00866 -8029 8092 0.01717 -8029 9378 0.00975 -8029 9945 0.00941 -8028 8640 0.01499 -8028 8680 0.01596 -8028 8849 0.01666 -8028 8932 0.01468 -8028 8957 0.01475 -8027 9918 0.01133 -8026 8567 0.01503 -8026 9845 0.01284 -8025 8919 0.00750 -8025 9577 0.01232 -8024 8597 0.00665 -8024 9878 0.01682 -8023 8274 0.01402 -8023 8825 0.00600 -8022 8539 0.01815 -8022 8677 0.01270 -8022 9566 0.01144 -8021 9659 0.00419 -8021 9801 0.00921 -8020 9661 0.01627 -8020 9736 0.01968 -8019 9910 0.01954 -8017 8052 0.00916 -8017 8094 0.01641 -8017 8561 0.01887 -8017 8736 0.01277 -8017 9175 0.01346 -8017 9858 0.01651 -8016 8574 0.01968 -8016 8771 0.01681 -8015 8033 0.00600 -8015 8722 0.01952 -8015 8766 0.01895 -8015 9289 0.01868 -8015 9362 0.01100 -8015 9406 0.01493 -8015 9790 0.00928 -8014 8018 0.01436 -8013 8955 0.00809 -8012 9038 0.01591 -8012 9536 0.01699 -8010 8264 0.01090 -8010 9130 0.01864 -8010 9194 0.01689 -8010 9315 0.00895 -8010 9427 0.00590 -8009 8619 0.01941 -8009 8948 0.01226 -8009 9361 0.01982 -8009 9854 0.01068 -8009 9909 0.01907 -8008 8579 0.01260 -8007 9813 0.01170 -8007 9881 0.01116 -8006 8372 0.01820 -8006 9737 0.01344 -8005 8658 0.00712 -8005 8693 0.00404 -8004 8921 0.01145 -8003 8591 0.01675 -8003 8802 0.00394 -8003 8941 0.01761 -8003 8975 0.00539 -8002 8125 0.01705 -8002 8740 0.00984 -8002 9806 0.01776 -8001 8531 0.01830 -8001 8866 0.00780 -8000 8555 0.00673 -7999 9083 0.01218 -7998 8567 0.01934 -7998 8816 0.00657 -7997 8004 0.00272 -7997 8921 0.01153 -7996 9253 0.00609 -7996 9506 0.00998 -7995 8038 0.00610 -7995 8511 0.01268 -7995 9628 0.00859 -7995 9938 0.00778 -7994 8720 0.00513 -7994 8954 0.01427 -7994 9254 0.01480 -7994 9832 0.01662 -7993 8074 0.01913 -7993 8183 0.00087 -7993 9024 0.01165 -7993 9274 0.01499 -7993 9284 0.01931 -7993 9863 0.01612 -7992 8393 0.01682 -7991 8501 0.01730 -7991 9294 0.01148 -7991 9604 0.01687 -7991 9753 0.01638 -7991 9847 0.01723 -7990 8083 0.01145 -7990 8864 0.01620 -7990 9241 0.00859 -7989 9347 0.00810 -7989 9758 0.01226 -7988 8577 0.01562 -7988 9263 0.01349 -7988 9453 0.01320 -7988 9706 0.01589 -7988 9807 0.01024 -7988 9872 0.01973 -7987 8623 0.00743 -7986 9474 0.00642 -7986 9557 0.01794 -7984 8180 0.01852 -7984 8559 0.01448 -7984 8917 0.01224 -7983 8096 0.01491 -7983 8385 0.01136 -7983 8723 0.00861 -7982 8632 0.01512 -7982 8923 0.00645 -7982 9320 0.01597 -7982 9530 0.00734 -7981 8001 0.01848 -7981 8531 0.00927 -7980 8245 0.01598 -7980 9080 0.00768 -7980 9769 0.01983 -7980 9784 0.01128 -7979 8319 0.01618 -7979 9432 0.01790 -7978 8743 0.01715 -7978 8978 0.01470 -7977 8869 0.01690 -7975 8861 0.01304 -7974 8427 0.01615 -7974 9221 0.01839 -7974 9330 0.01542 -7974 9486 0.01566 -7973 8217 0.00664 -7973 8501 0.01974 -7973 9026 0.01891 -7973 9634 0.00430 -7973 9942 0.01604 -7972 8700 0.01309 -7972 9445 0.01212 -7972 9626 0.01728 -7971 8110 0.00749 -7971 9403 0.00193 -7971 9550 0.01992 -7970 9572 0.01693 -7969 8099 0.01724 -7969 8729 0.01868 -7968 8986 0.01748 -7968 9207 0.01874 -7968 9247 0.01729 -7968 9250 0.01952 -7968 9309 0.01968 -7968 9694 0.00979 -7967 8244 0.01316 -7967 8348 0.01396 -7966 8143 0.01536 -7966 8647 0.00479 -7965 8587 0.01198 -7965 9407 0.01573 -7964 9495 0.01223 -7962 8138 0.01590 -7962 8383 0.01299 -7962 8424 0.00529 -7962 8621 0.01550 -7962 9134 0.01955 -7962 9917 0.01848 -7961 8930 0.01717 -7961 9887 0.01578 -7960 8911 0.00359 -7960 9121 0.01804 -7960 9226 0.01601 -7960 9405 0.01221 -7958 8121 0.01367 -7958 9528 0.00776 -7958 9838 0.00563 -7957 8596 0.01223 -7957 9889 0.00609 -7956 8316 0.01815 -7956 9033 0.01417 -7956 9086 0.00961 -7956 9921 0.00520 -7955 8459 0.01915 -7953 8288 0.00589 -7953 8781 0.01512 -7953 9459 0.00928 -7952 8615 0.01164 -7952 8972 0.01280 -7951 9542 0.01358 -7951 9898 0.00711 -7951 9997 0.01066 -7950 8460 0.01382 -7950 8889 0.01805 -7950 8909 0.01578 -7949 8869 0.01646 -7948 8409 0.01119 -7948 8735 0.01747 -7948 9331 0.01397 -7947 7964 0.01700 -7947 8366 0.01426 -7947 8446 0.01480 -7947 9495 0.01024 -7946 8910 0.01350 -7946 9487 0.01793 -7945 9895 0.01208 -7945 9936 0.01697 -7944 8668 0.01715 -7943 9386 0.01221 -7943 9496 0.00524 -7943 9705 0.01275 -7943 9964 0.00500 -7942 8289 0.01966 -7942 8426 0.01078 -7942 8550 0.01516 -7942 9531 0.01909 -7941 8116 0.01770 -7941 8497 0.01391 -7941 9613 0.01867 -7940 9580 0.01657 -7939 9658 0.01646 -7938 7989 0.01397 -7938 9347 0.01983 -7938 9563 0.01927 -7938 9758 0.01338 -7937 8309 0.01886 -7936 8153 0.01871 -7936 8625 0.01760 -7935 8426 0.01606 -7935 8776 0.01948 -7934 9478 0.00711 -7934 9839 0.01081 -7933 8254 0.00679 -7933 9200 0.00755 -7932 8249 0.01126 -7932 8971 0.01666 -7932 9069 0.01625 -7932 9570 0.01364 -7931 7981 0.00718 -7931 8001 0.01404 -7931 8186 0.01966 -7931 8531 0.00495 -7930 8982 0.01449 -7930 9227 0.01890 -7930 9865 0.01251 -7929 8924 0.01952 -7929 9048 0.01824 -7928 8258 0.01585 -7928 8368 0.00338 -7928 8835 0.01371 -7928 9015 0.00668 -7928 9805 0.01236 -7928 9914 0.00568 -7928 9998 0.01668 -7927 8951 0.00999 -7927 9552 0.01653 -7927 9867 0.01692 -7926 7972 0.01261 -7926 8700 0.01260 -7926 8801 0.00983 -7926 9445 0.00839 -7926 9626 0.00757 -7926 9749 0.00854 -7925 8372 0.00837 -7925 8762 0.01292 -7925 9868 0.00647 -7924 7988 0.00427 -7924 8577 0.01160 -7924 9263 0.00947 -7924 9453 0.01671 -7924 9706 0.01209 -7924 9807 0.01185 -7923 8556 0.01302 -7923 9113 0.01016 -7922 8959 0.01781 -7922 9052 0.00658 -7922 9655 0.01788 -7921 8027 0.01201 -7921 8602 0.01879 -7920 8349 0.01533 -7920 9493 0.01605 -7919 8496 0.01690 -7919 8832 0.01874 -7919 9882 0.01982 -7918 8123 0.00935 -7918 8934 0.01753 -7918 9510 0.01535 -7917 7957 0.01923 -7917 8596 0.01038 -7917 9526 0.01693 -7917 9889 0.01400 -7916 8013 0.01480 -7915 8124 0.01522 -7915 8814 0.01729 -7915 9592 0.00511 -7915 9775 0.01886 -7914 8425 0.01871 -7914 9116 0.01818 -7914 9444 0.01817 -7913 8592 0.01287 -7913 9046 0.01764 -7912 8213 0.00856 -7912 9697 0.01691 -7911 9880 0.00798 -7910 8335 0.00652 -7910 8479 0.01416 -7910 8522 0.00929 -7910 8960 0.01801 -7910 9398 0.01741 -7909 8382 0.01851 -7909 8664 0.01457 -7909 9090 0.01649 -7909 9714 0.01977 -7908 8987 0.00603 -7907 8730 0.01880 -7907 9944 0.01565 -7906 8609 0.01270 -7906 9156 0.01522 -7905 8639 0.01549 -7904 7940 0.00545 -7904 8150 0.01926 -7904 9580 0.01265 -7903 9799 0.01635 -7903 9904 0.01955 -7902 8104 0.00276 -7901 8072 0.00949 -7901 8469 0.01950 -7901 9114 0.01133 -7901 9292 0.01857 -7901 9554 0.01478 -7900 9988 0.01683 -7899 9412 0.00420 -7898 9051 0.01934 -7898 9295 0.01039 -7898 9380 0.01749 -7897 8858 0.01959 -7897 9022 0.01936 -7897 9826 0.00840 -7897 9912 0.00725 -7897 9980 0.00619 -7896 8366 0.01565 -7896 8403 0.01233 -7896 8685 0.01641 -7895 8144 0.01934 -7895 8228 0.01912 -7895 8573 0.01205 -7895 8914 0.00938 -7895 9209 0.01999 -7895 9424 0.00360 -7895 9810 0.01468 -7894 8389 0.00320 -7894 8771 0.01231 -7894 9630 0.01733 -7894 9751 0.00629 -7894 9859 0.00414 -7893 8527 0.01924 -7893 8552 0.01926 -7893 8676 0.01965 -7893 8784 0.01295 -7893 8870 0.01775 -7893 9260 0.01159 -7893 9931 0.01267 -7892 8062 0.00808 -7892 9371 0.00850 -7891 7990 0.01245 -7891 8083 0.01608 -7891 9241 0.01318 -7890 7962 0.01083 -7890 8383 0.00362 -7890 8424 0.01570 -7890 9134 0.01549 -7890 9657 0.01657 -7890 9917 0.00815 -7889 7900 0.01414 -7889 8710 0.01682 -7887 8318 0.00908 -7887 9861 0.01985 -7886 8600 0.01992 -7886 8624 0.01768 -7886 9253 0.01787 -7886 9293 0.01801 -7886 9764 0.01943 -7886 9885 0.01967 -7885 8821 0.01088 -7885 9259 0.01257 -7885 9514 0.01857 -7885 9795 0.01136 -7884 9064 0.01606 -7883 9092 0.01250 -7883 9817 0.01553 -7882 9651 0.01628 -7881 9084 0.01726 -7880 8022 0.01646 -7880 8504 0.00689 -7880 8539 0.01673 -7880 8983 0.01861 -7880 9132 0.01578 -7879 9894 0.00573 -7878 8200 0.00581 -7878 8387 0.00981 -7878 9518 0.01327 -7877 8753 0.01903 -7877 8972 0.01958 -7876 8056 0.01622 -7876 8214 0.00448 -7876 8585 0.01819 -7876 8997 0.00452 -7876 9621 0.01160 -7876 9643 0.01139 -7876 9949 0.00359 -7875 8969 0.01668 -7875 9369 0.01889 -7875 9993 0.00662 -7874 7889 0.01595 -7874 8295 0.01962 -7874 8710 0.00526 -7874 9091 0.00774 -7873 8811 0.01549 -7873 9778 0.01040 -7872 8521 0.01553 -7872 8606 0.00844 -7872 8782 0.01149 -7872 9379 0.00451 -7871 8270 0.01113 -7871 9255 0.01637 -7870 9099 0.00750 -7870 9242 0.01762 -7869 7944 0.01149 -7869 8668 0.01511 -7869 9204 0.01767 -7869 9524 0.01974 -7868 7936 0.01825 -7868 8153 0.00617 -7868 8295 0.01860 -7867 9058 0.00654 -7867 9188 0.00913 -7866 9097 0.01851 -7866 9265 0.01426 -7866 9349 0.01214 -7864 8120 0.01281 -7864 8764 0.01941 -7864 9293 0.01794 -7864 9723 0.00187 -7864 9764 0.01597 -7863 8273 0.00740 -7863 9000 0.01170 -7862 7942 0.01776 -7862 8289 0.01019 -7862 9531 0.01727 -7862 9950 0.00866 -7861 9909 0.00813 -7859 8382 0.01525 -7859 8664 0.00676 -7859 9174 0.00774 -7859 9714 0.00398 -7858 7893 0.00428 -7858 8527 0.01795 -7858 8676 0.01921 -7858 8784 0.01691 -7858 9260 0.01587 -7858 9931 0.00897 -7857 7908 0.01101 -7857 8805 0.01704 -7857 8987 0.01654 -7857 9937 0.01173 -7856 9355 0.00940 -7856 9608 0.01766 -7855 8131 0.01959 -7855 9829 0.01766 -7855 9851 0.00583 -7854 8098 0.01673 -7854 8337 0.00627 -7854 9982 0.01771 -7853 7884 0.01488 -7853 7943 0.01649 -7853 8303 0.01559 -7853 9064 0.01236 -7853 9496 0.01748 -7851 8293 0.00944 -7851 9842 0.00882 -7851 9926 0.01315 -7850 9102 0.01913 -7850 9673 0.00523 -7849 8298 0.01094 -7849 9367 0.01030 -7849 9840 0.01570 -7848 8694 0.01739 -7847 8061 0.01729 -7845 9426 0.01423 -7845 9809 0.01283 -7843 8007 0.01951 -7843 8391 0.00643 -7842 8152 0.00801 -7842 8395 0.01012 -7842 8507 0.01553 -7842 8724 0.01733 -7842 9196 0.01969 -7841 8108 0.00637 -7841 8885 0.00822 -7841 9640 0.01232 -7840 8598 0.01558 -7838 7969 0.00972 -7837 8324 0.01455 -7836 8090 0.00160 -7836 8789 0.01012 -7836 9615 0.01981 -7836 9728 0.01666 -7835 7885 0.01448 -7835 8821 0.00896 -7834 8487 0.01563 -7833 9136 0.00760 -7833 9191 0.00845 -7833 9876 0.00317 -7832 8454 0.00786 -7832 8525 0.01808 -7831 7914 0.00904 -7831 8425 0.01448 -7831 9873 0.01672 -7829 8749 0.00802 -7829 8831 0.00620 -7829 9148 0.01408 -7829 9674 0.01155 -7828 8739 0.01367 -7827 8564 0.01536 -7826 8081 0.01904 -7826 8256 0.01307 -7826 8630 0.00757 -7825 8037 0.01821 -7825 9861 0.00391 -7824 8276 0.01997 -7824 8904 0.00464 -7824 9717 0.01523 -7823 9370 0.01487 -7822 9151 0.01952 -7822 9855 0.00617 -7821 9969 0.01287 -7820 7825 0.01385 -7820 9861 0.01280 -7819 7843 0.00829 -7819 8007 0.01261 -7819 8391 0.00767 -7819 9881 0.01491 -7818 7985 0.01242 -7817 8892 0.00313 -7817 9186 0.01844 -7817 9996 0.00299 -7816 7867 0.00482 -7816 9058 0.00981 -7816 9188 0.00448 -7816 9961 0.01620 -7815 7881 0.01555 -7815 8523 0.01185 -7815 8593 0.01909 -7815 9084 0.01234 -7815 9325 0.01681 -7814 9264 0.01622 -7813 8087 0.01062 -7813 8648 0.01172 -7812 7935 0.01536 -7812 8776 0.01767 -7811 8166 0.01915 -7811 8583 0.01403 -7811 9201 0.01526 -7811 9642 0.01665 -7810 8459 0.01728 -7810 9490 0.01996 -7810 9715 0.01809 -7809 7861 0.01357 -7809 8248 0.01970 -7808 9246 0.01494 -7807 8096 0.00757 -7807 9743 0.00818 -7807 9786 0.00398 -7806 8141 0.00768 -7806 8231 0.01403 -7806 8291 0.00699 -7806 9262 0.01404 -7806 9292 0.01737 -7806 9696 0.00517 -7805 9546 0.01997 -7805 9841 0.01347 -7804 8454 0.01960 -7804 9701 0.01154 -7803 8243 0.01290 -7803 8963 0.01643 -7803 9296 0.00841 -7802 7920 0.01729 -7802 8465 0.01126 -7802 9438 0.00874 -7802 9493 0.00924 -7802 9553 0.01293 -7801 7951 0.01633 -7801 9542 0.00444 -7801 9898 0.01836 -7801 9997 0.01690 -7800 9002 0.01423 -7800 9276 0.01285 -7799 8119 0.01044 -7799 9771 0.01507 -7798 9774 0.00693 -7798 9930 0.01705 -7797 8772 0.01366 -7796 9976 0.01717 -7795 8062 0.01690 -7795 8612 0.01479 -7794 7990 0.01567 -7794 8083 0.00469 -7794 8864 0.01090 -7794 9940 0.01632 -7793 8706 0.01865 -7793 9820 0.01403 -7793 9974 0.01227 -7792 8154 0.01078 -7792 8538 0.01849 -7792 9138 0.01913 -7792 9146 0.01571 -7792 9157 0.01865 -7791 8259 0.01616 -7791 8363 0.01165 -7791 8369 0.01393 -7791 8967 0.00854 -7791 9448 0.00864 -7790 9732 0.01976 -7788 8184 0.01663 -7788 9434 0.01520 -7787 9229 0.01445 -7787 9385 0.01780 -7787 9569 0.00927 -7786 8734 0.00929 -7786 8783 0.01324 -7786 8998 0.00322 -7786 9928 0.00697 -7785 9312 0.01816 -7784 7844 0.00388 -7783 8458 0.01943 -7783 9147 0.00385 -7782 8278 0.01886 -7782 9232 0.01339 -7782 9416 0.01156 -7782 9903 0.01403 -7781 8116 0.00520 -7781 8278 0.01164 -7780 9177 0.01308 -7780 9932 0.00976 -7779 8145 0.01552 -7778 8193 0.01273 -7778 8267 0.01412 -7778 8691 0.01248 -7777 8506 0.00994 -7777 9054 0.01951 -7776 9131 0.00941 -7776 9918 0.01479 -7775 8313 0.00754 -7775 9493 0.01938 -7775 9553 0.01258 -7773 8172 0.00651 -7771 8205 0.01373 -7770 8627 0.01064 -7770 9966 0.00817 -7769 8980 0.01211 -7769 9999 0.01786 -7767 7952 0.01969 -7767 8615 0.01873 -7767 8753 0.01415 -7767 9124 0.01995 -7766 8049 0.01188 -7766 8346 0.01949 -7766 9502 0.01620 -7765 7860 0.01445 -7765 8882 0.01416 -7764 8633 0.01562 -7764 8902 0.00971 -7764 9074 0.01795 -7764 9800 0.00527 -7763 7958 0.00843 -7763 8208 0.01535 -7763 9391 0.01504 -7763 9528 0.00557 -7763 9838 0.01260 -7762 7774 0.01894 -7762 9717 0.00708 -7761 9925 0.01882 -7760 7929 0.00378 -7760 8924 0.01613 -7760 9048 0.01708 -7759 8894 0.00830 -7758 7872 0.01240 -7758 8294 0.01345 -7758 9087 0.01481 -7758 9379 0.01468 -7757 7965 0.01897 -7757 8649 0.01896 -7757 8958 0.01629 -7756 7775 0.01010 -7756 7802 0.01506 -7756 8313 0.00628 -7756 9438 0.01795 -7756 9493 0.01258 -7756 9553 0.00248 -7755 7869 0.01898 -7755 7944 0.00927 -7755 8668 0.01677 -7755 9311 0.01515 -7754 9348 0.00415 -7754 9666 0.01969 -7754 9799 0.01201 -7754 9865 0.01598 -7753 7970 0.01321 -7753 8051 0.01496 -7753 9572 0.00391 -7753 9590 0.01451 -7752 9521 0.01958 -7751 8549 0.00583 -7750 7754 0.01319 -7750 9270 0.01278 -7750 9348 0.00997 -7750 9666 0.00958 -7749 8613 0.01470 -7749 9332 0.01077 -7748 7820 0.00776 -7747 7871 0.01234 -7747 8270 0.01906 -7746 8043 0.01548 -7746 9167 0.01549 -7745 8418 0.01765 -7745 9823 0.01643 -7744 7762 0.01435 -7744 7824 0.00715 -7744 8904 0.00980 -7744 9717 0.00897 -7743 8012 0.01868 -7743 8334 0.00756 -7743 9038 0.00381 -7743 9536 0.01074 -7742 7760 0.01518 -7742 7929 0.01191 -7742 8407 0.01845 -7742 9048 0.01984 -7741 8041 0.01950 -7741 8464 0.01414 -7741 9334 0.01229 -7740 9936 0.01754 -7739 8122 0.01460 -7739 8435 0.01900 -7739 8717 0.00419 -7739 9790 0.01760 -7738 8488 0.01415 -7738 9214 0.00440 -7737 9144 0.00672 -7737 9879 0.01940 -7737 9960 0.01210 -7736 8778 0.01908 -7736 8815 0.00916 -7736 8895 0.01351 -7736 9649 0.00613 -7736 9670 0.00471 -7736 9748 0.01706 -7736 9884 0.01803 -7735 8498 0.00308 -7735 9531 0.01773 -7735 9593 0.00938 -7735 9827 0.00261 -7734 7913 0.01816 -7734 8592 0.01032 -7733 7815 0.00482 -7733 8523 0.00725 -7733 8593 0.01482 -7733 9084 0.01385 -7733 9325 0.01784 -7732 8013 0.01360 -7732 8955 0.00825 -7731 8076 0.01216 -7731 8317 0.01227 -7731 8833 0.01892 -7731 9282 0.01877 -7731 9756 0.01752 -7730 9167 0.00707 -7730 9591 0.00965 -7730 9668 0.01534 -7729 7805 0.00708 -7729 9546 0.01727 -7729 9841 0.01361 -7728 7980 0.01656 -7728 8069 0.01571 -7728 9080 0.01096 -7728 9183 0.01406 -7728 9769 0.01282 -7727 8602 0.01897 -7727 8806 0.00287 -7727 9170 0.00678 -7726 7780 0.01901 -7726 7845 0.01645 -7726 8178 0.01917 -7726 9177 0.01539 -7725 7971 0.01772 -7725 8181 0.01783 -7725 9403 0.01917 -7724 8523 0.01947 -7724 9084 0.01684 -7723 7800 0.00783 -7723 9002 0.01149 -7723 9276 0.00973 -7722 8862 0.01952 -7722 9031 0.00916 -7721 8448 0.00998 -7721 8684 0.01100 -7720 8049 0.01552 -7719 7744 0.01966 -7719 7824 0.01658 -7719 8034 0.01172 -7719 8904 0.01197 -7717 8441 0.01376 -7717 8495 0.01817 -7716 9116 0.01796 -7716 9444 0.01865 -7715 8727 0.01602 -7714 8548 0.00904 -7713 9057 0.00568 -7712 8192 0.01749 -7712 8400 0.01654 -7712 9462 0.01295 -7711 7935 0.01222 -7711 8578 0.01906 -7711 8776 0.01212 -7710 8983 0.01439 -7709 7902 0.00485 -7709 8104 0.00433 -7709 9522 0.01733 -7707 8688 0.00998 -7707 9887 0.01730 -7706 8520 0.01128 -7706 8527 0.01602 -7706 8676 0.01626 -7705 7785 0.01768 -7705 9137 0.01617 -7704 7956 0.01493 -7704 8316 0.00632 -7704 8581 0.01955 -7704 9086 0.01151 -7704 9921 0.01215 -7703 8403 0.01884 -7703 9182 0.01737 -7702 8408 0.00421 -7702 8903 0.01226 -7702 9316 0.01137 -7701 8775 0.01833 -7700 8067 0.01428 -7700 8305 0.00862 -7700 8562 0.01643 -7700 9120 0.01469 -7700 9464 0.01668 -7699 8018 0.01914 -7699 9124 0.01693 -7697 8091 0.00757 -7697 8646 0.01330 -7697 8940 0.01644 -7696 8436 0.00915 -7696 9595 0.01338 -7695 8167 0.00246 -7694 9451 0.01173 -7693 7706 0.01719 -7693 7748 0.01332 -7693 7820 0.01690 -7693 8520 0.01369 -7692 7905 0.01294 -7692 8639 0.00948 -7691 8047 0.00888 -7691 8155 0.00866 -7691 9146 0.01230 -7691 9157 0.01003 -7690 8475 0.00852 -7690 8632 0.00687 -7690 9395 0.01235 -7689 7917 0.01802 -7689 8596 0.01054 -7688 9297 0.00397 -7687 8365 0.01430 -7687 8999 0.01401 -7686 8937 0.01480 -7686 9029 0.01934 -7686 9109 0.00959 -7685 9135 0.01470 -7684 8223 0.01761 -7684 9320 0.01744 -7683 7814 0.01879 -7683 8635 0.01617 -7683 9251 0.01484 -7682 8502 0.00516 -7682 8512 0.01968 -7682 8988 0.01351 -7682 9128 0.01120 -7682 9925 0.01833 -7681 8147 0.00786 -7681 8492 0.01771 -7680 7773 0.01400 -7680 8172 0.01978 -7679 8669 0.01435 -7679 8946 0.01862 -7679 9185 0.00767 -7678 7912 0.01211 -7678 8213 0.01002 -7678 9697 0.00694 -7677 7731 0.00662 -7677 8076 0.00778 -7677 8317 0.01852 -7677 9719 0.01877 -7676 8686 0.01022 -7676 9321 0.01506 -7675 8024 0.01228 -7675 8597 0.01881 -7675 9584 0.01128 -7674 8665 0.01261 -7674 8842 0.01077 -7674 9079 0.01738 -7673 9100 0.00500 -7673 9126 0.01178 -7673 9551 0.00868 -7672 7821 0.01322 -7672 8486 0.01690 -7672 9969 0.00827 -7671 8874 0.01824 -7671 9010 0.01623 -7671 9499 0.00657 -7670 9768 0.01254 -7669 7680 0.01510 -7668 8388 0.01687 -7668 8643 0.00515 -7668 9540 0.00812 -7668 9615 0.01042 -7668 9879 0.01323 -7668 9951 0.01847 -7667 7906 0.01622 -7667 8482 0.01300 -7667 8609 0.00767 -7667 9156 0.00560 -7666 7675 0.00419 -7666 8024 0.00809 -7666 8597 0.01462 -7666 9584 0.01424 -7666 9878 0.01940 -7665 8198 0.01476 -7665 8577 0.00998 -7665 9263 0.01516 -7665 9706 0.01032 -7663 8642 0.01871 -7663 9903 0.00917 -7662 8191 0.00824 -7662 9123 0.01476 -7662 9815 0.01957 -7661 8437 0.00399 -7661 9176 0.01878 -7660 9220 0.00959 -7659 7818 0.01968 -7659 7985 0.01879 -7659 8204 0.01938 -7658 7673 0.01977 -7658 9120 0.01292 -7658 9126 0.01806 -7658 9551 0.01546 -7657 8127 0.01874 -7657 8296 0.01741 -7657 8493 0.01558 -7657 8636 0.01305 -7657 8838 0.01105 -7657 9202 0.01595 -7656 8079 0.01234 -7655 8248 0.01680 -7655 9217 0.01122 -7654 9441 0.00840 -7654 9537 0.01850 -7653 9327 0.00773 -7653 9651 0.00955 -7653 9771 0.00814 -7652 8055 0.00671 -7652 8327 0.01176 -7652 8380 0.01042 -7652 8485 0.01193 -7652 9154 0.01467 -7652 9682 0.01278 -7651 9025 0.01032 -7651 9722 0.01310 -7651 9978 0.01222 -7650 8325 0.00702 -7650 9781 0.00810 -7650 9816 0.00763 -7649 7877 0.01837 -7649 8014 0.01615 -7649 8018 0.01520 -7649 8753 0.01445 -7648 8191 0.01731 -7648 9123 0.01102 -7647 9277 0.00747 -7647 9489 0.00767 -7646 7757 0.01012 -7646 8958 0.01956 -7645 8326 0.01890 -7645 8392 0.01560 -7645 8761 0.01119 -7644 8858 0.01283 -7643 9005 0.01954 -7643 9724 0.01834 -7642 7678 0.00333 -7642 7912 0.00967 -7642 8213 0.00672 -7642 9697 0.01014 -7641 9577 0.01061 -7640 9454 0.01171 -7640 9575 0.00857 -7639 9323 0.01201 -7639 9698 0.01599 -7639 9924 0.00738 -7638 9131 0.01400 -7637 8696 0.01682 -7637 8883 0.00316 -7636 7835 0.01418 -7636 7885 0.01198 -7636 8821 0.00522 -7636 9203 0.01281 -7635 8089 0.00253 -7635 8404 0.01106 -7635 8690 0.01264 -7634 8132 0.00653 -7634 8416 0.00650 -7634 8661 0.00766 -7634 9650 0.01678 -7633 8292 0.01624 -7633 9101 0.01396 -7633 9704 0.01880 -7632 8084 0.01931 -7632 9548 0.00835 -7632 9645 0.00780 -7631 8939 0.01073 -7631 8984 0.01925 -7631 9055 0.01915 -7631 9446 0.00958 -7630 7915 0.01873 -7630 8338 0.01426 -7630 8814 0.01648 -7629 9612 0.01685 -7629 9720 0.01055 -7628 7955 0.01648 -7628 9461 0.00795 -7627 7694 0.01907 -7627 8136 0.00713 -7627 8718 0.00934 -7627 9451 0.01581 -7625 8309 0.01839 -7625 8490 0.00585 -7625 8913 0.00451 -7625 9310 0.01150 -7625 9373 0.01786 -7624 7642 0.01957 -7624 7678 0.01974 -7624 8213 0.01975 -7624 9018 0.01262 -7623 8390 0.01861 -7623 9301 0.00921 -7623 9505 0.00420 -7622 8396 0.01206 -7622 8618 0.01611 -7621 8852 0.00555 -7621 9449 0.01462 -7620 8307 0.00465 -7620 8568 0.01523 -7620 9143 0.01728 -7619 8145 0.01095 -7619 8243 0.01676 -7619 8844 0.01443 -7619 8963 0.01445 -7619 9125 0.00463 -7619 9235 0.00496 -7619 9750 0.01412 -7618 8187 0.01037 -7618 9029 0.01498 -7618 9035 0.00896 -7618 9529 0.01556 -7617 7993 0.01765 -7617 8074 0.01068 -7617 8183 0.01832 -7617 8510 0.01503 -7617 8665 0.01782 -7617 9274 0.00379 -7617 9284 0.00979 -7617 9863 0.00449 -7616 8790 0.01461 -7616 8823 0.01177 -7616 9368 0.01969 -7615 7707 0.01337 -7615 7961 0.01845 -7615 9887 0.00393 -7614 9473 0.01851 -7614 9819 0.01880 -7613 7838 0.01311 -7613 7969 0.01952 -7613 8888 0.01778 -7612 7681 0.01579 -7612 9193 0.01662 -7612 9322 0.01260 -7611 8554 0.00269 -7611 9650 0.00916 -7610 8783 0.01014 -7610 8863 0.01944 -7610 9205 0.00550 -7610 9704 0.01763 -7610 9928 0.01625 -7609 8998 0.01982 -7609 9140 0.01690 -7608 7686 0.01953 -7608 8937 0.00476 -7608 9109 0.01076 -7607 7730 0.01191 -7607 9167 0.01478 -7607 9433 0.01895 -7607 9503 0.01421 -7607 9591 0.00226 -7607 9668 0.00344 -7606 8161 0.01858 -7606 8601 0.01757 -7606 9543 0.01199 -7605 8846 0.00400 -7605 9098 0.01391 -7605 9208 0.00150 -7604 9941 0.00594 -7603 7975 0.01456 -7603 8080 0.01115 -7602 8751 0.01861 -7602 9994 0.00984 -7601 9813 0.01592 -7601 9995 0.01560 -7600 7868 0.01502 -7600 7874 0.01955 -7600 8153 0.00948 -7600 8295 0.00668 -7600 9091 0.01244 -7599 7684 0.01570 -7599 7690 0.01280 -7599 7982 0.01307 -7599 8475 0.01992 -7599 8632 0.00619 -7599 8923 0.01924 -7599 9320 0.01750 -7599 9530 0.01851 -7598 9207 0.01783 -7598 9247 0.01531 -7598 9250 0.00707 -7598 9453 0.01530 -7598 9807 0.01719 -7597 9045 0.01167 -7597 9735 0.01473 -7596 9022 0.01910 -7596 9528 0.01496 -7596 9838 0.01742 -7595 7651 0.00926 -7595 9025 0.01816 -7595 9722 0.00574 -7595 9978 0.01266 -7594 8674 0.01658 -7594 9043 0.00956 -7594 9271 0.01701 -7594 9846 0.01311 -7594 9915 0.01276 -7593 7701 0.00397 -7592 7839 0.01435 -7591 7808 0.00492 -7591 9246 0.01730 -7590 7845 0.01229 -7590 8768 0.01839 -7590 9426 0.00547 -7590 9809 0.01027 -7589 8174 0.01524 -7589 8734 0.01583 -7589 8788 0.00733 -7589 9067 0.00363 -7589 9392 0.01373 -7589 9963 0.01150 -7588 8495 0.01909 -7588 9864 0.01670 -7587 8566 0.00288 -7587 9567 0.00829 -7587 9721 0.00885 -7587 9756 0.01223 -7586 7991 0.00577 -7586 8501 0.01813 -7586 9294 0.00998 -7586 9604 0.01555 -7585 7623 0.01443 -7585 8295 0.01983 -7585 9091 0.01953 -7585 9301 0.01215 -7585 9505 0.01801 -7585 9681 0.01989 -7584 7615 0.00333 -7584 7707 0.01489 -7584 7961 0.01993 -7584 9887 0.00416 -7583 9439 0.01840 -7583 9560 0.01399 -7583 9746 0.00381 -7582 7979 0.01931 -7582 8732 0.01815 -7582 9432 0.01520 -7581 7679 0.00840 -7581 8669 0.01587 -7581 8946 0.01665 -7581 9185 0.00881 -7581 9708 0.01887 -7580 7936 0.00529 -7580 8625 0.01247 -7579 7633 0.01719 -7579 8292 0.01418 -7579 8638 0.01712 -7578 8669 0.01823 -7578 9596 0.01397 -7578 9647 0.01401 -7577 8675 0.01312 -7577 9517 0.01090 -7576 8550 0.01205 -7576 8699 0.00831 -7576 9088 0.01589 -7576 9508 0.00191 -7574 8032 0.01812 -7574 8235 0.01743 -7574 9212 0.01654 -7573 9455 0.01378 -7571 7877 0.01539 -7571 8972 0.01838 -7571 9720 0.01852 -7570 8515 0.00585 -7570 8785 0.01352 -7570 9361 0.01635 -7570 9519 0.01402 -7569 7793 0.01926 -7569 9776 0.01470 -7569 9820 0.01794 -7569 9974 0.00803 -7568 9701 0.01596 -7567 7801 0.01535 -7567 7951 0.01979 -7567 9542 0.01181 -7566 8218 0.01312 -7565 7948 0.01504 -7565 8344 0.01516 -7565 8979 0.01267 -7565 9331 0.01745 -7564 7665 0.01873 -7564 7924 0.00427 -7564 7988 0.00820 -7564 8198 0.01991 -7564 8577 0.00982 -7564 9263 0.00529 -7564 9706 0.01092 -7564 9807 0.01582 -7564 9872 0.01885 -7563 9354 0.01513 -7562 7736 0.01656 -7562 8797 0.01724 -7562 8815 0.01332 -7562 8895 0.00339 -7562 9670 0.01817 -7562 9748 0.01171 -7561 8413 0.01882 -7561 8687 0.00505 -7561 9256 0.01457 -7560 8680 0.00929 -7560 8957 0.01124 -7559 8599 0.01514 -7559 9935 0.01808 -7558 7777 0.01148 -7558 8506 0.01170 -7558 9054 0.01869 -7557 7848 0.01863 -7557 8694 0.01047 -7557 8784 0.01947 -7557 9260 0.01622 -7557 9899 0.01861 -7556 9906 0.00940 -7555 8838 0.01896 -7555 9306 0.00940 -7555 9372 0.01849 -7554 7875 0.01910 -7554 8196 0.01422 -7554 8969 0.00241 -7554 9828 0.01905 -7554 9993 0.01731 -7553 8393 0.01381 -7553 8985 0.01330 -7553 9287 0.01648 -7552 8526 0.01497 -7552 9602 0.01487 -7551 9834 0.01371 -7551 9989 0.00974 -7550 8377 0.01001 -7550 8399 0.00361 -7550 8899 0.01522 -7550 8962 0.01475 -7550 9237 0.01167 -7550 9546 0.01732 -7550 9617 0.00827 -7550 9770 0.01501 -7550 9821 0.01572 -7549 7736 0.01254 -7549 8778 0.01382 -7549 8895 0.01819 -7549 9249 0.01329 -7549 9649 0.01703 -7549 9670 0.01711 -7549 9934 0.01089 -7549 9948 0.01807 -7548 8102 0.00902 -7548 9092 0.01859 -7548 9469 0.01536 -7548 9817 0.01476 -7547 8263 0.00546 -7547 8681 0.00771 -7547 8928 0.00062 -7546 7683 0.01072 -7546 8201 0.01481 -7546 9251 0.00818 -7545 8341 0.00917 -7545 8645 0.01133 -7544 9842 0.01910 -7542 7715 0.01917 -7542 8727 0.00342 -7542 9587 0.01179 -7541 7944 0.01583 -7541 9308 0.01751 -7540 9633 0.01486 -7539 8759 0.00995 -7539 9957 0.01959 -7538 9148 0.01632 -7537 8803 0.01307 -7537 9288 0.01737 -7537 9644 0.00796 -7536 8081 0.01854 -7536 8262 0.01319 -7536 9281 0.01908 -7535 8360 0.01050 -7535 9408 0.00999 -7533 8258 0.00848 -7533 9998 0.00984 -7532 7984 0.00306 -7532 8180 0.01818 -7532 8559 0.01631 -7532 8917 0.01227 -7531 9491 0.01996 -7531 9814 0.01257 -7530 7588 0.01202 -7529 7907 0.01933 -7529 9944 0.01909 -7528 8177 0.01398 -7528 8197 0.00967 -7528 8716 0.01913 -7528 9733 0.01315 -7527 8261 0.01048 -7527 8431 0.00545 -7527 9604 0.01814 -7526 7916 0.00348 -7526 8013 0.01145 -7526 8955 0.01920 -7525 8138 0.01911 -7525 8494 0.01234 -7525 8621 0.01994 -7525 9390 0.01951 -7524 8405 0.01516 -7524 9094 0.01725 -7524 9192 0.01774 -7524 9594 0.01372 -7523 7733 0.00960 -7523 7815 0.01173 -7523 8158 0.01579 -7523 8523 0.01283 -7523 8593 0.01036 -7523 9325 0.01124 -7522 7908 0.01248 -7522 8671 0.00802 -7522 8987 0.00654 -7522 9436 0.01115 -7521 7748 0.01946 -7521 7820 0.01988 -7521 8037 0.01408 -7520 7837 0.00225 -7520 8324 0.01271 -7519 8372 0.01885 -7518 7714 0.01140 -7518 8548 0.00400 -7517 7853 0.01577 -7517 7943 0.00586 -7517 8303 0.01876 -7517 9386 0.01749 -7517 9496 0.00196 -7517 9705 0.01773 -7517 9964 0.01051 -7516 8175 0.00671 -7516 8326 0.01567 -7516 8365 0.01706 -7516 8999 0.01344 -7515 7892 0.00582 -7515 8062 0.00637 -7515 9371 0.01219 -7514 8722 0.01353 -7514 8766 0.01717 -7514 9289 0.01736 -7514 9913 0.00605 -7514 9966 0.01986 -7513 7603 0.00899 -7513 7975 0.01602 -7513 8080 0.01791 -7512 7634 0.01844 -7512 8132 0.01196 -7512 8416 0.01204 -7512 8661 0.01136 -7511 7769 0.00823 -7511 8980 0.01872 -7511 9999 0.01979 -7510 7594 0.01681 -7510 9043 0.01439 -7510 9271 0.01575 -7510 9846 0.01688 -7510 9849 0.01399 -7510 9915 0.01083 -7509 9354 0.01411 -7509 9972 0.01733 -7508 7639 0.01259 -7508 9106 0.01418 -7508 9323 0.01992 -7508 9924 0.01926 -7507 7629 0.00625 -7507 9720 0.01680 -7506 8444 0.01478 -7506 8741 0.01359 -7506 8747 0.01789 -7506 8890 0.01511 -7505 8311 0.00767 -7505 8481 0.00690 -7505 8582 0.01341 -7505 9318 0.01620 -7505 9747 0.00774 -7504 8704 0.01961 -7504 8851 0.00408 -7504 9007 0.01354 -7504 9183 0.01382 -7503 9190 0.01817 -7503 9901 0.01405 -7502 7663 0.01615 -7502 8642 0.00518 -7502 9465 0.01823 -7502 9954 0.01707 -7501 8427 0.00752 -7501 8563 0.00520 -7501 9329 0.01293 -7501 9330 0.00887 -7501 9486 0.00852 -7500 7931 0.01701 -7500 7981 0.01993 -7500 8001 0.00481 -7500 8866 0.00743 -7499 7535 0.01561 -7499 8360 0.00703 -7499 8721 0.01161 -7498 7741 0.01689 -7498 8464 0.01061 -7498 8626 0.01756 -7498 9258 0.00706 -7497 7556 0.01794 -7497 8339 0.00587 -7497 8428 0.01884 -7496 7516 0.01661 -7496 7687 0.01321 -7496 8175 0.01679 -7496 8365 0.01982 -7496 8999 0.01688 -7495 8406 0.01969 -7495 8880 0.00957 -7495 9053 0.01055 -7495 9857 0.01854 -7494 9190 0.01858 -7494 9402 0.01513 -7494 9901 0.01706 -7494 9906 0.01664 -7493 8275 0.01997 -7493 8512 0.01966 -7493 9973 0.01781 -7491 8241 0.01447 -7491 8968 0.01454 -7490 7705 0.01850 -7490 8156 0.01907 -7490 9137 0.00569 -7490 9970 0.01461 -7489 7535 0.00730 -7489 8360 0.01723 -7489 9408 0.00280 -7488 8332 0.01781 -7488 9008 0.00418 -7488 9377 0.01016 -7487 8272 0.01486 -7487 8378 0.00571 -7487 9435 0.00521 -7486 7934 0.01333 -7486 9478 0.00928 -7486 9839 0.00816 -7485 8299 0.01308 -7485 8336 0.00473 -7485 9462 0.01904 -7484 8226 0.00592 -7484 8851 0.01658 -7484 8927 0.01100 -7484 9007 0.01536 -7483 7890 0.01835 -7483 8190 0.01609 -7483 8383 0.01536 -7483 9134 0.01607 -7483 9657 0.01875 -7483 9917 0.01540 -7482 8521 0.01378 -7482 8782 0.01644 -7481 8918 0.01576 -7481 8920 0.00981 -7481 9104 0.01835 -7481 9245 0.01191 -7481 9339 0.00521 -7480 7596 0.01349 -7480 9693 0.01839 -7479 8059 0.00666 -7479 9605 0.01601 -7478 9522 0.00882 -7477 7672 0.01350 -7477 7821 0.01270 -7477 9611 0.01934 -7477 9969 0.01955 -7476 8019 0.00936 -7475 7613 0.01327 -7475 7740 0.01808 -7475 7838 0.01882 -7475 7969 0.01830 -7475 9936 0.01910 -7474 7667 0.01769 -7474 7906 0.01211 -7474 8298 0.01639 -7474 8609 0.01944 -7474 9377 0.01715 -7473 7476 0.00686 -7473 8019 0.00250 -7472 7570 0.00714 -7472 8515 0.01056 -7472 8619 0.01884 -7472 8785 0.00958 -7472 9361 0.01452 -7472 9519 0.01914 -7471 8114 0.01287 -7471 8249 0.01902 -7471 8845 0.00788 -7471 9304 0.01720 -7471 9753 0.01760 -7471 9763 0.01442 -7470 8615 0.01807 -7469 8942 0.00681 -7469 9635 0.01692 -7467 7995 0.01968 -7467 8038 0.01976 -7467 8511 0.01707 -7467 8915 0.01709 -7467 9085 0.01141 -7467 9628 0.01178 -7467 9938 0.01687 -7466 8767 0.01585 -7465 9757 0.00606 -7464 7556 0.00606 -7464 9906 0.00526 -7463 7722 0.01155 -7463 9031 0.00958 -7462 8714 0.00873 -7462 9210 0.01332 -7461 9812 0.00791 -7460 7636 0.01200 -7460 7885 0.01315 -7460 8821 0.01595 -7460 9203 0.01694 -7460 9259 0.01267 -7460 9795 0.01924 -7459 7873 0.01156 -7459 8234 0.01673 -7459 8811 0.00705 -7459 9656 0.01158 -7458 8223 0.01801 -7457 7982 0.01613 -7457 8223 0.01787 -7457 8483 0.00920 -7457 8923 0.01511 -7457 9320 0.01553 -7457 9530 0.01894 -7456 7555 0.01853 -7456 8472 0.01527 -7456 9202 0.01979 -7456 9306 0.01441 -7456 9372 0.00510 -7455 9181 0.00240 -7455 9482 0.01251 -7454 7831 0.00851 -7454 7914 0.00880 -7454 8425 0.01007 -7454 9132 0.01944 -7454 9873 0.01577 -7453 7927 0.00893 -7453 8951 0.01654 -7453 9326 0.01910 -7452 7664 0.00885 -7452 9660 0.01556 -7451 8171 0.01700 -7451 9004 0.01460 -7451 9102 0.01677 -7451 9384 0.01713 -7451 9467 0.00645 -7451 9675 0.01723 -7450 7467 0.01670 -7450 7987 0.01683 -7450 7995 0.00914 -7450 8038 0.01434 -7450 8511 0.01868 -7450 9628 0.01085 -7450 9938 0.01433 -7449 7780 0.01258 -7449 8178 0.01586 -7449 9090 0.01777 -7449 9726 0.01669 -7449 9932 0.00447 -7448 8646 0.01570 -7448 9359 0.01846 -7447 7896 0.01063 -7447 8366 0.01570 -7446 7744 0.00991 -7446 7762 0.01963 -7446 7824 0.01205 -7446 8904 0.01659 -7446 9717 0.01711 -7446 9793 0.01704 -7445 7461 0.01884 -7445 9168 0.00272 -7445 9686 0.01304 -7444 7833 0.01985 -7444 8413 0.01207 -7444 8578 0.01947 -7444 9136 0.01326 -7444 9191 0.01684 -7444 9481 0.00406 -7444 9876 0.01668 -7442 7522 0.01485 -7442 7857 0.01129 -7442 7908 0.00406 -7442 8987 0.00902 -7441 7851 0.01716 -7441 8021 0.00822 -7441 8293 0.01871 -7441 9659 0.01239 -7441 9801 0.01671 -7441 9926 0.01635 -7440 7567 0.00710 -7440 7801 0.01937 -7440 9542 0.01696 -7439 7941 0.01804 -7439 9523 0.00385 -7439 9613 0.00179 -7438 8140 0.00555 -7438 8362 0.01107 -7438 9050 0.01614 -7438 9095 0.01844 -7438 9676 0.01120 -7437 8072 0.01723 -7435 7516 0.01882 -7435 7645 0.01618 -7435 7647 0.01956 -7435 8326 0.00372 -7434 7685 0.01305 -7434 9135 0.01763 -7433 8787 0.01637 -7433 9189 0.01511 -7433 9396 0.01043 -7433 9568 0.01443 -7433 9638 0.01477 -7432 7672 0.01708 -7432 8486 0.00044 -7431 7729 0.01217 -7431 7805 0.01231 -7431 9546 0.00860 -7430 9122 0.01540 -7430 9187 0.01747 -7429 8196 0.01777 -7429 8565 0.00822 -7427 8050 0.00416 -7427 9313 0.01836 -7426 8910 0.01583 -7425 9216 0.00403 -7424 7865 0.01552 -7423 8053 0.01591 -7423 9139 0.00875 -7423 9498 0.01614 -7422 8266 0.01316 -7422 9323 0.01801 -7422 9466 0.01787 -7421 7575 0.01591 -7419 7471 0.01214 -7419 8249 0.01302 -7419 8845 0.00940 -7419 9069 0.01996 -7419 9763 0.00896 -7418 8113 0.01596 -7418 8323 0.00069 -7418 9581 0.01431 -7417 7554 0.01570 -7417 7789 0.01177 -7417 8196 0.01695 -7417 8565 0.01896 -7417 8969 0.01620 -7417 9369 0.01685 -7416 9060 0.01644 -7416 9063 0.00811 -7416 9393 0.00730 -7416 9736 0.01954 -7415 8030 0.01272 -7415 8346 0.01879 -7415 8569 0.00962 -7415 9112 0.00771 -7415 9730 0.00528 -7414 9672 0.01819 -7414 9820 0.01547 -7413 7585 0.00645 -7413 7623 0.01831 -7413 7874 0.01765 -7413 8591 0.01701 -7413 8710 0.01438 -7413 9091 0.01645 -7413 9301 0.01825 -7412 7694 0.01330 -7412 8827 0.01225 -7411 8157 0.00984 -7411 8650 0.00806 -7411 8804 0.01257 -7411 9127 0.01548 -7411 9267 0.01937 -7410 7606 0.00659 -7410 7869 0.01539 -7410 8161 0.01915 -7410 8601 0.01634 -7410 9068 0.01958 -7410 9543 0.01469 -7409 7651 0.01856 -7409 9025 0.01335 -7408 8071 0.01597 -7408 8105 0.01356 -7408 8134 0.01417 -7408 8204 0.01850 -7407 7904 0.01159 -7407 7940 0.01661 -7407 8150 0.01923 -7407 9580 0.00523 -7406 7636 0.00901 -7406 7835 0.00902 -7406 7885 0.01673 -7406 8821 0.00600 -7406 9203 0.01721 -7405 8352 0.01812 -7405 9678 0.01567 -7404 9597 0.01385 -7404 9607 0.00553 -7403 9113 0.01537 -7402 8367 0.01897 -7402 8644 0.01099 -7402 8764 0.01275 -7401 7422 0.01681 -7401 8266 0.00872 -7401 9466 0.01430 -7401 9500 0.01124 -7400 8794 0.01310 -7400 8820 0.01855 -7400 9787 0.01700 -7399 7416 0.01323 -7399 9060 0.00983 -7399 9063 0.00794 -7399 9393 0.00803 -7398 8185 0.00267 -7398 8377 0.01904 -7398 8962 0.00766 -7398 9617 0.01523 -7398 9770 0.01813 -7398 9821 0.00555 -7397 8210 0.01070 -7397 8342 0.01685 -7397 9463 0.01020 -7397 9785 0.01896 -7396 8467 0.01849 -7396 9660 0.00714 -7396 9992 0.01780 -7395 7654 0.00779 -7395 8856 0.01749 -7395 9387 0.01753 -7395 9441 0.00279 -7395 9537 0.01558 -7394 7565 0.01333 -7394 7948 0.00297 -7394 8409 0.01239 -7394 8735 0.01895 -7394 8979 0.01999 -7394 9331 0.01131 -7393 8903 0.01465 -7393 9316 0.01539 -7393 9350 0.01785 -7393 9836 0.00960 -7392 8237 0.01418 -7392 8464 0.01966 -7392 8626 0.01540 -7392 8708 0.01650 -7392 9690 0.01797 -7391 8217 0.01677 -7391 9026 0.00908 -7391 9634 0.01853 -7390 8405 0.00864 -7390 8822 0.01609 -7390 9698 0.01920 -7389 7590 0.01714 -7389 7726 0.01704 -7389 7845 0.00827 -7389 9667 0.01403 -7389 9809 0.01173 -7388 8439 0.01952 -7387 9257 0.01562 -7386 7670 0.01501 -7386 7784 0.01458 -7386 7844 0.01089 -7386 9768 0.01185 -7385 7600 0.01094 -7385 7868 0.00978 -7385 8153 0.00929 -7385 8295 0.01087 -7385 9681 0.01785 -7384 8220 0.00559 -7384 8524 0.01273 -7384 8715 0.01733 -7384 9405 0.01847 -7383 8381 0.00585 -7383 8514 0.01805 -7383 9017 0.01309 -7383 9353 0.01494 -7382 7589 0.00517 -7382 7786 0.01964 -7382 8174 0.01893 -7382 8734 0.01260 -7382 8788 0.01047 -7382 9067 0.00371 -7382 9392 0.01209 -7382 9963 0.01649 -7381 8222 0.01129 -7381 8860 0.00491 -7381 9411 0.00289 -7379 7707 0.01896 -7379 8688 0.01182 -7378 7391 0.01415 -7378 7779 0.01171 -7378 8145 0.01927 -7378 9026 0.01487 -7377 8503 0.01480 -7377 8989 0.00769 -7377 9163 0.01868 -7377 9259 0.01327 -7377 9514 0.01912 -7377 9795 0.01111 -7376 7725 0.00484 -7376 7971 0.01847 -7376 8181 0.01300 -7375 7424 0.01907 -7375 7865 0.00755 -7374 8633 0.01544 -7374 8847 0.01810 -7374 9074 0.01289 -7374 9806 0.01317 -7373 8045 0.00847 -7373 8206 0.01102 -7373 8432 0.00959 -7373 8434 0.00449 -7373 8697 0.01684 -7372 7464 0.01604 -7372 7494 0.00855 -7372 9402 0.01210 -7372 9906 0.01105 -7371 8455 0.01550 -7370 8010 0.00203 -7370 8264 0.00985 -7370 9130 0.01900 -7370 9194 0.01701 -7370 9315 0.00697 -7370 9427 0.00461 -7369 7801 0.00855 -7369 7951 0.01726 -7369 9542 0.01176 -7369 9556 0.01874 -7369 9898 0.01572 -7369 9997 0.01228 -7368 7724 0.01767 -7368 7815 0.01873 -7368 7881 0.01910 -7368 9084 0.00678 -7368 9678 0.01963 -7367 7438 0.01404 -7367 8140 0.01940 -7367 8286 0.01940 -7367 8362 0.00481 -7367 9050 0.00693 -7367 9095 0.00919 -7367 9676 0.01254 -7366 7985 0.01769 -7366 9949 0.01784 -7365 7716 0.00155 -7365 9116 0.01642 -7365 9444 0.01725 -7364 8005 0.00889 -7364 8658 0.00263 -7364 8693 0.00808 -7363 8468 0.01965 -7363 9603 0.01080 -7363 9930 0.01816 -7363 9962 0.01343 -7362 7885 0.01991 -7362 8503 0.00732 -7362 8812 0.01567 -7362 8907 0.01907 -7362 9514 0.00192 -7362 9795 0.01492 -7361 8169 0.01858 -7361 9484 0.00739 -7359 7782 0.01075 -7359 8278 0.01348 -7359 9232 0.00788 -7359 9416 0.00433 -7358 7529 0.01797 -7358 7907 0.00398 -7358 9944 0.01167 -7357 8009 0.01319 -7357 8619 0.01637 -7357 8948 0.01971 -7357 9400 0.01038 -7357 9512 0.01632 -7357 9854 0.00445 -7356 7388 0.01842 -7356 9024 0.01262 -7355 8500 0.01013 -7354 9442 0.01251 -7353 8451 0.01337 -7353 8683 0.00910 -7353 9019 0.01004 -7352 7945 0.01180 -7352 9895 0.00211 -7352 9975 0.01718 -7351 7708 0.01789 -7351 8871 0.01450 -7350 9310 0.01180 -7349 7953 0.00468 -7349 8288 0.00987 -7349 8781 0.01901 -7349 9459 0.00479 -7348 7511 0.01934 -7348 7515 0.01038 -7348 7892 0.01415 -7348 8062 0.01646 -7348 9338 0.01785 -7348 9999 0.01488 -7347 7638 0.01009 -7347 8261 0.01663 -7346 8629 0.01095 -7345 8126 0.01920 -7345 8200 0.01488 -7345 8387 0.01242 -7345 9518 0.01172 -7344 8357 0.01395 -7344 8777 0.00812 -7343 7749 0.01319 -7343 8530 0.01101 -7343 8613 0.01697 -7343 9332 0.01883 -7343 9642 0.01898 -7342 7938 0.01842 -7342 7989 0.00520 -7342 9347 0.00966 -7342 9758 0.01712 -7341 8241 0.01898 -7341 8968 0.01915 -7341 9353 0.01305 -7340 9195 0.01620 -7340 9515 0.01318 -7339 7591 0.01395 -7339 7808 0.01149 -7339 9246 0.00346 -7338 7506 0.01693 -7338 7521 0.01965 -7338 8037 0.00814 -7338 8747 0.01997 -7338 8890 0.00830 -7337 7803 0.00567 -7337 8243 0.01654 -7337 9296 0.01191 -7336 8329 0.01005 -7336 8805 0.01523 -7336 9937 0.01552 -7335 8367 0.00826 -7335 8644 0.01080 -7334 8012 0.01746 -7334 9536 0.01762 -7334 9953 0.01857 -7333 7406 0.01016 -7333 7636 0.01917 -7333 7835 0.01194 -7333 8821 0.01553 -7332 8560 0.00985 -7332 9243 0.01114 -7332 9760 0.01300 -7331 8244 0.01843 -7330 7340 0.01335 -7330 8154 0.01818 -7330 9195 0.01648 -7330 9515 0.00641 -7329 7797 0.00699 -7329 8772 0.00842 -7328 7486 0.01403 -7328 7768 0.00675 -7326 7583 0.01053 -7326 9560 0.00816 -7326 9746 0.01306 -7325 9333 0.01485 -7325 9520 0.00806 -7324 7380 0.01808 -7323 7395 0.01882 -7323 7628 0.01955 -7323 7654 0.01507 -7323 8756 0.01961 -7323 9441 0.01687 -7323 9461 0.01214 -7322 7456 0.01917 -7322 7657 0.01385 -7322 8127 0.01850 -7322 8838 0.00472 -7322 9202 0.00446 -7322 9306 0.01175 -7322 9372 0.01428 -7321 7593 0.01675 -7321 7701 0.01864 -7320 7482 0.01551 -7320 7872 0.01882 -7320 8521 0.01448 -7320 8606 0.01564 -7320 8782 0.01156 -7320 9618 0.01937 -7320 9877 0.01343 -7319 7439 0.01789 -7319 8952 0.00480 -7319 9523 0.01669 -7319 9613 0.01946 -7319 9812 0.01448 -7318 7341 0.01102 -7318 7383 0.01078 -7318 8381 0.01661 -7318 9017 0.01927 -7318 9353 0.00565 -7317 8165 0.01602 -7317 8976 0.01832 -7317 9872 0.01963 -7316 7751 0.01605 -7315 7410 0.00983 -7315 7606 0.00998 -7315 8161 0.00936 -7315 8601 0.00759 -7315 9068 0.01146 -7315 9543 0.00621 -7314 7983 0.01515 -7314 8519 0.01183 -7314 8723 0.01846 -7313 9762 0.01782 -7313 9971 0.00972 -7312 7771 0.00824 -7312 8205 0.01210 -7311 8398 0.01244 -7311 8638 0.01805 -7310 8233 0.00626 -7310 8817 0.01760 -7310 9111 0.00213 -7310 9388 0.01657 -7310 9785 0.01883 -7309 7928 0.01281 -7309 8368 0.00963 -7309 8835 0.00229 -7309 9015 0.00613 -7309 9805 0.01548 -7309 9914 0.00725 -7308 7382 0.01991 -7308 7589 0.01776 -7308 9392 0.01293 -7308 9991 0.01746 -7307 9096 0.00425 -7306 7524 0.01588 -7306 9094 0.01590 -7306 9192 0.01250 -7306 9594 0.01754 -7305 7926 0.01296 -7305 8787 0.01957 -7305 8801 0.00314 -7305 9445 0.01677 -7305 9626 0.01033 -7305 9749 0.00445 -7304 7430 0.01712 -7304 7465 0.00718 -7304 9757 0.01321 -7303 8812 0.01824 -7303 8907 0.01798 -7303 9160 0.00542 -7302 8328 0.01962 -7302 9990 0.01992 -7301 7338 0.00110 -7301 7506 0.01698 -7301 7521 0.01890 -7301 8037 0.00808 -7301 8741 0.01956 -7301 8890 0.00930 -7300 8029 0.01911 -7300 8075 0.01890 -7300 9945 0.00973 -7299 7404 0.01500 -7299 9538 0.01637 -7299 9607 0.00986 -7298 7817 0.01300 -7298 8118 0.01385 -7298 8892 0.01511 -7298 8898 0.01769 -7298 9996 0.01595 -7297 7444 0.01666 -7297 7561 0.01430 -7297 8413 0.00566 -7297 8687 0.00925 -7297 9481 0.01299 -7296 8148 0.01924 -7296 8540 0.01484 -7296 8908 0.01396 -7295 8872 0.00350 -7295 9271 0.01838 -7295 9335 0.01518 -7294 8077 0.00620 -7294 9409 0.01359 -7293 8159 0.01864 -7293 8477 0.01356 -7291 7887 0.01011 -7291 8318 0.01901 -7291 8378 0.01574 -7290 8221 0.01882 -7290 9456 0.01202 -7290 9685 0.01397 -7289 8682 0.01369 -7289 9045 0.01695 -7289 9072 0.00454 -7288 9413 0.01501 -7288 9731 0.00498 -7287 7978 0.00628 -7287 8743 0.01100 -7287 8978 0.01065 -7286 7864 0.01649 -7286 7886 0.01882 -7286 8120 0.01908 -7286 9293 0.00436 -7286 9723 0.01688 -7286 9764 0.00092 -7286 9885 0.01492 -7285 7625 0.01218 -7285 8234 0.01648 -7285 8309 0.01884 -7285 8490 0.00669 -7285 8913 0.01428 -7284 7495 0.01139 -7284 7673 0.01499 -7284 9053 0.00758 -7284 9100 0.01518 -7284 9551 0.01238 -7284 9857 0.01774 -7283 7846 0.01079 -7282 7653 0.01580 -7282 7799 0.01508 -7282 8119 0.01550 -7282 9559 0.01443 -7282 9771 0.00779 -7281 8186 0.01043 -7281 8982 0.00801 -7281 9227 0.01401 -7280 7612 0.01357 -7280 7681 0.00895 -7280 8147 0.01644 -7280 8492 0.01797 -7280 9193 0.01978 -7279 9345 0.01640 -7279 9507 0.01291 -7279 9815 0.01267 -7278 9509 0.01765 -7277 7644 0.00625 -7277 8858 0.00876 -7276 8060 0.01225 -7276 8333 0.01149 -7276 8832 0.01813 -7276 8879 0.01405 -7275 7620 0.01169 -7275 8307 0.01633 -7275 8568 0.01554 -7275 8848 0.01716 -7275 9143 0.01560 -7274 8655 0.00932 -7274 9003 0.01000 -7273 8287 0.01249 -7273 8929 0.01550 -7273 9557 0.00948 -7272 8302 0.01795 -7272 8595 0.01642 -7271 8564 0.00968 -7271 9661 0.01962 -7271 9736 0.01563 -7270 7298 0.01656 -7270 8118 0.01147 -7270 8898 0.01649 -7269 7286 0.01640 -7269 7864 0.00797 -7269 8764 0.01165 -7269 9293 0.01951 -7269 9723 0.00983 -7269 9764 0.01558 -7268 8696 0.00928 -7267 7280 0.01958 -7267 7612 0.00751 -7267 9193 0.01353 -7267 9322 0.00528 -7266 9268 0.00952 -7265 7334 0.01611 -7265 8793 0.01466 -7265 9953 0.00977 -7264 7471 0.01982 -7264 7973 0.01258 -7264 8114 0.00867 -7264 8217 0.01130 -7264 9304 0.01559 -7264 9634 0.01077 -7264 9753 0.01641 -7263 8877 0.01818 -7263 9360 0.01403 -7262 7360 0.01973 -7261 7628 0.01563 -7261 7810 0.01727 -7261 7955 0.00640 -7261 8459 0.01883 -7260 7277 0.01939 -7260 7358 0.01838 -7260 7644 0.01316 -7260 7907 0.01505 -7259 7514 0.00479 -7259 7770 0.01735 -7259 8722 0.01806 -7259 8766 0.01596 -7259 9289 0.01621 -7259 9913 0.01081 -7259 9966 0.01523 -7258 8190 0.01839 -7258 9134 0.01590 -7258 9150 0.01953 -7258 9871 0.00523 -7257 7285 0.01481 -7257 7459 0.00563 -7257 7873 0.01121 -7257 8234 0.01550 -7257 8811 0.01268 -7257 9656 0.01413 -7256 8605 0.01832 -7256 8779 0.01381 -7256 9045 0.01635 -7255 9902 0.01209 -7254 7278 0.01724 -7254 8105 0.01536 -7254 8586 0.01969 -7254 9370 0.01569 -7253 7939 0.01891 -7253 9880 0.01809 -7252 8709 0.01996 -7252 9149 0.00316 -7252 9328 0.01162 -7251 8017 0.01457 -7251 8094 0.01756 -7251 8736 0.01956 -7251 8905 0.01052 -7251 9175 0.01854 -7250 7373 0.01784 -7250 7697 0.01548 -7250 8045 0.01739 -7250 8091 0.01282 -7250 8206 0.00897 -7250 8432 0.01301 -7250 8646 0.01735 -7248 7608 0.01971 -7248 7616 0.00772 -7248 8790 0.00795 -7248 8823 0.00525 -7247 8023 0.01741 -7247 8274 0.01391 -7247 8281 0.01107 -7247 8825 0.01141 -7246 7447 0.01827 -7246 8461 0.00656 -7246 9144 0.01397 -7246 9879 0.01793 -7246 9960 0.00856 -7245 7586 0.01450 -7245 7991 0.01334 -7245 8500 0.01403 -7245 8922 0.01165 -7245 9847 0.00943 -7244 7427 0.01713 -7244 7548 0.01436 -7244 8050 0.01886 -7244 8102 0.01621 -7244 9218 0.01993 -7244 9313 0.01305 -7244 9469 0.00413 -7243 7601 0.01590 -7243 8135 0.01489 -7243 8551 0.01482 -7243 8758 0.01263 -7243 9995 0.00658 -7242 8428 0.01050 -7241 8815 0.01668 -7241 8939 0.01652 -7241 8965 0.01673 -7241 9055 0.00808 -7241 9234 0.00349 -7241 9437 0.00977 -7241 9748 0.01192 -7240 9145 0.01339 -7240 9904 0.01631 -7239 7277 0.01450 -7239 7442 0.01704 -7239 7644 0.01623 -7239 8858 0.00716 -7238 8508 0.01418 -7238 8564 0.01737 -7238 9710 0.01649 -7237 7538 0.01692 -7237 7829 0.00643 -7237 8749 0.01439 -7237 8831 0.00811 -7237 9148 0.00769 -7237 9674 0.01676 -7236 8842 0.01252 -7235 7624 0.00614 -7235 7642 0.01362 -7235 7678 0.01421 -7235 8213 0.01370 -7235 9018 0.01547 -7235 9697 0.01917 -7234 7251 0.01784 -7234 8094 0.00768 -7234 8736 0.01436 -7234 9606 0.00714 -7234 9981 0.01811 -7233 7434 0.00626 -7233 7685 0.01881 -7233 9886 0.01505 -7232 7995 0.01983 -7232 8038 0.01484 -7232 8511 0.01575 -7232 8733 0.01299 -7232 9150 0.01756 -7232 9825 0.00711 -7232 9938 0.01648 -7231 9273 0.01370 -7230 7235 0.00076 -7230 7624 0.00567 -7230 7642 0.01427 -7230 7678 0.01493 -7230 8213 0.01409 -7230 9018 0.01472 -7230 9697 0.01993 -7229 7561 0.01297 -7229 8687 0.01802 -7229 9256 0.01977 -7228 7816 0.01263 -7228 7867 0.01661 -7228 8579 0.01661 -7228 8899 0.01938 -7228 9058 0.01776 -7228 9188 0.01127 -7228 9961 0.01620 -7227 7883 0.01508 -7227 9092 0.01814 -7226 7632 0.01056 -7226 9548 0.01151 -7226 9645 0.01583 -7225 9534 0.00953 -7224 7440 0.01609 -7224 7567 0.01974 -7224 7801 0.01905 -7224 9792 0.01071 -7223 8557 0.01136 -7223 8672 0.00473 -7223 8702 0.01812 -7222 7587 0.01786 -7222 7677 0.01247 -7222 7731 0.00890 -7222 8076 0.01246 -7222 8317 0.01610 -7222 8566 0.01764 -7222 9719 0.01709 -7222 9756 0.01502 -7221 7809 0.01985 -7221 7861 0.01790 -7221 8376 0.00604 -7221 8588 0.00777 -7221 9909 0.01571 -7220 7368 0.01268 -7220 7724 0.01953 -7220 9084 0.01886 -7219 8798 0.00800 -7219 8898 0.01820 -7219 9118 0.01846 -7219 9173 0.01729 -7218 7939 0.00612 -7217 7414 0.01718 -7217 8742 0.00442 -7216 7608 0.01359 -7216 7686 0.00602 -7216 8937 0.00884 -7216 9109 0.00488 -7215 7278 0.00934 -7214 8140 0.01758 -7213 8088 0.01496 -7213 8263 0.01778 -7213 8667 0.00048 -7213 8879 0.01742 -7213 9142 0.01298 -7212 7301 0.01957 -7212 7338 0.01883 -7212 7506 0.01256 -7212 8444 0.01181 -7212 8747 0.00571 -7212 8890 0.01159 -7212 9239 0.01952 -7211 9975 0.01348 -7210 9309 0.01737 -7210 9694 0.01279 -7209 7210 0.01506 -7209 7968 0.00782 -7209 8986 0.01925 -7209 9309 0.01380 -7209 9694 0.00384 -7208 8781 0.02000 -7208 9240 0.01249 -7207 7581 0.01750 -7207 7679 0.01092 -7207 8669 0.01022 -7207 9185 0.01011 -7207 9596 0.01968 -7206 7216 0.01201 -7206 7608 0.01931 -7206 7686 0.01379 -7206 8937 0.01569 -7206 9109 0.01619 -7205 7444 0.01541 -7205 8181 0.01485 -7205 8578 0.01271 -7205 9481 0.01480 -7204 8270 0.01487 -7204 9456 0.01957 -7204 9685 0.01932 -7203 8069 0.01664 -7203 8763 0.01810 -7203 8943 0.01332 -7203 9769 0.01622 -7202 9890 0.01514 -7201 7357 0.01039 -7201 8009 0.00928 -7201 8619 0.01019 -7201 8948 0.00947 -7201 9361 0.01320 -7201 9400 0.01471 -7201 9512 0.01950 -7201 9854 0.01142 -7200 7445 0.00342 -7200 9168 0.00448 -7200 9686 0.01111 -7199 7723 0.00407 -7199 7800 0.00716 -7199 9002 0.01534 -7199 9276 0.01359 -7198 8024 0.01630 -7198 8597 0.01115 -7198 8855 0.00941 -7198 9878 0.01085 -7197 7545 0.00530 -7197 8341 0.01317 -7197 8645 0.01474 -7196 9258 0.01532 -7196 9587 0.01686 -7195 8149 0.00590 -7195 8660 0.01714 -7195 9761 0.00906 -7194 8509 0.01961 -7194 8934 0.01517 -7194 9172 0.00905 -7194 9510 0.01336 -7193 7826 0.00994 -7193 8256 0.00541 -7193 8630 0.00462 -7193 9762 0.01893 -7192 7330 0.01586 -7192 7340 0.00418 -7192 9195 0.01410 -7192 9515 0.01687 -7191 8328 0.01504 -7191 9653 0.01998 -7191 9990 0.01553 -7190 7300 0.01737 -7190 8029 0.00284 -7190 8046 0.00946 -7190 8092 0.01551 -7190 9378 0.00911 -7190 9945 0.00799 -7189 7863 0.00416 -7189 8273 0.00555 -7189 9000 0.00875 -7188 7207 0.00254 -7188 7581 0.01693 -7188 7679 0.00954 -7188 8669 0.01219 -7188 9185 0.01058 -7187 7279 0.00817 -7187 9345 0.00962 -7187 9507 0.01512 -7187 9640 0.01802 -7187 9815 0.01614 -7186 8129 0.01814 -7186 8133 0.00973 -7186 9337 0.00317 -7186 9683 0.01530 -7186 9688 0.00728 -7185 7453 0.01464 -7185 7927 0.01710 -7185 8547 0.01176 -7185 9517 0.01390 -7184 7605 0.01936 -7184 8814 0.01710 -7184 9208 0.01889 -7184 9592 0.01498 -7184 9775 0.01213 -7183 7455 0.00652 -7183 9181 0.00809 -7183 9482 0.00638 -7182 9383 0.01410 -7180 7519 0.01562 -7179 9502 0.01419 -7179 9582 0.00889 -7179 9727 0.01884 -7178 8238 0.01264 -7178 8657 0.01894 -7178 9047 0.00749 -7178 9070 0.00973 -7178 9075 0.01519 -7178 9224 0.01938 -7178 9365 0.01005 -7178 9599 0.00534 -7177 8830 0.00840 -7177 9446 0.01998 -7177 9848 0.01401 -7176 8042 0.01739 -7176 8253 0.00464 -7176 8422 0.01644 -7176 8466 0.00506 -7176 9458 0.01608 -7175 7229 0.00433 -7175 7561 0.01666 -7174 8170 0.01684 -7174 9824 0.00895 -7174 9852 0.00746 -7173 7425 0.01177 -7173 9216 0.01550 -7173 9779 0.01792 -7172 8054 0.01472 -7172 9728 0.01059 -7171 7582 0.01744 -7171 9039 0.00816 -7170 7376 0.01838 -7170 7725 0.01376 -7170 7971 0.01799 -7170 9403 0.01814 -7170 9550 0.01417 -7168 8544 0.01925 -7168 8940 0.01946 -7168 8950 0.00580 -7168 9141 0.01204 -7168 9359 0.01335 -7168 9476 0.01885 -7168 9639 0.00946 -7167 7866 0.01787 -7167 8794 0.01506 -7167 9787 0.01717 -7166 7783 0.01129 -7166 9147 0.01397 -7165 7202 0.01362 -7165 9198 0.01021 -7165 9890 0.01300 -7164 7313 0.01152 -7164 9762 0.00939 -7164 9971 0.01987 -7163 8864 0.01727 -7163 9940 0.01895 -7162 7721 0.00922 -7162 8095 0.01696 -7162 8251 0.01981 -7162 8448 0.01112 -7162 8684 0.01868 -7162 9547 0.01897 -7161 7351 0.00826 -7161 8871 0.00647 -7160 7300 0.00968 -7160 8075 0.01730 -7160 9945 0.01368 -7159 7977 0.01294 -7159 8869 0.01865 -7158 8670 0.01730 -7158 9037 0.01055 -7157 7834 0.00982 -7157 8487 0.01302 -7156 7161 0.01163 -7156 7351 0.01884 -7156 8871 0.00582 -7155 8652 0.00627 -7155 8685 0.01832 -7155 8863 0.01836 -7155 9182 0.01279 -7155 9533 0.01297 -7155 9745 0.01560 -7154 7244 0.00663 -7154 7548 0.01423 -7154 8102 0.01942 -7154 9218 0.01554 -7154 9313 0.01476 -7154 9469 0.00313 -7153 7420 0.01340 -7153 7566 0.01376 -7152 7206 0.01347 -7152 7831 0.01954 -7152 9116 0.01854 -7152 9444 0.01324 -7151 9381 0.01020 -7151 9565 0.01892 -7150 7234 0.01750 -7150 7957 0.01976 -7150 8874 0.00799 -7150 9499 0.01624 -7149 7336 0.01644 -7149 7536 0.01621 -7149 8329 0.01646 -7148 7695 0.01149 -7148 8167 0.01124 -7146 7453 0.01755 -7146 7927 0.01230 -7146 8951 0.00318 -7146 9326 0.01858 -7146 9552 0.00465 -7146 9867 0.01997 -7145 8247 0.01868 -7145 9082 0.00332 -7145 9811 0.00147 -7145 9927 0.00800 -7144 8254 0.01685 -7144 8865 0.00366 -7144 8942 0.01926 -7144 9200 0.01658 -7143 9128 0.01637 -7143 9925 0.01395 -7142 8561 0.00572 -7142 9175 0.00792 -7142 9309 0.01294 -7141 7871 0.01204 -7141 8270 0.01578 -7141 9255 0.00479 -7141 9471 0.01514 -7140 8699 0.01958 -7139 7763 0.00873 -7139 7958 0.00627 -7139 8121 0.01232 -7139 9391 0.01913 -7139 9528 0.01159 -7139 9838 0.01177 -7138 8085 0.01328 -7138 8582 0.00832 -7138 9318 0.01065 -7138 9747 0.01998 -7136 7170 0.01739 -7136 7376 0.01986 -7136 7725 0.01637 -7136 8063 0.00957 -7136 8327 0.01454 -7135 7222 0.00414 -7135 7587 0.01959 -7135 7677 0.01296 -7135 7731 0.01144 -7135 8076 0.01037 -7135 8566 0.01878 -7135 8692 0.01773 -7135 9719 0.01304 -7135 9756 0.01876 -7134 8048 0.00795 -7134 9303 0.00390 -7133 8302 0.00969 -7132 7437 0.01342 -7132 7901 0.01940 -7132 8072 0.01325 -7132 8469 0.01444 -7132 9283 0.01842 -7132 9677 0.01425 -7131 9343 0.01032 -7130 8394 0.01190 -7130 9477 0.01337 -7129 8822 0.01884 -7129 9470 0.01635 -7128 7210 0.01874 -7128 9648 0.00613 -7128 9866 0.01845 -7128 9874 0.01990 -7127 7700 0.01304 -7127 9120 0.01817 -7126 7609 0.00386 -7126 7786 0.01927 -7126 8998 0.01610 -7126 9140 0.01469 -7126 9928 0.01912 -7125 7265 0.01708 -7125 7334 0.00110 -7125 8012 0.01653 -7125 9536 0.01763 -7125 9953 0.01967 -7124 7876 0.01869 -7124 8214 0.01927 -7124 8470 0.00864 -7124 8997 0.01464 -7124 9643 0.01606 -7123 7602 0.01299 -7123 7802 0.01835 -7123 8465 0.01212 -7123 9438 0.00967 -7123 9994 0.01839 -7121 7997 0.01033 -7121 8004 0.00764 -7121 8921 0.01346 -7120 8029 0.01769 -7120 9452 0.01850 -7119 7480 0.00907 -7119 7596 0.00965 -7119 7958 0.01661 -7119 9528 0.01491 -7119 9838 0.01159 -7118 8058 0.01532 -7118 8235 0.01516 -7118 9939 0.01409 -7118 9959 0.01194 -7117 7401 0.01589 -7117 8266 0.01594 -7117 9319 0.01495 -7116 9635 0.01715 -7115 8346 0.01693 -7115 8946 0.01138 -7114 7486 0.01588 -7114 9478 0.01761 -7114 9839 0.01387 -7113 7209 0.00540 -7113 7968 0.00331 -7113 8986 0.01956 -7113 9309 0.01636 -7113 9694 0.00839 -7112 7477 0.00989 -7112 9611 0.00952 -7111 7765 0.01135 -7111 7860 0.01866 -7111 8332 0.01963 -7111 8882 0.01459 -7111 9840 0.01914 -7111 9848 0.01865 -7110 7739 0.01261 -7110 8015 0.01777 -7110 8033 0.01786 -7110 8122 0.00897 -7110 8717 0.01474 -7110 9362 0.01710 -7110 9790 0.01474 -7109 7659 0.01343 -7108 7318 0.01825 -7108 7383 0.00763 -7108 8381 0.00300 -7108 8514 0.01590 -7108 9017 0.01106 -7107 7386 0.00739 -7107 7670 0.01571 -7107 7844 0.01816 -7107 9768 0.00628 -7106 9184 0.01946 -7105 9796 0.01235 -7104 8306 0.01825 -7104 8308 0.01539 -7104 9734 0.01977 -7103 7450 0.00945 -7103 7987 0.01000 -7103 7995 0.01343 -7103 8038 0.01952 -7103 8623 0.01740 -7103 9628 0.01923 -7102 7773 0.01166 -7102 8172 0.00815 -7102 8563 0.01993 -7102 9329 0.01619 -7101 7788 0.00454 -7101 8184 0.01979 -7101 9434 0.01129 -7100 7574 0.00747 -7099 8126 0.01310 -7098 7693 0.01640 -7098 8520 0.01666 -7098 9911 0.00845 -7097 8744 0.01216 -7097 8836 0.01167 -7097 8897 0.01639 -7097 8961 0.01789 -7097 9482 0.01945 -7096 7630 0.01034 -7096 8338 0.01091 -7095 7791 0.01893 -7095 8607 0.01012 -7095 8967 0.01062 -7095 9272 0.01849 -7095 9448 0.01738 -7095 9835 0.01205 -7094 7604 0.00804 -7094 9423 0.01371 -7094 9513 0.01971 -7094 9941 0.00215 -7094 9958 0.01845 -7093 7337 0.00559 -7093 7803 0.00801 -7093 8243 0.01352 -7093 8518 0.01540 -7093 9296 0.01613 -7092 7590 0.01254 -7092 7721 0.01699 -7092 7845 0.01940 -7092 8448 0.01557 -7092 8768 0.01675 -7092 9426 0.00709 -7091 8256 0.01984 -7091 9042 0.01771 -7091 9073 0.01394 -7090 7315 0.01094 -7090 7606 0.02000 -7090 8161 0.00162 -7090 8601 0.00660 -7090 9068 0.00801 -7090 9543 0.00876 -7089 7168 0.00294 -7089 8544 0.01661 -7089 8950 0.00297 -7089 9141 0.01492 -7089 9359 0.01310 -7089 9476 0.01592 -7089 9639 0.01227 -7088 8537 0.01347 -7087 7215 0.01731 -7087 7278 0.01740 -7087 7640 0.01987 -7087 9454 0.01936 -7087 9509 0.00660 -7086 7673 0.01567 -7086 8629 0.01702 -7086 9100 0.01561 -7086 9126 0.00784 -7085 7795 0.01324 -7084 7735 0.01243 -7084 8498 0.01457 -7084 9593 0.01776 -7084 9827 0.00994 -7083 7559 0.01186 -7083 8035 0.01512 -7083 8599 0.01480 -7083 8935 0.01600 -7083 9935 0.01267 -7082 8627 0.01457 -7082 9140 0.01606 -7082 9966 0.01963 -7081 7463 0.01746 -7081 7722 0.00695 -7081 9031 0.01599 -7080 8201 0.01110 -7079 7230 0.01003 -7079 7235 0.01049 -7079 7624 0.01300 -7079 7642 0.01825 -7079 8213 0.01397 -7079 8631 0.01640 -7079 9018 0.01147 -7078 8301 0.00659 -7077 7429 0.00337 -7077 8565 0.01080 -7076 7296 0.01544 -7076 9648 0.01618 -7076 9866 0.00995 -7075 7087 0.01343 -7075 7215 0.00856 -7075 7254 0.01840 -7075 7278 0.00401 -7075 9509 0.01428 -7074 7876 0.01400 -7074 8214 0.01174 -7074 8585 0.01405 -7074 8997 0.01841 -7074 9621 0.00530 -7074 9643 0.01700 -7074 9949 0.01550 -7073 7143 0.01874 -7073 7682 0.01285 -7073 7761 0.01745 -7073 8502 0.01775 -7073 9128 0.00445 -7073 9925 0.00630 -7072 7981 0.01810 -7072 9273 0.01531 -7072 9818 0.00618 -7071 7787 0.00933 -7071 8462 0.01737 -7071 9229 0.01797 -7071 9569 0.01237 -7071 9802 0.01387 -7071 9850 0.01093 -7070 7139 0.01870 -7070 7509 0.01389 -7070 8121 0.00822 -7070 9972 0.00491 -7069 9115 0.01872 -7068 7126 0.01665 -7068 7609 0.01373 -7068 9745 0.01873 -7067 7379 0.01370 -7067 7707 0.01964 -7067 8688 0.00991 -7066 7424 0.01164 -7066 8280 0.01438 -7066 9539 0.01235 -7065 7496 0.01129 -7065 7687 0.01510 -7064 8051 0.00877 -7064 8412 0.01783 -7064 9016 0.00840 -7064 9590 0.01842 -7063 9390 0.00825 -7062 7100 0.01821 -7062 7189 0.01868 -7062 7485 0.01848 -7062 7863 0.01843 -7061 7109 0.01390 -7061 7659 0.01031 -7061 7818 0.01262 -7061 7985 0.01843 -7060 7497 0.01062 -7060 8339 0.00478 -7060 8428 0.01523 -7060 9184 0.01073 -7059 7382 0.01804 -7059 7786 0.01077 -7059 8734 0.00612 -7059 8783 0.01545 -7059 8788 0.01732 -7059 8998 0.01365 -7059 9067 0.01679 -7059 9928 0.01177 -7058 7455 0.01728 -7058 7543 0.01719 -7058 9181 0.01622 -7057 7660 0.00371 -7057 9220 0.01327 -7056 7074 0.01851 -7056 8585 0.01919 -7055 8331 0.01852 -7055 9233 0.01763 -7054 8177 0.01365 -7054 8197 0.01992 -7054 8232 0.01311 -7054 9525 0.01980 -7054 9733 0.01545 -7053 7452 0.00771 -7053 7664 0.00195 -7052 7518 0.01798 -7052 8500 0.01773 -7052 8548 0.01509 -7051 7794 0.01562 -7051 7891 0.01302 -7051 7990 0.00056 -7051 8083 0.01149 -7051 8864 0.01580 -7051 9241 0.00878 -7050 7220 0.00925 -7050 7368 0.01674 -7050 7405 0.01673 -7050 9678 0.01425 -7049 8239 0.01656 -7049 8803 0.01742 -7049 9288 0.01251 -7048 7053 0.01605 -7048 7452 0.01789 -7048 7664 0.01438 -7047 7138 0.01630 -7047 8085 0.00691 -7047 8582 0.01348 -7047 8679 0.00673 -7047 9747 0.01463 -7047 9803 0.01745 -7046 8674 0.00760 -7046 9846 0.01093 -7045 7381 0.00752 -7045 8222 0.00773 -7045 8860 0.01134 -7045 9411 0.00468 -7044 7807 0.01969 -7044 8096 0.01776 -7044 8330 0.01477 -7044 8620 0.01711 -7044 9743 0.01151 -7043 7185 0.01439 -7043 7577 0.01559 -7043 8738 0.01494 -7043 9517 0.00528 -7042 7108 0.01702 -7042 7318 0.00874 -7042 7341 0.01958 -7042 7383 0.01016 -7042 8381 0.01434 -7042 9129 0.01813 -7042 9353 0.00830 -7041 7925 0.01937 -7041 8006 0.01889 -7041 8372 0.01803 -7040 7042 0.01689 -7040 7108 0.01574 -7040 7318 0.01009 -7040 7341 0.01186 -7040 7383 0.01134 -7040 8381 0.01584 -7040 8514 0.01363 -7040 8819 0.01934 -7040 9017 0.01103 -7040 9353 0.01563 -7039 7741 0.01948 -7039 9334 0.01952 -7039 9479 0.00806 -7038 7361 0.00876 -7038 8169 0.01984 -7038 8496 0.01809 -7038 9484 0.01607 -7037 9483 0.00453 -7036 8103 0.00884 -7035 8036 0.01477 -7035 9076 0.01064 -7034 7855 0.01533 -7034 8131 0.01300 -7034 8480 0.01044 -7034 9231 0.00919 -7034 9709 0.01990 -7033 9103 0.00978 -7033 9719 0.01804 -7032 7976 0.01273 -7032 9565 0.01868 -7031 7102 0.00914 -7031 7773 0.01259 -7031 8172 0.00609 -7031 9329 0.01737 -7030 7658 0.01359 -7030 8450 0.01632 -7030 9549 0.00935 -7028 8562 0.00845 -7028 9464 0.01141 -7027 7614 0.01471 -7027 8219 0.01700 -7027 8887 0.01889 -7027 9473 0.00827 -7027 9819 0.01342 -7026 7101 0.00545 -7026 7788 0.00305 -7026 8184 0.01911 -7026 9434 0.01411 -7025 7667 0.01782 -7025 8449 0.01578 -7025 8609 0.01171 -7025 9156 0.01232 -7024 7412 0.00959 -7024 7627 0.01335 -7024 7694 0.01087 -7024 8136 0.01874 -7024 8827 0.01529 -7024 9451 0.01715 -7023 9759 0.01941 -7022 8310 0.01928 -7022 8449 0.00792 -7022 9754 0.00688 -7021 8607 0.01438 -7021 8953 0.00564 -7021 9835 0.01328 -7020 9035 0.01433 -7020 9270 0.01394 -7019 7216 0.01867 -7019 7686 0.01468 -7019 9029 0.01460 -7019 9109 0.01859 -7018 8264 0.01160 -7018 9130 0.00820 -7018 9315 0.01900 -7018 9427 0.01648 -7017 7274 0.01863 -7017 9831 0.01121 -7016 7525 0.01147 -7016 8138 0.01321 -7016 8494 0.01374 -7016 8621 0.01342 -7016 8712 0.01775 -7016 9588 0.01897 -7015 7894 0.01471 -7015 8389 0.01478 -7015 9751 0.01257 -7015 9859 0.01147 -7014 7400 0.01776 -7014 8355 0.01150 -7014 9787 0.00292 -7014 9977 0.01481 -7013 8006 0.01950 -7013 8297 0.01844 -7013 9040 0.01379 -7013 9737 0.00822 -7012 8340 0.01641 -7012 8528 0.01062 -7012 9089 0.01233 -7012 9619 0.00788 -7012 9689 0.01903 -7011 7155 0.00383 -7011 8652 0.01009 -7011 8685 0.01516 -7011 9182 0.01079 -7011 9533 0.01671 -7011 9745 0.01943 -7010 7275 0.01027 -7010 8848 0.00798 -7008 7363 0.00889 -7008 9603 0.00647 -7008 9930 0.00952 -7007 8502 0.01695 -7007 8512 0.01054 -7007 8988 0.00783 -7006 7254 0.01781 -7006 7823 0.01474 -7006 9370 0.01240 -7005 7508 0.01454 -7005 7639 0.00908 -7005 9106 0.01875 -7005 9323 0.00547 -7005 9924 0.01489 -7004 7965 0.01298 -7004 8587 0.01886 -7003 9800 0.01937 -7002 7219 0.01740 -7002 8118 0.01635 -7002 8798 0.01356 -7002 8898 0.01303 -7002 9118 0.00669 -7002 9173 0.01977 -7002 9948 0.01770 -7001 7082 0.01488 -7001 8627 0.01855 -7001 8839 0.01616 -7001 8925 0.01827 -7001 9966 0.01313 -7000 9583 0.00484 -6999 7005 0.00740 -6999 7422 0.01649 -6999 7639 0.01366 -6999 9323 0.00196 -6999 9924 0.01651 -6998 8421 0.00381 -6998 8462 0.01903 -6998 8519 0.01741 -6998 9366 0.01719 -6998 9654 0.00796 -6998 9802 0.01907 -6998 9850 0.01521 -6997 7663 0.01702 -6997 8255 0.01820 -6997 8824 0.01957 -6997 9965 0.01283 -6996 7999 0.01815 -6995 7487 0.01595 -6995 8378 0.01763 -6995 8747 0.01811 -6994 7490 0.01961 -6994 7705 0.00638 -6994 9137 0.01557 -6994 9280 0.01839 -6993 7466 0.01166 -6993 8767 0.00590 -6992 8357 0.01384 -6992 8452 0.01130 -6992 9625 0.00139 -6992 9856 0.01909 -6991 7814 0.00667 -6991 8576 0.01552 -6990 7778 0.01455 -6990 8193 0.01688 -6989 7594 0.01525 -6989 7738 0.01154 -6989 8488 0.01071 -6989 9214 0.01217 -6988 7051 0.01548 -6988 7990 0.01605 -6988 8008 0.01783 -6988 8083 0.01955 -6988 8579 0.01223 -6988 8864 0.01110 -6987 9286 0.00922 -6987 9947 0.01395 -6986 8509 0.00949 -6986 8984 0.01562 -6986 9172 0.01954 -6985 7044 0.01146 -6985 8330 0.01281 -6984 7120 0.01182 -6984 7354 0.01307 -6983 9391 0.00982 -6982 7734 0.00598 -6982 7913 0.01742 -6982 8592 0.00590 -6981 7264 0.01473 -6981 7391 0.01294 -6981 7973 0.01227 -6981 8217 0.00581 -6981 9026 0.01684 -6981 9634 0.00825 -6980 7123 0.01692 -6980 7602 0.00407 -6980 8751 0.01955 -6980 9452 0.01883 -6980 9994 0.00831 -6979 7504 0.01483 -6979 8463 0.01634 -6979 8851 0.01604 -6979 8947 0.01556 -6979 9007 0.00527 -6979 9299 0.01653 -6978 7441 0.00498 -6978 7851 0.01841 -6978 8021 0.01306 -6978 8293 0.01733 -6978 8349 0.01924 -6978 9659 0.01716 -6978 9926 0.01373 -6977 8128 0.01142 -6977 9576 0.01602 -6976 7085 0.00921 -6976 7348 0.01477 -6976 7515 0.01233 -6976 7795 0.01458 -6976 7892 0.01792 -6976 8062 0.01259 -6975 8538 0.01485 -6975 9006 0.01210 -6974 7036 0.01967 -6974 8103 0.01084 -6973 7591 0.00974 -6973 7808 0.01458 -6971 8100 0.00737 -6971 8551 0.01742 -6971 9452 0.01109 -6971 9994 0.01932 -6970 7070 0.00892 -6970 7139 0.01881 -6970 7958 0.01884 -6970 8121 0.00681 -6970 9838 0.01896 -6970 9972 0.00496 -6969 7230 0.01260 -6969 7235 0.01186 -6969 7624 0.01559 -6969 7642 0.01019 -6969 7678 0.00773 -6969 7912 0.01972 -6969 8213 0.01563 -6969 9697 0.00844 -6968 7286 0.01549 -6968 7886 0.01341 -6968 7996 0.01274 -6968 9253 0.00717 -6968 9293 0.01182 -6968 9764 0.01641 -6967 7128 0.01259 -6967 7210 0.01762 -6967 8540 0.01419 -6967 8908 0.01594 -6967 9065 0.01836 -6967 9648 0.01740 -6967 9874 0.00896 -6966 7125 0.01252 -6966 7265 0.00489 -6966 7334 0.01150 -6966 8793 0.01378 -6966 9953 0.00949 -6965 7342 0.01851 -6965 7989 0.01883 -6965 9347 0.01103 -6965 9758 0.01999 -6965 9772 0.01258 -6964 7112 0.00356 -6964 7477 0.00748 -6964 7821 0.01700 -6964 9611 0.01217 -6963 7937 0.01072 -6963 8792 0.01039 -6962 7714 0.01922 -6961 7022 0.01589 -6961 8310 0.01104 -6961 8876 0.00848 -6961 9754 0.01179 -6960 7855 0.01865 -6959 8589 0.00911 -6958 7063 0.01802 -6958 8494 0.01489 -6958 8635 0.01951 -6958 8712 0.01233 -6958 9390 0.01834 -6958 9588 0.01516 -6958 9601 0.01399 -6958 9646 0.00335 -6957 7750 0.00182 -6957 7754 0.01290 -6957 9270 0.01255 -6957 9348 0.00931 -6957 9666 0.00832 -6956 7003 0.01220 -6956 7764 0.01958 -6956 9800 0.01590 -6955 7284 0.01549 -6955 7495 0.00422 -6955 8406 0.01614 -6955 8880 0.00549 -6955 9053 0.01337 -6955 9870 0.01689 -6952 7153 0.01088 -6952 7420 0.01177 -6951 8330 0.01667 -6950 7184 0.01180 -6950 7592 0.01358 -6950 9248 0.01362 -6950 9775 0.01564 -6948 7268 0.00971 -6948 7637 0.01657 -6948 8696 0.00237 -6948 8883 0.01901 -6947 9983 0.00734 -6946 7102 0.01827 -6946 7680 0.01860 -6946 7773 0.01436 -6946 8172 0.01927 -6946 8654 0.01948 -6945 7043 0.00738 -6945 7577 0.01750 -6945 8738 0.01080 -6945 9344 0.01354 -6945 9517 0.01071 -6944 6963 0.01612 -6944 7937 0.01384 -6944 8234 0.01802 -6944 8309 0.01178 -6943 9148 0.01987 -6942 7341 0.01261 -6942 7635 0.01914 -6942 8089 0.01664 -6942 8241 0.01104 -6941 8840 0.01777 -6940 7470 0.01086 -6940 7767 0.01263 -6940 8615 0.01501 -6939 7751 0.01885 -6939 8549 0.01521 -6938 7917 0.01984 -6938 7957 0.00786 -6938 8596 0.01681 -6938 9889 0.00684 -6937 7507 0.01167 -6937 7629 0.01792 -6936 8193 0.01243 -6936 8267 0.01122 -6936 8691 0.00873 -6936 8854 0.00941 -6935 6986 0.01400 -6935 7631 0.00944 -6935 8939 0.01842 -6935 8984 0.01683 -6935 9446 0.00753 -6934 7246 0.01196 -6934 7421 0.01907 -6934 7447 0.01712 -6934 7737 0.01594 -6934 8461 0.01797 -6934 9144 0.01062 -6934 9960 0.00975 -6933 7370 0.01641 -6933 8010 0.01591 -6933 9194 0.00327 -6933 9342 0.01419 -6933 9984 0.01657 -6932 8178 0.01679 -6932 8382 0.01835 -6932 8684 0.01070 -6932 9726 0.00869 -6931 8538 0.01901 -6931 9138 0.01793 -6931 9351 0.01826 -6930 8286 0.01959 -6930 9488 0.00354 -6929 8252 0.01628 -6929 8670 0.00728 -6929 9037 0.01562 -6928 7950 0.01728 -6928 8663 0.01667 -6928 8909 0.01006 -6927 7435 0.00408 -6927 7516 0.01480 -6927 7645 0.01700 -6927 8175 0.01658 -6927 8326 0.00256 -6926 7010 0.01326 -6926 7650 0.01749 -6926 8848 0.00528 -6925 7085 0.01996 -6924 7148 0.00936 -6924 7695 0.01079 -6924 8167 0.00871 -6923 7450 0.01822 -6923 7987 0.01826 -6923 8623 0.01874 -6923 8915 0.00880 -6923 9085 0.01501 -6922 8280 0.00708 -6922 8873 0.00761 -6922 9539 0.00956 -6922 9630 0.01451 -6921 8478 0.01982 -6921 8938 0.00942 -6920 7121 0.01188 -6920 7997 0.00804 -6920 8004 0.00774 -6920 8921 0.01913 -6920 9987 0.01730 -6919 7256 0.01816 -6919 7289 0.00890 -6919 7597 0.01970 -6919 9045 0.00809 -6919 9072 0.00524 -6918 7879 0.00788 -6918 9355 0.01481 -6918 9894 0.01015 -6917 8915 0.01947 -6917 9085 0.01681 -6917 9317 0.01917 -6915 7840 0.00447 -6915 8598 0.01493 -6914 7806 0.01675 -6914 8291 0.01661 -6914 9262 0.00879 -6914 9696 0.01486 -6913 7267 0.01736 -6913 7280 0.00616 -6913 7612 0.01012 -6913 7681 0.00603 -6913 8147 0.01370 -6912 7137 0.01458 -6911 6966 0.00852 -6911 7265 0.00365 -6911 7334 0.01953 -6911 8793 0.01663 -6911 9953 0.01178 -6910 7386 0.01644 -6910 7723 0.01846 -6910 7784 0.00742 -6910 7844 0.00929 -6910 9002 0.01765 -6910 9276 0.01721 -6909 6931 0.01632 -6909 8154 0.01688 -6909 9138 0.00203 -6909 9195 0.01757 -6909 9351 0.01078 -6908 7442 0.01652 -6908 7857 0.00817 -6908 7908 0.01419 -6908 8329 0.01339 -6908 8805 0.00892 -6908 8987 0.01768 -6908 9321 0.01580 -6908 9937 0.01021 -6907 7446 0.01333 -6907 7719 0.01793 -6907 7744 0.01110 -6907 7824 0.00424 -6907 8276 0.01574 -6907 8904 0.00660 -6907 9717 0.01946 -6906 6986 0.01322 -6906 7194 0.01667 -6906 8509 0.00379 -6906 9172 0.00774 -6906 9492 0.01705 -6905 7458 0.01642 -6905 7599 0.01949 -6905 7684 0.01325 -6905 8223 0.00464 -6905 9320 0.00689 -6904 7781 0.01204 -6904 8116 0.01721 -6904 8278 0.01656 -6903 7319 0.01002 -6903 7439 0.00925 -6903 8952 0.01456 -6903 9523 0.00696 -6903 9613 0.01043 -6903 9812 0.01835 -6902 7601 0.00833 -6902 9813 0.00942 -6901 8846 0.01965 -6901 9098 0.01205 -6900 7052 0.00262 -6900 8500 0.01741 -6900 8548 0.01770 -6900 9867 0.01956 -6899 7136 0.01242 -6899 7652 0.01364 -6899 8055 0.01021 -6899 8063 0.01406 -6899 8327 0.00318 -6899 9268 0.01673 -6898 8225 0.00314 -6898 8828 0.01485 -6898 9956 0.00894 -6897 7069 0.01734 -6897 7918 0.01299 -6897 8123 0.00917 -6897 8775 0.01415 -6896 7392 0.01041 -6896 8237 0.00914 -6896 8626 0.01687 -6895 7692 0.01126 -6895 7905 0.00752 -6895 8639 0.00900 -6894 8065 0.00066 -6894 8843 0.00800 -6894 9872 0.01441 -6893 8026 0.00595 -6893 8567 0.01182 -6893 9845 0.01686 -6891 7288 0.01578 -6891 9413 0.00661 -6891 9712 0.01905 -6890 6998 0.00916 -6890 7071 0.01665 -6890 8421 0.01170 -6890 9222 0.01970 -6890 9366 0.01197 -6890 9654 0.01308 -6890 9802 0.00991 -6890 9850 0.00662 -6889 7732 0.01674 -6889 8653 0.01151 -6889 9307 0.01647 -6888 7411 0.01999 -6888 7543 0.00668 -6888 8650 0.01665 -6887 8478 0.01850 -6886 7591 0.01981 -6886 7808 0.01913 -6886 8587 0.01993 -6886 9407 0.01557 -6885 7305 0.01926 -6885 7926 0.00871 -6885 7972 0.01226 -6885 8700 0.01938 -6885 8801 0.01631 -6885 9445 0.01577 -6885 9626 0.01628 -6885 9749 0.01506 -6884 9352 0.00627 -6884 9976 0.01170 -6883 7228 0.01731 -6883 7816 0.01824 -6883 7867 0.01758 -6883 8008 0.01002 -6883 8579 0.00889 -6883 9058 0.01222 -6882 7211 0.01822 -6882 8246 0.01213 -6882 8610 0.01359 -6882 9910 0.01631 -6882 9920 0.01740 -6881 8533 0.01587 -6881 9356 0.01606 -6880 7619 0.01959 -6880 7779 0.01727 -6880 8145 0.01635 -6880 9125 0.01734 -6880 9571 0.00679 -6880 9750 0.00627 -6880 9779 0.01878 -6879 8834 0.00835 -6879 9129 0.01157 -6878 7311 0.01854 -6878 7539 0.01974 -6878 7578 0.01643 -6878 8146 0.01947 -6878 8759 0.01308 -6878 9647 0.01656 -6877 8557 0.01386 -6877 8672 0.01614 -6876 6884 0.01707 -6875 8704 0.01409 -6875 8927 0.01834 -6874 9808 0.01621 -6873 7713 0.01282 -6873 7822 0.01283 -6873 9057 0.00951 -6873 9855 0.01257 -6872 7301 0.00713 -6872 7338 0.00799 -6872 7506 0.01399 -6872 8037 0.01386 -6872 8741 0.01263 -6872 8890 0.01399 -6871 6948 0.00832 -6871 7268 0.00652 -6871 8696 0.00641 -6870 7104 0.01397 -6870 8306 0.01060 -6870 8308 0.00570 -6870 8622 0.01948 -6870 9734 0.01180 -6869 7001 0.00800 -6869 7082 0.00688 -6869 8627 0.01462 -6869 9966 0.01509 -6868 8074 0.01801 -6868 8543 0.01126 -6868 9201 0.01440 -6868 9284 0.01884 -6867 6958 0.01439 -6867 7063 0.00557 -6867 8494 0.01447 -6867 9390 0.00505 -6867 9646 0.01712 -6866 7060 0.01437 -6866 7431 0.01130 -6866 8339 0.01723 -6866 9184 0.01241 -6866 9546 0.01398 -6865 7521 0.01794 -6865 7693 0.01506 -6865 7748 0.00208 -6865 7820 0.00634 -6865 7825 0.01998 -6865 9861 0.01914 -6864 7374 0.01890 -6864 8125 0.01093 -6864 8740 0.01630 -6863 8401 0.01359 -6863 8603 0.01426 -6863 8745 0.00563 -6863 9159 0.00674 -6862 7012 0.01077 -6862 8528 0.00411 -6862 9089 0.01850 -6862 9619 0.00293 -6861 8440 0.01992 -6861 9562 0.01882 -6861 9844 0.01738 -6860 7028 0.01737 -6860 7700 0.00913 -6860 8067 0.00720 -6860 8305 0.00568 -6860 8562 0.00916 -6860 9120 0.01955 -6860 9464 0.01579 -6859 7582 0.01279 -6859 7979 0.00657 -6859 9432 0.01377 -6858 7056 0.00945 -6858 8585 0.01811 -6858 9759 0.01816 -6857 7691 0.00868 -6857 8047 0.01674 -6857 8154 0.01897 -6857 8155 0.01703 -6857 9146 0.01119 -6857 9157 0.00548 -6856 6890 0.01835 -6856 8466 0.01877 -6856 9366 0.01188 -6856 9802 0.01111 -6856 9850 0.01649 -6855 7182 0.00957 -6855 9049 0.01744 -6854 7523 0.01792 -6854 8158 0.01726 -6854 8505 0.00648 -6854 9325 0.00688 -6853 7228 0.00748 -6853 7816 0.00823 -6853 7867 0.01304 -6853 8899 0.01881 -6853 9058 0.01687 -6853 9188 0.00475 -6853 9961 0.01027 -6852 7094 0.01932 -6852 7105 0.01973 -6852 7604 0.01197 -6852 8139 0.01215 -6852 9941 0.01748 -6851 7261 0.01618 -6851 7810 0.00598 -6851 8459 0.01131 -6850 7520 0.00807 -6850 7837 0.00584 -6850 8221 0.01943 -6850 8324 0.01942 -6849 8681 0.01936 -6849 9608 0.00750 -6848 7691 0.01579 -6848 8047 0.00728 -6848 8155 0.01149 -6848 8918 0.01958 -6847 7812 0.01262 -6847 9094 0.01197 -6847 9192 0.01131 -6847 9594 0.01707 -6846 7393 0.01708 -6846 9350 0.01342 -6846 9836 0.01248 -6845 7144 0.00802 -6845 7469 0.01837 -6845 8254 0.01488 -6845 8865 0.00461 -6845 8942 0.01643 -6845 9200 0.01424 -6844 7743 0.01511 -6844 8334 0.01354 -6844 9038 0.01880 -6844 9536 0.01904 -6843 7482 0.01507 -6843 8287 0.01874 -6842 8296 0.01890 -6842 8493 0.01689 -6842 9460 0.00492 -6841 7158 0.00866 -6841 7512 0.01997 -6841 9037 0.01665 -6840 7826 0.01837 -6840 8081 0.00397 -6840 8262 0.01233 -6840 9281 0.01031 -6839 7431 0.01471 -6839 7497 0.01668 -6839 7729 0.01193 -6839 7805 0.00485 -6839 8339 0.01793 -6839 9841 0.01522 -6838 7091 0.01038 -6838 7164 0.01678 -6838 8256 0.01721 -6838 9762 0.01432 -6837 7092 0.01739 -6837 8095 0.01870 -6837 8448 0.01803 -6837 8768 0.00449 -6837 9426 0.01923 -6836 8923 0.01724 -6836 9530 0.01509 -6836 9589 0.01406 -6835 7730 0.01916 -6835 7746 0.00917 -6835 9167 0.01657 -6834 7385 0.00796 -6834 7600 0.01320 -6834 7868 0.01774 -6834 8153 0.01632 -6834 8295 0.00857 -6834 9681 0.01068 -6833 9881 0.01931 -6832 7056 0.01356 -6831 7909 0.01144 -6831 9090 0.01109 -6830 7472 0.00768 -6830 7570 0.00954 -6830 8301 0.01849 -6830 8515 0.01519 -6830 8785 0.00444 -6829 7361 0.01516 -6829 8169 0.01210 -6829 9484 0.01095 -6829 9684 0.00896 -6828 7123 0.01137 -6828 7602 0.01743 -6828 7802 0.01574 -6828 8465 0.00450 -6828 8751 0.01777 -6828 9291 0.01506 -6828 9438 0.00967 -6827 7797 0.01600 -6826 7842 0.01056 -6826 8152 0.01107 -6826 8724 0.01916 -6826 8817 0.01335 -6825 8168 0.00307 -6825 8260 0.01358 -6825 8726 0.01686 -6825 9223 0.00396 -6824 7387 0.00867 -6824 8954 0.01486 -6824 9257 0.01645 -6823 7550 0.01347 -6823 8399 0.00995 -6823 8899 0.00408 -6823 9237 0.00239 -6823 9546 0.01927 -6823 9961 0.01353 -6822 7597 0.01516 -6821 6987 0.01385 -6821 9947 0.01209 -6820 6978 0.01581 -6820 7441 0.01862 -6820 7851 0.01450 -6820 8293 0.00567 -6820 8349 0.00814 -6820 9926 0.00231 -6819 6832 0.01531 -6819 6858 0.00496 -6819 7056 0.00689 -6818 7166 0.01192 -6817 7023 0.00882 -6817 7540 0.01798 -6817 9759 0.01712 -6816 8098 0.01460 -6815 7252 0.01449 -6815 8709 0.00547 -6815 9149 0.01512 -6814 6953 0.00965 -6814 7106 0.01879 -6814 9897 0.01574 -6813 7387 0.01262 -6813 7405 0.01740 -6813 9852 0.01991 -6812 7952 0.01397 -6812 8615 0.01887 -6812 8830 0.01710 -6811 6953 0.01626 -6811 8716 0.01268 -6810 7236 0.00752 -6810 8583 0.01522 -6810 8842 0.01649 -6810 9642 0.01349 -6809 6963 0.01803 -6809 8792 0.01689 -6808 8185 0.01879 -6808 9636 0.00448 -6808 9770 0.01862 -6807 6882 0.00313 -6807 7211 0.01518 -6807 8246 0.01277 -6807 8610 0.01571 -6807 9910 0.01676 -6806 6871 0.00932 -6806 6948 0.01499 -6806 7268 0.01567 -6806 8696 0.01263 -6806 8857 0.01836 -6805 6899 0.01937 -6805 7652 0.00822 -6805 8055 0.00934 -6805 8327 0.01847 -6805 8380 0.00430 -6805 8485 0.01634 -6805 8603 0.01351 -6805 9154 0.01522 -6805 9682 0.00770 -6804 7225 0.01294 -6804 8724 0.01255 -6804 9534 0.00604 -6803 7488 0.00413 -6803 8332 0.01468 -6803 8882 0.01717 -6803 9008 0.00288 -6803 9377 0.00959 -6802 7500 0.01919 -6802 7931 0.00348 -6802 7981 0.00413 -6802 8001 0.01680 -6802 8531 0.00537 -6801 9240 0.01929 -6801 9919 0.01197 -6800 8995 0.01722 -6799 7570 0.01777 -6799 8515 0.01219 -6799 8948 0.01713 -6799 9361 0.01718 -6799 9519 0.00388 -6799 9767 0.00782 -6798 7011 0.00918 -6798 7155 0.01219 -6798 8652 0.01770 -6798 8685 0.01676 -6798 9182 0.01658 -6797 8302 0.01912 -6797 8374 0.01585 -6797 8595 0.01871 -6797 9450 0.01095 -6797 9574 0.00937 -6796 7619 0.01396 -6796 7870 0.01997 -6796 8963 0.01567 -6796 9125 0.01771 -6796 9235 0.01437 -6796 9242 0.01339 -6796 9750 0.01683 -6795 7167 0.00988 -6795 7400 0.01919 -6795 8794 0.00800 -6795 8820 0.01726 -6795 9349 0.01952 -6795 9487 0.01908 -6794 7241 0.00823 -6794 8965 0.01151 -6794 9030 0.01667 -6794 9055 0.01415 -6794 9234 0.00736 -6794 9437 0.00444 -6794 9748 0.01919 -6793 7132 0.01043 -6793 7901 0.01795 -6793 8072 0.01719 -6793 8469 0.00404 -6793 9283 0.00801 -6793 9677 0.00799 -6792 6885 0.00284 -6792 7926 0.01094 -6792 7972 0.01483 -6792 8801 0.01730 -6792 9445 0.01844 -6792 9595 0.01740 -6792 9626 0.01839 -6792 9749 0.01613 -6791 8867 0.00315 -6790 7423 0.01191 -6790 8660 0.01505 -6790 9139 0.01795 -6790 9485 0.00942 -6790 9498 0.00570 -6789 7170 0.01531 -6789 8401 0.01952 -6789 9550 0.00987 -6788 6789 0.01527 -6788 8401 0.00908 -6788 8603 0.01744 -6788 8745 0.01930 -6787 6957 0.00564 -6787 7750 0.00453 -6787 7754 0.01758 -6787 9270 0.00980 -6787 9348 0.01450 -6787 9666 0.00963 -6786 7247 0.01755 -6786 8130 0.01354 -6786 8281 0.00654 -6785 7034 0.00235 -6785 7855 0.01598 -6785 8131 0.01075 -6785 8480 0.00982 -6785 9231 0.00980 -6785 9709 0.01827 -6785 9829 0.01862 -6784 7649 0.01294 -6784 7767 0.01467 -6784 8753 0.00634 -6783 8439 0.00415 -6783 9010 0.01511 -6782 8673 0.00872 -6782 9305 0.00388 -6782 9428 0.00440 -6782 9468 0.00454 -6781 7208 0.00877 -6781 8781 0.01420 -6780 6873 0.00728 -6780 7713 0.01974 -6780 7822 0.00556 -6780 9057 0.01679 -6780 9855 0.00681 -6779 7581 0.01582 -6779 9185 0.01925 -6779 9708 0.01841 -6778 7205 0.01845 -6778 7711 0.01109 -6778 8578 0.00827 -6778 8776 0.00362 -6777 7934 0.01651 -6777 9478 0.01311 -6777 9839 0.01333 -6776 7770 0.00986 -6776 8627 0.01395 -6776 9777 0.01112 -6776 9966 0.01778 -6775 7320 0.00908 -6775 7482 0.00821 -6775 7872 0.01994 -6775 8521 0.00799 -6775 8606 0.01315 -6775 8782 0.00874 -6775 9379 0.01942 -6774 7176 0.00840 -6774 8253 0.01213 -6774 8422 0.01067 -6774 8466 0.01332 -6774 9458 0.01993 -6773 8322 0.01230 -6773 9108 0.01913 -6772 8737 0.00581 -6772 8765 0.00834 -6772 9093 0.01024 -6772 9357 0.01288 -6771 7324 0.01899 -6770 6889 0.01704 -6770 8653 0.00561 -6770 8699 0.01663 -6769 6932 0.01996 -6769 7162 0.00524 -6769 7721 0.00750 -6769 8448 0.01398 -6769 8684 0.01437 -6768 7233 0.01398 -6768 7434 0.01700 -6768 9430 0.01348 -6768 9886 0.01782 -6767 6820 0.00805 -6767 7851 0.01892 -6767 8293 0.00981 -6767 8349 0.00956 -6767 9926 0.01026 -6766 6797 0.01409 -6766 8224 0.01898 -6766 9574 0.01535 -6765 7050 0.00707 -6765 7220 0.01291 -6765 7368 0.01397 -6765 7405 0.01736 -6765 9678 0.00821 -6764 7059 0.00303 -6764 7786 0.01139 -6764 8734 0.00893 -6764 8783 0.01315 -6764 8788 0.01999 -6764 8998 0.01384 -6764 9067 0.01980 -6764 9928 0.01050 -6763 9331 0.01974 -6762 7756 0.01428 -6762 7775 0.00418 -6762 8313 0.01122 -6762 9553 0.01676 -6761 7345 0.01604 -6761 7878 0.00582 -6761 8200 0.00199 -6761 8387 0.00418 -6761 9518 0.01248 -6760 7090 0.01026 -6760 7315 0.00625 -6760 7410 0.01387 -6760 7606 0.01070 -6760 8161 0.00920 -6760 8571 0.01983 -6760 8601 0.01087 -6760 9068 0.01471 -6760 9543 0.00150 -6759 9869 0.01217 -6758 6874 0.01609 -6757 6785 0.01610 -6757 7034 0.01843 -6757 8131 0.00791 -6757 8480 0.01634 -6757 9709 0.01233 -6757 9829 0.01669 -6756 8571 0.01039 -6756 9804 0.01921 -6756 9828 0.01837 -6755 7049 0.01333 -6754 7163 0.01688 -6754 7794 0.01045 -6754 8083 0.01514 -6754 8864 0.01466 -6754 9196 0.01525 -6754 9940 0.00650 -6753 7677 0.01029 -6753 7708 0.01615 -6753 7731 0.01476 -6753 8076 0.01609 -6753 9282 0.01679 -6753 9389 0.01696 -6752 8545 0.01328 -6752 8651 0.01319 -6752 9358 0.01717 -6752 9741 0.00538 -6751 7366 0.00928 -6751 7985 0.00957 -6750 8066 0.01208 -6749 7446 0.01041 -6749 7744 0.01967 -6749 8884 0.01282 -6749 9793 0.00700 -6748 6976 0.01107 -6748 7085 0.01473 -6748 7348 0.01225 -6748 7515 0.01771 -6747 6821 0.01521 -6747 8098 0.01658 -6747 9947 0.00898 -6746 7062 0.01568 -6746 7100 0.01656 -6746 7189 0.00396 -6746 7863 0.00691 -6746 8273 0.00909 -6746 9000 0.01113 -6745 7211 0.00775 -6745 8590 0.01426 -6745 8731 0.01645 -6745 9975 0.01712 -6744 7089 0.01876 -6744 7168 0.01933 -6744 7448 0.01417 -6744 7697 0.01740 -6744 8646 0.00422 -6744 8940 0.01515 -6744 8950 0.01978 -6744 9359 0.00611 -6743 7889 0.01245 -6743 7900 0.01360 -6743 8591 0.01840 -6743 8710 0.01762 -6742 7921 0.01128 -6742 8027 0.00573 -6742 9918 0.01703 -6741 7076 0.01755 -6741 9842 0.01422 -6741 9866 0.01921 -6740 6954 0.01801 -6739 6771 0.00069 -6739 7324 0.01844 -6738 7151 0.01418 -6738 9381 0.01754 -6737 7163 0.00967 -6737 7228 0.01908 -6737 8864 0.01971 -6736 7297 0.01575 -6736 7561 0.01598 -6736 8194 0.01202 -6736 8413 0.01506 -6736 8687 0.01432 -6736 9256 0.00761 -6735 7118 0.01455 -6735 7573 0.01028 -6735 8058 0.01257 -6734 6843 0.01556 -6734 8287 0.01885 -6734 8929 0.01555 -6734 9833 0.00997 -6734 9986 0.01210 -6733 7694 0.01787 -6733 9020 0.01414 -6733 9451 0.01983 -6732 8463 0.00483 -6732 8943 0.01935 -6732 9299 0.01415 -6731 7406 0.01135 -6731 7460 0.01126 -6731 7636 0.00380 -6731 7835 0.01774 -6731 7885 0.01496 -6731 8821 0.00887 -6731 9203 0.00923 -6730 6918 0.01942 -6730 9491 0.00812 -6730 9814 0.01364 -6729 9893 0.01687 -6728 7089 0.01495 -6728 7168 0.01663 -6728 8544 0.00869 -6728 8950 0.01270 -6728 9476 0.01564 -6728 9829 0.01933 -6728 9851 0.01778 -6727 7268 0.01884 -6727 7950 0.00849 -6727 8460 0.00738 -6726 6930 0.00258 -6726 9488 0.00472 -6725 6946 0.01568 -6725 8654 0.00380 -6724 7655 0.01916 -6724 7809 0.01114 -6724 8248 0.01363 -6723 7111 0.01077 -6723 7765 0.00633 -6723 7860 0.00900 -6723 8882 0.01929 -6722 6940 0.00957 -6722 7470 0.00362 -6722 8615 0.01993 -6722 9420 0.01811 -6721 6886 0.01900 -6721 6973 0.00338 -6721 7591 0.00885 -6721 7808 0.01324 -6720 8242 0.00871 -6720 9529 0.01813 -6720 9780 0.01282 -6719 8675 0.01913 -6718 7408 0.00839 -6718 8105 0.01333 -6718 8134 0.00641 -6718 8204 0.01125 -6718 8586 0.01836 -6718 8614 0.01927 -6718 9497 0.01471 -6717 6969 0.00704 -6717 7230 0.01155 -6717 7235 0.01105 -6717 7624 0.01176 -6717 7642 0.01632 -6717 7678 0.01446 -6717 9697 0.01506 -6716 7325 0.00942 -6716 9333 0.01730 -6716 9520 0.01628 -6715 7347 0.01658 -6715 7638 0.01421 -6715 7776 0.01659 -6715 9131 0.00806 -6715 9918 0.01996 -6714 7448 0.01555 -6714 8127 0.01499 -6714 8290 0.01979 -6714 8636 0.01300 -6713 8421 0.01843 -6713 8462 0.00345 -6713 9229 0.01182 -6713 9786 0.01998 -6712 8732 0.01954 -6711 7024 0.01798 -6711 7627 0.01539 -6711 7694 0.01321 -6711 8136 0.01245 -6711 8718 0.01730 -6711 9451 0.00158 -6710 7226 0.01979 -6710 7632 0.00923 -6710 9548 0.01399 -6710 9645 0.00892 -6709 6947 0.01988 -6709 7175 0.00511 -6709 7229 0.00880 -6708 7595 0.01489 -6708 7651 0.01577 -6708 7916 0.01977 -6708 9025 0.01541 -6708 9159 0.01828 -6708 9722 0.01130 -6708 9978 0.00365 -6707 6881 0.01505 -6707 6956 0.01826 -6707 8533 0.01275 -6706 8460 0.01808 -6706 8891 0.01465 -6706 9637 0.01997 -6706 9977 0.01581 -6705 6753 0.01090 -6705 7135 0.01409 -6705 7222 0.01227 -6705 7677 0.00437 -6705 7731 0.00386 -6705 8076 0.01174 -6705 8317 0.01444 -6705 8833 0.01958 -6705 9282 0.01696 -6704 7048 0.01727 -6703 7331 0.01474 -6703 7967 0.01829 -6703 8244 0.00707 -6703 8348 0.01742 -6702 7078 0.01819 -6702 8435 0.01741 -6702 9425 0.00322 -6702 9457 0.01558 -6701 7029 0.01773 -6701 7402 0.01729 -6701 8644 0.01590 -6700 7023 0.01696 -6700 7380 0.00915 -6699 6753 0.01853 -6699 7161 0.01928 -6699 7351 0.01276 -6699 7708 0.00555 -6698 7113 0.00153 -6698 7209 0.00390 -6698 7210 0.01893 -6698 7968 0.00423 -6698 8986 0.01908 -6698 9309 0.01570 -6698 9694 0.00689 -6697 7287 0.00851 -6697 7978 0.01400 -6697 8743 0.00473 -6697 8978 0.00442 -6696 8113 0.01455 -6696 8484 0.01488 -6696 8813 0.01304 -6696 8921 0.01745 -6695 7187 0.01741 -6695 7662 0.01587 -6695 7841 0.01176 -6695 8108 0.01729 -6695 8885 0.01891 -6695 9640 0.01671 -6695 9815 0.01369 -6694 8015 0.00671 -6694 8033 0.01053 -6694 8542 0.01622 -6694 8722 0.01697 -6694 8766 0.01245 -6694 9289 0.01220 -6694 9362 0.01374 -6694 9406 0.01813 -6694 9790 0.01490 -6694 9913 0.01935 -6693 6901 0.01328 -6693 7096 0.01802 -6693 8814 0.01973 -6693 9098 0.01639 -6692 7791 0.01515 -6692 7888 0.01764 -6692 8259 0.00956 -6692 8363 0.00849 -6692 8369 0.01066 -6692 9448 0.01618 -6691 7055 0.01942 -6691 7533 0.01184 -6691 8160 0.01196 -6691 8258 0.01928 -6691 9233 0.01871 -6690 7435 0.01624 -6690 7647 0.00468 -6690 8326 0.01913 -6690 8392 0.01687 -6690 9277 0.01181 -6690 9489 0.01091 -6689 6763 0.00343 -6688 8174 0.01385 -6688 8343 0.01138 -6688 8351 0.01460 -6688 8364 0.01051 -6688 9527 0.01749 -6688 9929 0.00756 -6688 9963 0.01831 -6688 9992 0.01095 -6687 7616 0.01373 -6686 6855 0.01345 -6686 7790 0.01417 -6686 8353 0.01922 -6686 9049 0.01533 -6685 7093 0.00552 -6685 7337 0.00669 -6685 7803 0.01173 -6685 8243 0.01900 -6685 8518 0.01904 -6685 9296 0.01859 -6684 7182 0.01590 -6684 8529 0.00895 -6684 9383 0.00185 -6683 7711 0.01295 -6683 7935 0.00733 -6683 8426 0.01419 -6682 7021 0.01178 -6682 7745 0.01538 -6682 8607 0.01741 -6682 8953 0.00616 -6681 7330 0.01734 -6681 8905 0.01900 -6681 9515 0.01105 -6680 7696 0.00491 -6680 8436 0.01342 -6680 9595 0.01657 -6679 6833 0.01623 -6679 7819 0.00930 -6679 7843 0.01293 -6679 8007 0.01978 -6679 8391 0.00695 -6679 9881 0.01638 -6678 7319 0.01144 -6678 8517 0.01262 -6678 8612 0.01452 -6678 8952 0.00751 -6678 9812 0.01691 -6677 6718 0.00251 -6677 7408 0.00709 -6677 8071 0.01801 -6677 8105 0.01105 -6677 8134 0.00884 -6677 8204 0.01372 -6677 8586 0.01965 -6677 9497 0.01640 -6676 6680 0.01557 -6676 6792 0.01686 -6676 6885 0.01933 -6676 7696 0.01529 -6676 8436 0.01324 -6676 9595 0.00971 -6675 8173 0.00676 -6675 9573 0.01097 -6674 7172 0.00444 -6674 8054 0.01479 -6674 9728 0.01477 -6673 6762 0.01609 -6673 7756 0.00220 -6673 7775 0.01195 -6673 7802 0.01290 -6673 8313 0.00844 -6673 9438 0.01631 -6673 9493 0.01066 -6673 9553 0.00159 -6672 7037 0.00747 -6672 8430 0.01966 -6672 9483 0.01195 -6671 6847 0.01943 -6671 7306 0.00409 -6671 7524 0.01365 -6671 9094 0.01200 -6671 9192 0.00900 -6671 9594 0.01346 -6670 6938 0.00996 -6670 7689 0.01694 -6670 7917 0.01228 -6670 7957 0.00696 -6670 8596 0.00686 -6670 9889 0.00318 -6669 8002 0.00395 -6669 8740 0.01255 -6669 9806 0.01964 -6668 8144 0.01385 -6668 9209 0.01246 -6668 9382 0.01307 -6668 9892 0.01725 -6667 8887 0.00995 -6667 8920 0.01381 -6667 9104 0.00650 -6666 8160 0.01783 -6666 9598 0.01187 -6665 7097 0.01203 -6665 7183 0.01342 -6665 7455 0.01770 -6665 9482 0.00858 -6665 9744 0.01984 -6664 7086 0.00717 -6664 7673 0.01694 -6664 9100 0.01887 -6664 9126 0.00525 -6663 6722 0.01518 -6663 7470 0.01230 -6663 8797 0.01672 -6662 8522 0.01983 -6662 9398 0.01194 -6661 7502 0.01403 -6661 7663 0.00364 -6661 8642 0.01582 -6661 9903 0.00910 -6660 7084 0.01221 -6660 7572 0.01949 -6659 7256 0.01733 -6659 7597 0.00881 -6659 8605 0.01142 -6659 8779 0.01723 -6659 9045 0.01552 -6659 9735 0.00943 -6658 7144 0.01949 -6658 7933 0.00956 -6658 8254 0.01159 -6658 9200 0.01238 -6657 8575 0.00624 -6657 9624 0.01542 -6656 6741 0.01866 -6656 7076 0.01221 -6656 9648 0.01441 -6656 9866 0.00278 -6655 7054 0.01517 -6655 8990 0.01780 -6654 6721 0.01859 -6654 6973 0.01630 -6654 7339 0.01484 -6654 7591 0.01481 -6654 7808 0.01731 -6654 9246 0.01591 -6653 7343 0.00410 -6653 7749 0.01383 -6653 8530 0.00770 -6653 8613 0.01375 -6653 9332 0.01691 -6652 7064 0.01007 -6652 8051 0.01172 -6652 9016 0.01770 -6652 9572 0.01940 -6652 9590 0.00989 -6651 7537 0.01376 -6651 9644 0.00794 -6650 7057 0.00911 -6650 7660 0.00610 -6650 8195 0.01488 -6650 9176 0.01965 -6650 9220 0.00578 -6649 7458 0.01985 -6649 8223 0.01814 -6649 8483 0.01426 -6648 6697 0.01303 -6648 8743 0.01390 -6648 8944 0.01364 -6648 8978 0.01103 -6647 7269 0.01379 -6647 7286 0.01392 -6647 7864 0.00712 -6647 8120 0.00690 -6647 9293 0.01362 -6647 9711 0.01916 -6647 9723 0.00587 -6647 9764 0.01378 -6646 6705 0.01491 -6646 6753 0.01790 -6646 7033 0.01977 -6646 7135 0.01235 -6646 7222 0.01508 -6646 7677 0.01077 -6646 7731 0.01547 -6646 8076 0.00331 -6646 9103 0.01025 -6646 9719 0.00914 -6645 9744 0.01753 -6644 7080 0.00960 -6644 7546 0.01548 -6644 8201 0.01040 -6644 8473 0.01617 -6644 9251 0.01835 -6643 6838 0.01399 -6643 7164 0.00281 -6643 7313 0.01429 -6643 9762 0.00801 -6642 8087 0.01177 -6642 8648 0.01619 -6642 8933 0.01395 -6642 9399 0.00394 -6642 9778 0.01538 -6641 6726 0.01469 -6641 6930 0.01222 -6641 8286 0.01565 -6641 9488 0.01323 -6640 6723 0.01700 -6640 6935 0.01945 -6640 7111 0.01803 -6640 7177 0.01217 -6640 7860 0.01532 -6640 8830 0.01932 -6640 9446 0.01485 -6639 7332 0.01113 -6639 8488 0.01453 -6639 8560 0.00812 -6639 9243 0.01672 -6638 7367 0.01799 -6638 7438 0.01257 -6638 8140 0.01558 -6638 8286 0.01839 -6638 8362 0.01318 -6638 9050 0.01460 -6638 9095 0.01543 -6638 9676 0.00563 -6637 9107 0.01049 -6637 9248 0.01346 -6636 7579 0.01296 -6636 9101 0.01987 -6636 9527 0.01923 -6635 7292 0.01985 -6635 9952 0.00736 -6633 8443 0.01936 -6632 7213 0.01536 -6632 8088 0.00453 -6632 8263 0.01775 -6632 8667 0.01577 -6632 8879 0.01461 -6632 9003 0.01263 -6631 9279 0.01012 -6630 7266 0.01343 -6630 8063 0.01176 -6630 9268 0.00876 -6629 7302 0.01866 -6629 9985 0.00965 -6628 7704 0.01254 -6628 7956 0.01228 -6628 8316 0.01068 -6628 8581 0.01571 -6628 9086 0.01735 -6628 9921 0.00711 -6627 6751 0.01445 -6627 7061 0.01755 -6627 7818 0.00804 -6627 7985 0.00555 -6626 6955 0.01907 -6626 7284 0.01617 -6626 7495 0.01624 -6626 9100 0.01734 -6626 9857 0.00232 -6625 7145 0.01888 -6625 7200 0.01415 -6625 7445 0.01650 -6625 9168 0.01853 -6625 9811 0.01944 -6624 6645 0.00586 -6624 7974 0.01522 -6624 9744 0.01671 -6623 7152 0.01167 -6623 7454 0.01707 -6623 7831 0.01008 -6623 7914 0.01142 -6623 9116 0.01398 -6623 9444 0.01068 -6622 6693 0.00166 -6622 6901 0.01164 -6622 7096 0.01968 -6622 9098 0.01545 -6621 6644 0.00487 -6621 7080 0.01442 -6621 7546 0.01187 -6621 8201 0.01238 -6621 8473 0.01313 -6621 9251 0.01357 -6620 8404 0.01800 -6620 8690 0.01736 -6620 9102 0.01815 -6620 9384 0.00771 -6619 6781 0.01914 -6619 7922 0.00897 -6619 9052 0.01120 -6618 6742 0.00554 -6618 7921 0.00649 -6618 8027 0.00894 -6618 8602 0.01699 -6618 9918 0.01962 -6617 8451 0.01633 -6617 8683 0.01238 -6616 6769 0.01799 -6616 6932 0.00331 -6616 7721 0.01927 -6616 8178 0.01984 -6616 8382 0.01891 -6616 8684 0.01140 -6616 9726 0.01027 -6615 8677 0.01917 -6615 9566 0.01911 -6614 6898 0.01693 -6614 8225 0.01747 -6614 8828 0.01254 -6614 9097 0.01532 -6614 9265 0.01655 -6613 6765 0.00994 -6613 6813 0.01762 -6613 7050 0.00372 -6613 7220 0.01177 -6613 7405 0.01453 -6613 9678 0.01583 -6612 6761 0.01941 -6612 6846 0.00987 -6612 8387 0.01724 -6612 8754 0.01842 -6612 9341 0.01589 -6611 7171 0.01527 -6611 8150 0.01101 -6611 9039 0.01487 -6610 7428 0.01030 -6609 6730 0.01822 -6609 9104 0.01808 -6609 9491 0.01341 -6609 9814 0.01861 -6608 9013 0.00331 -6608 9439 0.01815 -6607 7179 0.01923 -6607 8049 0.01667 -6607 8791 0.00685 -6607 9028 0.00497 -6607 9502 0.01265 -6607 9727 0.01450 -6606 7899 0.01318 -6606 9412 0.01731 -6606 9629 0.01816 -6605 7036 0.01136 -6605 7458 0.01346 -6605 8103 0.01328 -6604 7579 0.01645 -6604 7633 0.01156 -6604 8106 0.01682 -6604 8292 0.00610 -6604 8638 0.01371 -6604 9883 0.01623 -6603 8567 0.01644 -6603 9472 0.01650 -6603 9845 0.01729 -6602 7720 0.01100 -6602 7759 0.01994 -6602 9418 0.01678 -6602 9689 0.01656 -6601 7190 0.01231 -6601 7300 0.01554 -6601 8029 0.01514 -6601 8046 0.01792 -6601 8092 0.01287 -6601 8799 0.01098 -6601 9378 0.01410 -6601 9945 0.01257 -6599 7457 0.00738 -6599 7982 0.01165 -6599 8483 0.01656 -6599 8923 0.00839 -6599 9320 0.01851 -6599 9530 0.01220 -6599 9535 0.01993 -6598 7232 0.01667 -6598 7817 0.01819 -6598 8892 0.01506 -6598 9186 0.01166 -6598 9825 0.01610 -6598 9996 0.01610 -6597 7889 0.01538 -6596 7178 0.01916 -6596 8732 0.01732 -6596 9070 0.01525 -6596 9075 0.01366 -6596 9224 0.01151 -6595 7456 0.00732 -6595 8472 0.00884 -6595 9372 0.00940 -6594 7253 0.00717 -6594 7911 0.01915 -6594 9880 0.01250 -6593 7100 0.01522 -6593 7574 0.01676 -6593 8032 0.01685 -6593 8202 0.01732 -6593 8257 0.01845 -6593 9212 0.01790 -6592 6877 0.01134 -6592 7223 0.01213 -6592 8557 0.00253 -6592 8672 0.00979 -6591 7204 0.00985 -6591 7871 0.01945 -6591 8270 0.00833 -6591 9456 0.01193 -6591 9685 0.01089 -6590 6949 0.01195 -6590 8143 0.01359 -6590 8647 0.01861 -6590 9623 0.01961 -6589 6767 0.00259 -6589 6820 0.00730 -6589 7851 0.01995 -6589 7920 0.01874 -6589 8293 0.01055 -6589 8349 0.00703 -6589 9926 0.00961 -6588 6865 0.01224 -6588 7693 0.01452 -6588 7748 0.01257 -6588 7820 0.00767 -6588 7825 0.01416 -6588 9861 0.01117 -6587 8064 0.00362 -6587 8189 0.00932 -6587 8532 0.00528 -6586 7378 0.01766 -6586 7425 0.01738 -6586 7779 0.01504 -6586 9216 0.01620 -6585 6626 0.01252 -6585 6955 0.01319 -6585 7495 0.01341 -6585 8406 0.01486 -6585 8880 0.01306 -6585 9857 0.01427 -6584 8101 0.01894 -6584 9002 0.01181 -6584 9276 0.01358 -6583 8611 0.01731 -6583 8878 0.01003 -6582 6839 0.00493 -6582 7060 0.01720 -6582 7431 0.01693 -6582 7497 0.01182 -6582 7729 0.01668 -6582 7805 0.00964 -6582 8339 0.01371 -6582 9841 0.01924 -6581 7273 0.01783 -6581 8929 0.01759 -6580 7016 0.01609 -6580 7258 0.01609 -6580 8712 0.01763 -6580 9317 0.01100 -6580 9588 0.01553 -6579 6939 0.00891 -6579 7751 0.01958 -6579 8215 0.01720 -6579 8549 0.01849 -6578 7174 0.01068 -6578 8170 0.01756 -6578 9824 0.01290 -6578 9852 0.01703 -6577 8340 0.00683 -6577 9089 0.01043 -6577 9179 0.00422 -6577 9946 0.01291 -6576 6808 0.01090 -6576 8377 0.01709 -6576 9617 0.01976 -6576 9636 0.00910 -6576 9770 0.01205 -6575 6783 0.01156 -6575 7738 0.01032 -6575 7993 0.01913 -6575 8183 0.01827 -6575 8439 0.01571 -6575 9214 0.01222 -6574 6912 0.01680 -6574 7137 0.00224 -6573 6574 0.00741 -6573 7137 0.00964 -6572 7584 0.01910 -6572 7961 0.01671 -6572 9887 0.01659 -6571 6627 0.01576 -6571 6751 0.01686 -6571 7074 0.00662 -6571 7366 0.01571 -6571 7876 0.01615 -6571 7985 0.01675 -6571 8214 0.01563 -6571 9621 0.01150 -6571 9949 0.01619 -6570 6602 0.00635 -6570 7720 0.00498 -6569 7347 0.01725 -6569 7638 0.00946 -6568 6804 0.01637 -6568 7225 0.01822 -6567 8016 0.00777 -6567 8574 0.01202 -6566 7186 0.01400 -6566 8115 0.01048 -6566 8129 0.00642 -6566 8133 0.01204 -6566 9337 0.01216 -6566 9683 0.01498 -6566 9688 0.01890 -6565 7613 0.00811 -6565 7838 0.01169 -6564 7553 0.01920 -6564 7992 0.00274 -6564 8393 0.01409 -6563 6848 0.01962 -6563 7481 0.01674 -6563 8918 0.00391 -6563 9245 0.01471 -6563 9339 0.01412 -6563 9526 0.01547 -6562 7599 0.01614 -6562 7684 0.01596 -6562 7690 0.01618 -6562 8168 0.01957 -6562 8260 0.01185 -6562 8632 0.01612 -6562 8726 0.01795 -6562 9223 0.01917 -6561 6730 0.01748 -6560 7377 0.01015 -6560 8989 0.00301 -6560 9163 0.00922 -6560 9259 0.01324 -6560 9795 0.01741 -6559 8164 0.00353 -6559 8977 0.01383 -6559 9686 0.01341 -6558 8941 0.00650 -6558 9042 0.01238 -6558 9073 0.01593 -6558 9729 0.00904 -6557 7956 0.01759 -6557 8594 0.01383 -6557 9033 0.00551 -6557 9086 0.01690 -6556 7214 0.01901 -6555 7483 0.00880 -6555 8190 0.01772 -6555 8733 0.01868 -6554 7903 0.01457 -6553 7272 0.01258 -6552 7836 0.01350 -6552 8090 0.01415 -6552 8356 0.01278 -6552 8629 0.01790 -6552 8789 0.01931 -6552 8970 0.01367 -6551 7276 0.01684 -6551 8060 0.00982 -6551 8333 0.00566 -6551 9822 0.01349 -6550 6582 0.01911 -6550 7372 0.01648 -6550 7464 0.00833 -6550 7494 0.01897 -6550 7497 0.01932 -6550 7556 0.00632 -6550 9906 0.00757 -6549 8751 0.01531 -6549 9151 0.00637 -6549 9291 0.00972 -6548 6742 0.01800 -6548 7727 0.01872 -6548 8806 0.01775 -6547 9149 0.01696 -6546 7392 0.01540 -6546 8176 0.01596 -6546 8708 0.00171 -6546 9690 0.00993 -6545 8430 0.01955 -6544 7062 0.01685 -6544 7574 0.01980 -6544 8809 0.00350 -6544 9449 0.01075 -6543 7807 0.01099 -6543 7983 0.00996 -6543 8096 0.00778 -6543 8385 0.01666 -6543 8723 0.01780 -6543 9743 0.01557 -6543 9786 0.01342 -6542 9773 0.01970 -6541 7038 0.01158 -6541 7361 0.01360 -6541 7919 0.01820 -6541 8496 0.00673 -6541 9484 0.01949 -6540 6826 0.01746 -6540 7842 0.00970 -6540 8152 0.01763 -6540 8395 0.00636 -6540 8507 0.01960 -6540 8724 0.01107 -6540 9196 0.01534 -6539 6662 0.01611 -6539 7910 0.01293 -6539 8335 0.00715 -6539 8479 0.01833 -6539 8522 0.00394 -6539 9398 0.00499 -6539 9893 0.01900 -6538 6605 0.00759 -6538 7036 0.01272 -6538 7458 0.00776 -6538 8103 0.01853 -6537 6620 0.01853 -6537 7635 0.01077 -6537 8089 0.01321 -6537 8404 0.00054 -6537 8690 0.00196 -6537 9675 0.01058 -6537 9875 0.01517 -6536 7394 0.01825 -6536 7948 0.01617 -6536 8409 0.00743 -6536 8474 0.00681 -6536 8735 0.00463 -6536 9957 0.01803 -6535 6672 0.01631 -6535 7037 0.01241 -6535 9379 0.01987 -6535 9483 0.01100 -6535 9611 0.01841 -6534 6999 0.01267 -6534 7005 0.01145 -6534 7508 0.01840 -6534 7639 0.00580 -6534 9323 0.01167 -6534 9698 0.01164 -6534 9924 0.00385 -6533 7032 0.01903 -6533 7685 0.01977 -6533 7976 0.01678 -6533 9135 0.01662 -6533 9565 0.01016 -6532 6608 0.00939 -6532 9013 0.00670 -6532 9439 0.01749 -6531 7378 0.01683 -6531 7619 0.01913 -6531 8145 0.01265 -6531 8243 0.01866 -6531 8518 0.01509 -6531 8844 0.00714 -6531 9026 0.01556 -6531 9125 0.01591 -6530 8862 0.00096 -6530 9031 0.01802 -6530 9466 0.01768 -6530 9500 0.01203 -6529 7537 0.01181 -6529 8803 0.00768 -6529 9644 0.01965 -6528 7134 0.01026 -6528 8048 0.00988 -6528 9303 0.01411 -6527 7568 0.00547 -6526 7151 0.01711 -6526 8456 0.01961 -6526 9381 0.00695 -6524 6852 0.01017 -6524 7604 0.01537 -6524 8139 0.00568 -6524 8165 0.01945 -6523 9967 0.01904 -6522 7847 0.01351 -6522 9658 0.01780 -6521 8209 0.01780 -6521 9001 0.01973 -6521 9773 0.01456 -6520 8179 0.00704 -6520 8774 0.01066 -6520 8901 0.01502 -6520 9302 0.01542 -6519 7903 0.01854 -6519 9799 0.01379 -6518 7342 0.01618 -6517 6598 0.01034 -6517 7298 0.02000 -6517 7817 0.01445 -6517 8892 0.01199 -6517 9186 0.00405 -6517 9996 0.01408 -6516 7415 0.01569 -6516 7766 0.01645 -6516 8030 0.01427 -6516 8158 0.01831 -6516 9730 0.01202 -6515 6777 0.01552 -6515 7114 0.01998 -6515 7486 0.00897 -6515 7934 0.00487 -6515 9478 0.00303 -6515 9839 0.00628 -6514 7688 0.01586 -6514 7764 0.01692 -6514 8633 0.01776 -6514 8769 0.01504 -6514 8847 0.01763 -6514 8902 0.01896 -6514 9074 0.01796 -6514 9297 0.01552 -6514 9800 0.01762 -6513 6579 0.01119 -6513 6939 0.00473 -6513 8549 0.01966 -6512 6759 0.01752 -6512 6954 0.01150 -6512 9869 0.01661 -6511 7225 0.01963 -6511 9783 0.01353 -6510 8208 0.01066 -6510 9022 0.01866 -6510 9391 0.01955 -6509 6794 0.01974 -6509 7736 0.01832 -6509 8321 0.00322 -6509 8815 0.01687 -6509 9234 0.01817 -6509 9437 0.01532 -6509 9649 0.01263 -6509 9670 0.01390 -6509 9884 0.00180 -6508 7503 0.01695 -6508 8546 0.00960 -6508 9841 0.01540 -6507 6933 0.01334 -6507 7370 0.01587 -6507 8010 0.01403 -6507 9194 0.01642 -6507 9427 0.01978 -6507 9984 0.01844 -6506 7239 0.01206 -6506 7260 0.01657 -6506 7277 0.01897 -6506 7442 0.01654 -6506 7522 0.01760 -6506 7644 0.01621 -6506 7908 0.01866 -6506 8858 0.01665 -6506 8987 0.01779 -6505 7369 0.00775 -6505 7801 0.01588 -6505 7951 0.01824 -6505 9542 0.01817 -6505 9556 0.01156 -6505 9898 0.01365 -6505 9991 0.01453 -6505 9997 0.00897 -6504 8171 0.01372 -6504 8433 0.01526 -6504 8471 0.01983 -6504 8985 0.00807 -6504 9287 0.01450 -6504 9740 0.01635 -6503 7886 0.01198 -6503 8600 0.01453 -6503 8624 0.00948 -6502 6512 0.00560 -6502 6759 0.01205 -6502 6954 0.01697 -6502 9869 0.01218 -6501 8021 0.01981 -6501 8875 0.01375 -6501 9659 0.01630 -6501 9801 0.01087 -6501 9939 0.01381 -6500 6604 0.00802 -6500 7579 0.00962 -6500 7633 0.01482 -6500 8292 0.00458 -6500 8638 0.00986 -6499 6596 0.00581 -6499 7178 0.01538 -6499 9070 0.01462 -6499 9075 0.01525 -6499 9224 0.00719 -6499 9599 0.01989 -6498 7975 0.01847 -6498 8861 0.01018 -6497 7187 0.00569 -6497 7279 0.01232 -6497 9189 0.01683 -6497 9345 0.00413 -6497 9507 0.01380 -6497 9568 0.01500 -6497 9640 0.01799 -6496 6536 0.00628 -6496 7394 0.01289 -6496 7948 0.01042 -6496 8409 0.00650 -6496 8474 0.01125 -6496 8735 0.00936 -6495 6674 0.00351 -6495 7172 0.00714 -6495 8054 0.01266 -6495 9728 0.01635 -6494 6983 0.01862 -6494 7946 0.00593 -6494 8910 0.01874 -6493 8244 0.01779 -6493 8348 0.00966 -6492 7585 0.01965 -6492 7623 0.00753 -6492 9301 0.01674 -6492 9505 0.00390 -6491 8868 0.00706 -6491 9006 0.00992 -6490 6671 0.01716 -6490 6847 0.00627 -6490 7812 0.01662 -6490 9094 0.00673 -6490 9192 0.00816 -6490 9594 0.01122 -6489 6679 0.01615 -6489 7819 0.00937 -6489 7843 0.01688 -6489 8007 0.00364 -6489 8391 0.01693 -6489 9813 0.01435 -6489 9881 0.00951 -6488 6770 0.00436 -6488 6889 0.01778 -6488 8653 0.00676 -6488 8699 0.01813 -6487 7242 0.01084 -6487 8232 0.01594 -6487 8428 0.01650 -6486 7418 0.01780 -6486 8323 0.01821 -6485 8450 0.01667 -6485 8476 0.00301 -6485 9374 0.01743 -6484 7849 0.01028 -6484 8298 0.01434 -6484 8332 0.01989 -6484 9367 0.01734 -6484 9840 0.00552 -6484 9848 0.01835 -6483 7141 0.01781 -6483 9255 0.01556 -6483 9282 0.01492 -6483 9389 0.00740 -6483 9471 0.00350 -6482 9979 0.00668 -6481 6943 0.01839 -6481 7884 0.01702 -6480 7232 0.01901 -6480 7258 0.01718 -6480 8038 0.01892 -6480 8190 0.01275 -6480 8511 0.01192 -6480 8733 0.01262 -6480 9134 0.01916 -6480 9150 0.00419 -6480 9628 0.01941 -6480 9871 0.01269 -6480 9938 0.01681 -6479 8455 0.00964 -6479 9492 0.00769 -6478 8489 0.01036 -6478 9152 0.00915 -6478 9968 0.00545 -6477 6883 0.01331 -6477 8008 0.00390 -6477 8579 0.01649 -6476 7753 0.00978 -6476 7970 0.00344 -6476 8051 0.01859 -6476 9572 0.01352 -6475 8212 0.01746 -6475 9009 0.01601 -6475 9066 0.00812 -6474 6497 0.01597 -6474 7433 0.01340 -6474 8787 0.00988 -6474 9189 0.00333 -6474 9345 0.01233 -6474 9396 0.01837 -6474 9568 0.00875 -6473 7528 0.01788 -6473 9632 0.00839 -6472 8042 0.01256 -6472 9222 0.01819 -6472 9632 0.01363 -6471 7339 0.01415 -6471 7591 0.01660 -6471 7808 0.01170 -6471 9152 0.01695 -6471 9246 0.01634 -6471 9968 0.01923 -6470 8535 0.01509 -6469 7592 0.01286 -6469 7605 0.01980 -6469 7839 0.00338 -6469 9208 0.01853 -6468 6994 0.00893 -6468 7496 0.01850 -6468 7705 0.01403 -6468 8175 0.01435 -6468 9280 0.01852 -6467 6801 0.00339 -6467 8657 0.01942 -6467 9919 0.00903 -6466 8473 0.00949 -6466 8713 0.01815 -6466 9251 0.01878 -6466 9358 0.01032 -6465 7426 0.01109 -6464 6748 0.01763 -6464 6976 0.01277 -6464 7348 0.00978 -6464 7515 0.00081 -6464 7892 0.00571 -6464 8062 0.00714 -6464 9371 0.01259 -6463 6689 0.01317 -6463 6763 0.01516 -6463 9494 0.01318 -6461 7180 0.00566 -6461 7519 0.01035 -6460 7932 0.01252 -6460 8249 0.01982 -6460 9069 0.00983 -6460 9570 0.00166 -6459 8162 0.01596 -6459 8881 0.00977 -6459 9078 0.01294 -6459 9882 0.01222 -6457 6730 0.01721 -6457 6918 0.00803 -6457 7856 0.01503 -6457 7879 0.01590 -6457 9355 0.00946 -6457 9894 0.01761 -6456 6749 0.01595 -6456 8884 0.00363 -6456 9793 0.01459 -6455 7479 0.01010 -6455 8059 0.00373 -6455 8283 0.01845 -6455 9605 0.01420 -6454 6897 0.01131 -6454 7321 0.01827 -6454 7593 0.01953 -6454 7701 0.01741 -6454 8123 0.01504 -6454 8775 0.00911 -6453 7132 0.00974 -6453 7437 0.00566 -6453 8072 0.01802 -6452 6584 0.01838 -6452 7199 0.01563 -6452 7723 0.01399 -6452 7800 0.00960 -6452 9002 0.01132 -6452 9276 0.01110 -6451 6614 0.01133 -6451 6898 0.00597 -6451 8225 0.00767 -6451 8828 0.01011 -6451 9956 0.01459 -6450 6785 0.00880 -6450 6960 0.01984 -6450 7034 0.00816 -6450 7855 0.00721 -6450 8131 0.01448 -6450 8480 0.01847 -6450 9231 0.01719 -6450 9829 0.01671 -6450 9851 0.01296 -6449 6728 0.00575 -6449 7089 0.01731 -6449 7168 0.01813 -6449 7855 0.01627 -6449 8544 0.01439 -6449 8950 0.01583 -6449 9829 0.01549 -6449 9851 0.01257 -6448 7023 0.01985 -6448 9766 0.00549 -6447 6544 0.01479 -6447 7062 0.01471 -6447 7100 0.00802 -6447 7574 0.00688 -6447 8809 0.01776 -6446 7073 0.00344 -6446 7682 0.00963 -6446 7761 0.01867 -6446 8502 0.01439 -6446 9128 0.00493 -6446 9925 0.00962 -6445 6750 0.01095 -6445 9711 0.01599 -6444 7013 0.00651 -6444 8006 0.01775 -6444 9040 0.00745 -6444 9737 0.00431 -6443 7314 0.01418 -6443 8519 0.01977 -6442 6999 0.01294 -6442 7005 0.01561 -6442 7401 0.01951 -6442 7422 0.00941 -6442 8266 0.01988 -6442 9323 0.01356 -6442 9466 0.01276 -6441 7246 0.01870 -6441 7668 0.01179 -6441 8388 0.00963 -6441 8461 0.01269 -6441 8643 0.01407 -6441 9540 0.01136 -6441 9879 0.00668 -6441 9951 0.01016 -6441 9960 0.01881 -6440 8236 0.01443 -6440 8580 0.00160 -6439 7031 0.00204 -6439 7102 0.00716 -6439 7773 0.01140 -6439 8172 0.00498 -6439 9329 0.01712 -6438 7295 0.01078 -6438 8560 0.01679 -6438 8872 0.01427 -6438 9043 0.01623 -6438 9243 0.01895 -6438 9271 0.01218 -6438 9335 0.01643 -6438 9915 0.01740 -6437 6807 0.01083 -6437 6882 0.01019 -6437 7211 0.01937 -6437 8246 0.00196 -6437 8610 0.00776 -6437 9910 0.00613 -6436 6599 0.01883 -6436 7599 0.01053 -6436 7690 0.01389 -6436 7982 0.00779 -6436 8475 0.01643 -6436 8632 0.00920 -6436 8923 0.01139 -6436 9530 0.00914 -6435 7344 0.01444 -6435 8777 0.01890 -6434 6967 0.00309 -6434 7128 0.01284 -6434 8148 0.01928 -6434 8540 0.01129 -6434 8908 0.01301 -6434 9065 0.01843 -6434 9648 0.01676 -6434 9874 0.00719 -6433 6447 0.01778 -6433 7118 0.01894 -6433 7574 0.01334 -6433 8032 0.01391 -6433 8235 0.00586 -6433 8257 0.01812 -6433 9212 0.01117 -6433 9959 0.00909 -6432 8066 0.01124 -6432 9806 0.00921 -6431 6981 0.01878 -6431 7264 0.01781 -6431 7973 0.00686 -6431 8217 0.01341 -6431 8501 0.01613 -6431 9604 0.01993 -6431 9634 0.01115 -6431 9942 0.00977 -6430 7728 0.01979 -6430 7980 0.00489 -6430 8245 0.01282 -6430 9080 0.00926 -6430 9784 0.00705 -6430 9843 0.01732 -6429 8770 0.01876 -6428 6510 0.00798 -6428 8208 0.01695 -6428 9022 0.01708 -6427 8990 0.01040 -6427 9264 0.01245 -6426 7053 0.01621 -6426 7396 0.01289 -6426 7452 0.00876 -6426 7664 0.01754 -6426 9660 0.01121 -6425 6628 0.01404 -6425 7704 0.01546 -6425 8316 0.00913 -6425 8581 0.00446 -6425 9011 0.01470 -6424 8553 0.01831 -6424 9056 0.01847 -6424 9663 0.01932 -6423 7294 0.00873 -6423 8077 0.00658 -6423 9409 0.00547 -6423 9419 0.01877 -6422 7717 0.00932 -6422 8441 0.00492 -6422 8495 0.01927 -6422 8746 0.01948 -6422 9789 0.01959 -6421 6757 0.00965 -6421 8131 0.01681 -6421 9199 0.01995 -6421 9709 0.01680 -6420 7384 0.01566 -6420 7443 0.01385 -6420 8220 0.01891 -6420 8524 0.01991 -6420 9405 0.01933 -6419 6929 0.01487 -6419 8670 0.01926 -6419 8841 0.01230 -6418 6581 0.01920 -6418 7830 0.01746 -6418 9782 0.01994 -6417 7035 0.01753 -6417 8036 0.01196 -6417 9076 0.01120 -6416 8277 0.01195 -6416 8525 0.01301 -6415 7533 0.01673 -6415 8258 0.01621 -6415 8725 0.01470 -6415 8859 0.01054 -6415 9998 0.01452 -6414 6895 0.00610 -6414 7692 0.01695 -6414 7905 0.01192 -6414 8639 0.01166 -6413 7198 0.01766 -6413 8024 0.01395 -6413 8597 0.00981 -6412 6659 0.00604 -6412 7256 0.01826 -6412 7597 0.01471 -6412 8605 0.00569 -6412 8779 0.01336 -6412 9735 0.00782 -6411 6653 0.01019 -6411 7343 0.01228 -6411 7749 0.00866 -6411 8530 0.01500 -6411 8613 0.00637 -6411 9332 0.00672 -6410 7372 0.00494 -6410 7464 0.01820 -6410 7494 0.01227 -6410 9402 0.00863 -6410 9906 0.01390 -6409 8914 0.01736 -6408 6719 0.01493 -6408 7577 0.01759 -6408 8675 0.00571 -6407 6648 0.00772 -6407 8944 0.00872 -6407 8978 0.01806 -6406 7006 0.01243 -6406 7823 0.01363 -6405 6592 0.01140 -6405 6877 0.01291 -6405 8557 0.01223 -6404 6411 0.00670 -6404 6653 0.01680 -6404 7343 0.01837 -6404 7749 0.00934 -6404 8613 0.00859 -6404 9332 0.00167 -6403 8659 0.01124 -6402 6443 0.01380 -6402 8177 0.01613 -6402 9733 0.01429 -6401 6525 0.01385 -6401 7508 0.01161 -6400 7320 0.01145 -6400 8728 0.01433 -6400 9618 0.00863 -6400 9877 0.00232 -6399 6673 0.01711 -6399 6762 0.01277 -6399 7756 0.01676 -6399 7775 0.01264 -6399 8148 0.01776 -6399 8313 0.01859 -6399 9493 0.01681 -6399 9553 0.01858 -6398 6842 0.01919 -6398 7657 0.01782 -6398 8296 0.01718 -6398 8493 0.00773 -6398 9460 0.01763 -6397 6538 0.00526 -6397 6605 0.00267 -6397 7036 0.01234 -6397 7458 0.01080 -6397 8103 0.01558 -6396 6847 0.01714 -6396 7812 0.01159 -6395 6673 0.01573 -6395 6828 0.01782 -6395 7756 0.01793 -6395 7802 0.00456 -6395 7920 0.01273 -6395 8465 0.01340 -6395 9438 0.01269 -6395 9493 0.00850 -6395 9553 0.01614 -6394 6480 0.01185 -6394 7258 0.00600 -6394 8190 0.01290 -6394 9134 0.01274 -6394 9150 0.01487 -6394 9871 0.00085 -6393 6583 0.00760 -6393 8611 0.01615 -6393 8878 0.01655 -6393 9935 0.01965 -6392 6485 0.01107 -6392 8476 0.01048 -6391 9215 0.01441 -6390 6508 0.01709 -6390 7503 0.00515 -6390 8546 0.01819 -6390 9190 0.01417 -6390 9901 0.00943 -6389 6761 0.01950 -6389 7345 0.00346 -6389 8126 0.01575 -6389 8200 0.01834 -6389 8387 0.01583 -6389 9518 0.01427 -6388 6854 0.01875 -6388 7815 0.01562 -6388 7881 0.00437 -6387 7192 0.01006 -6387 7340 0.01377 -6387 9195 0.00813 -6387 9351 0.01775 -6386 8467 0.01665 -6386 9210 0.00912 -6386 9622 0.00320 -6385 7493 0.01986 -6385 7643 0.01874 -6385 9005 0.01230 -6383 7249 0.01759 -6383 7575 0.01810 -6382 6450 0.01616 -6382 6960 0.00372 -6382 7034 0.01929 -6382 7855 0.01548 -6382 9851 0.01840 -6381 6806 0.01014 -6381 6871 0.01914 -6381 8857 0.00877 -6380 6969 0.01337 -6380 7642 0.00985 -6380 7678 0.00801 -6380 7912 0.01289 -6380 8213 0.01572 -6380 9697 0.00595 -6379 8414 0.00247 -6379 9061 0.01747 -6378 7206 0.01865 -6378 7216 0.01935 -6378 7686 0.01415 -6378 8187 0.01945 -6378 9029 0.01352 -6377 6825 0.01702 -6377 8168 0.01405 -6377 8260 0.01262 -6377 8726 0.00705 -6377 9223 0.01327 -6376 8203 0.01428 -6376 8705 0.00947 -6375 7098 0.00901 -6375 7693 0.01805 -6375 8169 0.01553 -6375 8520 0.01081 -6375 9911 0.01267 -6374 7439 0.02000 -6374 7698 0.00991 -6374 7781 0.01848 -6374 8116 0.01858 -6374 9613 0.01844 -6373 6888 0.01693 -6373 7058 0.01127 -6373 7183 0.01997 -6373 7455 0.01475 -6373 7543 0.01809 -6373 9181 0.01538 -6372 8894 0.01856 -6372 8896 0.01517 -6371 6861 0.00120 -6371 8440 0.01970 -6371 9562 0.01911 -6371 9844 0.01765 -6370 7062 0.01627 -6370 7485 0.00289 -6370 7863 0.01910 -6370 8299 0.01559 -6370 8336 0.00751 -6370 9462 0.01932 -6369 6802 0.01169 -6369 7500 0.00784 -6369 7931 0.00922 -6369 7981 0.01325 -6369 8001 0.00523 -6369 8531 0.01386 -6369 8866 0.01298 -6368 7764 0.00890 -6368 8633 0.01095 -6368 8902 0.00375 -6368 9074 0.01356 -6368 9800 0.01401 -6367 7047 0.01873 -6367 7138 0.00405 -6367 8085 0.01434 -6367 8582 0.01237 -6367 9318 0.01336 -6367 9410 0.01884 -6366 6803 0.01390 -6366 6916 0.01297 -6366 7488 0.01284 -6366 9008 0.01614 -6365 8780 0.00370 -6365 9700 0.01166 -6364 6725 0.00569 -6364 6946 0.01791 -6364 7102 0.01797 -6364 8654 0.00600 -6363 7051 0.01882 -6363 7794 0.01843 -6363 7891 0.00941 -6363 7990 0.01833 -6363 8083 0.01530 -6362 6446 0.00810 -6362 7073 0.00777 -6362 7682 0.01618 -6362 7761 0.01071 -6362 8502 0.01990 -6362 9128 0.01204 -6362 9925 0.01191 -6361 6539 0.01989 -6361 6729 0.01572 -6361 8479 0.01122 -6361 9893 0.00124 -6360 7772 0.00530 -6360 9641 0.01670 -6359 7300 0.01591 -6359 8075 0.01500 -6359 9671 0.00682 -6358 7456 0.01480 -6358 7555 0.00781 -6358 9306 0.01325 -6358 9372 0.01691 -6357 6647 0.00947 -6357 7269 0.01130 -6357 7864 0.00473 -6357 8120 0.01293 -6357 9723 0.00419 -6356 6869 0.01560 -6356 7082 0.01016 -6356 7126 0.01867 -6356 7609 0.01988 -6356 9140 0.00613 -6354 6878 0.01400 -6354 7311 0.00532 -6354 8398 0.01475 -6354 8759 0.01779 -6353 7622 0.01558 -6353 8396 0.00375 -6353 8618 0.00886 -6353 9794 0.00868 -6352 7603 0.01862 -6352 7739 0.01871 -6352 7975 0.01164 -6352 8717 0.01842 -6351 7260 0.01433 -6351 7358 0.01297 -6351 7907 0.00937 -6351 8730 0.01022 -6350 6476 0.01946 -6350 6652 0.01139 -6350 7064 0.01786 -6350 7753 0.01032 -6350 8051 0.01257 -6350 9572 0.00830 -6350 9590 0.00436 -6349 7697 0.01889 -6349 8417 0.00766 -6349 8940 0.00963 -6349 9639 0.01936 -6348 6773 0.01771 -6348 7088 0.01771 -6348 7828 0.01111 -6348 8322 0.01331 -6348 9108 0.01574 -6347 6793 0.01261 -6347 8442 0.01204 -6347 8469 0.00878 -6347 9283 0.00461 -6347 9677 0.01450 -6346 7557 0.01504 -6346 7848 0.00430 -6346 8694 0.01310 -6345 7656 0.01601 -6344 6736 0.01663 -6344 7297 0.00105 -6344 7444 0.01709 -6344 7561 0.01417 -6344 8413 0.00653 -6344 8687 0.00915 -6344 9481 0.01332 -6343 6868 0.01568 -6343 7617 0.01336 -6343 7993 0.01920 -6343 8074 0.00294 -6343 8543 0.01765 -6343 9024 0.01297 -6343 9274 0.01540 -6343 9284 0.00401 -6343 9863 0.01697 -6342 6896 0.00211 -6342 7392 0.01204 -6342 8237 0.01063 -6342 8626 0.01886 -6341 7954 0.01079 -6341 8932 0.01109 -6340 7379 0.01698 -6340 9187 0.01971 -6340 9252 0.01901 -6340 9447 0.01328 -6339 7489 0.01045 -6339 7535 0.01377 -6339 9408 0.00940 -6339 9886 0.01235 -6338 7365 0.01441 -6338 7716 0.01321 -6338 9520 0.01812 -6337 7949 0.00206 -6337 8869 0.01758 -6336 6517 0.00477 -6336 6598 0.01496 -6336 7298 0.01603 -6336 7817 0.01360 -6336 8118 0.01981 -6336 8892 0.01200 -6336 8898 0.01901 -6336 9186 0.00669 -6336 9996 0.01423 -6335 7813 0.01547 -6335 8648 0.01692 -6333 6922 0.01650 -6333 8240 0.00726 -6333 8282 0.01345 -6333 8873 0.00918 -6333 9504 0.01575 -6333 9967 0.00850 -6332 6466 0.01526 -6332 6621 0.01553 -6332 7546 0.01228 -6332 7683 0.01834 -6332 8473 0.01399 -6332 9251 0.00413 -6331 6358 0.00578 -6331 7456 0.01754 -6331 7555 0.01299 -6331 9306 0.01897 -6330 6744 0.00268 -6330 7089 0.01644 -6330 7168 0.01725 -6330 7448 0.01397 -6330 7697 0.01999 -6330 8646 0.00690 -6330 8940 0.01601 -6330 8950 0.01728 -6330 9359 0.00467 -6330 9639 0.01986 -6329 6720 0.01836 -6329 8022 0.01788 -6329 8539 0.01313 -6329 8677 0.00909 -6329 9132 0.01670 -6329 9566 0.01000 -6329 9873 0.01832 -6328 6429 0.01887 -6328 7518 0.01979 -6328 7898 0.00928 -6328 9295 0.01099 -6327 7648 0.01984 -6327 9187 0.01296 -6326 7559 0.01347 -6326 8599 0.01529 -6325 8808 0.01654 -6325 8889 0.01083 -6325 9097 0.01043 -6325 9265 0.01041 -6324 6479 0.00344 -6324 8455 0.01087 -6324 9492 0.00629 -6324 9510 0.01767 -6323 6710 0.01321 -6323 6811 0.01745 -6323 7632 0.01512 -6323 9645 0.00734 -6322 8778 0.01474 -6322 9703 0.01414 -6321 6530 0.01493 -6321 7081 0.00838 -6321 7463 0.01956 -6321 7722 0.00848 -6321 8862 0.01415 -6321 9031 0.01364 -6320 8227 0.01052 -6320 8453 0.00932 -6320 8570 0.01072 -6320 9213 0.00927 -6320 9516 0.01676 -6319 8097 0.01201 -6319 9597 0.01927 -6319 9687 0.01124 -6319 9765 0.01645 -6318 7270 0.00113 -6318 7298 0.01746 -6318 8118 0.01255 -6318 8898 0.01750 -6317 6724 0.01942 -6317 7809 0.01817 -6317 7861 0.01076 -6317 8229 0.01596 -6317 8248 0.01212 -6317 9909 0.01687 -6316 7390 0.01378 -6316 8822 0.01245 -6316 9155 0.01719 -6315 6518 0.01892 -6315 7307 0.01125 -6315 9096 0.01322 -6314 7290 0.01877 -6314 8683 0.01994 -6314 9456 0.01348 -6314 9685 0.01244 -6313 8184 0.01102 -6313 9420 0.00991 -6312 7862 0.00754 -6312 7942 0.01556 -6312 8289 0.00449 -6312 9950 0.01339 -6311 6707 0.00981 -6311 8533 0.00914 -6310 7250 0.01283 -6310 7373 0.00502 -6310 8045 0.00824 -6310 8091 0.01965 -6310 8206 0.00657 -6310 8432 0.00677 -6310 8434 0.00931 -6310 8697 0.01801 -6309 7124 0.00340 -6309 7876 0.01845 -6309 8056 0.01987 -6309 8214 0.01981 -6309 8470 0.00556 -6309 8997 0.01407 -6309 9643 0.01791 -6309 9949 0.01935 -6308 6980 0.00826 -6308 7354 0.01481 -6308 7602 0.01076 -6308 8751 0.01516 -6308 9442 0.01634 -6308 9994 0.01571 -6307 6708 0.01035 -6307 7526 0.01287 -6307 7916 0.00948 -6307 8745 0.01927 -6307 9978 0.01348 -6306 6463 0.00123 -6306 6689 0.01266 -6306 6763 0.01444 -6306 9494 0.01437 -6305 6325 0.00549 -6305 7866 0.01584 -6305 8889 0.01527 -6305 9097 0.00980 -6305 9265 0.00747 -6304 6936 0.01655 -6304 7778 0.01152 -6304 8193 0.01676 -6304 8267 0.00555 -6304 8691 0.00872 -6303 7153 0.01140 -6303 7566 0.00867 -6303 8218 0.00944 -6302 7491 0.00558 -6302 8241 0.01116 -6302 8968 0.01899 -6301 7832 0.01956 -6301 8454 0.01176 -6300 7969 0.01908 -6300 8099 0.00548 -6300 8692 0.01171 -6300 8729 0.00524 -6300 9721 0.01554 -6299 7026 0.00576 -6299 7101 0.00231 -6299 7788 0.00602 -6299 9434 0.00924 -6298 6400 0.01696 -6298 8052 0.01276 -6298 8728 0.00962 -6298 8736 0.01938 -6298 9618 0.00919 -6298 9858 0.00891 -6298 9877 0.01483 -6297 6615 0.01893 -6297 8022 0.00758 -6297 8677 0.01232 -6297 9566 0.01101 -6296 6595 0.01299 -6296 7456 0.01787 -6296 8472 0.01666 -6296 9202 0.01865 -6296 9372 0.01578 -6295 6355 0.01248 -6295 7592 0.01690 -6295 7839 0.01957 -6295 9054 0.01571 -6294 6541 0.01992 -6294 7038 0.01436 -6293 8748 0.01480 -6292 6383 0.01785 -6292 6951 0.01990 -6292 7575 0.01228 -6292 9229 0.01857 -6291 9739 0.00867 -6290 7731 0.01964 -6290 8117 0.00827 -6290 8317 0.00920 -6290 8833 0.00110 -6290 9282 0.01312 -6290 9756 0.01844 -6289 8350 0.00483 -6289 8445 0.01239 -6289 8499 0.00410 -6289 8640 0.01523 -6288 7070 0.01745 -6288 7509 0.01540 -6287 6588 0.01839 -6287 7301 0.01863 -6287 7338 0.01813 -6287 7820 0.01539 -6287 7825 0.00628 -6287 8037 0.01212 -6287 8890 0.02000 -6287 9861 0.01001 -6286 6632 0.01110 -6286 7213 0.01504 -6286 7276 0.01697 -6286 8088 0.00667 -6286 8667 0.01518 -6286 8879 0.00363 -6286 9003 0.01846 -6285 6968 0.01815 -6285 7370 0.01970 -6285 7996 0.00589 -6285 9253 0.01105 -6285 9315 0.01483 -6285 9427 0.01973 -6285 9506 0.01076 -6284 6522 0.01555 -6284 7847 0.01908 -6284 9658 0.01260 -6283 6319 0.01486 -6283 8097 0.00292 -6283 9340 0.00951 -6283 9687 0.01032 -6283 9765 0.00159 -6282 8496 0.01699 -6282 9078 0.01803 -6281 6402 0.01473 -6281 7054 0.01888 -6281 8177 0.01882 -6281 9525 0.00731 -6281 9733 0.01846 -6280 7487 0.01490 -6280 8228 0.00893 -6280 8272 0.00816 -6280 8378 0.01418 -6280 8914 0.01939 -6280 9435 0.01214 -6279 7103 0.01378 -6279 7232 0.01808 -6279 7450 0.01279 -6279 7995 0.00492 -6279 8038 0.00798 -6279 8511 0.01541 -6279 9628 0.01325 -6279 9938 0.01088 -6278 6597 0.01420 -6278 9716 0.01712 -6278 9988 0.01916 -6277 6734 0.00743 -6277 6843 0.00863 -6277 8287 0.01910 -6277 9833 0.01738 -6277 9986 0.01935 -6276 6489 0.01513 -6276 6679 0.01617 -6276 7819 0.00876 -6276 7843 0.00481 -6276 8007 0.01704 -6276 8391 0.01059 -6275 7790 0.01911 -6275 9732 0.01326 -6274 6944 0.01716 -6274 7257 0.01656 -6274 7285 0.01744 -6274 7459 0.01760 -6274 8234 0.00113 -6274 8309 0.01708 -6274 9656 0.01045 -6273 6573 0.00454 -6273 6574 0.00317 -6273 6912 0.01982 -6273 7137 0.00526 -6272 7911 0.01312 -6272 9880 0.01809 -6271 8328 0.01563 -6271 9990 0.01345 -6270 6919 0.00526 -6270 7289 0.00374 -6270 8682 0.01728 -6270 9045 0.01336 -6270 9072 0.00270 -6269 6423 0.01658 -6269 7294 0.01386 -6269 8077 0.01022 -6269 9409 0.01733 -6269 9419 0.01595 -6268 6899 0.00715 -6268 7136 0.00630 -6268 7170 0.01674 -6268 8055 0.01612 -6268 8063 0.01255 -6268 8327 0.00999 -6267 7407 0.01006 -6267 9580 0.01247 -6266 6282 0.01228 -6266 6541 0.01221 -6266 7919 0.01964 -6266 8496 0.00568 -6265 7400 0.01835 -6264 6374 0.01450 -6264 6904 0.01536 -6264 7698 0.01782 -6264 7781 0.00455 -6264 7941 0.01990 -6264 8116 0.00473 -6264 8278 0.01546 -6263 6504 0.01275 -6263 7553 0.00884 -6263 8985 0.00487 -6263 9287 0.00874 -6262 7322 0.00922 -6262 7555 0.01852 -6262 7657 0.00933 -6262 8296 0.01730 -6262 8838 0.00451 -6262 9202 0.01332 -6262 9306 0.01189 -6261 6814 0.00922 -6261 6953 0.01812 -6261 9460 0.01980 -6261 9897 0.01001 -6260 6695 0.00503 -6260 7662 0.01116 -6260 7841 0.01506 -6260 8191 0.01939 -6260 9815 0.01248 -6259 6665 0.00918 -6259 7097 0.00883 -6259 8897 0.01115 -6259 8961 0.01374 -6259 9482 0.01772 -6258 6414 0.01315 -6258 6895 0.00802 -6258 7692 0.01129 -6258 7905 0.00212 -6258 8639 0.01502 -6257 6420 0.00285 -6257 7384 0.01647 -6257 7443 0.01505 -6257 8524 0.01874 -6257 9405 0.01720 -6256 8073 0.00435 -6255 6779 0.01486 -6255 7227 0.01734 -6255 7578 0.01681 -6255 9647 0.00980 -6254 7159 0.01394 -6254 7977 0.00495 -6254 8869 0.01218 -6253 6552 0.00640 -6253 7836 0.00800 -6253 8090 0.00823 -6253 8356 0.01916 -6253 8629 0.01523 -6253 8789 0.01297 -6252 7449 0.00858 -6252 7780 0.00958 -6252 9090 0.01696 -6252 9932 0.00980 -6251 6365 0.01640 -6251 8370 0.00719 -6251 8780 0.01858 -6251 9032 0.01552 -6251 9700 0.01130 -6251 9922 0.01202 -6250 6295 0.00516 -6250 6355 0.01763 -6250 6469 0.01871 -6250 7592 0.01784 -6250 7839 0.01644 -6250 9054 0.01404 -6249 6601 0.01604 -6249 8092 0.00834 -6249 8799 0.01448 -6249 9378 0.01683 -6248 6810 0.01293 -6248 7343 0.01691 -6248 7811 0.01911 -6248 8583 0.01370 -6248 9642 0.00265 -6247 6531 0.01598 -6247 6981 0.01773 -6247 7378 0.01112 -6247 7391 0.00690 -6247 8217 0.01989 -6247 9026 0.00413 -6246 7071 0.01934 -6246 7787 0.01292 -6246 9385 0.00554 -6246 9569 0.00776 -6245 6913 0.01983 -6245 7267 0.01093 -6245 7280 0.01848 -6245 7612 0.01406 -6245 8484 0.01236 -6245 8813 0.01812 -6245 9193 0.00267 -6245 9322 0.01316 -6244 6606 0.01602 -6244 7899 0.00877 -6244 9412 0.01036 -6244 9684 0.01836 -6243 6667 0.00812 -6243 7027 0.01853 -6243 8887 0.00466 -6243 9104 0.01451 -6242 6618 0.01517 -6242 7921 0.01275 -6242 8151 0.01700 -6242 8602 0.01104 -6241 7055 0.01281 -6241 7099 0.01254 -6241 9233 0.01098 -6240 6430 0.01505 -6240 7980 0.01690 -6240 8829 0.00999 -6240 9304 0.01818 -6240 9784 0.01916 -6240 9843 0.01561 -6239 6875 0.00660 -6239 8704 0.01176 -6239 8851 0.01918 -6239 8927 0.01419 -6238 6565 0.00893 -6238 7475 0.01259 -6238 7613 0.00513 -6238 7838 0.00846 -6238 7969 0.01443 -6237 6454 0.01115 -6237 7321 0.01794 -6237 7593 0.00956 -6237 7701 0.00652 -6237 8775 0.01221 -6236 6571 0.01346 -6236 6819 0.01859 -6236 6858 0.01718 -6236 7056 0.01389 -6236 7074 0.00723 -6236 7876 0.01787 -6236 8214 0.01412 -6236 8585 0.00856 -6236 9621 0.00627 -6236 9643 0.01590 -6235 7932 0.01865 -6235 8245 0.01394 -6235 8249 0.01975 -6235 8971 0.00808 -6235 9784 0.01804 -6234 6829 0.00615 -6234 7038 0.01536 -6234 7361 0.00927 -6234 8169 0.01177 -6234 9484 0.00742 -6234 9684 0.01436 -6233 6669 0.01502 -6233 8002 0.01677 -6233 8740 0.01596 -6233 8807 0.00889 -6232 9290 0.01367 -6232 9707 0.01610 -6231 6721 0.00652 -6231 6973 0.00651 -6231 7591 0.01531 -6231 7808 0.01976 -6230 6493 0.00638 -6230 6703 0.01731 -6230 7967 0.01831 -6230 8244 0.01144 -6230 8348 0.00480 -6229 6385 0.01955 -6229 9005 0.01241 -6228 6856 0.00334 -6228 6890 0.01992 -6228 8253 0.01927 -6228 8466 0.01697 -6228 9222 0.01914 -6228 9366 0.01141 -6228 9802 0.01387 -6228 9850 0.01899 -6227 6242 0.00937 -6227 6618 0.01739 -6227 7921 0.01173 -6227 8151 0.01080 -6226 6302 0.01670 -6226 7341 0.01716 -6226 7491 0.01283 -6226 8241 0.01782 -6226 8819 0.00952 -6226 8968 0.00319 -6225 6651 0.01342 -6225 8307 0.01845 -6224 7019 0.01891 -6224 7216 0.01547 -6224 7248 0.01126 -6224 7608 0.01476 -6224 7616 0.01759 -6224 7686 0.01823 -6224 8790 0.01350 -6224 8823 0.01289 -6224 8937 0.01374 -6224 9109 0.01083 -6223 6579 0.01559 -6223 7316 0.01600 -6223 7751 0.01990 -6223 8215 0.01088 -6223 9285 0.01776 -6223 9431 0.00888 -6222 7010 0.00888 -6222 7275 0.01053 -6222 8568 0.01730 -6222 8848 0.01642 -6222 9143 0.01553 -6222 9422 0.01419 -6221 9385 0.01706 -6220 8706 0.01206 -6220 8773 0.00348 -6220 8876 0.01499 -6219 7240 0.00711 -6219 8207 0.01916 -6219 9145 0.01470 -6219 9904 0.01230 -6218 6305 0.01795 -6218 6325 0.01248 -6218 7950 0.01795 -6218 8663 0.01693 -6218 8808 0.00806 -6218 8889 0.00766 -6218 8909 0.01520 -6218 9097 0.01970 -6217 6388 0.01453 -6217 6854 0.00845 -6217 7523 0.01161 -6217 7733 0.01488 -6217 7815 0.01256 -6217 7881 0.01767 -6217 8158 0.01854 -6217 8505 0.01479 -6217 9325 0.00573 -6216 6671 0.01720 -6216 7524 0.00590 -6216 9094 0.01659 -6216 9192 0.01847 -6216 9594 0.01178 -6215 6360 0.00290 -6215 7772 0.00813 -6215 9641 0.01434 -6214 6281 0.01549 -6214 6427 0.01941 -6214 9525 0.00862 -6213 7090 0.01880 -6213 7661 0.01921 -6213 8571 0.01149 -6212 6862 0.01461 -6212 8528 0.01118 -6212 9035 0.01508 -6212 9089 0.01831 -6212 9619 0.01528 -6212 9946 0.01495 -6211 6638 0.01358 -6211 6726 0.01256 -6211 6930 0.01396 -6211 8286 0.01647 -6211 9488 0.01717 -6211 9676 0.01656 -6210 6446 0.01929 -6210 7073 0.01599 -6210 7143 0.01050 -6210 9128 0.01629 -6210 9925 0.00969 -6209 7395 0.00945 -6209 7654 0.00907 -6209 9161 0.01986 -6209 9441 0.01205 -6209 9537 0.00978 -6208 7530 0.01712 -6208 9920 0.01025 -6207 6435 0.01014 -6207 7344 0.00816 -6207 8777 0.00905 -6206 6643 0.00241 -6206 6838 0.01283 -6206 7164 0.00473 -6206 7313 0.01568 -6206 8256 0.01849 -6206 9762 0.00578 -6205 6378 0.01281 -6205 7152 0.01939 -6205 7206 0.00763 -6205 7216 0.01595 -6205 7686 0.01463 -6204 7755 0.01558 -6204 9311 0.00044 -6204 9579 0.00968 -6204 9788 0.01949 -6203 6246 0.00713 -6203 7071 0.01288 -6203 7787 0.00935 -6203 9385 0.00986 -6203 9569 0.00063 -6202 6230 0.00928 -6202 6493 0.00889 -6202 6703 0.01985 -6202 8244 0.01676 -6202 8348 0.01407 -6201 6492 0.01059 -6201 6558 0.01575 -6201 7623 0.01812 -6201 8941 0.01545 -6201 9505 0.01420 -6201 9729 0.01556 -6200 6474 0.00677 -6200 6497 0.01606 -6200 7433 0.01247 -6200 8787 0.01628 -6200 9189 0.01011 -6200 9345 0.01193 -6200 9396 0.01324 -6200 9568 0.00246 -6200 9638 0.01979 -6199 7227 0.01010 -6199 7883 0.00707 -6199 9092 0.01689 -6198 8331 0.01195 -6198 8725 0.01098 -6198 8859 0.01807 -6198 9046 0.01951 -6198 9544 0.00388 -6198 9683 0.01549 -6197 6431 0.01910 -6197 6981 0.00672 -6197 7264 0.00870 -6197 7391 0.01963 -6197 7973 0.01228 -6197 8114 0.01462 -6197 8217 0.00665 -6197 9304 0.01738 -6197 9634 0.00820 -6196 7901 0.00274 -6196 8072 0.00878 -6196 9114 0.00877 -6196 9554 0.01554 -6195 6289 0.01793 -6195 7560 0.01479 -6195 8028 0.01848 -6195 8350 0.01745 -6195 8499 0.01857 -6195 8640 0.00656 -6195 8680 0.01126 -6195 8957 0.01381 -6194 6448 0.01666 -6194 6700 0.00591 -6194 6817 0.01994 -6194 7023 0.01157 -6194 7380 0.01382 -6193 6250 0.01911 -6193 6469 0.00268 -6193 7592 0.01541 -6193 7839 0.00267 -6193 9208 0.01968 -6192 6280 0.01897 -6192 6995 0.01398 -6192 7291 0.01276 -6192 7487 0.00801 -6192 8272 0.01511 -6192 8378 0.00480 -6192 9435 0.01297 -6191 6990 0.01695 -6191 7500 0.01550 -6191 8001 0.01972 -6191 8866 0.01492 -6190 6745 0.01482 -6190 8590 0.00473 -6190 8731 0.00192 -6190 9834 0.01393 -6188 8706 0.01765 -6188 8742 0.01995 -6187 8713 0.00448 -6186 6923 0.00808 -6186 7987 0.01402 -6186 8623 0.01179 -6186 8651 0.01736 -6186 8915 0.01677 -6185 6308 0.01997 -6185 6971 0.01121 -6185 6980 0.01607 -6185 7602 0.01923 -6185 8100 0.01334 -6185 9452 0.00391 -6185 9994 0.01069 -6184 6756 0.00182 -6184 8571 0.01118 -6184 9804 0.01753 -6184 9828 0.01715 -6183 6712 0.01495 -6183 8657 0.01280 -6183 8732 0.01743 -6183 9075 0.01900 -6183 9919 0.01282 -6182 6440 0.01980 -6182 8236 0.01857 -6182 8580 0.01835 -6181 7752 0.01660 -6181 8445 0.01352 -6181 8499 0.01644 -6181 8849 0.01208 -6181 9521 0.01976 -6180 8228 0.01695 -6180 8272 0.01656 -6180 8423 0.01265 -6179 6638 0.00920 -6179 7214 0.01450 -6179 7438 0.01166 -6179 8140 0.01091 -6179 8362 0.01884 -6179 9676 0.01329 -6178 7505 0.01448 -6178 8311 0.01398 -6178 8481 0.01046 -6178 9318 0.01946 -6177 6227 0.00469 -6177 6242 0.01026 -6177 7921 0.01622 -6177 8151 0.00700 -6176 7198 0.01754 -6176 7433 0.01748 -6176 8796 0.01909 -6176 8855 0.01850 -6176 9396 0.00969 -6176 9638 0.00315 -6175 6538 0.01937 -6175 6905 0.01092 -6175 7458 0.01736 -6175 7684 0.00572 -6175 8223 0.01557 -6175 9320 0.01687 -6174 6487 0.01636 -6174 7528 0.01874 -6174 8197 0.01194 -6174 8232 0.01438 -6174 8716 0.00767 -6173 6381 0.01579 -6173 6806 0.01777 -6173 6948 0.01839 -6173 7637 0.00803 -6173 8696 0.01756 -6173 8857 0.01505 -6173 8883 0.00633 -6173 9162 0.01756 -6172 6291 0.00585 -6172 9739 0.01155 -6171 7024 0.01838 -6171 7412 0.00966 -6171 7694 0.01666 -6171 8827 0.01960 -6171 9414 0.01436 -6170 6417 0.01625 -6170 7035 0.00416 -6170 8036 0.01106 -6170 9076 0.01227 -6170 9692 0.01931 -6168 7596 0.01254 -6168 7897 0.01823 -6168 9022 0.00886 -6168 9826 0.01053 -6168 9912 0.01101 -6167 6785 0.01936 -6167 7034 0.01801 -6167 8480 0.01454 -6167 9231 0.01032 -6166 6400 0.01477 -6166 7320 0.01753 -6166 9065 0.00934 -6166 9609 0.00627 -6166 9618 0.01378 -6166 9877 0.01387 -6165 6460 0.01901 -6165 7146 0.00999 -6165 8951 0.01182 -6165 9069 0.01153 -6165 9552 0.00807 -6165 9570 0.01958 -6164 8641 0.01759 -6164 9324 0.00500 -6164 9855 0.01841 -6163 7044 0.01884 -6163 8620 0.00759 -6162 7827 0.01291 -6161 6635 0.01371 -6161 7292 0.01080 -6161 9952 0.01858 -6160 6201 0.00686 -6160 6492 0.01702 -6160 6558 0.00916 -6160 8941 0.00883 -6160 9729 0.01186 -6159 7534 0.00727 -6159 8011 0.01359 -6159 8659 0.01838 -6158 6209 0.01428 -6158 7323 0.01171 -6158 7395 0.01352 -6158 7654 0.00611 -6158 9441 0.01335 -6158 9461 0.01739 -6158 9490 0.01885 -6157 6526 0.00625 -6157 6738 0.01715 -6157 7151 0.01136 -6157 9381 0.00174 -6156 6585 0.01045 -6156 6626 0.01041 -6156 6955 0.00899 -6156 7284 0.01086 -6156 7495 0.00583 -6156 8880 0.01314 -6156 9053 0.01369 -6156 9857 0.01272 -6155 6347 0.01122 -6155 8442 0.01616 -6155 8469 0.01918 -6155 9283 0.01541 -6154 7566 0.01900 -6154 7735 0.01622 -6154 7862 0.01669 -6154 8218 0.01753 -6154 8498 0.01741 -6154 9593 0.00754 -6154 9827 0.01719 -6154 9950 0.01174 -6153 6165 0.00760 -6153 6460 0.01925 -6153 7146 0.01736 -6153 7419 0.01799 -6153 8951 0.01869 -6153 9069 0.00956 -6153 9552 0.01562 -6152 7382 0.01646 -6152 9140 0.01938 -6152 9392 0.01047 -6151 6309 0.01496 -6151 7124 0.01166 -6151 7540 0.01449 -6151 8214 0.01882 -6151 8585 0.01930 -6151 8997 0.01880 -6151 9643 0.01161 -6150 8025 0.01570 -6150 8919 0.00820 -6150 9096 0.01910 -6150 9576 0.01485 -6149 6962 0.01799 -6149 7355 0.00942 -6149 7714 0.01457 -6149 8500 0.01620 -6148 6737 0.01962 -6148 6823 0.01125 -6148 7550 0.01354 -6148 8377 0.01823 -6148 8399 0.01094 -6148 8899 0.00866 -6148 9237 0.00921 -6148 9617 0.01981 -6147 6515 0.01463 -6147 7114 0.01373 -6147 7328 0.01014 -6147 7486 0.00583 -6147 7768 0.01605 -6147 7934 0.01913 -6147 9478 0.01436 -6147 9839 0.01211 -6146 6397 0.00498 -6146 6538 0.00943 -6146 6605 0.00240 -6146 6974 0.01846 -6146 7036 0.01010 -6146 7458 0.01578 -6146 8103 0.01094 -6145 7607 0.00869 -6145 7730 0.01617 -6145 9167 0.01496 -6145 9503 0.00552 -6145 9591 0.00930 -6145 9668 0.00853 -6144 6872 0.00883 -6144 7301 0.00798 -6144 7338 0.00895 -6144 7521 0.01153 -6144 8037 0.00805 -6144 8890 0.01725 -6143 6959 0.00354 -6143 8589 0.01167 -6142 7712 0.01387 -6141 6524 0.01882 -6141 6852 0.01008 -6141 7094 0.01280 -6141 7105 0.01153 -6141 7604 0.00936 -6141 9941 0.01179 -6140 6438 0.01277 -6140 6639 0.01696 -6140 7295 0.01487 -6140 7332 0.01541 -6140 8560 0.00887 -6140 8872 0.01726 -6140 9243 0.00620 -6140 9760 0.01460 -6139 6186 0.00516 -6139 6923 0.01208 -6139 7103 0.01750 -6139 7987 0.00945 -6139 8623 0.00676 -6138 6735 0.01455 -6138 7573 0.01873 -6138 8058 0.01865 -6138 9423 0.01879 -6138 9513 0.01229 -6138 9958 0.01195 -6137 6264 0.01899 -6137 7781 0.01923 -6137 7782 0.01443 -6137 7941 0.01266 -6137 8116 0.01457 -6137 8278 0.01704 -6137 8497 0.01563 -6137 9416 0.01724 -6136 6572 0.01439 -6136 7584 0.01197 -6136 7615 0.01512 -6136 9887 0.01310 -6135 6557 0.01488 -6135 7704 0.01704 -6135 7956 0.01568 -6135 8157 0.01686 -6135 8594 0.01252 -6135 9033 0.01685 -6135 9086 0.00710 -6135 9501 0.01586 -6135 9921 0.01859 -6134 6363 0.01223 -6134 6754 0.01866 -6134 7051 0.00992 -6134 7794 0.00831 -6134 7891 0.01231 -6134 7990 0.00971 -6134 8083 0.00379 -6134 8864 0.01531 -6134 9241 0.01726 -6133 6285 0.01091 -6133 6968 0.01448 -6133 7996 0.00684 -6133 9253 0.01045 -6133 9506 0.00609 -6132 7832 0.01751 -6132 8219 0.00649 -6132 8454 0.01602 -6132 9298 0.00953 -6132 9473 0.01460 -6132 9819 0.01175 -6131 6564 0.01776 -6131 7553 0.01956 -6131 7992 0.01677 -6131 8430 0.01198 -6131 9665 0.01790 -6130 8229 0.00911 -6130 9400 0.01716 -6130 9512 0.01657 -6129 6402 0.01202 -6129 6443 0.01053 -6129 6473 0.01456 -6128 6584 0.01686 -6128 6910 0.00971 -6128 7784 0.01024 -6128 7844 0.01408 -6128 8101 0.01999 -6128 9002 0.01646 -6128 9276 0.01702 -6127 8082 0.01514 -6127 8916 0.01432 -6127 9021 0.01875 -6126 6983 0.01331 -6126 9391 0.01826 -6125 7510 0.00770 -6125 7594 0.01773 -6125 9043 0.01104 -6125 9271 0.00900 -6125 9335 0.01267 -6125 9915 0.00626 -6124 6202 0.01720 -6124 6215 0.01813 -6124 6230 0.01396 -6124 6493 0.00878 -6124 8348 0.01492 -6123 6249 0.01360 -6123 6601 0.01859 -6123 8312 0.01618 -6123 8799 0.00859 -6122 6362 0.00578 -6122 6446 0.01133 -6122 7073 0.01246 -6122 7682 0.01638 -6122 7761 0.01179 -6122 8502 0.01876 -6122 9128 0.01610 -6122 9925 0.01750 -6121 6678 0.01474 -6121 8062 0.01902 -6121 8517 0.00931 -6121 8612 0.00859 -6121 9371 0.01394 -6120 7478 0.01615 -6120 9228 0.00447 -6119 6452 0.01091 -6119 7800 0.01789 -6119 9798 0.01748 -6118 7290 0.00411 -6118 8221 0.01546 -6118 9456 0.01488 -6118 9685 0.01698 -6117 6288 0.00416 -6117 7509 0.01778 -6117 7563 0.01791 -6116 6129 0.00573 -6116 6402 0.00979 -6116 6443 0.00560 -6116 7314 0.01937 -6115 7142 0.01561 -6115 7251 0.01616 -6115 7340 0.01845 -6115 8561 0.01018 -6115 8905 0.00666 -6115 9175 0.01414 -6114 6122 0.00523 -6114 6362 0.00382 -6114 6446 0.01188 -6114 7073 0.01150 -6114 7682 0.01939 -6114 7761 0.00738 -6114 9128 0.01583 -6114 9925 0.01491 -6113 6169 0.00890 -6112 7689 0.00718 -6112 8596 0.01772 -6111 6231 0.01940 -6111 6721 0.01842 -6111 6886 0.00638 -6111 8587 0.01856 -6111 8649 0.01873 -6111 9407 0.01448 -6110 6831 0.00754 -6110 7909 0.01897 -6110 9090 0.01261 -6109 7904 0.01876 -6109 7940 0.01341 -6108 6381 0.01456 -6108 6706 0.01875 -6108 6806 0.01672 -6108 7529 0.01130 -6107 7078 0.01885 -6107 8556 0.00997 -6107 9230 0.01169 -6106 6926 0.01265 -6106 7650 0.01174 -6106 8325 0.01400 -6106 8848 0.01529 -6106 9781 0.01848 -6106 9816 0.01102 -6105 7440 0.01459 -6105 9725 0.01651 -6103 9286 0.01997 -6102 6870 0.01638 -6102 8308 0.01887 -6102 8622 0.00313 -6102 9429 0.01562 -6102 9755 0.00462 -6101 7994 0.01663 -6101 8170 0.01302 -6101 8347 0.00990 -6101 8720 0.01644 -6101 9832 0.00202 -6100 6260 0.01699 -6100 6458 0.01849 -6100 6695 0.01440 -6100 7841 0.00340 -6100 8108 0.00672 -6100 8885 0.00846 -6100 9640 0.01496 -6099 6526 0.01927 -6099 7032 0.01707 -6099 9381 0.01900 -6099 9565 0.01300 -6098 7327 0.01426 -6098 8863 0.01721 -6097 6424 0.00515 -6097 8553 0.01376 -6097 9056 0.01547 -6097 9394 0.01525 -6097 9663 0.01590 -6096 6569 0.00835 -6096 6715 0.01866 -6096 7347 0.01984 -6096 7638 0.00976 -6096 7776 0.01794 -6096 9131 0.01365 -6095 6099 0.01277 -6095 8078 0.01215 -6094 6133 0.01345 -6094 6285 0.01854 -6094 6968 0.00229 -6094 7286 0.01447 -6094 7886 0.01525 -6094 7996 0.01284 -6094 9253 0.00798 -6094 9293 0.01048 -6094 9506 0.01949 -6094 9764 0.01538 -6093 6701 0.01446 -6093 7029 0.00328 -6092 6100 0.01723 -6092 7841 0.01573 -6092 8108 0.01070 -6092 8796 0.00891 -6092 8885 0.00937 -6092 9568 0.01889 -6092 9640 0.00702 -6091 6189 0.01745 -6091 7743 0.01990 -6091 8012 0.01946 -6091 9038 0.01641 -6090 6311 0.01305 -6090 7018 0.01917 -6090 8533 0.01076 -6089 6278 0.01429 -6089 6597 0.00437 -6089 7889 0.01975 -6088 6563 0.01705 -6088 7046 0.01651 -6088 8674 0.01512 -6088 9245 0.01228 -6088 9526 0.01151 -6088 9846 0.01819 -6088 9849 0.01553 -6087 7511 0.01663 -6087 7769 0.00841 -6087 8980 0.00955 -6087 9943 0.01736 -6086 6709 0.00566 -6086 6947 0.01465 -6086 7175 0.01051 -6086 7229 0.01343 -6085 6324 0.01662 -6085 6906 0.01826 -6085 7194 0.01173 -6085 7918 0.01863 -6085 9172 0.01233 -6085 9492 0.01578 -6085 9510 0.00336 -6084 7709 0.00774 -6084 7902 0.00700 -6084 8104 0.00932 -6084 9522 0.01995 -6083 6926 0.01961 -6083 8471 0.01729 -6083 9081 0.00809 -6083 9417 0.01090 -6082 6500 0.01593 -6082 6604 0.01281 -6082 7579 0.01781 -6082 7633 0.00125 -6082 8292 0.01746 -6082 9101 0.01274 -6082 9704 0.01774 -6081 9009 0.01779 -6081 9048 0.00507 -6081 9443 0.00075 -6081 9532 0.00346 -6080 6109 0.01829 -6080 8182 0.01122 -6080 9680 0.00264 -6079 6131 0.01630 -6079 6564 0.00148 -6079 7553 0.01836 -6079 7992 0.00276 -6079 8393 0.01440 -6078 8835 0.01904 -6078 8901 0.01274 -6078 9302 0.01267 -6078 9805 0.01168 -6077 6484 0.00698 -6077 7474 0.01533 -6077 7849 0.01513 -6077 8298 0.01386 -6077 8332 0.01549 -6077 9367 0.01855 -6077 9377 0.01930 -6077 9840 0.00746 -6076 7145 0.01391 -6076 8164 0.01701 -6076 8247 0.00541 -6076 8977 0.01425 -6076 9082 0.01068 -6076 9352 0.01988 -6076 9811 0.01514 -6076 9927 0.01769 -6075 6945 0.01148 -6075 7043 0.00613 -6075 7185 0.01385 -6075 7577 0.01029 -6075 8547 0.01799 -6075 9517 0.00086 -6074 6594 0.01712 -6074 7253 0.01805 -6074 7669 0.01853 -6074 7911 0.01889 -6074 9880 0.01235 -6073 7047 0.01730 -6073 7505 0.01545 -6073 7697 0.01966 -6073 8091 0.01862 -6073 8311 0.01650 -6073 8481 0.01918 -6073 8679 0.01687 -6073 9747 0.00949 -6073 9803 0.01493 -6072 6792 0.01872 -6072 6885 0.01787 -6072 7305 0.00141 -6072 7926 0.01159 -6072 8700 0.01949 -6072 8801 0.00176 -6072 9445 0.01575 -6072 9626 0.00945 -6072 9749 0.00306 -6071 6952 0.01202 -6071 7153 0.01433 -6071 7420 0.00104 -6070 7326 0.01185 -6070 7583 0.00276 -6070 9560 0.01638 -6070 9746 0.00582 -6069 7188 0.00939 -6069 7207 0.00948 -6069 7581 0.00819 -6069 7679 0.00533 -6069 8669 0.00931 -6069 9185 0.00237 -6068 6235 0.00807 -6068 7932 0.01897 -6068 8245 0.01720 -6068 8249 0.01527 -6068 8971 0.00233 -6068 9304 0.01931 -6068 9784 0.01856 -6068 9843 0.01521 -6067 6456 0.00939 -6067 8035 0.01890 -6067 8666 0.01507 -6067 8884 0.01257 -6067 8935 0.01791 -6066 8956 0.01441 -6066 8994 0.01472 -6066 9221 0.01030 -6066 9614 0.01812 -6065 6482 0.01325 -6065 9440 0.01115 -6065 9979 0.01782 -6064 6069 0.00710 -6064 6255 0.01965 -6064 6779 0.01895 -6064 7188 0.01274 -6064 7207 0.01131 -6064 7581 0.01264 -6064 7679 0.01242 -6064 8669 0.00345 -6064 9185 0.00484 -6064 9596 0.01952 -6063 6168 0.01009 -6063 7119 0.01955 -6063 7480 0.01687 -6063 7596 0.01256 -6063 7897 0.01998 -6063 9022 0.01885 -6063 9693 0.01273 -6063 9826 0.01563 -6063 9912 0.01457 -6062 7205 0.01327 -6062 7376 0.01930 -6062 8181 0.00802 -6062 9481 0.01982 -6061 6422 0.01952 -6061 6684 0.01097 -6061 7182 0.01416 -6061 8529 0.01722 -6061 9383 0.01058 -6060 6203 0.01758 -6060 6246 0.01914 -6060 9385 0.01494 -6060 9458 0.01880 -6060 9569 0.01754 -6060 9923 0.01896 -6059 6841 0.00610 -6059 7158 0.00407 -6059 9037 0.01443 -6058 6144 0.01424 -6058 6287 0.01811 -6058 6872 0.01201 -6058 7212 0.01455 -6058 7301 0.00640 -6058 7338 0.00534 -6058 7506 0.01612 -6058 8037 0.01142 -6058 8747 0.01488 -6058 8890 0.00315 -6057 6798 0.01524 -6057 7947 0.01071 -6057 8366 0.01921 -6057 8384 0.01492 -6057 8446 0.00801 -6057 9495 0.01609 -6057 9555 0.01725 -6056 6119 0.01520 -6056 6342 0.01697 -6056 6452 0.01346 -6056 6584 0.01156 -6056 6896 0.01883 -6056 9002 0.01555 -6056 9276 0.01687 -6055 6234 0.00914 -6055 6829 0.00312 -6055 7361 0.01825 -6055 8169 0.01233 -6055 9484 0.01393 -6055 9684 0.00777 -6054 6810 0.01927 -6054 7236 0.01435 -6054 7674 0.01076 -6054 8842 0.00336 -6053 6739 0.01626 -6053 6771 0.01557 -6053 7178 0.01946 -6053 8238 0.01347 -6053 9047 0.01373 -6053 9599 0.01656 -6052 7203 0.00239 -6052 7728 0.01935 -6052 8069 0.01428 -6052 8763 0.01988 -6052 8943 0.01128 -6052 9769 0.01582 -6051 7002 0.01822 -6051 7219 0.00082 -6051 8798 0.00849 -6051 8898 0.01875 -6051 9118 0.01925 -6051 9173 0.01768 -6050 8211 0.01409 -6050 8324 0.01945 -6050 8536 0.01775 -6050 8558 0.01405 -6049 7039 0.01315 -6049 8906 0.01848 -6049 9021 0.01266 -6049 9479 0.01784 -6048 8306 0.01649 -6048 9734 0.01590 -6047 6342 0.01271 -6047 6546 0.01873 -6047 6896 0.01076 -6047 7392 0.00338 -6047 7498 0.01921 -6047 8237 0.01211 -6047 8464 0.01646 -6047 8626 0.01206 -6047 8708 0.01978 -6046 6395 0.01344 -6046 6673 0.00512 -6046 7123 0.01770 -6046 7756 0.00669 -6046 7775 0.01679 -6046 7802 0.00958 -6046 8313 0.01177 -6046 8465 0.01718 -6046 9438 0.01126 -6046 9493 0.01144 -6046 9553 0.00421 -6045 6442 0.01149 -6045 7401 0.01077 -6045 7422 0.01449 -6045 8266 0.01595 -6045 9466 0.00425 -6045 9500 0.00988 -6044 7611 0.00569 -6044 8554 0.00347 -6044 9650 0.01481 -6043 9498 0.01673 -6042 6535 0.01934 -6042 6734 0.01581 -6042 7037 0.01500 -6042 7992 0.01931 -6042 9483 0.01118 -6042 9833 0.01125 -6042 9986 0.00882 -6041 6220 0.01065 -6041 6961 0.01277 -6041 8310 0.01085 -6041 8773 0.01410 -6041 8876 0.00479 -6041 9541 0.01864 -6040 6636 0.01028 -6040 8343 0.01401 -6040 8364 0.01526 -6040 9527 0.01370 -6039 6136 0.01612 -6039 9044 0.01665 -6038 6306 0.01901 -6038 6463 0.01919 -6038 7539 0.01337 -6038 7578 0.01839 -6038 9596 0.00993 -6037 6070 0.01313 -6037 7326 0.00456 -6037 7583 0.01274 -6037 9560 0.01246 -6037 9746 0.01598 -6036 7328 0.01961 -6036 7768 0.01644 -6036 8086 0.01005 -6036 9562 0.01199 -6036 9844 0.01332 -6035 6184 0.00536 -6035 6756 0.00370 -6035 8196 0.01916 -6035 8565 0.01895 -6035 8571 0.01153 -6035 9828 0.01961 -6034 6341 0.01442 -6034 8028 0.00983 -6034 8680 0.01532 -6034 8932 0.00592 -6034 8957 0.01266 -6033 7576 0.01242 -6033 8550 0.01882 -6033 8699 0.01524 -6033 9088 0.00365 -6033 9508 0.01226 -6032 6066 0.01543 -6032 6515 0.01694 -6032 7934 0.01375 -6032 8897 0.01808 -6032 8961 0.01836 -6032 9478 0.01992 -6031 6053 0.01753 -6031 6739 0.01407 -6031 6771 0.01385 -6031 7324 0.01932 -6031 7380 0.01931 -6031 7436 0.01527 -6030 9382 0.01485 -6029 6191 0.01605 -6029 6304 0.01677 -6029 7778 0.01141 -6028 7266 0.00829 -6028 8485 0.01425 -6028 8900 0.01874 -6028 9268 0.01484 -6028 9415 0.01463 -6027 6042 0.00839 -6027 6277 0.01357 -6027 6734 0.00743 -6027 8929 0.01763 -6027 9483 0.01829 -6027 9833 0.00685 -6027 9986 0.00701 -6026 8199 0.01381 -6025 6105 0.01013 -6025 7440 0.01451 -6025 7567 0.01671 -6025 8122 0.01410 -6025 8435 0.01879 -6025 9725 0.01532 -6024 7179 0.01179 -6024 9581 0.01793 -6024 9582 0.00578 -6024 9727 0.01892 -6023 8508 0.00949 -6023 8945 0.00384 -6023 9710 0.01551 -6022 6152 0.01840 -6022 7001 0.01665 -6022 8542 0.01997 -6022 8839 0.01345 -6022 8925 0.01416 -6021 6992 0.01588 -6021 9625 0.01640 -6020 6874 0.01571 -6020 9005 0.01630 -6020 9724 0.00808 -6020 9808 0.00751 -6019 7129 0.01200 -6019 9470 0.00599 -6018 6135 0.01465 -6018 6557 0.00884 -6018 8594 0.00625 -6018 9033 0.01433 -6018 9086 0.01987 -6018 9501 0.01521 -6017 6429 0.01829 -6017 7185 0.01709 -6017 8541 0.00998 -6017 8547 0.00571 -6017 8770 0.00659 -6016 6320 0.01162 -6016 9213 0.01793 -6015 6125 0.00886 -6015 7510 0.01437 -6015 9043 0.01877 -6015 9271 0.01354 -6015 9335 0.00821 -6015 9915 0.01417 -6014 6045 0.00320 -6014 6442 0.01112 -6014 6530 0.01938 -6014 7401 0.01385 -6014 7422 0.01614 -6014 8266 0.01908 -6014 8862 0.01968 -6014 9466 0.00176 -6014 9500 0.01073 -6012 8877 0.01670 -6012 9586 0.00983 -6011 6860 0.01656 -6011 7028 0.01808 -6011 8067 0.01376 -6011 8305 0.01926 -6011 8562 0.01364 -6011 9053 0.01978 -6011 9870 0.01886 -6010 6682 0.00815 -6010 7021 0.01044 -6010 8953 0.00697 -6009 6382 0.01799 -6009 6960 0.01428 -6009 7283 0.00829 -6009 7846 0.01719 -6008 6171 0.01558 -6008 6733 0.01275 -6008 6920 0.01459 -6008 7694 0.01653 -6008 7997 0.01570 -6008 8004 0.01789 -6007 6417 0.01269 -6007 8616 0.01635 -6007 9429 0.01814 -6006 6149 0.01718 -6006 6569 0.01816 -6006 7355 0.01927 -6005 6860 0.01843 -6005 7127 0.00784 -6005 7700 0.00983 -6005 8305 0.01563 -6005 9120 0.01036 -6004 8107 0.01951 -6004 9238 0.01070 -6003 6023 0.01945 -6003 6346 0.01386 -6003 7238 0.01070 -6003 7848 0.01220 -6003 8508 0.01561 -6002 6067 0.00755 -6002 6456 0.01517 -6002 8666 0.01115 -6002 8884 0.01740 -6002 8935 0.01931 -6001 6017 0.01155 -6001 6429 0.01190 -6001 8541 0.00875 -6001 8547 0.01630 -6001 8770 0.00825 -6000 8588 0.01596 -6000 9199 0.00424 -5999 6954 0.01810 -5999 9303 0.01930 -5998 6193 0.00360 -5998 6250 0.01622 -5998 6295 0.01887 -5998 6469 0.00251 -5998 7592 0.01233 -5998 7839 0.00205 -5997 7513 0.01306 -5997 7603 0.01009 -5997 8080 0.00717 -5997 9406 0.01857 -5996 6676 0.00626 -5996 6680 0.01647 -5996 6792 0.01561 -5996 6885 0.01841 -5996 7696 0.01426 -5996 8436 0.00860 -5996 9595 0.00364 -5995 6206 0.01786 -5995 6643 0.01708 -5995 6838 0.01300 -5995 7091 0.01919 -5995 7164 0.01883 -5995 8599 0.01407 -5995 8666 0.01408 -5995 8935 0.01676 -5994 9933 0.01326 -5993 6234 0.01636 -5993 6266 0.01990 -5993 6541 0.00944 -5993 7038 0.01286 -5993 7361 0.00798 -5993 7919 0.01502 -5993 8496 0.01432 -5993 9484 0.01102 -5992 6037 0.00879 -5992 6070 0.00434 -5992 7326 0.00794 -5992 7583 0.00456 -5992 9560 0.01392 -5992 9746 0.00833 -5991 6156 0.01563 -5991 6585 0.01209 -5991 6626 0.00731 -5991 9857 0.00672 -5990 6521 0.01129 -5990 7288 0.01393 -5990 8209 0.01995 -5990 9731 0.00984 -5989 8506 0.01734 -5989 8634 0.01339 -5989 9036 0.00960 -5989 9856 0.01419 -5988 6231 0.01356 -5988 6721 0.01934 -5988 6973 0.01747 -5987 7552 0.01996 -5987 8526 0.00757 -5987 9602 0.01163 -5986 6629 0.01195 -5986 9985 0.00998 -5985 6023 0.01104 -5985 6282 0.01922 -5985 8552 0.01674 -5985 8870 0.01830 -5985 8945 0.00933 -5984 6405 0.01932 -5984 6592 0.00946 -5984 6877 0.01148 -5984 7223 0.01022 -5984 8557 0.01099 -5984 8672 0.00549 -5983 6893 0.01254 -5983 7998 0.01548 -5983 8026 0.01707 -5983 8567 0.00435 -5983 8816 0.00954 -5982 6270 0.01865 -5982 6919 0.01902 -5982 7256 0.01248 -5981 6012 0.01787 -5981 9586 0.01957 -5980 6496 0.01829 -5980 7394 0.01395 -5980 7565 0.01450 -5980 7948 0.01253 -5980 8344 0.01525 -5980 9401 0.01011 -5979 7870 0.01187 -5979 9099 0.01181 -5978 6951 0.01470 -5978 7044 0.01894 -5978 7807 0.01280 -5978 8096 0.01871 -5978 8330 0.01752 -5978 9743 0.01249 -5978 9786 0.01157 -5977 8018 0.01644 -5977 8524 0.00826 -5977 9405 0.01123 -5976 6085 0.00696 -5976 7194 0.01225 -5976 7918 0.01253 -5976 8123 0.01706 -5976 8934 0.01480 -5976 9172 0.01703 -5976 9510 0.00462 -5975 6316 0.01220 -5975 7390 0.01535 -5975 8405 0.01953 -5975 9155 0.01746 -5974 6993 0.00880 -5974 7466 0.01939 -5974 8767 0.00358 -5973 6460 0.00475 -5973 7932 0.01625 -5973 9069 0.01348 -5973 9570 0.00310 -5972 7104 0.01738 -5972 7424 0.01766 -5972 7865 0.01681 -5972 8282 0.01508 -5971 6834 0.00363 -5971 7385 0.01023 -5971 7600 0.01682 -5971 7868 0.01976 -5971 8153 0.01923 -5971 8295 0.01203 -5971 9681 0.00763 -5970 8791 0.01731 -5970 9028 0.01808 -5970 9440 0.01341 -5969 6155 0.01179 -5969 6347 0.01682 -5969 9283 0.01864 -5969 9677 0.01936 -5968 6656 0.01116 -5968 7076 0.01842 -5968 7128 0.01062 -5968 9648 0.00725 -5968 9866 0.01064 -5967 6320 0.01808 -5967 8227 0.00966 -5967 8453 0.00958 -5967 8570 0.00814 -5967 9516 0.01369 -5967 9589 0.01568 -5967 9888 0.01922 -5967 9955 0.01273 -5966 6376 0.01101 -5966 8705 0.01225 -5965 6098 0.01294 -5965 7327 0.01760 -5965 9704 0.01958 -5964 6532 0.01850 -5964 6608 0.01694 -5964 9013 0.01849 -5963 6004 0.01867 -5963 6258 0.01540 -5963 7905 0.01558 -5963 8284 0.01577 -5962 6183 0.01141 -5962 6712 0.01375 -5962 9459 0.01550 -5962 9919 0.01869 -5961 7720 0.01782 -5961 7759 0.01649 -5961 7766 0.01845 -5961 8346 0.01050 -5960 5977 0.01467 -5960 6257 0.01992 -5960 6420 0.01987 -5960 7384 0.00614 -5960 8220 0.01000 -5960 8524 0.00866 -5960 9405 0.01599 -5959 6657 0.01755 -5959 7411 0.01471 -5959 8804 0.01296 -5959 9011 0.01969 -5959 9127 0.01494 -5959 9624 0.01640 -5958 6164 0.00595 -5958 8641 0.01488 -5958 8645 0.01821 -5958 9324 0.00319 -5957 7131 0.00187 -5957 9166 0.01947 -5957 9343 0.00905 -5956 7726 0.01999 -5956 7780 0.01396 -5956 8447 0.01648 -5956 9177 0.00462 -5956 9896 0.01820 -5955 6369 0.01582 -5955 7500 0.01756 -5955 7931 0.01953 -5955 8001 0.01329 -5955 8598 0.01903 -5955 8866 0.01425 -5954 6102 0.01557 -5954 8622 0.01471 -5954 9429 0.01506 -5954 9564 0.01828 -5954 9627 0.01820 -5954 9755 0.01281 -5953 6416 0.01882 -5953 6527 0.01616 -5953 7568 0.01617 -5953 8277 0.00781 -5953 9701 0.01398 -5952 7096 0.01348 -5952 7630 0.01410 -5952 7959 0.01860 -5952 8338 0.00379 -5951 7983 0.01924 -5951 8385 0.01597 -5951 8723 0.01096 -5950 6036 0.01221 -5950 6371 0.01906 -5950 6657 0.01995 -5950 6861 0.01874 -5950 8086 0.01844 -5950 8575 0.01387 -5950 9562 0.00047 -5950 9844 0.00154 -5949 6047 0.01790 -5949 6342 0.01793 -5949 6896 0.01659 -5949 8041 0.01115 -5949 8101 0.01490 -5949 8237 0.00750 -5949 8464 0.01720 -5949 8626 0.00955 -5949 8964 0.01756 -5948 6140 0.00375 -5948 6438 0.01460 -5948 7295 0.01383 -5948 7332 0.01712 -5948 8560 0.01221 -5948 8872 0.01558 -5948 9243 0.00629 -5948 9760 0.01313 -5947 7419 0.00359 -5947 7471 0.00937 -5947 8249 0.01564 -5947 8845 0.00585 -5947 9763 0.00726 -5946 7237 0.01584 -5946 7829 0.01102 -5946 8271 0.01589 -5946 8749 0.00720 -5946 8831 0.01674 -5946 9225 0.01470 -5946 9674 0.01678 -5946 9907 0.01372 -5945 6495 0.01790 -5945 7172 0.01970 -5945 8054 0.00527 -5945 8330 0.01363 -5945 9728 0.01863 -5944 6162 0.01592 -5944 7827 0.01509 -5944 8162 0.01879 -5943 6787 0.00585 -5943 6957 0.00284 -5943 7750 0.00172 -5943 7754 0.01173 -5943 9270 0.01450 -5943 9348 0.00880 -5943 9666 0.01109 -5942 6475 0.01697 -5942 7538 0.01089 -5941 6161 0.01386 -5941 6635 0.00118 -5941 9952 0.00834 -5940 9161 0.01583 -5940 9164 0.01859 -5940 9537 0.01472 -5940 9712 0.01516 -5939 6910 0.01931 -5939 7107 0.00730 -5939 7386 0.00425 -5939 7670 0.01891 -5939 7784 0.01590 -5939 7844 0.01202 -5939 9768 0.01323 -5938 6174 0.01200 -5938 6811 0.01217 -5938 7528 0.01565 -5938 8197 0.01583 -5938 8716 0.00599 -5937 7507 0.01829 -5937 7571 0.01711 -5937 7629 0.01666 -5937 7877 0.00782 -5937 9720 0.01916 -5936 7611 0.01936 -5936 7634 0.01266 -5936 8132 0.01904 -5936 8416 0.01896 -5936 9650 0.01045 -5935 6216 0.00620 -5935 6490 0.01689 -5935 6671 0.01290 -5935 7306 0.01660 -5935 7524 0.00801 -5935 9094 0.01041 -5935 9192 0.01239 -5935 9594 0.00591 -5934 6038 0.00960 -5934 7207 0.01941 -5934 7578 0.01651 -5934 8669 0.01725 -5934 9494 0.01884 -5934 9596 0.00256 -5933 6818 0.01833 -5933 7166 0.01755 -5933 9147 0.01881 -5932 6570 0.00962 -5932 6602 0.01591 -5932 7720 0.00650 -5932 8049 0.01218 -5932 8791 0.01674 -5932 9028 0.01851 -5931 8224 0.00483 -5931 8230 0.00651 -5931 8374 0.01762 -5931 8850 0.01074 -5931 9900 0.01065 -5930 6461 0.01340 -5930 7180 0.00774 -5929 6431 0.01999 -5929 6531 0.01747 -5929 8243 0.01987 -5929 8518 0.00781 -5929 8844 0.01758 -5929 9026 0.01972 -5928 6044 0.01785 -5928 8554 0.01823 -5927 7564 0.01400 -5927 7598 0.01906 -5927 7924 0.01018 -5927 7988 0.00917 -5927 8577 0.01582 -5927 9247 0.01698 -5927 9250 0.01838 -5927 9263 0.01843 -5927 9453 0.01006 -5927 9706 0.01501 -5927 9807 0.00207 -5926 6494 0.00988 -5926 7946 0.00546 -5926 8910 0.00894 -5925 5984 0.01922 -5925 6405 0.00432 -5925 6592 0.01013 -5925 6877 0.01539 -5925 8557 0.01006 -5925 8672 0.01984 -5924 6224 0.01869 -5924 7152 0.01611 -5924 7206 0.01525 -5924 7216 0.01274 -5924 7608 0.00503 -5924 7686 0.01870 -5924 8937 0.00542 -5924 9109 0.01176 -5923 6845 0.01668 -5923 7033 0.01726 -5923 7469 0.00575 -5923 8865 0.01969 -5923 8942 0.01125 -5923 9635 0.01846 -5922 8468 0.01481 -5921 7197 0.00977 -5921 7545 0.01044 -5921 8341 0.01940 -5921 8645 0.00967 -5921 8800 0.01912 -5920 9110 0.00465 -5919 6849 0.01158 -5919 7017 0.01310 -5919 7329 0.01932 -5919 9608 0.01909 -5919 9831 0.01866 -5918 7064 0.01453 -5918 8051 0.01575 -5918 9016 0.00648 -5917 6921 0.00570 -5917 8345 0.01804 -5917 8826 0.01986 -5917 8938 0.01329 -5916 7195 0.01256 -5916 8149 0.00851 -5916 8660 0.00771 -5916 9485 0.01221 -5916 9498 0.01693 -5915 6272 0.00387 -5915 7911 0.01641 -5915 9269 0.01988 -5914 6698 0.00884 -5914 7113 0.01028 -5914 7209 0.00502 -5914 7210 0.01055 -5914 7968 0.01284 -5914 9309 0.01143 -5914 9694 0.00514 -5913 6218 0.01608 -5913 6305 0.01417 -5913 6325 0.01184 -5913 6614 0.01795 -5913 8057 0.01415 -5913 8808 0.01369 -5913 8889 0.01967 -5913 9097 0.00695 -5913 9265 0.01118 -5912 6970 0.01510 -5912 7070 0.01691 -5912 7139 0.00472 -5912 7763 0.01145 -5912 7958 0.00462 -5912 8121 0.00931 -5912 9528 0.01220 -5912 9838 0.00863 -5912 9972 0.01747 -5911 6504 0.01225 -5911 8171 0.01247 -5911 8418 0.01199 -5911 8433 0.00883 -5911 8985 0.01794 -5911 9364 0.01518 -5911 9665 0.01191 -5910 5967 0.01625 -5910 6016 0.01523 -5910 6320 0.00381 -5910 8227 0.00750 -5910 8453 0.00677 -5910 8570 0.01009 -5910 9213 0.00686 -5910 9516 0.01793 -5909 8457 0.00545 -5909 9564 0.01419 -5909 9627 0.01310 -5909 9662 0.00699 -5908 9252 0.00763 -5908 9447 0.01433 -5907 5916 0.01805 -5907 6662 0.01835 -5907 7195 0.00605 -5907 8149 0.01193 -5907 9398 0.01915 -5907 9761 0.00886 -5906 5994 0.01268 -5906 9275 0.01374 -5906 9394 0.01675 -5906 9933 0.01322 -5905 5936 0.01102 -5905 6044 0.01655 -5905 7611 0.01142 -5905 7634 0.01064 -5905 8132 0.01617 -5905 8416 0.01624 -5905 8554 0.01308 -5905 8661 0.01560 -5905 9650 0.00732 -5904 6970 0.01544 -5904 7173 0.01331 -5904 7425 0.01019 -5904 9216 0.01028 -5904 9972 0.01746 -5903 9829 0.01458 -5902 5971 0.01146 -5902 6834 0.00909 -5902 7385 0.00125 -5902 7600 0.01051 -5902 7868 0.00868 -5902 8153 0.00807 -5902 8295 0.01120 -5902 9681 0.01909 -5901 6003 0.01246 -5901 6023 0.01661 -5901 7238 0.00677 -5901 8508 0.00767 -5901 8945 0.01944 -5901 9710 0.01019 -5900 7224 0.01270 -5900 7369 0.01907 -5900 7440 0.00918 -5900 7567 0.00817 -5900 7801 0.01057 -5900 9542 0.00935 -5899 6175 0.01807 -5899 6562 0.00636 -5899 6825 0.01473 -5899 7599 0.01962 -5899 7684 0.01344 -5899 8168 0.01422 -5899 8260 0.01002 -5899 8726 0.01690 -5899 9223 0.01400 -5898 6463 0.01983 -5898 6689 0.01973 -5898 7724 0.01195 -5898 9494 0.01758 -5898 9853 0.01913 -5897 6382 0.01670 -5897 6450 0.00351 -5897 6785 0.00570 -5897 7034 0.00470 -5897 7855 0.01063 -5897 8131 0.01368 -5897 8480 0.01511 -5897 9231 0.01368 -5897 9829 0.01823 -5897 9851 0.01643 -5896 6364 0.01112 -5896 6725 0.00729 -5896 8654 0.00513 -5895 7191 0.00303 -5895 7734 0.01958 -5895 8328 0.01746 -5895 9653 0.01930 -5895 9990 0.01765 -5894 6232 0.01952 -5894 9600 0.01226 -5893 6410 0.00582 -5893 7372 0.00581 -5893 7494 0.00796 -5893 9190 0.01890 -5893 9402 0.00753 -5893 9901 0.01964 -5893 9906 0.01686 -5892 6876 0.01102 -5892 8124 0.01685 -5891 6043 0.00977 -5891 6790 0.01228 -5891 7423 0.01881 -5891 8660 0.01943 -5891 9485 0.01594 -5891 9498 0.00765 -5890 5935 0.01225 -5890 6216 0.01730 -5890 6490 0.01443 -5890 6671 0.00273 -5890 6847 0.01680 -5890 7306 0.00640 -5890 7524 0.01461 -5890 9094 0.00950 -5890 9192 0.00627 -5890 9594 0.01167 -5889 6297 0.01215 -5889 7710 0.01948 -5889 7880 0.01162 -5889 8022 0.00509 -5889 8504 0.01851 -5889 8539 0.01733 -5889 8677 0.01709 -5889 9132 0.01881 -5889 9566 0.01593 -5888 6949 0.01824 -5888 7156 0.01089 -5888 7161 0.00392 -5888 7351 0.01178 -5888 8871 0.00507 -5887 6401 0.00956 -5887 7508 0.01719 -5886 6073 0.01637 -5886 6178 0.01294 -5886 7505 0.00233 -5886 8091 0.01973 -5886 8311 0.00566 -5886 8481 0.00458 -5886 8582 0.01562 -5886 9318 0.01761 -5886 9747 0.00962 -5885 5985 0.01752 -5885 6023 0.01676 -5885 6346 0.01504 -5885 7557 0.01547 -5885 7848 0.01905 -5885 8552 0.01679 -5885 8694 0.00500 -5885 8784 0.01637 -5885 8870 0.01767 -5885 8945 0.01324 -5885 9260 0.01791 -5884 6677 0.00852 -5884 6718 0.00824 -5884 7254 0.01594 -5884 7408 0.01556 -5884 8105 0.01242 -5884 8134 0.00904 -5884 8204 0.01285 -5884 8586 0.01196 -5884 8614 0.01602 -5884 9370 0.01931 -5884 9497 0.01009 -5883 6423 0.01435 -5883 7108 0.01514 -5883 7294 0.01144 -5883 8077 0.01660 -5883 8381 0.01765 -5883 8514 0.01973 -5883 9017 0.01802 -5883 9409 0.01962 -5881 6764 0.01961 -5881 8364 0.01742 -5881 9101 0.00962 -5881 9527 0.01075 -5881 9704 0.01925 -5880 6525 0.01746 -5880 7508 0.01676 -5880 9106 0.00477 -5879 5974 0.01244 -5879 6087 0.01221 -5879 7769 0.01829 -5879 8767 0.01585 -5878 6194 0.01006 -5878 6448 0.00792 -5878 6700 0.01515 -5878 7023 0.01216 -5878 7380 0.01995 -5878 9766 0.01338 -5877 7986 0.01092 -5877 9180 0.01958 -5877 9474 0.00558 -5877 9557 0.01347 -5876 5987 0.01589 -5876 9602 0.00802 -5875 7141 0.01463 -5875 7747 0.00978 -5875 7871 0.00404 -5875 8270 0.01481 -5875 9255 0.01842 -5874 6840 0.00603 -5874 7826 0.01547 -5874 8081 0.00959 -5874 8262 0.01821 -5874 9281 0.01192 -5873 6373 0.00815 -5873 7058 0.00508 -5873 7183 0.01895 -5873 7455 0.01250 -5873 7543 0.01999 -5873 9181 0.01178 -5872 6619 0.01531 -5872 7922 0.01046 -5872 9052 0.01691 -5872 9655 0.01918 -5871 6352 0.00545 -5871 6498 0.01984 -5871 7975 0.00896 -5871 8861 0.01891 -5870 6130 0.00558 -5870 8229 0.00518 -5869 5886 0.00738 -5869 6178 0.00604 -5869 7505 0.00931 -5869 8311 0.00802 -5869 8481 0.00443 -5869 9318 0.01924 -5869 9747 0.01696 -5868 6589 0.00711 -5868 6741 0.01740 -5868 6767 0.00457 -5868 6820 0.01007 -5868 7076 0.01795 -5868 7851 0.01685 -5868 8293 0.00907 -5868 8349 0.01388 -5868 9842 0.01888 -5868 9926 0.01182 -5867 5950 0.01410 -5867 6036 0.00494 -5867 6147 0.01899 -5867 7328 0.01501 -5867 7768 0.01150 -5867 8086 0.01442 -5867 9562 0.01404 -5867 9844 0.01550 -5866 6940 0.01353 -5866 7767 0.01330 -5866 7952 0.00953 -5866 8615 0.00607 -5866 8972 0.01969 -5865 5898 0.00674 -5865 7724 0.00847 -5865 9494 0.01754 -5865 9853 0.01487 -5864 5978 0.01282 -5864 6292 0.01437 -5864 6951 0.01098 -5863 6060 0.01001 -5863 6203 0.01692 -5863 6221 0.01130 -5863 6246 0.01445 -5863 9385 0.00893 -5863 9569 0.01723 -5862 7339 0.01684 -5862 7423 0.01537 -5862 8960 0.01960 -5862 9139 0.00933 -5862 9246 0.01431 -5861 6143 0.01368 -5861 6302 0.01833 -5861 6942 0.01580 -5861 6959 0.01683 -5861 8241 0.01131 -5860 6013 0.01493 -5860 8402 0.01343 -5860 9174 0.01975 -5860 9837 0.01900 -5859 6864 0.01874 -5859 8125 0.01162 -5859 8740 0.01701 -5859 8807 0.01817 -5858 9589 0.01474 -5857 8000 0.01956 -5857 8555 0.01485 -5857 9178 0.00756 -5857 9261 0.01040 -5856 5945 0.01110 -5856 5978 0.01905 -5856 6951 0.01595 -5856 6985 0.01434 -5856 7044 0.01743 -5856 8054 0.01424 -5856 8330 0.00271 -5855 6146 0.01643 -5855 6397 0.01485 -5855 6538 0.01845 -5855 6605 0.01506 -5855 7458 0.01743 -5855 8221 0.01870 -5854 7317 0.01514 -5854 7564 0.01342 -5854 7924 0.01685 -5854 7988 0.01906 -5854 8198 0.01630 -5854 8843 0.01811 -5854 9263 0.01153 -5854 9872 0.01170 -5853 6704 0.01778 -5853 7154 0.01639 -5853 9218 0.00476 -5853 9313 0.01958 -5853 9368 0.01281 -5853 9469 0.01780 -5852 7116 0.01972 -5852 7169 0.01244 -5852 8942 0.01857 -5851 6095 0.01504 -5851 6791 0.01002 -5851 8078 0.01411 -5851 8867 0.01233 -5851 8888 0.01203 -5850 7039 0.01556 -5850 9336 0.00612 -5850 9479 0.00866 -5849 6480 0.01828 -5849 6555 0.01458 -5849 7232 0.01514 -5849 8190 0.01530 -5849 8733 0.00582 -5849 9825 0.01102 -5848 6467 0.00739 -5848 6801 0.00530 -5848 7208 0.01913 -5848 9240 0.01539 -5848 9919 0.01640 -5847 9535 0.00940 -5846 6928 0.00119 -5846 7950 0.01837 -5846 8663 0.01717 -5846 8909 0.01100 -5845 6149 0.00940 -5845 7355 0.00232 -5845 8500 0.00819 -5844 6961 0.01763 -5844 7022 0.01878 -5844 7909 0.01259 -5843 6088 0.01520 -5843 7046 0.00309 -5843 8674 0.00974 -5843 9846 0.01345 -5842 6351 0.00847 -5842 7260 0.01769 -5842 7907 0.01781 -5842 8730 0.00637 -5841 6110 0.01726 -5841 6188 0.01978 -5841 7798 0.01886 -5841 8742 0.01873 -5840 7796 0.00549 -5840 9976 0.01182 -5839 6159 0.01601 -5839 7534 0.01613 -5839 7897 0.01872 -5839 8011 0.01744 -5839 9980 0.01270 -5838 6612 0.01534 -5838 6761 0.00713 -5838 7109 0.01357 -5838 7878 0.01019 -5838 8200 0.00911 -5838 8387 0.00883 -5838 9518 0.01957 -5837 8468 0.01949 -5837 8757 0.01948 -5837 9062 0.01745 -5837 9896 0.01897 -5836 5905 0.00576 -5836 5928 0.01968 -5836 5936 0.01604 -5836 6044 0.01107 -5836 7611 0.00664 -5836 7634 0.01570 -5836 8554 0.00765 -5836 8661 0.01903 -5836 9650 0.00832 -5835 5917 0.01784 -5835 6177 0.01950 -5835 8151 0.01554 -5835 8345 0.00206 -5834 6796 0.00811 -5834 7619 0.01221 -5834 8243 0.01946 -5834 8963 0.00758 -5834 9125 0.01683 -5834 9235 0.00974 -5834 9242 0.01681 -5833 6304 0.01727 -5833 6654 0.00843 -5832 5842 0.01589 -5832 6351 0.01342 -5832 7358 0.01813 -5832 7529 0.01091 -5832 7907 0.01710 -5832 8730 0.01071 -5831 6215 0.00998 -5831 6360 0.00776 -5831 7772 0.00701 -5830 6923 0.01859 -5830 7450 0.01791 -5830 7467 0.00534 -5830 8915 0.01221 -5830 9085 0.00608 -5830 9628 0.01599 -5829 6704 0.01866 -5829 7048 0.00263 -5829 7053 0.01356 -5829 7452 0.01530 -5829 7664 0.01197 -5828 6947 0.01438 -5828 9983 0.01193 -5827 5872 0.01850 -5827 6781 0.00924 -5827 7208 0.01773 -5827 8288 0.01855 -5827 8379 0.01766 -5827 8781 0.00938 -5826 6853 0.00193 -5826 6883 0.01932 -5826 7228 0.00644 -5826 7816 0.00733 -5826 7867 0.01201 -5826 9058 0.01530 -5826 9188 0.00488 -5826 9961 0.01220 -5825 6633 0.01722 -5825 8056 0.01088 -5825 8443 0.00734 -5824 6991 0.01682 -5824 7683 0.01058 -5824 7814 0.01868 -5824 8635 0.01272 -5823 7947 0.01935 -5823 7964 0.00488 -5823 9495 0.01196 -5822 6076 0.00725 -5822 6559 0.01322 -5822 7145 0.01718 -5822 8164 0.00978 -5822 8247 0.01037 -5822 8977 0.00952 -5822 9082 0.01461 -5822 9811 0.01862 -5821 6040 0.00896 -5821 6636 0.01339 -5821 8343 0.01589 -5820 7559 0.01947 -5820 8003 0.01659 -5820 8802 0.01321 -5819 5970 0.00889 -5819 6065 0.01618 -5819 9440 0.00999 -5818 6167 0.01926 -5818 7221 0.01886 -5818 7861 0.01963 -5818 8009 0.01309 -5818 8376 0.01886 -5818 9854 0.01773 -5818 9909 0.01150 -5817 5835 0.01640 -5817 6177 0.01099 -5817 6227 0.01413 -5817 8151 0.00431 -5817 8345 0.01661 -5816 5942 0.01930 -5816 8212 0.01113 -5816 8719 0.00968 -5816 8991 0.00455 -5816 9153 0.00985 -5815 6909 0.01805 -5815 6931 0.01246 -5815 6975 0.01719 -5815 8538 0.00655 -5815 9006 0.01903 -5815 9138 0.01845 -5814 6219 0.01485 -5814 9904 0.00947 -5813 6769 0.01897 -5813 6837 0.01850 -5813 7092 0.00547 -5813 7162 0.01899 -5813 7590 0.01800 -5813 7721 0.01161 -5813 8448 0.01097 -5813 8684 0.01654 -5813 8768 0.01916 -5813 9426 0.01254 -5812 6299 0.01670 -5812 6663 0.00963 -5812 6722 0.01938 -5812 7101 0.01581 -5812 7470 0.01799 -5812 7788 0.01910 -5812 9434 0.01862 -5811 6219 0.01041 -5811 7240 0.00331 -5811 9145 0.01432 -5811 9904 0.01860 -5810 6038 0.01539 -5810 7539 0.00648 -5810 8759 0.01479 -5810 9957 0.01476 -5809 6086 0.01540 -5809 6513 0.00492 -5809 6579 0.01474 -5809 6709 0.01909 -5809 6939 0.00965 -5809 6947 0.01996 -5808 6078 0.00973 -5808 6520 0.01943 -5808 8774 0.01255 -5808 8901 0.00456 -5808 9302 0.00403 -5807 5829 0.00953 -5807 5853 0.01698 -5807 6704 0.01961 -5807 7048 0.00728 -5807 7154 0.01546 -5807 7548 0.01873 -5807 7664 0.01935 -5807 9469 0.01859 -5806 7299 0.01440 -5806 7404 0.01166 -5806 9538 0.01859 -5806 9597 0.01097 -5806 9607 0.00884 -5805 6475 0.01539 -5805 8212 0.01645 -5805 9009 0.00500 -5805 9066 0.00961 -5805 9532 0.01975 -5804 6322 0.01744 -5804 8778 0.01089 -5804 9118 0.01801 -5804 9173 0.00520 -5804 9703 0.01716 -5804 9934 0.01279 -5803 5821 0.00578 -5803 6040 0.00360 -5803 6636 0.00941 -5803 8343 0.01542 -5803 8364 0.01870 -5803 9527 0.01727 -5802 6650 0.01676 -5802 8195 0.00224 -5802 9176 0.00483 -5802 9220 0.01947 -5801 7930 0.01863 -5801 9044 0.01179 -5801 9865 0.01923 -5800 6903 0.01232 -5800 7319 0.01305 -5800 7461 0.01132 -5800 8952 0.01702 -5800 9523 0.01767 -5800 9812 0.00780 -5799 7532 0.01380 -5799 7984 0.01116 -5799 8180 0.01743 -5799 8559 0.00618 -5799 8917 0.01212 -5799 9680 0.01982 -5798 7762 0.01402 -5798 7774 0.00540 -5797 7530 0.01688 -5797 7588 0.00567 -5797 8495 0.01740 -5797 9864 0.01323 -5796 5807 0.01785 -5796 5829 0.01696 -5796 5853 0.01709 -5796 6704 0.00179 -5796 7048 0.01551 -5795 6523 0.00665 -5795 7133 0.01948 -5795 7272 0.01662 -5795 8302 0.01599 -5794 6126 0.01394 -5794 6494 0.01660 -5794 6983 0.00207 -5794 9391 0.01170 -5793 5884 0.00913 -5793 6677 0.01202 -5793 6718 0.00982 -5793 7408 0.01797 -5793 8134 0.00400 -5793 8204 0.00407 -5793 8586 0.01100 -5793 8614 0.00953 -5793 9497 0.00627 -5792 6327 0.01648 -5792 6340 0.00848 -5792 7379 0.01750 -5792 9187 0.01477 -5791 9641 0.01634 -5790 9119 0.01793 -5789 6250 0.01405 -5789 6295 0.01609 -5789 7558 0.01779 -5789 7777 0.01921 -5789 9054 0.00118 -5788 7342 0.01528 -5788 7938 0.00840 -5788 7989 0.01009 -5788 9153 0.01957 -5788 9347 0.01285 -5788 9758 0.00518 -5788 9772 0.01801 -5787 6374 0.01548 -5787 7145 0.01405 -5787 7698 0.01225 -5787 9082 0.01632 -5787 9811 0.01259 -5787 9927 0.00884 -5786 5892 0.00988 -5786 6876 0.01196 -5786 8124 0.01966 -5786 9775 0.01899 -5785 7388 0.01334 -5785 7432 0.01833 -5785 8439 0.01840 -5785 8486 0.01792 -5785 9010 0.01206 -5784 5971 0.01526 -5784 6834 0.01716 -5784 7585 0.01399 -5784 7623 0.01816 -5784 8390 0.01987 -5784 9301 0.00911 -5784 9681 0.00885 -5783 6090 0.01934 -5783 6881 0.01945 -5783 7018 0.00978 -5783 8264 0.01993 -5783 8533 0.01592 -5783 9130 0.00872 -5782 5861 0.01672 -5782 6942 0.00255 -5782 7341 0.01333 -5782 7635 0.01679 -5782 8089 0.01427 -5782 8241 0.01336 -5782 9353 0.01910 -5781 6238 0.01265 -5781 6565 0.01770 -5781 7475 0.00883 -5781 7613 0.00973 -5781 8888 0.01387 -5781 9936 0.01898 -5780 5948 0.01088 -5780 6140 0.01314 -5780 7332 0.01543 -5780 8560 0.01726 -5780 9243 0.00816 -5780 9760 0.00360 -5779 6334 0.01855 -5779 7304 0.01588 -5779 7430 0.00538 -5779 9187 0.01660 -5778 7895 0.01767 -5778 8144 0.01057 -5778 8342 0.01709 -5778 8573 0.00574 -5778 9424 0.01418 -5778 9810 0.00836 -5778 9892 0.01573 -5777 5922 0.01554 -5777 7008 0.01816 -5777 7363 0.01348 -5777 8468 0.00773 -5777 9962 0.01301 -5776 6120 0.01256 -5776 7478 0.00592 -5776 9228 0.01599 -5776 9522 0.01460 -5775 6529 0.01197 -5775 6755 0.01656 -5775 7049 0.01757 -5775 7159 0.01717 -5775 7537 0.01873 -5775 8803 0.00572 -5774 5863 0.01992 -5774 6060 0.01319 -5774 9458 0.01019 -5774 9923 0.01058 -5773 7367 0.00789 -5773 8020 0.01361 -5773 8286 0.01864 -5773 8362 0.01166 -5773 9050 0.00965 -5773 9095 0.01014 -5773 9661 0.01536 -5773 9676 0.01833 -5772 5910 0.01830 -5772 7690 0.01763 -5772 8475 0.00925 -5772 9213 0.01145 -5772 9395 0.01264 -5771 5972 0.01775 -5771 6870 0.01520 -5771 7104 0.01515 -5771 8282 0.01411 -5771 9504 0.01716 -5770 6933 0.01527 -5770 8600 0.01470 -5770 9194 0.01532 -5770 9342 0.00759 -5770 9669 0.00767 -5770 9984 0.01139 -5769 6776 0.01080 -5769 6869 0.01762 -5769 7082 0.01771 -5769 7770 0.00883 -5769 8627 0.00316 -5769 9777 0.01948 -5769 9966 0.01209 -5768 7049 0.00873 -5768 8239 0.01043 -5768 9288 0.00822 -5767 5861 0.01830 -5767 6143 0.00655 -5767 6959 0.00715 -5767 8589 0.00869 -5767 8628 0.01853 -5766 6891 0.01245 -5766 7288 0.01801 -5766 7858 0.01584 -5766 7893 0.01476 -5766 9260 0.01778 -5766 9413 0.01845 -5766 9931 0.01617 -5765 7199 0.01253 -5765 7723 0.01647 -5765 7800 0.01666 -5765 7854 0.01424 -5765 8337 0.01611 -5765 9982 0.01571 -5764 6002 0.01428 -5764 6407 0.01728 -5764 6648 0.01832 -5764 7313 0.01685 -5764 8666 0.01839 -5763 6162 0.01125 -5763 7271 0.01888 -5763 7827 0.00843 -5763 8564 0.01105 -5762 8222 0.01530 -5762 9312 0.00422 -5761 6014 0.00873 -5761 6045 0.00975 -5761 6442 0.01981 -5761 6530 0.01066 -5761 7401 0.01575 -5761 8862 0.01098 -5761 9466 0.00705 -5761 9500 0.00580 -5760 6835 0.00357 -5760 7730 0.01974 -5760 7746 0.00563 -5760 9167 0.01589 -5759 6688 0.01540 -5759 7059 0.01938 -5759 7382 0.01779 -5759 7589 0.01451 -5759 8174 0.00203 -5759 8364 0.01482 -5759 8734 0.01919 -5759 8788 0.00737 -5759 9067 0.01408 -5759 9527 0.01848 -5759 9929 0.01769 -5759 9963 0.00928 -5759 9992 0.01769 -5758 6795 0.00614 -5758 7167 0.01254 -5758 7866 0.01776 -5758 8794 0.01350 -5758 9349 0.01355 -5757 6233 0.01707 -5757 6669 0.01768 -5757 7409 0.00991 -5757 9025 0.01995 -5756 6894 0.01426 -5756 7317 0.01855 -5756 8065 0.01378 -5756 8165 0.01004 -5756 8843 0.01246 -5756 9872 0.01406 -5755 6207 0.01929 -5755 6293 0.01767 -5755 8748 0.00301 -5754 5883 0.01760 -5754 6269 0.00855 -5754 6423 0.00835 -5754 7294 0.00659 -5754 8077 0.00177 -5754 9409 0.01075 -5754 9419 0.01696 -5753 5963 0.00637 -5753 6004 0.01326 -5753 6258 0.01277 -5753 6895 0.01936 -5753 7905 0.01211 -5752 6337 0.01276 -5752 7949 0.01376 -5752 8130 0.01951 -5752 9077 0.01000 -5751 6271 0.00915 -5751 7302 0.01569 -5751 8188 0.01837 -5751 9990 0.01936 -5750 6302 0.01788 -5750 7491 0.01773 -5749 6548 0.01778 -5749 6675 0.01100 -5749 8173 0.00817 -5749 9573 0.00552 -5748 6353 0.00366 -5748 7622 0.01785 -5748 8396 0.00590 -5748 8618 0.01235 -5748 9794 0.01112 -5747 7218 0.00276 -5747 7939 0.00682 -5747 9658 0.01929 -5746 6384 0.01657 -5746 7552 0.01643 -5746 9602 0.01771 -5745 7417 0.01969 -5745 7789 0.01837 -5745 9165 0.01590 -5745 9369 0.01351 -5744 6623 0.01867 -5744 7454 0.00952 -5744 7831 0.00887 -5744 7914 0.01599 -5744 8425 0.00727 -5744 8539 0.01743 -5744 9132 0.01540 -5744 9873 0.00787 -5743 6646 0.01221 -5743 6705 0.00585 -5743 6753 0.01576 -5743 7135 0.00824 -5743 7222 0.00676 -5743 7677 0.00585 -5743 7731 0.00375 -5743 8076 0.00894 -5743 8317 0.01541 -5743 9719 0.01780 -5743 9756 0.01876 -5742 5788 0.01854 -5742 7938 0.01558 -5742 9563 0.00469 -5741 6431 0.01891 -5741 7264 0.01374 -5741 7471 0.01754 -5741 7973 0.01854 -5741 7991 0.01909 -5741 8114 0.01601 -5741 8501 0.01096 -5741 8845 0.01787 -5741 9294 0.01727 -5741 9604 0.01713 -5741 9634 0.02000 -5741 9753 0.00276 -5741 9942 0.01851 -5740 6511 0.00890 -5740 6804 0.01787 -5740 7225 0.01128 -5740 8724 0.01773 -5740 9534 0.01186 -5739 5990 0.01296 -5739 6521 0.01637 -5739 6542 0.01586 -5739 9731 0.01912 -5738 6615 0.00756 -5737 6503 0.01432 -5737 8624 0.01227 -5736 6061 0.00833 -5736 6684 0.01428 -5736 8529 0.01600 -5736 9383 0.01497 -5735 6028 0.01276 -5735 6630 0.01770 -5735 6899 0.01456 -5735 7266 0.01304 -5735 7652 0.01211 -5735 8055 0.01612 -5735 8063 0.01881 -5735 8327 0.01138 -5735 8485 0.01233 -5735 9154 0.01917 -5735 9268 0.00895 -5734 5992 0.01576 -5734 6037 0.00871 -5734 6070 0.01979 -5734 7326 0.01320 -5734 8960 0.01475 -5733 7451 0.01090 -5733 8171 0.01668 -5733 8420 0.01912 -5733 9467 0.00824 -5733 9675 0.01243 -5733 9875 0.01593 -5732 6441 0.01590 -5732 6934 0.01669 -5732 7246 0.00473 -5732 8388 0.01769 -5732 8461 0.00329 -5732 9144 0.01745 -5732 9879 0.01679 -5732 9951 0.01617 -5732 9960 0.01193 -5731 5777 0.01767 -5731 7008 0.01294 -5731 7363 0.01824 -5731 8447 0.01132 -5731 8468 0.01583 -5731 9603 0.01915 -5731 9774 0.01476 -5731 9896 0.01162 -5731 9930 0.00985 -5730 7287 0.01575 -5730 7655 0.01496 -5730 7978 0.00954 -5730 9217 0.01831 -5729 8152 0.01933 -5729 8931 0.01833 -5729 8974 0.00853 -5729 9027 0.01837 -5729 9051 0.01273 -5728 5955 0.01469 -5728 6369 0.01147 -5728 6802 0.00976 -5728 7500 0.01875 -5728 7931 0.00679 -5728 7981 0.01382 -5728 8001 0.01449 -5728 8186 0.01399 -5728 8531 0.00647 -5727 6190 0.00987 -5727 6745 0.01479 -5727 7473 0.01939 -5727 7476 0.01961 -5727 8019 0.01995 -5727 8590 0.00515 -5727 8731 0.01147 -5727 9834 0.01122 -5726 5783 0.00190 -5726 6090 0.01909 -5726 6881 0.01755 -5726 7018 0.01152 -5726 8533 0.01466 -5726 9130 0.01046 -5725 6658 0.01595 -5725 7081 0.01382 -5725 7722 0.01837 -5724 5733 0.01233 -5724 6537 0.01005 -5724 6620 0.01960 -5724 7451 0.01485 -5724 8404 0.00988 -5724 8420 0.01691 -5724 8690 0.00841 -5724 9467 0.01752 -5724 9675 0.00340 -5724 9875 0.01149 -5723 6425 0.01491 -5723 8440 0.01918 -5723 8581 0.01241 -5723 9011 0.01537 -5722 8534 0.01501 -5721 6531 0.01907 -5721 6880 0.01030 -5721 7619 0.01105 -5721 7779 0.01585 -5721 8145 0.00643 -5721 8844 0.01841 -5721 9125 0.00755 -5721 9235 0.01595 -5721 9571 0.01705 -5721 9750 0.00775 -5720 6005 0.01823 -5720 6011 0.01773 -5720 6860 0.00763 -5720 7700 0.01196 -5720 8067 0.00397 -5720 8305 0.00337 -5720 8562 0.01585 -5720 9053 0.01663 -5720 9120 0.01515 -5719 5943 0.01412 -5719 6519 0.01403 -5719 6787 0.01861 -5719 6957 0.01301 -5719 7750 0.01449 -5719 7754 0.01043 -5719 9348 0.00783 -5719 9666 0.01516 -5719 9799 0.00821 -5718 5849 0.01876 -5718 6394 0.01726 -5718 6480 0.01981 -5718 6555 0.01498 -5718 7483 0.01023 -5718 7890 0.01714 -5718 8190 0.00711 -5718 8383 0.01352 -5718 8733 0.01821 -5718 9134 0.00661 -5718 9871 0.01752 -5718 9917 0.01892 -5717 6867 0.01691 -5717 6958 0.01013 -5717 7016 0.01617 -5717 7525 0.01891 -5717 8494 0.00730 -5717 8712 0.00652 -5717 9390 0.01837 -5717 9588 0.01015 -5717 9646 0.01270 -5716 6682 0.01734 -5716 7745 0.01555 -5716 7850 0.01347 -5716 8607 0.01833 -5716 9673 0.00923 -5716 9823 0.01884 -5715 5809 0.01913 -5715 6513 0.01759 -5715 6939 0.01751 -5715 8194 0.01656 -5715 8549 0.01979 -5715 9256 0.01819 -5714 7498 0.00880 -5714 7741 0.00861 -5714 8464 0.01129 -5714 8626 0.01982 -5714 9258 0.01310 -5714 9334 0.01879 -5713 7702 0.00208 -5713 8408 0.00296 -5713 8903 0.01393 -5713 9316 0.01158 -5712 5757 0.01887 -5712 6233 0.00272 -5712 6669 0.01392 -5712 8002 0.01511 -5712 8125 0.01834 -5712 8740 0.01332 -5712 8807 0.00881 -5711 7811 0.01432 -5711 8166 0.00498 -5711 9642 0.01958 -5710 8279 0.00762 -5710 8807 0.01639 -5710 9206 0.01018 -5709 5742 0.00247 -5709 7938 0.01709 -5709 9563 0.00235 -5708 5773 0.00812 -5708 7367 0.00679 -5708 7438 0.01821 -5708 8020 0.01726 -5708 8362 0.01145 -5708 9050 0.01318 -5708 9095 0.01499 -5708 9676 0.01921 -5707 5991 0.01910 -5707 6585 0.01144 -5707 8406 0.01179 -5707 8880 0.01840 -5707 9741 0.01998 -5706 6166 0.01421 -5706 6434 0.01310 -5706 6967 0.01307 -5706 8148 0.01707 -5706 8540 0.01473 -5706 8908 0.01611 -5706 9065 0.00534 -5706 9609 0.00972 -5706 9874 0.00804 -5705 6274 0.01351 -5705 6944 0.00891 -5705 7285 0.01919 -5705 7937 0.01914 -5705 8234 0.01388 -5705 8309 0.00434 -5705 8490 0.01792 -5704 7900 0.01421 -5704 8878 0.01743 -5704 9988 0.00910 -5703 6104 0.00703 -5703 6210 0.01641 -5702 5944 0.01637 -5702 6491 0.01640 -5701 6103 0.01790 -5701 6345 0.00340 -5701 7656 0.01894 -5700 8265 0.01666 -5700 8856 0.01613 -5700 9421 0.01017 -5699 7304 0.01735 -5699 7465 0.01018 -5699 9578 0.01067 -5699 9757 0.00415 -5698 5701 0.01518 -5698 6345 0.01202 -5698 7656 0.00460 -5698 8079 0.01355 -5697 6152 0.01688 -5697 7308 0.00683 -5697 7382 0.01390 -5697 7589 0.01304 -5697 9067 0.01579 -5697 9392 0.00643 -5696 5729 0.01383 -5696 6826 0.01456 -5696 7842 0.01359 -5696 8152 0.00559 -5696 8507 0.01652 -5696 8817 0.01884 -5695 6004 0.01135 -5695 8107 0.00939 -5695 9238 0.00200 -5695 9397 0.00930 -5694 7421 0.01010 -5694 8403 0.01742 -5693 6499 0.01933 -5693 9115 0.01685 -5693 9224 0.01313 -5692 6239 0.01367 -5692 6875 0.00913 -5692 8927 0.01861 -5691 6317 0.01441 -5691 6724 0.00547 -5691 7809 0.00839 -5691 7861 0.01556 -5691 8248 0.01171 -5690 6551 0.01249 -5690 8333 0.01692 -5690 9822 0.00688 -5689 5717 0.00751 -5689 6580 0.01800 -5689 6958 0.01757 -5689 7016 0.00871 -5689 7525 0.01325 -5689 8494 0.00666 -5689 8712 0.01055 -5689 9588 0.01298 -5688 6554 0.01378 -5688 7903 0.00724 -5688 9904 0.01269 -5687 6132 0.01418 -5687 7832 0.00480 -5687 8219 0.01813 -5687 8454 0.01030 -5687 8525 0.01748 -5686 7393 0.01757 -5686 8188 0.01305 -5686 8903 0.01299 -5686 9014 0.01758 -5686 9350 0.01434 -5686 9836 0.01307 -5685 7359 0.00817 -5685 7782 0.01250 -5685 9232 0.00131 -5685 9416 0.01247 -5684 5765 0.01205 -5684 7854 0.00964 -5684 8337 0.00616 -5684 9982 0.00807 -5683 7325 0.01847 -5683 9520 0.01126 -5683 9585 0.00373 -5682 5900 0.01574 -5682 6505 0.01594 -5682 7369 0.01224 -5682 7567 0.01554 -5682 7801 0.00947 -5682 7951 0.00691 -5682 9542 0.00680 -5682 9898 0.01078 -5682 9997 0.01163 -5681 6007 0.01536 -5681 6417 0.01754 -5681 8457 0.01794 -5681 8995 0.01895 -5681 9429 0.01588 -5681 9564 0.01573 -5681 9627 0.01741 -5681 9662 0.01715 -5680 6267 0.01686 -5680 7349 0.00501 -5680 7953 0.00589 -5680 8288 0.01170 -5680 9459 0.00884 -5679 6062 0.01936 -5679 7136 0.01476 -5679 7376 0.00921 -5679 7725 0.00988 -5679 8063 0.01886 -5679 8181 0.01652 -5678 5925 0.01051 -5678 6405 0.00748 -5678 6592 0.01885 -5678 6877 0.01777 -5678 8557 0.01968 -5678 9678 0.01888 -5677 6403 0.01738 -5677 8659 0.00833 -5677 9300 0.01322 -5676 6568 0.00980 -5676 6804 0.01316 -5676 9534 0.01884 -5675 6241 0.01572 -5675 6691 0.01620 -5675 7055 0.00398 -5675 9233 0.01826 -5674 5682 0.01857 -5674 7951 0.01192 -5674 9362 0.01058 -5674 9898 0.01484 -5674 9997 0.01958 -5673 7086 0.01430 -5673 7346 0.00883 -5673 8629 0.00538 -5672 5905 0.01995 -5672 5936 0.01283 -5672 6874 0.01900 -5672 8611 0.01565 -5672 9650 0.01406 -5671 6660 0.01168 -5671 9667 0.01290 -5670 7388 0.01780 -5670 7672 0.01185 -5670 7821 0.01769 -5670 9969 0.00500 -5669 6119 0.01348 -5669 6452 0.01276 -5669 7199 0.01653 -5669 7723 0.01806 -5669 7800 0.01025 -5669 9798 0.01435 -5669 9982 0.01990 -5668 8513 0.00886 -5668 9121 0.00826 -5668 9226 0.00946 -5667 7070 0.01970 -5667 7509 0.00649 -5667 8927 0.01996 -5667 9354 0.01010 -5666 7011 0.01308 -5666 7155 0.00990 -5666 7703 0.01612 -5666 8652 0.00676 -5666 8863 0.01751 -5666 9182 0.01609 -5666 9533 0.00597 -5666 9745 0.00994 -5665 5958 0.00340 -5665 6164 0.00816 -5665 8641 0.01158 -5665 8645 0.01854 -5665 9324 0.00339 -5664 6191 0.01788 -5664 6369 0.00894 -5664 6802 0.01692 -5664 7500 0.00699 -5664 7931 0.01596 -5664 7981 0.01622 -5664 8001 0.00999 -5664 8866 0.01436 -5664 9273 0.01641 -5663 6990 0.00949 -5663 7778 0.01768 -5663 8193 0.01222 -5663 9522 0.01567 -5662 5796 0.00985 -5662 5807 0.01073 -5662 5829 0.01525 -5662 5853 0.00942 -5662 6704 0.01122 -5662 7048 0.01277 -5662 7154 0.01893 -5662 9218 0.01402 -5661 7317 0.01492 -5661 8198 0.01317 -5661 9117 0.00553 -5660 5725 0.01675 -5660 6952 0.01695 -5660 7081 0.01917 -5660 7463 0.01182 -5660 7722 0.01709 -5659 6533 0.01673 -5659 9135 0.00671 -5659 9565 0.01844 -5658 5671 0.00504 -5658 6660 0.01334 -5658 7572 0.01862 -5658 9667 0.01216 -5658 9809 0.01937 -5657 6124 0.00402 -5657 6202 0.01506 -5657 6230 0.01416 -5657 6493 0.00798 -5657 8348 0.01631 -5657 8700 0.01857 -5656 6251 0.01846 -5656 6403 0.01667 -5656 9922 0.01522 -5655 8868 0.01609 -5654 6551 0.01544 -5654 8060 0.01465 -5654 8333 0.01945 -5654 8655 0.01777 -5654 8840 0.00857 -5654 9822 0.01612 -5653 6174 0.01652 -5653 6487 0.01846 -5653 7054 0.01066 -5653 8177 0.01233 -5653 8197 0.01160 -5653 8232 0.00272 -5653 9733 0.01439 -5652 5724 0.01184 -5652 6537 0.00732 -5652 7635 0.01244 -5652 8089 0.01486 -5652 8404 0.00780 -5652 8420 0.01406 -5652 8690 0.00831 -5652 9675 0.01008 -5652 9875 0.01012 -5651 5681 0.01467 -5651 6800 0.01540 -5651 8995 0.00883 -5651 9662 0.01363 -5650 6027 0.01323 -5650 6042 0.00517 -5650 6079 0.01744 -5650 6564 0.01706 -5650 6672 0.01946 -5650 7037 0.01294 -5650 7992 0.01468 -5650 9483 0.01041 -5650 9833 0.01434 -5650 9986 0.01140 -5649 6370 0.01662 -5649 7485 0.01394 -5649 8299 0.00221 -5649 8315 0.01475 -5649 8336 0.01106 -5649 8800 0.01703 -5649 9462 0.01809 -5649 9616 0.01865 -5649 9702 0.01468 -5648 6035 0.00832 -5648 6184 0.00296 -5648 6756 0.00471 -5648 8571 0.01201 -5648 9804 0.01457 -5648 9828 0.01643 -5647 5798 0.01269 -5647 7446 0.01968 -5647 7744 0.01632 -5647 7762 0.00387 -5647 7774 0.01799 -5647 9717 0.01046 -5646 5815 0.01239 -5646 6491 0.01515 -5646 6931 0.01058 -5646 6975 0.01725 -5646 8538 0.01720 -5646 8868 0.01401 -5646 9006 0.01046 -5645 6348 0.01214 -5645 7088 0.01198 -5645 7828 0.01033 -5645 8537 0.01169 -5644 6047 0.01530 -5644 6056 0.01489 -5644 6342 0.00299 -5644 6896 0.00507 -5644 7392 0.01419 -5644 8237 0.01333 -5643 6867 0.01024 -5643 6958 0.01409 -5643 7063 0.00842 -5643 9390 0.01502 -5643 9646 0.01496 -5641 6236 0.01645 -5641 6819 0.01887 -5641 6858 0.01410 -5641 8585 0.01032 -5641 8755 0.01738 -5641 9621 0.01973 -5641 9643 0.01903 -5641 9759 0.01081 -5640 6549 0.00961 -5640 6978 0.01481 -5640 7441 0.01893 -5640 9151 0.01459 -5640 9291 0.01918 -5639 7492 0.01475 -5639 8936 0.01526 -5639 9652 0.00865 -5638 6251 0.01647 -5638 6365 0.00563 -5638 8780 0.00368 -5638 9700 0.01555 -5637 7336 0.01534 -5637 9300 0.01526 -5637 9937 0.01791 -5636 5761 0.01804 -5636 6530 0.01215 -5636 8862 0.01298 -5636 9500 0.01482 -5635 7196 0.01129 -5634 5732 0.01901 -5634 5823 0.01834 -5634 7246 0.01964 -5634 7447 0.01321 -5634 7947 0.01747 -5634 7964 0.01346 -5634 8366 0.01808 -5633 6714 0.01649 -5633 7448 0.01661 -5633 8127 0.01526 -5633 9476 0.01379 -5632 5921 0.01934 -5632 7197 0.01933 -5632 8315 0.01100 -5632 8379 0.01876 -5632 8411 0.01272 -5632 8800 0.00862 -5632 9616 0.01050 -5632 9702 0.01358 -5631 5920 0.01340 -5631 6322 0.01975 -5631 9110 0.01347 -5631 9703 0.01177 -5630 6462 0.01696 -5630 8297 0.01910 -5630 9083 0.01765 -5629 6561 0.00224 -5629 6609 0.01930 -5629 6730 0.01537 -5629 9491 0.01990 -5628 6357 0.01582 -5628 6647 0.01913 -5628 7269 0.00535 -5628 7286 0.01975 -5628 7402 0.01641 -5628 7864 0.01315 -5628 8764 0.00630 -5628 9723 0.01502 -5628 9764 0.01885 -5627 6702 0.01936 -5627 8435 0.01958 -5627 9230 0.01979 -5627 9457 0.00481 -5627 9725 0.01530 -5626 5652 0.00996 -5626 5724 0.00890 -5626 5733 0.01390 -5626 6537 0.01378 -5626 8404 0.01397 -5626 8420 0.00801 -5626 8690 0.01324 -5626 8752 0.01611 -5626 9675 0.00551 -5626 9875 0.00267 -5625 5686 0.00926 -5625 5713 0.01712 -5625 7393 0.01848 -5625 7702 0.01512 -5625 8188 0.01713 -5625 8408 0.01778 -5625 8903 0.00615 -5625 9014 0.01340 -5625 9316 0.01607 -5625 9836 0.01875 -5624 5889 0.01041 -5624 6297 0.00539 -5624 8022 0.00784 -5624 8677 0.01710 -5624 9566 0.01575 -5623 7451 0.01676 -5623 7850 0.01776 -5623 9004 0.00437 -5623 9102 0.00976 -5623 9384 0.01937 -5623 9467 0.01904 -5623 9823 0.01195 -5622 5906 0.01634 -5622 6097 0.01716 -5622 8474 0.01814 -5622 8553 0.00766 -5622 9056 0.01520 -5622 9275 0.01845 -5622 9394 0.00192 -5622 9663 0.01358 -5621 6766 0.00620 -5621 6797 0.00868 -5621 8224 0.01976 -5621 8374 0.01506 -5621 9450 0.01939 -5621 9574 0.00947 -5620 6717 0.01849 -5620 6969 0.01629 -5620 7079 0.00672 -5620 7230 0.00864 -5620 7235 0.00861 -5620 7624 0.01384 -5620 7642 0.01162 -5620 7678 0.01407 -5620 7912 0.01603 -5620 8213 0.00750 -5620 8631 0.01699 -5620 9018 0.01737 -5619 5937 0.01399 -5619 6937 0.01978 -5619 7507 0.00830 -5619 7629 0.00307 -5619 9612 0.01636 -5619 9720 0.00937 -5618 6622 0.01685 -5618 6693 0.01690 -5618 6901 0.01935 -5618 7184 0.01860 -5618 7605 0.01790 -5618 8814 0.00614 -5618 8846 0.01621 -5618 9098 0.00927 -5618 9208 0.01889 -5617 6472 0.00848 -5617 6473 0.01733 -5617 6710 0.01865 -5617 8042 0.01836 -5617 9632 0.00907 -5616 5825 0.01924 -5616 6631 0.01382 -5616 6633 0.01946 -5616 8443 0.01352 -5615 5633 0.01808 -5615 8544 0.01277 -5615 9476 0.01494 -5614 6021 0.01310 -5614 6992 0.00601 -5614 8357 0.01545 -5614 8452 0.01583 -5614 9625 0.00734 -5613 6207 0.01243 -5613 6435 0.00229 -5613 7344 0.01626 -5612 6065 0.01938 -5612 7121 0.01869 -5612 8361 0.01662 -5612 9440 0.01717 -5611 6006 0.01439 -5611 6096 0.01900 -5611 6273 0.01952 -5611 6573 0.01889 -5611 6962 0.01819 -5610 5796 0.01876 -5610 5829 0.01591 -5610 6426 0.01266 -5610 6704 0.01939 -5610 7048 0.01745 -5610 7053 0.01866 -5610 7452 0.01267 -5610 7664 0.01873 -5609 6868 0.01826 -5609 7674 0.01795 -5609 8074 0.01967 -5609 8543 0.00730 -5609 8583 0.01872 -5609 8665 0.01564 -5609 9284 0.01956 -5608 6368 0.01354 -5608 6432 0.01478 -5608 8066 0.01715 -5608 8633 0.01626 -5608 8902 0.01435 -5608 9074 0.01771 -5608 9806 0.01851 -5607 7473 0.00648 -5607 7476 0.00808 -5607 8019 0.00750 -5607 8529 0.01686 -5606 8314 0.01742 -5606 8359 0.01741 -5606 9012 0.00902 -5606 9158 0.01754 -5605 5997 0.01802 -5605 6694 0.01705 -5605 8015 0.01708 -5605 8033 0.01250 -5605 8080 0.01309 -5605 8722 0.00687 -5605 9406 0.00834 -5605 9790 0.01456 -5605 9913 0.01461 -5604 7275 0.01876 -5604 7620 0.01588 -5604 8307 0.01709 -5604 8568 0.00418 -5604 8662 0.01853 -5604 9143 0.00666 -5604 9422 0.01711 -5603 6507 0.01599 -5603 6933 0.01797 -5603 7018 0.01910 -5603 7370 0.00201 -5603 8010 0.00221 -5603 8264 0.00869 -5603 9130 0.01703 -5603 9194 0.01877 -5603 9315 0.00756 -5603 9427 0.00379 -5602 6984 0.00909 -5602 7120 0.01147 -5602 7160 0.01588 -5602 7190 0.01599 -5602 8029 0.01433 -5602 9945 0.01409 -5601 6433 0.00974 -5601 7118 0.00931 -5601 8032 0.01541 -5601 8058 0.01420 -5601 8235 0.00613 -5601 8257 0.01780 -5601 9212 0.01322 -5601 9959 0.00395 -5600 5731 0.00660 -5600 5956 0.01944 -5600 7008 0.01828 -5600 7798 0.01709 -5600 8447 0.00870 -5600 9774 0.01032 -5600 9896 0.01024 -5600 9930 0.01178 -5599 6732 0.01994 -5599 6979 0.01571 -5599 8463 0.01807 -5599 8947 0.00427 -5599 9007 0.01940 -5599 9299 0.00612 -5598 6576 0.01818 -5598 6808 0.01564 -5598 7398 0.00617 -5598 8185 0.00354 -5598 8377 0.01620 -5598 8962 0.01124 -5598 9617 0.01369 -5598 9636 0.01926 -5598 9770 0.01381 -5598 9821 0.00809 -5597 7485 0.01941 -5597 7621 0.01906 -5597 8336 0.01720 -5597 8852 0.01379 -5597 9449 0.01857 -5596 5880 0.00560 -5596 7005 0.01991 -5596 7508 0.01711 -5596 9106 0.00314 -5595 6335 0.01337 -5595 7668 0.01939 -5595 8643 0.01454 -5595 9314 0.01126 -5595 9540 0.01625 -5594 5709 0.01046 -5594 5742 0.01199 -5594 7203 0.01964 -5594 7938 0.01749 -5594 8943 0.01967 -5594 9563 0.01042 -5593 7323 0.01516 -5593 7395 0.01628 -5593 7654 0.01931 -5593 8756 0.01551 -5593 8856 0.00873 -5593 9441 0.01352 -5592 5820 0.00134 -5592 8003 0.01526 -5592 8802 0.01193 -5592 8975 0.01935 -5591 6624 0.01920 -5591 6645 0.01559 -5591 7293 0.01423 -5591 8159 0.01128 -5591 8477 0.00513 -5590 5989 0.01657 -5590 6992 0.01671 -5590 8357 0.01108 -5590 8452 0.00556 -5590 8506 0.01722 -5590 8777 0.01963 -5590 9036 0.01696 -5590 9625 0.01612 -5590 9856 0.00242 -5589 6101 0.01413 -5589 6578 0.01506 -5589 7174 0.01649 -5589 8170 0.00364 -5589 8347 0.00882 -5589 9832 0.01228 -5589 9852 0.01636 -5588 5706 0.01793 -5588 6399 0.01482 -5588 8148 0.00363 -5588 8540 0.01216 -5588 8908 0.01124 -5588 9065 0.01833 -5588 9609 0.01943 -5588 9874 0.01569 -5587 6554 0.01228 -5586 6406 0.01846 -5586 7823 0.00560 -5586 9370 0.01794 -5585 6684 0.01179 -5585 8529 0.01012 -5585 9383 0.01258 -5584 5652 0.01976 -5584 5782 0.00993 -5584 5861 0.01424 -5584 6143 0.01730 -5584 6942 0.01152 -5584 6959 0.01804 -5584 7635 0.00991 -5584 8089 0.00804 -5584 8241 0.01804 -5583 5856 0.01736 -5583 5945 0.01779 -5583 6985 0.00922 -5583 8330 0.01724 -5582 5730 0.00795 -5582 6697 0.01577 -5582 7287 0.00781 -5582 7978 0.00184 -5582 8743 0.01878 -5582 8978 0.01655 -5581 6506 0.01984 -5581 7239 0.00956 -5581 7442 0.01582 -5581 7857 0.01994 -5581 7908 0.01982 -5581 8011 0.01889 -5581 8858 0.01371 -5580 5924 0.01983 -5580 6338 0.00664 -5580 7365 0.01701 -5580 7716 0.01629 -5579 6646 0.01935 -5579 6699 0.01053 -5579 6753 0.01599 -5579 7708 0.00499 -5579 9103 0.01728 -5578 5926 0.00775 -5578 6117 0.01799 -5578 6494 0.01329 -5578 7563 0.01441 -5578 7946 0.01194 -5578 8910 0.01221 -5577 6330 0.01858 -5577 6349 0.01198 -5577 6744 0.01864 -5577 7089 0.01778 -5577 7168 0.01548 -5577 8417 0.00908 -5577 8646 0.01924 -5577 8940 0.00665 -5577 9141 0.01302 -5577 9359 0.01437 -5577 9639 0.00763 -5576 6149 0.01771 -5576 6962 0.01876 -5576 7518 0.01015 -5576 7714 0.00387 -5576 8548 0.00919 -5575 5662 0.01587 -5575 5796 0.01060 -5575 5853 0.01761 -5575 6704 0.00919 -5574 6283 0.01808 -5574 7404 0.01688 -5574 8097 0.01758 -5574 9687 0.01177 -5574 9765 0.01809 -5573 5837 0.00766 -5573 5922 0.01844 -5573 8757 0.01610 -5573 9062 0.01902 -5572 6511 0.01267 -5572 6576 0.01976 -5572 9783 0.00335 -5571 5676 0.01680 -5571 6540 0.01655 -5571 6804 0.00890 -5571 6826 0.01534 -5571 7842 0.01851 -5571 8724 0.00845 -5571 9534 0.01208 -5570 6666 0.01024 -5570 8071 0.01998 -5569 6866 0.00800 -5569 7431 0.00611 -5569 7729 0.01794 -5569 7805 0.01836 -5569 9546 0.00610 -5568 5602 0.01903 -5568 6359 0.01702 -5568 6601 0.01583 -5568 7160 0.00883 -5568 7190 0.01678 -5568 7300 0.00119 -5568 8029 0.01839 -5568 8075 0.01928 -5568 9945 0.00898 -5567 6979 0.01416 -5567 7504 0.00120 -5567 8069 0.01922 -5567 8851 0.00518 -5567 9007 0.01328 -5567 9183 0.01325 -5566 6542 0.01467 -5566 9773 0.00714 -5565 5618 0.01339 -5565 6622 0.01578 -5565 6693 0.01456 -5565 7096 0.01229 -5565 7630 0.00828 -5565 8814 0.01082 -5564 5871 0.01240 -5564 6352 0.01367 -5564 6702 0.01226 -5564 9425 0.01037 -5563 6019 0.01347 -5563 7129 0.00599 -5563 8822 0.01304 -5563 9470 0.01904 -5562 5888 0.01071 -5562 7156 0.01084 -5562 7161 0.01427 -5562 8871 0.00928 -5562 9535 0.01517 -5561 5609 0.00883 -5561 6868 0.01798 -5561 7811 0.01529 -5561 8543 0.00833 -5561 8583 0.01345 -5561 9201 0.01490 -5560 5635 0.01667 -5560 5714 0.01562 -5560 7196 0.01308 -5560 7498 0.01186 -5560 9258 0.00528 -5559 5875 0.01758 -5559 6483 0.00627 -5559 7141 0.01155 -5559 7871 0.01766 -5559 9255 0.00952 -5559 9389 0.01356 -5559 9471 0.00390 -5558 5839 0.01446 -5558 7897 0.00429 -5558 9826 0.01179 -5558 9912 0.01012 -5558 9980 0.00241 -5557 5844 0.01032 -5557 6961 0.01831 -5557 7022 0.01044 -5557 8449 0.01776 -5557 9754 0.01566 -5556 6457 0.01667 -5556 7547 0.01999 -5556 7856 0.00855 -5556 8681 0.01399 -5556 8928 0.01940 -5556 9355 0.00733 -5556 9608 0.01510 -5555 7546 0.01599 -5555 7683 0.01719 -5555 7814 0.01387 -5555 8201 0.01137 -5555 9264 0.00805 -5554 5607 0.01633 -5554 5736 0.01624 -5554 6437 0.01510 -5554 7473 0.01655 -5554 8019 0.01438 -5554 8246 0.01320 -5554 8610 0.01665 -5554 9910 0.00899 -5553 8458 0.01006 -5553 9409 0.01505 -5553 9419 0.01197 -5552 6223 0.01268 -5552 6513 0.01851 -5552 6579 0.01135 -5552 6939 0.01399 -5552 7316 0.01697 -5552 7751 0.00905 -5552 8549 0.01067 -5551 5817 0.01342 -5551 8151 0.01742 -5550 5628 0.01444 -5550 7269 0.01978 -5550 7402 0.01204 -5550 8764 0.00814 -5549 6260 0.01512 -5549 6695 0.01982 -5549 7648 0.01936 -5549 7662 0.00396 -5549 8159 0.01857 -5549 8191 0.00428 -5549 9123 0.01118 -5548 5650 0.01806 -5548 6027 0.01198 -5548 6042 0.01358 -5548 6277 0.01494 -5548 6535 0.01439 -5548 6734 0.01467 -5548 7037 0.01987 -5548 8521 0.01828 -5548 9483 0.01555 -5548 9833 0.01883 -5548 9986 0.01842 -5547 6073 0.01057 -5547 6349 0.01238 -5547 7697 0.01400 -5547 8091 0.01726 -5547 8417 0.01996 -5547 8940 0.01792 -5547 9747 0.01990 -5547 9803 0.01536 -5546 5625 0.00388 -5546 5686 0.01057 -5546 5713 0.01581 -5546 7393 0.01520 -5546 7702 0.01400 -5546 8408 0.01585 -5546 8903 0.00259 -5546 9014 0.01712 -5546 9316 0.01260 -5546 9836 0.01707 -5545 7004 0.00654 -5545 7965 0.01951 -5544 5790 0.01685 -5544 8350 0.01584 -5544 9119 0.01750 -5543 5859 0.00716 -5543 8125 0.01780 -5543 8807 0.01539 -5543 9962 0.01856 -5542 5775 0.01930 -5542 6755 0.00885 -5542 7159 0.01614 -5541 6982 0.00250 -5541 7734 0.00698 -5541 7913 0.01502 -5541 8592 0.00360 -5541 9046 0.01887 -5540 6039 0.00170 -5540 6136 0.01443 -5540 9044 0.01818 -5539 5712 0.01480 -5539 5859 0.01902 -5539 6233 0.01733 -5539 6669 0.01159 -5539 6864 0.01603 -5539 8002 0.00838 -5539 8125 0.00868 -5539 8740 0.00232 -5538 6619 0.01796 -5538 6781 0.01338 -5538 7208 0.00751 -5538 9240 0.01097 -5537 5951 0.01249 -5537 6443 0.01815 -5537 7314 0.01223 -5537 7983 0.01607 -5537 8723 0.01275 -5536 5883 0.01928 -5536 8514 0.00837 -5536 9017 0.01259 -5535 6200 0.00741 -5535 6474 0.00414 -5535 6497 0.01183 -5535 7187 0.01752 -5535 7433 0.01709 -5535 8787 0.01262 -5535 9189 0.00559 -5535 9345 0.00830 -5535 9507 0.01750 -5535 9568 0.00836 -5534 5705 0.01933 -5534 6274 0.01755 -5534 6944 0.01323 -5534 7443 0.01524 -5534 8234 0.01868 -5534 8792 0.01979 -5533 7742 0.00540 -5533 7929 0.01724 -5533 8407 0.01512 -5532 7323 0.01420 -5532 7628 0.01162 -5532 8111 0.01634 -5532 8756 0.01921 -5532 9461 0.01062 -5531 5629 0.01679 -5531 6243 0.00854 -5531 6561 0.01664 -5531 6609 0.01724 -5531 6667 0.00852 -5531 8887 0.01303 -5531 9104 0.01196 -5530 6811 0.01923 -5530 6953 0.01926 -5530 9897 0.01369 -5529 6279 0.01543 -5529 6480 0.01133 -5529 7232 0.01295 -5529 7467 0.01997 -5529 7995 0.01358 -5529 8038 0.00767 -5529 8511 0.00291 -5529 8733 0.01613 -5529 9150 0.00762 -5529 9628 0.01093 -5529 9825 0.01905 -5529 9938 0.00627 -5528 6912 0.01996 -5527 6838 0.01741 -5527 7091 0.01516 -5527 7193 0.00816 -5527 7826 0.01806 -5527 8256 0.00850 -5527 8630 0.01211 -5527 9073 0.01891 -5526 6708 0.01200 -5526 7595 0.00551 -5526 7651 0.00517 -5526 9025 0.01269 -5526 9722 0.00803 -5526 9978 0.00888 -5525 6617 0.01752 -5525 9397 0.01809 -5525 9679 0.00998 -5524 5903 0.01539 -5523 5595 0.01845 -5523 6335 0.00952 -5523 6552 0.01958 -5523 7668 0.01797 -5523 8643 0.01743 -5523 9615 0.01308 -5522 5838 0.00693 -5522 6761 0.00446 -5522 7109 0.01761 -5522 7878 0.00330 -5522 8200 0.00558 -5522 8387 0.00860 -5522 9518 0.01516 -5521 6052 0.01263 -5521 7203 0.01496 -5521 7728 0.01048 -5521 8069 0.00568 -5521 8943 0.00982 -5521 9183 0.00885 -5521 9769 0.01674 -5520 6005 0.01380 -5520 7030 0.01547 -5520 7127 0.01640 -5520 7658 0.01784 -5520 8450 0.01773 -5520 9120 0.01539 -5520 9549 0.01370 -5519 7303 0.00882 -5519 7333 0.01920 -5519 7835 0.01816 -5519 8812 0.01492 -5519 8907 0.01787 -5519 9160 0.00749 -5518 6041 0.01427 -5518 6220 0.00382 -5518 7181 0.01888 -5518 8706 0.00977 -5518 8773 0.00190 -5518 8876 0.01874 -5517 5608 0.01465 -5517 6432 0.01704 -5517 6750 0.01795 -5517 8066 0.00868 -5516 5619 0.01039 -5516 5937 0.00650 -5516 6937 0.01930 -5516 7507 0.01231 -5516 7629 0.01227 -5516 7877 0.01416 -5516 9720 0.01823 -5515 5867 0.00920 -5515 5950 0.01984 -5515 6036 0.01411 -5515 6147 0.01698 -5515 7328 0.00859 -5515 7768 0.00254 -5515 9562 0.01998 -5514 6854 0.01477 -5514 8505 0.00838 -5514 9581 0.01315 -5513 5705 0.01587 -5513 6944 0.00986 -5513 6963 0.01039 -5513 7937 0.00402 -5513 8309 0.01627 -5512 5570 0.00642 -5512 6666 0.00789 -5512 8071 0.01612 -5512 9598 0.01923 -5511 5968 0.01493 -5511 6656 0.00674 -5511 6741 0.01623 -5511 7076 0.00556 -5511 9648 0.01492 -5511 9866 0.00488 -5510 5800 0.01825 -5510 6625 0.01241 -5510 6903 0.01594 -5510 7439 0.01602 -5510 9523 0.01281 -5510 9613 0.01505 -5509 6196 0.01237 -5509 6453 0.01509 -5509 6793 0.01845 -5509 7132 0.01225 -5509 7437 0.01368 -5509 7901 0.01323 -5509 8072 0.00374 -5509 9114 0.01014 -5508 6786 0.01064 -5508 7247 0.00706 -5508 8281 0.00410 -5508 8825 0.01541 -5507 5856 0.01764 -5507 5945 0.01362 -5507 6495 0.00708 -5507 6674 0.01053 -5507 6951 0.01474 -5507 7172 0.01323 -5507 8054 0.00917 -5507 9728 0.01981 -5506 5704 0.01736 -5506 8878 0.01756 -5506 9988 0.01047 -5505 5546 0.00238 -5505 5625 0.00616 -5505 5686 0.01117 -5505 5713 0.01634 -5505 7393 0.01291 -5505 7702 0.01469 -5505 8408 0.01593 -5505 8903 0.00243 -5505 9014 0.01949 -5505 9316 0.01129 -5505 9836 0.01559 -5504 7758 0.01315 -5504 8294 0.00180 -5504 9087 0.00284 -5504 9699 0.01937 -5504 9981 0.01311 -5503 6759 0.01627 -5503 8886 0.00518 -5503 9561 0.01871 -5503 9869 0.01623 -5502 6080 0.01275 -5502 8182 0.00396 -5502 8375 0.00938 -5502 8400 0.01705 -5502 8438 0.01494 -5502 9680 0.01050 -5501 5703 0.01622 -5501 5928 0.01865 -5501 6104 0.01809 -5501 9738 0.01721 -5501 9862 0.01909 -5500 5514 0.01856 -5500 6486 0.01464 -5500 9581 0.01719 -5499 5565 0.00575 -5499 5618 0.01108 -5499 6622 0.01962 -5499 6693 0.01870 -5499 7096 0.01741 -5499 7630 0.01017 -5499 7915 0.01608 -5499 8814 0.00632 -5499 9098 0.01974 -5499 9592 0.01534 -5498 7217 0.01900 -5498 7414 0.00254 -5498 9672 0.01622 -5498 9820 0.01613 -5497 6692 0.00844 -5497 7888 0.00974 -5497 8259 0.01479 -5497 8363 0.01478 -5497 8369 0.01704 -5496 5600 0.01406 -5496 5956 0.00686 -5496 7780 0.01744 -5496 7798 0.01735 -5496 8447 0.01410 -5496 9177 0.01148 -5496 9774 0.01488 -5496 9896 0.01626 -5495 5795 0.00704 -5495 6523 0.01054 -5495 6553 0.01815 -5495 7272 0.01198 -5495 8302 0.01912 -5494 6319 0.01584 -5494 7643 0.01970 -5494 8275 0.01232 -5494 9597 0.01210 -5493 5577 0.01303 -5493 6330 0.00560 -5493 6744 0.00633 -5493 7089 0.01397 -5493 7168 0.01388 -5493 7448 0.01957 -5493 7697 0.01974 -5493 8646 0.00895 -5493 8940 0.01127 -5493 8950 0.01570 -5493 9359 0.00172 -5493 9639 0.01458 -5492 7116 0.01920 -5492 7966 0.01564 -5492 8143 0.00986 -5492 8647 0.01765 -5492 9623 0.01155 -5492 9635 0.01052 -5491 5560 0.01438 -5491 5635 0.00271 -5491 7196 0.01120 -5491 9258 0.01923 -5490 6640 0.01332 -5490 7177 0.00415 -5490 8830 0.00601 -5490 9446 0.01755 -5490 9848 0.01729 -5489 5524 0.00407 -5489 5903 0.01855 -5488 5853 0.01948 -5488 9218 0.01473 -5488 9313 0.00914 -5488 9368 0.01500 -5487 6491 0.01890 -5487 6975 0.01341 -5487 7009 0.01347 -5487 9006 0.01399 -5486 5800 0.01816 -5486 6925 0.01800 -5486 7461 0.00758 -5486 7795 0.01574 -5486 9812 0.01219 -5485 6024 0.01308 -5485 6607 0.01541 -5485 7179 0.00407 -5485 9502 0.01257 -5485 9582 0.01182 -5485 9727 0.01533 -5484 6893 0.01787 -5484 8026 0.01218 -5484 9845 0.01572 -5483 5626 0.00321 -5483 5652 0.00791 -5483 5724 0.00652 -5483 5733 0.01457 -5483 6537 0.01066 -5483 7635 0.01962 -5483 8404 0.01082 -5483 8420 0.01081 -5483 8690 0.01004 -5483 8752 0.01930 -5483 9675 0.00328 -5483 9875 0.00531 -5482 7499 0.00468 -5482 7535 0.01600 -5482 8360 0.00560 -5482 8721 0.01628 -5482 9989 0.01686 -5481 7213 0.01937 -5481 7547 0.00636 -5481 8263 0.00398 -5481 8667 0.01971 -5481 8681 0.01351 -5481 8928 0.00679 -5480 6445 0.01175 -5480 8120 0.01719 -5480 9711 0.00988 -5479 6639 0.00708 -5479 7332 0.00970 -5479 8488 0.01849 -5479 8560 0.01308 -5479 9243 0.01935 -5479 9863 0.01973 -5478 6603 0.01022 -5478 9472 0.01440 -5478 9788 0.01765 -5477 5965 0.00884 -5477 6098 0.01024 -5477 8863 0.01599 -5477 9205 0.01610 -5477 9704 0.01868 -5476 5909 0.00808 -5476 8457 0.00775 -5476 9564 0.01214 -5476 9627 0.01030 -5476 9662 0.01434 -5475 5719 0.01704 -5475 6519 0.00469 -5475 9799 0.01820 -5474 5974 0.01987 -5474 6993 0.01130 -5474 7466 0.00407 -5474 8767 0.01652 -5473 5881 0.01625 -5473 6764 0.00353 -5473 7059 0.00606 -5473 7786 0.01466 -5473 8734 0.01218 -5473 8783 0.01360 -5473 8998 0.01685 -5473 9928 0.01255 -5472 5593 0.01885 -5472 8111 0.01822 -5472 8756 0.00513 -5471 6294 0.01910 -5471 7693 0.01955 -5471 7706 0.00284 -5471 8169 0.01983 -5471 8520 0.01169 -5471 8527 0.01730 -5471 8676 0.01692 -5470 6827 0.00249 -5470 7797 0.01813 -5470 7856 0.01843 -5469 5646 0.01497 -5469 5815 0.00258 -5469 6909 0.01712 -5469 6931 0.01416 -5469 6975 0.01838 -5469 7792 0.01863 -5469 8538 0.00551 -5469 9138 0.01726 -5468 6245 0.00684 -5468 7267 0.01293 -5468 7612 0.01863 -5468 8484 0.01428 -5468 8813 0.01257 -5468 9020 0.01523 -5468 9193 0.00668 -5468 9322 0.01226 -5467 7666 0.01362 -5467 7675 0.01451 -5467 8024 0.01490 -5467 8597 0.01982 -5466 7252 0.01740 -5466 9328 0.01111 -5465 6107 0.00794 -5465 7078 0.01298 -5465 8301 0.01522 -5465 8556 0.01208 -5465 9230 0.01722 -5464 5813 0.01322 -5464 6616 0.01846 -5464 6769 0.00592 -5464 6932 0.01951 -5464 7092 0.01861 -5464 7162 0.00817 -5464 7721 0.00162 -5464 8448 0.01080 -5464 8684 0.01109 -5463 6545 0.01392 -5463 6964 0.01314 -5463 7112 0.01550 -5463 7477 0.01728 -5463 7821 0.01696 -5463 9611 0.01793 -5462 5699 0.01553 -5462 5779 0.01596 -5462 6334 0.01371 -5462 7304 0.00708 -5462 7430 0.01920 -5462 7465 0.00777 -5462 9757 0.01175 -5461 5523 0.01557 -5461 7668 0.01675 -5461 7836 0.01423 -5461 8090 0.01535 -5461 9615 0.00655 -5461 9728 0.01859 -5460 6172 0.01547 -5460 6221 0.01910 -5460 6291 0.00964 -5460 9739 0.01055 -5459 5666 0.01544 -5459 6798 0.00693 -5459 7011 0.00237 -5459 7155 0.00600 -5459 8652 0.01218 -5459 8685 0.01442 -5459 9182 0.01130 -5459 9533 0.01897 -5458 5714 0.01587 -5458 7039 0.01441 -5458 7741 0.00749 -5458 8041 0.01666 -5458 8464 0.01787 -5458 9334 0.00728 -5457 7961 0.01866 -5457 8930 0.00244 -5456 5656 0.01155 -5456 7870 0.01539 -5456 8981 0.01705 -5456 9242 0.01270 -5456 9922 0.01927 -5455 5977 0.01739 -5455 7960 0.00418 -5455 8524 0.01650 -5455 8911 0.00746 -5455 9226 0.01879 -5455 9405 0.00876 -5454 7247 0.01918 -5454 8274 0.00721 -5454 8825 0.01845 -5453 6024 0.01328 -5453 7418 0.01720 -5453 8323 0.01673 -5453 8361 0.01775 -5453 9582 0.01900 -5453 9727 0.01939 -5452 6921 0.01463 -5452 8478 0.00519 -5452 8938 0.01534 -5452 9032 0.01470 -5451 9636 0.01736 -5451 9830 0.00689 -5450 9633 0.01860 -5449 5467 0.01297 -5449 6215 0.01959 -5449 6360 0.01871 -5449 7772 0.01682 -5448 5544 0.01874 -5448 5790 0.01779 -5448 6195 0.01223 -5448 6289 0.01704 -5448 7560 0.01949 -5448 8350 0.01341 -5448 8640 0.01662 -5447 6894 0.01448 -5447 7924 0.01901 -5447 7988 0.01593 -5447 8065 0.01431 -5447 8843 0.01173 -5447 9872 0.01352 -5446 6956 0.01488 -5446 7003 0.01190 -5446 7688 0.01596 -5446 7764 0.01449 -5446 9297 0.01198 -5446 9800 0.00933 -5445 5826 0.00205 -5445 6853 0.00377 -5445 6883 0.01778 -5445 7228 0.00715 -5445 7816 0.00568 -5445 7867 0.01017 -5445 9058 0.01325 -5445 9188 0.00451 -5445 9961 0.01384 -5444 6736 0.01499 -5444 8194 0.00791 -5444 8608 0.01235 -5444 9191 0.01925 -5444 9256 0.01800 -5443 7045 0.01526 -5443 7381 0.01102 -5443 8222 0.01222 -5443 8860 0.00668 -5443 9411 0.01191 -5442 6033 0.01052 -5442 6488 0.01137 -5442 6770 0.01240 -5442 7576 0.01388 -5442 8653 0.01751 -5442 8699 0.01003 -5442 9088 0.01305 -5442 9508 0.01234 -5441 6907 0.00556 -5441 7446 0.01801 -5441 7719 0.01879 -5441 7744 0.01663 -5441 7824 0.00958 -5441 8276 0.01122 -5441 8904 0.01002 -5440 6613 0.01407 -5440 6813 0.01677 -5440 7050 0.01584 -5440 7220 0.01528 -5440 7387 0.01431 -5440 9257 0.01361 -5439 5813 0.01446 -5439 7092 0.01396 -5439 7590 0.01903 -5439 7721 0.01914 -5439 7845 0.01578 -5439 8178 0.01093 -5439 8684 0.01378 -5439 9426 0.01553 -5438 5642 0.01321 -5437 6476 0.01806 -5437 6914 0.01447 -5437 7970 0.01735 -5437 8436 0.01858 -5437 9595 0.01895 -5436 5551 0.01870 -5436 6685 0.00713 -5436 7093 0.00920 -5436 7337 0.00463 -5436 7803 0.00973 -5436 9296 0.01358 -5435 5465 0.01626 -5435 6107 0.00899 -5435 8556 0.01004 -5435 9230 0.01484 -5435 9340 0.01928 -5435 9713 0.01959 -5434 6676 0.01743 -5434 6680 0.01643 -5434 8787 0.01939 -5434 9189 0.01967 -5434 9507 0.00919 -5433 5707 0.00967 -5433 6752 0.01694 -5433 8406 0.01393 -5433 8651 0.01405 -5433 9741 0.01223 -5432 5580 0.01810 -5432 5924 0.01360 -5432 6224 0.01643 -5432 6687 0.01559 -5432 7248 0.01521 -5432 7608 0.00930 -5432 7616 0.01314 -5432 8937 0.01366 -5432 9109 0.01818 -5431 5843 0.01989 -5431 6125 0.01615 -5431 7046 0.01730 -5431 7510 0.01084 -5431 7594 0.01030 -5431 8674 0.01037 -5431 9043 0.01491 -5431 9846 0.00645 -5431 9849 0.01190 -5431 9915 0.01473 -5430 5828 0.00331 -5430 6947 0.01480 -5430 9983 0.01068 -5429 6391 0.01813 -5429 8068 0.00320 -5428 6026 0.01408 -5428 8199 0.00698 -5428 8912 0.01193 -5427 5830 0.01985 -5427 6917 0.01452 -5427 6923 0.01582 -5427 8545 0.01726 -5427 8915 0.01024 -5427 9085 0.01378 -5426 5707 0.01745 -5426 5991 0.00612 -5426 6585 0.01446 -5426 6626 0.01342 -5426 7963 0.01605 -5426 9857 0.01273 -5425 9019 0.01752 -5424 6373 0.01196 -5424 6888 0.01762 -5424 7097 0.01451 -5424 8744 0.00849 -5424 8836 0.00870 -5424 9127 0.01943 -5424 9267 0.01268 -5423 6350 0.01377 -5423 6476 0.01574 -5423 7753 0.00871 -5423 7970 0.01873 -5423 8291 0.01967 -5423 9572 0.00644 -5423 9590 0.01651 -5422 6170 0.01714 -5422 7035 0.01341 -5422 8995 0.01438 -5422 9076 0.00993 -5421 5516 0.01404 -5421 5937 0.01397 -5421 7649 0.01239 -5421 7877 0.01547 -5421 8014 0.01466 -5420 5609 0.01282 -5420 6343 0.01322 -5420 7617 0.01360 -5420 7674 0.01924 -5420 8074 0.01113 -5420 8510 0.01776 -5420 8543 0.01595 -5420 8665 0.00828 -5420 9274 0.01738 -5420 9284 0.01039 -5420 9863 0.01795 -5419 6772 0.01052 -5419 7771 0.01622 -5419 8737 0.01405 -5419 8765 0.01813 -5419 9093 0.01067 -5419 9357 0.01897 -5418 6132 0.00858 -5418 7027 0.01941 -5418 8219 0.00485 -5418 9298 0.00368 -5418 9473 0.01186 -5418 9819 0.00601 -5417 6540 0.01785 -5417 6754 0.01324 -5417 8395 0.01441 -5417 9196 0.00676 -5417 9940 0.00679 -5416 5446 0.00858 -5416 6514 0.01526 -5416 7003 0.01816 -5416 7688 0.00748 -5416 7764 0.01803 -5416 9297 0.00356 -5416 9800 0.01419 -5415 5785 0.00990 -5415 6783 0.01269 -5415 7388 0.01287 -5415 8439 0.00874 -5415 9010 0.00867 -5414 5718 0.01968 -5414 6394 0.01284 -5414 6580 0.01915 -5414 7258 0.01004 -5414 7890 0.01927 -5414 7962 0.01518 -5414 8138 0.01681 -5414 8190 0.01999 -5414 8383 0.01818 -5414 8424 0.01316 -5414 8621 0.01568 -5414 9134 0.01307 -5414 9871 0.01209 -5413 6459 0.01579 -5413 7919 0.01571 -5413 9142 0.01454 -5413 9882 0.00454 -5412 5540 0.01116 -5412 5908 0.01958 -5412 6039 0.01277 -5412 6136 0.00472 -5412 6572 0.01889 -5412 7584 0.01413 -5412 7615 0.01746 -5412 9887 0.01633 -5411 6840 0.01774 -5411 7149 0.01898 -5411 7536 0.00278 -5411 8081 0.01602 -5411 8262 0.01152 -5411 9281 0.01644 -5410 5869 0.01480 -5410 6178 0.00957 -5410 7373 0.01902 -5410 8084 0.01141 -5410 8434 0.01805 -5410 8481 0.01881 -5409 5555 0.01611 -5409 6991 0.00782 -5409 7814 0.00430 -5409 8576 0.01948 -5409 9264 0.01636 -5408 5583 0.01476 -5408 6163 0.01257 -5408 6985 0.00787 -5408 7044 0.01071 -5408 8330 0.01943 -5408 8620 0.01557 -5407 5602 0.01517 -5407 6984 0.01461 -5407 7160 0.01157 -5407 7354 0.01826 -5407 9041 0.01178 -5406 7403 0.01558 -5406 7923 0.01037 -5406 9113 0.01087 -5405 5602 0.00619 -5405 6984 0.00872 -5405 7120 0.00530 -5405 7190 0.01785 -5405 8029 0.01546 -5405 9945 0.01850 -5404 6386 0.00301 -5404 7462 0.01735 -5404 8467 0.01910 -5404 9210 0.00661 -5404 9622 0.00619 -5403 5537 0.01458 -5403 5951 0.01865 -5403 6281 0.01764 -5403 9525 0.01836 -5402 8203 0.01385 -5402 8980 0.01253 -5402 9338 0.01248 -5402 9943 0.00639 -5402 9999 0.01532 -5401 7084 0.01974 -5401 8757 0.01645 -5401 9088 0.01856 -5401 9664 0.00925 -5400 6794 0.00772 -5400 7241 0.00779 -5400 8939 0.01404 -5400 8965 0.00970 -5400 8984 0.01699 -5400 9055 0.00827 -5400 9234 0.01005 -5400 9437 0.01189 -5400 9748 0.01938 -5399 5540 0.01969 -5399 5587 0.01182 -5399 6039 0.01810 -5399 9044 0.01438 -5398 5774 0.01888 -5398 5863 0.01349 -5398 6060 0.00689 -5398 6203 0.01255 -5398 6246 0.01641 -5398 7071 0.01970 -5398 9385 0.01402 -5398 9569 0.01232 -5397 5896 0.01643 -5397 7293 0.01164 -5396 5704 0.01060 -5396 6278 0.01745 -5396 6743 0.01940 -5396 7889 0.01839 -5396 7900 0.00580 -5396 9988 0.01113 -5395 5657 0.00805 -5395 6124 0.01199 -5395 6202 0.01165 -5395 6230 0.01590 -5395 6493 0.01012 -5395 7972 0.01919 -5395 8348 0.01976 -5395 8700 0.01261 -5395 9445 0.01677 -5394 6489 0.01917 -5394 7998 0.01164 -5394 8007 0.01652 -5394 8816 0.01620 -5393 5559 0.00975 -5393 5875 0.01386 -5393 6483 0.00951 -5393 7141 0.01721 -5393 7871 0.01615 -5393 9255 0.01756 -5393 9282 0.01447 -5393 9389 0.01480 -5393 9471 0.01107 -5392 5741 0.00753 -5392 6197 0.01967 -5392 6431 0.01148 -5392 7264 0.01336 -5392 7973 0.01243 -5392 8114 0.01926 -5392 8217 0.01733 -5392 8501 0.00855 -5392 9294 0.01741 -5392 9604 0.01483 -5392 9634 0.01507 -5392 9753 0.00938 -5392 9942 0.01194 -5391 5494 0.01356 -5391 6385 0.01903 -5391 7493 0.01879 -5391 8275 0.00162 -5391 9597 0.01995 -5390 5832 0.01076 -5390 6108 0.01376 -5390 6351 0.01870 -5390 7358 0.01488 -5390 7529 0.00311 -5390 7907 0.01638 -5390 9944 0.01649 -5389 6848 0.01800 -5389 6857 0.01536 -5389 7531 0.01859 -5389 7691 0.01394 -5389 7792 0.01695 -5389 8047 0.01270 -5389 8155 0.01971 -5389 9146 0.00489 -5389 9157 0.01054 -5388 5751 0.01418 -5388 6271 0.01113 -5388 7302 0.01389 -5388 8328 0.00711 -5388 9990 0.00643 -5387 6310 0.01765 -5387 6714 0.01829 -5387 7250 0.01773 -5387 8045 0.01253 -5387 8206 0.01225 -5387 8290 0.01034 -5387 8432 0.01096 -5387 8697 0.01413 -5386 5789 0.01567 -5386 5998 0.01538 -5386 6193 0.01844 -5386 6250 0.00171 -5386 6295 0.00442 -5386 6355 0.01666 -5386 6469 0.01783 -5386 7592 0.01619 -5386 7839 0.01579 -5386 9054 0.01561 -5385 5576 0.01926 -5385 6328 0.01650 -5385 7898 0.01888 -5385 8931 0.01623 -5385 9027 0.01640 -5385 9295 0.00864 -5384 5398 0.01838 -5384 6203 0.01495 -5384 6856 0.01943 -5384 6890 0.01343 -5384 7071 0.00483 -5384 7787 0.01379 -5384 8462 0.01985 -5384 9569 0.01435 -5384 9802 0.00907 -5384 9850 0.00701 -5383 5469 0.00505 -5383 5646 0.01929 -5383 5815 0.00725 -5383 6909 0.01954 -5383 6931 0.01918 -5383 6975 0.01844 -5383 7792 0.01514 -5383 8538 0.00360 -5383 9138 0.01917 -5382 5659 0.01254 -5382 6738 0.01950 -5382 7151 0.01159 -5382 9135 0.01923 -5382 9565 0.01923 -5381 5663 0.01659 -5381 6029 0.01065 -5381 6191 0.01427 -5381 6304 0.01837 -5381 6990 0.00985 -5381 7778 0.00713 -5381 8193 0.01687 -5381 8691 0.01928 -5380 6257 0.01108 -5380 6377 0.01446 -5380 6420 0.01279 -5380 7443 0.01367 -5379 5383 0.01728 -5379 6975 0.01974 -5379 7531 0.01550 -5379 7879 0.01489 -5379 8538 0.01648 -5379 9894 0.01723 -5378 5586 0.00529 -5378 6633 0.01672 -5378 7823 0.01071 -5377 6688 0.01536 -5377 8343 0.00911 -5377 8351 0.00430 -5377 9929 0.01672 -5376 5395 0.01902 -5376 5657 0.01410 -5376 5831 0.01840 -5376 6124 0.01387 -5376 6215 0.00915 -5376 6360 0.01205 -5376 7772 0.01718 -5376 9641 0.00881 -5374 6203 0.01888 -5374 6246 0.01688 -5374 6383 0.01396 -5374 7787 0.01309 -5374 9229 0.01452 -5374 9569 0.01920 -5373 9506 0.01443 -5372 5378 0.01619 -5372 5616 0.00537 -5372 5825 0.01939 -5372 6631 0.01663 -5372 6633 0.01510 -5372 8443 0.01538 -5371 6642 0.00339 -5371 8087 0.01054 -5371 8648 0.01793 -5371 8933 0.01704 -5371 9399 0.00358 -5371 9778 0.01265 -5370 5429 0.01668 -5370 5538 0.01938 -5370 8068 0.01359 -5370 9240 0.01975 -5369 6199 0.01877 -5369 6779 0.01827 -5369 7227 0.01456 -5369 7883 0.01783 -5369 8102 0.01835 -5369 9092 0.00938 -5369 9817 0.01730 -5368 6461 0.01435 -5368 7013 0.01971 -5368 7180 0.01953 -5368 7519 0.01192 -5368 8006 0.01704 -5367 5578 0.01856 -5367 5926 0.01604 -5367 7426 0.01040 -5367 8910 0.00711 -5366 5721 0.01354 -5366 6247 0.01923 -5366 6531 0.00553 -5366 7378 0.01666 -5366 7619 0.01490 -5366 7779 0.01770 -5366 8145 0.00712 -5366 8243 0.01920 -5366 8518 0.01897 -5366 8844 0.00780 -5366 9026 0.01976 -5366 9125 0.01106 -5366 9235 0.01709 -5365 6267 0.00663 -5365 7407 0.00459 -5365 7904 0.01603 -5365 9580 0.00586 -5364 5530 0.01126 -5364 6323 0.01705 -5364 6811 0.00825 -5364 6953 0.01642 -5363 6784 0.01446 -5363 7649 0.01192 -5363 7699 0.01904 -5363 8014 0.01773 -5363 8018 0.00616 -5363 8753 0.01982 -5362 7468 0.01683 -5362 8936 0.01420 -5362 9657 0.00798 -5362 9917 0.01655 -5361 7699 0.00490 -5361 9124 0.01420 -5360 5844 0.01866 -5360 6110 0.01775 -5360 6188 0.01752 -5360 6831 0.01614 -5359 7271 0.01877 -5359 8020 0.00917 -5359 9661 0.01556 -5359 9736 0.01091 -5358 6166 0.01716 -5358 6775 0.01712 -5358 7320 0.01777 -5358 7482 0.01320 -5358 9065 0.01912 -5358 9609 0.01542 -5357 5799 0.01747 -5357 7468 0.01911 -5357 8180 0.00612 -5357 8559 0.01151 -5357 8917 0.01011 -5356 7740 0.00777 -5355 5639 0.01420 -5355 9652 0.01854 -5354 6001 0.01986 -5354 6328 0.01227 -5354 6429 0.00865 -5354 7898 0.01636 -5353 6710 0.01894 -5353 6774 0.01601 -5353 7176 0.01860 -5353 8042 0.01507 -5353 8084 0.01316 -5353 9548 0.01632 -5352 7310 0.01613 -5352 8233 0.01974 -5352 8342 0.01333 -5352 9111 0.01782 -5352 9388 0.01052 -5352 9463 0.01966 -5352 9785 0.00390 -5351 5640 0.01360 -5351 6549 0.00874 -5351 6828 0.01336 -5351 8465 0.01453 -5351 8751 0.01681 -5351 9151 0.01392 -5351 9291 0.01064 -5350 5579 0.01260 -5350 6699 0.00298 -5350 7161 0.01711 -5350 7351 0.01005 -5350 7708 0.00785 -5349 7562 0.00517 -5349 8797 0.01308 -5349 8815 0.01836 -5349 8895 0.00700 -5349 9748 0.01660 -5348 5470 0.01129 -5348 6827 0.00926 -5348 7614 0.01408 -5348 7797 0.01599 -5347 6912 0.00546 -5346 5857 0.00588 -5346 8555 0.01934 -5346 9178 0.00423 -5346 9261 0.00452 -5345 6269 0.01408 -5345 7166 0.01659 -5345 7783 0.01810 -5345 9419 0.01657 -5344 6634 0.00698 -5343 5382 0.00872 -5343 6738 0.01336 -5343 7151 0.01341 -5342 5548 0.00970 -5342 5650 0.01246 -5342 6027 0.00257 -5342 6042 0.00733 -5342 6277 0.01405 -5342 6734 0.00897 -5342 9483 0.01620 -5342 9833 0.00920 -5342 9986 0.00878 -5341 5479 0.00531 -5341 5780 0.01973 -5341 6140 0.01782 -5341 6639 0.00821 -5341 7332 0.00439 -5341 8560 0.01037 -5341 9243 0.01463 -5341 9760 0.01738 -5340 5445 0.01795 -5340 5826 0.01976 -5340 7816 0.01247 -5340 7867 0.00778 -5340 9058 0.00911 -5340 9188 0.01643 -5339 5851 0.01717 -5339 6095 0.01112 -5339 6099 0.01967 -5339 7032 0.01947 -5339 8078 0.00399 -5339 8888 0.01500 -5338 5447 0.00895 -5338 6894 0.01335 -5338 8065 0.01359 -5338 8843 0.01571 -5337 6361 0.01056 -5337 6729 0.01845 -5337 8479 0.00891 -5337 9893 0.01021 -5336 6286 0.00912 -5336 6632 0.01120 -5336 7276 0.01546 -5336 8060 0.01642 -5336 8088 0.00819 -5336 8879 0.01024 -5336 9003 0.01084 -5335 5466 0.01151 -5335 7252 0.00748 -5335 9149 0.00928 -5335 9328 0.00440 -5334 7646 0.00598 -5334 7757 0.01460 -5334 8958 0.01861 -5333 5631 0.01506 -5333 5920 0.01039 -5333 6322 0.01610 -5333 9110 0.01481 -5332 6943 0.01739 -5332 7237 0.01307 -5332 7829 0.01902 -5332 7884 0.01467 -5332 8831 0.01696 -5332 9064 0.01928 -5332 9148 0.00638 -5331 5337 0.01397 -5331 5992 0.01689 -5331 6070 0.01350 -5331 7583 0.01590 -5331 8841 0.01935 -5331 9746 0.01679 -5330 9731 0.01919 -5330 9931 0.01969 -5329 5897 0.01777 -5329 6382 0.01177 -5329 6450 0.01505 -5329 6960 0.01341 -5329 7855 0.00927 -5329 9141 0.01692 -5329 9851 0.00828 -5328 6387 0.01508 -5328 6909 0.01783 -5328 9138 0.01941 -5328 9195 0.01101 -5328 9351 0.00706 -5327 5906 0.00715 -5327 5994 0.01048 -5327 9275 0.01861 -5327 9933 0.00615 -5326 6824 0.01444 -5326 7994 0.01515 -5326 8720 0.01424 -5326 8954 0.00113 -5326 9254 0.00908 -5325 7170 0.00733 -5325 7376 0.01450 -5325 7725 0.01104 -5325 7971 0.01099 -5325 8110 0.01841 -5325 9403 0.01149 -5325 9550 0.01581 -5324 5769 0.01547 -5324 6776 0.00846 -5324 7770 0.01794 -5324 8627 0.01832 -5324 9777 0.00420 -5323 5511 0.01467 -5323 5868 0.01989 -5323 7076 0.00968 -5323 7296 0.00577 -5323 8540 0.01937 -5323 8908 0.01883 -5323 9648 0.01741 -5323 9866 0.01786 -5322 8073 0.01629 -5322 8300 0.00741 -5321 5434 0.01166 -5321 5996 0.01921 -5321 6676 0.01649 -5321 6680 0.00545 -5321 7696 0.01030 -5321 8436 0.01810 -5321 9507 0.01668 -5320 5350 0.01146 -5320 5579 0.00989 -5320 6699 0.01179 -5320 7351 0.01852 -5320 7708 0.00974 -5320 9623 0.01728 -5319 6334 0.01883 -5319 8207 0.01425 -5319 9145 0.01360 -5318 6074 0.01243 -5318 6120 0.01825 -5318 8093 0.01550 -5318 8703 0.01670 -5318 9228 0.01567 -5317 5961 0.01970 -5317 7115 0.01909 -5317 7759 0.00552 -5317 8894 0.00549 -5316 5644 0.01921 -5316 5949 0.01156 -5316 6047 0.00822 -5316 6342 0.01623 -5316 6896 0.01415 -5316 7392 0.01156 -5316 7498 0.01716 -5316 8041 0.01672 -5316 8237 0.00912 -5316 8464 0.01017 -5316 8626 0.00385 -5315 5520 0.01413 -5315 7030 0.00150 -5315 7658 0.01268 -5315 8450 0.01647 -5315 9549 0.00938 -5314 5537 0.01785 -5314 6116 0.01286 -5314 6129 0.01500 -5314 6443 0.00896 -5314 7314 0.00805 -5314 8519 0.01086 -5313 5439 0.01438 -5313 5464 0.01037 -5313 5813 0.01642 -5313 6616 0.01133 -5313 6769 0.01355 -5313 6932 0.01087 -5313 7162 0.01789 -5313 7721 0.01035 -5313 8178 0.01581 -5313 8448 0.01993 -5313 8684 0.00082 -5313 9726 0.01931 -5312 7676 0.01729 -5312 9281 0.01821 -5311 5410 0.01412 -5311 5869 0.00879 -5311 5886 0.01284 -5311 6178 0.00617 -5311 7505 0.01343 -5311 8311 0.01615 -5311 8422 0.01942 -5311 8481 0.01253 -5311 8582 0.01887 -5311 9318 0.01352 -5310 6624 0.01275 -5310 6645 0.01717 -5310 7293 0.01974 -5310 7974 0.01315 -5310 9330 0.01439 -5310 9486 0.01476 -5309 5947 0.01801 -5309 6153 0.00452 -5309 6165 0.01112 -5309 6460 0.01706 -5309 7419 0.01477 -5309 8249 0.01725 -5309 9069 0.00734 -5309 9552 0.01870 -5309 9570 0.01841 -5309 9763 0.01863 -5308 5840 0.00635 -5308 7796 0.01041 -5308 9107 0.01583 -5308 9976 0.01158 -5307 6415 0.01012 -5307 8725 0.01652 -5307 8859 0.00894 -5306 6593 0.00680 -5306 8032 0.01399 -5306 8040 0.01644 -5306 8202 0.01136 -5306 8257 0.01395 -5306 9212 0.01595 -5305 6379 0.00337 -5305 8414 0.00364 -5305 8482 0.01719 -5304 7211 0.01920 -5304 7352 0.01702 -5304 8695 0.01373 -5304 9895 0.01763 -5304 9975 0.00948 -5303 6731 0.00338 -5303 7333 0.01789 -5303 7406 0.00798 -5303 7460 0.01398 -5303 7636 0.00288 -5303 7835 0.01486 -5303 7885 0.01478 -5303 8821 0.00637 -5303 9203 0.01087 -5302 5501 0.01151 -5302 5928 0.00729 -5302 9738 0.01750 -5302 9862 0.01711 -5301 6682 0.01759 -5301 7745 0.00610 -5301 8418 0.01522 -5301 9364 0.01794 -5300 5404 0.01674 -5300 6386 0.01641 -5300 6505 0.01272 -5300 7369 0.01349 -5300 8467 0.01409 -5300 9556 0.01451 -5300 9622 0.01609 -5299 8250 0.00898 -5299 8959 0.00663 -5299 8993 0.00563 -5299 9052 0.01829 -5299 9655 0.01749 -5298 5722 0.01222 -5298 6819 0.01433 -5298 6858 0.01335 -5298 8755 0.01584 -5298 9759 0.01874 -5297 5931 0.00863 -5297 8224 0.01246 -5297 8230 0.00294 -5297 8374 0.01110 -5297 8850 0.00235 -5297 9574 0.01620 -5297 9900 0.00937 -5296 6236 0.01236 -5296 6571 0.01656 -5296 6627 0.01926 -5296 6819 0.01306 -5296 6832 0.01417 -5296 6858 0.01530 -5296 7056 0.00618 -5296 7074 0.01460 -5296 7818 0.01996 -5296 8585 0.01981 -5296 9621 0.01754 -5295 5332 0.01939 -5295 5942 0.01269 -5295 7237 0.01652 -5295 7538 0.00323 -5295 9148 0.01449 -5294 6418 0.01633 -5294 6581 0.00946 -5294 8929 0.01777 -5293 6501 0.01794 -5293 7544 0.01703 -5293 7851 0.01538 -5293 8021 0.01890 -5293 9659 0.01898 -5293 9801 0.01399 -5293 9842 0.01599 -5292 5463 0.00677 -5292 6545 0.01520 -5292 6964 0.01275 -5292 7112 0.01607 -5292 7477 0.01369 -5292 7821 0.01022 -5291 6506 0.01340 -5291 7442 0.01907 -5291 7522 0.00828 -5291 7908 0.01823 -5291 8671 0.01011 -5291 8987 0.01334 -5291 9436 0.01372 -5290 6257 0.01119 -5290 6420 0.00840 -5290 7384 0.01426 -5290 7443 0.01544 -5290 8220 0.01490 -5290 9656 0.01881 -5289 5767 0.01948 -5289 7650 0.01091 -5289 8325 0.00819 -5289 8589 0.01647 -5289 8628 0.01633 -5289 9781 0.00293 -5289 9816 0.01174 -5288 6587 0.01171 -5288 8064 0.01148 -5288 8189 0.01895 -5288 8532 0.01503 -5288 9679 0.01812 -5287 5412 0.00692 -5287 5540 0.01105 -5287 6039 0.01269 -5287 6136 0.00568 -5287 6572 0.01425 -5287 7584 0.01759 -5287 9887 0.01829 -5286 5596 0.00715 -5286 5880 0.01010 -5286 6442 0.01988 -5286 6999 0.01967 -5286 7005 0.01331 -5286 7508 0.01124 -5286 7639 0.01813 -5286 9106 0.00545 -5286 9323 0.01806 -5285 5804 0.01591 -5285 6051 0.00749 -5285 7002 0.01462 -5285 7219 0.00693 -5285 8798 0.01180 -5285 9118 0.01330 -5285 9173 0.01071 -5284 6339 0.01272 -5284 6768 0.01969 -5284 7233 0.01857 -5284 9430 0.01495 -5284 9886 0.00361 -5284 9891 0.01607 -5283 6375 0.01955 -5283 6588 0.01979 -5283 7098 0.01095 -5283 7887 0.01992 -5283 8318 0.01086 -5283 9911 0.01045 -5282 5818 0.01302 -5282 7201 0.00985 -5282 7357 0.01451 -5282 8009 0.00138 -5282 8619 0.01982 -5282 8948 0.01165 -5282 9361 0.01954 -5282 9854 0.01205 -5282 9909 0.01980 -5281 5285 0.01346 -5281 6051 0.01553 -5281 7002 0.00393 -5281 7219 0.01474 -5281 8118 0.01394 -5281 8798 0.00984 -5281 8898 0.00980 -5281 9118 0.00972 -5280 6518 0.01611 -5280 6965 0.01456 -5280 7342 0.00980 -5280 7989 0.01404 -5280 9347 0.01248 -5279 5620 0.01445 -5279 7079 0.01582 -5279 7912 0.01655 -5279 8213 0.01372 -5279 8631 0.00491 -5278 5339 0.01665 -5278 6095 0.01071 -5278 6099 0.00309 -5278 7032 0.01540 -5278 8078 0.01965 -5278 9565 0.01511 -5277 6649 0.01681 -5277 7204 0.01499 -5276 6123 0.00365 -5276 6249 0.01013 -5276 6601 0.01788 -5276 8092 0.01714 -5276 8312 0.01685 -5276 8799 0.00955 -5275 5632 0.01547 -5275 5649 0.01441 -5275 5921 0.01685 -5275 8299 0.01661 -5275 8315 0.01033 -5275 8336 0.02000 -5275 8800 0.00784 -5275 9616 0.01558 -5275 9702 0.01413 -5274 5969 0.00870 -5274 6155 0.00683 -5274 6347 0.00825 -5274 6793 0.01788 -5274 8442 0.01809 -5274 8469 0.01390 -5274 9283 0.01093 -5274 9677 0.01579 -5273 6851 0.01155 -5273 7261 0.00986 -5273 7810 0.00929 -5273 7955 0.01612 -5273 8459 0.01996 -5273 9490 0.01730 -5273 9715 0.01656 -5272 5624 0.01229 -5272 5889 0.01203 -5272 6297 0.00821 -5272 6329 0.01223 -5272 8022 0.00742 -5272 8539 0.01770 -5272 8677 0.00531 -5272 9566 0.00402 -5271 5304 0.01003 -5271 6745 0.01785 -5271 6807 0.01518 -5271 6882 0.01805 -5271 7211 0.01061 -5271 9975 0.01018 -5270 5281 0.00975 -5270 5285 0.01984 -5270 6051 0.01801 -5270 6318 0.01833 -5270 6336 0.01856 -5270 7002 0.01313 -5270 7219 0.01747 -5270 7270 0.01731 -5270 7298 0.01797 -5270 8118 0.00618 -5270 8798 0.00953 -5270 8898 0.00084 -5270 9118 0.01945 -5269 6509 0.00115 -5269 7736 0.01931 -5269 8321 0.00212 -5269 8815 0.01802 -5269 9234 0.01895 -5269 9437 0.01571 -5269 9649 0.01354 -5269 9670 0.01494 -5269 9884 0.00179 -5268 7312 0.01617 -5268 8205 0.01527 -5268 9203 0.01194 -5267 6134 0.01814 -5267 6363 0.00978 -5267 7891 0.01920 -5267 8083 0.01970 -5266 6444 0.01203 -5266 7013 0.00836 -5266 8297 0.01054 -5266 9040 0.01705 -5266 9737 0.01552 -5265 5986 0.00843 -5265 6629 0.01664 -5265 8877 0.01677 -5265 9360 0.01650 -5265 9586 0.01907 -5265 9985 0.01812 -5264 5843 0.01456 -5264 6112 0.01873 -5264 6670 0.01597 -5264 7046 0.01751 -5264 7689 0.01332 -5264 7917 0.00743 -5264 8596 0.01070 -5264 9526 0.01882 -5264 9889 0.01862 -5263 5343 0.01574 -5263 6157 0.01481 -5263 6738 0.00308 -5263 7151 0.01389 -5263 9381 0.01542 -5262 5643 0.01060 -5262 5824 0.01473 -5262 6867 0.01787 -5262 6958 0.01047 -5262 7063 0.01843 -5262 8635 0.01303 -5262 9601 0.01403 -5262 9646 0.00870 -5261 6066 0.01753 -5261 6259 0.01993 -5261 9221 0.01955 -5261 9744 0.01633 -5260 5411 0.01448 -5260 5874 0.00950 -5260 6840 0.00567 -5260 7536 0.01726 -5260 8081 0.00774 -5260 8262 0.01332 -5260 9281 0.00526 -5259 6482 0.01099 -5259 8268 0.01315 -5259 9979 0.00468 -5259 9987 0.01815 -5258 6563 0.01908 -5258 6609 0.01130 -5258 6848 0.01906 -5258 8918 0.01561 -5258 9491 0.01899 -5257 5569 0.01908 -5257 6582 0.00863 -5257 6839 0.01227 -5257 6866 0.01516 -5257 7060 0.00861 -5257 7431 0.01648 -5257 7497 0.00780 -5257 7805 0.01565 -5257 8339 0.00593 -5257 9184 0.01790 -5256 5286 0.01970 -5256 6534 0.00605 -5256 6999 0.01570 -5256 7005 0.01133 -5256 7508 0.01295 -5256 7639 0.00225 -5256 9323 0.01412 -5256 9698 0.01469 -5256 9924 0.00633 -5255 5860 0.01225 -5255 6013 0.00574 -5255 8402 0.01546 -5255 9516 0.01810 -5255 9888 0.01861 -5254 6516 0.01502 -5254 7415 0.01059 -5254 8030 0.00258 -5254 8569 0.01863 -5254 8593 0.01390 -5254 9112 0.01663 -5254 9730 0.00642 -5253 6458 0.00830 -5253 6645 0.01740 -5253 7183 0.01824 -5253 9482 0.01983 -5253 9744 0.01826 -5252 5763 0.01364 -5252 5901 0.01609 -5252 7238 0.01212 -5252 7271 0.01473 -5252 7827 0.01407 -5252 8564 0.00651 -5251 5786 0.01192 -5251 5892 0.01022 -5251 7915 0.01743 -5251 8124 0.00782 -5250 7014 0.00409 -5250 7400 0.01840 -5250 8355 0.01122 -5250 8891 0.01910 -5250 9787 0.00694 -5250 9977 0.01267 -5249 5916 0.01962 -5249 6539 0.00956 -5249 7910 0.01133 -5249 8335 0.00617 -5249 8522 0.00697 -5249 8660 0.01372 -5249 9398 0.01089 -5249 9485 0.01562 -5248 6611 0.01783 -5248 7407 0.01904 -5248 7904 0.01483 -5248 7940 0.01792 -5248 8150 0.00714 -5247 5279 0.01961 -5247 5620 0.00938 -5247 7079 0.00382 -5247 7230 0.00912 -5247 7235 0.00977 -5247 7624 0.01041 -5247 8213 0.01688 -5247 8631 0.01988 -5247 8893 0.01863 -5247 9018 0.00801 -5246 5854 0.01893 -5246 5927 0.01012 -5246 7564 0.00571 -5246 7665 0.01686 -5246 7924 0.00517 -5246 7988 0.00884 -5246 8577 0.00689 -5246 9263 0.00865 -5246 9453 0.01901 -5246 9706 0.00705 -5246 9807 0.01216 -5245 7003 0.01525 -5245 7734 0.01950 -5245 9653 0.01708 -5244 5732 0.00982 -5244 6441 0.01534 -5244 7246 0.01452 -5244 8388 0.01130 -5244 8461 0.00978 -5244 9879 0.01974 -5244 9951 0.00936 -5243 5843 0.01747 -5243 6088 0.00275 -5243 6563 0.01535 -5243 7046 0.01848 -5243 8674 0.01607 -5243 8918 0.01885 -5243 9245 0.00958 -5243 9526 0.01272 -5243 9846 0.01870 -5243 9849 0.01410 -5242 6018 0.01218 -5242 6135 0.01782 -5242 6557 0.00369 -5242 7956 0.01744 -5242 8594 0.01747 -5242 9033 0.00342 -5242 9086 0.01871 -5241 5509 0.01741 -5241 6196 0.01411 -5241 7901 0.01683 -5241 8072 0.01631 -5241 9114 0.00755 -5240 5885 0.00801 -5240 6346 0.01854 -5240 7557 0.01115 -5240 8552 0.01494 -5240 8694 0.00568 -5240 8784 0.01043 -5240 8870 0.01511 -5240 9260 0.01031 -5239 5468 0.01925 -5239 6733 0.01790 -5239 7997 0.01408 -5239 8004 0.01577 -5239 8813 0.01002 -5239 8921 0.00966 -5239 9020 0.00920 -5238 5653 0.01431 -5238 6655 0.00864 -5238 7054 0.01223 -5238 8232 0.01481 -5237 5475 0.01497 -5237 6519 0.01867 -5237 6577 0.01999 -5237 9179 0.01780 -5237 9666 0.01972 -5236 7551 0.00316 -5236 9834 0.01513 -5236 9989 0.00791 -5235 5948 0.01174 -5235 6140 0.01121 -5235 6438 0.00506 -5235 7295 0.00612 -5235 8560 0.01772 -5235 8872 0.00960 -5235 9243 0.01722 -5235 9271 0.01554 -5235 9335 0.01641 -5234 5900 0.01166 -5234 7224 0.00320 -5234 7440 0.01688 -5234 7567 0.01939 -5234 7801 0.01644 -5234 9542 0.01824 -5234 9792 0.01374 -5233 6581 0.01740 -5233 9180 0.00696 -5233 9480 0.01773 -5232 5269 0.01714 -5232 5349 0.01982 -5232 6509 0.01600 -5232 6794 0.01903 -5232 7241 0.01422 -5232 7562 0.01467 -5232 7736 0.01145 -5232 8321 0.01905 -5232 8815 0.00256 -5232 8895 0.01362 -5232 9234 0.01225 -5232 9437 0.01673 -5232 9649 0.01179 -5232 9670 0.00860 -5232 9748 0.00729 -5232 9884 0.01687 -5231 6235 0.01628 -5231 8245 0.01157 -5231 8763 0.01076 -5231 9080 0.01829 -5231 9769 0.00936 -5231 9784 0.01791 -5230 6532 0.01865 -5230 6608 0.01080 -5230 9013 0.01212 -5230 9439 0.01655 -5229 5435 0.00575 -5229 6107 0.01472 -5229 8556 0.01334 -5229 9230 0.01921 -5229 9340 0.01898 -5229 9713 0.01519 -5228 5419 0.00636 -5228 6772 0.00529 -5228 8737 0.01055 -5228 8765 0.01190 -5228 9093 0.00654 -5228 9357 0.01709 -5227 5277 0.00500 -5227 7141 0.01906 -5227 7204 0.01655 -5227 9255 0.01863 -5226 5436 0.01140 -5226 6685 0.00659 -5226 7093 0.01182 -5226 7337 0.01287 -5226 7803 0.01824 -5226 8261 0.01576 -5225 5593 0.01662 -5225 6158 0.01519 -5225 6209 0.00982 -5225 7395 0.00168 -5225 7654 0.00939 -5225 8856 0.01697 -5225 9161 0.01913 -5225 9387 0.01586 -5225 9441 0.00366 -5225 9537 0.01484 -5224 5658 0.01900 -5224 6660 0.01631 -5224 7572 0.00513 -5223 8535 0.01344 -5222 5252 0.01776 -5222 7238 0.01999 -5222 7271 0.00732 -5222 8564 0.01489 -5222 9661 0.01601 -5221 6337 0.01534 -5221 7949 0.01332 -5221 8869 0.01770 -5220 5401 0.01248 -5220 5658 0.01804 -5220 5671 0.01355 -5220 6660 0.01090 -5220 7084 0.01053 -5220 7735 0.01929 -5220 9664 0.01793 -5220 9827 0.01755 -5219 6086 0.01168 -5219 6709 0.00602 -5219 7175 0.00271 -5219 7229 0.00633 -5219 7561 0.01732 -5218 5975 0.01993 -5218 6502 0.01775 -5218 6512 0.01785 -5218 9155 0.00740 -5218 9869 0.01422 -5217 5445 0.01268 -5217 5826 0.01188 -5217 6853 0.01033 -5217 7228 0.01773 -5217 7816 0.01253 -5217 7867 0.01609 -5217 9188 0.00879 -5217 9961 0.00667 -5216 5611 0.00494 -5216 6006 0.01919 -5216 6273 0.01477 -5216 6573 0.01468 -5216 6574 0.01707 -5216 6962 0.01831 -5216 7137 0.01808 -5215 5955 0.01862 -5215 6990 0.01972 -5215 8866 0.01329 -5214 5554 0.01910 -5214 5607 0.00667 -5214 5727 0.01884 -5214 7473 0.00272 -5214 7476 0.00418 -5214 8019 0.00521 -5213 6961 0.01745 -5213 7022 0.01002 -5213 8310 0.01434 -5213 8449 0.00683 -5213 9541 0.01418 -5213 9754 0.00632 -5212 6331 0.01837 -5212 9241 0.01787 -5211 5225 0.01928 -5211 5940 0.01199 -5211 6209 0.01231 -5211 7395 0.01981 -5211 9161 0.01510 -5211 9537 0.00496 -5210 5919 0.01808 -5210 6849 0.01536 -5210 7274 0.01440 -5210 7547 0.01774 -5210 8681 0.01545 -5210 8928 0.01759 -5210 9003 0.01883 -5210 9608 0.01803 -5209 5834 0.01678 -5209 7337 0.01958 -5209 7803 0.01482 -5209 8963 0.01177 -5209 9296 0.00831 -5208 5594 0.00774 -5208 5709 0.01382 -5208 5742 0.01403 -5208 5788 0.01922 -5208 6732 0.01749 -5208 7938 0.01120 -5208 9563 0.01501 -5207 5706 0.01819 -5207 5968 0.01830 -5207 6434 0.00648 -5207 6967 0.00513 -5207 7128 0.00770 -5207 7210 0.01579 -5207 8540 0.01731 -5207 8908 0.01892 -5207 9648 0.01311 -5207 9874 0.01357 -5206 6187 0.00702 -5206 6466 0.01911 -5206 8473 0.01442 -5206 8713 0.00695 -5205 5392 0.01740 -5205 6431 0.01762 -5205 7527 0.01387 -5205 8431 0.00864 -5205 8501 0.01143 -5205 9294 0.01294 -5205 9604 0.00761 -5205 9942 0.00787 -5204 5300 0.01242 -5204 5682 0.01485 -5204 6505 0.00180 -5204 7369 0.00596 -5204 7801 0.01416 -5204 7951 0.01778 -5204 9542 0.01661 -5204 9556 0.01314 -5204 9898 0.01383 -5204 9991 0.01627 -5204 9997 0.00934 -5203 6694 0.01135 -5203 7259 0.01247 -5203 7514 0.01273 -5203 8015 0.01804 -5203 8542 0.01100 -5203 8722 0.01725 -5203 8766 0.00496 -5203 8839 0.01624 -5203 8925 0.01620 -5203 9289 0.00504 -5203 9913 0.01457 -5202 6996 0.01223 -5202 7999 0.01316 -5202 8390 0.01768 -5201 6059 0.01753 -5201 6929 0.01402 -5201 7158 0.01425 -5201 8252 0.01359 -5201 8670 0.01131 -5201 9037 0.01307 -5201 9716 0.01363 -5199 5558 0.01903 -5199 5581 0.01873 -5199 7239 0.01240 -5199 7277 0.00511 -5199 7644 0.01099 -5199 7897 0.01710 -5199 8858 0.00537 -5199 9980 0.01856 -5198 6535 0.01812 -5198 7758 0.01216 -5198 7872 0.00696 -5198 8521 0.01758 -5198 8606 0.01081 -5198 8782 0.01521 -5198 9379 0.00456 -5197 5331 0.01310 -5197 5992 0.01347 -5197 6070 0.00937 -5197 7326 0.01970 -5197 7583 0.00932 -5197 9439 0.01342 -5197 9746 0.00695 -5196 6259 0.01120 -5196 6665 0.00202 -5196 7097 0.01336 -5196 7183 0.01142 -5196 7455 0.01594 -5196 9181 0.01822 -5196 9482 0.00662 -5196 9744 0.01899 -5195 8671 0.01549 -5195 8686 0.01933 -5195 9436 0.01185 -5194 5199 0.01304 -5194 5842 0.01985 -5194 7277 0.00934 -5194 7644 0.01058 -5194 8858 0.01784 -5193 5360 0.01357 -5193 5518 0.01853 -5193 5844 0.01941 -5193 6041 0.01329 -5193 6220 0.01533 -5193 6961 0.01109 -5193 8310 0.01925 -5193 8773 0.01702 -5193 8876 0.01261 -5192 6142 0.00987 -5192 7712 0.00441 -5192 8400 0.01913 -5192 9462 0.01736 -5191 5225 0.01462 -5191 5593 0.00512 -5191 6158 0.01597 -5191 7323 0.01053 -5191 7395 0.01380 -5191 7654 0.01506 -5191 8756 0.01717 -5191 8856 0.01289 -5191 9441 0.01105 -5190 5474 0.01446 -5190 5879 0.01883 -5190 5974 0.00725 -5190 6993 0.00618 -5190 7466 0.01299 -5190 8767 0.00393 -5189 5304 0.01169 -5189 7352 0.00909 -5189 7945 0.01842 -5189 8695 0.01609 -5189 9895 0.01086 -5189 9975 0.01686 -5188 5285 0.01390 -5188 5804 0.01691 -5188 6051 0.01484 -5188 7219 0.01517 -5188 9173 0.01437 -5188 9703 0.01415 -5187 5323 0.01518 -5187 5511 0.01052 -5187 5868 0.01143 -5187 6589 0.01758 -5187 6656 0.01643 -5187 6741 0.01118 -5187 6767 0.01509 -5187 7076 0.00826 -5187 8293 0.01915 -5187 9866 0.01527 -5186 5572 0.01436 -5186 6148 0.01424 -5186 8377 0.01683 -5186 9770 0.01886 -5186 9783 0.01301 -5185 6011 0.01534 -5185 7028 0.01957 -5185 9870 0.01912 -5184 5774 0.01506 -5184 9410 0.00902 -5184 9718 0.01640 -5184 9923 0.00798 -5183 5334 0.00801 -5183 7646 0.00204 -5183 7757 0.00884 -5182 8656 0.00271 -5182 9327 0.01814 -5182 9631 0.01436 -5181 6924 0.01818 -5181 7894 0.01717 -5181 8389 0.01399 -5181 8771 0.01444 -5181 9859 0.01453 -5180 6889 0.01551 -5180 7732 0.00461 -5180 8013 0.01307 -5180 8955 0.00560 -5179 5454 0.00509 -5179 8274 0.01221 -5178 5628 0.01862 -5178 6094 0.01638 -5178 6357 0.01504 -5178 6647 0.00704 -5178 6968 0.01814 -5178 7269 0.01393 -5178 7286 0.00691 -5178 7864 0.01099 -5178 8120 0.01241 -5178 9293 0.00702 -5178 9723 0.01086 -5178 9764 0.00686 -5177 6621 0.01703 -5177 6644 0.01216 -5177 7080 0.00339 -5177 8201 0.01443 -5176 6268 0.01870 -5176 6805 0.00904 -5176 6899 0.01432 -5176 7652 0.01115 -5176 8055 0.00568 -5176 8327 0.01494 -5176 8380 0.01330 -5176 8401 0.01962 -5176 8603 0.01208 -5176 9682 0.01670 -5175 7072 0.00368 -5175 9273 0.01250 -5175 9818 0.00478 -5174 7755 0.01548 -5174 7869 0.00710 -5174 7944 0.01149 -5174 8668 0.00811 -5174 9204 0.01227 -5174 9524 0.01693 -5173 5547 0.01839 -5173 6349 0.01641 -5173 8417 0.01820 -5173 9803 0.01059 -5172 8079 0.01504 -5172 8709 0.01950 -5171 5283 0.01303 -5171 6375 0.01760 -5171 6588 0.00959 -5171 6865 0.01887 -5171 7098 0.01052 -5171 7693 0.01134 -5171 7748 0.01819 -5171 7820 0.01649 -5171 8318 0.01929 -5171 9861 0.01892 -5171 9911 0.01775 -5170 5424 0.00532 -5170 6373 0.01710 -5170 6888 0.01887 -5170 7097 0.01541 -5170 8744 0.00493 -5170 8804 0.01640 -5170 8836 0.00539 -5170 9127 0.01445 -5170 9267 0.00759 -5169 5394 0.00110 -5169 6489 0.01953 -5169 7998 0.01234 -5169 8007 0.01674 -5169 8816 0.01658 -5168 5886 0.01377 -5168 6073 0.01088 -5168 7047 0.01001 -5168 7138 0.01724 -5168 7505 0.01163 -5168 8085 0.01541 -5168 8311 0.01748 -5168 8481 0.01820 -5168 8582 0.00993 -5168 8679 0.01390 -5168 9318 0.01860 -5168 9747 0.00465 -5168 9803 0.01959 -5167 5673 0.01565 -5167 6253 0.01984 -5167 6552 0.01677 -5167 6664 0.00980 -5167 7086 0.00796 -5167 8356 0.01856 -5167 8629 0.01574 -5167 8970 0.01709 -5167 9126 0.01377 -5166 5875 0.01258 -5166 6591 0.01280 -5166 7141 0.01027 -5166 7204 0.01636 -5166 7747 0.01950 -5166 7871 0.00853 -5166 8270 0.00551 -5166 9255 0.01495 -5165 5314 0.01740 -5165 6890 0.01816 -5165 6998 0.01035 -5165 7314 0.01956 -5165 8421 0.01160 -5165 8519 0.00773 -5165 9222 0.01847 -5165 9654 0.00633 -5164 5276 0.01899 -5164 5568 0.01471 -5164 6123 0.01778 -5164 6359 0.01562 -5164 6601 0.00965 -5164 7300 0.01378 -5164 8799 0.00944 -5164 9671 0.01574 -5164 9945 0.01711 -5163 5418 0.01235 -5163 6132 0.01615 -5163 7027 0.00711 -5163 7614 0.01640 -5163 8219 0.01001 -5163 9298 0.01597 -5163 9473 0.00210 -5163 9819 0.00641 -5162 5301 0.00646 -5162 6545 0.01929 -5162 7745 0.01244 -5162 8418 0.01326 -5162 9364 0.01305 -5161 6610 0.00941 -5161 7428 0.00826 -5160 5183 0.01599 -5160 7646 0.01709 -5160 7757 0.00721 -5160 7965 0.01982 -5160 8649 0.01185 -5160 8958 0.01518 -5159 6273 0.01591 -5159 6573 0.01208 -5159 6574 0.01770 -5159 7137 0.01975 -5159 7776 0.01444 -5159 8173 0.01760 -5159 9573 0.01814 -5158 5159 0.01091 -5158 7776 0.00777 -5158 9131 0.01582 -5158 9573 0.01876 -5158 9918 0.00994 -5157 6318 0.01232 -5157 7270 0.01303 -5157 9197 0.01832 -5157 9244 0.01430 -5156 6010 0.01058 -5156 6682 0.00933 -5156 7021 0.00357 -5156 8607 0.01201 -5156 8953 0.00395 -5156 9835 0.01310 -5155 5384 0.00907 -5155 6856 0.01961 -5155 6890 0.00501 -5155 6998 0.01217 -5155 7071 0.01174 -5155 8421 0.01346 -5155 8462 0.01704 -5155 9366 0.01599 -5155 9654 0.01767 -5155 9802 0.00911 -5155 9850 0.00370 -5154 6726 0.01775 -5154 6930 0.01679 -5154 9164 0.01368 -5154 9488 0.01329 -5154 9712 0.01978 -5154 9899 0.00601 -5153 6560 0.00892 -5153 7377 0.01269 -5153 7460 0.01516 -5153 7885 0.01775 -5153 8989 0.01047 -5153 9163 0.00991 -5153 9259 0.00523 -5153 9795 0.01297 -5152 5498 0.01485 -5152 6188 0.01975 -5152 7217 0.01936 -5152 7414 0.01265 -5152 8706 0.01867 -5152 9820 0.01149 -5151 5806 0.00929 -5151 7299 0.00770 -5151 7404 0.00759 -5151 9597 0.01720 -5151 9607 0.00217 -5150 8790 0.01270 -5150 8823 0.01553 -5150 8896 0.00942 -5149 6630 0.01140 -5149 7266 0.01716 -5149 9268 0.01845 -5148 5245 0.00715 -5148 7003 0.01575 -5148 9653 0.01080 -5147 6406 0.01850 -5147 7006 0.00643 -5147 7075 0.01871 -5147 7254 0.01192 -5147 7278 0.01535 -5147 9370 0.01275 -5146 5917 0.01952 -5145 6559 0.00696 -5145 7200 0.01985 -5145 8164 0.01023 -5145 8977 0.01858 -5145 9686 0.00992 -5144 5200 0.01145 -5144 5536 0.01857 -5143 5976 0.01957 -5143 6085 0.01957 -5143 6906 0.01916 -5143 7194 0.00787 -5143 8934 0.01686 -5143 9172 0.01320 -5142 7307 0.01815 -5142 9096 0.01390 -5141 5158 0.01774 -5141 6096 0.00970 -5141 6569 0.01682 -5141 6715 0.01090 -5141 7638 0.01185 -5141 7776 0.01033 -5141 9131 0.00403 -5140 5203 0.01802 -5140 5605 0.01814 -5140 5674 0.01957 -5140 6694 0.00668 -5140 7110 0.01768 -5140 8015 0.00112 -5140 8033 0.00709 -5140 8766 0.01864 -5140 9289 0.01836 -5140 9362 0.00993 -5140 9406 0.01603 -5140 9790 0.01015 -5139 5475 0.01678 -5139 5688 0.01667 -5139 6519 0.01590 -5139 7903 0.01520 -5139 8268 0.01231 -5138 5418 0.01569 -5138 5687 0.01604 -5138 6132 0.00915 -5138 6301 0.01301 -5138 7832 0.01695 -5138 8219 0.01538 -5138 8454 0.01148 -5138 9298 0.01449 -5137 5228 0.01637 -5137 6772 0.01111 -5137 8737 0.00671 -5137 8765 0.01091 -5137 9119 0.01518 -5137 9357 0.00791 -5136 5186 0.00310 -5136 5572 0.01369 -5136 6148 0.01494 -5136 7550 0.01868 -5136 8377 0.01410 -5136 8399 0.01906 -5136 9617 0.01859 -5136 9770 0.01582 -5136 9783 0.01307 -5135 5492 0.01237 -5135 5923 0.01754 -5135 7469 0.01714 -5135 8143 0.01815 -5135 9623 0.01120 -5135 9635 0.00357 -5134 5191 0.00731 -5134 5225 0.01640 -5134 5532 0.01800 -5134 5593 0.01233 -5134 6158 0.01043 -5134 7323 0.00404 -5134 7395 0.01499 -5134 7654 0.01223 -5134 9441 0.01291 -5134 9461 0.01590 -5133 5422 0.01567 -5133 6170 0.01728 -5133 6232 0.00756 -5133 7035 0.01389 -5133 9707 0.01689 -5132 5137 0.01759 -5132 5228 0.00392 -5132 5419 0.00950 -5132 6772 0.00697 -5132 8737 0.01277 -5132 8765 0.01049 -5132 9093 0.00327 -5132 9357 0.01978 -5131 5260 0.01244 -5131 5411 0.01106 -5131 5874 0.01756 -5131 6840 0.01163 -5131 7536 0.01287 -5131 8081 0.00805 -5131 8262 0.00091 -5131 9281 0.01720 -5130 5567 0.01594 -5130 5599 0.01462 -5130 6979 0.00222 -5130 7484 0.01998 -5130 7504 0.01652 -5130 8463 0.01773 -5130 8851 0.01733 -5130 8947 0.01397 -5130 9007 0.00500 -5130 9299 0.01625 -5129 5736 0.01022 -5129 6061 0.01234 -5129 6422 0.01230 -5129 7717 0.01144 -5129 8441 0.01672 -5128 5405 0.00532 -5128 5407 0.01575 -5128 5568 0.01985 -5128 5602 0.00087 -5128 6984 0.00872 -5128 7120 0.01061 -5128 7160 0.01675 -5128 7190 0.01619 -5128 8029 0.01440 -5128 9945 0.01469 -5127 7847 0.01250 -5127 8061 0.00548 -5127 8572 0.01872 -5126 7173 0.01404 -5126 9571 0.01845 -5126 9779 0.00483 -5125 6091 0.01590 -5125 6451 0.01534 -5125 6614 0.01689 -5125 6898 0.01530 -5125 8225 0.01273 -5124 5262 0.00301 -5124 5643 0.01302 -5124 5717 0.01910 -5124 5824 0.01607 -5124 6867 0.01904 -5124 6958 0.00907 -5124 8635 0.01166 -5124 8712 0.01992 -5124 9601 0.01112 -5124 9646 0.00658 -5123 7237 0.01686 -5123 7829 0.01569 -5123 8303 0.01882 -5123 8749 0.01901 -5123 8831 0.00962 -5123 9064 0.01480 -5123 9674 0.01139 -5122 5432 0.01254 -5122 5924 0.01846 -5122 6224 0.00514 -5122 7216 0.01871 -5122 7248 0.00720 -5122 7608 0.01375 -5122 7616 0.01257 -5122 8790 0.01225 -5122 8823 0.01061 -5122 8937 0.01446 -5122 9109 0.01383 -5121 5962 0.01374 -5121 6183 0.00579 -5121 6712 0.01113 -5121 8657 0.01566 -5121 8732 0.01304 -5121 9075 0.01829 -5121 9919 0.01832 -5120 5152 0.01328 -5120 7793 0.00755 -5120 8706 0.01514 -5120 9820 0.00912 -5120 9974 0.01377 -5119 5390 0.01603 -5119 5832 0.00573 -5119 5842 0.01062 -5119 6351 0.01075 -5119 7358 0.01961 -5119 7529 0.01656 -5119 7907 0.01744 -5119 8730 0.00499 -5119 9637 0.01966 -5118 5782 0.01876 -5118 7042 0.01232 -5118 7318 0.01260 -5118 7341 0.01767 -5118 8089 0.01965 -5118 9353 0.00696 -5117 6887 0.01671 -5116 5995 0.00923 -5116 6206 0.01172 -5116 6643 0.01216 -5116 6838 0.00421 -5116 7091 0.01356 -5116 7164 0.01478 -5116 9762 0.01486 -5115 5670 0.01574 -5115 7432 0.01049 -5115 7477 0.01598 -5115 7672 0.00660 -5115 7821 0.01944 -5115 8486 0.01030 -5115 9969 0.01373 -5114 5640 0.01982 -5114 5868 0.01642 -5114 6589 0.01418 -5114 6767 0.01500 -5114 6820 0.00697 -5114 6978 0.00905 -5114 7441 0.01166 -5114 7851 0.01303 -5114 8021 0.01923 -5114 8293 0.00861 -5114 8349 0.01261 -5114 9926 0.00476 -5113 6032 0.01927 -5113 6066 0.01233 -5113 8956 0.00781 -5113 8994 0.00426 -5113 9221 0.01848 -5113 9614 0.00610 -5112 5414 0.00793 -5112 5718 0.01711 -5112 6394 0.00491 -5112 6480 0.01662 -5112 6580 0.01998 -5112 7258 0.00468 -5112 8190 0.01471 -5112 9134 0.01124 -5112 9150 0.01978 -5112 9871 0.00417 -5111 5848 0.00983 -5111 6467 0.01283 -5111 6739 0.01343 -5111 6771 0.01352 -5111 6801 0.00951 -5111 9240 0.01356 -5110 5197 0.01797 -5110 6419 0.00735 -5110 8841 0.01109 -5109 7552 0.01527 -5108 5214 0.01329 -5108 5554 0.00810 -5108 5607 0.00876 -5108 5736 0.01560 -5108 7473 0.01130 -5108 7476 0.01625 -5108 8019 0.01003 -5108 8529 0.01742 -5108 9910 0.01666 -5107 5220 0.01252 -5107 5224 0.01788 -5107 5658 0.01940 -5107 5671 0.01761 -5107 6660 0.00608 -5107 7084 0.00817 -5107 9827 0.01781 -5106 7094 0.01821 -5106 7492 0.01313 -5106 9423 0.00777 -5106 9958 0.01775 -5105 5773 0.01589 -5105 6211 0.01566 -5105 6638 0.01318 -5105 7367 0.01449 -5105 8286 0.00611 -5105 8362 0.01172 -5105 9050 0.00759 -5105 9095 0.00588 -5105 9661 0.01886 -5105 9676 0.00964 -5104 5498 0.01774 -5104 7217 0.00543 -5104 7414 0.01654 -5104 8742 0.00914 -5103 6364 0.01687 -5103 6439 0.00887 -5103 6725 0.01962 -5103 6946 0.01540 -5103 7031 0.01091 -5103 7102 0.00287 -5103 7773 0.00997 -5103 8172 0.00819 -5103 9329 0.01886 -5102 6113 0.01464 -5102 6169 0.00923 -5102 8085 0.01982 -5102 8397 0.01960 -5101 6077 0.01306 -5101 6484 0.01974 -5101 6803 0.01557 -5101 7474 0.01288 -5101 7488 0.01653 -5101 8332 0.00992 -5101 8882 0.01655 -5101 9008 0.01303 -5101 9377 0.00638 -5101 9840 0.01751 -5100 7681 0.01853 -5100 8147 0.01346 -5100 8492 0.01207 -5099 5333 0.01857 -5099 5631 0.00368 -5099 5920 0.01548 -5099 6600 0.01893 -5099 9110 0.01446 -5099 9703 0.01302 -5098 5219 0.00839 -5098 6086 0.01548 -5098 6709 0.01107 -5098 7175 0.00660 -5098 7229 0.00231 -5098 7561 0.01093 -5098 8687 0.01597 -5098 9256 0.01766 -5097 5492 0.01541 -5097 7116 0.01562 -5097 7966 0.01329 -5097 8647 0.01803 -5097 8768 0.01964 -5096 6062 0.01189 -5096 6344 0.01469 -5096 7297 0.01574 -5096 7626 0.01533 -5096 8181 0.01884 -5096 8687 0.01765 -5095 6106 0.00575 -5095 6926 0.01785 -5095 7147 0.01642 -5095 7650 0.01538 -5095 8325 0.01504 -5095 8848 0.01952 -5095 9816 0.01152 -5094 6864 0.01081 -5094 7374 0.01813 -5094 8769 0.01442 -5094 8847 0.01102 -5093 5102 0.00680 -5093 6113 0.01939 -5093 6169 0.01147 -5093 8397 0.01623 -5092 5870 0.01243 -5092 6130 0.01005 -5092 6317 0.01813 -5092 7357 0.01234 -5092 8229 0.01109 -5092 9400 0.01126 -5092 9512 0.01428 -5092 9854 0.01504 -5091 6946 0.00643 -5091 7680 0.01744 -5091 7773 0.01826 -5090 6914 0.00986 -5090 7806 0.00979 -5090 8141 0.01698 -5090 8231 0.01431 -5090 8291 0.01371 -5090 9262 0.00425 -5090 9578 0.01929 -5090 9696 0.00579 -5089 5584 0.01038 -5089 5782 0.00747 -5089 5861 0.00962 -5089 6302 0.01874 -5089 6942 0.00620 -5089 7341 0.01821 -5089 7635 0.01994 -5089 8089 0.01771 -5089 8241 0.00771 -5088 5816 0.00444 -5088 8212 0.00984 -5088 8719 0.00672 -5088 8991 0.00096 -5088 9153 0.00964 -5088 9772 0.01860 -5087 5154 0.01410 -5087 6346 0.01595 -5087 6641 0.01100 -5087 6726 0.01915 -5087 6930 0.01674 -5087 7848 0.01337 -5087 9488 0.01515 -5087 9899 0.01866 -5086 6799 0.01540 -5086 6830 0.01775 -5086 7201 0.01822 -5086 7472 0.01039 -5086 7570 0.01133 -5086 8515 0.00827 -5086 8619 0.01356 -5086 8785 0.01995 -5086 8948 0.01279 -5086 9361 0.00502 -5086 9519 0.01338 -5085 5804 0.00431 -5085 6322 0.01516 -5085 7549 0.01922 -5085 8778 0.00661 -5085 9173 0.00935 -5085 9703 0.01841 -5085 9934 0.01026 -5084 5775 0.01860 -5084 6529 0.01064 -5084 6651 0.01394 -5084 7537 0.00175 -5084 8803 0.01289 -5084 9288 0.01910 -5084 9644 0.00902 -5083 5168 0.00354 -5083 5886 0.01728 -5083 6073 0.01230 -5083 7047 0.00650 -5083 7138 0.01661 -5083 7505 0.01511 -5083 8085 0.01234 -5083 8582 0.01062 -5083 8679 0.01066 -5083 9318 0.01999 -5083 9747 0.00813 -5083 9803 0.01788 -5082 6341 0.01590 -5082 7560 0.01913 -5082 8680 0.01999 -5082 8932 0.01639 -5082 8957 0.01832 -5081 6135 0.01820 -5081 6888 0.01945 -5081 7411 0.01272 -5081 8157 0.00629 -5081 8650 0.00531 -5081 9501 0.01312 -5080 5660 0.01423 -5080 6321 0.01358 -5080 7081 0.01210 -5080 7463 0.00599 -5080 7722 0.00565 -5080 9031 0.00664 -5079 7303 0.01279 -5079 8900 0.01797 -5079 8907 0.01840 -5079 9160 0.01377 -5078 6468 0.00927 -5078 6994 0.00913 -5078 7705 0.01540 -5078 8137 0.01910 -5078 9137 0.01698 -5078 9280 0.00986 -5077 5718 0.01337 -5077 5849 0.00641 -5077 6394 0.01999 -5077 6480 0.01378 -5077 6555 0.01471 -5077 7232 0.01802 -5077 7483 0.01780 -5077 8190 0.00894 -5077 8733 0.00507 -5077 9134 0.01752 -5077 9150 0.01670 -5077 9825 0.01604 -5076 7563 0.01885 -5076 9354 0.01643 -5075 5551 0.01211 -5075 5817 0.01509 -5075 6177 0.01828 -5075 6227 0.01709 -5075 6715 0.01893 -5075 8151 0.01673 -5074 5496 0.01143 -5074 5600 0.00859 -5074 5731 0.01423 -5074 5956 0.01824 -5074 7798 0.00890 -5074 8447 0.01544 -5074 9774 0.00357 -5074 9896 0.01751 -5074 9930 0.01360 -5073 7117 0.00500 -5073 8456 0.01579 -5073 9319 0.01034 -5072 6464 0.01587 -5072 6748 0.00670 -5072 6976 0.01477 -5072 7348 0.00743 -5072 7511 0.01562 -5072 7515 0.01625 -5072 9999 0.01960 -5071 5364 0.01715 -5071 5530 0.00735 -5071 6261 0.01417 -5071 6814 0.01641 -5071 6953 0.01875 -5071 9897 0.00636 -5070 6006 0.01425 -5070 6096 0.01905 -5070 6569 0.01168 -5070 7527 0.01623 -5069 5138 0.01463 -5069 5418 0.00862 -5069 6132 0.01274 -5069 7000 0.01664 -5069 8219 0.01288 -5069 9298 0.00494 -5069 9583 0.01737 -5069 9819 0.01438 -5068 5811 0.01483 -5068 5814 0.01477 -5068 6219 0.00565 -5068 7240 0.01162 -5068 8207 0.01366 -5068 9145 0.01340 -5068 9904 0.01574 -5067 6012 0.01822 -5067 6366 0.01507 -5067 7488 0.01829 -5067 8163 0.01641 -5066 5201 0.01825 -5066 6089 0.01909 -5066 6278 0.01442 -5066 8252 0.01610 -5066 9716 0.00747 -5065 5490 0.01598 -5065 6484 0.01983 -5065 6640 0.01904 -5065 7111 0.01362 -5065 7177 0.01203 -5065 8830 0.01753 -5065 9840 0.01741 -5065 9848 0.00534 -5064 5422 0.01636 -5064 5651 0.01437 -5064 6800 0.01303 -5064 8995 0.00865 -5063 5237 0.01470 -5063 6577 0.00815 -5063 8340 0.01126 -5063 9089 0.01538 -5063 9179 0.00940 -5063 9946 0.01204 -5062 5663 0.01344 -5062 5776 0.01700 -5062 7478 0.01154 -5062 7709 0.01940 -5062 8193 0.01791 -5062 9522 0.00342 -5061 5085 0.01376 -5061 5804 0.01596 -5061 7549 0.00977 -5061 8778 0.01168 -5061 9118 0.01779 -5061 9173 0.01809 -5061 9249 0.01005 -5061 9934 0.00358 -5061 9948 0.01041 -5060 6477 0.01862 -5060 6737 0.01887 -5060 6883 0.01331 -5060 6988 0.00817 -5060 7228 0.01902 -5060 8008 0.01495 -5060 8579 0.00453 -5060 8864 0.01693 -5059 5368 0.00290 -5059 6461 0.01150 -5059 7180 0.01663 -5059 7519 0.01055 -5059 8006 0.01962 -5058 6168 0.01111 -5058 6428 0.01862 -5058 6510 0.01641 -5058 7596 0.01480 -5058 7763 0.01954 -5058 8208 0.01020 -5058 9022 0.00842 -5058 9528 0.01745 -5058 9826 0.01855 -5058 9912 0.01998 -5057 5755 0.01298 -5057 6293 0.00529 -5057 8748 0.01000 -5056 5308 0.00896 -5056 5840 0.00865 -5056 7796 0.00676 -5056 9976 0.01947 -5055 5385 0.00598 -5055 8931 0.01051 -5055 8974 0.01775 -5055 9027 0.01067 -5055 9295 0.01222 -5054 5061 0.01815 -5054 5349 0.01374 -5054 7549 0.01124 -5054 7562 0.01503 -5054 7736 0.01710 -5054 8895 0.01273 -5054 9249 0.01426 -5053 8809 0.01700 -5053 8875 0.01313 -5053 9449 0.01492 -5052 6971 0.01532 -5052 7243 0.01636 -5052 8551 0.01149 -5051 6465 0.01466 -5050 5210 0.01953 -5050 5481 0.00478 -5050 6632 0.01731 -5050 7213 0.01821 -5050 7547 0.00495 -5050 8263 0.00101 -5050 8667 0.01863 -5050 8681 0.01254 -5050 8928 0.00557 -5049 6323 0.01581 -5049 6710 0.00985 -5049 7226 0.00996 -5049 7632 0.00074 -5049 8084 0.01879 -5049 9548 0.00779 -5049 9645 0.00847 -5048 5907 0.00556 -5048 5916 0.01773 -5048 7195 0.00559 -5048 8149 0.00982 -5048 8983 0.01735 -5048 9761 0.00375 -5046 5173 0.01302 -5046 8397 0.01128 -5046 8679 0.01697 -5046 9803 0.01298 -5045 6092 0.00730 -5045 6100 0.01569 -5045 7058 0.01984 -5045 7841 0.01568 -5045 8108 0.00933 -5045 8796 0.01069 -5045 8885 0.00747 -5045 9640 0.01271 -5044 5431 0.00652 -5044 6125 0.01413 -5044 7510 0.01214 -5044 7594 0.00477 -5044 8674 0.01521 -5044 9043 0.00901 -5044 9271 0.01565 -5044 9846 0.01128 -5044 9849 0.01817 -5044 9915 0.01037 -5043 6266 0.00361 -5043 6282 0.00883 -5043 6541 0.01523 -5043 8496 0.00905 -5042 5953 0.00820 -5042 6527 0.01408 -5042 7568 0.01136 -5042 7804 0.01835 -5042 8277 0.01597 -5042 9701 0.00711 -5041 5297 0.01910 -5041 5621 0.00989 -5041 5931 0.01579 -5041 6766 0.00696 -5041 6797 0.01854 -5041 8224 0.01216 -5041 8230 0.01940 -5041 8374 0.01874 -5041 9574 0.01603 -5040 7147 0.01625 -5040 7165 0.01466 -5040 9198 0.00492 -5039 7245 0.01005 -5039 7991 0.01874 -5039 8922 0.00229 -5039 9763 0.01518 -5039 9847 0.00160 -5038 5426 0.00496 -5038 5991 0.00841 -5038 6585 0.01903 -5038 6626 0.01513 -5038 7963 0.01503 -5038 9857 0.01372 -5037 6022 0.01809 -5037 6869 0.01159 -5037 7001 0.00427 -5037 7082 0.01838 -5037 7259 0.01923 -5037 7770 0.01919 -5037 8542 0.01839 -5037 8627 0.01907 -5037 8766 0.01932 -5037 8839 0.01411 -5037 8925 0.01622 -5037 9289 0.01961 -5037 9966 0.01102 -5036 5499 0.00180 -5036 5565 0.00755 -5036 5618 0.01085 -5036 7096 0.01910 -5036 7630 0.01134 -5036 7915 0.01473 -5036 8814 0.00538 -5036 9098 0.01985 -5036 9592 0.01367 -5035 7542 0.01490 -5035 8727 0.01787 -5035 9587 0.00723 -5035 9690 0.01417 -5034 5653 0.01331 -5034 5938 0.01437 -5034 6174 0.01176 -5034 7528 0.00841 -5034 8177 0.01207 -5034 8197 0.00174 -5034 8232 0.01311 -5034 8716 0.01505 -5034 9733 0.01260 -5033 5306 0.01618 -5033 5601 0.01327 -5033 6433 0.01260 -5033 6593 0.01883 -5033 7574 0.01850 -5033 8032 0.00219 -5033 8040 0.01507 -5033 8058 0.01154 -5033 8202 0.01076 -5033 8235 0.00849 -5033 8257 0.00552 -5033 9212 0.00198 -5033 9959 0.00934 -5032 5381 0.01352 -5032 5833 0.01869 -5032 6029 0.00870 -5032 6304 0.00821 -5032 7778 0.00892 -5032 8193 0.01987 -5032 8267 0.01349 -5032 8691 0.01503 -5031 5566 0.01725 -5031 8837 0.00779 -5031 9059 0.01005 -5030 6058 0.01244 -5030 6287 0.01100 -5030 6995 0.01764 -5030 7301 0.01669 -5030 7338 0.01570 -5030 7825 0.01490 -5030 8037 0.01500 -5030 8747 0.01800 -5030 8890 0.01264 -5030 9861 0.01862 -5029 5274 0.00682 -5029 5969 0.00431 -5029 6155 0.00772 -5029 6347 0.01494 -5029 9283 0.01771 -5029 9590 0.01892 -5028 6478 0.00194 -5028 8489 0.00843 -5028 9152 0.01104 -5028 9968 0.00726 -5027 7148 0.01486 -5027 8407 0.01095 -5027 8574 0.01589 -5026 5743 0.01678 -5026 6290 0.00745 -5026 6705 0.01532 -5026 7222 0.01779 -5026 7677 0.01952 -5026 7731 0.01349 -5026 8117 0.01343 -5026 8317 0.00175 -5026 8833 0.00725 -5026 9282 0.01554 -5026 9756 0.01229 -5025 6629 0.01569 -5025 9985 0.01086 -5024 7580 0.00627 -5024 7936 0.01116 -5024 8625 0.00938 -5024 9108 0.01608 -5023 8043 0.01580 -5023 9211 0.01006 -5023 9984 0.01219 -5022 5910 0.00595 -5022 5967 0.01052 -5022 6016 0.01866 -5022 6320 0.00763 -5022 8227 0.00418 -5022 8453 0.00237 -5022 8570 0.00443 -5022 9213 0.01210 -5022 9516 0.01346 -5022 9589 0.01976 -5021 5039 0.01424 -5021 5947 0.00865 -5021 7419 0.01059 -5021 7471 0.01503 -5021 7991 0.01903 -5021 8845 0.00725 -5021 8922 0.01545 -5021 9763 0.00168 -5021 9847 0.01325 -5020 5353 0.01675 -5020 6228 0.01873 -5020 6472 0.01367 -5020 7176 0.01532 -5020 8042 0.00326 -5020 8253 0.01730 -5020 8466 0.01231 -5019 5982 0.01858 -5019 6270 0.01092 -5019 6919 0.01594 -5019 7289 0.00833 -5019 8682 0.00855 -5019 9072 0.01272 -5018 5150 0.01935 -5018 5488 0.01222 -5018 7248 0.01618 -5018 7616 0.01668 -5018 8790 0.01368 -5018 8823 0.01337 -5018 9368 0.01596 -5017 5313 0.00569 -5017 5439 0.01804 -5017 5464 0.00497 -5017 5813 0.01505 -5017 6616 0.01384 -5017 6769 0.00806 -5017 6932 0.01463 -5017 7092 0.01994 -5017 7162 0.01220 -5017 7721 0.00547 -5017 8448 0.01545 -5017 8684 0.00648 -5016 5506 0.01425 -5016 6059 0.01267 -5016 6841 0.01455 -5016 7158 0.01631 -5015 5954 0.01448 -5015 6007 0.01939 -5015 6102 0.00430 -5015 8622 0.00118 -5015 9429 0.01141 -5015 9755 0.00169 -5014 5822 0.00910 -5014 6076 0.01051 -5014 6559 0.01838 -5014 8164 0.01502 -5014 8247 0.00824 -5014 8977 0.00586 -5014 9363 0.01769 -5013 6198 0.01121 -5013 7186 0.01358 -5013 8725 0.01631 -5013 9337 0.01239 -5013 9544 0.00763 -5013 9683 0.01215 -5013 9688 0.01891 -5012 6863 0.01574 -5012 9159 0.01727 -5011 6681 0.01227 -5011 6857 0.01707 -5011 7330 0.00970 -5011 8154 0.01664 -5011 9157 0.01915 -5011 9515 0.00767 -5010 5119 0.00432 -5010 5832 0.00993 -5010 5842 0.00828 -5010 6351 0.01183 -5010 8730 0.00198 -5010 9637 0.01851 -5009 5458 0.00962 -5009 5714 0.01980 -5009 5850 0.01779 -5009 6049 0.01995 -5009 7039 0.00838 -5009 7741 0.01203 -5009 9334 0.01662 -5009 9479 0.01372 -5008 5404 0.00998 -5008 6386 0.01300 -5008 7462 0.00741 -5008 8714 0.01611 -5008 9210 0.00647 -5008 9622 0.01616 -5007 5646 0.01953 -5007 5655 0.00541 -5007 6931 0.01853 -5007 8868 0.01390 -5006 5697 0.00984 -5006 6152 0.01047 -5006 7308 0.01665 -5006 7382 0.00710 -5006 7589 0.01020 -5006 8734 0.01790 -5006 8788 0.01706 -5006 9067 0.01060 -5006 9392 0.00550 -5005 5675 0.00707 -5005 6198 0.01809 -5005 6241 0.01897 -5005 7055 0.00672 -5005 8331 0.01358 -5005 8725 0.01922 -5004 5503 0.01669 -5004 8886 0.01696 -5004 9155 0.01606 -5004 9561 0.01767 -5004 9869 0.01663 -5003 5090 0.01335 -5003 5699 0.01128 -5003 6914 0.01674 -5003 7465 0.01977 -5003 8231 0.01847 -5003 9262 0.00980 -5003 9578 0.01010 -5003 9696 0.01745 -5003 9757 0.01466 -5002 7427 0.01351 -5002 8050 0.00936 -5002 9708 0.01418 -5001 6310 0.01708 -5001 7250 0.00902 -5001 7697 0.00859 -5001 8091 0.00381 -5001 8206 0.01631 -5001 8311 0.01695 -5001 8646 0.01737 -5000 5934 0.00836 -5000 6038 0.01771 -5000 6064 0.01655 -5000 6069 0.01926 -5000 7188 0.01391 -5000 7207 0.01168 -5000 8669 0.01332 -5000 9185 0.01864 -5000 9494 0.01638 -5000 9596 0.00952 -4999 5606 0.01554 -4999 8386 0.01492 -4999 8682 0.01925 -4999 9336 0.01914 -4998 5355 0.00945 -4998 5639 0.00583 -4998 7492 0.01875 -4998 8936 0.01452 -4998 9652 0.00937 -4997 8000 0.00806 -4997 8555 0.00720 -4996 5708 0.01937 -4996 6179 0.01213 -4996 6638 0.01447 -4996 7367 0.01581 -4996 7438 0.00238 -4996 8140 0.00361 -4996 8362 0.01323 -4996 9050 0.01840 -4996 9676 0.01352 -4995 5141 0.00957 -4995 5158 0.01934 -4995 6096 0.01801 -4995 6715 0.00199 -4995 7347 0.01806 -4995 7638 0.01465 -4995 7776 0.01461 -4995 9131 0.00635 -4995 9918 0.01847 -4994 6850 0.00669 -4994 7520 0.00719 -4994 7837 0.00587 -4994 8221 0.01637 -4994 8324 0.01985 -4993 6217 0.00328 -4993 6388 0.01183 -4993 6854 0.00827 -4993 7523 0.01472 -4993 7733 0.01670 -4993 7815 0.01356 -4993 7881 0.01537 -4993 8505 0.01394 -4993 9325 0.00822 -4992 5524 0.01617 -4992 5903 0.01078 -4992 6421 0.01388 -4992 6757 0.01806 -4992 9829 0.01834 -4991 6439 0.01865 -4991 6522 0.01081 -4991 7031 0.01661 -4990 5464 0.01995 -4990 5813 0.01252 -4990 6837 0.00810 -4990 7092 0.01371 -4990 7721 0.01875 -4990 8095 0.01362 -4990 8448 0.00994 -4990 8768 0.01127 -4990 9426 0.01840 -4989 5317 0.00927 -4989 5961 0.01794 -4989 7115 0.00986 -4989 7759 0.01251 -4989 8346 0.01806 -4989 8894 0.01427 -4988 5590 0.01901 -4988 5989 0.01874 -4988 7558 0.00988 -4988 7777 0.00953 -4988 8506 0.00184 -4988 9856 0.01766 -4987 5038 0.00887 -4987 5426 0.01304 -4987 5991 0.01256 -4987 6626 0.01595 -4987 7346 0.01500 -4987 9857 0.01373 -4986 6977 0.00363 -4986 8128 0.01082 -4986 9576 0.01687 -4985 6577 0.01879 -4985 7012 0.01919 -4985 8340 0.01999 -4985 9089 0.01914 -4985 9179 0.01850 -4984 6520 0.01698 -4984 7607 0.01451 -4984 8179 0.01051 -4984 9433 0.00711 -4984 9591 0.01572 -4984 9668 0.01352 -4983 6154 0.01652 -4983 6303 0.01302 -4983 7566 0.01613 -4983 7862 0.01927 -4983 8218 0.00359 -4983 8289 0.01934 -4983 9950 0.01097 -4982 5862 0.01143 -4982 6471 0.01157 -4982 7339 0.01602 -4982 9139 0.01955 -4982 9246 0.01577 -4981 5605 0.00844 -4981 5997 0.01430 -4981 8080 0.01299 -4981 8722 0.00858 -4981 9406 0.01530 -4981 9913 0.01415 -4980 5329 0.00657 -4980 5897 0.01129 -4980 6382 0.00996 -4980 6450 0.00888 -4980 6785 0.01698 -4980 6960 0.01310 -4980 7034 0.01560 -4980 7855 0.00556 -4980 9851 0.00910 -4979 5236 0.01912 -4979 7551 0.01766 -4979 7976 0.01238 -4978 5178 0.00257 -4978 5628 0.01845 -4978 6094 0.01562 -4978 6357 0.01701 -4978 6647 0.00955 -4978 6968 0.01715 -4978 7269 0.01422 -4978 7286 0.00437 -4978 7864 0.01268 -4978 8120 0.01493 -4978 9293 0.00544 -4978 9723 0.01283 -4978 9764 0.00429 -4978 9885 0.01848 -4977 5296 0.01666 -4977 5298 0.01086 -4977 5641 0.01702 -4977 5722 0.01943 -4977 6819 0.00399 -4977 6832 0.01888 -4977 6858 0.00341 -4977 7056 0.01049 -4977 9759 0.01954 -4976 5155 0.01701 -4976 5384 0.01590 -4976 5398 0.01945 -4976 6228 0.00698 -4976 6856 0.00367 -4976 6890 0.01655 -4976 9366 0.01277 -4976 9802 0.00806 -4976 9850 0.01363 -4975 7962 0.01810 -4975 8138 0.01528 -4975 8142 0.01094 -4975 8424 0.01617 -4975 8621 0.01618 -4974 5428 0.01499 -4974 6800 0.01995 -4974 8912 0.00309 -4974 9511 0.01576 -4973 6127 0.01249 -4973 8082 0.00272 -4972 5031 0.01426 -4972 5598 0.01584 -4972 7398 0.01484 -4972 8185 0.01462 -4972 8837 0.00715 -4972 9059 0.00666 -4971 5172 0.01079 -4971 5698 0.01916 -4971 7656 0.01554 -4971 8079 0.01039 -4970 5264 0.01803 -4970 5843 0.01966 -4970 6112 0.00276 -4970 7689 0.00831 -4970 8596 0.01863 -4969 5837 0.01950 -4969 7389 0.01721 -4969 7726 0.01899 -4969 9062 0.01108 -4969 9667 0.01644 -4968 5441 0.00153 -4968 6907 0.00438 -4968 7446 0.01735 -4968 7719 0.01761 -4968 7744 0.01530 -4968 7824 0.00820 -4968 8276 0.01273 -4968 8904 0.00850 -4967 5136 0.01019 -4967 5186 0.01025 -4967 6148 0.00533 -4967 6823 0.01495 -4967 7550 0.01181 -4967 8377 0.01371 -4967 8399 0.01056 -4967 8899 0.01332 -4967 9237 0.01262 -4967 9617 0.01617 -4967 9770 0.01812 -4966 5314 0.01878 -4966 5537 0.01633 -4966 6543 0.01028 -4966 7314 0.01136 -4966 7983 0.00536 -4966 8096 0.01722 -4966 8385 0.01672 -4966 8519 0.01603 -4966 8723 0.01299 -4965 5376 0.01841 -4965 5395 0.00279 -4965 5657 0.00958 -4965 6124 0.01360 -4965 6202 0.01406 -4965 6230 0.01869 -4965 6493 0.01285 -4965 7972 0.01769 -4965 8700 0.00989 -4965 9445 0.01410 -4965 9626 0.01977 -4964 6372 0.00710 -4964 7427 0.01925 -4964 8894 0.01583 -4963 5058 0.01320 -4963 5558 0.01849 -4963 6063 0.00895 -4963 6168 0.00216 -4963 7596 0.01372 -4963 7897 0.01643 -4963 9022 0.00998 -4963 9826 0.00916 -4963 9912 0.00931 -4962 7375 0.00696 -4962 7424 0.01211 -4962 7865 0.00634 -4962 8358 0.01899 -4961 5318 0.01995 -4961 5776 0.01288 -4961 6120 0.00527 -4961 7478 0.01788 -4961 9228 0.00436 -4960 6151 0.00833 -4960 6309 0.01562 -4960 7124 0.01246 -4960 7540 0.00866 -4960 8470 0.01959 -4960 9643 0.01971 -4959 6296 0.00714 -4959 6595 0.00646 -4959 7322 0.01940 -4959 7456 0.01076 -4959 8472 0.01302 -4959 9202 0.01753 -4959 9372 0.00941 -4958 6390 0.01809 -4958 9190 0.00474 -4958 9402 0.01914 -4958 9901 0.01001 -4957 5442 0.01560 -4957 5922 0.01982 -4957 6488 0.01067 -4957 6770 0.01502 -4957 8653 0.01529 -4956 5087 0.01935 -4956 5901 0.01695 -4956 6003 0.00549 -4956 6346 0.01329 -4956 7238 0.01326 -4956 7848 0.01011 -4955 5280 0.01209 -4955 5375 0.01763 -4955 6965 0.01250 -4955 9347 0.01915 -4954 6315 0.01098 -4954 7307 0.01528 -4954 9096 0.01919 -4953 6270 0.01849 -4953 6822 0.01914 -4953 6919 0.01465 -4953 7597 0.01346 -4953 9045 0.01111 -4953 9072 0.01642 -4953 9158 0.01553 -4952 5975 0.01396 -4952 6316 0.00581 -4952 7390 0.00873 -4952 8405 0.01730 -4952 8822 0.01005 -4951 5878 0.01900 -4951 6194 0.00912 -4951 6700 0.00739 -4951 7023 0.01550 -4951 7380 0.01566 -4951 8755 0.01306 -4951 9759 0.01727 -4950 6108 0.01740 -4950 6173 0.01436 -4950 6381 0.00390 -4950 6806 0.01353 -4950 8857 0.00492 -4950 9162 0.01674 -4949 6138 0.01378 -4949 9034 0.01610 -4949 9423 0.01562 -4949 9455 0.01988 -4949 9513 0.00256 -4949 9958 0.00549 -4948 5104 0.00936 -4948 5841 0.01858 -4948 7217 0.00720 -4948 7798 0.01960 -4948 8742 0.00487 -4947 5914 0.01536 -4947 5968 0.01715 -4947 6698 0.01654 -4947 7113 0.01765 -4947 7128 0.01795 -4947 7209 0.01485 -4947 7210 0.01597 -4947 7968 0.01709 -4947 8986 0.00914 -4947 9694 0.01123 -4946 5033 0.01837 -4946 5601 0.01356 -4946 6433 0.00583 -4946 6447 0.01559 -4946 6544 0.01720 -4946 7574 0.01346 -4946 8032 0.01954 -4946 8235 0.01142 -4946 8809 0.01738 -4946 8875 0.01855 -4946 9212 0.01683 -4946 9959 0.01418 -4945 4971 0.01986 -4944 5140 0.01258 -4944 5203 0.00678 -4944 6694 0.00655 -4944 7259 0.01922 -4944 7514 0.01896 -4944 8015 0.01291 -4944 8033 0.01706 -4944 8542 0.00985 -4944 8722 0.01963 -4944 8766 0.00606 -4944 8839 0.01656 -4944 8925 0.01566 -4944 9289 0.00578 -4944 9362 0.01633 -4944 9913 0.01940 -4943 6189 0.00536 -4942 5088 0.00625 -4942 5816 0.00668 -4942 6475 0.01850 -4942 8212 0.00447 -4942 8719 0.00485 -4942 8991 0.00719 -4942 9153 0.01553 -4941 5129 0.01690 -4941 6422 0.00480 -4941 7717 0.01109 -4941 8441 0.00413 -4941 8495 0.01526 -4941 8746 0.01744 -4941 9789 0.01497 -4941 9864 0.01927 -4940 5231 0.01873 -4940 6068 0.00786 -4940 6235 0.00303 -4940 7932 0.01564 -4940 8245 0.01695 -4940 8249 0.01718 -4940 8971 0.00700 -4939 4950 0.01681 -4939 6381 0.01962 -4939 8762 0.01865 -4939 8857 0.01313 -4939 9162 0.01570 -4939 9545 0.01295 -4939 9944 0.01508 -4938 5588 0.00931 -4938 6399 0.01427 -4938 7296 0.01819 -4938 8148 0.00888 -4938 8540 0.01505 -4938 8908 0.01335 -4938 9493 0.01849 -4937 5915 0.00321 -4937 6272 0.00557 -4937 7911 0.01589 -4937 9269 0.01682 -4936 5025 0.01940 -4936 9776 0.01064 -4935 5182 0.01673 -4935 7653 0.01331 -4935 7882 0.01846 -4935 8656 0.01922 -4935 9327 0.00759 -4935 9631 0.01971 -4935 9651 0.00468 -4934 5582 0.01393 -4934 6697 0.01238 -4934 7287 0.00855 -4934 7718 0.01221 -4934 7978 0.01320 -4934 8743 0.01126 -4934 8978 0.01636 -4933 5354 0.01765 -4933 6001 0.00575 -4933 6017 0.00956 -4933 6429 0.00901 -4933 8541 0.01217 -4933 8547 0.01521 -4933 8770 0.01002 -4932 5153 0.01585 -4932 6560 0.00876 -4932 7377 0.01823 -4932 8989 0.01056 -4932 9163 0.00918 -4931 5753 0.01194 -4931 5963 0.00575 -4931 6258 0.01785 -4931 7905 0.01865 -4931 8284 0.01030 -4930 5195 0.01588 -4930 7041 0.00913 -4929 5143 0.01821 -4929 8711 0.00885 -4929 8934 0.01093 -4929 9432 0.01562 -4928 5641 0.00769 -4928 6151 0.01851 -4928 6236 0.01129 -4928 6858 0.01770 -4928 7074 0.01711 -4928 8214 0.01612 -4928 8585 0.00308 -4928 9621 0.01276 -4928 9643 0.01181 -4928 9759 0.01829 -4927 5438 0.00478 -4927 5642 0.00870 -4926 7007 0.00909 -4926 8512 0.00552 -4926 8988 0.01253 -4926 9973 0.01167 -4925 5397 0.01118 -4925 5591 0.01515 -4925 7067 0.01999 -4925 7293 0.00569 -4925 8159 0.01570 -4925 8477 0.01249 -4924 7350 0.01075 -4924 7882 0.01455 -4923 5233 0.01943 -4923 6418 0.01199 -4923 8662 0.01847 -4923 9782 0.01042 -4922 7212 0.01235 -4922 8444 0.01179 -4922 8747 0.01193 -4922 9239 0.00877 -4921 8763 0.01994 -4921 9225 0.01387 -4921 9907 0.00963 -4920 5373 0.00525 -4920 5517 0.01994 -4920 7018 0.01987 -4920 8264 0.01970 -4920 9506 0.01834 -4919 5787 0.01578 -4919 6264 0.01282 -4919 6374 0.00368 -4919 7698 0.00725 -4919 7781 0.01627 -4919 8116 0.01732 -4918 5030 0.00915 -4918 6058 0.01009 -4918 6144 0.01364 -4918 6287 0.00835 -4918 6872 0.01743 -4918 7301 0.01043 -4918 7338 0.00984 -4918 7521 0.01948 -4918 7825 0.01458 -4918 8037 0.00594 -4918 8890 0.01244 -4918 9861 0.01836 -4917 5485 0.01768 -4917 5514 0.01754 -4917 6024 0.01005 -4917 7179 0.01424 -4917 8505 0.01901 -4917 9581 0.01346 -4917 9582 0.00619 -4916 6549 0.01468 -4916 7822 0.01733 -4916 8751 0.00819 -4916 9151 0.00885 -4916 9291 0.01047 -4916 9442 0.01278 -4915 5098 0.01642 -4915 5219 0.01709 -4915 5809 0.00697 -4915 6086 0.00882 -4915 6513 0.01189 -4915 6709 0.01211 -4915 6939 0.01662 -4915 6947 0.01770 -4915 7175 0.01480 -4915 7229 0.01529 -4914 5009 0.00893 -4914 5458 0.01646 -4914 5850 0.01268 -4914 6049 0.01529 -4914 7039 0.00288 -4914 9336 0.01875 -4914 9479 0.00549 -4913 5206 0.01811 -4913 6332 0.01167 -4913 6466 0.00534 -4913 6621 0.01648 -4913 8473 0.00511 -4913 8713 0.01914 -4913 9251 0.01456 -4913 9358 0.01505 -4912 5193 0.01260 -4912 5213 0.01739 -4912 6041 0.00860 -4912 6220 0.01837 -4912 6961 0.00509 -4912 7022 0.01865 -4912 8310 0.00683 -4912 8876 0.00386 -4912 9541 0.01628 -4912 9754 0.01302 -4911 5086 0.01328 -4911 6830 0.00491 -4911 7472 0.00448 -4911 7570 0.00492 -4911 8515 0.01033 -4911 8785 0.00862 -4911 9361 0.01795 -4911 9519 0.01882 -4910 5125 0.01573 -4910 6189 0.01866 -4910 7866 0.01463 -4910 9349 0.01211 -4909 5801 0.00048 -4909 7930 0.01867 -4909 9044 0.01198 -4909 9865 0.01956 -4908 5232 0.01481 -4908 5269 0.01522 -4908 5400 0.01207 -4908 6509 0.01469 -4908 6794 0.00533 -4908 7241 0.00865 -4908 8321 0.01569 -4908 8815 0.01727 -4908 8965 0.01678 -4908 9030 0.01800 -4908 9055 0.01640 -4908 9234 0.00575 -4908 9437 0.00194 -4908 9748 0.01668 -4908 9884 0.01648 -4907 6333 0.00284 -4907 6922 0.01858 -4907 8240 0.00498 -4907 8282 0.01114 -4907 8873 0.01102 -4907 9504 0.01321 -4907 9967 0.00735 -4906 5427 0.01902 -4906 6917 0.00726 -4906 9601 0.01533 -4905 5121 0.01241 -4905 5962 0.00638 -4905 6183 0.00772 -4905 6467 0.01657 -4905 6712 0.01722 -4905 6801 0.01989 -4905 8657 0.01779 -4905 9919 0.01232 -4904 5147 0.01196 -4904 5884 0.01754 -4904 7006 0.01276 -4904 7254 0.01354 -4904 7823 0.01699 -4904 8586 0.01162 -4904 8614 0.01946 -4904 9370 0.00226 -4904 9497 0.01605 -4903 6300 0.00907 -4903 8099 0.00597 -4903 8692 0.00830 -4903 8729 0.01431 -4902 5267 0.01641 -4902 5528 0.01849 -4902 6134 0.01610 -4902 6363 0.00752 -4902 7051 0.01881 -4902 7891 0.00592 -4902 7990 0.01825 -4902 8083 0.01979 -4902 9241 0.01870 -4901 5700 0.00933 -4901 8265 0.00749 -4901 9421 0.01703 -4900 5022 0.01749 -4900 5255 0.01670 -4900 5967 0.01436 -4900 8402 0.01610 -4900 8453 0.01864 -4900 8570 0.01312 -4900 9516 0.00536 -4900 9888 0.00948 -4900 9955 0.00767 -4899 6683 0.01661 -4899 7140 0.01928 -4899 7576 0.01938 -4899 7942 0.01945 -4899 8426 0.01076 -4899 8699 0.01973 -4899 9508 0.01954 -4898 6457 0.00757 -4898 6730 0.01494 -4898 6918 0.00450 -4898 7879 0.01017 -4898 9355 0.01642 -4898 9491 0.01978 -4898 9814 0.01980 -4898 9894 0.01396 -4897 6627 0.01909 -4897 7061 0.00503 -4897 7109 0.01567 -4897 7659 0.01525 -4897 7818 0.01236 -4896 5065 0.01221 -4896 5490 0.00823 -4896 6640 0.01958 -4896 6812 0.01926 -4896 7177 0.00742 -4896 8830 0.00595 -4896 9848 0.01104 -4895 5182 0.00483 -4895 8656 0.00279 -4895 9631 0.01632 -4894 5589 0.00903 -4894 6101 0.01319 -4894 6578 0.01902 -4894 8170 0.01171 -4894 8347 0.00330 -4894 8419 0.01796 -4894 9832 0.01232 -4893 4983 0.01805 -4893 6154 0.01749 -4893 6303 0.01231 -4893 7153 0.01656 -4893 7566 0.00368 -4893 8218 0.01547 -4892 6922 0.01826 -4892 7894 0.00873 -4892 8280 0.01875 -4892 8389 0.01172 -4892 8771 0.01700 -4892 9539 0.01477 -4892 9630 0.01066 -4892 9751 0.00794 -4892 9859 0.01255 -4891 4961 0.01322 -4891 5776 0.00938 -4891 6120 0.01628 -4891 7478 0.01474 -4891 9228 0.01753 -4890 4959 0.01159 -4890 6296 0.00825 -4890 6595 0.01797 -4890 7322 0.01596 -4890 8127 0.01825 -4890 9202 0.01196 -4890 9372 0.01610 -4889 8423 0.01519 -4889 9629 0.01544 -4888 4897 0.01225 -4888 7061 0.01715 -4888 8410 0.01322 -4888 8754 0.01554 -4888 9341 0.01200 -4887 5210 0.01550 -4887 5919 0.01764 -4887 7017 0.01306 -4887 7274 0.00557 -4887 8655 0.01123 -4887 9003 0.01552 -4886 6114 0.01009 -4886 6122 0.00497 -4886 6362 0.00947 -4886 6446 0.01161 -4886 7073 0.01392 -4886 7682 0.01339 -4886 7761 0.01672 -4886 8502 0.01471 -4886 9128 0.01652 -4886 9925 0.01983 -4885 5792 0.00510 -4885 6327 0.01140 -4885 6340 0.01333 -4885 7648 0.01980 -4885 9187 0.01168 -4884 5045 0.01791 -4884 6092 0.01799 -4884 6176 0.01322 -4884 8796 0.00912 -4884 9396 0.01582 -4884 9638 0.01352 -4883 6891 0.01529 -4883 8209 0.01390 -4883 8992 0.01670 -4883 9164 0.01908 -4883 9413 0.00902 -4883 9712 0.01362 -4882 4908 0.01140 -4882 5232 0.01393 -4882 5400 0.00928 -4882 6794 0.01115 -4882 7241 0.00297 -4882 8815 0.01621 -4882 8939 0.01493 -4882 8965 0.01877 -4882 9055 0.00649 -4882 9234 0.00581 -4882 9437 0.01266 -4882 9748 0.01015 -4881 4951 0.00307 -4881 5878 0.01859 -4881 6194 0.00854 -4881 6700 0.00495 -4881 7023 0.01713 -4881 7380 0.01262 -4881 8755 0.01574 -4880 5275 0.01575 -4880 5649 0.00235 -4880 6370 0.01773 -4880 7485 0.01522 -4880 8299 0.00215 -4880 8315 0.01451 -4880 8336 0.01286 -4880 8800 0.01734 -4880 9462 0.01659 -4880 9616 0.01784 -4880 9702 0.01377 -4879 5315 0.01388 -4879 6664 0.01313 -4879 7030 0.01398 -4879 7086 0.01906 -4879 7658 0.00788 -4879 7673 0.01758 -4879 9126 0.01156 -4879 9551 0.01703 -4878 4985 0.01375 -4878 5819 0.01896 -4878 6577 0.01648 -4878 9179 0.01320 -4877 6661 0.00948 -4877 7502 0.00545 -4877 7663 0.01232 -4877 8642 0.00640 -4877 9903 0.01774 -4876 5066 0.01229 -4876 6089 0.01202 -4876 6278 0.01825 -4876 6597 0.01632 -4876 8252 0.01999 -4876 8739 0.01353 -4876 9716 0.01976 -4875 4956 0.01300 -4875 5087 0.00860 -4875 6003 0.01826 -4875 6346 0.01616 -4875 6641 0.01079 -4875 7848 0.01208 -4874 5413 0.01432 -4874 6286 0.01539 -4874 7276 0.01364 -4874 7919 0.01494 -4874 8879 0.01197 -4874 9882 0.01836 -4873 5916 0.01850 -4873 7710 0.00667 -4873 8149 0.01602 -4873 8983 0.01557 -4872 4894 0.01619 -4872 5589 0.01636 -4872 6101 0.00302 -4872 7994 0.01396 -4872 8170 0.01472 -4872 8347 0.01289 -4872 8720 0.01439 -4872 9832 0.00421 -4871 5371 0.00824 -4871 6642 0.00533 -4871 8087 0.01683 -4871 8648 0.01813 -4871 8933 0.01273 -4871 8970 0.01986 -4871 9399 0.00623 -4871 9778 0.01783 -4870 5949 0.01665 -4870 6056 0.01562 -4870 6128 0.01801 -4870 6342 0.01972 -4870 6584 0.00630 -4870 8101 0.01335 -4870 8237 0.01702 -4870 9002 0.01780 -4870 9276 0.01953 -4869 4964 0.01147 -4869 4989 0.01809 -4869 5002 0.02000 -4869 5317 0.01286 -4869 6372 0.01736 -4869 7427 0.01388 -4869 7759 0.01738 -4869 8050 0.01472 -4869 8894 0.00940 -4868 5507 0.00995 -4868 5856 0.00789 -4868 5945 0.00730 -4868 6495 0.01636 -4868 6674 0.01941 -4868 6951 0.01399 -4868 8054 0.00749 -4868 8330 0.01050 -4867 4870 0.00878 -4867 6128 0.00934 -4867 6584 0.00947 -4867 6910 0.01832 -4867 7784 0.01947 -4867 8101 0.01340 -4867 9002 0.01559 -4867 9276 0.01697 -4866 5059 0.01157 -4866 5368 0.01112 -4866 6461 0.01681 -4866 7519 0.00721 -4866 8006 0.01478 -4866 8372 0.01396 -4866 9868 0.01885 -4865 7125 0.01572 -4865 7334 0.01542 -4865 7743 0.01541 -4865 8012 0.01960 -4865 8334 0.00908 -4865 8678 0.01701 -4865 8793 0.01916 -4865 9038 0.01701 -4865 9536 0.00482 -4865 9691 0.01761 -4864 5108 0.01052 -4864 5214 0.01942 -4864 5554 0.00351 -4864 5607 0.01782 -4864 5736 0.01965 -4864 6437 0.01207 -4864 7473 0.01674 -4864 8019 0.01434 -4864 8246 0.01025 -4864 8610 0.01489 -4864 9910 0.00616 -4863 5612 0.00741 -4863 6065 0.01649 -4863 7121 0.01150 -4863 8004 0.01855 -4863 8921 0.01814 -4863 9440 0.01886 -4862 5356 0.01582 -4862 5781 0.01377 -4862 6238 0.01573 -4862 7475 0.00499 -4862 7613 0.01752 -4862 7740 0.01445 -4862 7969 0.01714 -4861 8966 0.01560 -4860 4925 0.01868 -4860 5549 0.01927 -4860 5591 0.01890 -4860 7067 0.01800 -4860 7648 0.01386 -4860 8159 0.00776 -4860 8191 0.01515 -4860 8477 0.01402 -4860 9123 0.00875 -4859 5409 0.01509 -4859 6427 0.01412 -4859 7814 0.01905 -4859 8990 0.01113 -4859 9264 0.01881 -4858 5184 0.01695 -4858 5774 0.01963 -4858 5863 0.01750 -4858 6221 0.01198 -4858 9923 0.01117 -4857 7541 0.01683 -4856 6213 0.00362 -4856 7090 0.01760 -4856 7661 0.01566 -4856 8161 0.01915 -4856 8437 0.01960 -4856 8571 0.01467 -4855 4938 0.01340 -4855 6046 0.01706 -4855 6395 0.01154 -4855 6399 0.01578 -4855 6673 0.01558 -4855 7756 0.01720 -4855 7802 0.01393 -4855 7920 0.01363 -4855 9493 0.00568 -4855 9553 0.01691 -4854 5077 0.01944 -4854 5849 0.01305 -4854 6598 0.01992 -4854 7232 0.01795 -4854 8733 0.01771 -4854 9825 0.01085 -4853 5229 0.01355 -4853 5435 0.01744 -4853 6283 0.01334 -4853 8097 0.01524 -4853 9340 0.01217 -4853 9765 0.01289 -4852 6477 0.01896 -4852 7555 0.01658 -4852 9241 0.01970 -4851 5675 0.01598 -4851 6241 0.01820 -4851 6691 0.00890 -4851 7055 0.01762 -4851 8160 0.00753 -4851 9233 0.01007 -4851 9598 0.01592 -4850 4995 0.00734 -4850 5141 0.00730 -4850 6096 0.01203 -4850 6569 0.01580 -4850 6715 0.00720 -4850 7347 0.01317 -4850 7638 0.00736 -4850 7776 0.01678 -4850 9131 0.00758 -4849 5512 0.01927 -4849 5570 0.01749 -4849 7075 0.01929 -4849 7087 0.00972 -4849 8071 0.01627 -4849 8105 0.01988 -4849 9509 0.00501 -4848 4858 0.00715 -4848 6221 0.01276 -4848 9923 0.01779 -4847 5126 0.00852 -4847 9571 0.01492 -4847 9779 0.00782 -4846 6082 0.01388 -4846 6500 0.00651 -4846 6604 0.01214 -4846 6636 0.01506 -4846 7579 0.00458 -4846 7633 0.01311 -4846 8292 0.01095 -4846 8638 0.01574 -4845 4903 0.00985 -4845 6300 0.01891 -4845 7933 0.01157 -4845 8099 0.01516 -4845 8254 0.01472 -4845 8692 0.01329 -4845 9200 0.01490 -4845 9719 0.01992 -4844 6723 0.01285 -4844 7111 0.01661 -4844 7765 0.00673 -4844 7860 0.01988 -4844 8332 0.01880 -4844 8882 0.01261 -4843 5623 0.00989 -4843 5733 0.01858 -4843 7451 0.01114 -4843 8171 0.01214 -4843 8433 0.01259 -4843 9004 0.00574 -4843 9102 0.01638 -4843 9467 0.01036 -4843 9823 0.01381 -4842 6175 0.01918 -4842 6599 0.01751 -4842 6649 0.01897 -4842 6905 0.00854 -4842 7457 0.01349 -4842 7982 0.01699 -4842 8223 0.00454 -4842 8483 0.01273 -4842 9320 0.00301 -4841 5553 0.00382 -4841 6423 0.01906 -4841 8458 0.00842 -4841 9409 0.01371 -4841 9419 0.00816 -4840 5670 0.01563 -4840 7356 0.01363 -4840 7388 0.00937 -4839 6487 0.01785 -4839 7060 0.01478 -4839 7242 0.01093 -4839 7497 0.01938 -4839 8339 0.01655 -4839 8428 0.00172 -4839 9184 0.01672 -4838 5363 0.00971 -4838 5421 0.01308 -4838 6784 0.01458 -4838 7649 0.00333 -4838 8014 0.01354 -4838 8018 0.01213 -4838 8753 0.01711 -4837 5805 0.00152 -4837 6475 0.01451 -4837 8212 0.01723 -4837 9009 0.00387 -4837 9066 0.00826 -4837 9532 0.01893 -4836 6062 0.01547 -4836 6778 0.01558 -4836 7205 0.00293 -4836 7444 0.01709 -4836 8181 0.01573 -4836 8578 0.01038 -4836 8776 0.01851 -4836 9481 0.01702 -4835 5987 0.01869 -4835 6879 0.01878 -4834 6169 0.01702 -4834 7259 0.01190 -4834 7514 0.01088 -4834 7770 0.01708 -4834 9913 0.01324 -4833 4871 0.00555 -4833 5371 0.01218 -4833 6642 0.01015 -4833 7030 0.01862 -4833 8933 0.01687 -4833 9399 0.00897 -4833 9778 0.01803 -4832 5879 0.01814 -4832 6087 0.00723 -4832 7511 0.00981 -4832 7769 0.00207 -4832 8980 0.01005 -4832 9338 0.01892 -4832 9999 0.01646 -4831 5034 0.01855 -4831 6116 0.01446 -4831 6129 0.01333 -4831 6402 0.00788 -4831 6443 0.01971 -4831 6473 0.01674 -4831 7528 0.01371 -4831 8177 0.01225 -4831 8197 0.01859 -4831 9733 0.01013 -4830 5544 0.00208 -4830 5790 0.01893 -4830 6289 0.01963 -4830 8350 0.01564 -4830 9119 0.01838 -4829 6590 0.01173 -4829 6949 0.01437 -4829 8647 0.01533 -4828 5003 0.01360 -4828 5699 0.00951 -4828 7465 0.01876 -4828 8231 0.02000 -4828 9578 0.00477 -4828 9757 0.01295 -4827 5289 0.01381 -4827 5767 0.00587 -4827 6143 0.01180 -4827 6959 0.01093 -4827 8589 0.00608 -4827 8628 0.01677 -4827 9781 0.01661 -4826 5358 0.01876 -4826 6277 0.01790 -4826 6775 0.00642 -4826 6843 0.01527 -4826 7320 0.01548 -4826 7482 0.00595 -4826 8521 0.00842 -4826 8606 0.01551 -4826 8782 0.01216 -4825 5367 0.01452 -4825 5578 0.01058 -4825 5926 0.01515 -4825 7563 0.00933 -4825 8910 0.01208 -4824 5371 0.01615 -4824 6335 0.01940 -4824 6642 0.01662 -4824 7813 0.00449 -4824 8087 0.00614 -4824 8648 0.01117 -4824 8933 0.01911 -4824 9399 0.01957 -4823 5249 0.00631 -4823 5916 0.01382 -4823 6539 0.01559 -4823 6790 0.01821 -4823 7195 0.01863 -4823 7910 0.01591 -4823 8149 0.01892 -4823 8335 0.01216 -4823 8522 0.01328 -4823 8660 0.00741 -4823 9398 0.01573 -4823 9485 0.00988 -4823 9498 0.01873 -4822 5008 0.01328 -4822 5234 0.01680 -4822 5300 0.01620 -4822 5404 0.01798 -4822 7224 0.01950 -4822 7369 0.01920 -4822 7462 0.01302 -4822 7801 0.01997 -4822 8714 0.01811 -4822 9210 0.01875 -4821 5036 0.01968 -4821 5618 0.01375 -4821 6950 0.01484 -4821 7184 0.00757 -4821 7605 0.01225 -4821 8814 0.01480 -4821 8846 0.01408 -4821 9098 0.01701 -4821 9208 0.01206 -4821 9592 0.01929 -4821 9775 0.01970 -4820 4876 0.01087 -4820 6089 0.01642 -4820 7828 0.01828 -4820 8739 0.00462 -4819 5100 0.01907 -4819 6412 0.00956 -4819 6659 0.01203 -4819 7597 0.01732 -4819 8070 0.01821 -4819 8605 0.01258 -4819 9735 0.00269 -4818 4882 0.00747 -4818 4908 0.01850 -4818 5232 0.01976 -4818 5400 0.01152 -4818 6794 0.01691 -4818 7241 0.00987 -4818 7631 0.01893 -4818 8939 0.00831 -4818 9055 0.00327 -4818 9234 0.01319 -4818 9437 0.01947 -4818 9748 0.01381 -4817 5162 0.01722 -4817 5463 0.01960 -4817 6545 0.01138 -4817 8430 0.00834 -4817 9364 0.01723 -4816 5819 0.00724 -4816 5970 0.00657 -4816 6065 0.01730 -4816 9440 0.00689 -4815 5031 0.01736 -4815 6508 0.01992 -4815 8265 0.01666 -4814 5178 0.01917 -4814 5480 0.01447 -4814 6133 0.01730 -4814 6647 0.01564 -4814 8120 0.00923 -4814 9506 0.01925 -4814 9711 0.00523 -4813 5005 0.01677 -4813 5013 0.01409 -4813 6198 0.00455 -4813 8331 0.00773 -4813 8725 0.01492 -4813 9046 0.01502 -4813 9544 0.00791 -4813 9683 0.01456 -4812 6407 0.01255 -4812 6648 0.00591 -4812 6697 0.00875 -4812 7287 0.01614 -4812 8743 0.01143 -4812 8944 0.01551 -4812 8978 0.00553 -4811 7432 0.01152 -4811 8486 0.01186 -4811 8874 0.01797 -4811 9087 0.01788 -4810 5399 0.00991 -4810 5587 0.00731 -4810 6554 0.01906 -4809 5483 0.01312 -4809 5626 0.01160 -4809 5652 0.01223 -4809 5724 0.01963 -4809 6537 0.01943 -4809 6959 0.01707 -4809 8404 0.01987 -4809 8420 0.00665 -4809 8589 0.01495 -4809 8752 0.01463 -4809 9675 0.01638 -4809 9875 0.00908 -4808 5672 0.01380 -4808 6758 0.01523 -4808 8611 0.00837 -4807 8344 0.01675 -4806 6002 0.00724 -4806 6067 0.00770 -4806 6456 0.01708 -4806 8035 0.01935 -4806 8666 0.00767 -4806 8935 0.01213 -4805 4859 0.00843 -4805 5409 0.00817 -4805 6427 0.01993 -4805 6991 0.01402 -4805 7814 0.01247 -4805 8576 0.01886 -4805 8990 0.01948 -4805 9264 0.01933 -4804 5036 0.01293 -4804 5499 0.01129 -4804 5565 0.00677 -4804 5952 0.01514 -4804 6622 0.01888 -4804 6693 0.01734 -4804 7096 0.00626 -4804 7630 0.00507 -4804 8338 0.01399 -4804 8814 0.01723 -4803 6150 0.00627 -4803 8025 0.01159 -4803 8128 0.01937 -4803 8919 0.00538 -4803 9576 0.01182 -4802 5981 0.01101 -4802 7181 0.01627 -4802 9985 0.01919 -4801 5189 0.01899 -4801 5271 0.00264 -4801 5304 0.00750 -4801 6745 0.01898 -4801 6807 0.01776 -4801 7211 0.01226 -4801 8695 0.01854 -4801 9975 0.00842 -4800 5303 0.01958 -4800 7333 0.00368 -4800 7406 0.01243 -4800 7835 0.01556 -4800 8821 0.01822 -4799 5964 0.01322 -4799 6773 0.01327 -4799 7088 0.01361 -4798 7399 0.01146 -4798 9060 0.01718 -4798 9063 0.01752 -4798 9393 0.01939 -4797 5763 0.01743 -4797 6162 0.01568 -4797 7416 0.01766 -4797 9060 0.01521 -4797 9393 0.01506 -4797 9736 0.01631 -4796 5622 0.01906 -4796 6097 0.00508 -4796 6424 0.00580 -4796 8553 0.01368 -4796 9056 0.01273 -4796 9394 0.01716 -4796 9663 0.01372 -4795 5420 0.01484 -4795 5561 0.01208 -4795 5609 0.00967 -4795 6343 0.01417 -4795 6868 0.00876 -4795 8074 0.01522 -4795 8543 0.00377 -4795 9201 0.01682 -4795 9284 0.01564 -4794 7453 0.01537 -4794 9326 0.01521 -4793 5113 0.00757 -4793 6032 0.01403 -4793 6066 0.00545 -4793 8956 0.01213 -4793 8994 0.01089 -4793 9221 0.01448 -4793 9614 0.01364 -4792 5347 0.00162 -4792 6912 0.00606 -4791 6425 0.00885 -4791 6628 0.01612 -4791 7704 0.00985 -4791 8316 0.00570 -4791 8581 0.01326 -4791 9011 0.01265 -4791 9624 0.01983 -4791 9921 0.01953 -4790 5284 0.00128 -4790 6339 0.01277 -4790 7233 0.01984 -4790 9430 0.01516 -4790 9886 0.00486 -4790 9891 0.01550 -4789 5352 0.01597 -4789 8818 0.01661 -4789 9388 0.00992 -4789 9785 0.01824 -4788 4842 0.01851 -4788 6436 0.00646 -4788 6599 0.01255 -4788 7457 0.01746 -4788 7599 0.01295 -4788 7982 0.00157 -4788 8632 0.01436 -4788 8923 0.00629 -4788 9320 0.01741 -4788 9530 0.00634 -4787 4928 0.01344 -4787 6151 0.01718 -4787 6236 0.01280 -4787 6571 0.01678 -4787 7074 0.01192 -4787 7124 0.01927 -4787 7876 0.00717 -4787 8214 0.00277 -4787 8585 0.01116 -4787 8997 0.00953 -4787 9621 0.00729 -4787 9643 0.00576 -4787 9949 0.01069 -4786 5118 0.01857 -4786 5642 0.01414 -4786 6620 0.01747 -4786 8834 0.01936 -4786 9129 0.01684 -4785 6454 0.01763 -4785 7069 0.01497 -4785 7321 0.01107 -4784 4859 0.01767 -4784 5893 0.01928 -4784 6410 0.01389 -4784 6550 0.01710 -4784 7372 0.01464 -4784 7464 0.00975 -4784 7556 0.01574 -4784 8990 0.01313 -4784 9906 0.01015 -4783 5449 0.00500 -4783 5467 0.01031 -4783 7772 0.01758 -4782 5440 0.00656 -4782 6613 0.01259 -4782 6765 0.01921 -4782 7050 0.01277 -4782 7220 0.00917 -4782 9257 0.01721 -4781 5221 0.01955 -4781 5752 0.01705 -4781 7165 0.01129 -4781 7202 0.01949 -4781 8130 0.01639 -4781 9077 0.01555 -4781 9198 0.01931 -4781 9890 0.00715 -4780 4794 0.01079 -4780 9326 0.00832 -4779 5950 0.01872 -4779 5959 0.01870 -4779 6657 0.00234 -4779 8575 0.00485 -4779 9562 0.01919 -4779 9624 0.01428 -4779 9844 0.01913 -4778 6668 0.00152 -4778 8144 0.01303 -4778 9209 0.01312 -4778 9382 0.01393 -4778 9892 0.01575 -4777 5143 0.00885 -4777 5976 0.01639 -4777 6085 0.01342 -4777 6906 0.01130 -4777 7194 0.00571 -4777 8509 0.01399 -4777 9172 0.00438 -4777 9510 0.01605 -4776 4831 0.00428 -4776 6116 0.01329 -4776 6129 0.01058 -4776 6402 0.00992 -4776 6443 0.01886 -4776 6473 0.01264 -4776 7528 0.01402 -4776 8177 0.01610 -4776 9733 0.01401 -4775 5211 0.00953 -4775 5225 0.01195 -4775 6158 0.01685 -4775 6209 0.00286 -4775 7395 0.01185 -4775 7654 0.01188 -4775 9161 0.01865 -4775 9441 0.01456 -4775 9537 0.00759 -4774 5839 0.01209 -4774 6159 0.00502 -4774 7534 0.01017 -4774 8011 0.01020 -4773 6528 0.01513 -4773 7134 0.01659 -4773 8194 0.01998 -4773 8608 0.00924 -4773 9303 0.01806 -4772 4814 0.01288 -4772 4920 0.01874 -4772 5373 0.01353 -4772 6133 0.01221 -4772 7996 0.01854 -4772 9506 0.00966 -4772 9711 0.01346 -4771 4950 0.01177 -4771 6173 0.00295 -4771 6381 0.01364 -4771 6806 0.01719 -4771 7637 0.01096 -4771 8696 0.01904 -4771 8857 0.01212 -4771 8883 0.00903 -4771 9162 0.01529 -4770 5221 0.01280 -4770 6529 0.01759 -4770 8869 0.01348 -4769 5667 0.01541 -4769 5692 0.01163 -4769 6239 0.01556 -4769 6875 0.01601 -4769 7509 0.01942 -4769 8226 0.01962 -4769 8927 0.00963 -4768 4875 0.01825 -4768 5087 0.01147 -4768 5154 0.01148 -4768 6346 0.01315 -4768 7557 0.01210 -4768 7848 0.01397 -4768 8694 0.01909 -4768 9899 0.01198 -4767 4878 0.00862 -4767 4985 0.01718 -4767 5063 0.01383 -4767 5237 0.01849 -4767 6577 0.00901 -4767 8340 0.01549 -4767 9089 0.01836 -4767 9179 0.00501 -4766 4837 0.01466 -4766 4942 0.01394 -4766 5088 0.01760 -4766 5805 0.01327 -4766 8212 0.00974 -4766 8719 0.01088 -4766 8810 0.01616 -4766 8991 0.01843 -4766 9009 0.01822 -4766 9752 0.01957 -4765 4941 0.00825 -4765 6422 0.00986 -4765 7717 0.01872 -4765 8441 0.00499 -4765 8746 0.00963 -4765 9789 0.01401 -4764 6177 0.01169 -4764 6227 0.01097 -4764 6242 0.00160 -4764 6618 0.01539 -4764 7921 0.01362 -4764 8151 0.01831 -4764 8602 0.00951 -4763 5012 0.01546 -4763 7335 0.00989 -4763 7595 0.01739 -4763 8367 0.01692 -4763 9722 0.01644 -4762 5669 0.00801 -4762 5684 0.01771 -4762 5765 0.01295 -4762 6452 0.01692 -4762 7199 0.01209 -4762 7723 0.01516 -4762 7800 0.00920 -4762 9982 0.01449 -4761 4957 0.01169 -4761 5442 0.00441 -4761 6033 0.01373 -4761 6488 0.00737 -4761 6770 0.00947 -4761 7576 0.01825 -4761 8653 0.01392 -4761 8699 0.01353 -4761 9088 0.01550 -4761 9508 0.01666 -4760 5014 0.00204 -4760 5822 0.01069 -4760 6076 0.01088 -4760 8164 0.01706 -4760 8247 0.00758 -4760 8977 0.00765 -4760 9363 0.01767 -4759 4806 0.01688 -4759 7083 0.01044 -4759 7559 0.01774 -4759 8035 0.01287 -4759 8599 0.00901 -4759 8666 0.01812 -4759 8935 0.00559 -4758 5249 0.01525 -4758 6361 0.01455 -4758 6539 0.00585 -4758 6662 0.01594 -4758 7910 0.01548 -4758 8335 0.01143 -4758 8479 0.01566 -4758 8522 0.00868 -4758 9398 0.00867 -4758 9893 0.01381 -4757 4945 0.01585 -4757 5172 0.01990 -4757 5466 0.01625 -4756 4977 0.01471 -4756 5298 0.01342 -4756 5722 0.00902 -4756 6819 0.01485 -4756 6832 0.01726 -4756 6858 0.01806 -4756 8534 0.01159 -4755 5173 0.01770 -4755 5577 0.01770 -4755 6349 0.01650 -4755 7846 0.01720 -4755 8417 0.01016 -4755 9141 0.01925 -4754 6797 0.01636 -4754 7133 0.00415 -4754 8302 0.00830 -4754 9450 0.01883 -4753 4792 0.01889 -4753 5347 0.01993 -4753 5729 0.00997 -4753 8931 0.01481 -4753 8974 0.01025 -4753 9027 0.01472 -4752 6832 0.01597 -4752 8410 0.01860 -4752 8534 0.01335 -4751 5473 0.01781 -4751 5759 0.00587 -4751 5881 0.01838 -4751 6688 0.01584 -4751 6764 0.01845 -4751 7059 0.01718 -4751 7589 0.01893 -4751 8174 0.00712 -4751 8364 0.01125 -4751 8734 0.01885 -4751 8788 0.01163 -4751 9067 0.01756 -4751 9527 0.01323 -4751 9963 0.01514 -4750 5157 0.00471 -4750 6318 0.01135 -4750 7270 0.01233 -4750 9244 0.01201 -4750 9376 0.01679 -4750 9464 0.01981 -4749 5788 0.00343 -4749 6965 0.01961 -4749 7342 0.01384 -4749 7938 0.01163 -4749 7989 0.00884 -4749 9153 0.01891 -4749 9347 0.00971 -4749 9758 0.00354 -4749 9772 0.01503 -4748 5229 0.01418 -4748 5435 0.01635 -4748 7923 0.01334 -4748 8556 0.01327 -4748 9113 0.01310 -4748 9713 0.00811 -4747 5032 0.01604 -4747 5381 0.01321 -4747 6029 0.00734 -4747 6191 0.01056 -4747 7778 0.01709 -4746 5486 0.01884 -4746 6925 0.01241 -4746 7445 0.01773 -4746 9168 0.01630 -4745 5762 0.01859 -4745 7045 0.01041 -4745 7381 0.01784 -4745 8156 0.01340 -4745 8222 0.01363 -4745 9312 0.01632 -4745 9411 0.01508 -4745 9970 0.01775 -4744 5074 0.01936 -4744 5496 0.01082 -4744 5956 0.01040 -4744 6252 0.01287 -4744 7449 0.01919 -4744 7780 0.00798 -4744 9177 0.01235 -4744 9932 0.01731 -4743 6111 0.01233 -4743 6886 0.01209 -4743 7965 0.01976 -4743 8587 0.00817 -4743 9407 0.00403 -4742 7517 0.01727 -4742 7853 0.01698 -4742 7943 0.01221 -4742 9386 0.01361 -4742 9496 0.01729 -4742 9705 0.01515 -4742 9964 0.01114 -4741 5858 0.00610 -4741 9589 0.01775 -4740 4839 0.01460 -4740 5217 0.01999 -4740 6866 0.01776 -4740 7060 0.01420 -4740 7106 0.01430 -4740 8339 0.01884 -4740 8428 0.01622 -4740 9184 0.00548 -4739 7587 0.01934 -4739 8535 0.01917 -4739 9567 0.01145 -4739 9756 0.01822 -4739 9916 0.00183 -4738 5107 0.01633 -4738 5224 0.00444 -4738 5658 0.01456 -4738 5671 0.01746 -4738 6660 0.01339 -4738 7572 0.00610 -4737 4745 0.01337 -4737 8156 0.01082 -4737 9970 0.00754 -4736 4790 0.00774 -4736 5284 0.00895 -4736 5684 0.01604 -4736 6339 0.01305 -4736 8337 0.01498 -4736 9408 0.01772 -4736 9886 0.01216 -4736 9891 0.01686 -4736 9982 0.01521 -4735 5797 0.01429 -4735 7530 0.01641 -4735 7588 0.01036 -4735 8189 0.01672 -4735 8532 0.01868 -4734 5845 0.00345 -4734 6149 0.00757 -4734 7355 0.00529 -4734 7714 0.01669 -4734 8500 0.00863 -4733 6516 0.01365 -4733 7766 0.00497 -4733 8049 0.01416 -4733 9502 0.01431 -4732 4757 0.00702 -4732 4945 0.00978 -4732 5466 0.01799 -4731 4781 0.00954 -4731 5221 0.01392 -4731 5752 0.01047 -4731 6337 0.01336 -4731 7165 0.01898 -4731 7949 0.01273 -4731 9077 0.01499 -4731 9890 0.01581 -4730 5784 0.00579 -4730 5971 0.01124 -4730 6834 0.01403 -4730 7585 0.01862 -4730 9301 0.01478 -4730 9681 0.00373 -4729 5627 0.01437 -4729 6107 0.01696 -4729 9230 0.00548 -4729 9340 0.01651 -4729 9457 0.01176 -4728 5238 0.00892 -4728 5653 0.00767 -4728 6655 0.01440 -4728 7054 0.00473 -4728 8177 0.01516 -4728 8197 0.01866 -4728 8232 0.00960 -4728 9733 0.01721 -4727 5654 0.01233 -4727 8840 0.01224 -4727 9822 0.01313 -4726 4937 0.01044 -4726 5915 0.00727 -4726 6272 0.00807 -4725 5258 0.00168 -4725 6563 0.01788 -4725 6609 0.01160 -4725 6848 0.01955 -4725 8918 0.01429 -4725 9339 0.01929 -4724 4836 0.00337 -4724 6062 0.01244 -4724 6778 0.01894 -4724 7205 0.00091 -4724 7444 0.01600 -4724 8181 0.01395 -4724 8578 0.01346 -4724 9481 0.01518 -4723 4834 0.01495 -4723 4944 0.01628 -4723 4981 0.01633 -4723 5203 0.01131 -4723 5605 0.01514 -4723 6694 0.01678 -4723 7259 0.00947 -4723 7514 0.00533 -4723 8722 0.00869 -4723 8766 0.01625 -4723 9289 0.01635 -4723 9913 0.00326 -4722 6083 0.00995 -4722 7830 0.01899 -4722 8471 0.01183 -4722 9081 0.00503 -4722 9287 0.01380 -4722 9417 0.00911 -4722 9740 0.01618 -4721 5009 0.01411 -4721 5458 0.01064 -4721 5714 0.00578 -4721 7498 0.01443 -4721 7741 0.00315 -4721 8464 0.01360 -4721 9258 0.01878 -4721 9334 0.01505 -4720 5142 0.01647 -4720 5599 0.01341 -4720 8947 0.01073 -4720 9299 0.01893 -4719 5192 0.01993 -4719 6142 0.01638 -4719 8315 0.01538 -4719 8379 0.01663 -4719 8411 0.01700 -4719 8800 0.01945 -4719 9616 0.01122 -4719 9702 0.01134 -4718 5148 0.01816 -4718 7569 0.01445 -4718 9653 0.01233 -4718 9776 0.01657 -4717 4962 0.01048 -4717 7375 0.01196 -4717 7424 0.01688 -4717 7865 0.01638 -4717 8358 0.00958 -4717 9219 0.01577 -4716 5048 0.01244 -4716 5907 0.00762 -4716 6104 0.01965 -4716 6662 0.01128 -4716 7195 0.01350 -4716 8149 0.01938 -4716 9398 0.01591 -4716 9761 0.01472 -4715 5341 0.01598 -4715 5780 0.00481 -4715 5948 0.01335 -4715 6140 0.01446 -4715 7332 0.01159 -4715 8560 0.01591 -4715 9243 0.00837 -4715 9760 0.00145 -4715 9791 0.01778 -4714 5068 0.01222 -4714 5319 0.01044 -4714 6219 0.01676 -4714 7240 0.01939 -4714 8207 0.00644 -4714 8827 0.01967 -4714 9145 0.00979 -4713 4722 0.01366 -4713 6083 0.01300 -4713 7830 0.01026 -4713 9081 0.01666 -4712 4767 0.00482 -4712 4878 0.01055 -4712 5063 0.01448 -4712 5237 0.01489 -4712 6577 0.01228 -4712 8340 0.01909 -4712 9179 0.00808 -4711 5321 0.00862 -4711 5434 0.01913 -4711 6680 0.00885 -4711 7696 0.01223 -4711 9122 0.01615 -4710 5185 0.01249 -4710 7103 0.01714 -4710 7987 0.01375 -4710 8623 0.01624 -4710 9870 0.01731 -4709 6904 0.01485 -4708 4711 0.01407 -4708 5321 0.01769 -4708 7279 0.01461 -4708 9122 0.00712 -4708 9507 0.01648 -4707 4921 0.01059 -4707 8271 0.01185 -4707 8763 0.01632 -4707 9225 0.01849 -4707 9907 0.01067 -4706 5362 0.00937 -4706 7483 0.01652 -4706 7890 0.01556 -4706 8383 0.01589 -4706 9657 0.00223 -4706 9917 0.00742 -4705 5720 0.00472 -4705 6005 0.01359 -4705 6860 0.00754 -4705 7127 0.01947 -4705 7700 0.00775 -4705 8067 0.00815 -4705 8305 0.00231 -4705 8562 0.01669 -4705 9120 0.01216 -4704 5163 0.00398 -4704 5418 0.01619 -4704 6132 0.01899 -4704 6243 0.01964 -4704 7027 0.00394 -4704 7614 0.01686 -4704 8219 0.01332 -4704 8887 0.01905 -4704 9298 0.01985 -4704 9473 0.00452 -4704 9819 0.01035 -4703 5746 0.01800 -4703 5876 0.00623 -4703 7888 0.01822 -4703 9602 0.01239 -4702 4711 0.00904 -4702 5321 0.01557 -4702 6680 0.01235 -4702 7304 0.01454 -4702 7465 0.01771 -4702 7696 0.01212 -4702 8436 0.01972 -4701 5929 0.01020 -4701 6247 0.01458 -4701 6431 0.01458 -4701 6531 0.01654 -4701 7391 0.01896 -4701 7973 0.01647 -4701 8217 0.01921 -4701 8518 0.01616 -4701 9026 0.01057 -4701 9634 0.01851 -4700 6009 0.01935 -4700 6799 0.01244 -4700 7570 0.01902 -4700 8515 0.01626 -4700 9519 0.01119 -4700 9767 0.01443 -4699 5644 0.00921 -4699 6056 0.01449 -4699 6119 0.01954 -4699 6342 0.01207 -4699 6546 0.01971 -4699 6896 0.01398 -4699 8176 0.01813 -4698 4931 0.00682 -4698 5753 0.01409 -4698 5963 0.00991 -4698 6258 0.01419 -4698 7692 0.01848 -4698 7905 0.01563 -4698 8284 0.01319 -4698 9631 0.01879 -4697 5026 0.00670 -4697 5743 0.01518 -4697 6290 0.01370 -4697 6705 0.01619 -4697 7135 0.01774 -4697 7222 0.01362 -4697 7587 0.01754 -4697 7677 0.01964 -4697 7731 0.01302 -4697 8117 0.01758 -4697 8317 0.00522 -4697 8566 0.01939 -4697 8833 0.01372 -4697 9567 0.01571 -4697 9756 0.00601 -4696 5838 0.01697 -4696 6389 0.01648 -4696 6612 0.00870 -4696 6761 0.01767 -4696 6846 0.00853 -4696 7345 0.01506 -4696 8200 0.01825 -4696 8387 0.01406 -4696 9350 0.01764 -4696 9836 0.01989 -4695 6612 0.01990 -4695 6846 0.01530 -4695 7393 0.00764 -4695 8754 0.01479 -4695 9341 0.01969 -4695 9836 0.01412 -4694 6528 0.00871 -4694 7134 0.01005 -4694 8048 0.00296 -4694 9303 0.01326 -4693 4872 0.01678 -4693 5326 0.01192 -4693 6101 0.01882 -4693 7994 0.00611 -4693 8170 0.01990 -4693 8720 0.00239 -4693 8954 0.01083 -4693 9254 0.01530 -4693 9832 0.01815 -4692 5307 0.01308 -4692 5808 0.01627 -4692 6078 0.01835 -4692 6415 0.01953 -4692 6520 0.01497 -4692 8179 0.01862 -4692 8774 0.01852 -4692 8901 0.01287 -4692 9302 0.01362 -4691 4875 0.01377 -4691 5087 0.01234 -4691 5154 0.01993 -4691 6211 0.01838 -4691 6641 0.00324 -4691 6726 0.01153 -4691 6930 0.00912 -4691 8286 0.01506 -4691 9488 0.01055 -4690 5841 0.01783 -4690 6110 0.00298 -4690 6252 0.01862 -4690 6831 0.00857 -4690 7909 0.01961 -4690 9090 0.01047 -4689 4858 0.01361 -4689 5184 0.01837 -4689 5398 0.01551 -4689 5774 0.00930 -4689 5863 0.01115 -4689 6060 0.00862 -4689 6221 0.01638 -4689 9385 0.01947 -4689 9458 0.01868 -4689 9923 0.01068 -4688 5745 0.00536 -4688 7417 0.01483 -4688 7789 0.01609 -4688 9165 0.01503 -4688 9369 0.00972 -4687 5230 0.00634 -4687 6532 0.01690 -4687 6608 0.00758 -4687 9013 0.01035 -4686 7178 0.01869 -4686 9047 0.01537 -4686 9365 0.00864 -4686 9599 0.01464 -4685 5035 0.01184 -4685 6546 0.01043 -4685 8708 0.00872 -4685 9587 0.01651 -4685 9690 0.00679 -4684 4698 0.01227 -4684 4931 0.01031 -4684 5963 0.01597 -4684 8211 0.01912 -4684 8284 0.00174 -4684 9631 0.01301 -4683 5004 0.00923 -4683 5503 0.00754 -4683 6759 0.01891 -4683 8886 0.00918 -4683 9561 0.01707 -4683 9869 0.01334 -4682 6711 0.01918 -4682 7627 0.01395 -4682 8136 0.00842 -4682 8141 0.01748 -4682 8231 0.01604 -4682 8718 0.00467 -4682 9292 0.01459 -4682 9554 0.01267 -4681 5396 0.00915 -4681 5704 0.01797 -4681 6089 0.01926 -4681 6278 0.00830 -4681 6597 0.01727 -4681 7889 0.01843 -4681 7900 0.01255 -4681 9988 0.01331 -4680 4869 0.01803 -4680 4989 0.00862 -4680 5317 0.00518 -4680 5961 0.01452 -4680 7115 0.01802 -4680 7759 0.00425 -4680 8346 0.01961 -4680 8894 0.01017 -4679 4731 0.01230 -4679 5221 0.01475 -4679 5752 0.01210 -4679 6337 0.00106 -4679 7949 0.00189 -4679 8869 0.01813 -4678 5269 0.01627 -4678 5333 0.01697 -4678 6509 0.01740 -4678 8321 0.01448 -4678 9884 0.01661 -4677 4691 0.01680 -4677 5087 0.01915 -4677 5154 0.01175 -4677 6211 0.01982 -4677 6641 0.01937 -4677 6726 0.00819 -4677 6930 0.00889 -4677 9164 0.01928 -4677 9488 0.00626 -4677 9899 0.01645 -4676 4981 0.01868 -4676 5140 0.01119 -4676 5605 0.01055 -4676 6694 0.01420 -4676 7110 0.01874 -4676 8015 0.01012 -4676 8033 0.00412 -4676 8080 0.01659 -4676 8722 0.01610 -4676 9406 0.00498 -4676 9790 0.00400 -4675 6409 0.01253 -4675 7895 0.01541 -4675 8914 0.00981 -4675 9209 0.01177 -4675 9424 0.01746 -4674 5913 0.01229 -4674 6218 0.01935 -4674 8057 0.00328 -4674 8663 0.01502 -4674 8808 0.01203 -4674 9097 0.01905 -4673 5356 0.01818 -4673 7587 0.01381 -4673 8566 0.01279 -4673 8729 0.01544 -4673 9567 0.01803 -4673 9721 0.00878 -4672 4832 0.01797 -4672 5072 0.01990 -4672 5402 0.01550 -4672 6464 0.01915 -4672 7348 0.01470 -4672 7515 0.01996 -4672 7769 0.01936 -4672 7892 0.01913 -4672 8203 0.01544 -4672 8980 0.01332 -4672 9338 0.00322 -4672 9943 0.01942 -4672 9999 0.00151 -4671 4929 0.01147 -4671 6859 0.01074 -4671 7582 0.01821 -4671 7979 0.01235 -4671 8711 0.01421 -4671 9432 0.00724 -4670 4896 0.01293 -4670 5490 0.01678 -4670 6812 0.00644 -4670 7177 0.01878 -4670 8830 0.01078 -4669 5062 0.01163 -4669 5663 0.01877 -4669 6936 0.01556 -4669 7478 0.01852 -4669 8193 0.01447 -4669 8854 0.01846 -4669 9522 0.01436 -4668 5852 0.00600 -4668 7116 0.01514 -4668 7169 0.01839 -4668 7469 0.01855 -4668 8942 0.01391 -4667 5397 0.01791 -4667 5457 0.01440 -4667 8930 0.01300 -4666 6371 0.00470 -4666 6861 0.00578 -4666 8440 0.01717 -4665 4712 0.01813 -4665 5259 0.00892 -4665 6482 0.00972 -4665 8268 0.01916 -4665 9979 0.00892 -4664 6032 0.01688 -4664 6147 0.01226 -4664 6515 0.01519 -4664 7328 0.01191 -4664 7486 0.01032 -4664 7768 0.01806 -4664 7934 0.01716 -4664 8897 0.01611 -4664 8961 0.01364 -4664 9478 0.01720 -4664 9839 0.01770 -4663 8319 0.01154 -4663 9030 0.00799 -4662 7150 0.00796 -4662 7234 0.01236 -4662 8094 0.01925 -4662 8874 0.00911 -4662 9606 0.01530 -4661 4986 0.00970 -4661 6977 0.01055 -4661 8128 0.00126 -4661 9576 0.00879 -4660 7352 0.01812 -4660 7945 0.00973 -4660 7976 0.01992 -4660 9895 0.01728 -4660 9936 0.01877 -4659 6567 0.00757 -4659 8016 0.01512 -4659 8407 0.01508 -4659 8574 0.00460 -4658 5550 0.00606 -4658 5628 0.01823 -4658 7360 0.01643 -4658 7402 0.01795 -4658 8764 0.01235 -4657 5338 0.01523 -4657 5447 0.01555 -4657 5756 0.01222 -4657 6894 0.00205 -4657 8065 0.00164 -4657 8843 0.00734 -4657 9872 0.01357 -4656 5818 0.01187 -4656 6167 0.01656 -4656 7221 0.01597 -4656 8376 0.01218 -4656 8480 0.01655 -4656 8588 0.01852 -4656 9231 0.01761 -4656 9709 0.01699 -4656 9909 0.01954 -4655 6824 0.01173 -4655 7387 0.01813 -4655 8979 0.00888 -4655 9257 0.01381 -4654 4803 0.01598 -4654 8025 0.01678 -4654 8128 0.01912 -4654 8304 0.01765 -4654 8919 0.01804 -4654 9576 0.01450 -4653 5738 0.00569 -4653 6615 0.00799 -4653 6720 0.01881 -4653 8677 0.01727 -4653 9566 0.01778 -4652 4734 0.01986 -4652 5576 0.00729 -4652 6149 0.01461 -4652 6962 0.01153 -4652 7518 0.01742 -4652 7714 0.00798 -4652 8548 0.01626 -4651 5311 0.01313 -4651 5410 0.00145 -4651 5869 0.01337 -4651 6178 0.00827 -4651 7373 0.01863 -4651 8084 0.01280 -4651 8434 0.01801 -4651 8481 0.01736 -4650 4653 0.01606 -4650 5738 0.01048 -4650 6615 0.01575 -4650 7281 0.01699 -4650 8109 0.01741 -4649 5674 0.00913 -4649 5682 0.01579 -4649 7951 0.00939 -4649 9362 0.01972 -4649 9898 0.00732 -4649 9991 0.01973 -4649 9997 0.01170 -4648 6249 0.01838 -4648 9472 0.01554 -4647 5299 0.00760 -4647 7922 0.01559 -4647 8250 0.01401 -4647 8959 0.00431 -4647 8993 0.00611 -4647 9052 0.01118 -4647 9655 0.01340 -4646 5133 0.00863 -4646 5422 0.01434 -4646 6170 0.00867 -4646 6232 0.01517 -4646 7035 0.00570 -4646 8036 0.01973 -4646 9076 0.01519 -4645 4662 0.01744 -4645 6670 0.01779 -4645 6938 0.01735 -4645 7150 0.00964 -4645 7671 0.01776 -4645 7957 0.01146 -4645 8874 0.01302 -4645 9499 0.01259 -4645 9889 0.01753 -4644 5510 0.01711 -4644 6903 0.00961 -4644 7319 0.01780 -4644 7439 0.00109 -4644 7941 0.01701 -4644 9523 0.00481 -4644 9613 0.00259 -4643 6244 0.01853 -4643 6606 0.00725 -4643 6901 0.01536 -4643 7899 0.01209 -4643 9412 0.01538 -4643 9629 0.01731 -4642 4856 0.00887 -4642 6213 0.01248 -4642 7090 0.01838 -4642 7661 0.00697 -4642 8161 0.01998 -4642 8437 0.01080 -4641 5342 0.01886 -4641 5548 0.01433 -4641 5650 0.01671 -4641 6042 0.01608 -4641 6535 0.00428 -4641 6672 0.01336 -4641 7037 0.00835 -4641 9483 0.00677 -4640 5361 0.01557 -4640 5363 0.01281 -4640 6784 0.01301 -4640 7699 0.01537 -4640 7767 0.01969 -4640 8018 0.01771 -4640 8753 0.01917 -4640 9124 0.00963 -4639 4801 0.01395 -4639 5271 0.01396 -4639 5304 0.01827 -4639 5727 0.01885 -4639 6190 0.01380 -4639 6745 0.00841 -4639 7211 0.00877 -4639 8590 0.01591 -4639 8731 0.01464 -4639 9975 0.00932 -4638 7257 0.00794 -4638 7285 0.01756 -4638 7459 0.01087 -4638 7873 0.00536 -4638 8811 0.01677 -4638 9778 0.01237 -4637 4907 0.00726 -4637 5771 0.01796 -4637 6333 0.01002 -4637 8240 0.00377 -4637 8282 0.00937 -4637 8873 0.01781 -4637 9504 0.00631 -4637 9967 0.00718 -4636 5482 0.01069 -4636 7499 0.01335 -4636 8360 0.01607 -4636 9834 0.01626 -4636 9989 0.01626 -4635 6747 0.01031 -4635 6816 0.01479 -4635 6821 0.00919 -4635 8098 0.01610 -4635 9947 0.01352 -4634 5109 0.01451 -4634 5746 0.01947 -4634 7552 0.00323 -4634 8487 0.01836 -4634 8526 0.01464 -4634 9602 0.01720 -4633 7066 0.00344 -4633 7424 0.01386 -4633 8280 0.01653 -4633 9539 0.01363 -4632 6114 0.01979 -4632 6210 0.01101 -4632 6362 0.01634 -4632 6446 0.01108 -4632 7073 0.00892 -4632 7143 0.00996 -4632 7682 0.01724 -4632 9128 0.00654 -4632 9925 0.00587 -4631 4848 0.01795 -4631 4858 0.01504 -4631 5184 0.00752 -4631 9410 0.00934 -4631 9718 0.01142 -4631 9923 0.01151 -4630 4920 0.01758 -4630 5517 0.01672 -4630 6090 0.00604 -4630 6311 0.01905 -4630 7018 0.01687 -4630 8533 0.01603 -4629 4762 0.00601 -4629 5669 0.01403 -4629 5684 0.01308 -4629 5765 0.00710 -4629 7199 0.01150 -4629 7723 0.01543 -4629 7800 0.01230 -4629 7854 0.01912 -4629 8337 0.01879 -4629 9982 0.01257 -4628 4829 0.01735 -4628 5492 0.01118 -4628 6590 0.01354 -4628 7966 0.01127 -4628 8143 0.00453 -4628 8647 0.00991 -4628 9623 0.01417 -4627 5212 0.00806 -4627 6331 0.01371 -4627 6358 0.01919 -4626 4677 0.01319 -4626 4691 0.00465 -4626 4875 0.01801 -4626 5087 0.01487 -4626 5154 0.01883 -4626 6211 0.01480 -4626 6641 0.00787 -4626 6726 0.00695 -4626 6930 0.00471 -4626 8286 0.01597 -4626 9488 0.00704 -4625 5535 0.00727 -4625 6200 0.00532 -4625 6474 0.00377 -4625 6497 0.01862 -4625 7433 0.00983 -4625 8787 0.01138 -4625 9189 0.00646 -4625 9345 0.01468 -4625 9396 0.01483 -4625 9568 0.00776 -4624 4729 0.01836 -4624 4853 0.00812 -4624 5229 0.01461 -4624 5435 0.01578 -4624 6283 0.01134 -4624 8097 0.01417 -4624 9230 0.01645 -4624 9340 0.00475 -4624 9765 0.01005 -4623 4750 0.00105 -4623 5157 0.00459 -4623 6318 0.01033 -4623 7270 0.01131 -4623 9244 0.01305 -4623 9376 0.01774 -4622 5825 0.01952 -4622 6633 0.01241 -4622 6751 0.01943 -4622 7366 0.01192 -4622 8056 0.01543 -4621 5263 0.01148 -4621 5343 0.00635 -4621 5382 0.01468 -4621 6738 0.00855 -4621 7151 0.01531 -4620 6844 0.00291 -4620 7743 0.01406 -4620 8334 0.01403 -4620 9038 0.01754 -4620 9536 0.01965 -4619 5145 0.00906 -4619 6559 0.01348 -4619 7200 0.01292 -4619 7445 0.01467 -4619 8164 0.01696 -4619 9168 0.01271 -4619 9686 0.00190 -4618 6476 0.00595 -4618 7753 0.01458 -4618 7970 0.00447 -4618 7972 0.01986 -4618 8051 0.01864 -4618 9572 0.01849 -4617 4706 0.01972 -4617 4998 0.01150 -4617 5355 0.01404 -4617 5362 0.01671 -4617 5639 0.01646 -4617 8936 0.01236 -4617 9652 0.01306 -4617 9657 0.01754 -4616 5134 0.00291 -4616 5191 0.00559 -4616 5225 0.01748 -4616 5532 0.01737 -4616 5593 0.01019 -4616 6158 0.01332 -4616 7323 0.00499 -4616 7395 0.01624 -4616 7654 0.01463 -4616 8756 0.01724 -4616 8856 0.01845 -4616 9441 0.01384 -4616 9461 0.01706 -4615 4687 0.01851 -4615 4799 0.01813 -4615 5964 0.01045 -4615 6532 0.00869 -4615 6608 0.01186 -4615 7088 0.01863 -4615 9013 0.01149 -4614 5176 0.01280 -4614 5735 0.01801 -4614 6268 0.00609 -4614 6805 0.01939 -4614 6899 0.00369 -4614 7136 0.01229 -4614 7170 0.01958 -4614 7652 0.01507 -4614 8055 0.01007 -4614 8063 0.01629 -4614 8327 0.00670 -4613 5592 0.00944 -4613 5820 0.01029 -4613 6326 0.01431 -4613 8003 0.01375 -4613 8802 0.01264 -4613 8975 0.01909 -4612 4926 0.00703 -4612 7007 0.01232 -4612 8512 0.01253 -4612 8988 0.01833 -4612 9538 0.01629 -4612 9973 0.01284 -4611 5090 0.01776 -4611 7806 0.00860 -4611 8141 0.00785 -4611 8291 0.00573 -4611 8442 0.01215 -4611 9292 0.01436 -4611 9696 0.01376 -4610 5115 0.01782 -4610 5292 0.01318 -4610 5463 0.01608 -4610 6964 0.00553 -4610 7112 0.00800 -4610 7477 0.00195 -4610 7672 0.01545 -4610 7821 0.01368 -4610 9611 0.01742 -4609 4963 0.01795 -4609 5058 0.00565 -4609 6168 0.01580 -4609 6510 0.01621 -4609 7596 0.01516 -4609 7763 0.01407 -4609 8208 0.00680 -4609 9022 0.01402 -4609 9391 0.01963 -4609 9528 0.01276 -4608 4610 0.00836 -4608 5115 0.01966 -4608 5292 0.00724 -4608 5463 0.01307 -4608 6964 0.01103 -4608 7112 0.01454 -4608 7477 0.00795 -4608 7672 0.01461 -4608 7821 0.00599 -4608 9969 0.01722 -4607 5404 0.01305 -4607 5610 0.01155 -4607 6386 0.01134 -4607 6426 0.01985 -4607 9210 0.01465 -4607 9622 0.01075 -4606 5810 0.00992 -4606 5934 0.01984 -4606 6038 0.01123 -4606 6306 0.01470 -4606 6463 0.01556 -4606 7539 0.01332 -4605 4996 0.00732 -4605 6179 0.01169 -4605 6638 0.01813 -4605 6852 0.01995 -4605 7214 0.01476 -4605 7438 0.00930 -4605 8140 0.00376 -4605 9676 0.01913 -4604 4727 0.00695 -4604 5654 0.01316 -4604 5690 0.01308 -4604 6551 0.01694 -4604 8840 0.01696 -4604 9822 0.00620 -4603 5457 0.00935 -4603 7961 0.01659 -4603 8930 0.01051 -4602 6017 0.01696 -4602 7185 0.01832 -4602 7927 0.01293 -4602 8541 0.01196 -4602 8547 0.01378 -4602 8770 0.01333 -4602 8951 0.01835 -4602 9867 0.00913 -4601 5844 0.01679 -4601 7859 0.01228 -4601 7909 0.00981 -4601 8382 0.01634 -4601 8664 0.00631 -4601 9714 0.01199 -4600 5604 0.01103 -4600 8568 0.01266 -4600 8662 0.01232 -4600 9071 0.00949 -4600 9143 0.01250 -4600 9422 0.01648 -4599 5696 0.00615 -4599 5729 0.01988 -4599 6540 0.01822 -4599 6826 0.00888 -4599 7842 0.00855 -4599 8152 0.00259 -4599 8395 0.01802 -4599 8507 0.01740 -4599 8817 0.01687 -4598 7311 0.01859 -4598 8146 0.00695 -4597 5476 0.01635 -4597 5954 0.00920 -4597 9429 0.01734 -4597 9564 0.01513 -4597 9627 0.01408 -4596 5190 0.01804 -4596 5474 0.01065 -4596 5974 0.01982 -4596 6993 0.01205 -4596 7466 0.01436 -4596 8767 0.01771 -4595 4615 0.01107 -4595 4687 0.00966 -4595 5230 0.01200 -4595 5964 0.01757 -4595 6532 0.00725 -4595 6608 0.00229 -4595 9013 0.00115 -4595 9439 0.01686 -4594 4793 0.01345 -4594 5113 0.01578 -4594 6066 0.01071 -4594 8427 0.01646 -4594 8956 0.01175 -4594 8994 0.01514 -4594 9221 0.00421 -4594 9614 0.01919 -4593 5549 0.01072 -4593 6100 0.01604 -4593 6260 0.00592 -4593 6695 0.00960 -4593 7662 0.00700 -4593 7841 0.01527 -4593 8191 0.01491 -4593 9815 0.01765 -4592 6556 0.00664 -4591 5443 0.00934 -4591 7381 0.01939 -4591 8860 0.01450 -4590 4936 0.01484 -4590 5025 0.01791 -4590 5388 0.01689 -4590 6629 0.01932 -4590 7191 0.01898 -4590 8328 0.01277 -4590 9990 0.01520 -4589 4904 0.01395 -4589 5793 0.01142 -4589 5884 0.01453 -4589 8134 0.01532 -4589 8204 0.01389 -4589 8586 0.00334 -4589 8614 0.00556 -4589 9370 0.01396 -4589 9497 0.00534 -4588 5867 0.01593 -4588 5950 0.00443 -4588 6036 0.01272 -4588 6371 0.01811 -4588 6861 0.01807 -4588 8086 0.01638 -4588 8575 0.01790 -4588 9562 0.00400 -4588 9844 0.00357 -4587 4877 0.01137 -4587 6661 0.01610 -4587 6997 0.01952 -4587 7502 0.00782 -4587 7663 0.01655 -4587 8642 0.01294 -4587 8949 0.01710 -4587 9465 0.01512 -4586 5580 0.00669 -4586 6338 0.00040 -4586 7365 0.01401 -4586 7716 0.01281 -4586 9520 0.01824 -4585 4649 0.01263 -4585 5204 0.01507 -4585 5674 0.01586 -4585 5682 0.00316 -4585 5900 0.01880 -4585 6505 0.01583 -4585 7369 0.01368 -4585 7567 0.01788 -4585 7801 0.01240 -4585 7951 0.00396 -4585 9542 0.00996 -4585 9898 0.00802 -4585 9997 0.00984 -4584 5359 0.00488 -4584 8020 0.00841 -4584 9661 0.01968 -4584 9736 0.01207 -4583 5425 0.00629 -4583 9019 0.01599 -4582 4906 0.01862 -4582 6332 0.01247 -4582 7546 0.01851 -4582 7683 0.01676 -4582 8635 0.01221 -4582 9251 0.01320 -4582 9601 0.01782 -4581 4654 0.01124 -4581 8304 0.01477 -4581 9600 0.01249 -4581 9692 0.01127 -4580 5309 0.01704 -4580 5973 0.01018 -4580 6460 0.00599 -4580 7932 0.00661 -4580 8249 0.01459 -4580 9069 0.01111 -4580 9570 0.00729 -4579 4762 0.01418 -4579 5669 0.00679 -4579 6119 0.01139 -4579 6452 0.01608 -4579 7800 0.01663 -4579 9798 0.00832 -4578 4658 0.01935 -4578 7360 0.01760 -4577 5167 0.01160 -4577 5673 0.01639 -4577 6253 0.00829 -4577 6552 0.00622 -4577 7086 0.01829 -4577 7836 0.01626 -4577 8090 0.01632 -4577 8356 0.01549 -4577 8629 0.01265 -4577 8789 0.01873 -4577 8970 0.01548 -4576 6204 0.01587 -4576 8283 0.01149 -4576 9215 0.01418 -4576 9311 0.01600 -4576 9579 0.00666 -4576 9860 0.01805 -4575 6719 0.01311 -4575 9695 0.01539 -4574 6432 0.01473 -4574 6445 0.01439 -4574 6750 0.01172 -4574 8066 0.01385 -4573 5050 0.01528 -4573 5481 0.01206 -4573 5556 0.01351 -4573 7547 0.01200 -4573 8263 0.01504 -4573 8681 0.01215 -4573 8928 0.01168 -4573 9355 0.01421 -4572 5777 0.01621 -4572 5922 0.00360 -4572 8468 0.01707 -4572 9307 0.01978 -4572 9962 0.01937 -4571 6121 0.00517 -4571 6678 0.01988 -4571 7892 0.01928 -4571 8062 0.01784 -4571 8517 0.01236 -4571 8612 0.01182 -4571 9371 0.01081 -4570 6225 0.00160 -4570 6651 0.01311 -4570 8307 0.01967 -4569 5951 0.01367 -4569 6163 0.01958 -4569 7983 0.01871 -4569 8385 0.00815 -4569 8620 0.01346 -4569 8723 0.01207 -4568 5194 0.00628 -4568 5199 0.01887 -4568 5842 0.01396 -4568 7260 0.01961 -4568 7277 0.01449 -4568 7644 0.01315 -4568 8730 0.01955 -4567 4822 0.01735 -4567 5234 0.00368 -4567 5900 0.00834 -4567 7224 0.00605 -4567 7369 0.01974 -4567 7440 0.01493 -4567 7567 0.01636 -4567 7801 0.01301 -4567 9542 0.01458 -4567 9792 0.01671 -4566 5254 0.01072 -4566 7415 0.01478 -4566 8030 0.01255 -4566 8569 0.01734 -4566 9112 0.01588 -4566 9730 0.01429 -4565 5039 0.01231 -4565 6900 0.01213 -4565 7052 0.01470 -4565 7245 0.01423 -4565 8500 0.01846 -4565 8922 0.01102 -4565 9847 0.01359 -4565 9867 0.01699 -4564 4848 0.01840 -4564 6291 0.01957 -4563 5421 0.01870 -4563 5937 0.01458 -4563 6784 0.01816 -4563 7571 0.01781 -4563 7649 0.01678 -4563 7877 0.00680 -4563 8753 0.01288 -4563 8972 0.01475 -4562 5478 0.00696 -4562 6603 0.01312 -4562 9788 0.01871 -4561 4840 0.00836 -4561 5047 0.01424 -4561 5670 0.01160 -4561 7356 0.01936 -4561 7388 0.01629 -4561 9969 0.01578 -4560 4893 0.01414 -4560 7169 0.01339 -4560 7566 0.01765 -4559 5357 0.00901 -4559 5799 0.01534 -4559 7532 0.01448 -4559 7984 0.01495 -4559 8180 0.00372 -4559 8559 0.01165 -4559 8917 0.00331 -4558 5184 0.01840 -4558 5774 0.01170 -4558 6774 0.01807 -4558 7176 0.01704 -4558 8253 0.01464 -4558 8422 0.01374 -4558 8466 0.01966 -4558 9458 0.00624 -4558 9923 0.01893 -4557 6093 0.00699 -4557 6701 0.01205 -4557 7029 0.00931 -4556 4558 0.01335 -4556 4689 0.01010 -4556 5398 0.01444 -4556 5774 0.00528 -4556 5863 0.01866 -4556 6060 0.00994 -4556 9458 0.00920 -4556 9923 0.01530 -4555 6192 0.01002 -4555 6280 0.00961 -4555 7291 0.01782 -4555 7487 0.00956 -4555 8228 0.01523 -4555 8272 0.00551 -4555 8378 0.00566 -4555 9435 0.01075 -4554 5144 0.01059 -4554 5200 0.01725 -4554 6972 0.01797 -4553 4723 0.01816 -4553 4834 0.01898 -4553 5037 0.00988 -4553 5203 0.01523 -4553 6869 0.01945 -4553 7001 0.01390 -4553 7259 0.00947 -4553 7514 0.01420 -4553 7770 0.01446 -4553 8542 0.01823 -4553 8627 0.01984 -4553 8766 0.01591 -4553 8839 0.01757 -4553 8925 0.01921 -4553 9289 0.01623 -4553 9966 0.00823 -4552 5678 0.01847 -4552 6388 0.01602 -4552 6765 0.01219 -4552 7050 0.01919 -4552 7368 0.01490 -4552 7881 0.01182 -4552 9084 0.01765 -4552 9678 0.00981 -4551 4663 0.01804 -4551 4678 0.01377 -4551 4908 0.01596 -4551 5269 0.01112 -4551 6509 0.01194 -4551 6794 0.01867 -4551 8321 0.00926 -4551 9030 0.01322 -4551 9437 0.01508 -4551 9884 0.01276 -4550 5243 0.01515 -4550 5264 0.00943 -4550 5843 0.00761 -4550 6088 0.01242 -4550 7046 0.01062 -4550 7917 0.01432 -4550 8674 0.01543 -4550 9526 0.01494 -4550 9846 0.01945 -4549 4593 0.01204 -4549 5549 0.01910 -4549 6260 0.00646 -4549 6695 0.00784 -4549 7187 0.01667 -4549 7279 0.01617 -4549 7662 0.01541 -4549 7841 0.01959 -4549 9815 0.00615 -4548 4626 0.01926 -4548 4691 0.01479 -4548 4875 0.01116 -4548 4956 0.01856 -4548 5087 0.01821 -4548 5222 0.01475 -4548 6641 0.01194 -4548 8286 0.01695 -4548 9661 0.01570 -4547 6035 0.01798 -4547 7077 0.00790 -4547 7429 0.00609 -4547 7606 0.01880 -4547 8565 0.01228 -4546 6000 0.01415 -4546 7852 0.01951 -4546 8826 0.01824 -4546 9199 0.01607 -4545 4835 0.01850 -4545 5876 0.01818 -4545 6879 0.01043 -4545 7888 0.01703 -4545 8834 0.01874 -4544 5190 0.00866 -4544 5474 0.01287 -4544 5974 0.01584 -4544 6993 0.01222 -4544 7466 0.00933 -4544 8767 0.01259 -4543 5412 0.01532 -4543 5908 0.01766 -4543 6136 0.01644 -4543 7584 0.01046 -4543 7615 0.01189 -4543 7707 0.01150 -4543 9252 0.01986 -4543 9887 0.01457 -4542 4581 0.00970 -4542 4654 0.01725 -4542 5894 0.01760 -4542 8304 0.00746 -4542 9600 0.00553 -4542 9692 0.01672 -4541 4655 0.01853 -4541 4782 0.01176 -4541 5440 0.00717 -4541 6824 0.01697 -4541 7387 0.01270 -4541 9257 0.00651 -4540 4830 0.01822 -4540 5544 0.01660 -4540 5790 0.01039 -4540 8205 0.01973 -4540 9119 0.00793 -4540 9357 0.01645 -4539 4715 0.00827 -4539 5235 0.01689 -4539 5341 0.01594 -4539 5780 0.00731 -4539 5948 0.00551 -4539 6140 0.00622 -4539 6438 0.01896 -4539 6639 0.01804 -4539 7295 0.01934 -4539 7332 0.01235 -4539 8560 0.01052 -4539 9243 0.00135 -4539 9760 0.00838 -4538 6061 0.01892 -4538 6684 0.01864 -4538 6686 0.01790 -4538 6855 0.00481 -4538 7182 0.00503 -4538 9383 0.01679 -4537 6208 0.01000 -4537 7530 0.00750 -4537 7588 0.01828 -4537 8495 0.01927 -4536 6072 0.01118 -4536 6792 0.01042 -4536 6885 0.00834 -4536 7305 0.01257 -4536 7926 0.00089 -4536 7972 0.01319 -4536 8700 0.01346 -4536 8801 0.00943 -4536 9445 0.00924 -4536 9626 0.00798 -4536 9749 0.00812 -4535 4567 0.00419 -4535 4822 0.01318 -4535 5234 0.00455 -4535 5900 0.01186 -4535 7224 0.00774 -4535 7369 0.01851 -4535 7440 0.01909 -4535 7801 0.01338 -4535 9542 0.01607 -4535 9792 0.01809 -4534 4902 0.01883 -4534 5267 0.00243 -4534 6134 0.01946 -4534 6363 0.01208 -4534 8507 0.01832 -4533 5060 0.00440 -4533 6477 0.01423 -4533 6883 0.01048 -4533 6988 0.00962 -4533 8008 0.01055 -4533 8579 0.00393 -4533 8864 0.01999 -4532 5590 0.01257 -4532 5614 0.01454 -4532 6992 0.00854 -4532 7777 0.01739 -4532 8357 0.01604 -4532 8452 0.00913 -4532 9625 0.00721 -4532 9856 0.01448 -4531 5233 0.01492 -4531 5877 0.01137 -4531 7273 0.01719 -4531 9180 0.00894 -4531 9474 0.01695 -4531 9557 0.01180 -4530 4607 0.01178 -4530 5575 0.01571 -4530 5610 0.01389 -4530 5796 0.01056 -4530 6704 0.00982 -4529 4674 0.01478 -4529 5913 0.00741 -4529 6218 0.00883 -4529 6305 0.01272 -4529 6325 0.00796 -4529 8057 0.01766 -4529 8663 0.01979 -4529 8808 0.00922 -4529 8889 0.01255 -4529 9097 0.01119 -4529 9265 0.01394 -4528 4671 0.00559 -4528 4929 0.01700 -4528 6859 0.00579 -4528 7582 0.01330 -4528 7979 0.00992 -4528 8711 0.01929 -4528 9432 0.00821 -4527 6137 0.00862 -4527 7782 0.01311 -4527 7941 0.01627 -4527 8497 0.01062 -4527 9903 0.01662 -4526 4958 0.00605 -4526 5893 0.01548 -4526 7494 0.01833 -4526 9190 0.00739 -4526 9402 0.01311 -4526 9901 0.01208 -4525 4760 0.01385 -4525 5014 0.01198 -4525 5145 0.01260 -4525 5822 0.01201 -4525 6076 0.01850 -4525 6559 0.00911 -4525 8164 0.00739 -4525 8247 0.01911 -4525 8977 0.00622 -4525 9363 0.01727 -4524 4577 0.01368 -4524 5523 0.01252 -4524 6253 0.01173 -4524 6335 0.01680 -4524 6552 0.00759 -4524 7836 0.01557 -4524 8090 0.01683 -4524 8356 0.01118 -4524 8648 0.01793 -4524 8933 0.01990 -4524 8970 0.01310 -4523 4632 0.01760 -4523 4886 0.01780 -4523 6114 0.00813 -4523 6122 0.01322 -4523 6210 0.01651 -4523 6362 0.00870 -4523 6446 0.01462 -4523 7073 0.01226 -4523 7761 0.00765 -4523 9128 0.01643 -4523 9925 0.01176 -4522 5456 0.01323 -4522 5979 0.01137 -4522 7870 0.00395 -4522 9099 0.01096 -4522 9242 0.01840 -4521 6398 0.00884 -4521 6842 0.01148 -4521 8296 0.01190 -4521 8493 0.00566 -4521 9460 0.01177 -4520 7761 0.01738 -4520 7880 0.01562 -4520 8504 0.00992 -4520 8983 0.01231 -4519 4561 0.01913 -4519 4608 0.01528 -4519 4610 0.01837 -4519 5115 0.01066 -4519 5670 0.00779 -4519 7477 0.01650 -4519 7672 0.00476 -4519 7821 0.01198 -4519 9969 0.00354 -4518 5006 0.01547 -4518 5697 0.01913 -4518 6022 0.01249 -4518 6152 0.00623 -4518 9392 0.01339 -4517 4767 0.01927 -4517 4878 0.01196 -4517 4985 0.00907 -4517 5819 0.01559 -4517 5970 0.01594 -4516 5817 0.01543 -4516 5835 0.00152 -4516 5917 0.01897 -4516 6177 0.01935 -4516 8151 0.01492 -4516 8345 0.00144 -4515 5106 0.01349 -4515 6141 0.01747 -4515 7094 0.01065 -4515 7105 0.01851 -4515 7604 0.01772 -4515 9423 0.01427 -4515 9796 0.01607 -4515 9941 0.01261 -4514 5988 0.01344 -4514 6304 0.01525 -4514 6936 0.01332 -4514 8267 0.01126 -4514 8691 0.01442 -4514 8854 0.01458 -4513 5327 0.01168 -4513 5622 0.01236 -4513 5906 0.00629 -4513 5994 0.01152 -4513 6097 0.01813 -4513 8553 0.01790 -4513 9275 0.01750 -4513 9394 0.01215 -4513 9933 0.01769 -4512 4657 0.01508 -4512 5756 0.00287 -4512 6894 0.01712 -4512 7317 0.01698 -4512 8065 0.01664 -4512 8165 0.00719 -4512 8843 0.01507 -4512 9872 0.01590 -4511 6941 0.00770 -4511 9831 0.01917 -4510 5046 0.01011 -4510 5093 0.01981 -4510 8397 0.00358 -4509 5778 0.01192 -4509 7397 0.01483 -4509 8342 0.00744 -4509 8573 0.01715 -4509 9785 0.01651 -4509 9810 0.01395 -4509 9892 0.01868 -4508 6008 0.01831 -4508 6171 0.01415 -4508 6920 0.01434 -4508 9414 0.00828 -4508 9987 0.01009 -4507 5459 0.01498 -4507 5666 0.01851 -4507 6798 0.01990 -4507 7011 0.01453 -4507 7155 0.01641 -4507 7703 0.01634 -4507 7896 0.01728 -4507 8366 0.01563 -4507 8403 0.01734 -4507 8685 0.00743 -4507 9182 0.00374 -4506 5114 0.01686 -4506 5187 0.01409 -4506 5323 0.01835 -4506 5868 0.00481 -4506 6589 0.00362 -4506 6767 0.00187 -4506 6820 0.00990 -4506 7076 0.01888 -4506 8293 0.01151 -4506 8349 0.01056 -4506 9926 0.01213 -4505 4672 0.01709 -4505 4832 0.01982 -4505 5072 0.00304 -4505 6464 0.01586 -4505 6748 0.00974 -4505 6976 0.01701 -4505 7348 0.00637 -4505 7511 0.01389 -4505 7515 0.01637 -4505 7769 0.01943 -4505 9999 0.01671 -4504 4911 0.00328 -4504 5086 0.01011 -4504 6830 0.00768 -4504 7472 0.00226 -4504 7570 0.00488 -4504 8515 0.00869 -4504 8785 0.01052 -4504 9361 0.01470 -4504 9519 0.01733 -4503 5416 0.01323 -4503 5446 0.01816 -4503 6514 0.00209 -4503 7688 0.01434 -4503 7764 0.01582 -4503 8633 0.01854 -4503 8769 0.01704 -4503 8847 0.01969 -4503 8902 0.01893 -4503 9074 0.01900 -4503 9297 0.01367 -4503 9800 0.01602 -4502 4606 0.00806 -4502 5810 0.01765 -4502 6038 0.01580 -4502 6306 0.00726 -4502 6463 0.00835 -4502 6689 0.01543 -4502 6763 0.01563 -4501 5592 0.01182 -4501 5820 0.01192 -4501 6743 0.01556 -4501 7900 0.01990 -4501 8003 0.01766 -4501 8802 0.01386 -4501 8975 0.01864 -4500 4524 0.01010 -4500 5461 0.01056 -4500 5523 0.00890 -4500 6253 0.01378 -4500 6335 0.01785 -4500 6552 0.01438 -4500 7836 0.01154 -4500 8090 0.01314 -4500 9615 0.01235 -4499 5220 0.01722 -4499 5401 0.01102 -4499 6033 0.01888 -4499 7084 0.01826 -4499 7735 0.01327 -4499 8498 0.01104 -4499 9088 0.01661 -4499 9531 0.01744 -4499 9664 0.01982 -4499 9827 0.01421 -4498 4718 0.01261 -4498 7569 0.00260 -4498 9776 0.01580 -4498 9820 0.01909 -4498 9974 0.01001 -4497 4724 0.01040 -4497 4836 0.01335 -4497 5096 0.01389 -4497 6062 0.00218 -4497 7205 0.01125 -4497 7376 0.01958 -4497 8181 0.00734 -4497 9481 0.01913 -4496 4756 0.01496 -4496 4977 0.01063 -4496 5298 0.00173 -4496 5722 0.01391 -4496 6819 0.01434 -4496 6858 0.01276 -4496 8755 0.01425 -4496 9759 0.01701 -4495 4695 0.01891 -4495 4696 0.01952 -4495 5505 0.01786 -4495 5546 0.01881 -4495 5625 0.01954 -4495 5686 0.01184 -4495 6846 0.01374 -4495 7393 0.01442 -4495 8031 0.01709 -4495 9350 0.00379 -4495 9836 0.00493 -4494 5361 0.01727 -4494 9374 0.01178 -4494 9420 0.01939 -4493 5287 0.01189 -4493 5412 0.01416 -4493 5540 0.00430 -4493 6039 0.00415 -4493 6136 0.01648 -4493 9044 0.01570 -4492 4960 0.01713 -4492 6817 0.01119 -4492 7023 0.01568 -4492 7540 0.00930 -4492 9633 0.01388 -4491 5497 0.01712 -4491 6692 0.00985 -4491 7791 0.01153 -4491 8259 0.00479 -4491 8363 0.01401 -4491 8369 0.00245 -4491 9448 0.01764 -4490 5455 0.01318 -4490 5977 0.01002 -4490 7960 0.01700 -4490 8014 0.01564 -4490 8018 0.01708 -4490 8524 0.01577 -4490 8911 0.01935 -4490 9405 0.01292 -4489 4659 0.01569 -4489 6567 0.00816 -4489 8016 0.00374 -4489 8771 0.01398 -4488 4979 0.00651 -4488 5236 0.01549 -4488 7551 0.01505 -4488 7685 0.01730 -4488 7976 0.01668 -4487 5851 0.01998 -4487 6095 0.01889 -4487 6157 0.01808 -4487 6526 0.01189 -4487 6791 0.01453 -4487 8456 0.01329 -4487 8867 0.01173 -4487 9381 0.01883 -4486 5372 0.01062 -4486 5616 0.00745 -4486 5825 0.01306 -4486 6631 0.01992 -4486 6633 0.01959 -4486 8443 0.00635 -4486 9165 0.01946 -4485 5218 0.01007 -4485 6502 0.00837 -4485 6512 0.00782 -4485 6759 0.01861 -4485 6954 0.01689 -4485 9155 0.01669 -4485 9869 0.01222 -4484 5272 0.01314 -4484 5889 0.01661 -4484 6329 0.00740 -4484 7880 0.01979 -4484 8022 0.01571 -4484 8425 0.01784 -4484 8539 0.00591 -4484 8677 0.01297 -4484 9132 0.00955 -4484 9566 0.01318 -4484 9873 0.01376 -4483 4670 0.01858 -4483 4896 0.00606 -4483 5065 0.00944 -4483 5490 0.00654 -4483 6640 0.01403 -4483 7111 0.01898 -4483 7177 0.00285 -4483 8830 0.00911 -4483 9848 0.01115 -4482 6500 0.01950 -4482 6604 0.01486 -4482 8106 0.00458 -4482 8292 0.01495 -4482 8638 0.01609 -4482 9133 0.01381 -4482 9883 0.00370 -4482 9905 0.01881 -4481 6865 0.01161 -4481 7521 0.01048 -4481 7748 0.01219 -4481 7820 0.01655 -4480 5071 0.00183 -4480 5364 0.01771 -4480 5530 0.00714 -4480 6261 0.01553 -4480 6814 0.01821 -4480 9897 0.00684 -4479 4752 0.01022 -4479 4888 0.01435 -4479 4897 0.01995 -4479 6832 0.01123 -4479 7818 0.01935 -4479 8410 0.01943 -4478 4512 0.01779 -4478 4657 0.01416 -4478 5338 0.01908 -4478 5447 0.01194 -4478 5756 0.01586 -4478 5854 0.01184 -4478 6894 0.01474 -4478 7564 0.01751 -4478 7924 0.01842 -4478 7988 0.01790 -4478 8065 0.01414 -4478 8843 0.00682 -4478 9263 0.01919 -4478 9872 0.00195 -4477 5989 0.01517 -4477 7329 0.01928 -4477 8634 0.00755 -4477 8772 0.01262 -4477 9036 0.01319 -4476 5099 0.01850 -4476 6109 0.01830 -4476 6600 0.00364 -4476 9110 0.01851 -4475 5293 0.00649 -4475 6501 0.01401 -4475 7441 0.01786 -4475 7851 0.01701 -4475 8021 0.01305 -4475 9659 0.01260 -4475 9801 0.00758 -4474 4668 0.00867 -4474 5852 0.00322 -4474 7169 0.00988 -4474 8942 0.01967 -4473 5216 0.01036 -4473 5611 0.01485 -4473 6273 0.01104 -4473 6573 0.01411 -4473 6574 0.01137 -4473 6912 0.01950 -4473 6962 0.01760 -4473 7137 0.01111 -4472 4618 0.01724 -4472 5423 0.01332 -4472 5437 0.00770 -4472 6476 0.01224 -4472 6914 0.01594 -4472 7753 0.01496 -4472 7970 0.01284 -4472 9572 0.01643 -4471 4538 0.00688 -4471 6684 0.01984 -4471 6686 0.01421 -4471 6855 0.00668 -4471 7182 0.01122 -4471 9383 0.01814 -4470 5758 0.01356 -4470 6795 0.01635 -4470 8794 0.01847 -4470 8820 0.01763 -4470 9349 0.01923 -4470 9487 0.01578 -4469 4661 0.01961 -4469 4803 0.00785 -4469 6150 0.00374 -4469 7307 0.01881 -4469 8025 0.01872 -4469 8128 0.01883 -4469 8919 0.01136 -4469 9096 0.01831 -4469 9576 0.01279 -4468 4519 0.01917 -4468 4608 0.00395 -4468 4610 0.00948 -4468 5292 0.00384 -4468 5463 0.00911 -4468 6545 0.01903 -4468 6964 0.00999 -4468 7112 0.01351 -4468 7477 0.00988 -4468 7672 0.01854 -4468 7821 0.00875 -4467 4720 0.01480 -4467 5142 0.01204 -4467 6315 0.01183 -4467 7307 0.00984 -4467 9096 0.00717 -4466 4664 0.01544 -4466 5515 0.01323 -4466 7328 0.01154 -4466 7768 0.01092 -4466 8897 0.01796 -4466 8961 0.01521 -4465 5494 0.01228 -4465 5574 0.01783 -4465 6283 0.01920 -4465 6319 0.00970 -4465 7404 0.01949 -4465 8097 0.01646 -4465 9597 0.00998 -4465 9687 0.01005 -4464 4546 0.01465 -4464 4992 0.01616 -4464 6421 0.01417 -4464 7852 0.00900 -4463 4789 0.01801 -4463 5676 0.00724 -4463 6568 0.01485 -4463 6804 0.01974 -4463 9388 0.01399 -4462 5301 0.01552 -4462 5623 0.01845 -4462 5716 0.01008 -4462 7745 0.00988 -4462 7850 0.01764 -4462 9004 0.01913 -4462 9673 0.01598 -4462 9823 0.00974 -4461 5678 0.01089 -4461 5925 0.01478 -4461 6388 0.01927 -4461 6405 0.01057 -4461 6592 0.01710 -4461 6877 0.00960 -4461 8557 0.01912 -4460 5477 0.01438 -4460 6098 0.01977 -4460 7610 0.01230 -4460 8863 0.00726 -4460 9205 0.01106 -4460 9533 0.01880 -4460 9745 0.01509 -4459 5330 0.01269 -4459 5739 0.01704 -4459 5990 0.01283 -4459 7288 0.01019 -4459 9731 0.00663 -4458 4616 0.00735 -4458 5134 0.00770 -4458 5191 0.00367 -4458 5225 0.01100 -4458 5593 0.00736 -4458 6158 0.01394 -4458 6209 0.01868 -4458 7323 0.01162 -4458 7395 0.01013 -4458 7654 0.01195 -4458 8856 0.01306 -4458 9441 0.00740 -4457 5173 0.01811 -4457 5547 0.00079 -4457 6073 0.01135 -4457 6349 0.01160 -4457 7697 0.01394 -4457 8091 0.01754 -4457 8417 0.01918 -4457 8940 0.01719 -4457 9803 0.01556 -4456 4788 0.01875 -4456 4842 0.01687 -4456 6599 0.00693 -4456 7457 0.00338 -4456 7982 0.01759 -4456 8483 0.01107 -4456 8923 0.01530 -4456 9320 0.01887 -4456 9530 0.01912 -4456 9535 0.01889 -4455 4463 0.01852 -4455 4789 0.00901 -4455 5352 0.00737 -4455 7310 0.01848 -4455 8342 0.01783 -4455 9111 0.01953 -4455 9388 0.00472 -4455 9785 0.01047 -4454 4724 0.01717 -4454 4836 0.01381 -4454 6778 0.00207 -4454 7205 0.01672 -4454 7711 0.01135 -4454 8578 0.00773 -4454 8776 0.00568 -4453 4811 0.01341 -4453 5785 0.01448 -4453 7432 0.01291 -4453 7671 0.01600 -4453 8486 0.01279 -4453 9010 0.01667 -4453 9499 0.01657 -4452 5875 0.01734 -4452 6314 0.01531 -4452 7747 0.00920 -4452 7871 0.01832 -4452 8270 0.01999 -4451 6007 0.01566 -4451 8036 0.01989 -4451 8616 0.00472 -4450 6240 0.01815 -4450 6430 0.00447 -4450 7728 0.01563 -4450 7980 0.00200 -4450 8245 0.01417 -4450 9080 0.00595 -4450 9769 0.01795 -4450 9784 0.00991 -4449 6908 0.00456 -4449 7336 0.01864 -4449 7442 0.01990 -4449 7857 0.01270 -4449 7908 0.01695 -4449 8329 0.01012 -4449 8805 0.00481 -4449 8987 0.01919 -4449 9321 0.01163 -4449 9937 0.01257 -4448 4776 0.01117 -4448 4831 0.01541 -4448 6116 0.01486 -4448 6129 0.00916 -4448 6402 0.01841 -4448 6443 0.01951 -4448 6473 0.00582 -4448 9632 0.01296 -4447 4644 0.01292 -4447 5510 0.01963 -4447 5800 0.01136 -4447 6678 0.01720 -4447 6903 0.00426 -4447 7319 0.00578 -4447 7439 0.01280 -4447 8952 0.01041 -4447 9523 0.01109 -4447 9613 0.01421 -4447 9812 0.01584 -4446 5052 0.01762 -4446 6185 0.01514 -4446 6971 0.00524 -4446 8100 0.00484 -4446 8551 0.01611 -4446 9452 0.01586 -4445 4737 0.01444 -4445 4745 0.00408 -4445 7045 0.00745 -4445 7381 0.01446 -4445 8156 0.01689 -4445 8222 0.01276 -4445 8860 0.01870 -4445 9312 0.01942 -4445 9411 0.01186 -4444 4463 0.01449 -4444 5571 0.01610 -4444 5676 0.01662 -4444 6826 0.01386 -4444 7310 0.01808 -4444 8817 0.01281 -4444 9111 0.01613 -4443 4686 0.01560 -4443 5722 0.01844 -4442 6484 0.01930 -4442 7571 0.01878 -4442 7849 0.01367 -4442 9848 0.01640 -4441 4628 0.01335 -4441 4829 0.01504 -4441 5097 0.01957 -4441 7966 0.00661 -4441 8143 0.01788 -4441 8647 0.00355 -4440 5760 0.01265 -4440 6507 0.01813 -4440 6835 0.01021 -4440 7746 0.01770 -4440 9130 0.01942 -4439 4812 0.01327 -4439 6407 0.00713 -4439 6648 0.01135 -4439 8944 0.00232 -4439 8978 0.01833 -4438 4947 0.01525 -4438 5914 0.00349 -4438 6698 0.01223 -4438 7113 0.01370 -4438 7209 0.00834 -4438 7210 0.00711 -4438 7968 0.01609 -4438 9309 0.01230 -4438 9694 0.00722 -4437 5345 0.01349 -4437 7166 0.01284 -4437 7783 0.00557 -4437 8458 0.01608 -4437 9147 0.00887 -4437 9419 0.01654 -4436 4458 0.01782 -4436 4616 0.01087 -4436 5134 0.01023 -4436 5191 0.01645 -4436 5532 0.00934 -4436 6158 0.01506 -4436 7323 0.00621 -4436 7628 0.01339 -4436 7654 0.01981 -4436 9461 0.00645 -4435 5812 0.00810 -4435 6663 0.00962 -4435 6722 0.01172 -4435 7470 0.01117 -4434 4965 0.01338 -4434 5395 0.01276 -4434 5918 0.01835 -4434 6202 0.01031 -4434 6230 0.01951 -4434 6493 0.01726 -4434 7972 0.01315 -4434 8700 0.01725 -4434 9445 0.01955 -4433 5017 0.01933 -4433 5313 0.01372 -4433 5439 0.01120 -4433 6616 0.01743 -4433 6932 0.01440 -4433 7449 0.01611 -4433 8178 0.00243 -4433 8684 0.01291 -4433 9726 0.01774 -4433 9932 0.01472 -4432 4693 0.01353 -4432 5326 0.00745 -4432 7994 0.01352 -4432 8720 0.01523 -4432 8954 0.00774 -4432 9254 0.00193 -4431 5354 0.01417 -4431 5385 0.01672 -4431 6328 0.00661 -4431 6429 0.01787 -4431 7518 0.01333 -4431 7898 0.01584 -4431 8548 0.01733 -4431 9295 0.01455 -4430 4451 0.01725 -4430 4986 0.01944 -4430 6048 0.01433 -4430 8306 0.01113 -4430 8308 0.01546 -4430 8616 0.01376 -4430 9734 0.00960 -4429 5634 0.00563 -4429 5823 0.01764 -4429 7447 0.01492 -4429 7947 0.01194 -4429 7964 0.01306 -4429 8366 0.01412 -4429 9495 0.01645 -4428 4804 0.01786 -4428 5036 0.01732 -4428 5499 0.01617 -4428 5565 0.01332 -4428 5618 0.01231 -4428 6622 0.00454 -4428 6693 0.00485 -4428 6901 0.01187 -4428 8814 0.01590 -4428 9098 0.01181 -4427 4464 0.01188 -4427 4546 0.00916 -4427 7852 0.01223 -4426 5471 0.00829 -4426 6375 0.01411 -4426 7693 0.01660 -4426 7706 0.00869 -4426 8169 0.01400 -4426 8520 0.00413 -4425 4851 0.01281 -4425 6666 0.01631 -4425 6691 0.01130 -4425 8160 0.00775 -4425 9598 0.01337 -4424 5079 0.00946 -4424 8900 0.01441 -4424 9415 0.01112 -4423 5638 0.01902 -4423 5656 0.01221 -4423 6251 0.01050 -4423 6403 0.01222 -4423 8370 0.01660 -4423 9922 0.01651 -4422 7752 0.00746 -4421 4943 0.01474 -4421 5051 0.01076 -4421 6189 0.01999 -4421 6465 0.01008 -4421 7426 0.01914 -4420 4800 0.01556 -4420 5303 0.01353 -4420 5519 0.01948 -4420 6731 0.01639 -4420 7333 0.01203 -4420 7406 0.00795 -4420 7636 0.01284 -4420 7835 0.00135 -4420 7885 0.01371 -4420 8821 0.00762 -4419 4420 0.01100 -4419 5303 0.01080 -4419 6731 0.01142 -4419 7406 0.01275 -4419 7460 0.01264 -4419 7636 0.00811 -4419 7835 0.01203 -4419 7885 0.00416 -4419 8821 0.00680 -4419 9259 0.01569 -4419 9795 0.01551 -4418 5489 0.01449 -4418 5524 0.01582 -4418 7727 0.01234 -4418 7852 0.01908 -4418 8806 0.01196 -4418 9170 0.01053 -4417 4952 0.01193 -4417 5975 0.00743 -4417 6316 0.01351 -4417 7390 0.00913 -4417 8405 0.01210 -4416 4456 0.00878 -4416 5847 0.01662 -4416 6599 0.00873 -4416 7457 0.01183 -4416 7982 0.01978 -4416 8483 0.01958 -4416 8923 0.01476 -4416 9530 0.01785 -4416 9535 0.01125 -4415 5890 0.01529 -4415 5935 0.01326 -4415 6216 0.01184 -4415 6671 0.01336 -4415 7306 0.01400 -4415 7390 0.01879 -4415 7524 0.00600 -4415 8405 0.01018 -4415 9594 0.01836 -4414 4839 0.01135 -4414 6487 0.00721 -4414 7242 0.00894 -4414 8428 0.00980 -4413 4997 0.01689 -4413 6755 0.01832 -4413 8000 0.00974 -4413 8239 0.01638 -4413 8555 0.01622 -4412 8398 0.01942 -4412 9023 0.01181 -4412 9056 0.01757 -4412 9133 0.01301 -4412 9663 0.01932 -4411 4906 0.00926 -4411 6917 0.01130 -4411 8712 0.01635 -4411 9317 0.01530 -4411 9588 0.01378 -4411 9601 0.01244 -4411 9646 0.01939 -4410 5042 0.01644 -4410 5953 0.00828 -4410 6416 0.01160 -4410 8277 0.00047 -4410 8525 0.01864 -4409 4574 0.01553 -4409 5517 0.01871 -4409 5608 0.01527 -4409 6432 0.00180 -4409 8066 0.01304 -4409 9806 0.00741 -4408 5766 0.01630 -4408 7858 0.00229 -4408 7893 0.00256 -4408 8527 0.01735 -4408 8676 0.01817 -4408 8784 0.01466 -4408 8870 0.01852 -4408 9260 0.01392 -4408 9931 0.01125 -4407 5391 0.00285 -4407 5494 0.01076 -4407 7643 0.01908 -4407 8275 0.00210 -4407 9597 0.01806 -4406 5042 0.01372 -4406 5953 0.01602 -4406 6527 0.00050 -4406 7568 0.00497 -4406 9701 0.01958 -4405 5529 0.01050 -4405 5849 0.01973 -4405 6279 0.01301 -4405 6480 0.01936 -4405 6598 0.01780 -4405 7232 0.00510 -4405 7995 0.01479 -4405 8038 0.01019 -4405 8511 0.01288 -4405 8733 0.01661 -4405 9150 0.01688 -4405 9628 0.01795 -4405 9825 0.01215 -4405 9938 0.01234 -4404 4424 0.00727 -4404 5079 0.01483 -4404 9415 0.01018 -4403 6223 0.00871 -4403 8215 0.00595 -4403 9285 0.00972 -4403 9431 0.00082 -4402 4840 0.01812 -4402 5415 0.00632 -4402 5785 0.01426 -4402 6783 0.01208 -4402 7388 0.01018 -4402 8439 0.00955 -4402 9010 0.01472 -4401 5533 0.01253 -4401 6081 0.01196 -4401 7742 0.01476 -4401 9009 0.01926 -4401 9048 0.01489 -4401 9443 0.01269 -4401 9532 0.00968 -4400 4819 0.01939 -4400 6412 0.01356 -4400 6659 0.01899 -4400 8070 0.01592 -4400 8605 0.00790 -4400 8702 0.01226 -4400 8779 0.00660 -4400 9735 0.01926 -4399 7255 0.00695 -4399 9902 0.00683 -4398 5406 0.00602 -4398 7923 0.00764 -4398 8556 0.01915 -4398 9113 0.01364 -4397 5668 0.00871 -4397 8513 0.01099 -4397 9121 0.00854 -4397 9226 0.01064 -4397 9395 0.01525 -4396 4656 0.01933 -4396 5282 0.01216 -4396 5818 0.01543 -4396 6167 0.00984 -4396 8009 0.01350 -4396 8948 0.01553 -4395 5376 0.01444 -4395 5791 0.01116 -4395 9626 0.01922 -4395 9641 0.00613 -4394 4662 0.01604 -4394 4811 0.01732 -4394 5504 0.01235 -4394 7234 0.01861 -4394 8094 0.01994 -4394 8294 0.01130 -4394 9087 0.01279 -4394 9606 0.01409 -4394 9699 0.01805 -4394 9981 0.00720 -4393 7299 0.01577 -4393 8044 0.00603 -4393 9333 0.01513 -4393 9792 0.01884 -4392 5054 0.01255 -4392 5061 0.00748 -4392 5085 0.01758 -4392 7549 0.00229 -4392 7736 0.01453 -4392 8778 0.01265 -4392 9249 0.01194 -4392 9649 0.01862 -4392 9670 0.01899 -4392 9934 0.00874 -4392 9948 0.01609 -4391 4903 0.01875 -4391 5725 0.01919 -4391 7838 0.01238 -4391 7969 0.01181 -4391 8099 0.01565 -4390 5934 0.01681 -4390 6064 0.01709 -4390 6255 0.01452 -4390 6878 0.01919 -4390 7578 0.00333 -4390 8669 0.01544 -4390 9596 0.01427 -4390 9647 0.01369 -4389 5166 0.01158 -4389 5393 0.01468 -4389 5559 0.00933 -4389 5875 0.01342 -4389 6483 0.01554 -4389 7141 0.00255 -4389 7871 0.01145 -4389 8270 0.01703 -4389 9255 0.00501 -4389 9471 0.01307 -4388 5509 0.01061 -4388 6453 0.00650 -4388 7132 0.01177 -4388 7437 0.00307 -4388 8072 0.01416 -4388 9114 0.01970 -4387 5246 0.01760 -4387 5927 0.00753 -4387 7598 0.01244 -4387 7924 0.01676 -4387 7988 0.01428 -4387 9247 0.01637 -4387 9250 0.01401 -4387 9453 0.00523 -4387 9807 0.00546 -4386 5305 0.01447 -4386 6379 0.01458 -4386 8414 0.01687 -4385 4800 0.01210 -4385 5448 0.01431 -4385 5790 0.01377 -4385 7333 0.01578 -4385 7560 0.01861 -4384 4905 0.00390 -4384 5121 0.00894 -4384 5962 0.00856 -4384 6183 0.00382 -4384 6467 0.01800 -4384 6712 0.01581 -4384 8657 0.01485 -4384 9919 0.01179 -4383 4543 0.01008 -4383 5287 0.01890 -4383 5412 0.01526 -4383 6136 0.01327 -4383 7584 0.00135 -4383 7615 0.00241 -4383 7707 0.01362 -4383 9887 0.00458 -4382 4489 0.01060 -4382 4659 0.01959 -4382 5181 0.00995 -4382 6567 0.01425 -4382 6924 0.01861 -4382 8016 0.01429 -4382 8389 0.01838 -4382 8771 0.01206 -4381 4807 0.00847 -4381 6182 0.01942 -4381 9254 0.01882 -4380 4665 0.00819 -4380 4712 0.01854 -4380 5237 0.01586 -4380 5259 0.01238 -4380 5475 0.01555 -4380 6482 0.01775 -4380 8268 0.01604 -4380 9979 0.01504 -4379 4713 0.01651 -4379 4923 0.01737 -4379 6222 0.01819 -4379 6418 0.01713 -4379 7830 0.01447 -4379 9422 0.01573 -4379 9782 0.01460 -4378 5092 0.01892 -4378 5691 0.01468 -4378 5870 0.01754 -4378 6317 0.00684 -4378 6724 0.01839 -4378 7861 0.01715 -4378 8229 0.01255 -4378 8248 0.00679 -4378 9217 0.01650 -4377 4680 0.01868 -4377 4989 0.01549 -4377 5961 0.01281 -4377 7115 0.01307 -4377 7415 0.01925 -4377 8346 0.00397 -4377 8569 0.01658 -4377 8946 0.01911 -4377 9112 0.01730 -4376 4764 0.00888 -4376 5146 0.01295 -4376 6177 0.01543 -4376 6227 0.01721 -4376 6242 0.00981 -4376 8151 0.01999 -4376 8602 0.01146 -4375 6054 0.00804 -4375 6810 0.01257 -4375 7236 0.01050 -4375 7674 0.01302 -4375 8583 0.01654 -4375 8842 0.00469 -4374 4631 0.01699 -4374 5184 0.01560 -4374 6367 0.01134 -4374 7138 0.01466 -4374 9318 0.01871 -4374 9410 0.00768 -4374 9718 0.01343 -4373 4679 0.01832 -4373 4731 0.00603 -4373 4781 0.00356 -4373 5221 0.01740 -4373 5752 0.01394 -4373 6337 0.01938 -4373 7165 0.01414 -4373 7949 0.01875 -4373 8130 0.01722 -4373 9077 0.01419 -4373 9890 0.00998 -4372 5846 0.00371 -4372 6928 0.00417 -4372 7950 0.01822 -4372 8909 0.01407 -4371 4426 0.01580 -4371 5471 0.01365 -4371 6865 0.01780 -4371 7693 0.01063 -4371 7706 0.01081 -4371 7748 0.01573 -4371 8520 0.01549 -4371 8527 0.01550 -4371 8676 0.01811 -4370 5035 0.01560 -4370 5491 0.01918 -4370 5560 0.01928 -4370 5635 0.01873 -4370 7196 0.00826 -4370 7542 0.01746 -4370 8727 0.01780 -4370 9258 0.01955 -4370 9587 0.00906 -4370 9690 0.01726 -4369 4992 0.00809 -4369 5489 0.01353 -4369 5524 0.00976 -4369 5903 0.00672 -4368 4532 0.01352 -4368 4988 0.01303 -4368 5590 0.01892 -4368 7558 0.01596 -4368 7777 0.00451 -4368 8452 0.01940 -4368 8506 0.01293 -4368 9856 0.01921 -4367 4518 0.01749 -4367 5006 0.00392 -4367 5697 0.01336 -4367 6152 0.01169 -4367 7382 0.00482 -4367 7589 0.00948 -4367 7786 0.01894 -4367 8734 0.01401 -4367 8788 0.01529 -4367 9067 0.00851 -4367 9392 0.00940 -4366 4393 0.01595 -4366 5151 0.01258 -4366 5806 0.01579 -4366 7299 0.00640 -4366 9538 0.01038 -4366 9607 0.01466 -4365 5513 0.01684 -4365 6809 0.01370 -4365 6963 0.01263 -4365 7937 0.01375 -4365 8792 0.01957 -4364 6303 0.01755 -4364 6401 0.01902 -4364 6525 0.00556 -4364 8218 0.01996 -4363 4468 0.00661 -4363 4519 0.01429 -4363 4608 0.00353 -4363 4610 0.00561 -4363 5115 0.01688 -4363 5292 0.01034 -4363 5463 0.01537 -4363 6964 0.00973 -4363 7112 0.01296 -4363 7477 0.00469 -4363 7672 0.01259 -4363 7821 0.00809 -4363 9969 0.01683 -4362 4863 0.01466 -4362 5612 0.01283 -4362 6696 0.01200 -4362 8921 0.01495 -4361 4380 0.01273 -4361 4665 0.00574 -4361 5259 0.00573 -4361 6065 0.01866 -4361 6482 0.00584 -4361 8268 0.01859 -4361 9979 0.00335 -4360 4812 0.01666 -4360 5764 0.01064 -4360 6407 0.01647 -4360 6648 0.01274 -4360 6697 0.01797 -4360 7313 0.01572 -4360 8743 0.01504 -4360 8978 0.01919 -4360 9971 0.01824 -4359 4483 0.00078 -4359 4670 0.01781 -4359 4896 0.00535 -4359 5065 0.00990 -4359 5490 0.00618 -4359 6640 0.01454 -4359 7111 0.01974 -4359 7177 0.00289 -4359 8830 0.00837 -4359 9848 0.01125 -4358 6180 0.00605 -4358 8228 0.01498 -4358 8272 0.01836 -4358 8423 0.01457 -4357 8617 0.00278 -4357 8761 0.01918 -4357 9105 0.01111 -4356 4465 0.01957 -4356 4624 0.01674 -4356 4853 0.01313 -4356 6283 0.00979 -4356 6319 0.01099 -4356 8097 0.00865 -4356 9340 0.01742 -4356 9687 0.01503 -4356 9765 0.01102 -4355 5564 0.00832 -4355 5871 0.01673 -4355 6702 0.01474 -4355 7078 0.01432 -4355 8301 0.01492 -4355 9425 0.01465 -4354 5120 0.01981 -4354 5152 0.01580 -4354 5518 0.01899 -4354 6188 0.00797 -4354 8706 0.00990 -4354 8773 0.01753 -4353 6241 0.01250 -4353 6389 0.01944 -4353 7099 0.01194 -4353 8126 0.01064 -4353 9233 0.01190 -4352 5174 0.01572 -4352 8668 0.00972 -4352 9204 0.00376 -4352 9524 0.00943 -4351 4973 0.00830 -4351 6127 0.01380 -4351 8082 0.00848 -4351 9021 0.01889 -4350 4763 0.01915 -4350 5526 0.01568 -4350 6307 0.01581 -4350 6708 0.01024 -4350 6863 0.01559 -4350 7595 0.01474 -4350 8745 0.01268 -4350 9159 0.00886 -4350 9722 0.00900 -4350 9978 0.01228 -4349 4637 0.00919 -4349 4907 0.00712 -4349 5771 0.01939 -4349 5972 0.01807 -4349 6333 0.00881 -4349 6922 0.01840 -4349 8240 0.00989 -4349 8280 0.01866 -4349 8282 0.00535 -4349 8873 0.01133 -4349 9504 0.01521 -4349 9967 0.01352 -4348 4845 0.01575 -4348 6646 0.01938 -4348 7033 0.00973 -4348 8254 0.01712 -4348 8692 0.01974 -4348 9103 0.01290 -4348 9200 0.01648 -4348 9719 0.01327 -4347 4898 0.01101 -4347 5379 0.01263 -4347 6457 0.01762 -4347 6918 0.00986 -4347 7531 0.01895 -4347 7879 0.00301 -4347 9894 0.00830 -4346 5516 0.01944 -4346 5619 0.01147 -4346 5937 0.01949 -4346 7507 0.01924 -4346 7571 0.01653 -4346 7629 0.01300 -4346 9612 0.00675 -4346 9720 0.00267 -4345 6160 0.01276 -4345 6201 0.00607 -4345 6492 0.00464 -4345 7623 0.01209 -4345 9505 0.00813 -4344 4809 0.01889 -4344 5483 0.01721 -4344 5584 0.01059 -4344 5626 0.01947 -4344 5652 0.00952 -4344 5724 0.01943 -4344 5782 0.01910 -4344 6143 0.01981 -4344 6537 0.01017 -4344 6959 0.01854 -4344 7635 0.00388 -4344 8089 0.00576 -4344 8404 0.01060 -4344 8690 0.01212 -4344 9675 0.01874 -4344 9875 0.01951 -4343 5827 0.01688 -4343 5872 0.00237 -4343 6619 0.01364 -4343 6781 0.01907 -4343 7922 0.01017 -4343 9052 0.01675 -4342 4564 0.01070 -4342 5460 0.01960 -4342 6172 0.01376 -4342 6291 0.01400 -4341 4364 0.01315 -4341 5286 0.01818 -4341 5596 0.01426 -4341 5880 0.00875 -4341 6525 0.01136 -4341 9106 0.01330 -4340 5209 0.00150 -4340 5834 0.01786 -4340 7803 0.01576 -4340 8963 0.01317 -4340 9296 0.00867 -4339 5695 0.01954 -4339 6258 0.01937 -4339 6414 0.00785 -4339 6895 0.01369 -4339 7905 0.01764 -4339 8107 0.01462 -4339 8639 0.01898 -4339 9238 0.01780 -4338 5423 0.00873 -4338 6155 0.01821 -4338 6350 0.00766 -4338 6652 0.01825 -4338 7753 0.01109 -4338 8051 0.01979 -4338 9572 0.00723 -4338 9590 0.00860 -4337 5462 0.00743 -4337 5779 0.01329 -4337 6334 0.00730 -4337 7304 0.01327 -4337 7430 0.01805 -4337 7465 0.01515 -4337 9757 0.01821 -4336 4398 0.00558 -4336 5406 0.00302 -4336 7403 0.01731 -4336 7923 0.01191 -4336 9113 0.01386 -4335 4408 0.01858 -4335 5766 0.00470 -4335 6891 0.01085 -4335 7858 0.01864 -4335 7893 0.01657 -4335 9260 0.01627 -4335 9413 0.01741 -4334 4502 0.00968 -4334 4606 0.00953 -4334 5810 0.01397 -4334 6306 0.01632 -4334 6463 0.01752 -4334 6689 0.01880 -4334 6763 0.01713 -4334 7539 0.01984 -4334 9957 0.01849 -4333 5059 0.01958 -4333 5930 0.00811 -4333 6461 0.01201 -4333 7180 0.00819 -4333 8516 0.01822 -4332 4379 0.01158 -4332 4923 0.01028 -4332 6418 0.01812 -4332 8662 0.01101 -4332 9422 0.01103 -4332 9782 0.00304 -4331 5372 0.01489 -4331 5378 0.00135 -4331 5586 0.00660 -4331 5616 0.01998 -4331 6633 0.01570 -4331 7823 0.01206 -4330 4865 0.01944 -4330 6911 0.00934 -4330 6966 0.00390 -4330 7125 0.01477 -4330 7265 0.00606 -4330 7334 0.01368 -4330 8678 0.01673 -4330 8793 0.00989 -4330 9691 0.01906 -4330 9953 0.00565 -4329 7542 0.01159 -4329 7715 0.00941 -4329 8727 0.00817 -4328 5251 0.01316 -4328 5786 0.00451 -4328 5892 0.00711 -4328 6876 0.00783 -4327 5018 0.01905 -4327 5122 0.01546 -4327 5150 0.00808 -4327 6224 0.01417 -4327 7248 0.01400 -4327 8790 0.00711 -4327 8823 0.00972 -4327 8896 0.01732 -4326 6600 0.01824 -4326 7532 0.00875 -4326 7984 0.01147 -4326 8698 0.01382 -4326 8917 0.01907 -4325 4552 0.01179 -4325 4782 0.01859 -4325 6613 0.01226 -4325 6765 0.00442 -4325 7050 0.00867 -4325 7220 0.01069 -4325 7368 0.00957 -4325 9084 0.01596 -4325 9678 0.01146 -4324 4847 0.01929 -4324 5979 0.01527 -4324 9693 0.01373 -4323 4982 0.01924 -4323 5734 0.00696 -4323 5862 0.01963 -4323 6037 0.01486 -4323 7326 0.01898 -4323 8960 0.01063 -4323 9139 0.01854 -4322 4325 0.00970 -4322 4552 0.00399 -4322 6388 0.01622 -4322 6765 0.01152 -4322 7050 0.01800 -4322 7220 0.01954 -4322 7368 0.01100 -4322 7881 0.01185 -4322 9084 0.01378 -4322 9678 0.01194 -4321 4676 0.01736 -4321 5871 0.01905 -4321 6352 0.01377 -4321 7110 0.01999 -4321 7603 0.01759 -4321 7739 0.01026 -4321 8080 0.01720 -4321 8717 0.01315 -4321 9406 0.01568 -4321 9790 0.01638 -4320 4431 0.01974 -4320 5354 0.01217 -4320 6328 0.01384 -4320 7898 0.00941 -4320 9295 0.01959 -4320 9380 0.01820 -4320 9558 0.01431 -4319 4423 0.00893 -4319 5656 0.01448 -4319 6251 0.00425 -4319 8370 0.00781 -4319 9032 0.01620 -4319 9700 0.01517 -4319 9922 0.00900 -4318 4641 0.01440 -4318 4826 0.01876 -4318 5198 0.01409 -4318 5548 0.01040 -4318 6535 0.01145 -4318 7872 0.01740 -4318 8521 0.01251 -4318 8606 0.01188 -4318 8782 0.01483 -4318 9379 0.01300 -4318 9483 0.01943 -4317 5375 0.01422 -4317 6048 0.01218 -4316 6915 0.01133 -4316 7840 0.01032 -4316 8598 0.00656 -4315 4356 0.01417 -4315 4624 0.00413 -4315 4729 0.01980 -4315 4853 0.00949 -4315 5229 0.01859 -4315 5435 0.01990 -4315 6283 0.00734 -4315 8097 0.01023 -4315 9230 0.01894 -4315 9340 0.00341 -4315 9687 0.01717 -4315 9765 0.00596 -4314 6313 0.00940 -4314 6392 0.01943 -4314 8184 0.00449 -4314 9420 0.01922 -4313 4527 0.00831 -4313 5685 0.01998 -4313 6137 0.00588 -4313 7359 0.01509 -4313 7782 0.00857 -4313 7941 0.01840 -4313 8116 0.01782 -4313 8278 0.01600 -4313 8497 0.01824 -4313 9416 0.01315 -4313 9903 0.01916 -4312 4352 0.01424 -4312 4562 0.01902 -4312 5174 0.01098 -4312 7755 0.01268 -4312 7869 0.01788 -4312 7944 0.01599 -4312 8668 0.00572 -4312 9204 0.01298 -4311 6247 0.01541 -4311 6586 0.01210 -4311 7378 0.00779 -4311 7391 0.01482 -4311 7779 0.01431 -4311 9026 0.01954 -4310 4969 0.01721 -4310 5496 0.01576 -4310 5837 0.01878 -4310 5956 0.01149 -4310 7726 0.01927 -4310 8447 0.01427 -4310 9177 0.01045 -4310 9896 0.01458 -4309 5104 0.01620 -4309 5498 0.01255 -4309 7414 0.01398 -4309 8769 0.01674 -4309 8847 0.01858 -4309 9672 0.00581 -4308 6064 0.01279 -4308 6069 0.00630 -4308 7188 0.01334 -4308 7207 0.01438 -4308 7581 0.00457 -4308 7679 0.00405 -4308 8669 0.01546 -4308 8946 0.01628 -4308 9185 0.00806 -4307 4619 0.00892 -4307 4746 0.01564 -4307 5145 0.01752 -4307 7200 0.01405 -4307 7445 0.01364 -4307 9168 0.01093 -4307 9686 0.00925 -4306 4438 0.01969 -4306 5207 0.01775 -4306 5706 0.01488 -4306 6166 0.01985 -4306 6434 0.01785 -4306 6967 0.01518 -4306 7210 0.01427 -4306 9065 0.01709 -4306 9858 0.01744 -4306 9874 0.01895 -4305 4742 0.01309 -4305 5966 0.00863 -4305 6376 0.01964 -4305 8705 0.01905 -4305 9386 0.01830 -4305 9705 0.01974 -4304 6118 0.01581 -4304 6314 0.01804 -4304 6591 0.00930 -4304 7204 0.01528 -4304 7290 0.01404 -4304 8270 0.01679 -4304 9456 0.00476 -4304 9685 0.00566 -4303 4621 0.01275 -4303 5263 0.00534 -4303 5343 0.01836 -4303 6157 0.01957 -4303 6738 0.00546 -4303 7151 0.01909 -4303 8079 0.01631 -4302 4381 0.00659 -4302 4807 0.00638 -4302 6182 0.01532 -4301 4532 0.01216 -4301 5614 0.00642 -4301 6021 0.01014 -4301 6992 0.00596 -4301 8357 0.01951 -4301 8452 0.01714 -4301 9625 0.00629 -4300 4562 0.01554 -4300 5478 0.01474 -4300 8312 0.01454 -4300 9788 0.00317 -4299 4510 0.01079 -4299 5046 0.01948 -4299 5997 0.01831 -4299 7513 0.01251 -4299 8397 0.01308 -4298 4385 0.01475 -4298 5448 0.00249 -4298 5790 0.01987 -4298 6195 0.00991 -4298 6289 0.01732 -4298 7560 0.01739 -4298 8350 0.01424 -4298 8499 0.01996 -4298 8640 0.01475 -4298 8680 0.01888 -4297 8320 0.01721 -4297 8906 0.01740 -4296 5023 0.01451 -4296 5770 0.00928 -4296 6507 0.01795 -4296 6933 0.01438 -4296 9194 0.01630 -4296 9211 0.01843 -4296 9342 0.01554 -4296 9669 0.01694 -4296 9984 0.00263 -4295 5189 0.00874 -4295 5356 0.01995 -4295 7352 0.01149 -4295 7740 0.01679 -4295 7945 0.01413 -4295 9895 0.01355 -4294 4633 0.01595 -4294 4892 0.00814 -4294 6922 0.01232 -4294 7066 0.01606 -4294 7894 0.01619 -4294 8280 0.01089 -4294 8389 0.01876 -4294 8873 0.01963 -4294 9539 0.00663 -4294 9630 0.01295 -4294 9751 0.01601 -4293 4739 0.01880 -4293 8695 0.01502 -4293 8853 0.00553 -4292 4941 0.01401 -4292 5129 0.00799 -4292 5736 0.01768 -4292 6422 0.01092 -4292 7717 0.00424 -4292 8441 0.01581 -4291 5620 0.01649 -4291 6380 0.00573 -4291 6717 0.01997 -4291 6969 0.01311 -4291 7230 0.01953 -4291 7235 0.01886 -4291 7642 0.00531 -4291 7678 0.00554 -4291 7912 0.00789 -4291 8213 0.01014 -4291 9697 0.00902 -4290 5713 0.00557 -4290 7321 0.01955 -4290 7702 0.00758 -4290 8408 0.00434 -4290 8903 0.01797 -4290 9316 0.01232 -4289 4441 0.01229 -4289 4628 0.01680 -4289 4829 0.00318 -4289 6590 0.01384 -4289 6949 0.01754 -4289 7966 0.01783 -4289 8647 0.01306 -4288 4443 0.01591 -4288 4686 0.01644 -4288 5693 0.01262 -4288 8371 0.01673 -4287 6749 0.00678 -4287 7446 0.01284 -4287 8884 0.01726 -4287 9793 0.00705 -4286 6071 0.01653 -4286 6658 0.01818 -4286 6845 0.01325 -4286 7144 0.00532 -4286 7420 0.01754 -4286 8254 0.01888 -4286 8865 0.00898 -4286 9200 0.01884 -4285 4431 0.01722 -4285 5576 0.01488 -4285 6001 0.01951 -4285 6900 0.01473 -4285 7052 0.01217 -4285 7518 0.00649 -4285 7714 0.01457 -4285 8548 0.00571 -4284 4491 0.01884 -4284 7095 0.01249 -4284 7791 0.00839 -4284 8166 0.01790 -4284 8363 0.01909 -4284 8967 0.00589 -4284 9448 0.01277 -4283 4749 0.01352 -4283 5088 0.01808 -4283 5788 0.01635 -4283 6965 0.01386 -4283 7989 0.01920 -4283 8991 0.01731 -4283 9153 0.01360 -4283 9347 0.01292 -4283 9758 0.01135 -4283 9772 0.00197 -4282 4673 0.01465 -4282 4697 0.01720 -4282 7135 0.01785 -4282 7222 0.01630 -4282 7587 0.00185 -4282 8566 0.00221 -4282 8729 0.01988 -4282 9567 0.00978 -4282 9721 0.00857 -4282 9756 0.01228 -4281 4548 0.01866 -4281 4875 0.01138 -4281 4956 0.00294 -4281 5087 0.01686 -4281 5901 0.01925 -4281 6003 0.00703 -4281 6346 0.01069 -4281 7238 0.01606 -4281 7848 0.00723 -4280 4575 0.01254 -4280 4778 0.01046 -4280 6668 0.01149 -4280 8144 0.01933 -4280 9382 0.01541 -4280 9892 0.01374 -4279 4462 0.01453 -4279 4843 0.01076 -4279 5623 0.00411 -4279 7451 0.01969 -4279 7850 0.01705 -4279 8433 0.01936 -4279 9004 0.00528 -4279 9102 0.01362 -4279 9673 0.01967 -4279 9823 0.00800 -4278 5467 0.01012 -4278 7666 0.00489 -4278 7675 0.00439 -4278 8024 0.01131 -4278 8597 0.01793 -4278 9584 0.01552 -4277 4329 0.00589 -4277 5635 0.01862 -4277 7542 0.01745 -4277 7715 0.00761 -4277 8727 0.01404 -4276 5135 0.00656 -4276 5320 0.01716 -4276 5492 0.01882 -4276 5923 0.01341 -4276 7469 0.01511 -4276 9623 0.01467 -4276 9635 0.00962 -4275 4615 0.01910 -4275 4799 0.01371 -4275 5645 0.01158 -4275 6348 0.01723 -4275 7088 0.00048 -4275 8537 0.01347 -4274 4362 0.01033 -4274 4863 0.01172 -4274 5612 0.00509 -4274 8361 0.01361 -4274 9727 0.01975 -4273 4491 0.01669 -4273 5438 0.01831 -4273 5497 0.01080 -4273 6692 0.00797 -4273 7791 0.01703 -4273 7888 0.01634 -4273 8259 0.01743 -4273 8363 0.00557 -4273 8369 0.01808 -4273 9448 0.01366 -4272 5299 0.01511 -4272 8250 0.00633 -4272 8993 0.01424 -4271 5117 0.01405 -4271 5691 0.01540 -4271 6724 0.01081 -4271 7809 0.01598 -4270 5439 0.01438 -4270 7389 0.00955 -4270 7590 0.01460 -4270 7726 0.01400 -4270 7845 0.00285 -4270 8178 0.01977 -4270 9426 0.01577 -4270 9809 0.01566 -4269 5181 0.01938 -4269 7015 0.00148 -4269 7894 0.01531 -4269 8389 0.01508 -4269 9751 0.01368 -4269 9859 0.01181 -4268 5239 0.01259 -4268 6008 0.01255 -4268 6733 0.01693 -4268 6920 0.00969 -4268 7121 0.01440 -4268 7997 0.00407 -4268 8004 0.00677 -4268 8921 0.01309 -4268 9020 0.01858 -4267 5084 0.00661 -4267 5775 0.01275 -4267 6529 0.00455 -4267 7537 0.00750 -4267 8803 0.00721 -4267 9644 0.01545 -4266 4585 0.01265 -4266 4649 0.01107 -4266 5674 0.00524 -4266 5682 0.01486 -4266 7951 0.00911 -4266 9362 0.01129 -4266 9898 0.01434 -4266 9997 0.01884 -4265 5327 0.01140 -4265 5748 0.01959 -4265 5906 0.01808 -4265 5994 0.01863 -4265 6414 0.01956 -4265 8639 0.01241 -4265 9933 0.00564 -4264 4966 0.01668 -4264 5165 0.00839 -4264 5314 0.01995 -4264 6543 0.01834 -4264 6998 0.01188 -4264 7314 0.01855 -4264 8421 0.01024 -4264 8519 0.00929 -4264 9654 0.01327 -4263 4534 0.01726 -4263 4792 0.01631 -4263 4902 0.01612 -4263 5267 0.01575 -4263 5347 0.01483 -4263 5528 0.01260 -4263 6363 0.01645 -4263 6912 0.01672 -4262 5732 0.01619 -4262 6934 0.00559 -4262 7246 0.01187 -4262 7737 0.01080 -4262 8461 0.01642 -4262 9144 0.00503 -4262 9960 0.00569 -4261 4733 0.01715 -4261 5932 0.01010 -4261 6570 0.01901 -4261 6607 0.01478 -4261 7720 0.01453 -4261 7766 0.01498 -4261 8049 0.00310 -4261 8791 0.01438 -4261 9028 0.01509 -4261 9502 0.01282 -4260 4912 0.01153 -4260 5193 0.00439 -4260 5360 0.01411 -4260 5844 0.01542 -4260 6041 0.01501 -4260 6220 0.01918 -4260 6961 0.00837 -4260 8310 0.01835 -4260 8876 0.01288 -4260 9754 0.01960 -4259 4705 0.00424 -4259 5720 0.00880 -4259 6005 0.00944 -4259 6860 0.01072 -4259 7127 0.01587 -4259 7700 0.00639 -4259 8067 0.01239 -4259 8305 0.00646 -4259 8562 0.01970 -4259 9120 0.00912 -4258 5460 0.01748 -4258 7249 0.01158 -4258 9739 0.01680 -4256 4915 0.01339 -4256 5715 0.01199 -4256 5809 0.00777 -4256 6513 0.00565 -4256 6579 0.01583 -4256 6939 0.00722 -4256 8549 0.01853 -4255 7377 0.01667 -4255 8989 0.01910 -4254 4589 0.00361 -4254 4904 0.01633 -4254 5793 0.00790 -4254 5884 0.01251 -4254 6677 0.01873 -4254 6718 0.01694 -4254 8134 0.01186 -4254 8204 0.01029 -4254 8586 0.00472 -4254 8614 0.00396 -4254 9370 0.01672 -4254 9497 0.00244 -4253 4394 0.00932 -4253 4662 0.01855 -4253 4811 0.00825 -4253 5504 0.01337 -4253 7432 0.01849 -4253 8294 0.01359 -4253 8486 0.01889 -4253 8874 0.01867 -4253 9087 0.01176 -4253 9981 0.01611 -4252 4703 0.00453 -4252 5497 0.01651 -4252 5876 0.01033 -4252 7888 0.01550 -4252 9602 0.01692 -4251 6357 0.01459 -4251 7335 0.01936 -4251 7864 0.01899 -4251 8367 0.01183 -4251 8644 0.01972 -4251 9723 0.01877 -4250 5124 0.01845 -4250 5262 0.01547 -4250 5643 0.00861 -4250 5824 0.01900 -4250 6867 0.01743 -4250 7063 0.01325 -4250 8576 0.01886 -4249 4301 0.00901 -4249 4532 0.00875 -4249 5590 0.01430 -4249 5614 0.00718 -4249 6021 0.01868 -4249 6992 0.00313 -4249 8357 0.01072 -4249 8452 0.00876 -4249 9625 0.00363 -4249 9856 0.01672 -4248 4342 0.00900 -4248 4564 0.00848 -4248 4848 0.01899 -4248 5460 0.01222 -4248 6172 0.01483 -4248 6291 0.01134 -4248 9739 0.01888 -4247 4530 0.01696 -4247 4607 0.01655 -4247 5610 0.00503 -4247 5796 0.01909 -4247 5829 0.01172 -4247 6426 0.01242 -4247 7048 0.01368 -4247 7053 0.01393 -4247 7452 0.00905 -4247 7664 0.01383 -4246 4683 0.00539 -4246 5004 0.00598 -4246 5218 0.01922 -4246 5503 0.01259 -4246 8886 0.01454 -4246 9155 0.01584 -4246 9869 0.01118 -4244 4702 0.01392 -4244 5003 0.01761 -4244 5699 0.01735 -4244 7304 0.01828 -4244 7465 0.01540 -4244 7696 0.01639 -4244 8436 0.01724 -4244 9757 0.01616 -4243 4571 0.00804 -4243 6121 0.00729 -4243 6678 0.01690 -4243 8517 0.00546 -4243 8612 0.01575 -4243 9371 0.01885 -4242 4849 0.01869 -4242 7075 0.01449 -4242 7087 0.00903 -4242 7215 0.01321 -4242 7278 0.01813 -4242 7640 0.01488 -4242 9454 0.01981 -4242 9509 0.01543 -4241 4678 0.01876 -4241 5248 0.01544 -4241 5333 0.01777 -4241 5920 0.01554 -4241 8150 0.01978 -4241 9110 0.01817 -4240 4651 0.01878 -4240 5410 0.01847 -4240 6310 0.01375 -4240 7226 0.01751 -4240 7373 0.00904 -4240 8045 0.01179 -4240 8084 0.01658 -4240 8206 0.01846 -4240 8432 0.01549 -4240 8434 0.00456 -4240 8697 0.01447 -4240 9548 0.01860 -4239 6729 0.01230 -4239 7512 0.01577 -4238 4321 0.00573 -4238 5564 0.01970 -4238 5871 0.01344 -4238 6352 0.00807 -4238 7603 0.01720 -4238 7739 0.01229 -4238 7975 0.01706 -4238 8717 0.01353 -4237 5484 0.00900 -4237 7057 0.01756 -4237 8437 0.01940 -4236 4622 0.01455 -4236 4787 0.01799 -4236 6571 0.01348 -4236 6751 0.01691 -4236 7074 0.01661 -4236 7366 0.00874 -4236 7876 0.01205 -4236 8056 0.01438 -4236 8214 0.01534 -4236 8997 0.01460 -4236 9621 0.01815 -4236 9949 0.00910 -4235 4714 0.01233 -4235 5319 0.01099 -4235 8207 0.01023 -4235 8827 0.01458 -4234 4719 0.01758 -4234 4880 0.00308 -4234 5275 0.01613 -4234 5649 0.00516 -4234 7485 0.01819 -4234 8299 0.00513 -4234 8315 0.01285 -4234 8336 0.01594 -4234 8800 0.01627 -4234 9462 0.01687 -4234 9616 0.01549 -4234 9702 0.01138 -4233 4815 0.01324 -4233 6390 0.01808 -4233 6508 0.00671 -4233 7503 0.01596 -4233 8546 0.01622 -4233 9059 0.01877 -4232 4360 0.01318 -4232 5764 0.01173 -4232 6206 0.01657 -4232 6643 0.01459 -4232 7164 0.01187 -4232 7313 0.00539 -4232 9971 0.01432 -4231 7262 0.00500 -4231 7360 0.01561 -4231 9908 0.01823 -4230 4847 0.01884 -4230 5126 0.01290 -4230 6586 0.01615 -4230 6880 0.01980 -4230 7173 0.01751 -4230 7425 0.01508 -4230 7779 0.01717 -4230 9216 0.01774 -4230 9571 0.01836 -4230 9779 0.01102 -4229 4358 0.00661 -4229 4555 0.01975 -4229 6180 0.01015 -4229 6280 0.01664 -4229 8228 0.00848 -4229 8272 0.01424 -4229 8914 0.01822 -4228 4433 0.01455 -4228 5017 0.00950 -4228 5313 0.00775 -4228 5439 0.00896 -4228 5464 0.01134 -4228 5813 0.00971 -4228 6616 0.01898 -4228 6769 0.01677 -4228 6932 0.01804 -4228 7092 0.01275 -4228 7162 0.01943 -4228 7721 0.01022 -4228 8178 0.01574 -4228 8448 0.01684 -4228 8684 0.00758 -4228 9426 0.01799 -4227 4690 0.00834 -4227 6110 0.01133 -4227 6252 0.01081 -4227 6831 0.01460 -4227 7449 0.01524 -4227 9090 0.00803 -4227 9932 0.01869 -4226 5122 0.00645 -4226 5432 0.00918 -4226 5924 0.01202 -4226 6224 0.00804 -4226 7216 0.01464 -4226 7248 0.01291 -4226 7608 0.00733 -4226 7616 0.01581 -4226 7686 0.01956 -4226 8790 0.01870 -4226 8823 0.01697 -4226 8937 0.00842 -4226 9109 0.01003 -4225 4430 0.01120 -4225 4451 0.00774 -4225 6007 0.01830 -4225 8306 0.01818 -4225 8616 0.00311 -4225 9734 0.01686 -4224 4408 0.01893 -4224 5471 0.01935 -4224 6294 0.01821 -4224 7706 0.01942 -4224 7893 0.01978 -4224 8527 0.00916 -4224 8552 0.01265 -4224 8676 0.00536 -4224 8784 0.01759 -4224 8870 0.01189 -4223 4454 0.00979 -4223 4836 0.01908 -4223 6490 0.01897 -4223 6778 0.00829 -4223 7711 0.01803 -4223 7812 0.01870 -4223 8578 0.00875 -4223 8776 0.00592 -4222 4290 0.01286 -4222 4785 0.01821 -4222 5713 0.01820 -4222 7321 0.01186 -4222 8408 0.01593 -4222 9316 0.01794 -4221 5998 0.00519 -4221 6193 0.00357 -4221 6469 0.00270 -4221 7592 0.01428 -4221 7605 0.01742 -4221 7839 0.00560 -4221 9208 0.01621 -4220 4482 0.01864 -4220 4846 0.01155 -4220 6082 0.00842 -4220 6500 0.00988 -4220 6604 0.00441 -4220 7579 0.01612 -4220 7633 0.00718 -4220 8106 0.01994 -4220 8292 0.00975 -4220 8638 0.01755 -4220 9883 0.01948 -4219 5966 0.01803 -4219 6376 0.00774 -4219 8203 0.01266 -4219 8705 0.01615 -4218 5552 0.01546 -4218 7316 0.00872 -4218 7751 0.01000 -4218 8549 0.01566 -4217 4627 0.01964 -4217 4852 0.00887 -4217 5212 0.01393 -4217 9241 0.01240 -4216 4349 0.00551 -4216 4637 0.00420 -4216 4907 0.00406 -4216 5771 0.01956 -4216 6333 0.00687 -4216 8240 0.00444 -4216 8282 0.00777 -4216 8873 0.01373 -4216 9504 0.01051 -4216 9967 0.00826 -4215 4873 0.00486 -4215 5048 0.01965 -4215 5916 0.01364 -4215 7195 0.01763 -4215 7710 0.01150 -4215 8149 0.01201 -4215 8983 0.01736 -4214 6312 0.01696 -4214 6396 0.00636 -4214 7812 0.01774 -4214 8289 0.01503 -4213 4632 0.00774 -4213 6210 0.00842 -4213 6446 0.01877 -4213 7073 0.01630 -4213 7143 0.00271 -4213 9128 0.01427 -4213 9925 0.01128 -4212 6115 0.00936 -4212 7142 0.01412 -4212 7251 0.01119 -4212 8017 0.01307 -4212 8561 0.00903 -4212 8905 0.00917 -4212 9175 0.00806 -4211 4446 0.01791 -4211 4531 0.01656 -4211 5877 0.01683 -4211 8100 0.01937 -4211 8551 0.01965 -4211 9180 0.01705 -4211 9474 0.01982 -4210 4820 0.00512 -4210 4876 0.01588 -4210 7828 0.01519 -4210 8739 0.00408 -4209 5067 0.01774 -4209 5101 0.01632 -4209 6366 0.01345 -4209 6803 0.00522 -4209 7488 0.00125 -4209 8332 0.01830 -4209 9008 0.00470 -4209 9377 0.00996 -4208 4910 0.01065 -4208 5758 0.01969 -4208 6305 0.01862 -4208 7866 0.00407 -4208 9097 0.01935 -4208 9265 0.01548 -4208 9349 0.01091 -4207 5754 0.00499 -4207 5883 0.01313 -4207 6269 0.01351 -4207 6423 0.00483 -4207 7294 0.00417 -4207 8077 0.00358 -4207 9409 0.00942 -4207 9419 0.01993 -4206 4470 0.00562 -4206 5758 0.01893 -4206 8820 0.01734 -4206 9487 0.01443 -4205 6324 0.01290 -4205 6479 0.01216 -4205 6906 0.01750 -4205 7860 0.01519 -4205 8509 0.01878 -4205 9492 0.00812 -4204 4301 0.01494 -4204 6021 0.01044 -4204 6380 0.01639 -4204 9697 0.01645 -4203 4319 0.00711 -4203 4423 0.01581 -4203 5656 0.01755 -4203 6251 0.00889 -4203 8370 0.00444 -4203 8981 0.01485 -4203 9032 0.01036 -4203 9700 0.01548 -4203 9922 0.00412 -4202 4868 0.01270 -4202 5507 0.01701 -4202 5856 0.01195 -4202 5864 0.01298 -4202 5945 0.01972 -4202 5978 0.01122 -4202 6951 0.00542 -4202 8054 0.01985 -4202 8330 0.01205 -4201 5932 0.01677 -4201 6570 0.01085 -4201 6602 0.00944 -4201 7720 0.01532 -4201 9418 0.01699 -4201 9689 0.01607 -4200 4354 0.01659 -4200 4948 0.01724 -4200 5104 0.01475 -4200 5152 0.00871 -4200 5498 0.01564 -4200 6188 0.01668 -4200 7217 0.01102 -4200 7414 0.01312 -4200 8742 0.01255 -4200 9820 0.01964 -4199 4221 0.01625 -4199 4821 0.01009 -4199 5998 0.01898 -4199 6193 0.01961 -4199 6469 0.01735 -4199 6950 0.00974 -4199 7184 0.01290 -4199 7592 0.01450 -4199 7605 0.01164 -4199 8846 0.01544 -4199 9208 0.01035 -4198 5380 0.00738 -4198 5455 0.01757 -4198 6257 0.01571 -4198 6377 0.01038 -4198 6420 0.01815 -4198 7960 0.01457 -4198 8726 0.01559 -4198 8911 0.01453 -4197 5215 0.01019 -4197 5381 0.01769 -4197 6191 0.01019 -4197 6990 0.01399 -4197 7500 0.01656 -4197 8001 0.01879 -4197 8866 0.01127 -4196 4736 0.01517 -4196 4790 0.00823 -4196 5284 0.00702 -4196 6339 0.01243 -4196 6768 0.01712 -4196 7233 0.01197 -4196 7434 0.01817 -4196 9430 0.01776 -4196 9886 0.00343 -4195 8112 0.01721 -4195 8314 0.00810 -4195 8359 0.01892 -4195 8795 0.01305 -4195 9169 0.01039 -4195 9336 0.01533 -4194 5386 0.01592 -4194 5789 0.01304 -4194 6250 0.01447 -4194 6295 0.01935 -4194 7558 0.01798 -4194 9054 0.01409 -4193 4480 0.01810 -4193 5071 0.01991 -4193 5530 0.01872 -4193 7226 0.01953 -4193 8697 0.01801 -4192 4568 0.01550 -4192 5194 0.01290 -4192 6428 0.01357 -4192 7277 0.01958 -4192 9022 0.01356 -4192 9826 0.01598 -4192 9912 0.01801 -4191 4385 0.00924 -4191 4540 0.01665 -4191 4800 0.01425 -4191 5448 0.01966 -4191 5790 0.00780 -4191 7333 0.01722 -4191 7406 0.01965 -4190 4975 0.00237 -4190 7962 0.01992 -4190 8138 0.01759 -4190 8142 0.00868 -4190 8424 0.01833 -4190 8621 0.01850 -4189 4884 0.01397 -4189 5045 0.01739 -4189 5873 0.01535 -4189 7058 0.01028 -4189 7543 0.01612 -4189 8796 0.01698 -4188 5004 0.01946 -4188 5563 0.01710 -4188 6019 0.00947 -4188 7129 0.01875 -4188 8822 0.01676 -4188 9470 0.01292 -4187 4322 0.00612 -4187 4325 0.01427 -4187 4552 0.00884 -4187 6388 0.01223 -4187 6765 0.01707 -4187 7368 0.01087 -4187 7733 0.01857 -4187 7815 0.01454 -4187 7881 0.00825 -4187 9084 0.01025 -4187 9678 0.01800 -4186 4867 0.01731 -4186 6128 0.01183 -4186 6584 0.01931 -4186 6910 0.00750 -4186 7199 0.01510 -4186 7723 0.01156 -4186 7784 0.01465 -4186 7800 0.01872 -4186 7844 0.01679 -4186 9002 0.01084 -4186 9276 0.01006 -4185 4514 0.01344 -4185 5988 0.00889 -4185 6936 0.01959 -4185 8703 0.01940 -4185 8854 0.01298 -4184 4300 0.01496 -4184 4562 0.00749 -4184 5478 0.00055 -4184 6603 0.01001 -4184 9472 0.01387 -4184 9788 0.01783 -4183 5164 0.01245 -4183 6359 0.00989 -4183 8799 0.01739 -4183 9671 0.00476 -4182 5560 0.01823 -4182 8386 0.00788 -4182 8682 0.01669 -4181 5459 0.00893 -4181 6057 0.01465 -4181 6098 0.01856 -4181 6798 0.00236 -4181 7011 0.01105 -4181 7155 0.01368 -4181 8652 0.01876 -4181 8685 0.01899 -4181 9182 0.01893 -4180 6413 0.01545 -4180 7198 0.00571 -4180 7666 0.01700 -4180 8024 0.01072 -4180 8597 0.00668 -4180 8855 0.01382 -4180 9878 0.00974 -4179 5740 0.01560 -4179 6511 0.01900 -4179 7225 0.01296 -4178 4228 0.01076 -4178 4990 0.01976 -4178 5017 0.00480 -4178 5313 0.01004 -4178 5439 0.01971 -4178 5464 0.00060 -4178 5813 0.01272 -4178 6616 0.01845 -4178 6769 0.00650 -4178 6932 0.01940 -4178 7092 0.01809 -4178 7162 0.00872 -4178 7721 0.00114 -4178 8448 0.01077 -4178 8684 0.01074 -4177 4209 0.01578 -4177 5101 0.00055 -4177 6077 0.01358 -4177 6803 0.01504 -4177 7474 0.01320 -4177 7488 0.01599 -4177 8332 0.00983 -4177 8882 0.01644 -4177 9008 0.01249 -4177 9377 0.00583 -4177 9840 0.01793 -4176 4669 0.01617 -4176 5062 0.01595 -4176 5381 0.01466 -4176 5663 0.00727 -4176 6304 0.01998 -4176 6936 0.01749 -4176 6990 0.01230 -4176 7778 0.01279 -4176 8193 0.00511 -4176 8267 0.01876 -4176 8691 0.01414 -4176 9522 0.01905 -4175 4991 0.00960 -4175 6522 0.00555 -4175 7847 0.01395 -4174 4180 0.01526 -4174 4884 0.01920 -4174 6176 0.00739 -4174 6413 0.01938 -4174 7198 0.01036 -4174 8597 0.01799 -4174 8855 0.01375 -4174 9396 0.01599 -4174 9638 0.00989 -4173 4614 0.00906 -4173 5325 0.01951 -4173 5679 0.01805 -4173 6268 0.00340 -4173 6899 0.01054 -4173 7136 0.00488 -4173 7170 0.01410 -4173 7725 0.01703 -4173 8055 0.01912 -4173 8063 0.01346 -4173 8327 0.01337 -4172 4248 0.01133 -4172 4258 0.01890 -4172 4342 0.01771 -4172 4564 0.01961 -4172 5460 0.00292 -4172 6172 0.01256 -4172 6291 0.00673 -4172 9739 0.00879 -4171 4292 0.01814 -4171 4537 0.01229 -4171 4941 0.01878 -4171 6208 0.01535 -4171 7530 0.01711 -4171 7717 0.01464 -4171 8495 0.01064 -4171 9864 0.01687 -4170 5417 0.01212 -4170 6737 0.01987 -4170 6754 0.00872 -4170 7163 0.01036 -4170 7794 0.01826 -4170 8864 0.01789 -4170 9196 0.01748 -4170 9940 0.00870 -4169 4432 0.01778 -4169 4655 0.00748 -4169 5326 0.01343 -4169 6824 0.00860 -4169 7387 0.01711 -4169 8954 0.01438 -4169 8979 0.01306 -4169 9254 0.01822 -4169 9257 0.01925 -4168 4226 0.00897 -4168 5122 0.01539 -4168 5432 0.01009 -4168 5580 0.01926 -4168 5924 0.00364 -4168 6224 0.01633 -4168 7152 0.01955 -4168 7206 0.01851 -4168 7216 0.01387 -4168 7608 0.00164 -4168 7686 0.01988 -4168 8937 0.00514 -4168 9109 0.01156 -4167 7413 0.00549 -4167 7585 0.01158 -4167 7874 0.01689 -4167 8591 0.01165 -4167 8710 0.01240 -4167 9091 0.01813 -4166 4243 0.01483 -4166 4571 0.01539 -4166 6121 0.01030 -4166 6678 0.00616 -4166 7319 0.01715 -4166 7795 0.01906 -4166 8517 0.01238 -4166 8612 0.00837 -4166 8952 0.01361 -4166 9812 0.01850 -4165 6892 0.01485 -4165 7221 0.01540 -4165 7809 0.01693 -4165 8376 0.01895 -4165 8588 0.01375 -4164 4175 0.01586 -4164 5127 0.00977 -4164 6522 0.01603 -4164 7847 0.00279 -4164 8061 0.01450 -4163 5049 0.01964 -4163 5364 0.01730 -4163 5938 0.01833 -4163 6323 0.00399 -4163 6710 0.01577 -4163 6811 0.01579 -4163 7632 0.01894 -4163 9645 0.01122 -4162 4241 0.01131 -4162 5248 0.00905 -4162 5920 0.01806 -4162 7904 0.01562 -4162 7940 0.01580 -4162 8150 0.01603 -4162 9110 0.01779 -4161 4833 0.01206 -4161 4871 0.01745 -4161 5315 0.01280 -4161 7030 0.01160 -4161 8450 0.01209 -4161 9399 0.01826 -4161 9549 0.00976 -4160 5665 0.01835 -4160 5921 0.01488 -4160 5958 0.01642 -4160 8645 0.00899 -4160 8852 0.01966 -4160 9324 0.01961 -4159 6299 0.00807 -4159 7026 0.00630 -4159 7101 0.00948 -4159 7788 0.00927 -4159 9197 0.01774 -4159 9244 0.01837 -4159 9434 0.01208 -4158 5050 0.01913 -4158 5481 0.01545 -4158 5487 0.01797 -4158 7009 0.01210 -4158 7213 0.01922 -4158 8263 0.01812 -4158 8667 0.01922 -4157 4534 0.01151 -4157 4753 0.01553 -4157 5267 0.01346 -4157 8507 0.01338 -4156 6470 0.00406 -4156 8535 0.01783 -4155 4849 0.00816 -4155 5512 0.01484 -4155 5570 0.01086 -4155 7087 0.01342 -4155 8071 0.01936 -4155 9454 0.01579 -4155 9509 0.01225 -4154 4247 0.01394 -4154 5610 0.01652 -4154 6426 0.00727 -4154 7053 0.01051 -4154 7396 0.01545 -4154 7452 0.00555 -4154 7664 0.01225 -4154 9660 0.01016 -4153 5744 0.01730 -4153 6205 0.00645 -4153 6378 0.01575 -4153 7206 0.01250 -4153 7831 0.01881 -4153 9873 0.01895 -4152 6314 0.01117 -4152 7353 0.01139 -4152 8683 0.00926 -4152 9019 0.01785 -4151 4889 0.00840 -4151 5283 0.01467 -4151 8318 0.01699 -4151 9629 0.01697 -4151 9911 0.01535 -4150 4791 0.00952 -4150 5723 0.01468 -4150 6425 0.00069 -4150 6628 0.01397 -4150 7704 0.01594 -4150 8316 0.00961 -4150 8581 0.00382 -4150 9011 0.01517 -4149 6782 0.00549 -4149 8673 0.01289 -4149 9305 0.00201 -4149 9428 0.00294 -4149 9468 0.00709 -4149 9470 0.01621 -4148 5377 0.01694 -4148 5803 0.01181 -4148 5821 0.00671 -4148 6040 0.01414 -4148 6199 0.01764 -4148 8343 0.01464 -4147 4353 0.01891 -4147 6241 0.01275 -4147 7099 0.00866 -4146 4818 0.01670 -4146 4882 0.01494 -4146 4908 0.01479 -4146 5400 0.00572 -4146 6794 0.00950 -4146 7241 0.01314 -4146 8939 0.01713 -4146 8965 0.00408 -4146 8984 0.01312 -4146 9030 0.01961 -4146 9055 0.01344 -4146 9234 0.01468 -4146 9437 0.01387 -4145 4492 0.01934 -4145 5450 0.01097 -4145 7540 0.01645 -4145 8354 0.01142 -4145 9633 0.00764 -4144 4805 0.01920 -4144 5409 0.01111 -4144 5555 0.01093 -4144 5824 0.01444 -4144 6991 0.01090 -4144 7546 0.01802 -4144 7683 0.01207 -4144 7814 0.00690 -4144 9264 0.01657 -4143 4198 0.01655 -4143 5380 0.01719 -4143 6377 0.00847 -4143 6825 0.01119 -4143 8168 0.00903 -4143 8260 0.01482 -4143 8726 0.01287 -4143 9223 0.00868 -4142 4326 0.01305 -4142 4559 0.01494 -4142 5799 0.00965 -4142 7532 0.00459 -4142 7984 0.00159 -4142 8180 0.01839 -4142 8559 0.01330 -4142 8917 0.01202 -4141 5739 0.01600 -4141 6542 0.00849 -4141 8741 0.01727 -4140 4267 0.00991 -4140 5084 0.00367 -4140 6529 0.01343 -4140 6651 0.01050 -4140 7537 0.00428 -4140 8803 0.01652 -4140 9644 0.00723 -4139 4353 0.01569 -4139 6389 0.00466 -4139 7345 0.00667 -4139 8126 0.01444 -4139 8387 0.01849 -4139 9518 0.01356 -4138 5918 0.01726 -4138 6703 0.01762 -4138 7064 0.01827 -4138 8412 0.00688 -4138 9016 0.01777 -4137 7157 0.00179 -4137 7834 0.01131 -4137 8487 0.01219 -4136 4726 0.01763 -4136 4937 0.01499 -4136 5915 0.01470 -4136 6074 0.01950 -4136 6272 0.01098 -4136 6594 0.01613 -4136 7911 0.00415 -4136 9880 0.00728 -4135 4854 0.00959 -4135 6598 0.01655 -4135 9825 0.01671 -4134 4192 0.00416 -4134 4568 0.01317 -4134 5194 0.01231 -4134 6428 0.01165 -4134 6510 0.01923 -4134 9022 0.01665 -4133 4324 0.01828 -4133 4847 0.01057 -4133 5126 0.01788 -4133 5979 0.01956 -4133 6880 0.01578 -4133 9099 0.01465 -4133 9571 0.00936 -4133 9750 0.01885 -4133 9779 0.01465 -4132 5702 0.01749 -4132 6459 0.01809 -4132 7009 0.01473 -4132 9142 0.01414 -4132 9882 0.01869 -4131 6197 0.00455 -4131 6240 0.01783 -4131 6981 0.00483 -4131 7264 0.01320 -4131 7391 0.01654 -4131 7973 0.01508 -4131 8114 0.01818 -4131 8217 0.00854 -4131 8829 0.01948 -4131 9304 0.01907 -4131 9634 0.01078 -4130 7576 0.01978 -4130 7862 0.01572 -4130 7942 0.01616 -4130 8498 0.01780 -4130 8550 0.00808 -4130 9531 0.00294 -4129 4734 0.01778 -4129 5070 0.01133 -4129 5845 0.01567 -4129 6006 0.00887 -4129 6149 0.01594 -4129 7355 0.01339 -4128 4542 0.01886 -4128 4581 0.01273 -4128 4654 0.00162 -4128 4661 0.01974 -4128 4803 0.01436 -4128 8025 0.01561 -4128 8128 0.01852 -4128 8304 0.01904 -4128 8919 0.01650 -4128 9576 0.01341 -4127 6851 0.01463 -4127 8142 0.01534 -4127 8216 0.00687 -4127 8459 0.00542 -4127 9171 0.01794 -4126 4144 0.01691 -4126 4805 0.01045 -4126 4859 0.01006 -4126 5409 0.01050 -4126 5555 0.01423 -4126 6427 0.01155 -4126 6991 0.01826 -4126 7814 0.01276 -4126 8990 0.01635 -4126 9264 0.00925 -4125 5202 0.01978 -4125 6996 0.01922 -4125 8390 0.01015 -4124 5730 0.01498 -4124 7655 0.00521 -4124 8248 0.01444 -4124 9217 0.00609 -4123 4390 0.01436 -4123 6354 0.01873 -4123 6878 0.00492 -4123 7578 0.01176 -4123 8146 0.01935 -4123 8759 0.01594 -4123 9647 0.01283 -4122 5495 0.01094 -4122 5795 0.01778 -4122 6553 0.00721 -4122 7272 0.00844 -4121 6005 0.01977 -4121 6392 0.01854 -4121 7127 0.01192 -4121 9376 0.01844 -4120 4195 0.00616 -4120 8112 0.01496 -4120 8314 0.01349 -4120 8795 0.01075 -4120 9169 0.00607 -4119 4921 0.01909 -4119 5208 0.01976 -4119 5594 0.01546 -4119 5709 0.00597 -4119 5742 0.00677 -4119 9563 0.00505 -4118 7310 0.01863 -4118 7397 0.01741 -4118 8210 0.00712 -4118 8233 0.01386 -4118 9463 0.00743 -4118 9558 0.01226 -4117 4479 0.01729 -4117 4977 0.01813 -4117 5296 0.00653 -4117 6236 0.01889 -4117 6627 0.01877 -4117 6819 0.01414 -4117 6832 0.00817 -4117 6858 0.01799 -4117 7056 0.00890 -4117 7818 0.01678 -4116 6740 0.00836 -4116 6954 0.01568 -4115 4946 0.01382 -4115 5053 0.01638 -4115 6433 0.01960 -4115 6447 0.01665 -4115 6544 0.00532 -4115 8809 0.00370 -4115 8875 0.01997 -4115 9449 0.01114 -4114 4124 0.01642 -4114 4271 0.01356 -4114 4378 0.01643 -4114 5691 0.00728 -4114 6317 0.01892 -4114 6724 0.00420 -4114 7655 0.01528 -4114 7809 0.01473 -4114 8248 0.01068 -4114 9217 0.01832 -4113 5069 0.00433 -4113 5138 0.01225 -4113 5163 0.01769 -4113 5418 0.00539 -4113 6132 0.00853 -4113 8219 0.00887 -4113 9298 0.00242 -4113 9473 0.01705 -4113 9819 0.01140 -4112 4245 0.00846 -4111 4830 0.01835 -4111 5137 0.01716 -4111 8996 0.00738 -4110 5071 0.01826 -4110 5364 0.01911 -4110 6261 0.01518 -4110 6811 0.01973 -4110 6814 0.00627 -4110 6953 0.00358 -4110 9897 0.01961 -4109 5054 0.01465 -4109 5232 0.01196 -4109 5349 0.00804 -4109 7549 0.01941 -4109 7562 0.00328 -4109 7736 0.01337 -4109 8815 0.01035 -4109 8895 0.00200 -4109 9649 0.01822 -4109 9670 0.01489 -4109 9748 0.01047 -4108 6103 0.01906 -4108 6987 0.01572 -4108 9286 0.00890 -4108 9947 0.01478 -4107 4713 0.01906 -4107 6083 0.01645 -4107 6106 0.01917 -4107 6222 0.01680 -4107 6926 0.00680 -4107 7010 0.01018 -4107 8848 0.00523 -4106 4855 0.01076 -4106 4938 0.01548 -4106 6395 0.01552 -4106 7296 0.01875 -4106 7802 0.01978 -4106 7920 0.00653 -4106 8349 0.01923 -4106 9493 0.01521 -4105 4279 0.01808 -4105 4462 0.00530 -4105 5301 0.01733 -4105 5716 0.00502 -4105 6682 0.01728 -4105 7745 0.01123 -4105 7850 0.01582 -4105 9673 0.01276 -4105 9823 0.01474 -4104 4137 0.00651 -4104 7157 0.00659 -4104 7834 0.00912 -4104 8487 0.00728 -4103 5052 0.01980 -4103 5128 0.01497 -4103 5405 0.00972 -4103 5602 0.01584 -4103 6185 0.01745 -4103 6984 0.01370 -4103 7120 0.00491 -4103 9452 0.01364 -4102 4421 0.01413 -4102 5051 0.01529 -4102 6465 0.00511 -4102 7426 0.01269 -4102 7641 0.01563 -4101 4867 0.01251 -4101 4870 0.00373 -4101 5644 0.01653 -4101 5949 0.01445 -4101 6056 0.01449 -4101 6342 0.01606 -4101 6584 0.00816 -4101 6896 0.01649 -4101 8101 0.01487 -4101 8237 0.01366 -4101 9002 0.01996 -4100 5192 0.01532 -4100 7712 0.01257 -4100 8182 0.01939 -4100 8192 0.00866 -4100 8400 0.00397 -4100 8438 0.00779 -4100 9462 0.01294 -4099 4210 0.01090 -4099 4820 0.01367 -4099 5024 0.01873 -4099 7580 0.01796 -4099 7936 0.01620 -4099 8739 0.01494 -4098 5064 0.00894 -4098 5422 0.00742 -4098 5651 0.01768 -4098 8995 0.00890 -4098 9076 0.01445 -4097 4208 0.01938 -4097 4910 0.00893 -4097 5125 0.01042 -4097 6091 0.01246 -4097 6189 0.01629 -4097 9349 0.01978 -4096 6566 0.01040 -4096 7186 0.01706 -4096 8115 0.01369 -4096 8129 0.00615 -4096 8133 0.00861 -4096 9337 0.01717 -4096 9688 0.01791 -4095 4142 0.01446 -4095 4559 0.01080 -4095 5357 0.00983 -4095 5799 0.00788 -4095 7532 0.01714 -4095 7984 0.01554 -4095 8180 0.01140 -4095 8559 0.00171 -4095 8917 0.00858 -4094 4181 0.00719 -4094 5459 0.01460 -4094 6057 0.00746 -4094 6798 0.00801 -4094 7011 0.01695 -4094 7947 0.01647 -4094 8366 0.01962 -4094 8384 0.01864 -4094 8446 0.01387 -4094 8685 0.01943 -4093 4816 0.00662 -4093 5612 0.01951 -4093 5819 0.00783 -4093 5970 0.01270 -4093 6065 0.01068 -4093 6482 0.01972 -4093 9440 0.00252 -4092 4636 0.01601 -4092 5214 0.01849 -4092 5607 0.01959 -4092 7476 0.01432 -4091 4208 0.01919 -4091 4529 0.01123 -4091 5913 0.01240 -4091 6218 0.01707 -4091 6305 0.00178 -4091 6325 0.00466 -4091 7866 0.01670 -4091 8889 0.01515 -4091 9097 0.00826 -4091 9265 0.00654 -4090 4617 0.01014 -4090 4706 0.01851 -4090 4998 0.01983 -4090 5355 0.01741 -4090 7890 0.01998 -4090 9657 0.01693 -4090 9917 0.01778 -4089 5183 0.01607 -4089 7004 0.01580 -4089 7646 0.01796 -4089 7757 0.01686 -4089 7965 0.01066 -4088 4374 0.01201 -4088 6367 0.00752 -4088 7138 0.00674 -4088 8582 0.01148 -4088 9318 0.00699 -4088 9410 0.01938 -4087 4164 0.01854 -4087 4175 0.01215 -4087 4991 0.01505 -4087 6284 0.00936 -4087 6522 0.00660 -4087 7847 0.01576 -4087 9658 0.01240 -4086 4259 0.01954 -4086 4705 0.01593 -4086 5720 0.01140 -4086 6011 0.01554 -4086 6156 0.01916 -4086 6860 0.01722 -4086 6955 0.01692 -4086 7284 0.01292 -4086 7495 0.01514 -4086 8067 0.01002 -4086 8305 0.01475 -4086 9053 0.00578 -4086 9551 0.01820 -4085 6089 0.00910 -4085 6278 0.01990 -4085 6597 0.00604 -4085 7874 0.01935 -4085 7889 0.01341 -4084 4549 0.01421 -4084 4593 0.00982 -4084 6100 0.00794 -4084 6260 0.00920 -4084 6695 0.00662 -4084 7662 0.01680 -4084 7841 0.00589 -4084 8108 0.01214 -4084 8885 0.01396 -4084 9640 0.01529 -4083 4732 0.01274 -4083 4757 0.01851 -4083 4945 0.00303 -4083 4971 0.01946 -4082 4695 0.00729 -4082 7393 0.01371 -4082 8410 0.01548 -4082 8754 0.01102 -4082 8760 0.01332 -4082 9341 0.01731 -4081 4930 0.00860 -4081 7041 0.00637 -4081 8006 0.01592 -4080 5710 0.00172 -4080 8279 0.00740 -4080 8807 0.01811 -4080 9206 0.01064 -4079 4212 0.01013 -4079 6115 0.01100 -4079 7251 0.00646 -4079 8017 0.01887 -4079 8561 0.01776 -4079 8905 0.00452 -4079 9175 0.01819 -4078 4414 0.01204 -4078 4728 0.01609 -4078 5238 0.01157 -4078 5653 0.01586 -4078 6487 0.00928 -4078 6655 0.01940 -4078 7242 0.01934 -4078 8232 0.01429 -4077 7479 0.01494 -4077 8059 0.01928 -4077 9308 0.01353 -4077 9605 0.01325 -4077 9766 0.01739 -4076 4231 0.01482 -4076 7262 0.01948 -4076 7360 0.01616 -4076 9908 0.01457 -4075 5374 0.01663 -4075 5694 0.01807 -4075 6383 0.00563 -4075 7249 0.01294 -4074 4231 0.01689 -4074 6634 0.01730 -4074 7262 0.01659 -4074 7360 0.01688 -4073 4574 0.01428 -4073 4772 0.01846 -4073 5480 0.01549 -4073 6445 0.00565 -4073 6750 0.00627 -4073 8066 0.01831 -4073 9711 0.01638 -4072 5110 0.00862 -4072 5331 0.01627 -4072 6419 0.01217 -4072 8841 0.00395 -4071 6105 0.01147 -4071 7440 0.01768 -4071 9792 0.01484 -4070 4097 0.00403 -4070 4910 0.01076 -4070 4943 0.01774 -4070 5125 0.01394 -4070 6091 0.01089 -4070 6189 0.01244 -4070 9349 0.01967 -4069 4163 0.01804 -4069 4480 0.01634 -4069 5071 0.01674 -4069 5364 0.00890 -4069 5530 0.00939 -4069 6323 0.01582 -4069 6811 0.01638 -4069 7226 0.01924 -4069 9645 0.01606 -4068 4496 0.01884 -4068 4756 0.00642 -4068 5298 0.01713 -4068 5722 0.00720 -4068 8534 0.00787 -4067 4386 0.01648 -4067 6013 0.01814 -4067 6016 0.01766 -4066 5349 0.01702 -4066 7562 0.01880 -4066 8797 0.00984 -4065 6451 0.00694 -4065 6614 0.01654 -4065 6898 0.00802 -4065 8225 0.01111 -4065 8828 0.00859 -4065 9956 0.01287 -4064 4761 0.00892 -4064 4957 0.00904 -4064 5442 0.01319 -4064 6488 0.00247 -4064 6770 0.00631 -4064 6889 0.01668 -4064 8653 0.00667 -4063 5690 0.01467 -4063 6551 0.00547 -4063 7276 0.01373 -4063 8060 0.01150 -4063 8333 0.00304 -4063 8832 0.01621 -4063 9822 0.01767 -4062 4316 0.01369 -4062 5955 0.01514 -4062 8186 0.01797 -4062 8598 0.00714 -4062 9227 0.01326 -4061 4086 0.01669 -4061 4259 0.00427 -4061 4705 0.00497 -4061 5720 0.00762 -4061 6005 0.01231 -4061 6860 0.01250 -4061 7127 0.01950 -4061 7658 0.01911 -4061 7700 0.01055 -4061 8067 0.01159 -4061 8305 0.00701 -4061 9120 0.00757 -4061 9551 0.01910 -4060 5100 0.01569 -4060 6822 0.01471 -4060 7381 0.01557 -4060 8147 0.01826 -4060 8860 0.01813 -4060 9411 0.01736 -4059 4102 0.01508 -4059 4206 0.01512 -4059 4421 0.01565 -4059 4470 0.01974 -4059 5367 0.01588 -4059 6465 0.01122 -4059 7426 0.00672 -4059 8910 0.01958 -4058 4603 0.01994 -4058 5091 0.00432 -4058 6725 0.01740 -4058 6946 0.00753 -4057 5525 0.00361 -4057 6617 0.01494 -4057 9397 0.01803 -4057 9679 0.01359 -4056 5217 0.01417 -4056 5569 0.01467 -4056 6823 0.01047 -4056 6853 0.01959 -4056 6866 0.01456 -4056 8399 0.01778 -4056 8899 0.01366 -4056 9237 0.01267 -4056 9546 0.01603 -4056 9961 0.00946 -4055 4651 0.01491 -4055 5311 0.01586 -4055 5353 0.01546 -4055 5410 0.01429 -4055 6178 0.01700 -4055 6774 0.00932 -4055 7176 0.01754 -4055 8084 0.01746 -4055 8422 0.01258 -4054 4335 0.01964 -4054 4883 0.01610 -4054 5154 0.01801 -4054 6891 0.01348 -4054 9164 0.00671 -4054 9413 0.01411 -4054 9712 0.00839 -4054 9899 0.01234 -4053 4348 0.01538 -4053 5923 0.01244 -4053 6845 0.00801 -4053 7033 0.01304 -4053 7144 0.01602 -4053 7469 0.01644 -4053 8254 0.01656 -4053 8865 0.01258 -4053 8942 0.01766 -4053 9200 0.01572 -4052 5444 0.00378 -4052 6736 0.01212 -4052 8194 0.00445 -4052 8608 0.01391 -4052 9256 0.01431 -4051 5241 0.00730 -4051 9114 0.01406 -4051 9322 0.01983 -4050 4217 0.01474 -4050 4627 0.01801 -4050 4852 0.01264 -4050 5212 0.01864 -4050 6331 0.00938 -4050 6358 0.00793 -4050 7555 0.00794 -4050 9306 0.01710 -4049 5067 0.01209 -4049 8163 0.00565 -4049 9541 0.01835 -4048 4126 0.01536 -4048 5555 0.01813 -4048 6214 0.01357 -4048 6427 0.00771 -4048 8201 0.01910 -4048 8990 0.01784 -4048 9264 0.01073 -4047 4100 0.01640 -4047 5192 0.00208 -4047 6142 0.00858 -4047 7712 0.00643 -4047 9462 0.01937 -4046 4512 0.01105 -4046 5756 0.01362 -4046 6524 0.01441 -4046 8139 0.01416 -4046 8165 0.00504 -4046 8976 0.01700 -4045 5980 0.01215 -4045 7394 0.01675 -4045 7565 0.00593 -4045 7948 0.01758 -4045 8344 0.00930 -4045 8979 0.01782 -4044 4247 0.01695 -4044 4530 0.00243 -4044 4607 0.01399 -4044 5575 0.01397 -4044 5610 0.01453 -4044 5662 0.01778 -4044 5796 0.00813 -4044 6704 0.00742 -4044 7048 0.01958 -4043 4303 0.01720 -4043 4971 0.01205 -4043 5172 0.01806 -4043 5698 0.01042 -4043 7656 0.00966 -4043 8079 0.00318 -4042 4720 0.01819 -4042 5076 0.01975 -4041 4244 0.01149 -4041 4337 0.01878 -4041 4702 0.01474 -4041 5003 0.01877 -4041 5462 0.01135 -4041 5699 0.01121 -4041 7304 0.00826 -4041 7465 0.00402 -4041 9757 0.00770 -4040 4222 0.01853 -4040 8760 0.00994 -4039 4307 0.00500 -4039 4619 0.01187 -4039 4746 0.01672 -4039 5145 0.01911 -4039 7200 0.01904 -4039 7445 0.01856 -4039 9168 0.01584 -4039 9686 0.01283 -4038 7796 0.01774 -4038 8707 0.01217 -4038 8893 0.01638 -4037 4938 0.01636 -4037 5207 0.01861 -4037 5323 0.01125 -4037 5588 0.01789 -4037 6434 0.01459 -4037 6967 0.01764 -4037 7076 0.01995 -4037 7128 0.01967 -4037 7296 0.00693 -4037 8148 0.01429 -4037 8540 0.00814 -4037 8908 0.00761 -4037 9648 0.01871 -4037 9874 0.01450 -4036 4998 0.00919 -4036 5355 0.01232 -4036 5639 0.00729 -4036 7492 0.01000 -4036 9652 0.01583 -4035 4313 0.01097 -4035 4527 0.01914 -4035 5685 0.01920 -4035 6137 0.01273 -4035 6264 0.01696 -4035 7359 0.01127 -4035 7781 0.01413 -4035 7782 0.01420 -4035 8116 0.01274 -4035 8278 0.00508 -4035 9232 0.01909 -4035 9416 0.00703 -4034 4205 0.01850 -4034 4777 0.01406 -4034 5976 0.01143 -4034 6085 0.00452 -4034 6324 0.01296 -4034 6479 0.01626 -4034 6906 0.01579 -4034 7194 0.01417 -4034 8509 0.01954 -4034 9172 0.01157 -4034 9492 0.01134 -4034 9510 0.00727 -4033 4605 0.01465 -4033 4996 0.01874 -4033 6141 0.01504 -4033 6524 0.01133 -4033 6852 0.00595 -4033 7604 0.01789 -4033 8139 0.01025 -4033 8140 0.01682 -4032 4251 0.01762 -4032 4814 0.01893 -4032 4978 0.01439 -4032 5178 0.01219 -4032 5628 0.01707 -4032 6357 0.00348 -4032 6647 0.00608 -4032 7269 0.01200 -4032 7286 0.01859 -4032 7864 0.00407 -4032 8120 0.00976 -4032 9293 0.01916 -4032 9723 0.00234 -4032 9764 0.01823 -4031 4890 0.00852 -4031 4959 0.01809 -4031 6262 0.01910 -4031 6296 0.01664 -4031 7322 0.01083 -4031 7657 0.01934 -4031 8127 0.01119 -4031 8636 0.01928 -4031 8838 0.01504 -4031 9202 0.00644 -4031 9372 0.01852 -4030 4180 0.01176 -4030 7198 0.01398 -4030 7666 0.01764 -4030 7675 0.01976 -4030 8024 0.01657 -4030 8597 0.01692 -4030 8855 0.01466 -4030 9584 0.01980 -4030 9878 0.00353 -4029 7496 0.01902 -4029 7516 0.01959 -4029 7687 0.01113 -4029 8365 0.00390 -4029 8999 0.00629 -4028 4118 0.00647 -4028 5352 0.01824 -4028 7310 0.01858 -4028 7397 0.01215 -4028 8210 0.00515 -4028 8233 0.01571 -4028 9463 0.00239 -4028 9558 0.01816 -4028 9785 0.01690 -4027 5836 0.01974 -4027 6020 0.01444 -4027 6044 0.00885 -4027 6229 0.01380 -4027 7611 0.01355 -4027 8554 0.01211 -4027 9005 0.01889 -4027 9724 0.01880 -4026 6034 0.00801 -4026 6341 0.00762 -4026 7954 0.01757 -4026 8028 0.01746 -4026 8932 0.00793 -4026 8957 0.01826 -4025 5112 0.00802 -4025 5414 0.00870 -4025 5718 0.01099 -4025 6394 0.01098 -4025 6480 0.01996 -4025 7258 0.01264 -4025 7890 0.01588 -4025 7962 0.01731 -4025 8190 0.01205 -4025 8383 0.01335 -4025 8424 0.01792 -4025 9134 0.00438 -4025 9871 0.01070 -4024 4094 0.01347 -4024 4181 0.01514 -4024 6057 0.01587 -4024 6098 0.01888 -4024 6798 0.01742 -4024 7327 0.00926 -4024 8384 0.01309 -4024 8446 0.01507 -4024 9555 0.01582 -4023 4437 0.01527 -4023 5345 0.00240 -4023 5754 0.01956 -4023 6269 0.01170 -4023 7166 0.01899 -4023 9419 0.01586 -4022 4557 0.01480 -4022 4763 0.01952 -4022 5012 0.01760 -4022 6093 0.00960 -4022 6701 0.01426 -4022 7029 0.01107 -4022 7335 0.01992 -4021 4416 0.01511 -4021 4456 0.01653 -4021 5562 0.01492 -4021 7457 0.01939 -4021 9535 0.01319 -4020 4779 0.01645 -4020 4791 0.01704 -4020 5959 0.01009 -4020 6657 0.01662 -4020 9011 0.00995 -4020 9624 0.00704 -4019 4422 0.00594 -4019 6181 0.01871 -4019 7752 0.00453 -4019 8750 0.01947 -4018 5161 0.00517 -4018 6610 0.00786 -4018 7428 0.00349 -4017 4224 0.00972 -4017 4371 0.01763 -4017 4426 0.01815 -4017 5471 0.00987 -4017 6294 0.01443 -4017 7706 0.01055 -4017 8527 0.01115 -4017 8676 0.00887 -4016 4120 0.01494 -4016 4195 0.01315 -4016 4297 0.01383 -4016 5850 0.01302 -4016 8314 0.01888 -4016 9336 0.01281 -4016 9479 0.01614 -4015 4410 0.01589 -4015 6416 0.00478 -4015 8277 0.01618 -4015 8525 0.01065 -4014 4474 0.00850 -4014 4560 0.01883 -4014 4668 0.01540 -4014 5852 0.01150 -4014 7169 0.01028 -4013 4569 0.01733 -4013 5403 0.01553 -4013 5537 0.01301 -4013 5951 0.00412 -4013 8723 0.01476 -4012 5139 0.01977 -4012 5237 0.01696 -4012 5475 0.00618 -4012 5719 0.01089 -4012 6519 0.00388 -4012 9348 0.01872 -4012 9799 0.01267 -4011 4656 0.01215 -4011 5818 0.01395 -4011 7221 0.00494 -4011 7861 0.01683 -4011 8376 0.00678 -4011 8588 0.01158 -4011 9909 0.01253 -4010 5113 0.01733 -4010 8373 0.01282 -4010 8572 0.01164 -4010 8956 0.01436 -4010 8994 0.01368 -4010 9614 0.01153 -4009 4802 0.01195 -4009 5981 0.00437 -4009 5986 0.01738 -4009 6012 0.01757 -4009 9586 0.01703 -4008 4229 0.01993 -4008 4675 0.01143 -4008 6280 0.01860 -4008 7895 0.00654 -4008 8228 0.01486 -4008 8573 0.01778 -4008 8914 0.00290 -4008 9209 0.01971 -4008 9424 0.01003 -4007 4716 0.01164 -4007 5501 0.01530 -4007 5703 0.01789 -4007 5907 0.01880 -4007 6104 0.01336 -4007 6662 0.01043 -4006 5389 0.00263 -4006 6857 0.01626 -4006 7531 0.01754 -4006 7691 0.01603 -4006 7792 0.01439 -4006 8047 0.01533 -4006 8154 0.01869 -4006 9146 0.00510 -4006 9157 0.01104 -4005 5377 0.00680 -4005 6688 0.01625 -4005 8343 0.01459 -4005 8351 0.00279 -4005 9929 0.01435 -4005 9992 0.01693 -4004 5411 0.01691 -4004 7149 0.01402 -4004 7536 0.01524 -4004 7676 0.01168 -4004 8329 0.01683 -4004 8686 0.01621 -4004 8805 0.01764 -4004 9321 0.01294 -4003 4215 0.01585 -4003 4873 0.01676 -4003 5891 0.01451 -4003 6043 0.00668 -4003 9498 0.01988 -4002 4587 0.01157 -4002 6997 0.01615 -4002 7502 0.01937 -4002 8949 0.00797 -4002 9465 0.01649 -4002 9965 0.01069 -4001 4308 0.01745 -4001 4377 0.01707 -4001 7115 0.01831 -4001 7415 0.01406 -4001 7679 0.01711 -4001 8346 0.01949 -4001 8569 0.00444 -4001 8946 0.01191 -4001 9112 0.00640 -4001 9730 0.01916 -4000 4999 0.00794 -4000 5850 0.01509 -4000 8314 0.01984 -4000 8386 0.01384 -4000 9336 0.01249 -3999 4005 0.00843 -3999 4154 0.01997 -3999 5377 0.01208 -3999 6688 0.01039 -3999 8343 0.01510 -3999 8351 0.00859 -3999 9660 0.01667 -3999 9929 0.00604 -3999 9992 0.00855 -3998 4970 0.01257 -3998 6112 0.01176 -3998 6575 0.01926 -3998 6783 0.01480 -3998 7671 0.01957 -3998 7689 0.01850 -3998 8439 0.01494 -3998 9010 0.01576 -3998 9214 0.01857 -3997 5719 0.00983 -3997 5943 0.00719 -3997 6787 0.01303 -3997 6957 0.00827 -3997 7750 0.00858 -3997 7754 0.00464 -3997 9348 0.00218 -3997 9666 0.01542 -3997 9799 0.01439 -3996 4436 0.01407 -3996 5532 0.00632 -3996 7323 0.01976 -3996 7628 0.00877 -3996 8111 0.01710 -3996 9461 0.01234 -3995 4688 0.01435 -3995 5745 0.01052 -3995 6309 0.01858 -3995 7124 0.01974 -3995 7789 0.01763 -3995 8470 0.01500 -3994 4203 0.00751 -3994 4319 0.00643 -3994 4423 0.01130 -3994 5456 0.01703 -3994 5656 0.01004 -3994 6251 0.01062 -3994 8370 0.01106 -3994 8981 0.01520 -3994 9032 0.01783 -3994 9922 0.00589 -3993 4057 0.01158 -3993 5288 0.01713 -3993 5525 0.00946 -3993 6617 0.01799 -3993 8451 0.01818 -3993 9679 0.00994 -3992 5036 0.01635 -3992 5251 0.01678 -3992 5499 0.01790 -3992 7184 0.01761 -3992 7915 0.00349 -3992 8124 0.01621 -3992 8814 0.01792 -3992 9592 0.00355 -3992 9775 0.01539 -3991 5941 0.01791 -3991 6161 0.00472 -3991 6635 0.01757 -3991 7292 0.00724 -3990 4850 0.00965 -3990 4995 0.00633 -3990 5075 0.01484 -3990 5141 0.01492 -3990 6715 0.00440 -3990 7347 0.01489 -3990 7638 0.01541 -3990 9131 0.01241 -3989 5957 0.01185 -3989 7131 0.01304 -3989 9166 0.01311 -3989 9278 0.01387 -3989 9343 0.00284 -3988 6881 0.01360 -3988 9356 0.00411 -3987 5250 0.01588 -3987 6265 0.01865 -3987 7014 0.01997 -3987 8891 0.00589 -3987 9637 0.00631 -3987 9977 0.01585 -3986 6046 0.01005 -3986 6395 0.01667 -3986 6673 0.01504 -3986 6828 0.01339 -3986 7123 0.00765 -3986 7756 0.01613 -3986 7802 0.01222 -3986 8313 0.01931 -3986 8465 0.01133 -3986 9438 0.00532 -3986 9493 0.01934 -3986 9553 0.01379 -3985 5401 0.01511 -3985 5573 0.01993 -3985 8757 0.00456 -3985 9062 0.01015 -3985 9664 0.00647 -3984 4624 0.01774 -3984 4729 0.01045 -3984 5229 0.01630 -3984 5435 0.01113 -3984 5465 0.01276 -3984 6107 0.00660 -3984 7078 0.01988 -3984 8556 0.01615 -3984 9230 0.00509 -3984 9340 0.01866 -3983 5433 0.01626 -3983 5707 0.01768 -3983 6139 0.01653 -3983 6186 0.01876 -3983 8406 0.00695 -3983 8623 0.01381 -3983 8880 0.01509 -3983 9870 0.01367 -3982 4850 0.01966 -3982 4995 0.01505 -3982 5141 0.01477 -3982 5158 0.00442 -3982 5159 0.01505 -3982 6715 0.01697 -3982 7776 0.00641 -3982 8027 0.01970 -3982 9131 0.01221 -3982 9918 0.00840 -3981 4895 0.01855 -3981 9346 0.01460 -3980 4027 0.00629 -3980 6020 0.01429 -3980 6044 0.01485 -3980 6229 0.00829 -3980 7611 0.01982 -3980 8554 0.01824 -3980 9005 0.01312 -3980 9724 0.01576 -3979 4144 0.00675 -3979 5409 0.01726 -3979 5555 0.01520 -3979 5824 0.00887 -3979 6991 0.01446 -3979 7546 0.01523 -3979 7683 0.00619 -3979 7814 0.01296 -3979 8635 0.01907 -3978 5266 0.00642 -3978 6444 0.00573 -3978 7013 0.00359 -3978 8297 0.01695 -3978 9040 0.01189 -3978 9737 0.00912 -3977 4086 0.00551 -3977 5720 0.01652 -3977 6011 0.01928 -3977 6156 0.01380 -3977 6955 0.01311 -3977 7284 0.00806 -3977 7495 0.01043 -3977 8067 0.01551 -3977 8305 0.01989 -3977 8880 0.01829 -3977 9053 0.00054 -3977 9551 0.01659 -3976 4156 0.00790 -3976 5223 0.01382 -3976 6470 0.00970 -3976 8535 0.01565 -3975 4639 0.01061 -3975 4801 0.01162 -3975 5189 0.01560 -3975 5271 0.01355 -3975 5304 0.01090 -3975 6745 0.01892 -3975 7211 0.01635 -3975 7352 0.01437 -3975 9895 0.01358 -3975 9975 0.00345 -3974 4232 0.01423 -3974 4360 0.01538 -3974 7313 0.01068 -3974 8743 0.01972 -3974 9971 0.00369 -3973 4049 0.01276 -3973 4209 0.01738 -3973 5067 0.01813 -3973 7488 0.01863 -3973 7906 0.01350 -3973 8163 0.00903 -3973 9377 0.01965 -3972 4037 0.01645 -3972 4506 0.01373 -3972 5187 0.01045 -3972 5323 0.00535 -3972 5511 0.01323 -3972 5868 0.01470 -3972 6589 0.01706 -3972 6656 0.01984 -3972 6767 0.01553 -3972 7076 0.00767 -3972 7296 0.01019 -3972 9866 0.01746 -3971 4365 0.01440 -3971 6050 0.01725 -3971 6809 0.01702 -3971 8211 0.01912 -3971 8536 0.01067 -3971 8558 0.01658 -3970 4987 0.01803 -3970 5673 0.01350 -3970 6626 0.01772 -3970 6664 0.01975 -3970 7086 0.01384 -3970 7346 0.01627 -3970 7673 0.01269 -3970 8629 0.01883 -3970 9100 0.00831 -3970 9126 0.01675 -3970 9857 0.01627 -3969 5758 0.01368 -3969 6795 0.00769 -3969 7014 0.01962 -3969 7167 0.00932 -3969 7400 0.01224 -3969 8794 0.00686 -3969 8820 0.01774 -3969 9787 0.01723 -3968 4002 0.01528 -3968 4587 0.00910 -3968 4877 0.01642 -3968 7502 0.01102 -3968 8642 0.01398 -3968 8949 0.01655 -3968 9344 0.01356 -3968 9465 0.00722 -3968 9954 0.01607 -3967 4113 0.01683 -3967 5057 0.01993 -3967 5069 0.01436 -3967 5418 0.01633 -3967 6293 0.01575 -3967 7000 0.01767 -3967 9298 0.01507 -3967 9819 0.01808 -3966 4281 0.01150 -3966 4956 0.01067 -3966 5885 0.01816 -3966 5901 0.01103 -3966 6003 0.00535 -3966 6023 0.01412 -3966 6346 0.01459 -3966 7238 0.01238 -3966 7848 0.01450 -3966 8508 0.01151 -3966 8945 0.01478 -3966 9710 0.01865 -3965 5683 0.00798 -3965 7325 0.01395 -3965 8714 0.01948 -3965 9520 0.00989 -3965 9585 0.00932 -3964 4954 0.00575 -3964 6315 0.01066 -3964 6518 0.01503 -3964 7307 0.01874 -3963 4786 0.01129 -3963 4927 0.01338 -3963 5438 0.01727 -3963 5642 0.00567 -3963 6620 0.01795 -3963 9384 0.01709 -3962 3972 0.01239 -3962 4037 0.01490 -3962 4106 0.01059 -3962 4506 0.01552 -3962 4938 0.01735 -3962 5323 0.01185 -3962 5868 0.01951 -3962 6589 0.01677 -3962 6767 0.01711 -3962 7076 0.01991 -3962 7296 0.00924 -3962 7920 0.01493 -3962 8349 0.01932 -3962 8908 0.01992 -3961 5346 0.01717 -3961 5542 0.01522 -3961 5857 0.01254 -3961 6755 0.01996 -3961 8555 0.01990 -3961 9178 0.01577 -3960 4080 0.01016 -3960 5710 0.00972 -3960 6233 0.01809 -3960 8279 0.01732 -3960 8807 0.01722 -3960 9206 0.01957 -3959 5665 0.01935 -3959 6164 0.01932 -3959 6780 0.01972 -3959 7822 0.01632 -3959 8641 0.01436 -3959 9041 0.01586 -3959 9324 0.01796 -3959 9855 0.01319 -3958 4322 0.01985 -3958 4461 0.00630 -3958 4552 0.01655 -3958 5678 0.00859 -3958 5925 0.01678 -3958 6388 0.01544 -3958 6405 0.01256 -3958 6877 0.01586 -3958 7881 0.01508 -3957 5744 0.01089 -3957 6623 0.01734 -3957 7454 0.00138 -3957 7831 0.00936 -3957 7914 0.00824 -3957 8425 0.01106 -3957 9873 0.01702 -3956 5053 0.01112 -3956 6501 0.01244 -3956 8875 0.00293 -3956 9939 0.01742 -3955 5672 0.00928 -3955 5836 0.01327 -3955 5905 0.01193 -3955 5936 0.01039 -3955 6044 0.01787 -3955 7611 0.01265 -3955 8554 0.01533 -3955 9650 0.00502 -3954 4201 0.01469 -3954 4261 0.01513 -3954 5932 0.00805 -3954 6570 0.01345 -3954 6602 0.01840 -3954 6607 0.01964 -3954 7720 0.01305 -3954 8049 0.01800 -3954 8791 0.01363 -3954 9028 0.01578 -3953 4367 0.01624 -3953 5006 0.01982 -3953 5473 0.01735 -3953 6764 0.01391 -3953 7059 0.01265 -3953 7126 0.01938 -3953 7382 0.01760 -3953 7786 0.00348 -3953 8734 0.00937 -3953 8783 0.01663 -3953 8998 0.00495 -3953 9067 0.01898 -3953 9140 0.01899 -3953 9928 0.01037 -3952 4039 0.00882 -3952 4307 0.01146 -3952 4746 0.01146 -3952 9168 0.01942 -3951 4036 0.01726 -3951 4515 0.01549 -3951 5106 0.00375 -3951 7492 0.00958 -3951 9423 0.01143 -3950 5123 0.01483 -3950 5332 0.01522 -3950 7853 0.01363 -3950 7884 0.01301 -3950 8303 0.01482 -3950 8831 0.01961 -3950 9064 0.00415 -3950 9148 0.01969 -3949 4497 0.01937 -3949 5096 0.01898 -3949 5679 0.00284 -3949 6062 0.01791 -3949 7136 0.01632 -3949 7376 0.01129 -3949 7725 0.01260 -3949 8063 0.01901 -3949 8181 0.01626 -3948 4351 0.00203 -3948 4973 0.00873 -3948 6127 0.01213 -3948 8082 0.00949 -3948 9021 0.01728 -3947 5342 0.00501 -3947 5548 0.01358 -3947 5650 0.01553 -3947 6027 0.00267 -3947 6042 0.01089 -3947 6277 0.01205 -3947 6734 0.00518 -3947 8929 0.01552 -3947 9833 0.00607 -3947 9986 0.00738 -3946 4513 0.01872 -3946 4796 0.00934 -3946 5622 0.01091 -3946 6097 0.01000 -3946 6424 0.01420 -3946 8553 0.00436 -3946 9056 0.00679 -3946 9394 0.00925 -3946 9663 0.00643 -3945 5185 0.01055 -3945 6011 0.01781 -3945 7028 0.01079 -3945 8562 0.01646 -3944 7925 0.00990 -3944 8372 0.01737 -3944 8762 0.00774 -3944 9162 0.01881 -3944 9868 0.01048 -3943 4935 0.01650 -3943 7882 0.00650 -3943 9651 0.01603 -3942 4257 0.00841 -3942 7715 0.01843 -3941 6797 0.01604 -3941 8374 0.01828 -3941 8595 0.01062 -3941 9450 0.00744 -3941 9574 0.01644 -3940 3959 0.00483 -3940 5665 0.01712 -3940 5958 0.01823 -3940 6164 0.01541 -3940 6780 0.01639 -3940 7822 0.01412 -3940 8641 0.01535 -3940 9324 0.01505 -3940 9855 0.00959 -3939 4735 0.01269 -3939 8189 0.01887 -3939 9019 0.01617 -3938 4891 0.01626 -3938 4961 0.01437 -3938 5091 0.01947 -3938 6120 0.01959 -3938 7669 0.01874 -3938 7680 0.01171 -3938 9228 0.01679 -3937 4588 0.01517 -3937 4666 0.00591 -3937 5950 0.01707 -3937 6371 0.00463 -3937 6861 0.00549 -3937 9562 0.01701 -3937 9844 0.01555 -3936 4501 0.00970 -3936 5592 0.01390 -3936 5704 0.01724 -3936 5820 0.01304 -3935 5188 0.01754 -3935 5270 0.01676 -3935 5281 0.00982 -3935 5285 0.00364 -3935 5804 0.01775 -3935 6051 0.00858 -3935 7002 0.01108 -3935 7219 0.00781 -3935 8798 0.00978 -3935 8898 0.01723 -3935 9118 0.01073 -3935 9173 0.01262 -3934 5615 0.01351 -3934 5633 0.00487 -3934 8127 0.01595 -3934 8544 0.01827 -3934 9476 0.01308 -3933 4261 0.01489 -3933 4377 0.01910 -3933 4733 0.01598 -3933 5932 0.01655 -3933 5961 0.00903 -3933 6570 0.01860 -3933 7720 0.01420 -3933 7766 0.01102 -3933 8049 0.01290 -3933 8346 0.01552 -3932 4475 0.00488 -3932 5293 0.01075 -3932 6501 0.01571 -3932 6978 0.01809 -3932 7441 0.01331 -3932 7851 0.01659 -3932 8021 0.00823 -3932 9659 0.00848 -3932 9801 0.00589 -3931 4491 0.01323 -3931 5711 0.01541 -3931 6653 0.01993 -3931 7791 0.01832 -3931 8166 0.01136 -3931 8259 0.01502 -3931 8369 0.01269 -3931 8530 0.01546 -3930 8303 0.01018 -3929 4019 0.00686 -3929 4422 0.00223 -3929 7752 0.00692 -3928 4924 0.01509 -3928 7282 0.00881 -3928 9373 0.01932 -3928 9559 0.01000 -3928 9771 0.01540 -3927 4590 0.01518 -3927 4936 0.01832 -3927 5388 0.01879 -3927 5895 0.00694 -3927 7191 0.00394 -3927 8328 0.01174 -3927 9990 0.01264 -3926 4114 0.01950 -3926 4165 0.01212 -3926 4271 0.01166 -3926 5691 0.01634 -3926 6724 0.01533 -3926 6892 0.01768 -3926 7809 0.01067 -3925 3956 0.01748 -3925 4115 0.01550 -3925 4946 0.00434 -3925 5033 0.01898 -3925 5601 0.01095 -3925 6433 0.00691 -3925 6447 0.01991 -3925 6544 0.01973 -3925 7118 0.01832 -3925 7574 0.01761 -3925 8235 0.01089 -3925 8809 0.01920 -3925 8875 0.01496 -3925 9212 0.01777 -3925 9959 0.01269 -3924 4252 0.01633 -3924 4273 0.01673 -3924 4545 0.01626 -3924 4703 0.01886 -3924 5497 0.01073 -3924 6692 0.01847 -3924 7888 0.00115 -3923 6084 0.00950 -3923 7709 0.00725 -3923 7902 0.00291 -3923 8104 0.00344 -3922 4614 0.01347 -3922 5176 0.01655 -3922 5735 0.00530 -3922 6028 0.01777 -3922 6268 0.01728 -3922 6805 0.01614 -3922 6899 0.01039 -3922 7266 0.01821 -3922 7652 0.00796 -3922 8055 0.01089 -3922 8063 0.01852 -3922 8327 0.00731 -3922 8380 0.01823 -3922 8485 0.01326 -3922 9154 0.01895 -3922 9268 0.01237 -3921 3982 0.01672 -3921 4850 0.01712 -3921 4995 0.01929 -3921 5141 0.01020 -3921 5158 0.01721 -3921 5159 0.01858 -3921 5216 0.01653 -3921 5611 0.01599 -3921 6096 0.01098 -3921 6569 0.01914 -3921 6573 0.01763 -3921 7638 0.01909 -3921 7776 0.01031 -3921 9131 0.01298 -3920 4022 0.01602 -3920 5012 0.01879 -3920 6093 0.01590 -3920 7029 0.01334 -3920 9154 0.01665 -3920 9682 0.01812 -3919 4082 0.00759 -3919 4495 0.01897 -3919 4695 0.00173 -3919 6612 0.01823 -3919 6846 0.01409 -3919 7393 0.00892 -3919 8754 0.01368 -3919 9341 0.01826 -3919 9836 0.01433 -3918 4160 0.00764 -3918 5665 0.01106 -3918 5921 0.01813 -3918 5958 0.00981 -3918 6164 0.01480 -3918 7545 0.01925 -3918 8645 0.00886 -3918 9324 0.01291 -3917 5138 0.01505 -3917 5687 0.01404 -3917 6301 0.01050 -3917 7804 0.01540 -3917 7832 0.01035 -3917 8454 0.00476 -3916 4575 0.01975 -3916 6408 0.01916 -3916 6719 0.01001 -3916 7397 0.01738 -3916 9892 0.01821 -3915 4549 0.01604 -3915 5549 0.01868 -3915 6260 0.01899 -3915 6327 0.01571 -3915 7648 0.01688 -3915 7662 0.01766 -3915 9815 0.01364 -3914 4220 0.00955 -3914 4846 0.01026 -3914 6082 0.00469 -3914 6500 0.01392 -3914 6604 0.01338 -3914 6636 0.01597 -3914 7579 0.01367 -3914 7633 0.00469 -3914 8292 0.01659 -3914 9101 0.01309 -3913 5133 0.01975 -3913 6232 0.01981 -3913 9290 0.01777 -3913 9707 0.00392 -3912 4293 0.00963 -3912 4673 0.01758 -3912 4739 0.01009 -3912 7587 0.01897 -3912 8853 0.01320 -3912 9567 0.01424 -3912 9916 0.01191 -3911 4504 0.01924 -3911 4700 0.00764 -3911 4911 0.01834 -3911 6498 0.01631 -3911 6799 0.01645 -3911 7570 0.01437 -3911 8515 0.01403 -3911 9519 0.01352 -3910 4101 0.01781 -3910 5316 0.00510 -3910 5644 0.01736 -3910 5949 0.00687 -3910 6047 0.01114 -3910 6342 0.01446 -3910 6896 0.01261 -3910 7392 0.01405 -3910 8041 0.01476 -3910 8237 0.00485 -3910 8464 0.01357 -3910 8626 0.00507 -3909 7110 0.01838 -3909 7739 0.01191 -3909 8122 0.01336 -3909 8435 0.00708 -3909 8717 0.00796 -3909 9425 0.01752 -3909 9725 0.01498 -3908 4764 0.01716 -3908 6242 0.01844 -3908 6618 0.01693 -3908 6742 0.01824 -3908 7727 0.01069 -3908 8602 0.00884 -3908 8806 0.01334 -3908 9170 0.01064 -3907 4343 0.01697 -3907 5429 0.01770 -3907 5538 0.01646 -3907 5872 0.01869 -3907 6619 0.00338 -3907 7922 0.01182 -3907 8068 0.01693 -3907 9052 0.01257 -3906 4881 0.01037 -3906 4951 0.00740 -3906 5878 0.01972 -3906 6194 0.01202 -3906 6700 0.01356 -3906 6817 0.01484 -3906 7023 0.01150 -3906 8755 0.01006 -3906 9759 0.01124 -3905 5488 0.01930 -3905 5662 0.01255 -3905 5807 0.01376 -3905 5853 0.00851 -3905 7154 0.00788 -3905 7244 0.01371 -3905 9218 0.00845 -3905 9313 0.01540 -3905 9368 0.01913 -3905 9469 0.00958 -3904 4029 0.01736 -3904 6927 0.01444 -3904 7435 0.01852 -3904 7496 0.01811 -3904 7516 0.00354 -3904 8175 0.01022 -3904 8326 0.01584 -3904 8365 0.01441 -3904 8999 0.01108 -3903 4747 0.00873 -3903 5032 0.00731 -3903 5381 0.01076 -3903 6029 0.00140 -3903 6191 0.01728 -3903 6304 0.01540 -3903 7778 0.01063 -3902 4042 0.01173 -3902 5076 0.01420 -3901 5350 0.01975 -3901 5559 0.01702 -3901 6483 0.01266 -3901 6699 0.01851 -3901 6753 0.01891 -3901 7156 0.01877 -3901 9389 0.00855 -3901 9471 0.01316 -3900 5243 0.00898 -3900 5431 0.01934 -3900 6088 0.01139 -3900 6563 0.01758 -3900 7481 0.01461 -3900 8674 0.01729 -3900 8918 0.01980 -3900 9245 0.00338 -3900 9339 0.01776 -3900 9846 0.01807 -3900 9849 0.00785 -3899 4947 0.01567 -3899 5968 0.01694 -3899 7665 0.01703 -3899 8577 0.01828 -3899 8986 0.00952 -3899 9247 0.01841 -3899 9706 0.01668 -3898 4972 0.01095 -3898 5031 0.00884 -3898 8837 0.00918 -3898 9059 0.01155 -3897 4125 0.01039 -3897 4730 0.01874 -3897 5784 0.01874 -3897 8390 0.01090 -3897 9301 0.01986 -3896 4255 0.01871 -3896 5882 0.01936 -3896 7362 0.01076 -3896 7377 0.01656 -3896 8503 0.00508 -3896 9514 0.01036 -3896 9795 0.01722 -3895 4449 0.01508 -3895 5291 0.01753 -3895 6908 0.01349 -3895 7442 0.00856 -3895 7522 0.01026 -3895 7857 0.01307 -3895 7908 0.00453 -3895 8671 0.01729 -3895 8805 0.01953 -3895 8987 0.00420 -3895 9321 0.01920 -3895 9436 0.01940 -3894 4336 0.01602 -3894 4398 0.01705 -3894 4504 0.01334 -3894 4911 0.01507 -3894 5086 0.01545 -3894 5406 0.01903 -3894 6830 0.01552 -3894 7472 0.01111 -3894 7570 0.01818 -3894 8619 0.01395 -3894 8785 0.01375 -3894 9361 0.01642 -3893 4394 0.01936 -3893 5504 0.01498 -3893 7758 0.01351 -3893 7872 0.01743 -3893 8294 0.01362 -3893 8728 0.01665 -3893 9087 0.01782 -3893 9699 0.00851 -3893 9981 0.01351 -3892 4917 0.01551 -3892 5500 0.01639 -3892 5514 0.01540 -3892 6024 0.01865 -3892 7418 0.01166 -3892 8323 0.01218 -3892 9581 0.00273 -3892 9582 0.01957 -3891 4395 0.01836 -3891 4434 0.01967 -3891 4965 0.00629 -3891 5376 0.01236 -3891 5395 0.00775 -3891 5657 0.00862 -3891 6124 0.01194 -3891 6202 0.01921 -3891 6493 0.01525 -3891 8700 0.01108 -3891 9445 0.01515 -3891 9626 0.01918 -3891 9641 0.01618 -3890 4008 0.01246 -3890 4229 0.00883 -3890 4358 0.01386 -3890 4675 0.01587 -3890 6180 0.01874 -3890 6280 0.01813 -3890 6409 0.01514 -3890 7895 0.01878 -3890 8228 0.00960 -3890 8272 0.01960 -3890 8914 0.01016 -3889 4940 0.01136 -3889 5231 0.01021 -3889 6068 0.01357 -3889 6235 0.00835 -3889 6430 0.01850 -3889 8245 0.00603 -3889 8763 0.01925 -3889 8971 0.01477 -3889 9080 0.01826 -3889 9769 0.01612 -3889 9784 0.01166 -3888 3927 0.00800 -3888 4590 0.01018 -3888 4936 0.01997 -3888 5388 0.01162 -3888 5895 0.01454 -3888 7191 0.01176 -3888 8328 0.00468 -3888 9990 0.00663 -3887 4159 0.01491 -3887 4314 0.01538 -3887 6299 0.01497 -3887 7026 0.00993 -3887 7101 0.01353 -3887 7788 0.00902 -3887 8184 0.01181 -3886 4784 0.01283 -3886 6550 0.01365 -3886 6655 0.01938 -3886 7464 0.00730 -3886 7556 0.00796 -3886 9906 0.01255 -3885 5387 0.01670 -3885 5633 0.01932 -3885 6330 0.01705 -3885 6714 0.01400 -3885 6744 0.01667 -3885 7250 0.01765 -3885 7448 0.00435 -3885 8646 0.01720 -3884 4604 0.01419 -3884 4727 0.00780 -3884 5654 0.01842 -3884 6941 0.01771 -3884 8840 0.01454 -3883 4068 0.00349 -3883 4752 0.01659 -3883 4756 0.00666 -3883 5298 0.01929 -3883 5722 0.01057 -3883 6832 0.01928 -3883 8534 0.00514 -3882 4810 0.01282 -3882 5399 0.01994 -3882 5587 0.00823 -3882 5688 0.01615 -3882 6554 0.00818 -3882 7903 0.02000 -3881 4577 0.01873 -3881 6253 0.01280 -3881 6552 0.01916 -3881 7836 0.00972 -3881 8090 0.00812 -3881 8629 0.01573 -3881 8789 0.00046 -3881 9728 0.01445 -3880 4672 0.00620 -3880 5402 0.01076 -3880 8203 0.00991 -3880 8980 0.01398 -3880 9338 0.00318 -3880 9943 0.01603 -3880 9999 0.00693 -3879 3955 0.01771 -3879 4808 0.00700 -3879 5672 0.00890 -3879 6758 0.01329 -3879 6874 0.01735 -3879 8611 0.01334 -3878 3925 0.01520 -3878 4115 0.01324 -3878 4946 0.01093 -3878 6433 0.01386 -3878 6447 0.00481 -3878 6544 0.01282 -3878 7062 0.01800 -3878 7100 0.01175 -3878 7574 0.00702 -3878 8235 0.01934 -3878 8809 0.01516 -3877 6703 0.01978 -3877 7331 0.00569 -3876 4544 0.01968 -3876 4596 0.00369 -3876 5190 0.01824 -3876 5474 0.00786 -3876 6993 0.01280 -3876 7466 0.01186 -3876 8767 0.01869 -3875 7631 0.01576 -3875 8830 0.01920 -3875 8939 0.01974 -3875 9446 0.01802 -3874 4539 0.01725 -3874 4715 0.01226 -3874 5341 0.00989 -3874 5479 0.01394 -3874 5780 0.01706 -3874 6639 0.01804 -3874 7332 0.00781 -3874 8510 0.01845 -3874 8560 0.01761 -3874 9243 0.01639 -3874 9760 0.01361 -3874 9791 0.01596 -3873 4304 0.01756 -3873 4389 0.01812 -3873 5166 0.00953 -3873 5227 0.01573 -3873 5277 0.01636 -3873 6591 0.00891 -3873 7141 0.01587 -3873 7204 0.00701 -3873 7871 0.01804 -3873 8270 0.00941 -3873 9255 0.01930 -3873 9685 0.01981 -3872 4337 0.00751 -3872 5319 0.01890 -3872 5462 0.01411 -3872 5779 0.01839 -3872 6334 0.00061 -3871 3984 0.00969 -3871 4729 0.01079 -3871 5465 0.01344 -3871 6107 0.01295 -3871 6702 0.01747 -3871 7078 0.01278 -3871 8301 0.01909 -3871 9230 0.00961 -3871 9457 0.01593 -3870 5655 0.01660 -3870 5763 0.01976 -3870 5944 0.00990 -3870 6162 0.00986 -3870 7827 0.01737 -3870 8868 0.01906 -3869 4391 0.01981 -3869 5725 0.01823 -3869 6238 0.01921 -3869 6321 0.01327 -3869 6565 0.01258 -3869 7081 0.01159 -3869 7722 0.01787 -3869 7838 0.01555 -3868 4603 0.01915 -3868 4891 0.01406 -3868 5776 0.01475 -3868 6084 0.01387 -3868 7478 0.01501 -3868 7709 0.01996 -3867 3941 0.01919 -3867 4754 0.01672 -3867 5041 0.01563 -3867 5621 0.00576 -3867 6766 0.01081 -3867 6797 0.00330 -3867 8374 0.01624 -3867 9450 0.01424 -3867 9574 0.00968 -3866 4011 0.01193 -3866 4656 0.00239 -3866 5818 0.01399 -3866 6167 0.01808 -3866 7221 0.01516 -3866 8376 0.01068 -3866 8480 0.01607 -3866 8588 0.01680 -3866 9231 0.01783 -3866 9709 0.01510 -3865 5939 0.01086 -3865 6128 0.01849 -3865 6910 0.01572 -3865 7107 0.01812 -3865 7386 0.01215 -3865 7784 0.00897 -3865 7844 0.00654 -3864 3865 0.01365 -3864 7784 0.01755 -3864 7844 0.01802 -3864 8604 0.01584 -3864 8916 0.01343 -3863 5290 0.01507 -3863 5960 0.00502 -3863 5977 0.01850 -3863 6257 0.01608 -3863 6420 0.01556 -3863 7384 0.00168 -3863 8220 0.00719 -3863 8524 0.01106 -3863 8715 0.01879 -3863 9405 0.01686 -3862 4448 0.00847 -3862 4776 0.01113 -3862 4831 0.01480 -3862 5617 0.01847 -3862 6129 0.01592 -3862 6473 0.00385 -3862 7528 0.01407 -3862 9632 0.01028 -3861 4297 0.01903 -3861 8320 0.01660 -3860 5906 0.01991 -3860 5980 0.01575 -3860 9275 0.00835 -3860 9401 0.00584 -3860 9794 0.01963 -3859 5020 0.00379 -3859 5353 0.01372 -3859 6472 0.01707 -3859 6774 0.01699 -3859 7176 0.01255 -3859 8042 0.00486 -3859 8253 0.01531 -3859 8466 0.01060 -3858 4108 0.01599 -3858 6103 0.01424 -3857 4340 0.01856 -3857 5209 0.01959 -3857 8981 0.01145 -3857 9242 0.01839 -3856 7068 0.01342 -3856 7126 0.00334 -3856 7609 0.00153 -3856 8998 0.01877 -3856 9140 0.01745 -3855 4709 0.01484 -3855 5251 0.01960 -3855 8124 0.01555 -3854 4710 0.00645 -3854 5185 0.01894 -3854 6139 0.01671 -3854 7103 0.01132 -3854 7987 0.00771 -3854 8623 0.01226 -3854 9870 0.01951 -3853 3950 0.01284 -3853 4742 0.01746 -3853 7517 0.01872 -3853 7853 0.00316 -3853 7884 0.01186 -3853 7943 0.01890 -3853 8303 0.01776 -3853 9064 0.01256 -3852 4561 0.01207 -3852 4840 0.01773 -3852 5047 0.00601 -3851 4194 0.01669 -3851 4221 0.00895 -3851 5386 0.01493 -3851 5998 0.00552 -3851 6193 0.00546 -3851 6250 0.01520 -3851 6295 0.01911 -3851 6469 0.00706 -3851 7592 0.01717 -3851 7839 0.00371 -3850 4016 0.01934 -3850 4120 0.01025 -3850 4195 0.00652 -3850 8112 0.01386 -3850 8314 0.00454 -3850 8359 0.01262 -3850 8795 0.01051 -3850 9169 0.01088 -3850 9336 0.01814 -3849 3957 0.01852 -3849 4153 0.00842 -3849 5744 0.00889 -3849 6205 0.01446 -3849 6623 0.01814 -3849 7206 0.01847 -3849 7454 0.01719 -3849 7831 0.01179 -3849 8425 0.01560 -3849 9873 0.01206 -3848 4199 0.01257 -3848 4821 0.01050 -3848 5618 0.01475 -3848 7184 0.01798 -3848 7605 0.00315 -3848 8814 0.01930 -3848 8846 0.00361 -3848 9098 0.01133 -3848 9208 0.00426 -3847 4508 0.01106 -3847 6171 0.01401 -3847 9414 0.00310 -3847 9987 0.01602 -3846 4518 0.00339 -3846 5006 0.01853 -3846 6022 0.01236 -3846 6152 0.00855 -3846 6356 0.01913 -3846 6869 0.01749 -3846 7001 0.01768 -3846 7082 0.01982 -3846 9140 0.01920 -3846 9392 0.01675 -3845 5194 0.01854 -3845 5199 0.00603 -3845 5581 0.01301 -3845 6506 0.01649 -3845 7239 0.00661 -3845 7277 0.00944 -3845 7644 0.01338 -3845 7897 0.01979 -3845 8858 0.00070 -3845 9980 0.01933 -3844 4785 0.01143 -3844 6237 0.01485 -3844 6454 0.00628 -3844 6897 0.01252 -3844 7069 0.01732 -3844 7321 0.01437 -3844 8123 0.01921 -3844 8775 0.01536 -3843 3900 0.01938 -3843 4550 0.01990 -3843 5044 0.01059 -3843 5243 0.01990 -3843 5431 0.00647 -3843 5843 0.01356 -3843 6088 0.01930 -3843 7046 0.01086 -3843 7510 0.01719 -3843 7594 0.01205 -3843 8674 0.00465 -3843 9043 0.01959 -3843 9846 0.00131 -3843 9849 0.01356 -3842 4366 0.00776 -3842 4612 0.01806 -3842 5151 0.01887 -3842 5806 0.01864 -3842 7299 0.01404 -3842 9538 0.00312 -3842 9973 0.01618 -3841 4160 0.01603 -3841 5275 0.01156 -3841 5632 0.01711 -3841 5921 0.00537 -3841 7197 0.01401 -3841 7545 0.01567 -3841 8315 0.01918 -3841 8645 0.01365 -3841 8800 0.01484 -3840 3983 0.01741 -3840 5426 0.01931 -3840 5433 0.00710 -3840 5707 0.00269 -3840 6585 0.01412 -3840 8406 0.01230 -3840 9741 0.01737 -3839 5751 0.00863 -3839 6271 0.01724 -3839 7302 0.01935 -3839 8188 0.00997 -3839 9014 0.01645 -3838 6378 0.01786 -3838 7019 0.01930 -3838 7618 0.00913 -3838 8187 0.00875 -3838 8242 0.01986 -3838 9029 0.00595 -3838 9035 0.01660 -3838 9529 0.01998 -3837 5339 0.01542 -3837 5781 0.01489 -3837 7475 0.01789 -3837 8078 0.01531 -3837 8888 0.01813 -3837 9936 0.00647 -3836 4787 0.01577 -3836 4928 0.00304 -3836 5641 0.00587 -3836 6151 0.01787 -3836 6236 0.01421 -3836 6858 0.01816 -3836 8214 0.01851 -3836 8585 0.00611 -3836 9621 0.01575 -3836 9643 0.01319 -3836 9759 0.01583 -3835 5429 0.01371 -3835 6391 0.00851 -3835 8068 0.01689 -3835 8959 0.01673 -3835 9052 0.01998 -3834 4531 0.01171 -3834 5233 0.00332 -3834 6581 0.01891 -3834 9180 0.00374 -3834 9480 0.01920 -3833 3863 0.01108 -3833 5960 0.00804 -3833 5977 0.01919 -3833 7384 0.01102 -3833 7699 0.01791 -3833 8220 0.01063 -3833 8524 0.01576 -3833 8715 0.01546 -3832 6690 0.01047 -3832 7647 0.00668 -3832 9266 0.01841 -3832 9277 0.00244 -3832 9489 0.00171 -3831 5073 0.01990 -3831 8456 0.01694 -3831 9319 0.01226 -3831 9610 0.00672 -3830 5105 0.01384 -3830 5708 0.00927 -3830 5773 0.00205 -3830 7367 0.00737 -3830 8020 0.01522 -3830 8286 0.01668 -3830 8362 0.01046 -3830 9050 0.00780 -3830 9095 0.00812 -3830 9661 0.01483 -3830 9676 0.01668 -3829 4130 0.01320 -3829 4499 0.00984 -3829 5401 0.01909 -3829 6033 0.01320 -3829 7576 0.01691 -3829 7735 0.01835 -3829 8498 0.01529 -3829 8550 0.01298 -3829 9088 0.01286 -3829 9508 0.01824 -3829 9531 0.01096 -3828 4302 0.01167 -3828 4381 0.01708 -3828 4807 0.00961 -3828 8344 0.01859 -3828 8618 0.01548 -3828 9794 0.01960 -3827 6275 0.01997 -3827 7130 0.00361 -3827 8394 0.01522 -3827 9477 0.01581 -3826 4402 0.00823 -3826 4561 0.01810 -3826 4840 0.01083 -3826 5415 0.01123 -3826 5670 0.01969 -3826 5785 0.01296 -3826 7356 0.01848 -3826 7388 0.00195 -3826 8439 0.01759 -3826 9010 0.01947 -3825 4564 0.01872 -3825 5324 0.00747 -3825 6776 0.01558 -3825 9718 0.01784 -3825 9777 0.00482 -3824 3947 0.01014 -3824 5342 0.01311 -3824 5548 0.01604 -3824 6027 0.01209 -3824 6277 0.00311 -3824 6734 0.00506 -3824 6843 0.01051 -3824 8287 0.01705 -3824 8929 0.01832 -3824 9833 0.01492 -3824 9986 0.01715 -3823 6536 0.01648 -3823 8474 0.01486 -3823 8735 0.01472 -3823 9957 0.00745 -3822 5638 0.01675 -3822 6365 0.01118 -3822 6887 0.01069 -3822 8478 0.01988 -3822 8780 0.01385 -3822 9700 0.01236 -3821 4169 0.00776 -3821 4432 0.01686 -3821 4655 0.01346 -3821 4693 0.01959 -3821 5326 0.01005 -3821 6824 0.00439 -3821 7387 0.01205 -3821 8954 0.01050 -3821 9254 0.01806 -3820 3945 0.01528 -3820 4705 0.01809 -3820 5720 0.01729 -3820 6011 0.01409 -3820 6860 0.01055 -3820 7028 0.00700 -3820 7700 0.01753 -3820 8067 0.01489 -3820 8305 0.01614 -3820 8562 0.00144 -3820 9464 0.01148 -3819 4650 0.01374 -3819 7281 0.01216 -3819 8109 0.01100 -3819 8982 0.01450 -3818 5005 0.01866 -3818 5307 0.01796 -3818 5675 0.01843 -3818 6415 0.00830 -3818 7533 0.01153 -3818 8258 0.01530 -3818 8725 0.01463 -3818 8859 0.01481 -3818 9998 0.01471 -3817 6727 0.01015 -3817 7950 0.01193 -3817 8355 0.01440 -3817 8460 0.00679 -3817 8889 0.01918 -3817 9977 0.01586 -3816 4225 0.01878 -3816 4430 0.01911 -3816 5015 0.01397 -3816 5771 0.01960 -3816 6102 0.00988 -3816 6870 0.00725 -3816 8306 0.01238 -3816 8308 0.00900 -3816 8622 0.01282 -3816 9734 0.01280 -3816 9755 0.01450 -3815 4542 0.01324 -3815 4620 0.01355 -3815 5894 0.01915 -3815 6844 0.01226 -3815 8304 0.00985 -3815 9600 0.01412 -3814 4355 0.01422 -3814 5564 0.01806 -3814 5871 0.01515 -3814 6498 0.00634 -3814 7975 0.01653 -3814 8861 0.01335 -3813 4007 0.01689 -3813 5501 0.01511 -3813 6662 0.01508 -3813 9738 0.00725 -3813 9862 0.01083 -3812 4901 0.01804 -3812 4958 0.01985 -3812 5700 0.01781 -3812 6390 0.01148 -3812 7503 0.00858 -3812 9190 0.01831 -3812 9901 0.01643 -3811 3957 0.01021 -3811 4886 0.01265 -3811 6122 0.01596 -3811 7454 0.01155 -3811 7831 0.01683 -3811 7914 0.00900 -3810 4146 0.01925 -3810 4663 0.01809 -3810 7979 0.01855 -3810 8319 0.00673 -3810 8965 0.01518 -3810 8984 0.01897 -3810 9030 0.01785 -3809 4161 0.00997 -3809 5315 0.01191 -3809 5520 0.01499 -3809 7030 0.01181 -3809 8450 0.00456 -3809 9549 0.00255 -3808 4003 0.01424 -3808 5891 0.01326 -3808 6043 0.00831 -3808 7231 0.01308 -3807 4497 0.00944 -3807 4724 0.01338 -3807 4836 0.01669 -3807 5096 0.01082 -3807 6062 0.00904 -3807 6344 0.01148 -3807 7205 0.01377 -3807 7297 0.01216 -3807 7444 0.01593 -3807 8181 0.01675 -3807 8413 0.01381 -3807 8687 0.01936 -3807 9481 0.01226 -3806 5637 0.00510 -3806 7336 0.01704 -3806 9300 0.01682 -3806 9937 0.01481 -3805 5117 0.01735 -3805 5941 0.00736 -3805 6635 0.00765 -3805 9952 0.00891 -3804 3866 0.01779 -3804 4396 0.00967 -3804 4656 0.01625 -3804 5818 0.01891 -3804 6167 0.00036 -3804 6785 0.01955 -3804 7034 0.01823 -3804 8480 0.01456 -3804 9231 0.01043 -3803 5253 0.01480 -3803 5873 0.01987 -3803 6100 0.01581 -3803 6458 0.01393 -3803 7183 0.01589 -3803 7455 0.01408 -3803 7841 0.01914 -3803 8108 0.01807 -3803 8885 0.01838 -3803 9181 0.01204 -3802 3867 0.00224 -3802 3941 0.01716 -3802 4754 0.01787 -3802 5041 0.01652 -3802 5621 0.00672 -3802 6766 0.01243 -3802 6797 0.00212 -3802 8374 0.01453 -3802 9450 0.01269 -3802 9574 0.00796 -3801 4054 0.00915 -3801 4677 0.01781 -3801 4768 0.01499 -3801 5154 0.00887 -3801 9164 0.00621 -3801 9712 0.01252 -3801 9899 0.00338 -3800 3874 0.01659 -3800 5420 0.01971 -3800 7617 0.01638 -3800 8510 0.00195 -3800 8665 0.01590 -3800 9079 0.01315 -3800 9274 0.01767 -3800 9797 0.01842 -3800 9863 0.01633 -3799 4324 0.01099 -3799 4847 0.01923 -3799 6063 0.01641 -3799 7480 0.01142 -3799 9693 0.00950 -3798 3855 0.00989 -3798 5892 0.01744 -3798 8124 0.01984 -3797 5170 0.01138 -3797 5424 0.01077 -3797 6373 0.01455 -3797 6888 0.00750 -3797 7411 0.01974 -3797 7543 0.01363 -3797 8650 0.01947 -3797 8744 0.01632 -3797 8804 0.01783 -3797 8836 0.01678 -3797 9127 0.01778 -3797 9267 0.01349 -3796 4967 0.00339 -3796 5136 0.01086 -3796 5186 0.00990 -3796 6148 0.00436 -3796 6737 0.01927 -3796 6823 0.01549 -3796 7550 0.01488 -3796 8377 0.01697 -3796 8399 0.01316 -3796 8899 0.01301 -3796 9237 0.01334 -3796 9617 0.01956 -3795 4373 0.01398 -3795 4731 0.01534 -3795 4781 0.01365 -3795 5040 0.01345 -3795 5221 0.01245 -3795 7165 0.01084 -3795 9198 0.00919 -3795 9890 0.01950 -3794 4592 0.01141 -3794 6179 0.01467 -3794 6211 0.01693 -3794 6556 0.00838 -3794 6638 0.01741 -3794 7214 0.01907 -3793 3881 0.01640 -3793 4868 0.01942 -3793 5507 0.01646 -3793 5945 0.01521 -3793 6495 0.01384 -3793 6674 0.01293 -3793 7172 0.00934 -3793 7836 0.01997 -3793 8054 0.01196 -3793 8090 0.01907 -3793 8789 0.01659 -3793 9728 0.00368 -3792 4404 0.01533 -3792 4424 0.00806 -3792 5079 0.00843 -3792 7303 0.01644 -3792 8900 0.00954 -3792 9160 0.01964 -3792 9415 0.01632 -3791 3814 0.01991 -3791 3871 0.02000 -3791 4355 0.01327 -3791 5465 0.01706 -3791 6830 0.01892 -3791 7078 0.00724 -3791 8301 0.00194 -3791 8785 0.01900 -3790 4611 0.01130 -3790 5090 0.00816 -3790 6914 0.01096 -3790 7806 0.00671 -3790 8141 0.01395 -3790 8231 0.01884 -3790 8291 0.00610 -3790 9262 0.01165 -3790 9696 0.00803 -3789 3803 0.01199 -3789 4084 0.01584 -3789 4593 0.01705 -3789 5253 0.01362 -3789 6100 0.01224 -3789 6458 0.00626 -3789 7841 0.01511 -3789 8108 0.01826 -3789 8885 0.01962 -3788 4091 0.01363 -3788 4529 0.00944 -3788 5913 0.01666 -3788 6218 0.00538 -3788 6305 0.01409 -3788 6325 0.00902 -3788 7950 0.01945 -3788 8808 0.01285 -3788 8889 0.00316 -3788 9097 0.01834 -3788 9265 0.01927 -3787 3958 0.01336 -3787 4461 0.00979 -3787 5678 0.01013 -3787 5925 0.00570 -3787 5984 0.01623 -3787 6405 0.00322 -3787 6592 0.00895 -3787 6877 0.00996 -3787 8557 0.01029 -3787 8672 0.01836 -3786 8495 0.01960 -3786 9236 0.01337 -3786 9789 0.00929 -3786 9864 0.01417 -3785 4043 0.01206 -3785 4971 0.01364 -3785 5698 0.00925 -3785 6345 0.01985 -3785 7656 0.00473 -3785 8079 0.01396 -3784 4359 0.01127 -3784 4442 0.01834 -3784 4483 0.01195 -3784 4670 0.00912 -3784 4896 0.00597 -3784 5065 0.01584 -3784 5490 0.01344 -3784 6812 0.01476 -3784 7177 0.01336 -3784 8830 0.00880 -3784 9848 0.01265 -3783 5979 0.01940 -3783 6159 0.01656 -3783 6403 0.01893 -3783 7534 0.01100 -3783 8659 0.01970 -3782 4000 0.01597 -3782 4016 0.01989 -3782 4914 0.00778 -3782 5009 0.01033 -3782 5458 0.01990 -3782 5850 0.00754 -3782 7039 0.01029 -3782 9336 0.01269 -3782 9479 0.00759 -3781 3994 0.01048 -3781 4203 0.01331 -3781 4319 0.00621 -3781 4423 0.00365 -3781 5638 0.01692 -3781 5656 0.01430 -3781 6251 0.00693 -3781 6365 0.01902 -3781 6403 0.01562 -3781 8370 0.01342 -3781 9700 0.01751 -3781 9922 0.01479 -3780 4011 0.01306 -3780 5691 0.01685 -3780 5818 0.01858 -3780 6317 0.01497 -3780 7221 0.01364 -3780 7809 0.01254 -3780 7861 0.00434 -3780 8376 0.01904 -3780 9909 0.00787 -3779 3937 0.01424 -3779 4666 0.00880 -3779 6371 0.01330 -3779 6861 0.01420 -3779 8440 0.01232 -3778 3896 0.01945 -3778 4255 0.01744 -3778 4932 0.01532 -3778 5153 0.01108 -3778 6560 0.00724 -3778 7377 0.00293 -3778 8503 0.01772 -3778 8989 0.00477 -3778 9163 0.01599 -3778 9259 0.01279 -3778 9795 0.01270 -3777 4473 0.01148 -3777 5159 0.01972 -3777 5216 0.01846 -3777 5347 0.01988 -3777 6273 0.00548 -3777 6573 0.00979 -3777 6574 0.00238 -3777 6912 0.01442 -3777 7137 0.00039 -3776 4429 0.00827 -3776 5634 0.01327 -3776 5823 0.01479 -3776 6057 0.01583 -3776 7947 0.00535 -3776 7964 0.01186 -3776 8366 0.01615 -3776 8446 0.01856 -3776 9495 0.00878 -3775 4494 0.01644 -3775 6485 0.01528 -3775 8476 0.01361 -3775 9374 0.00480 -3774 3775 0.01125 -3774 3833 0.01943 -3774 4494 0.01219 -3774 5361 0.01570 -3774 7699 0.01865 -3774 9374 0.00793 -3773 4493 0.01973 -3773 5287 0.01197 -3773 5412 0.01845 -3773 6136 0.01503 -3773 6572 0.00752 -3773 6915 0.01733 -3773 7840 0.01411 -3772 4538 0.01978 -3772 4765 0.01777 -3772 6855 0.01864 -3772 7182 0.01987 -3772 8419 0.01774 -3772 8746 0.01146 -3772 9049 0.01574 -3771 3910 0.00623 -3771 4101 0.01226 -3771 4870 0.01496 -3771 5316 0.01133 -3771 5644 0.01719 -3771 5949 0.00329 -3771 6047 0.01634 -3771 6342 0.01478 -3771 6896 0.01357 -3771 7392 0.01871 -3771 8041 0.01441 -3771 8101 0.01601 -3771 8237 0.00476 -3771 8464 0.01871 -3771 8626 0.01041 -3770 4764 0.01783 -3770 5075 0.01244 -3770 5551 0.01650 -3770 5817 0.00682 -3770 6177 0.00645 -3770 6227 0.00786 -3770 6242 0.01630 -3770 7921 0.01869 -3770 8151 0.00526 -3769 7140 0.01572 -3769 7971 0.01591 -3769 8110 0.01193 -3769 9403 0.01417 -3768 4592 0.01381 -3768 6556 0.01551 -3768 9490 0.00841 -3768 9715 0.00843 -3767 3798 0.01481 -3767 4328 0.01691 -3767 5892 0.01241 -3767 6876 0.01387 -3766 3975 0.01427 -3766 4639 0.00798 -3766 4801 0.01002 -3766 5271 0.00859 -3766 5304 0.01683 -3766 6745 0.00930 -3766 6807 0.01569 -3766 6882 0.01881 -3766 7211 0.00238 -3766 9975 0.01126 -3765 3929 0.01781 -3765 4019 0.01451 -3765 4422 0.01862 -3765 6181 0.00708 -3765 7752 0.01117 -3765 8445 0.01894 -3765 8849 0.01414 -3765 9521 0.01437 -3764 3787 0.00984 -3764 3958 0.01909 -3764 4461 0.01820 -3764 5678 0.01142 -3764 5925 0.00427 -3764 6405 0.00770 -3764 6592 0.01357 -3764 6877 0.01965 -3764 8352 0.01806 -3764 8557 0.01287 -3763 5011 0.01238 -3763 6681 0.01593 -3763 6857 0.00776 -3763 7691 0.01473 -3763 9146 0.01860 -3763 9157 0.01266 -3763 9515 0.01907 -3762 4415 0.00581 -3762 5890 0.01084 -3762 5935 0.00793 -3762 6216 0.00883 -3762 6671 0.00967 -3762 7306 0.01189 -3762 7524 0.00403 -3762 8405 0.01599 -3762 9094 0.01502 -3762 9192 0.01471 -3762 9594 0.01261 -3761 3826 0.01279 -3761 4402 0.00975 -3761 4840 0.01731 -3761 5415 0.01601 -3761 6783 0.01537 -3761 7356 0.01349 -3761 7388 0.01418 -3761 7993 0.01834 -3761 8183 0.01813 -3761 8439 0.01546 -3761 9024 0.01649 -3760 4155 0.00789 -3760 4242 0.01646 -3760 4849 0.01332 -3760 5570 0.01585 -3760 7087 0.01253 -3760 7640 0.01599 -3760 9454 0.00852 -3760 9509 0.01520 -3760 9575 0.01989 -3759 4411 0.01072 -3759 4582 0.01362 -3759 4906 0.00654 -3759 6917 0.01374 -3759 8635 0.01447 -3759 9601 0.01014 -3758 4483 0.01953 -3758 4844 0.01571 -3758 5065 0.01596 -3758 6640 0.01565 -3758 6723 0.00718 -3758 7111 0.00394 -3758 7765 0.00948 -3758 7860 0.01472 -3758 8882 0.01676 -3757 4471 0.01292 -3757 4538 0.01455 -3757 6686 0.00536 -3757 6855 0.00976 -3757 7182 0.01929 -3757 7790 0.01828 -3757 9049 0.01149 -3756 4145 0.00989 -3756 5450 0.01864 -3756 8354 0.00159 -3756 9633 0.00871 -3755 4043 0.01714 -3755 4303 0.01422 -3755 4621 0.00484 -3755 5263 0.01465 -3755 5343 0.00955 -3755 5382 0.01827 -3755 5698 0.01740 -3755 6345 0.01860 -3755 6738 0.01156 -3755 8079 0.01882 -3754 4980 0.01748 -3754 5329 0.01191 -3754 5577 0.01968 -3754 6449 0.01659 -3754 6728 0.01906 -3754 7089 0.01435 -3754 7168 0.01221 -3754 7855 0.01677 -3754 8950 0.01597 -3754 9141 0.00730 -3754 9639 0.01225 -3754 9851 0.01138 -3753 4288 0.01189 -3753 4443 0.00485 -3753 4686 0.01646 -3753 8371 0.01922 -3752 3940 0.01046 -3752 3959 0.00778 -3752 6780 0.01841 -3752 7822 0.01343 -3752 9041 0.01493 -3752 9442 0.01539 -3752 9855 0.01355 -3751 3824 0.01225 -3751 3947 0.00770 -3751 4318 0.01628 -3751 4641 0.01765 -3751 5342 0.00420 -3751 5548 0.00589 -3751 5650 0.01538 -3751 6027 0.00618 -3751 6042 0.01028 -3751 6277 0.01224 -3751 6535 0.01887 -3751 6734 0.00954 -3751 9483 0.01657 -3751 9833 0.01303 -3751 9986 0.01294 -3750 3918 0.01811 -3750 5665 0.01800 -3750 7197 0.01953 -3750 7545 0.01444 -3750 8341 0.00826 -3750 8641 0.01629 -3750 8645 0.01649 -3750 8786 0.01440 -3749 3996 0.01442 -3749 4436 0.01592 -3749 4616 0.01805 -3749 5472 0.01405 -3749 5532 0.01000 -3749 7323 0.01757 -3749 8111 0.01022 -3749 8756 0.01054 -3749 9461 0.01982 -3748 4141 0.00382 -3748 5739 0.01950 -3748 6542 0.00868 -3748 8741 0.01629 -3747 5068 0.00943 -3747 5688 0.01870 -3747 5811 0.01483 -3747 5814 0.00960 -3747 6219 0.00630 -3747 7240 0.01189 -3747 9904 0.00635 -3746 4106 0.01018 -3746 4855 0.00356 -3746 4938 0.01658 -3746 6046 0.01612 -3746 6395 0.00821 -3746 6399 0.01900 -3746 6673 0.01575 -3746 7756 0.01766 -3746 7802 0.01119 -3746 7920 0.01128 -3746 9438 0.01993 -3746 9493 0.00509 -3746 9553 0.01686 -3745 3856 0.01301 -3745 7068 0.00795 -3745 7126 0.01621 -3745 7609 0.01241 -3744 4525 0.01614 -3744 4619 0.01558 -3744 5145 0.01374 -3744 5822 0.01314 -3744 6076 0.01889 -3744 6559 0.00851 -3744 6625 0.01331 -3744 7200 0.01589 -3744 7445 0.01931 -3744 8164 0.00875 -3744 8977 0.01874 -3744 9082 0.01957 -3744 9168 0.01961 -3744 9686 0.01445 -3743 4401 0.01117 -3743 4837 0.01341 -3743 5805 0.01304 -3743 6081 0.01759 -3743 8810 0.01824 -3743 9009 0.01184 -3743 9443 0.01828 -3743 9532 0.01414 -3743 9752 0.01708 -3742 4963 0.01394 -3742 5558 0.00455 -3742 5839 0.01770 -3742 6063 0.01608 -3742 6168 0.01596 -3742 7897 0.00430 -3742 9022 0.01903 -3742 9826 0.00801 -3742 9912 0.00604 -3742 9980 0.00694 -3741 6996 0.01612 -3741 8269 0.01408 -3740 5749 0.01784 -3740 6548 0.01227 -3740 8472 0.01747 -3739 4096 0.01648 -3739 5013 0.01513 -3739 6566 0.01463 -3739 7186 0.00188 -3739 8129 0.01819 -3739 8133 0.00860 -3739 9337 0.00494 -3739 9683 0.01714 -3739 9688 0.00550 -3738 5502 0.00743 -3738 6080 0.00538 -3738 8182 0.00601 -3738 8375 0.01672 -3738 9680 0.00357 -3737 4866 0.00821 -3737 5059 0.00722 -3737 5368 0.00898 -3737 6461 0.00865 -3737 7180 0.01428 -3737 7519 0.00350 -3736 3932 0.01534 -3736 4475 0.01750 -3736 4506 0.01996 -3736 5114 0.00764 -3736 5293 0.01814 -3736 5868 0.01762 -3736 6589 0.01841 -3736 6767 0.01818 -3736 6820 0.01158 -3736 6978 0.01228 -3736 7441 0.01162 -3736 7851 0.00617 -3736 8021 0.01653 -3736 8293 0.00861 -3736 8349 0.01917 -3736 9842 0.01498 -3736 9926 0.00956 -3735 4183 0.01191 -3735 5164 0.01485 -3735 5276 0.01609 -3735 6123 0.01262 -3735 8689 0.01686 -3735 8799 0.01196 -3735 9671 0.01644 -3734 3896 0.01311 -3734 4255 0.01815 -3734 5882 0.01523 -3734 8503 0.01818 -3733 4754 0.01379 -3733 5495 0.01234 -3733 5795 0.00851 -3733 6523 0.01480 -3733 7133 0.01291 -3733 7272 0.01525 -3733 8302 0.00748 -3733 8595 0.01987 -3732 4090 0.01822 -3732 4127 0.01631 -3732 5355 0.01688 -3732 8142 0.01411 -3732 8216 0.00967 -3731 4738 0.00449 -3731 5107 0.01934 -3731 5224 0.00810 -3731 5658 0.01210 -3731 5671 0.01600 -3731 6660 0.01525 -3731 7572 0.00653 -3730 4553 0.01022 -3730 5037 0.00040 -3730 6022 0.01797 -3730 6869 0.01121 -3730 7001 0.00388 -3730 7082 0.01801 -3730 7259 0.01959 -3730 7770 0.01926 -3730 8542 0.01869 -3730 8627 0.01892 -3730 8766 0.01969 -3730 8839 0.01432 -3730 8925 0.01643 -3730 9289 0.01998 -3730 9966 0.01111 -3729 7065 0.01199 -3729 8137 0.01718 -3729 8491 0.00948 -3729 9280 0.01563 -3728 4620 0.01517 -3728 4943 0.01910 -3728 6091 0.01678 -3728 6189 0.01951 -3728 6844 0.01771 -3728 7743 0.01074 -3728 8334 0.01762 -3728 9038 0.01067 -3727 3899 0.01287 -3727 5511 0.01459 -3727 5968 0.00808 -3727 6656 0.00815 -3727 7076 0.01970 -3727 7128 0.01869 -3727 7665 0.01860 -3727 8986 0.01972 -3727 9648 0.01472 -3727 9866 0.00978 -3726 4469 0.01272 -3726 4661 0.01872 -3726 4803 0.01998 -3726 4954 0.01986 -3726 4986 0.01670 -3726 6150 0.01621 -3726 6977 0.01311 -3726 7307 0.01370 -3726 8128 0.01873 -3726 9096 0.01621 -3726 9576 0.01756 -3725 3729 0.01948 -3725 5078 0.01912 -3725 8112 0.01589 -3725 8137 0.00243 -3725 8491 0.01169 -3725 8795 0.01901 -3725 9280 0.00996 -3724 4041 0.00497 -3724 4244 0.00990 -3724 4702 0.00979 -3724 4711 0.01874 -3724 5462 0.01414 -3724 5699 0.01594 -3724 7304 0.00854 -3724 7465 0.00835 -3724 7696 0.01929 -3724 9757 0.01264 -3723 3728 0.01238 -3723 3815 0.01782 -3723 4620 0.00967 -3723 5051 0.01703 -3723 6844 0.01240 -3723 7743 0.01806 -3722 4477 0.01050 -3722 5057 0.01620 -3722 6293 0.01956 -3722 7329 0.01812 -3722 8634 0.01197 -3722 8748 0.01877 -3722 8772 0.00972 -3722 9036 0.01880 -3721 3928 0.00155 -3721 4924 0.01591 -3721 7282 0.00974 -3721 8119 0.01987 -3721 9373 0.01783 -3721 9559 0.00859 -3721 9771 0.01667 -3720 4227 0.01068 -3720 4601 0.01852 -3720 4690 0.01120 -3720 6110 0.01275 -3720 6252 0.01995 -3720 6831 0.00943 -3720 7909 0.01351 -3720 8382 0.01243 -3720 8664 0.01881 -3720 9090 0.00299 -3719 4289 0.01323 -3719 4829 0.01011 -3719 6590 0.01208 -3719 6949 0.00510 -3718 3986 0.00940 -3718 6046 0.01734 -3718 6828 0.01863 -3718 6980 0.01969 -3718 7123 0.00744 -3718 7602 0.01652 -3718 7986 0.01908 -3718 8465 0.01858 -3718 9438 0.01409 -3718 9553 0.01986 -3718 9994 0.01780 -3717 4579 0.01920 -3717 4629 0.00117 -3717 4762 0.00505 -3717 5669 0.01303 -3717 5684 0.01421 -3717 5765 0.00792 -3717 7199 0.01078 -3717 7723 0.01462 -3717 7800 0.01117 -3717 8337 0.01996 -3717 9982 0.01332 -3716 5944 0.01334 -3716 7827 0.01627 -3716 8162 0.00817 -3716 8881 0.01437 -3716 9078 0.01416 -3715 4725 0.01347 -3715 5258 0.01377 -3715 5531 0.01284 -3715 5629 0.01892 -3715 6609 0.00499 -3715 6667 0.01621 -3715 8920 0.01994 -3715 9104 0.01334 -3715 9491 0.01792 -3714 5386 0.01735 -3714 6250 0.01902 -3714 6295 0.01564 -3714 6355 0.01280 -3714 6950 0.01566 -3714 7592 0.00910 -3714 9248 0.01472 -3713 3955 0.01296 -3713 5672 0.01444 -3713 5836 0.01799 -3713 5905 0.01263 -3713 5936 0.00261 -3713 7634 0.01203 -3713 8132 0.01810 -3713 8416 0.01799 -3713 8661 0.01969 -3713 9650 0.01297 -3712 5095 0.01771 -3712 7147 0.01945 -3712 8325 0.01916 -3712 9816 0.01735 -3711 4458 0.01770 -3711 5225 0.01204 -3711 5593 0.01877 -3711 5700 0.01997 -3711 6209 0.02000 -3711 7395 0.01359 -3711 8856 0.01305 -3711 8992 0.01833 -3711 9161 0.01519 -3711 9387 0.00543 -3711 9421 0.00985 -3711 9441 0.01365 -3711 9537 0.01934 -3710 4374 0.01949 -3710 6113 0.00937 -3710 6169 0.01776 -3710 6367 0.01748 -3710 8085 0.01881 -3710 9718 0.01624 -3709 4260 0.01816 -3709 4601 0.01550 -3709 5557 0.00737 -3709 5844 0.00364 -3709 6961 0.01898 -3709 7022 0.01695 -3709 7909 0.01363 -3708 4323 0.01142 -3708 4982 0.01951 -3708 5734 0.01060 -3708 5992 0.01909 -3708 6037 0.01046 -3708 7326 0.01218 -3708 9560 0.01558 -3707 4224 0.01765 -3707 4335 0.01803 -3707 4408 0.00402 -3707 5766 0.01675 -3707 7858 0.00626 -3707 7893 0.00264 -3707 8527 0.01811 -3707 8552 0.01662 -3707 8676 0.01806 -3707 8784 0.01065 -3707 8870 0.01511 -3707 9260 0.01017 -3707 9931 0.01507 -3706 3785 0.01553 -3706 4043 0.01372 -3706 4083 0.01937 -3706 4757 0.01918 -3706 4945 0.01946 -3706 4971 0.00200 -3706 5172 0.00934 -3706 7656 0.01753 -3706 8079 0.01178 -3705 4108 0.01076 -3705 6747 0.01238 -3705 6987 0.01842 -3705 9286 0.01673 -3705 9891 0.01875 -3705 9947 0.00798 -3704 3906 0.01133 -3704 4881 0.00625 -3704 4951 0.00592 -3704 6194 0.01458 -3704 6700 0.01099 -3704 7380 0.01672 -3704 8755 0.01196 -3704 9759 0.01811 -3703 4171 0.01900 -3703 4537 0.01983 -3703 6208 0.01082 -3703 6437 0.01843 -3703 6882 0.01825 -3703 8246 0.01883 -3703 8610 0.01182 -3703 9920 0.00708 -3702 4312 0.00999 -3702 4352 0.00960 -3702 4562 0.01269 -3702 5174 0.01800 -3702 5478 0.01960 -3702 8668 0.00990 -3702 9204 0.01131 -3702 9524 0.01891 -3701 3838 0.01453 -3701 7019 0.00536 -3701 7686 0.01786 -3701 9029 0.01072 -3700 3893 0.01573 -3700 4253 0.01528 -3700 4394 0.01516 -3700 5504 0.00285 -3700 7758 0.01124 -3700 8294 0.00436 -3700 9087 0.00357 -3700 9981 0.01578 -3699 4313 0.01567 -3699 4527 0.00766 -3699 6137 0.01608 -3699 7782 0.01801 -3699 8255 0.01602 -3699 8497 0.00865 -3699 9903 0.01482 -3698 4254 0.01143 -3698 4589 0.00851 -3698 4904 0.00584 -3698 5147 0.01778 -3698 5586 0.01933 -3698 5793 0.01782 -3698 5884 0.01648 -3698 7006 0.01785 -3698 7254 0.01786 -3698 7823 0.01772 -3698 8586 0.00696 -3698 8614 0.01406 -3698 9370 0.00546 -3698 9497 0.01179 -3697 3788 0.00257 -3697 3817 0.01997 -3697 4091 0.01620 -3697 4529 0.01121 -3697 5913 0.01859 -3697 6218 0.00472 -3697 6305 0.01663 -3697 6325 0.01160 -3697 7950 0.01689 -3697 8808 0.01277 -3697 8889 0.00309 -3697 8909 0.01836 -3696 4997 0.00966 -3696 5346 0.01630 -3696 5857 0.01292 -3696 8000 0.01146 -3696 8555 0.00474 -3696 9178 0.01978 -3696 9261 0.01982 -3695 4045 0.00693 -3695 5980 0.00535 -3695 7394 0.01313 -3695 7565 0.00941 -3695 7948 0.01287 -3695 8344 0.01224 -3695 9401 0.01508 -3694 7125 0.01670 -3694 7334 0.01776 -3694 8012 0.00508 -3693 3973 0.01926 -3693 4049 0.01829 -3693 5213 0.00812 -3693 7022 0.01641 -3693 7025 0.01965 -3693 8163 0.01412 -3693 8449 0.00940 -3693 9541 0.01616 -3693 9754 0.01440 -3692 5325 0.00546 -3692 7170 0.01274 -3692 7376 0.01268 -3692 7725 0.01100 -3692 7971 0.00697 -3692 8110 0.01435 -3692 9403 0.00823 -3692 9550 0.01954 -3691 4536 0.00314 -3691 6072 0.01420 -3691 6792 0.00839 -3691 6885 0.00587 -3691 7305 0.01561 -3691 7926 0.00313 -3691 7972 0.01074 -3691 8700 0.01398 -3691 8801 0.01247 -3691 9445 0.01010 -3691 9626 0.01060 -3691 9749 0.01116 -3690 4190 0.01871 -3690 4975 0.01826 -3690 7016 0.01692 -3690 7525 0.00794 -3690 8138 0.01904 -3689 4771 0.01201 -3689 4939 0.01261 -3689 4950 0.00731 -3689 6173 0.01496 -3689 6381 0.01121 -3689 8857 0.00254 -3689 9162 0.00970 -3688 3984 0.01131 -3688 4315 0.01316 -3688 4624 0.00906 -3688 4729 0.01698 -3688 4853 0.01243 -3688 5229 0.00763 -3688 5435 0.00680 -3688 6107 0.01301 -3688 8556 0.01681 -3688 9230 0.01267 -3688 9340 0.01251 -3688 9765 0.01911 -3687 4444 0.01582 -3687 4599 0.00632 -3687 5571 0.01850 -3687 5696 0.01157 -3687 6540 0.01883 -3687 6826 0.00320 -3687 7842 0.01057 -3687 8152 0.00878 -3687 8817 0.01243 -3686 6202 0.01859 -3686 6230 0.01417 -3686 6703 0.00443 -3686 7331 0.01594 -3686 7967 0.01431 -3686 8244 0.00291 -3686 8348 0.01347 -3685 5089 0.01879 -3685 5179 0.01592 -3685 5861 0.01277 -3685 6302 0.01097 -3685 7491 0.01644 -3685 8241 0.01405 -3684 3800 0.01616 -3684 6054 0.01824 -3684 7674 0.01224 -3684 8510 0.01570 -3684 8665 0.01342 -3684 9079 0.00519 -3684 9797 0.01292 -3683 3762 0.01527 -3683 4415 0.01529 -3683 5890 0.01206 -3683 6671 0.00967 -3683 7306 0.00566 -3683 7524 0.01891 -3683 9192 0.01810 -3683 9698 0.01612 -3683 9924 0.01960 -3682 5202 0.01957 -3682 6996 0.01497 -3682 7999 0.01302 -3682 9083 0.01370 -3681 3965 0.01706 -3681 5575 0.01679 -3681 5683 0.00980 -3681 6687 0.01679 -3681 9585 0.00782 -3680 3830 0.00749 -3680 5708 0.00380 -3680 5773 0.00574 -3680 7367 0.00849 -3680 8020 0.01354 -3680 8362 0.01328 -3680 9050 0.01350 -3680 9095 0.01477 -3679 3905 0.01854 -3679 5018 0.01093 -3679 5488 0.00545 -3679 5853 0.01639 -3679 9218 0.01194 -3679 9313 0.01310 -3679 9368 0.00962 -3678 3912 0.01959 -3678 4739 0.01202 -3678 5223 0.01464 -3678 8535 0.00802 -3678 9916 0.01097 -3677 5247 0.01276 -3677 7079 0.01651 -3677 7230 0.01701 -3677 7235 0.01773 -3677 7624 0.01308 -3677 8893 0.01005 -3677 9018 0.00567 -3676 4212 0.01097 -3676 6115 0.01875 -3676 7142 0.01171 -3676 7251 0.01939 -3676 8017 0.01011 -3676 8052 0.01156 -3676 8561 0.01119 -3676 9175 0.00516 -3676 9309 0.01380 -3676 9858 0.01685 -3675 4409 0.01711 -3675 4630 0.01878 -3675 5517 0.00935 -3675 5608 0.00591 -3675 6090 0.01928 -3675 6368 0.01813 -3675 6432 0.01603 -3675 8066 0.01418 -3675 8902 0.01964 -3674 5369 0.00667 -3674 6199 0.01295 -3674 6779 0.01865 -3674 7227 0.00803 -3674 7883 0.01402 -3674 9092 0.01128 -3674 9817 0.01942 -3673 4659 0.01294 -3673 5027 0.01414 -3673 5533 0.01534 -3673 7742 0.01948 -3673 8407 0.00359 -3673 8574 0.00922 -3672 3729 0.01481 -3672 7065 0.00501 -3672 7496 0.01449 -3672 7687 0.01354 -3671 4284 0.01475 -3671 7095 0.01263 -3671 7791 0.01491 -3671 8363 0.01574 -3671 8607 0.01952 -3671 8967 0.00887 -3671 9448 0.00792 -3671 9673 0.01916 -3670 3853 0.01346 -3670 3950 0.00361 -3670 5123 0.01639 -3670 5332 0.01203 -3670 7853 0.01499 -3670 7884 0.01038 -3670 8303 0.01839 -3670 8831 0.01939 -3670 9064 0.00772 -3670 9148 0.01707 -3669 3898 0.01474 -3669 4815 0.01393 -3669 5031 0.00698 -3669 5566 0.01116 -3669 8837 0.01444 -3669 9059 0.01638 -3669 9773 0.01564 -3668 4413 0.01529 -3668 5768 0.00616 -3668 6755 0.01748 -3668 7049 0.00848 -3668 8239 0.00828 -3668 9288 0.01421 -3667 3719 0.01143 -3667 4289 0.01718 -3667 4628 0.01767 -3667 4829 0.01459 -3667 5888 0.01831 -3667 6590 0.00451 -3667 6949 0.00943 -3667 7161 0.01883 -3667 7351 0.01812 -3667 8143 0.01701 -3666 3919 0.01241 -3666 4082 0.00787 -3666 4695 0.01313 -3666 4888 0.01808 -3666 8410 0.00889 -3666 8754 0.00389 -3666 8760 0.01403 -3666 9341 0.01044 -3665 5179 0.01438 -3665 5454 0.01310 -3665 7247 0.01806 -3665 8274 0.01601 -3665 8628 0.01437 -3664 4286 0.01557 -3664 5660 0.01514 -3664 6071 0.01090 -3664 6658 0.01912 -3664 6952 0.01061 -3664 7153 0.01982 -3664 7420 0.01157 -3663 3828 0.01776 -3663 4302 0.01448 -3663 4381 0.01989 -3663 4807 0.01981 -3663 6182 0.00495 -3662 4270 0.01667 -3662 5658 0.01603 -3662 7389 0.01014 -3662 7590 0.01446 -3662 7845 0.01407 -3662 9426 0.01973 -3662 9667 0.01241 -3662 9809 0.00437 -3661 5085 0.01076 -3661 5188 0.01459 -3661 5631 0.01889 -3661 5804 0.00987 -3661 6322 0.01141 -3661 8778 0.01536 -3661 9173 0.01276 -3661 9703 0.00765 -3660 6758 0.01384 -3660 6874 0.01690 -3660 8034 0.01565 -3660 8429 0.01530 -3659 3886 0.01662 -3659 4078 0.00598 -3659 4414 0.01351 -3659 4728 0.01932 -3659 5238 0.01221 -3659 6487 0.01375 -3659 6655 0.01798 -3659 8232 0.01971 -3658 4223 0.01419 -3658 4454 0.01197 -3658 6683 0.01497 -3658 6778 0.01050 -3658 7711 0.00725 -3658 7812 0.01355 -3658 7935 0.01032 -3658 8578 0.01853 -3658 8776 0.00916 -3657 4191 0.01026 -3657 4385 0.01870 -3657 4540 0.01765 -3657 4800 0.01750 -3657 5268 0.01974 -3657 5303 0.01453 -3657 5790 0.01447 -3657 6731 0.01569 -3657 7333 0.01872 -3657 7406 0.01533 -3657 7636 0.01741 -3657 8821 0.01912 -3657 9203 0.01145 -3656 3978 0.01808 -3656 6444 0.01480 -3656 9040 0.00767 -3656 9737 0.01699 -3655 3777 0.01374 -3655 3921 0.01325 -3655 4473 0.01496 -3655 5158 0.01936 -3655 5159 0.01256 -3655 5216 0.01228 -3655 5611 0.01578 -3655 6273 0.00826 -3655 6573 0.00449 -3655 6574 0.01140 -3655 7137 0.01351 -3655 7776 0.01722 -3654 4444 0.00801 -3654 4455 0.01907 -3654 4463 0.00836 -3654 5676 0.01359 -3654 7310 0.01515 -3654 8817 0.01845 -3654 9111 0.01383 -3654 9388 0.01447 -3653 4968 0.01460 -3653 5441 0.01594 -3653 5647 0.01705 -3653 6907 0.01045 -3653 7446 0.01031 -3653 7719 0.01892 -3653 7744 0.00084 -3653 7762 0.01498 -3653 7824 0.00641 -3653 8904 0.00896 -3653 9717 0.00934 -3652 4390 0.01648 -3652 5000 0.00408 -3652 5934 0.00797 -3652 6038 0.01752 -3652 6064 0.01354 -3652 6069 0.01748 -3652 7188 0.01421 -3652 7207 0.01172 -3652 7578 0.01774 -3652 8669 0.01013 -3652 9185 0.01642 -3652 9596 0.00797 -3651 4578 0.01167 -3651 4658 0.01136 -3651 5550 0.01140 -3651 7402 0.01658 -3651 8764 0.01939 -3650 4615 0.01935 -3650 5110 0.01887 -3650 6419 0.01552 -3650 6532 0.01601 -3650 8537 0.01456 -3649 3810 0.01506 -3649 4671 0.01965 -3649 4777 0.01807 -3649 4929 0.01782 -3649 5143 0.00992 -3649 7194 0.01774 -3649 7979 0.01614 -3649 8319 0.01896 -3648 4196 0.01875 -3648 5482 0.02000 -3648 6339 0.01117 -3648 7489 0.01144 -3648 7535 0.00739 -3648 8360 0.01454 -3648 9408 0.01314 -3647 3654 0.01379 -3647 4444 0.01710 -3647 4463 0.00709 -3647 5571 0.01745 -3647 5676 0.00066 -3647 6568 0.00935 -3647 6804 0.01364 -3647 9534 0.01926 -3646 4006 0.01239 -3646 5383 0.01899 -3646 5389 0.01473 -3646 6857 0.01960 -3646 7792 0.00406 -3646 8154 0.00820 -3646 9138 0.01971 -3646 9146 0.01256 -3646 9157 0.01481 -3645 4105 0.00901 -3645 4279 0.01498 -3645 4462 0.01099 -3645 5623 0.01723 -3645 5716 0.00764 -3645 7745 0.01989 -3645 7850 0.00687 -3645 9673 0.00548 -3645 9823 0.01609 -3644 4748 0.01061 -3644 5441 0.01947 -3644 8276 0.01719 -3644 9113 0.01636 -3644 9713 0.00552 -3643 4331 0.01073 -3643 4486 0.01827 -3643 4622 0.01795 -3643 5372 0.01105 -3643 5378 0.01190 -3643 5586 0.01611 -3643 5616 0.01610 -3643 5825 0.01977 -3643 6633 0.00559 -3643 8443 0.01986 -3642 3828 0.01112 -3642 4807 0.01941 -3642 5748 0.01777 -3642 6353 0.01436 -3642 7622 0.01937 -3642 8344 0.01901 -3642 8396 0.01535 -3642 8618 0.00555 -3642 9794 0.00851 -3641 4103 0.01029 -3641 5128 0.01406 -3641 5405 0.01132 -3641 5602 0.01470 -3641 6185 0.01862 -3641 6308 0.01993 -3641 6984 0.00695 -3641 7120 0.01117 -3641 7354 0.01249 -3641 9452 0.01606 -3640 6408 0.01427 -3640 8675 0.01726 -3639 4299 0.01475 -3639 7513 0.01556 -3639 7846 0.01573 -3639 8861 0.01714 -3638 3848 0.01414 -3638 4199 0.00345 -3638 4221 0.01954 -3638 4821 0.00867 -3638 6950 0.00746 -3638 7184 0.00974 -3638 7592 0.01576 -3638 7605 0.01389 -3638 8846 0.01739 -3638 9208 0.01280 -3638 9775 0.01904 -3637 3773 0.00898 -3637 4316 0.01670 -3637 4493 0.01246 -3637 5287 0.01100 -3637 5412 0.01766 -3637 5540 0.01519 -3637 6039 0.01605 -3637 6136 0.01640 -3637 6572 0.01603 -3637 6915 0.01598 -3637 7840 0.01157 -3636 4570 0.00961 -3636 6225 0.00812 -3636 6651 0.01952 -3636 7620 0.01564 -3636 8307 0.01104 -3635 5452 0.01404 -3635 5917 0.01717 -3635 6921 0.01470 -3635 8478 0.01693 -3635 8826 0.01623 -3634 3857 0.01773 -3634 4340 0.01589 -3634 5209 0.01545 -3634 5834 0.00845 -3634 6796 0.01074 -3634 8963 0.01266 -3634 9235 0.01815 -3634 9242 0.01029 -3633 4890 0.01669 -3633 4959 0.01521 -3633 5489 0.01508 -3633 5524 0.01876 -3633 6296 0.00978 -3633 6595 0.01886 -3633 8472 0.01768 -3632 3814 0.00519 -3632 4355 0.01113 -3632 5564 0.01322 -3632 5871 0.01067 -3632 6352 0.01592 -3632 6498 0.01126 -3632 7975 0.01441 -3632 8861 0.01573 -3631 3990 0.01153 -3631 4850 0.01781 -3631 4995 0.01769 -3631 5075 0.01072 -3631 5551 0.01545 -3631 6715 0.01570 -3631 7347 0.01229 -3631 7638 0.01965 -3630 4505 0.00548 -3630 5072 0.00262 -3630 6464 0.01502 -3630 6748 0.00454 -3630 6976 0.01230 -3630 7085 0.01814 -3630 7348 0.00799 -3630 7511 0.01807 -3630 7515 0.01528 -3630 8062 0.01991 -3629 4605 0.01228 -3629 4996 0.00712 -3629 5105 0.01644 -3629 5708 0.01984 -3629 6179 0.00904 -3629 6638 0.00751 -3629 7367 0.01424 -3629 7438 0.00507 -3629 8140 0.00899 -3629 8362 0.01000 -3629 9050 0.01401 -3629 9095 0.01591 -3629 9676 0.00686 -3628 4147 0.00436 -3628 4353 0.01491 -3628 6241 0.00880 -3628 7055 0.01855 -3628 7099 0.00662 -3628 8126 0.01924 -3628 9233 0.01899 -3627 4065 0.00855 -3627 5125 0.01603 -3627 6451 0.00739 -3627 6614 0.01840 -3627 6898 0.00147 -3627 8225 0.00337 -3627 8828 0.01590 -3627 9956 0.00749 -3626 3897 0.01722 -3626 4125 0.01010 -3625 4817 0.01441 -3625 6131 0.01401 -3625 6672 0.00966 -3625 7037 0.01581 -3625 8430 0.01001 -3624 4623 0.01741 -3624 4750 0.01760 -3624 5157 0.01289 -3624 5281 0.01622 -3624 7002 0.01293 -3624 9118 0.01424 -3624 9197 0.00894 -3624 9249 0.01948 -3624 9948 0.01373 -3623 4885 0.01092 -3623 5792 0.01145 -3623 6327 0.01592 -3623 6340 0.01822 -3623 7379 0.01523 -3623 7648 0.00995 -3622 5244 0.01734 -3622 5595 0.01948 -3622 6441 0.01387 -3622 7668 0.01625 -3622 8119 0.01773 -3622 8388 0.00661 -3622 8643 0.01344 -3622 9540 0.00838 -3622 9951 0.00827 -3621 4457 0.01656 -3621 5046 0.01132 -3621 5083 0.02000 -3621 5173 0.00867 -3621 5547 0.01645 -3621 6073 0.01700 -3621 7047 0.01920 -3621 8679 0.01306 -3621 9803 0.00224 -3620 5149 0.01846 -3620 7954 0.01671 -3619 3976 0.01338 -3619 4156 0.00607 -3619 6208 0.01784 -3619 6470 0.00838 -3619 9920 0.01419 -3618 3713 0.01338 -3618 5836 0.01806 -3618 5905 0.01310 -3618 5936 0.01438 -3618 7512 0.01664 -3618 7634 0.00247 -3618 8132 0.00472 -3618 8416 0.00462 -3618 8661 0.00670 -3618 9650 0.01921 -3617 4902 0.01863 -3617 6134 0.00343 -3617 6363 0.01550 -3617 6754 0.01837 -3617 6988 0.01766 -3617 7051 0.00784 -3617 7794 0.00803 -3617 7891 0.01410 -3617 7990 0.00780 -3617 8083 0.00365 -3617 8864 0.01245 -3617 9241 0.01614 -3616 3884 0.00343 -3616 4604 0.01080 -3616 4727 0.00444 -3616 5654 0.01588 -3616 8840 0.01348 -3616 9822 0.01694 -3615 3988 0.00579 -3615 4096 0.01800 -3615 6881 0.01127 -3615 8133 0.01733 -3615 9356 0.00554 -3614 4780 0.00894 -3614 4794 0.00563 -3614 7453 0.01283 -3614 7927 0.01996 -3614 9326 0.01033 -3613 4174 0.01467 -3613 4625 0.01648 -3613 6176 0.01293 -3613 6200 0.01815 -3613 7433 0.00685 -3613 9396 0.01009 -3613 9568 0.01966 -3613 9638 0.01106 -3612 5685 0.01270 -3612 6030 0.01696 -3612 7359 0.01958 -3612 9232 0.01222 -3612 9382 0.01503 -3611 3706 0.01979 -3611 4083 0.01939 -3611 4732 0.00772 -3611 4757 0.00090 -3611 4945 0.01671 -3611 5466 0.01564 -3610 5016 0.01288 -3610 5506 0.01111 -3610 8878 0.01800 -3609 6147 0.01659 -3609 6515 0.01462 -3609 6777 0.01123 -3609 7114 0.00931 -3609 7486 0.01524 -3609 7934 0.01847 -3609 9478 0.01165 -3609 9839 0.00869 -3608 3889 0.01500 -3608 4707 0.01945 -3608 4940 0.01411 -3608 5231 0.01284 -3608 6235 0.01370 -3608 8763 0.01068 -3607 3995 0.01934 -3607 4145 0.01139 -3607 4960 0.01417 -3607 5450 0.01095 -3607 7540 0.01310 -3607 9633 0.01633 -3606 4298 0.01737 -3606 5448 0.01938 -3606 6034 0.01916 -3606 6195 0.00818 -3606 6289 0.01795 -3606 8028 0.01184 -3606 8350 0.01960 -3606 8499 0.01672 -3606 8640 0.00315 -3606 8680 0.01353 -3606 8849 0.01890 -3606 8957 0.01472 -3605 5533 0.01767 -3605 7742 0.01235 -3605 7760 0.00790 -3605 7929 0.00489 -3604 4755 0.01921 -3604 6009 0.00890 -3604 6960 0.01887 -3604 7283 0.00767 -3604 7846 0.00967 -3603 4109 0.01644 -3603 4818 0.01578 -3603 4882 0.00890 -3603 4908 0.00953 -3603 5232 0.00595 -3603 5269 0.01692 -3603 5400 0.01612 -3603 6509 0.01590 -3603 6794 0.01322 -3603 7241 0.00853 -3603 7562 0.01853 -3603 7736 0.01717 -3603 8321 0.01843 -3603 8815 0.00851 -3603 8895 0.01833 -3603 9055 0.01537 -3603 9234 0.00630 -3603 9437 0.01147 -3603 9649 0.01625 -3603 9670 0.01364 -3603 9748 0.00767 -3603 9884 0.01728 -3602 4437 0.01075 -3602 7783 0.01030 -3602 8458 0.01215 -3602 9147 0.00905 -3602 9419 0.01878 -3601 4218 0.01111 -3601 4694 0.01436 -3601 6528 0.01415 -3601 7316 0.01980 -3601 7751 0.01188 -3601 8048 0.01732 -3601 8549 0.01430 -3600 3974 0.00729 -3600 4232 0.00926 -3600 4360 0.00872 -3600 5764 0.01512 -3600 7164 0.01987 -3600 7313 0.00870 -3600 8743 0.01809 -3600 9971 0.00963 -3599 3622 0.00124 -3599 5244 0.01632 -3599 6441 0.01395 -3599 7668 0.01717 -3599 8119 0.01716 -3599 8388 0.00594 -3599 8643 0.01455 -3599 9540 0.00943 -3599 9951 0.00743 -3598 4143 0.01230 -3598 6825 0.00745 -3598 8168 0.00935 -3598 9223 0.01013 -3597 4565 0.01545 -3597 5021 0.01281 -3597 5039 0.00444 -3597 7245 0.00795 -3597 7586 0.01812 -3597 7991 0.01434 -3597 8845 0.01935 -3597 8922 0.00673 -3597 9763 0.01412 -3597 9847 0.00290 -3596 3864 0.00954 -3596 3865 0.01881 -3596 4867 0.01925 -3596 6128 0.01693 -3596 7784 0.01797 -3596 8101 0.01720 -3596 8604 0.00749 -3595 4711 0.01763 -3595 5321 0.01012 -3595 5434 0.01389 -3595 5996 0.00968 -3595 6676 0.00646 -3595 6680 0.00935 -3595 7696 0.01024 -3595 8436 0.01223 -3595 9595 0.01168 -3594 4488 0.01590 -3594 5236 0.01452 -3594 7434 0.01845 -3594 7551 0.01707 -3594 7685 0.01324 -3594 9989 0.01805 -3593 3763 0.01190 -3593 5011 0.00776 -3593 6681 0.00499 -3593 6857 0.01906 -3593 7330 0.01485 -3593 9515 0.00938 -3592 4974 0.01481 -3592 5322 0.01199 -3592 8300 0.00597 -3592 8912 0.01666 -3592 9511 0.01991 -3591 3881 0.01087 -3591 4577 0.01603 -3591 5673 0.01011 -3591 6253 0.01532 -3591 6552 0.01987 -3591 7346 0.01045 -3591 7836 0.01774 -3591 8090 0.01642 -3591 8629 0.00617 -3591 8789 0.01048 -3590 3870 0.01931 -3590 4797 0.01470 -3590 5252 0.01601 -3590 5763 0.00274 -3590 6162 0.01004 -3590 7271 0.01936 -3590 7827 0.01063 -3590 8564 0.01260 -3589 5749 0.00836 -3589 6675 0.00363 -3589 8173 0.00328 -3589 9573 0.00738 -3588 3842 0.01697 -3588 4366 0.00955 -3588 4393 0.01774 -3588 5151 0.00522 -3588 5806 0.01351 -3588 7299 0.00330 -3588 7404 0.01199 -3588 9538 0.01908 -3588 9607 0.00722 -3587 3740 0.01329 -3587 4959 0.01526 -3587 6595 0.00893 -3587 7456 0.01179 -3587 8472 0.00739 -3587 9372 0.01627 -3586 4503 0.01658 -3586 5094 0.01391 -3586 6514 0.01450 -3586 7374 0.01727 -3586 8633 0.01994 -3586 8769 0.00369 -3586 8847 0.00343 -3586 9074 0.01820 -3586 9672 0.01487 -3585 3681 0.00660 -3585 3965 0.01786 -3585 4044 0.01971 -3585 4530 0.01997 -3585 5575 0.01268 -3585 5683 0.01279 -3585 6704 0.01941 -3585 9585 0.00931 -3584 4852 0.01896 -3584 6477 0.01237 -3584 8008 0.01587 -3584 8296 0.01511 -3583 3599 0.01551 -3583 3622 0.01540 -3583 3721 0.01833 -3583 3928 0.01932 -3583 5595 0.01930 -3583 7282 0.01893 -3583 7799 0.01972 -3583 8119 0.00949 -3583 9314 0.01403 -3583 9559 0.01120 -3582 4597 0.01366 -3582 5015 0.01922 -3582 5476 0.01290 -3582 5681 0.01681 -3582 5909 0.01576 -3582 5954 0.01640 -3582 8457 0.01049 -3582 9429 0.00859 -3582 9564 0.00189 -3582 9627 0.00275 -3582 9662 0.01718 -3582 9755 0.01851 -3581 3596 0.01649 -3581 3771 0.01723 -3581 4101 0.01732 -3581 4867 0.01562 -3581 4870 0.01591 -3581 5949 0.01568 -3581 8041 0.01662 -3581 8101 0.00258 -3581 8604 0.01148 -3581 8964 0.00845 -3580 3725 0.00874 -3580 4120 0.01851 -3580 8112 0.00810 -3580 8137 0.00993 -3580 8359 0.01929 -3580 8491 0.01680 -3580 8795 0.01046 -3580 9169 0.01256 -3580 9280 0.01869 -3579 3677 0.00998 -3579 5056 0.01920 -3579 5247 0.00596 -3579 5620 0.01497 -3579 7079 0.00843 -3579 7230 0.01459 -3579 7235 0.01530 -3579 7624 0.01417 -3579 8893 0.01313 -3579 9018 0.00431 -3578 4211 0.01956 -3578 4446 0.01771 -3578 5052 0.01301 -3578 6971 0.01926 -3578 7243 0.01405 -3578 8135 0.01625 -3578 8551 0.00194 -3578 8758 0.01294 -3578 9995 0.01941 -3577 4838 0.01072 -3577 5363 0.01763 -3577 5421 0.00948 -3577 7649 0.01256 -3577 8014 0.00524 -3577 8018 0.01604 -3576 3862 0.01906 -3576 4448 0.01497 -3576 5617 0.01702 -3576 6472 0.01407 -3576 6473 0.01533 -3576 9222 0.00851 -3576 9366 0.01871 -3576 9632 0.01260 -3575 4114 0.01512 -3575 4124 0.00307 -3575 4378 0.01710 -3575 5730 0.01776 -3575 6724 0.01931 -3575 7655 0.00751 -3575 8248 0.01159 -3575 9217 0.00415 -3574 3675 0.01400 -3574 4409 0.01414 -3574 5608 0.00823 -3574 6368 0.01213 -3574 6432 0.01464 -3574 7374 0.01790 -3574 8633 0.00901 -3574 8902 0.01063 -3574 9074 0.00987 -3574 9806 0.01375 -3573 4917 0.00639 -3573 5485 0.01812 -3573 5514 0.01792 -3573 6024 0.01501 -3573 6854 0.01932 -3573 7179 0.01411 -3573 8158 0.01740 -3573 8505 0.01641 -3573 9581 0.01830 -3573 9582 0.00956 -3572 3967 0.01592 -3572 4113 0.01484 -3572 5069 0.01062 -3572 5418 0.01906 -3572 7000 0.00633 -3572 9298 0.01546 -3572 9583 0.00699 -3571 3837 0.00938 -3571 4862 0.01224 -3571 5356 0.01988 -3571 5781 0.01377 -3571 7475 0.01155 -3571 7740 0.01348 -3571 9936 0.00783 -3570 4428 0.01944 -3570 6622 0.01571 -3570 6693 0.01470 -3570 7096 0.01592 -3570 9629 0.01790 -3569 5753 0.01899 -3569 6004 0.01332 -3569 6050 0.01913 -3569 8324 0.00952 -3568 3872 0.00317 -3568 4337 0.00897 -3568 5319 0.01989 -3568 5462 0.01618 -3568 5779 0.01751 -3568 6334 0.00377 -3567 3795 0.01011 -3567 4373 0.00563 -3567 4679 0.01591 -3567 4731 0.00528 -3567 4781 0.00782 -3567 5221 0.01185 -3567 5752 0.01571 -3567 6337 0.01694 -3567 7165 0.01455 -3567 7949 0.01580 -3567 9077 0.01882 -3567 9198 0.01858 -3567 9890 0.01496 -3566 3943 0.01796 -3566 4684 0.00778 -3566 4931 0.01718 -3566 8211 0.01539 -3566 8284 0.00703 -3566 8558 0.01720 -3566 9631 0.01484 -3565 4338 0.01802 -3565 5029 0.01027 -3565 5274 0.01709 -3565 5969 0.01049 -3565 6155 0.01588 -3565 6350 0.01667 -3565 6652 0.01450 -3565 9590 0.01231 -3564 4600 0.00313 -3564 5604 0.00852 -3564 8568 0.00963 -3564 8662 0.01182 -3564 9071 0.01260 -3564 9143 0.00937 -3564 9422 0.01432 -3563 4445 0.01942 -3563 4745 0.01880 -3563 5443 0.01566 -3563 5762 0.00986 -3563 6453 0.01760 -3563 7045 0.01592 -3563 7381 0.01910 -3563 7437 0.01757 -3563 8222 0.00832 -3563 8860 0.01854 -3563 9312 0.01289 -3563 9411 0.01721 -3562 4895 0.01665 -3562 4935 0.00928 -3562 5182 0.01253 -3562 7653 0.01343 -3562 8656 0.01522 -3562 9327 0.00604 -3562 9651 0.01111 -3561 5120 0.00906 -3561 5518 0.01255 -3561 6220 0.01637 -3561 7793 0.00781 -3561 8706 0.01168 -3561 8773 0.01346 -3561 9820 0.01810 -3561 9974 0.01969 -3560 3765 0.01907 -3560 8849 0.01729 -3560 9521 0.00580 -3559 6448 0.01672 -3559 7324 0.01642 -3559 7479 0.01682 -3559 9766 0.01365 -3558 3735 0.01902 -3558 4183 0.01262 -3558 6359 0.01673 -3558 9671 0.01079 -3557 3631 0.01212 -3557 5075 0.01994 -3557 5226 0.01121 -3557 5436 0.01136 -3557 5551 0.01610 -3557 6685 0.01354 -3557 7093 0.01850 -3557 7337 0.01571 -3557 7347 0.01528 -3556 4236 0.00502 -3556 4622 0.01454 -3556 6571 0.01199 -3556 6751 0.01191 -3556 7074 0.01690 -3556 7366 0.00470 -3556 7876 0.01624 -3556 7985 0.01846 -3556 8056 0.01869 -3556 8214 0.01882 -3556 8997 0.01932 -3556 9621 0.01977 -3556 9949 0.01373 -3555 3610 0.00475 -3555 5016 0.01305 -3555 5506 0.01551 -3554 4004 0.01884 -3554 5411 0.01765 -3554 7149 0.00665 -3554 7536 0.01501 -3553 4310 0.00533 -3553 5496 0.01495 -3553 5600 0.01727 -3553 5837 0.01687 -3553 5956 0.01304 -3553 8447 0.00926 -3553 9177 0.01379 -3553 9896 0.00932 -3552 5541 0.01392 -3552 6982 0.01642 -3552 7734 0.01831 -3552 7913 0.00347 -3552 8592 0.01115 -3552 9046 0.01418 -3551 3806 0.00687 -3551 5637 0.01081 -3551 5677 0.01558 -3551 9300 0.01524 -3551 9937 0.01847 -3550 4539 0.00739 -3550 4715 0.01515 -3550 5235 0.01231 -3550 5341 0.01581 -3550 5479 0.01919 -3550 5780 0.01467 -3550 5948 0.00649 -3550 6140 0.00280 -3550 6438 0.01276 -3550 6639 0.01425 -3550 7295 0.01676 -3550 7332 0.01392 -3550 8560 0.00624 -3550 8872 0.01942 -3550 9243 0.00684 -3550 9760 0.01555 -3549 4539 0.01909 -3549 5780 0.01590 -3549 5948 0.01720 -3549 7295 0.01960 -3549 8872 0.01782 -3549 9760 0.01934 -3548 4196 0.00522 -3548 4736 0.01928 -3548 4790 0.01167 -3548 5284 0.01040 -3548 6339 0.01757 -3548 6768 0.01214 -3548 7233 0.00860 -3548 7434 0.01477 -3548 9430 0.01582 -3548 9886 0.00720 -3547 4012 0.01428 -3547 4380 0.01314 -3547 4665 0.01986 -3547 4712 0.01686 -3547 5063 0.01857 -3547 5237 0.00389 -3547 5475 0.01141 -3547 6519 0.01543 -3546 3805 0.01900 -3546 3822 0.00885 -3546 5117 0.01438 -3546 5638 0.01938 -3546 6365 0.01503 -3546 6887 0.01301 -3546 8780 0.01573 -3545 5074 0.01439 -3545 5600 0.01140 -3545 5731 0.00852 -3545 7008 0.00831 -3545 7363 0.01670 -3545 7798 0.01855 -3545 8447 0.01905 -3545 9603 0.01282 -3545 9774 0.01279 -3545 9896 0.01979 -3545 9930 0.00182 -3544 3753 0.01618 -3544 4288 0.01655 -3544 8371 0.00448 -3544 8415 0.00738 -3544 8973 0.00851 -3543 5279 0.01166 -3543 6355 0.01067 -3543 7912 0.01683 -3543 8213 0.01976 -3543 8631 0.01440 -3542 4576 0.01894 -3542 8689 0.01067 -3542 9215 0.01700 -3542 9579 0.01699 -3542 9860 0.00390 -3541 4058 0.00764 -3541 5091 0.00450 -3541 5103 0.01721 -3541 6725 0.01927 -3541 6946 0.00365 -3541 7680 0.01543 -3541 7773 0.01387 -3541 8172 0.01960 -3540 4132 0.01146 -3540 4158 0.01375 -3540 7009 0.00843 -3540 7213 0.01532 -3540 8667 0.01497 -3540 9142 0.01331 -3539 3641 0.01479 -3539 5128 0.01710 -3539 5405 0.01916 -3539 5407 0.00960 -3539 5602 0.01697 -3539 6984 0.01082 -3539 7354 0.00868 -3539 9041 0.01390 -3539 9442 0.01718 -3538 4062 0.01641 -3538 4316 0.01160 -3538 5215 0.01918 -3538 5955 0.01818 -3538 6915 0.00635 -3538 7840 0.01024 -3538 8598 0.01209 -3537 4872 0.00952 -3537 4894 0.01433 -3537 5589 0.01944 -3537 6101 0.00817 -3537 8170 0.01957 -3537 8347 0.01177 -3537 8419 0.01270 -3537 9236 0.01742 -3537 9832 0.00982 -3536 4425 0.01406 -3536 6691 0.01821 -3536 7533 0.01783 -3536 7928 0.01445 -3536 8258 0.01692 -3536 8368 0.01774 -3536 9914 0.01981 -3536 9998 0.01913 -3535 4070 0.01502 -3535 4097 0.01502 -3535 4208 0.01050 -3535 4910 0.00770 -3535 5758 0.01831 -3535 6189 0.01733 -3535 7866 0.01318 -3535 9349 0.00477 -3534 3882 0.01721 -3534 4810 0.00910 -3534 5399 0.01761 -3534 5587 0.01537 -3534 5811 0.01591 -3534 7240 0.01910 -3533 3577 0.01548 -3533 4640 0.01450 -3533 4838 0.00657 -3533 5363 0.00325 -3533 5421 0.01960 -3533 6784 0.01306 -3533 7649 0.00866 -3533 8014 0.01643 -3533 8018 0.00787 -3533 8753 0.01777 -3532 3557 0.01119 -3532 3631 0.00707 -3532 3770 0.01935 -3532 3990 0.01753 -3532 5075 0.00898 -3532 5436 0.01887 -3532 5551 0.00843 -3532 5817 0.01909 -3532 7347 0.01843 -3531 3621 0.01431 -3531 4299 0.01632 -3531 4510 0.01115 -3531 5046 0.00757 -3531 5173 0.01072 -3531 8397 0.01411 -3531 9803 0.01648 -3530 3646 0.01183 -3530 5011 0.01641 -3530 6909 0.01325 -3530 7330 0.01563 -3530 7792 0.01354 -3530 8154 0.00425 -3530 9138 0.01124 -3530 9157 0.01979 -3529 4602 0.01743 -3529 4933 0.00697 -3529 6001 0.00340 -3529 6017 0.00922 -3529 6429 0.01475 -3529 8541 0.00558 -3529 8547 0.01335 -3529 8770 0.00489 -3528 4331 0.01854 -3528 5378 0.01827 -3528 5586 0.01962 -3528 6631 0.01932 -3527 5248 0.01730 -3527 5365 0.01030 -3527 6267 0.00843 -3527 6611 0.01835 -3527 7407 0.00988 -3527 7904 0.01821 -3527 8150 0.01380 -3527 9580 0.01478 -3526 4477 0.01280 -3526 5590 0.01672 -3526 5989 0.00458 -3526 8634 0.00928 -3526 9036 0.00511 -3526 9856 0.01458 -3525 3838 0.00783 -3525 6378 0.01455 -3525 7618 0.01346 -3525 8187 0.00492 -3525 8242 0.01276 -3525 9029 0.00976 -3525 9529 0.01690 -3525 9780 0.01785 -3524 3891 0.01361 -3524 4395 0.00812 -3524 4965 0.01986 -3524 5376 0.00633 -3524 5657 0.01844 -3524 5791 0.01890 -3524 6124 0.01921 -3524 6215 0.01328 -3524 6360 0.01591 -3524 9641 0.00286 -3523 3669 0.01589 -3523 5566 0.00486 -3523 5739 0.01651 -3523 6521 0.01591 -3523 6542 0.01438 -3523 9773 0.00535 -3522 6206 0.01311 -3522 6643 0.01483 -3522 7164 0.01503 -3522 7193 0.01817 -3522 7313 0.01877 -3522 7826 0.01836 -3522 8256 0.01431 -3522 8630 0.01427 -3522 9762 0.00801 -3521 4799 0.00691 -3521 5964 0.01349 -3521 6773 0.01340 -3520 3534 0.01587 -3520 5811 0.01012 -3520 6219 0.01860 -3520 7240 0.01237 -3520 9145 0.01257 -3519 5649 0.01990 -3519 6370 0.00381 -3519 6746 0.01847 -3519 7062 0.01453 -3519 7189 0.01857 -3519 7485 0.00665 -3519 7863 0.01531 -3519 8299 0.01864 -3519 8336 0.01132 -3519 9462 0.01946 -3518 6486 0.01560 -3518 7280 0.01695 -3518 8492 0.01641 -3518 8584 0.01944 -3517 5627 0.01074 -3517 6105 0.01967 -3517 9457 0.01554 -3517 9725 0.01565 -3516 3552 0.01926 -3516 5245 0.01854 -3516 5541 0.00789 -3516 5895 0.01927 -3516 6982 0.00672 -3516 7734 0.00099 -3516 7913 0.01904 -3516 8592 0.01128 -3515 3706 0.01100 -3515 4043 0.01924 -3515 4971 0.01244 -3515 5172 0.00166 -3515 8079 0.01615 -3515 8709 0.01804 -3514 5217 0.01148 -3514 5340 0.01883 -3514 5445 0.00152 -3514 5826 0.00098 -3514 6853 0.00228 -3514 6883 0.01924 -3514 7228 0.00728 -3514 7816 0.00638 -3514 7867 0.01109 -3514 9058 0.01462 -3514 9188 0.00399 -3514 9961 0.01234 -3513 4004 0.00798 -3513 4449 0.01574 -3513 7149 0.01987 -3513 7676 0.01123 -3513 8329 0.01503 -3513 8686 0.00988 -3513 8805 0.01318 -3513 9321 0.00519 -3512 4384 0.01942 -3512 4905 0.01671 -3512 5111 0.01539 -3512 5848 0.00585 -3512 6467 0.00691 -3512 6801 0.00763 -3512 9919 0.01425 -3511 4332 0.01873 -3511 4379 0.01830 -3511 4923 0.01193 -3511 5294 0.01521 -3511 6418 0.00128 -3511 6581 0.01792 -3511 7830 0.01863 -3510 4033 0.01714 -3510 4515 0.01736 -3510 6141 0.00789 -3510 6524 0.01559 -3510 6852 0.01119 -3510 7094 0.00829 -3510 7105 0.01888 -3510 7604 0.00147 -3510 9941 0.00633 -3509 4403 0.00175 -3509 6223 0.00992 -3509 8215 0.00733 -3509 8926 0.01903 -3509 9285 0.00808 -3509 9431 0.00113 -3508 3747 0.01646 -3508 4235 0.01623 -3508 4714 0.00750 -3508 5068 0.00771 -3508 5319 0.01778 -3508 5814 0.01864 -3508 6219 0.01333 -3508 7240 0.01847 -3508 8207 0.00611 -3508 8827 0.01714 -3508 9145 0.01433 -3507 4445 0.01046 -3507 4737 0.00966 -3507 4745 0.01239 -3507 6822 0.01941 -3507 7045 0.01589 -3507 8156 0.01849 -3507 9411 0.01881 -3507 9970 0.01719 -3506 3607 0.01939 -3506 4145 0.01619 -3506 5450 0.00847 -3506 7077 0.01934 -3505 3926 0.00711 -3505 4114 0.01496 -3505 4165 0.01921 -3505 4271 0.00455 -3505 5117 0.01689 -3505 5691 0.01455 -3505 6724 0.01127 -3505 7809 0.01282 -3504 3586 0.01398 -3504 4309 0.01341 -3504 4503 0.01496 -3504 5498 0.01874 -3504 6514 0.01391 -3504 7688 0.01846 -3504 8769 0.01107 -3504 8847 0.01468 -3504 9672 0.00866 -3503 3612 0.00801 -3503 4280 0.01907 -3503 4575 0.01988 -3503 9232 0.01978 -3503 9382 0.01284 -3503 9695 0.01643 -3502 5802 0.00480 -3502 6650 0.01982 -3502 8195 0.00540 -3502 9176 0.00817 -3501 4218 0.00904 -3501 5552 0.01805 -3501 6223 0.01692 -3501 7316 0.00110 -3501 7751 0.01688 -3500 4704 0.01454 -3500 5163 0.01768 -3500 5531 0.01759 -3500 5629 0.01587 -3500 6243 0.01723 -3500 6561 0.01374 -3500 7027 0.01068 -3500 7614 0.01601 -3500 9473 0.01895 -3499 3948 0.01290 -3499 4351 0.01303 -3499 6049 0.01475 -3499 8906 0.01271 -3499 9021 0.01367 -3498 3615 0.01578 -3498 4096 0.01060 -3498 6707 0.01524 -3498 6881 0.01188 -3498 8115 0.01878 -3498 8129 0.01432 -3498 8133 0.01759 -3497 3807 0.00874 -3497 4497 0.01818 -3497 4724 0.01994 -3497 5096 0.01456 -3497 6062 0.01769 -3497 6344 0.00358 -3497 6736 0.01901 -3497 7297 0.00381 -3497 7444 0.01412 -3497 7561 0.01772 -3497 8413 0.00580 -3497 8687 0.01271 -3497 9481 0.01017 -3496 4003 0.01351 -3496 4873 0.01835 -3496 5175 0.01788 -3496 5624 0.01924 -3496 6043 0.01832 -3496 7072 0.01851 -3496 7710 0.01763 -3496 9818 0.01310 -3495 3718 0.01640 -3495 5877 0.01328 -3495 7986 0.00832 -3495 8100 0.01692 -3495 9474 0.00792 -3494 3599 0.01091 -3494 3622 0.01215 -3494 5244 0.00928 -3494 5732 0.01897 -3494 6441 0.01817 -3494 8119 0.01636 -3494 8388 0.00935 -3494 8461 0.01829 -3494 9540 0.01951 -3494 9951 0.00812 -3493 3931 0.01159 -3493 4491 0.01450 -3493 6653 0.01788 -3493 8259 0.01225 -3493 8369 0.01228 -3493 8530 0.01037 -3492 4856 0.01904 -3492 5648 0.00556 -3492 6035 0.01061 -3492 6184 0.00666 -3492 6213 0.01542 -3492 6756 0.00731 -3492 8571 0.00783 -3492 9804 0.01451 -3491 5043 0.01861 -3491 5985 0.01411 -3491 6023 0.01100 -3491 6282 0.00979 -3491 8508 0.01320 -3491 8945 0.01393 -3491 9710 0.01309 -3490 3766 0.01850 -3490 4639 0.01230 -3490 5727 0.00731 -3490 6190 0.00441 -3490 6745 0.01108 -3490 7211 0.01786 -3490 8590 0.00365 -3490 8731 0.00632 -3490 9834 0.01506 -3489 4685 0.01384 -3489 5035 0.00594 -3489 7542 0.01646 -3489 8727 0.01982 -3489 9587 0.01258 -3489 9690 0.01824 -3488 3951 0.01780 -3488 4515 0.00916 -3488 5106 0.01772 -3488 7094 0.01955 -3488 7105 0.01879 -3488 9171 0.01256 -3488 9796 0.01026 -3487 4809 0.01789 -3487 5483 0.01219 -3487 5626 0.00972 -3487 5652 0.01967 -3487 5724 0.01426 -3487 5733 0.00883 -3487 7451 0.01949 -3487 8420 0.01147 -3487 8471 0.01956 -3487 8752 0.01280 -3487 9467 0.01685 -3487 9675 0.01215 -3487 9740 0.01654 -3487 9875 0.01037 -3486 4315 0.01617 -3486 4356 0.01470 -3486 4465 0.01109 -3486 5574 0.01164 -3486 6283 0.00942 -3486 6319 0.01174 -3486 8097 0.00746 -3486 9340 0.01725 -3486 9597 0.01949 -3486 9687 0.00105 -3486 9765 0.01036 -3485 6212 0.01889 -3485 6862 0.00993 -3485 7012 0.00149 -3485 8340 0.01565 -3485 8528 0.00936 -3485 9089 0.01152 -3485 9619 0.00700 -3485 9946 0.01891 -3484 3896 0.01335 -3484 7362 0.00260 -3484 7885 0.01905 -3484 8503 0.00980 -3484 8812 0.01339 -3484 8907 0.01733 -3484 9514 0.00375 -3484 9795 0.01565 -3483 4793 0.00956 -3483 5113 0.01166 -3483 6032 0.00886 -3483 6066 0.01386 -3483 6515 0.01529 -3483 7934 0.01056 -3483 8956 0.01915 -3483 8994 0.01589 -3483 9478 0.01766 -3483 9614 0.01636 -3482 4344 0.01110 -3482 4809 0.00779 -3482 5483 0.01160 -3482 5584 0.01927 -3482 5626 0.01211 -3482 5652 0.00614 -3482 5724 0.01710 -3482 6143 0.01810 -3482 6537 0.01326 -3482 6959 0.01515 -3482 7635 0.01489 -3482 8089 0.01684 -3482 8404 0.01378 -3482 8420 0.01229 -3482 8589 0.01743 -3482 8690 0.01442 -3482 9675 0.01459 -3482 9875 0.01082 -3481 4250 0.01350 -3481 5643 0.01535 -3481 6867 0.01592 -3481 7063 0.01055 -3481 8111 0.01310 -3481 9390 0.01663 -3480 3621 0.01789 -3480 4457 0.01507 -3480 5083 0.00863 -3480 5168 0.00708 -3480 5547 0.01429 -3480 5886 0.01482 -3480 6073 0.00381 -3480 7047 0.01410 -3480 7505 0.01344 -3480 8311 0.01625 -3480 8481 0.01832 -3480 8582 0.01686 -3480 8679 0.01483 -3480 9747 0.00640 -3480 9803 0.01568 -3479 3646 0.01386 -3479 4006 0.01354 -3479 5379 0.01384 -3479 5383 0.01848 -3479 5389 0.01576 -3479 7531 0.01016 -3479 7792 0.01166 -3479 9146 0.01794 -3478 4428 0.01194 -3478 4804 0.01167 -3478 5036 0.00542 -3478 5499 0.00425 -3478 5565 0.00491 -3478 5618 0.00856 -3478 6622 0.01554 -3478 6693 0.01475 -3478 7096 0.01710 -3478 7630 0.01235 -3478 8814 0.00636 -3478 9098 0.01626 -3478 9592 0.01889 -3477 3759 0.00883 -3477 4411 0.01204 -3477 4582 0.01672 -3477 4906 0.01420 -3477 5124 0.01224 -3477 5262 0.01509 -3477 6958 0.01536 -3477 8635 0.00994 -3477 8712 0.01862 -3477 9588 0.01836 -3477 9601 0.00137 -3477 9646 0.01222 -3476 3753 0.00639 -3476 4288 0.00939 -3476 4443 0.00790 -3476 4686 0.01052 -3476 5693 0.01971 -3476 9365 0.01836 -3475 4107 0.01538 -3475 4379 0.01134 -3475 4713 0.00909 -3475 6083 0.01834 -3475 6222 0.01495 -3475 7010 0.01711 -3475 7830 0.01496 -3475 8848 0.01928 -3474 4075 0.01155 -3474 4258 0.01515 -3474 6383 0.01706 -3474 7249 0.00580 -3473 4025 0.01507 -3473 4975 0.01918 -3473 5112 0.01914 -3473 5414 0.01184 -3473 7890 0.01247 -3473 7962 0.00352 -3473 8138 0.01389 -3473 8383 0.01379 -3473 8424 0.00357 -3473 8621 0.01329 -3473 9134 0.01791 -3472 4717 0.00449 -3472 4962 0.00632 -3472 7375 0.00987 -3472 7424 0.01312 -3472 7865 0.01255 -3472 8358 0.01272 -3471 3870 0.00349 -3471 5007 0.01701 -3471 5655 0.01311 -3471 5944 0.01319 -3471 6162 0.01073 -3471 8868 0.01721 -3470 4787 0.01622 -3470 4960 0.01726 -3470 6151 0.01435 -3470 6309 0.00432 -3470 7124 0.00530 -3470 7876 0.01414 -3470 8056 0.01761 -3470 8214 0.01558 -3470 8470 0.00882 -3470 8997 0.00980 -3470 9643 0.01451 -3470 9949 0.01518 -3469 3516 0.01802 -3469 3552 0.01652 -3469 5541 0.01057 -3469 6982 0.01132 -3469 7734 0.01724 -3469 7913 0.01935 -3469 8331 0.01999 -3469 8592 0.00864 -3469 9046 0.01191 -3469 9683 0.01405 -3468 5982 0.01019 -3468 7256 0.00482 -3468 8779 0.01440 -3467 6045 0.01869 -3467 6442 0.01862 -3467 7401 0.01450 -3467 7422 0.00983 -3467 8266 0.00649 -3466 3790 0.00698 -3466 4611 0.01069 -3466 5090 0.00811 -3466 6914 0.01596 -3466 7806 0.00210 -3466 8141 0.00890 -3466 8231 0.01245 -3466 8291 0.00873 -3466 9262 0.01233 -3466 9292 0.01855 -3466 9696 0.00308 -3465 3915 0.01998 -3465 4549 0.01074 -3465 4708 0.01697 -3465 6260 0.01691 -3465 6497 0.01568 -3465 6695 0.01604 -3465 7187 0.01025 -3465 7279 0.00571 -3465 9345 0.01976 -3465 9507 0.01862 -3465 9815 0.00701 -3464 3699 0.00654 -3464 4313 0.00967 -3464 4527 0.00381 -3464 6137 0.01178 -3464 7782 0.01163 -3464 8497 0.01256 -3464 9903 0.01283 -3463 4980 0.01792 -3463 5897 0.01467 -3463 5903 0.01918 -3463 6449 0.01309 -3463 6450 0.01252 -3463 6728 0.01799 -3463 6757 0.01913 -3463 6785 0.01645 -3463 7034 0.01759 -3463 7855 0.01260 -3463 8131 0.01193 -3463 9829 0.00509 -3463 9851 0.01426 -3462 5040 0.01420 -3462 7147 0.01163 -3462 9198 0.01860 -3461 3524 0.01199 -3461 3891 0.01773 -3461 4395 0.01980 -3461 5376 0.00659 -3461 5657 0.01649 -3461 5831 0.01182 -3461 6124 0.01458 -3461 6215 0.00365 -3461 6360 0.00626 -3461 7772 0.01155 -3461 9641 0.01370 -3460 3821 0.00327 -3460 4169 0.01087 -3460 4432 0.01633 -3460 4655 0.01671 -3460 4693 0.01692 -3460 5326 0.00898 -3460 6824 0.00652 -3460 7387 0.01210 -3460 8720 0.01923 -3460 8954 0.00909 -3460 9254 0.01779 -3459 4277 0.01921 -3459 4329 0.01622 -3459 6275 0.01108 -3459 7542 0.01706 -3459 7715 0.01379 -3459 8727 0.01592 -3458 3704 0.01175 -3458 3906 0.00704 -3458 4496 0.01734 -3458 4881 0.01428 -3458 4951 0.01134 -3458 5298 0.01897 -3458 5641 0.01716 -3458 6194 0.01856 -3458 6700 0.01867 -3458 6817 0.01865 -3458 7023 0.01788 -3458 8755 0.00323 -3458 9759 0.00636 -3457 3962 0.01293 -3457 3972 0.00168 -3457 4037 0.01531 -3457 4506 0.01541 -3457 5187 0.01120 -3457 5323 0.00406 -3457 5511 0.01251 -3457 5868 0.01631 -3457 6589 0.01872 -3457 6656 0.01896 -3457 6767 0.01721 -3457 7076 0.00701 -3457 7296 0.00941 -3457 9648 0.01890 -3457 9866 0.01648 -3456 4822 0.01087 -3456 5008 0.00616 -3456 5404 0.01576 -3456 6386 0.01874 -3456 7462 0.00243 -3456 8714 0.01062 -3456 9210 0.01252 -3455 4233 0.01252 -3455 6508 0.00803 -3455 7729 0.01823 -3455 8546 0.01092 -3455 9059 0.01874 -3455 9841 0.01123 -3454 3581 0.01135 -3454 5949 0.01907 -3454 8041 0.01235 -3454 8101 0.01374 -3454 8604 0.01451 -3454 8964 0.00290 -3454 9021 0.01805 -3454 9334 0.01619 -3453 4109 0.01878 -3453 4392 0.00398 -3453 5054 0.01253 -3453 5061 0.01114 -3453 5085 0.01889 -3453 7549 0.00230 -3453 7736 0.01056 -3453 8778 0.01301 -3453 8815 0.01919 -3453 8895 0.01775 -3453 9249 0.01556 -3453 9649 0.01478 -3453 9670 0.01502 -3453 9934 0.01159 -3452 4609 0.01945 -3452 5794 0.01521 -3452 6126 0.01410 -3452 6510 0.01278 -3452 6983 0.01318 -3452 8208 0.01292 -3452 9391 0.00830 -3451 6627 0.01460 -3451 6751 0.01189 -3451 7061 0.01738 -3451 7659 0.01226 -3451 7818 0.01846 -3451 7985 0.00989 -3451 8204 0.01631 -3450 3507 0.01986 -3450 4060 0.00739 -3450 5100 0.01923 -3450 6822 0.00739 -3449 3644 0.01559 -3449 3653 0.01899 -3449 4968 0.00574 -3449 5441 0.00559 -3449 6907 0.00977 -3449 7719 0.01575 -3449 7744 0.01978 -3449 7824 0.01273 -3449 8276 0.01347 -3449 8904 0.01097 -3449 9713 0.01983 -3448 5697 0.01506 -3448 7308 0.01101 -3448 9392 0.01846 -3448 9556 0.01834 -3448 9991 0.00934 -3447 3653 0.00901 -3447 4287 0.01802 -3447 5647 0.01265 -3447 6749 0.01315 -3447 6907 0.01703 -3447 7446 0.00703 -3447 7744 0.00822 -3447 7762 0.01278 -3447 7824 0.01408 -3447 8904 0.01772 -3447 9717 0.01168 -3446 4766 0.01918 -3446 8810 0.01816 -3446 9219 0.01011 -3445 3522 0.01957 -3445 5131 0.00915 -3445 5260 0.01861 -3445 5874 0.01936 -3445 6840 0.01496 -3445 8081 0.01122 -3445 8262 0.00857 -3444 5206 0.01989 -3444 6187 0.01556 -3444 6752 0.01602 -3444 8713 0.01301 -3444 9741 0.01749 -3443 3715 0.00957 -3443 4725 0.01516 -3443 5258 0.01434 -3443 5531 0.01989 -3443 5629 0.01709 -3443 6561 0.01914 -3443 6609 0.00533 -3443 6730 0.01301 -3443 9491 0.00835 -3443 9814 0.01448 -3442 4207 0.01701 -3442 5536 0.01291 -3442 5883 0.01909 -3442 6423 0.01248 -3442 8077 0.01901 -3442 9409 0.01192 -3441 3776 0.01097 -3441 4429 0.00812 -3441 5634 0.00726 -3441 5823 0.01110 -3441 7947 0.01625 -3441 7964 0.00623 -3441 9495 0.01544 -3440 6927 0.01607 -3440 7435 0.01658 -3440 7516 0.01960 -3440 8175 0.01504 -3440 8326 0.01383 -3439 3969 0.01618 -3439 4091 0.01666 -3439 5758 0.01944 -3439 6305 0.01489 -3439 6325 0.01831 -3439 6795 0.01770 -3439 7014 0.01846 -3439 7167 0.00786 -3439 7866 0.01751 -3439 9787 0.01570 -3438 5057 0.01842 -3438 5613 0.01793 -3438 5755 0.00576 -3438 6207 0.01703 -3438 6435 0.01689 -3438 8748 0.00869 -3437 4636 0.00856 -3437 5236 0.01557 -3437 5482 0.01085 -3437 7499 0.01536 -3437 7551 0.01684 -3437 8360 0.01400 -3437 9834 0.01314 -3437 9989 0.00782 -3436 4230 0.01840 -3436 4311 0.00812 -3436 6586 0.00963 -3436 7378 0.00927 -3436 7779 0.00691 -3435 3684 0.01808 -3435 3800 0.01974 -3435 4795 0.01645 -3435 5420 0.00479 -3435 5609 0.01130 -3435 6343 0.01783 -3435 7617 0.01749 -3435 7674 0.01445 -3435 8074 0.01588 -3435 8510 0.01786 -3435 8543 0.01647 -3435 8665 0.00493 -3435 9284 0.01518 -3434 6249 0.01769 -3434 6902 0.01528 -3434 7190 0.01922 -3434 7601 0.01512 -3434 8029 0.01917 -3434 8046 0.01078 -3434 8092 0.01157 -3434 9378 0.01036 -3433 3475 0.01797 -3433 4107 0.00371 -3433 6083 0.01489 -3433 6106 0.01773 -3433 6926 0.00516 -3433 7010 0.01351 -3433 8848 0.00685 -3432 4774 0.01437 -3432 5581 0.01266 -3432 5839 0.01720 -3432 6159 0.01870 -3432 8011 0.00623 -3431 3624 0.01578 -3431 4159 0.00893 -3431 4623 0.01750 -3431 4750 0.01678 -3431 5157 0.01460 -3431 6299 0.01680 -3431 7026 0.01481 -3431 7101 0.01839 -3431 7788 0.01785 -3431 9197 0.01257 -3431 9244 0.01388 -3431 9376 0.01997 -3431 9434 0.01756 -3430 3888 0.01458 -3430 3927 0.01108 -3430 4590 0.01362 -3430 4936 0.00755 -3430 5895 0.01479 -3430 7191 0.01257 -3430 8328 0.01925 -3430 9653 0.01741 -3430 9776 0.01669 -3429 3818 0.01160 -3429 4813 0.01590 -3429 5005 0.00831 -3429 5675 0.01193 -3429 6198 0.01500 -3429 6415 0.01781 -3429 7055 0.01390 -3429 7533 0.01998 -3429 8331 0.01671 -3429 8725 0.01185 -3429 8859 0.01756 -3429 9544 0.01764 -3428 5680 0.00299 -3428 6267 0.01915 -3428 7349 0.00206 -3428 7953 0.00430 -3428 8288 0.01009 -3428 8781 0.01934 -3428 9459 0.00645 -3427 5079 0.01226 -3427 5519 0.01610 -3427 7303 0.01339 -3427 8812 0.01089 -3427 8907 0.00619 -3427 9160 0.00931 -3426 4157 0.01051 -3426 4263 0.01913 -3426 4534 0.00214 -3426 5267 0.00452 -3426 6363 0.01390 -3426 8507 0.01621 -3425 4701 0.00983 -3425 5205 0.01772 -3425 5392 0.01792 -3425 5929 0.01300 -3425 6431 0.00708 -3425 7973 0.01263 -3425 8217 0.01826 -3425 9026 0.01889 -3425 9634 0.01645 -3425 9942 0.01115 -3424 3683 0.00672 -3424 3762 0.00873 -3424 4415 0.00883 -3424 5890 0.00987 -3424 5935 0.01562 -3424 6216 0.01755 -3424 6671 0.00717 -3424 7306 0.00572 -3424 7524 0.01222 -3424 8405 0.01587 -3424 9094 0.01845 -3424 9192 0.01602 -3424 9594 0.01845 -3424 9698 0.01876 -3423 4362 0.01386 -3423 5239 0.01131 -3423 5468 0.01880 -3423 6696 0.00956 -3423 8484 0.01913 -3423 8813 0.00649 -3423 8921 0.00925 -3423 9020 0.01792 -3422 3925 0.01480 -3422 3956 0.00800 -3422 4946 0.01900 -3422 5053 0.01876 -3422 5601 0.01653 -3422 6501 0.01374 -3422 7118 0.01566 -3422 8875 0.00564 -3422 9939 0.01116 -3421 5265 0.00699 -3421 5986 0.01306 -3421 6629 0.01598 -3421 9360 0.01789 -3420 4276 0.01716 -3420 4628 0.01011 -3420 5135 0.01150 -3420 5492 0.00524 -3420 6590 0.02000 -3420 7966 0.01817 -3420 8143 0.00682 -3420 8647 0.01890 -3420 9623 0.00654 -3420 9635 0.01122 -3419 6012 0.00646 -3419 8877 0.01147 -3419 9360 0.01836 -3419 9586 0.00642 -3418 4135 0.01841 -3418 6336 0.00906 -3418 6517 0.00668 -3418 6598 0.01264 -3418 8892 0.01867 -3418 9186 0.00266 -3417 3533 0.00916 -3417 4640 0.00922 -3417 4838 0.01278 -3417 5363 0.00978 -3417 6784 0.00518 -3417 7649 0.01236 -3417 7767 0.01815 -3417 8018 0.01594 -3417 8753 0.01139 -3417 9124 0.01794 -3416 5043 0.01322 -3416 6266 0.01564 -3416 6282 0.01370 -3416 6459 0.01017 -3416 8162 0.01505 -3416 8881 0.01055 -3416 9078 0.00780 -3415 3517 0.01057 -3415 4071 0.01612 -3415 5574 0.01655 -3415 6105 0.01870 -3414 6813 0.00746 -3414 7174 0.01818 -3414 7387 0.01899 -3414 7405 0.01589 -3414 9852 0.01344 -3413 4493 0.01531 -3413 4810 0.01620 -3413 5399 0.00905 -3413 5540 0.01297 -3413 5908 0.01589 -3413 6039 0.01176 -3413 9044 0.01757 -3412 3650 0.01501 -3412 4595 0.01523 -3412 4615 0.01967 -3412 5110 0.01600 -3412 5197 0.01879 -3412 6419 0.01901 -3412 6532 0.01120 -3412 6608 0.01740 -3412 9013 0.01412 -3412 9439 0.01077 -3411 5156 0.00566 -3411 6010 0.01511 -3411 6682 0.01498 -3411 7021 0.00475 -3411 7095 0.01921 -3411 8607 0.01128 -3411 8953 0.00937 -3411 9272 0.01857 -3411 9835 0.00856 -3410 4453 0.00733 -3410 4811 0.01582 -3410 5115 0.01529 -3410 5415 0.01937 -3410 5785 0.01013 -3410 7432 0.00906 -3410 8486 0.00872 -3410 9010 0.01769 -3409 3465 0.00575 -3409 4084 0.01773 -3409 4549 0.00924 -3409 4593 0.01995 -3409 6260 0.01404 -3409 6497 0.01310 -3409 6695 0.01171 -3409 7187 0.00748 -3409 7279 0.00868 -3409 9345 0.01680 -3409 9640 0.01924 -3409 9815 0.00922 -3408 4984 0.01765 -3408 6520 0.01807 -3408 7607 0.01933 -3408 8179 0.01803 -3408 8774 0.01937 -3408 9668 0.01591 -3407 4216 0.01663 -3407 4294 0.01647 -3407 4349 0.01272 -3407 4907 0.01484 -3407 6333 0.01358 -3407 6922 0.00655 -3407 7066 0.01987 -3407 8240 0.01973 -3407 8280 0.00650 -3407 8282 0.01723 -3407 8873 0.00506 -3407 9539 0.01121 -3406 3744 0.01797 -3406 3952 0.01834 -3406 4039 0.01326 -3406 4307 0.00827 -3406 4619 0.00901 -3406 4746 0.01758 -3406 5145 0.01749 -3406 6559 0.01987 -3406 6625 0.01950 -3406 7200 0.00578 -3406 7445 0.00604 -3406 9168 0.00373 -3406 9686 0.00763 -3405 4204 0.01090 -3405 4301 0.01967 -3405 6021 0.00991 -3405 9697 0.01969 -3404 3633 0.01311 -3404 4031 0.01253 -3404 4890 0.00412 -3404 4959 0.00861 -3404 6296 0.00413 -3404 6595 0.01505 -3404 7322 0.01859 -3404 7456 0.01845 -3404 9202 0.01505 -3404 9372 0.01529 -3403 4090 0.01091 -3403 4617 0.00239 -3403 4706 0.01779 -3403 4998 0.01302 -3403 5355 0.01637 -3403 5362 0.01434 -3403 5639 0.01750 -3403 8936 0.01098 -3403 9652 0.01289 -3403 9657 0.01558 -3402 3755 0.01782 -3402 4621 0.01334 -3402 5263 0.01663 -3402 5343 0.00915 -3402 5382 0.00552 -3402 5659 0.01727 -3402 6157 0.01746 -3402 6738 0.01576 -3402 7151 0.00611 -3402 9381 0.01630 -3402 9565 0.01866 -3401 4268 0.00370 -3401 5239 0.01275 -3401 6008 0.00987 -3401 6733 0.01331 -3401 6920 0.01190 -3401 7121 0.01808 -3401 7997 0.00775 -3401 8004 0.01045 -3401 8921 0.01565 -3401 9020 0.01690 -3400 4482 0.01962 -3400 8039 0.00660 -3400 8106 0.01732 -3400 8285 0.00393 -3400 9883 0.01783 -3400 9905 0.00547 -3399 3640 0.01742 -3399 4028 0.01243 -3399 4118 0.01085 -3399 7397 0.01504 -3399 8210 0.00754 -3399 9463 0.01083 -3399 9558 0.01197 -3398 3903 0.00580 -3398 4176 0.01753 -3398 4747 0.01130 -3398 5032 0.00846 -3398 5381 0.00540 -3398 6029 0.00614 -3398 6191 0.01634 -3398 6304 0.01466 -3398 6990 0.01519 -3398 7778 0.00579 -3398 8193 0.01830 -3398 8267 0.01859 -3398 8691 0.01786 -3397 3854 0.00234 -3397 4710 0.00737 -3397 5185 0.01958 -3397 6139 0.01481 -3397 6186 0.01980 -3397 7103 0.01225 -3397 7987 0.00640 -3397 8623 0.00999 -3397 9870 0.01786 -3396 3977 0.00755 -3396 4061 0.01316 -3396 4086 0.00459 -3396 4259 0.01658 -3396 4705 0.01357 -3396 5720 0.00973 -3396 6011 0.01921 -3396 6860 0.01685 -3396 7284 0.01252 -3396 7495 0.01798 -3396 8067 0.01007 -3396 8305 0.01301 -3396 9053 0.00748 -3396 9120 0.01856 -3396 9551 0.01450 -3395 3440 0.00874 -3395 6994 0.01982 -3395 7705 0.01567 -3395 7785 0.01183 -3394 3770 0.01191 -3394 4516 0.00904 -3394 5551 0.01803 -3394 5817 0.00640 -3394 5835 0.01007 -3394 6177 0.01323 -3394 6227 0.01752 -3394 8151 0.00693 -3394 8345 0.01021 -3393 3417 0.01111 -3393 4640 0.01164 -3393 6784 0.00942 -3393 6940 0.01824 -3393 7767 0.00811 -3393 8753 0.01250 -3393 9124 0.01391 -3392 3873 0.01060 -3392 4304 0.01368 -3392 4452 0.01918 -3392 5166 0.00893 -3392 5875 0.01717 -3392 6314 0.01969 -3392 6591 0.00615 -3392 7141 0.01919 -3392 7204 0.01464 -3392 7747 0.01986 -3392 7871 0.01382 -3392 8270 0.00343 -3392 9456 0.01448 -3392 9685 0.01270 -3391 4188 0.01993 -3391 6547 0.01571 -3391 9470 0.01635 -3391 9561 0.01016 -3390 3664 0.01375 -3390 4014 0.01871 -3390 4286 0.01588 -3390 6071 0.00351 -3390 6952 0.01546 -3390 7153 0.01630 -3390 7420 0.00372 -3389 3651 0.01379 -3389 4658 0.01422 -3389 5550 0.00834 -3389 5628 0.01520 -3389 6701 0.01947 -3389 7402 0.00374 -3389 8644 0.01471 -3389 8764 0.01041 -3388 4360 0.01855 -3388 4439 0.00516 -3388 4812 0.01303 -3388 5764 0.01924 -3388 6407 0.00212 -3388 6648 0.00894 -3388 8944 0.00661 -3388 8978 0.01854 -3387 4276 0.01555 -3387 5135 0.01913 -3387 5320 0.00168 -3387 5350 0.01313 -3387 5579 0.01061 -3387 6699 0.01343 -3387 7351 0.01997 -3387 7708 0.01109 -3387 9623 0.01669 -3386 4016 0.01893 -3386 4297 0.00954 -3386 8320 0.01623 -3386 8906 0.00837 -3385 5147 0.01742 -3385 5586 0.01606 -3385 6406 0.00269 -3385 7006 0.01108 -3385 7823 0.01105 -3385 9370 0.01970 -3384 3610 0.01970 -3384 5506 0.01485 -3384 5704 0.01027 -3384 6583 0.01719 -3384 8878 0.00717 -3384 9988 0.01351 -3383 4128 0.01811 -3383 4654 0.01783 -3383 8025 0.01617 -3383 8304 0.01527 -3382 4433 0.01019 -3382 5313 0.01663 -3382 6616 0.01274 -3382 6932 0.00955 -3382 7449 0.01172 -3382 8178 0.01178 -3382 8382 0.01706 -3382 8684 0.01604 -3382 9726 0.00809 -3382 9932 0.01346 -3381 3829 0.00790 -3381 4130 0.01376 -3381 4499 0.01748 -3381 5442 0.01798 -3381 6033 0.01027 -3381 7576 0.00905 -3381 8550 0.00872 -3381 8699 0.01664 -3381 9088 0.01218 -3381 9508 0.01050 -3381 9531 0.01306 -3380 5041 0.00762 -3380 5297 0.01544 -3380 5621 0.01638 -3380 5931 0.00937 -3380 6766 0.01458 -3380 8224 0.00490 -3380 8230 0.01465 -3380 8374 0.01958 -3380 8850 0.01779 -3380 9574 0.01943 -3379 3584 0.01500 -3379 4217 0.01594 -3379 4533 0.01758 -3379 4852 0.01193 -3379 6477 0.00796 -3379 8008 0.01037 -3379 9241 0.01974 -3378 3388 0.01387 -3378 4287 0.01412 -3378 4439 0.01440 -3378 6407 0.01508 -3378 6456 0.01453 -3378 6749 0.01475 -3378 8884 0.01156 -3378 8944 0.01288 -3378 9793 0.00794 -3377 3783 0.00771 -3377 4324 0.02000 -3377 4774 0.01923 -3377 5979 0.01852 -3377 6159 0.01659 -3377 7534 0.00936 -3376 3464 0.01173 -3376 3699 0.01809 -3376 4035 0.01432 -3376 4313 0.00875 -3376 4527 0.01325 -3376 5685 0.01236 -3376 6137 0.01461 -3376 7359 0.01073 -3376 7782 0.00018 -3376 8278 0.01897 -3376 9232 0.01327 -3376 9416 0.01161 -3376 9903 0.01395 -3375 4320 0.00836 -3375 4431 0.01964 -3375 5354 0.00668 -3375 6328 0.01585 -3375 6429 0.01344 -3375 7898 0.01607 -3375 9558 0.01648 -3374 4949 0.00487 -3374 6138 0.01581 -3374 7573 0.01924 -3374 8976 0.01766 -3374 9034 0.01251 -3374 9455 0.01512 -3374 9513 0.00728 -3374 9958 0.01027 -3373 4918 0.01638 -3373 5030 0.00960 -3373 6058 0.01264 -3373 6995 0.01319 -3373 7212 0.01353 -3373 7301 0.01892 -3373 7338 0.01783 -3373 8747 0.00896 -3373 8890 0.01049 -3372 3382 0.01648 -3372 4178 0.01391 -3372 4228 0.00504 -3372 4433 0.00969 -3372 5017 0.01094 -3372 5313 0.00644 -3372 5439 0.00804 -3372 5464 0.01442 -3372 5813 0.01463 -3372 6616 0.01608 -3372 6769 0.01897 -3372 6932 0.01444 -3372 7092 0.01696 -3372 7721 0.01371 -3372 8178 0.01117 -3372 8684 0.00578 -3371 3737 0.00542 -3371 4333 0.01525 -3371 4866 0.01349 -3371 5059 0.00973 -3371 5368 0.01237 -3371 5930 0.01659 -3371 6461 0.00335 -3371 7180 0.00888 -3371 7519 0.00704 -3370 3684 0.01076 -3370 9079 0.00844 -3370 9791 0.01755 -3370 9797 0.00447 -3369 3992 0.00952 -3369 4328 0.01747 -3369 5251 0.01318 -3369 5786 0.01319 -3369 5892 0.01986 -3369 7184 0.01880 -3369 7915 0.01258 -3369 8124 0.01716 -3369 9592 0.01171 -3369 9775 0.01006 -3368 4210 0.01323 -3368 4820 0.01252 -3368 4876 0.01484 -3368 5645 0.01661 -3368 7828 0.01192 -3368 8252 0.01688 -3368 8739 0.00928 -3367 3796 0.01850 -3367 4967 0.01539 -3367 5598 0.01899 -3367 6148 0.01708 -3367 6823 0.01544 -3367 7398 0.01820 -3367 7550 0.00362 -3367 8185 0.01864 -3367 8377 0.01087 -3367 8399 0.00649 -3367 8899 0.01782 -3367 8962 0.01134 -3367 9237 0.01402 -3367 9546 0.01474 -3367 9617 0.00750 -3367 9770 0.01526 -3367 9821 0.01265 -3366 3596 0.00938 -3366 3864 0.01183 -3366 3865 0.01215 -3366 4186 0.01992 -3366 4867 0.01628 -3366 6128 0.00978 -3366 6910 0.01436 -3366 7784 0.00868 -3366 7844 0.01147 -3366 8604 0.01615 -3365 3649 0.01840 -3365 4528 0.00493 -3365 4671 0.00189 -3365 4929 0.01225 -3365 6859 0.00939 -3365 7582 0.01811 -3365 7979 0.01049 -3365 8711 0.01585 -3365 9432 0.00874 -3364 3628 0.01332 -3364 4139 0.01747 -3364 4147 0.01741 -3364 4353 0.00178 -3364 6241 0.01076 -3364 7099 0.01090 -3364 8126 0.01167 -3364 9233 0.01124 -3363 3949 0.01910 -3363 5096 0.01156 -3363 7626 0.00377 -3362 5089 0.01876 -3362 5118 0.01219 -3362 5782 0.01220 -3362 6942 0.01258 -3362 7040 0.01425 -3362 7042 0.01614 -3362 7318 0.00876 -3362 7341 0.00554 -3362 7383 0.01934 -3362 9353 0.00847 -3361 3671 0.00586 -3361 4284 0.01704 -3361 5716 0.01947 -3361 7095 0.00986 -3361 7791 0.01954 -3361 7850 0.01903 -3361 8607 0.01425 -3361 8967 0.01185 -3361 9448 0.01363 -3361 9673 0.01560 -3360 4676 0.01638 -3360 4723 0.01555 -3360 4944 0.00422 -3360 5140 0.00909 -3360 5203 0.00895 -3360 5605 0.01806 -3360 6694 0.00251 -3360 7514 0.01926 -3360 8015 0.00919 -3360 8033 0.01287 -3360 8542 0.01405 -3360 8722 0.01701 -3360 8766 0.00998 -3360 8925 0.01984 -3360 9289 0.00973 -3360 9362 0.01510 -3360 9790 0.01732 -3360 9913 0.01836 -3359 4055 0.00756 -3359 4558 0.01938 -3359 4651 0.01967 -3359 5311 0.01481 -3359 5410 0.01952 -3359 6178 0.01853 -3359 6774 0.01016 -3359 7176 0.01797 -3359 8422 0.00580 -3359 9318 0.01844 -3358 4939 0.01113 -3358 8762 0.01246 -3358 9545 0.00773 -3358 9944 0.01742 -3357 3620 0.01245 -3357 5430 0.01938 -3357 5828 0.01620 -3357 6086 0.01875 -3357 6709 0.01964 -3357 6947 0.01783 -3356 3565 0.01512 -3356 5029 0.00560 -3356 5274 0.00424 -3356 5969 0.00521 -3356 6155 0.00985 -3356 6347 0.01183 -3356 6793 0.01915 -3356 8469 0.01547 -3356 9283 0.01342 -3356 9677 0.01523 -3355 4346 0.01766 -3355 5516 0.01593 -3355 5619 0.00868 -3355 6937 0.01437 -3355 7507 0.00460 -3355 7629 0.00567 -3355 9720 0.01502 -3354 4034 0.01818 -3354 6324 0.00868 -3354 6479 0.00911 -3354 7371 0.01918 -3354 8455 0.00481 -3354 8775 0.01919 -3354 9492 0.01495 -3354 9510 0.01991 -3353 3513 0.01582 -3353 3895 0.01348 -3353 4449 0.00166 -3353 6908 0.00446 -3353 7442 0.01863 -3353 7857 0.01224 -3353 7908 0.01553 -3353 8329 0.01166 -3353 8686 0.01965 -3353 8805 0.00617 -3353 8987 0.01756 -3353 9321 0.01135 -3353 9937 0.01360 -3352 4808 0.01946 -3352 5798 0.01490 -3352 6393 0.01475 -3352 7774 0.00962 -3351 4341 0.01672 -3351 5286 0.00217 -3351 5596 0.00499 -3351 5880 0.00831 -3351 7005 0.01528 -3351 7508 0.01284 -3351 9106 0.00355 -3351 9323 0.01985 -3350 5180 0.01951 -3350 7140 0.01663 -3350 7732 0.01506 -3349 4134 0.01778 -3349 4568 0.00465 -3349 5010 0.01836 -3349 5194 0.00953 -3349 5842 0.01048 -3349 6351 0.01594 -3349 7260 0.01557 -3349 7277 0.01549 -3349 7644 0.01220 -3349 8730 0.01662 -3348 3894 0.01707 -3348 4336 0.01525 -3348 4398 0.01045 -3348 5406 0.01643 -3348 5465 0.01646 -3348 6830 0.01653 -3348 7923 0.01293 -3348 8556 0.01675 -3348 8785 0.01212 -3347 4994 0.00749 -3347 6118 0.01708 -3347 6850 0.00718 -3347 7520 0.01339 -3347 7837 0.01133 -3347 8221 0.01248 -3346 4046 0.00281 -3346 4512 0.01334 -3346 5756 0.01571 -3346 6524 0.01170 -3346 8139 0.01140 -3346 8165 0.00783 -3346 8976 0.01796 -3345 6256 0.00809 -3345 8073 0.01243 -3345 9900 0.01704 -3344 3551 0.00578 -3344 3806 0.01250 -3344 5637 0.01657 -3344 5677 0.01320 -3344 8011 0.01719 -3344 8659 0.01753 -3344 9300 0.01774 -3343 3989 0.01588 -3343 5957 0.01511 -3343 7131 0.01691 -3343 8273 0.01933 -3343 9000 0.01469 -3343 9166 0.00985 -3343 9278 0.01292 -3343 9343 0.01450 -3342 3442 0.01861 -3342 4841 0.01935 -3342 5200 0.01123 -3342 5553 0.01576 -3341 4370 0.00228 -3341 4685 0.01982 -3341 5035 0.01573 -3341 5560 0.01862 -3341 7196 0.00903 -3341 7542 0.01932 -3341 8727 0.01987 -3341 9258 0.01831 -3341 9587 0.00986 -3341 9690 0.01554 -3340 3485 0.01968 -3340 6212 0.00634 -3340 6862 0.01229 -3340 8528 0.01043 -3340 9035 0.01718 -3340 9619 0.01410 -3339 4766 0.00932 -3339 4837 0.01231 -3339 4942 0.00878 -3339 5088 0.01474 -3339 5805 0.01167 -3339 5816 0.01530 -3339 6475 0.01380 -3339 8212 0.00506 -3339 8719 0.00956 -3339 8991 0.01571 -3339 9009 0.01611 -3339 9066 0.01468 -3338 3979 0.01707 -3338 4250 0.00879 -3338 5124 0.01478 -3338 5262 0.01201 -3338 5643 0.01248 -3338 5824 0.01021 -3338 6991 0.01600 -3338 8635 0.01883 -3337 3338 0.01096 -3337 3477 0.01709 -3337 4250 0.01357 -3337 5124 0.00489 -3337 5262 0.00204 -3337 5643 0.00861 -3337 5824 0.01517 -3337 6867 0.01642 -3337 6958 0.01086 -3337 7063 0.01659 -3337 8635 0.01487 -3337 9601 0.01600 -3337 9646 0.00968 -3336 4013 0.01985 -3336 4913 0.01949 -3336 5177 0.01599 -3336 5206 0.01002 -3336 6187 0.01657 -3336 6621 0.01523 -3336 6644 0.01347 -3336 7080 0.01638 -3336 8473 0.01443 -3336 8713 0.01691 -3335 3524 0.01445 -3335 4395 0.00647 -3335 5791 0.00737 -3335 6072 0.01821 -3335 7305 0.01752 -3335 8801 0.01876 -3335 9626 0.01689 -3335 9641 0.01260 -3335 9749 0.01950 -3334 4781 0.01942 -3334 5508 0.01211 -3334 6786 0.01080 -3334 7202 0.01619 -3334 7247 0.01803 -3334 8130 0.01031 -3334 8281 0.01037 -3334 9077 0.01983 -3334 9890 0.01233 -3333 9804 0.01633 -3333 9828 0.01068 -3332 3659 0.01819 -3332 3886 0.01369 -3332 5257 0.01679 -3332 6550 0.01295 -3332 6582 0.01716 -3332 7060 0.01949 -3332 7464 0.01528 -3332 7497 0.00943 -3332 7556 0.00934 -3332 8339 0.01501 -3332 9906 0.01854 -3331 3648 0.01382 -3331 4196 0.01724 -3331 4736 0.01270 -3331 4790 0.01542 -3331 5284 0.01578 -3331 6339 0.00542 -3331 7489 0.00754 -3331 7535 0.01346 -3331 9408 0.00533 -3331 9886 0.01644 -3331 9982 0.01717 -3330 3436 0.01618 -3330 4230 0.00626 -3330 5126 0.01777 -3330 6586 0.01104 -3330 7173 0.01763 -3330 7425 0.01098 -3330 7779 0.01742 -3330 9216 0.01260 -3330 9779 0.01690 -3329 5500 0.00565 -3329 6486 0.01381 -3328 3471 0.01155 -3328 3590 0.01483 -3328 3870 0.01296 -3328 4797 0.01198 -3328 5655 0.01496 -3328 5763 0.01695 -3328 6162 0.00764 -3328 9060 0.01800 -3327 3364 0.01557 -3327 3628 0.00565 -3327 4147 0.00468 -3327 4353 0.01679 -3327 6241 0.01415 -3327 7099 0.00509 -3327 8126 0.01772 -3326 4282 0.01077 -3326 4673 0.01244 -3326 4903 0.01892 -3326 6300 0.01172 -3326 7587 0.01170 -3326 8099 0.01714 -3326 8566 0.00883 -3326 8692 0.01595 -3326 8729 0.00923 -3326 9567 0.01981 -3326 9721 0.00446 -3325 3497 0.01839 -3325 3807 0.00966 -3325 3949 0.01952 -3325 4497 0.00035 -3325 4724 0.01014 -3325 4836 0.01306 -3325 5096 0.01424 -3325 6062 0.00251 -3325 7205 0.01100 -3325 7376 0.01953 -3325 8181 0.00717 -3325 9481 0.01916 -3324 3461 0.01909 -3324 4783 0.00682 -3324 5449 0.00393 -3324 5467 0.01640 -3324 5831 0.01995 -3324 6215 0.01585 -3324 6360 0.01483 -3324 7772 0.01295 -3324 9641 0.01884 -3323 4087 0.00471 -3323 4164 0.01586 -3323 4175 0.01426 -3323 4991 0.01916 -3323 6284 0.00703 -3323 6522 0.00916 -3323 7847 0.01313 -3323 9658 0.01507 -3322 4032 0.01762 -3322 4073 0.01966 -3322 4772 0.01596 -3322 4814 0.00445 -3322 5480 0.01036 -3322 6445 0.01867 -3322 6647 0.01576 -3322 8120 0.00886 -3322 9711 0.00356 -3322 9723 0.01938 -3321 3397 0.01473 -3321 3854 0.01432 -3321 3945 0.01553 -3321 4710 0.00799 -3321 5185 0.00504 -3321 6011 0.01747 -3321 9870 0.01569 -3320 4675 0.01839 -3320 6409 0.01590 -3320 9209 0.01834 -3319 3893 0.01814 -3319 4318 0.01686 -3319 5198 0.00430 -3319 7758 0.01054 -3319 7872 0.00313 -3319 8521 0.01727 -3319 8606 0.01007 -3319 8782 0.01380 -3319 9379 0.00422 -3318 4426 0.01542 -3318 6055 0.01090 -3318 6234 0.01082 -3318 6375 0.01616 -3318 6829 0.01073 -3318 7361 0.01815 -3318 8169 0.00143 -3318 8520 0.01649 -3318 9484 0.01825 -3318 9684 0.01867 -3317 3675 0.01186 -3317 4630 0.00856 -3317 5517 0.01406 -3317 5608 0.01635 -3317 6090 0.00743 -3317 6311 0.01549 -3317 8533 0.01703 -3316 3540 0.00810 -3316 4132 0.01790 -3316 4158 0.00708 -3316 5487 0.01556 -3316 7009 0.00530 -3316 7213 0.01919 -3316 8667 0.01901 -3315 4417 0.01026 -3315 4952 0.00647 -3315 5975 0.00871 -3315 6316 0.00359 -3315 7390 0.01243 -3315 8405 0.01984 -3315 8822 0.01524 -3315 9155 0.01707 -3314 3486 0.00762 -3314 4315 0.00871 -3314 4356 0.01311 -3314 4465 0.01845 -3314 4624 0.01282 -3314 4853 0.01641 -3314 5574 0.01457 -3314 6283 0.00368 -3314 6319 0.01606 -3314 8097 0.00475 -3314 9340 0.00964 -3314 9687 0.00865 -3314 9765 0.00353 -3313 4159 0.01770 -3313 5054 0.01453 -3313 6299 0.01500 -3313 7101 0.01690 -3313 9197 0.01858 -3313 9249 0.01545 -3313 9434 0.00596 -3312 3736 0.01894 -3312 4506 0.01516 -3312 5114 0.01148 -3312 5640 0.01672 -3312 5868 0.01793 -3312 6589 0.01155 -3312 6767 0.01394 -3312 6820 0.00991 -3312 6978 0.01603 -3312 7920 0.01675 -3312 8293 0.01551 -3312 8349 0.00483 -3312 9926 0.01045 -3311 3748 0.01992 -3311 5451 0.01083 -3311 7506 0.01729 -3311 8741 0.01627 -3311 9830 0.00920 -3310 3352 0.00781 -3310 5798 0.01784 -3310 6393 0.01470 -3310 7774 0.01379 -3310 9935 0.01257 -3309 3577 0.01674 -3309 4490 0.00406 -3309 5455 0.01665 -3309 5977 0.01254 -3309 8014 0.01157 -3309 8018 0.01483 -3309 8524 0.01930 -3309 9405 0.01697 -3308 4584 0.01091 -3308 5338 0.01976 -3308 5359 0.01463 -3308 7416 0.01033 -3308 8020 0.01846 -3308 9063 0.01775 -3308 9393 0.01687 -3308 9736 0.01278 -3307 3843 0.01635 -3307 4970 0.01628 -3307 5843 0.01471 -3307 6112 0.01897 -3307 6989 0.01608 -3307 7046 0.01271 -3307 7594 0.01807 -3307 7738 0.01796 -3307 8674 0.01676 -3307 9214 0.01413 -3307 9846 0.01739 -3306 4140 0.01470 -3306 4570 0.01675 -3306 5084 0.01713 -3306 6225 0.01770 -3306 6651 0.00770 -3306 7537 0.01616 -3306 7843 0.01971 -3306 8391 0.01711 -3306 9288 0.01912 -3306 9644 0.00821 -3305 3384 0.00677 -3305 4681 0.01952 -3305 5396 0.01378 -3305 5506 0.01347 -3305 5704 0.00458 -3305 7900 0.01822 -3305 8878 0.01381 -3305 9988 0.00767 -3304 4368 0.01172 -3304 5789 0.01530 -3304 7777 0.01375 -3304 9054 0.01471 -3303 3355 0.01129 -3303 5516 0.01700 -3303 5619 0.01664 -3303 6937 0.00319 -3303 7507 0.00848 -3303 7629 0.01473 -3302 3442 0.01899 -3302 4023 0.01956 -3302 4207 0.00558 -3302 4841 0.01790 -3302 5754 0.00292 -3302 5883 0.01871 -3302 6269 0.00965 -3302 6423 0.00706 -3302 7294 0.00859 -3302 8077 0.00239 -3302 9409 0.00817 -3302 9419 0.01465 -3301 4266 0.01645 -3301 5140 0.01690 -3301 5674 0.01938 -3301 7110 0.00738 -3301 7739 0.01996 -3301 8015 0.01744 -3301 8033 0.01989 -3301 8122 0.01162 -3301 9362 0.01224 -3301 9790 0.01830 -3300 3307 0.01604 -3300 3843 0.01973 -3300 5044 0.01504 -3300 6989 0.00509 -3300 7594 0.01028 -3300 7738 0.01642 -3300 8488 0.01406 -3300 9043 0.01589 -3300 9214 0.01634 -3299 3784 0.00498 -3299 4359 0.00683 -3299 4483 0.00758 -3299 4670 0.01119 -3299 4896 0.00176 -3299 5065 0.01392 -3299 5490 0.00852 -3299 6812 0.01755 -3299 7177 0.00853 -3299 8830 0.00492 -3299 9848 0.01243 -3298 4317 0.00466 -3298 5375 0.01560 -3298 6048 0.01225 -3298 7104 0.01915 -3298 8306 0.01741 -3298 8308 0.01983 -3298 9734 0.01793 -3297 3961 0.00592 -3297 5346 0.01728 -3297 5542 0.01684 -3297 5857 0.01436 -3297 9178 0.01454 -3296 3569 0.01004 -3296 5963 0.01850 -3296 6050 0.01075 -3296 8211 0.01765 -3296 8324 0.01514 -3296 8558 0.01924 -3295 3379 0.01916 -3295 3584 0.01203 -3295 5340 0.01965 -3295 6477 0.01175 -3295 6883 0.01300 -3295 8008 0.01238 -3295 9058 0.01465 -3294 4725 0.01799 -3294 5243 0.01962 -3294 5258 0.01859 -3294 6563 0.00790 -3294 6848 0.01219 -3294 8047 0.01865 -3294 8155 0.01805 -3294 8918 0.00935 -3294 9526 0.01370 -3293 3427 0.01013 -3293 3792 0.01037 -3293 4404 0.01729 -3293 4424 0.01217 -3293 5079 0.00271 -3293 5519 0.01813 -3293 7303 0.01054 -3293 8900 0.01982 -3293 8907 0.01633 -3293 9160 0.01108 -3292 4548 0.00465 -3292 4626 0.01468 -3292 4691 0.01031 -3292 4875 0.01091 -3292 5087 0.01600 -3292 5222 0.01929 -3292 6641 0.00771 -3292 6930 0.01934 -3292 8286 0.01396 -3292 9661 0.01735 -3291 5208 0.00913 -3291 5594 0.01069 -3291 6732 0.01184 -3291 7938 0.01955 -3291 8069 0.01941 -3291 8463 0.01494 -3291 8943 0.01392 -3290 3558 0.01558 -3290 4183 0.00908 -3290 5164 0.01578 -3290 5568 0.01802 -3290 6359 0.00115 -3290 7300 0.01690 -3290 8075 0.01587 -3290 9671 0.00573 -3289 4367 0.01670 -3289 4751 0.01075 -3289 5006 0.01837 -3289 5759 0.00607 -3289 7059 0.01809 -3289 7382 0.01188 -3289 7589 0.00845 -3289 8174 0.00705 -3289 8734 0.01603 -3289 8788 0.00146 -3289 9067 0.00820 -3289 9963 0.00772 -3288 3853 0.01856 -3288 3930 0.01552 -3288 7517 0.00831 -3288 7853 0.01543 -3288 7943 0.01394 -3288 8303 0.01127 -3288 9064 0.01902 -3288 9496 0.00987 -3288 9964 0.01878 -3287 3634 0.01750 -3287 4522 0.01101 -3287 5456 0.01527 -3287 5834 0.01950 -3287 5979 0.01994 -3287 6796 0.01199 -3287 7870 0.00830 -3287 9099 0.01134 -3287 9242 0.01111 -3286 3388 0.01314 -3286 3600 0.01418 -3286 4232 0.01701 -3286 4360 0.00550 -3286 4439 0.01765 -3286 4812 0.01398 -3286 5764 0.00999 -3286 6407 0.01104 -3286 6648 0.00880 -3286 6697 0.01797 -3286 8743 0.01638 -3286 8944 0.01957 -3286 8978 0.01787 -3285 4110 0.01400 -3285 4414 0.01769 -3285 4839 0.01578 -3285 6487 0.01864 -3285 6814 0.01759 -3285 6953 0.01443 -3285 7106 0.01899 -3285 7242 0.00876 -3285 8428 0.01626 -3284 3543 0.01797 -3284 4291 0.01010 -3284 5247 0.01839 -3284 5279 0.01282 -3284 5620 0.00908 -3284 6380 0.01581 -3284 6969 0.01717 -3284 7079 0.01527 -3284 7230 0.01603 -3284 7235 0.01565 -3284 7642 0.00767 -3284 7678 0.01100 -3284 7912 0.00701 -3284 8213 0.00197 -3284 8631 0.01729 -3284 9697 0.01762 -3283 3739 0.01150 -3283 4813 0.01638 -3283 5013 0.00643 -3283 6198 0.01511 -3283 6566 0.01628 -3283 7186 0.00966 -3283 8133 0.01836 -3283 9337 0.00733 -3283 9544 0.01245 -3283 9683 0.00752 -3283 9688 0.01648 -3282 3892 0.01162 -3282 4917 0.01692 -3282 5453 0.00933 -3282 6024 0.01290 -3282 7418 0.01005 -3282 8323 0.00987 -3282 9581 0.01295 -3282 9582 0.01710 -3281 5865 0.01425 -3281 5898 0.01862 -3281 9494 0.01164 -3281 9853 0.00066 -3280 5050 0.01213 -3280 5336 0.01868 -3280 5481 0.01516 -3280 6286 0.01448 -3280 6632 0.00851 -3280 7213 0.00871 -3280 7547 0.01681 -3280 8088 0.01054 -3280 8263 0.01213 -3280 8667 0.00919 -3280 8879 0.01793 -3280 8928 0.01740 -3279 3553 0.01447 -3279 4310 0.01884 -3279 5573 0.01447 -3279 5731 0.01907 -3279 5777 0.01802 -3279 5837 0.01015 -3279 5922 0.01916 -3279 8447 0.01351 -3279 8468 0.01029 -3279 9896 0.01127 -3278 3463 0.01120 -3278 4992 0.01991 -3278 5897 0.01404 -3278 6421 0.01684 -3278 6450 0.01461 -3278 6757 0.00827 -3278 6785 0.01145 -3278 7034 0.01366 -3278 7855 0.01941 -3278 8131 0.00099 -3278 8480 0.01666 -3278 9231 0.01954 -3278 9709 0.01806 -3278 9829 0.01002 -3277 4059 0.01405 -3277 4206 0.01046 -3277 4470 0.01578 -3277 5367 0.01741 -3277 5926 0.01626 -3277 7426 0.01644 -3277 7946 0.01528 -3277 8820 0.01742 -3277 8910 0.01530 -3277 9487 0.01350 -3276 4827 0.01836 -3276 5095 0.01987 -3276 5289 0.00622 -3276 6106 0.01686 -3276 7650 0.00530 -3276 8325 0.00712 -3276 8589 0.01932 -3276 9781 0.00404 -3276 9816 0.00978 -3275 3536 0.01583 -3275 3818 0.01384 -3275 6415 0.01692 -3275 6691 0.01513 -3275 7533 0.00452 -3275 7928 0.01833 -3275 8258 0.00420 -3275 9998 0.00606 -3274 4514 0.01700 -3274 5032 0.01466 -3274 5833 0.00538 -3274 6304 0.01200 -3274 6654 0.01338 -3274 8267 0.01501 -3274 8691 0.01972 -3273 3667 0.01742 -3273 3719 0.01028 -3273 5562 0.01741 -3273 5847 0.01258 -3273 5888 0.01954 -3273 6949 0.00821 -3273 9535 0.01671 -3272 3511 0.00732 -3272 4332 0.01414 -3272 4379 0.01827 -3272 4923 0.00500 -3272 5294 0.01883 -3272 6418 0.00768 -3272 6581 0.01768 -3272 9782 0.01494 -3271 3312 0.01104 -3271 3736 0.01405 -3271 5114 0.00787 -3271 5640 0.01212 -3271 6589 0.01924 -3271 6820 0.01321 -3271 6978 0.00527 -3271 7441 0.01020 -3271 8021 0.01833 -3271 8293 0.01637 -3271 8349 0.01475 -3271 9926 0.01160 -3270 3525 0.01971 -3270 3838 0.01675 -3270 7020 0.01295 -3270 7618 0.00769 -3270 8187 0.01547 -3270 9035 0.00800 -3270 9529 0.01414 -3270 9780 0.01970 -3269 4786 0.01364 -3269 5118 0.01358 -3269 6537 0.01860 -3269 6620 0.01092 -3269 7635 0.01911 -3269 8089 0.01937 -3269 8404 0.01822 -3269 8690 0.01853 -3269 9384 0.01835 -3268 4450 0.01881 -3268 5521 0.01780 -3268 5567 0.01982 -3268 7504 0.01943 -3268 7728 0.01181 -3268 7980 0.01842 -3268 8704 0.01304 -3268 9080 0.01765 -3268 9183 0.01438 -3267 3381 0.00894 -3267 3829 0.01678 -3267 4130 0.01990 -3267 4761 0.01796 -3267 4899 0.01971 -3267 5442 0.01358 -3267 6033 0.01209 -3267 7576 0.00035 -3267 8550 0.01221 -3267 8699 0.00823 -3267 9088 0.01556 -3267 9508 0.00179 -3266 3794 0.01825 -3266 4626 0.01337 -3266 4677 0.01402 -3266 4691 0.01784 -3266 6211 0.00655 -3266 6638 0.01985 -3266 6726 0.00829 -3266 6930 0.01053 -3266 9488 0.01292 -3265 3878 0.00837 -3265 4946 0.01718 -3265 6433 0.01757 -3265 6447 0.00542 -3265 6593 0.01664 -3265 6746 0.01939 -3265 7062 0.01829 -3265 7100 0.00356 -3265 7574 0.00426 -3264 3569 0.01629 -3264 4698 0.01993 -3264 4931 0.01763 -3264 5695 0.01717 -3264 5753 0.00590 -3264 5963 0.01190 -3264 6004 0.00752 -3264 6258 0.01554 -3264 7905 0.01414 -3264 9238 0.01586 -3263 3781 0.01530 -3263 3783 0.01831 -3263 4423 0.01176 -3263 5656 0.01508 -3263 5677 0.01910 -3263 6403 0.00176 -3263 8659 0.01270 -3262 5542 0.01724 -3262 6254 0.01663 -3262 7159 0.00963 -3262 7977 0.01275 -3261 3906 0.01896 -3261 4492 0.00762 -3261 4960 0.01907 -3261 6151 0.01879 -3261 6817 0.00412 -3261 7023 0.01176 -3261 7540 0.01386 -3260 4758 0.00585 -3260 5249 0.01748 -3260 5337 0.01641 -3260 6361 0.01059 -3260 6539 0.00977 -3260 7910 0.01346 -3260 8335 0.01204 -3260 8479 0.00984 -3260 8522 0.01055 -3260 9398 0.01394 -3260 9893 0.00956 -3259 5545 0.01410 -3259 7004 0.01536 -3259 7122 0.01119 -3258 3419 0.00606 -3258 4009 0.01979 -3258 5067 0.01767 -3258 6012 0.00222 -3258 6366 0.01898 -3258 8877 0.01717 -3258 9586 0.01079 -3257 3324 0.01527 -3257 3335 0.01340 -3257 3524 0.01585 -3257 4395 0.01165 -3257 4783 0.01924 -3257 5449 0.01436 -3257 5791 0.00995 -3257 6413 0.01836 -3257 9641 0.01302 -3256 3476 0.01211 -3256 3544 0.01162 -3256 3753 0.01190 -3256 4288 0.00506 -3256 4443 0.01662 -3256 5693 0.01598 -3256 8371 0.01169 -3256 8415 0.01895 -3256 8973 0.01825 -3255 3309 0.01952 -3255 5668 0.01548 -3255 8014 0.01762 -3255 9121 0.01993 -3255 9226 0.01940 -3254 3296 0.01669 -3254 3566 0.01239 -3254 4684 0.00924 -3254 4698 0.01454 -3254 4931 0.00833 -3254 5753 0.01759 -3254 5963 0.01155 -3254 8211 0.01380 -3254 8284 0.00787 -3254 8558 0.01659 -3253 3542 0.00644 -3253 4576 0.01310 -3253 6204 0.01675 -3253 8689 0.01343 -3253 9215 0.01560 -3253 9311 0.01715 -3253 9579 0.01055 -3253 9860 0.00762 -3252 3662 0.01262 -3252 4270 0.00427 -3252 5439 0.01827 -3252 7389 0.00563 -3252 7590 0.01376 -3252 7726 0.01586 -3252 7845 0.00267 -3252 9426 0.01639 -3252 9667 0.01945 -3252 9809 0.01220 -3251 3793 0.00692 -3251 4868 0.01319 -3251 5507 0.00972 -3251 5945 0.01096 -3251 6495 0.00908 -3251 6674 0.00995 -3251 7172 0.00877 -3251 8054 0.00623 -3251 9728 0.01049 -3250 3808 0.00753 -3250 4003 0.01854 -3250 5175 0.01758 -3250 6043 0.01433 -3250 7231 0.00815 -3250 9273 0.01462 -3250 9818 0.01718 -3249 3298 0.01492 -3249 4317 0.01295 -3249 4955 0.01766 -3249 5375 0.00216 -3248 4330 0.01736 -3248 4865 0.01737 -3248 8678 0.00064 -3248 8793 0.00847 -3248 9290 0.01765 -3248 9691 0.00178 -3248 9953 0.01325 -3247 3376 0.01812 -3247 3612 0.01858 -3247 4035 0.01468 -3247 5685 0.01164 -3247 6030 0.01745 -3247 7359 0.00740 -3247 7782 0.01815 -3247 8278 0.01425 -3247 9232 0.01058 -3247 9416 0.00873 -3246 3679 0.00978 -3246 3905 0.01345 -3246 5018 0.01915 -3246 5488 0.00708 -3246 5853 0.01626 -3246 7154 0.01486 -3246 7244 0.01488 -3246 9218 0.01180 -3246 9313 0.00392 -3246 9368 0.01706 -3246 9469 0.01304 -3245 3409 0.00555 -3245 3465 0.01129 -3245 4084 0.01420 -3245 4549 0.01127 -3245 4593 0.01905 -3245 6260 0.01362 -3245 6497 0.01234 -3245 6695 0.00958 -3245 7187 0.00806 -3245 7279 0.01321 -3245 7841 0.01672 -3245 8108 0.01975 -3245 9345 0.01509 -3245 9640 0.01372 -3245 9815 0.01371 -3244 4455 0.01122 -3244 4789 0.00603 -3244 5352 0.01634 -3244 8342 0.01925 -3244 8818 0.01418 -3244 9388 0.01412 -3244 9785 0.01736 -3243 3829 0.01631 -3243 4130 0.01769 -3243 4499 0.01254 -3243 6154 0.01588 -3243 7084 0.01493 -3243 7735 0.00265 -3243 8498 0.00153 -3243 9531 0.01509 -3243 9593 0.00988 -3243 9827 0.00525 -3242 3584 0.01808 -3242 4050 0.01879 -3242 4852 0.01942 -3242 6262 0.01120 -3242 7322 0.01886 -3242 7555 0.01273 -3242 7657 0.01853 -3242 8296 0.01397 -3242 8838 0.01457 -3242 9306 0.01299 -3241 3719 0.01687 -3241 4289 0.00671 -3241 4441 0.01425 -3241 4741 0.01864 -3241 4829 0.00878 -3241 8251 0.01626 -3241 8647 0.01644 -3240 3343 0.01332 -3240 6746 0.01012 -3240 7100 0.01693 -3240 7189 0.01035 -3240 7863 0.01443 -3240 8273 0.00988 -3240 9000 0.00692 -3240 9166 0.01735 -3240 9278 0.01932 -3239 3404 0.00263 -3239 3633 0.01071 -3239 4031 0.01452 -3239 4890 0.00601 -3239 4959 0.00976 -3239 6296 0.00329 -3239 6595 0.01597 -3239 8472 0.01995 -3239 9202 0.01754 -3239 9372 0.01744 -3238 3286 0.01489 -3238 3388 0.01808 -3238 4360 0.01560 -3238 4439 0.01894 -3238 4812 0.00575 -3238 4934 0.01558 -3238 5582 0.01884 -3238 6407 0.01718 -3238 6648 0.00955 -3238 6697 0.00349 -3238 7287 0.01189 -3238 7978 0.01702 -3238 8743 0.00579 -3238 8978 0.00383 -3237 3665 0.00407 -3237 5179 0.01835 -3237 5454 0.01715 -3237 7247 0.01917 -3237 8274 0.01956 -3237 8628 0.01323 -3236 3376 0.01127 -3236 3464 0.01114 -3236 3699 0.01657 -3236 4035 0.01040 -3236 4313 0.00261 -3236 4527 0.00893 -3236 6137 0.00361 -3236 7359 0.01650 -3236 7781 0.01959 -3236 7782 0.01109 -3236 7941 0.01627 -3236 8116 0.01551 -3236 8278 0.01519 -3236 8497 0.01787 -3236 9416 0.01396 -3235 3736 0.01983 -3235 3932 0.00507 -3235 4475 0.00340 -3235 5293 0.00950 -3235 6501 0.01114 -3235 7441 0.01824 -3235 8021 0.01206 -3235 9659 0.01057 -3235 9801 0.00460 -3234 3330 0.01954 -3234 4133 0.01106 -3234 4230 0.01338 -3234 4847 0.00643 -3234 5126 0.00788 -3234 6880 0.01636 -3234 9571 0.01067 -3234 9779 0.00366 -3233 3286 0.01631 -3233 4232 0.01538 -3233 4360 0.01756 -3233 4806 0.01320 -3233 5764 0.00692 -3233 6002 0.00819 -3233 6067 0.01575 -3233 8666 0.01191 -3232 6115 0.01811 -3232 6387 0.01251 -3232 7192 0.00298 -3232 7330 0.01747 -3232 7340 0.00429 -3232 9195 0.01707 -3232 9515 0.01743 -3231 3714 0.00735 -3231 6355 0.01576 -3231 6637 0.01846 -3231 6950 0.01467 -3231 7592 0.01482 -3231 9248 0.00787 -3230 3470 0.01311 -3230 3995 0.01978 -3230 5825 0.01287 -3230 6309 0.01221 -3230 7124 0.01561 -3230 8056 0.01298 -3230 8443 0.01666 -3230 8470 0.00820 -3230 8997 0.01783 -3229 3649 0.01150 -3229 4777 0.00668 -3229 5143 0.00243 -3229 5976 0.01925 -3229 6085 0.01842 -3229 6906 0.01673 -3229 7194 0.00707 -3229 8509 0.01851 -3229 8934 0.01841 -3229 9172 0.01096 -3228 4646 0.00714 -3228 5133 0.01423 -3228 5894 0.01606 -3228 6170 0.00758 -3228 6232 0.01882 -3228 7035 0.00834 -3228 8036 0.01669 -3228 9076 0.01888 -3228 9692 0.01766 -3227 3868 0.01386 -3227 3923 0.01391 -3227 6084 0.00795 -3227 6572 0.01876 -3227 7709 0.01528 -3227 7902 0.01267 -3227 7961 0.01659 -3227 8104 0.01543 -3226 3426 0.01565 -3226 4157 0.01697 -3226 4263 0.00406 -3226 4534 0.01394 -3226 4792 0.01582 -3226 4902 0.01726 -3226 5267 0.01277 -3226 5347 0.01455 -3226 5528 0.01666 -3226 6363 0.01573 -3226 6912 0.01768 -3225 3295 0.01184 -3225 5340 0.00986 -3225 6842 0.01605 -3225 6883 0.01914 -3225 7816 0.01972 -3225 7867 0.01509 -3225 9058 0.01122 -3225 9460 0.01995 -3224 3349 0.01818 -3224 4134 0.00078 -3224 4192 0.00461 -3224 4568 0.01361 -3224 5194 0.01300 -3224 6428 0.01089 -3224 6510 0.01851 -3224 9022 0.01658 -3223 7282 0.01393 -3223 7653 0.01852 -3223 7799 0.00181 -3223 8119 0.01145 -3223 9771 0.01335 -3222 3701 0.00819 -3222 3838 0.01700 -3222 6378 0.01416 -3222 7019 0.00682 -3222 7216 0.01526 -3222 7686 0.00988 -3222 9029 0.01124 -3222 9109 0.01693 -3221 3538 0.01382 -3221 3923 0.01071 -3221 5215 0.01596 -3221 6915 0.01272 -3221 7709 0.01654 -3221 7840 0.01606 -3221 7902 0.01349 -3221 8104 0.01229 -3220 4835 0.01027 -3220 5987 0.00898 -3220 8526 0.01445 -3220 9602 0.01997 -3219 3539 0.01776 -3219 5128 0.01782 -3219 5407 0.00821 -3219 5568 0.01312 -3219 5602 0.01700 -3219 7160 0.00438 -3219 7300 0.01390 -3219 8075 0.01688 -3219 9041 0.01633 -3219 9945 0.01771 -3218 3313 0.01950 -3218 3431 0.01030 -3218 3887 0.01252 -3218 4159 0.00239 -3218 6299 0.00795 -3218 7026 0.00451 -3218 7101 0.00882 -3218 7788 0.00755 -3218 9244 0.01778 -3218 9434 0.01370 -3217 3583 0.01801 -3217 3599 0.01719 -3217 3622 0.01600 -3217 5523 0.01872 -3217 5595 0.00370 -3217 6335 0.01547 -3217 7668 0.01637 -3217 8643 0.01133 -3217 9314 0.01301 -3217 9540 0.01259 -3216 3479 0.01756 -3216 3530 0.01721 -3216 3646 0.00940 -3216 3763 0.01793 -3216 4006 0.00704 -3216 5389 0.00800 -3216 6857 0.01138 -3216 7691 0.01484 -3216 7792 0.01296 -3216 8047 0.01797 -3216 8154 0.01299 -3216 9146 0.00377 -3216 9157 0.00599 -3215 5792 0.01946 -3215 6340 0.01751 -3215 9187 0.01480 -3215 9447 0.01922 -3214 5235 0.00984 -3214 6015 0.01420 -3214 6125 0.01505 -3214 6438 0.00957 -3214 7295 0.01036 -3214 8872 0.01252 -3214 9043 0.01597 -3214 9271 0.00873 -3214 9335 0.00689 -3214 9915 0.01432 -3213 3463 0.01573 -3213 3754 0.01602 -3213 6449 0.00265 -3213 6728 0.00384 -3213 7089 0.01491 -3213 7168 0.01595 -3213 7855 0.01823 -3213 8544 0.01246 -3213 8950 0.01327 -3213 9476 0.01890 -3213 9829 0.01797 -3213 9851 0.01395 -3212 3272 0.01701 -3212 3834 0.01441 -3212 4332 0.01835 -3212 4923 0.01350 -3212 5233 0.01189 -3212 8662 0.01862 -3212 9180 0.01683 -3212 9480 0.00818 -3212 9782 0.01605 -3211 4215 0.00723 -3211 4873 0.00880 -3211 5048 0.01346 -3211 5907 0.01806 -3211 5916 0.01502 -3211 7195 0.01309 -3211 7710 0.01313 -3211 8149 0.00899 -3211 8983 0.01170 -3211 9761 0.01311 -3210 3619 0.01912 -3210 3703 0.01097 -3210 6208 0.01902 -3210 6437 0.01386 -3210 6807 0.01141 -3210 6882 0.00831 -3210 8246 0.01532 -3210 8610 0.01217 -3210 9910 0.01921 -3210 9920 0.00909 -3209 3778 0.00460 -3209 3896 0.01747 -3209 4255 0.01285 -3209 4932 0.01702 -3209 5153 0.01568 -3209 6560 0.01045 -3209 7377 0.00441 -3209 8503 0.01696 -3209 8989 0.00746 -3209 9163 0.01964 -3209 9259 0.01720 -3209 9795 0.01545 -3208 4438 0.00665 -3208 4947 0.01874 -3208 5914 0.00384 -3208 6698 0.00815 -3208 7113 0.00926 -3208 7142 0.01814 -3208 7209 0.00540 -3208 7210 0.01365 -3208 7968 0.01238 -3208 9309 0.00850 -3208 9694 0.00774 -3207 3339 0.01937 -3207 3446 0.00995 -3207 4766 0.01027 -3207 8212 0.01830 -3207 8719 0.01702 -3207 8810 0.01112 -3207 9219 0.01840 -3207 9752 0.01526 -3206 4974 0.01987 -3206 5428 0.00496 -3206 6026 0.00966 -3206 8199 0.00549 -3206 8912 0.01679 -3205 3323 0.01987 -3205 4087 0.01524 -3205 4175 0.01409 -3205 4991 0.00555 -3205 6439 0.01938 -3205 6522 0.01331 -3205 7031 0.01747 -3205 9658 0.01723 -3204 3352 0.01674 -3204 5647 0.01093 -3204 5798 0.00234 -3204 7762 0.01188 -3204 7774 0.00712 -3204 9717 0.01833 -3203 3462 0.01530 -3203 3712 0.01568 -3203 3795 0.01714 -3203 5040 0.00452 -3203 7147 0.01386 -3203 7165 0.01568 -3203 9198 0.00798 -3202 3376 0.01408 -3202 3503 0.01871 -3202 3612 0.01412 -3202 4877 0.01988 -3202 5685 0.00864 -3202 6661 0.01814 -3202 7359 0.01584 -3202 7782 0.01426 -3202 9232 0.00975 -3202 9416 0.01974 -3202 9903 0.01561 -3201 5272 0.01415 -3201 5624 0.00822 -3201 5889 0.01793 -3201 6297 0.00658 -3201 6615 0.01601 -3201 8022 0.01391 -3201 8677 0.01708 -3201 9566 0.01596 -3200 3209 0.01334 -3200 3484 0.01605 -3200 3778 0.01086 -3200 3896 0.01585 -3200 4419 0.01771 -3200 5153 0.01284 -3200 6560 0.01614 -3200 7362 0.01498 -3200 7377 0.00904 -3200 7885 0.01357 -3200 8503 0.01166 -3200 8989 0.01490 -3200 9259 0.00972 -3200 9514 0.01305 -3200 9795 0.00221 -3199 5081 0.01419 -3199 6888 0.01514 -3199 7543 0.01209 -3199 8650 0.01615 -3199 9501 0.01387 -3198 3907 0.01696 -3198 4343 0.01217 -3198 4647 0.01214 -3198 5299 0.01965 -3198 5872 0.01136 -3198 6619 0.01427 -3198 7922 0.00535 -3198 8959 0.01534 -3198 8993 0.01618 -3198 9052 0.00773 -3198 9655 0.01255 -3197 3776 0.01753 -3197 4094 0.01114 -3197 4181 0.01366 -3197 4429 0.01944 -3197 4507 0.01633 -3197 5459 0.01426 -3197 6057 0.01266 -3197 6798 0.01217 -3197 7011 0.01619 -3197 7947 0.01319 -3197 8366 0.00869 -3197 8685 0.00949 -3197 9182 0.01498 -3196 3433 0.00729 -3196 3475 0.01814 -3196 4107 0.00494 -3196 6106 0.01660 -3196 6222 0.01507 -3196 6926 0.00654 -3196 7010 0.00678 -3196 7275 0.01632 -3196 8848 0.00140 -3195 3749 0.01889 -3195 3996 0.01501 -3195 4436 0.00316 -3195 4458 0.01910 -3195 4616 0.01272 -3195 5134 0.01140 -3195 5191 0.01827 -3195 5532 0.01135 -3195 6158 0.01375 -3195 7323 0.00774 -3195 7628 0.01235 -3195 7654 0.01912 -3195 9461 0.00452 -3194 8721 0.00933 -3194 9798 0.01660 -3193 4306 0.01003 -3193 4438 0.01984 -3193 6298 0.01342 -3193 7210 0.01772 -3193 8052 0.01445 -3193 9309 0.01781 -3193 9618 0.01830 -3193 9858 0.00765 -3192 3613 0.01033 -3192 4625 0.01191 -3192 5535 0.01863 -3192 6200 0.01628 -3192 6474 0.01450 -3192 7433 0.00618 -3192 8787 0.01330 -3192 9189 0.01486 -3192 9396 0.01658 -3192 9568 0.01860 -3191 4235 0.01461 -3191 7024 0.01163 -3191 7412 0.01234 -3191 7627 0.01988 -3191 8207 0.01685 -3191 8827 0.00541 -3190 4053 0.01637 -3190 4286 0.01587 -3190 4348 0.01941 -3190 4845 0.01770 -3190 6658 0.01043 -3190 6845 0.01323 -3190 7144 0.01412 -3190 7933 0.00857 -3190 8254 0.00305 -3190 8865 0.01415 -3190 9200 0.00323 -3189 3652 0.00702 -3189 4390 0.01507 -3189 5000 0.00831 -3189 5934 0.00187 -3189 6038 0.01059 -3189 6064 0.01913 -3189 7207 0.01870 -3189 7578 0.01496 -3189 8669 0.01572 -3189 9596 0.00124 -3188 3367 0.01376 -3188 5598 0.00524 -3188 6576 0.01901 -3188 6808 0.01929 -3188 7398 0.00709 -3188 7550 0.01607 -3188 8185 0.00590 -3188 8377 0.01207 -3188 8399 0.01966 -3188 8962 0.00765 -3188 9617 0.00877 -3188 9770 0.01115 -3188 9821 0.00468 -3187 4634 0.00560 -3187 5109 0.01468 -3187 5746 0.01388 -3187 7552 0.00268 -3187 8526 0.01709 -3187 9602 0.01488 -3186 3734 0.01910 -3186 4074 0.01841 -3186 4255 0.01009 -3186 5344 0.01401 -3186 6634 0.01751 -3185 4051 0.00621 -3185 5241 0.01210 -3185 6733 0.01949 -3185 9114 0.01952 -3185 9322 0.01971 -3184 3304 0.01696 -3184 4249 0.01384 -3184 4301 0.01668 -3184 4368 0.00844 -3184 4532 0.00517 -3184 4988 0.01745 -3184 5590 0.01314 -3184 5614 0.01966 -3184 6992 0.01368 -3184 7777 0.01222 -3184 8357 0.01967 -3184 8452 0.01182 -3184 8506 0.01647 -3184 9625 0.01232 -3184 9856 0.01436 -3183 3493 0.01284 -3183 4252 0.01885 -3183 8259 0.01671 -3183 8369 0.01886 -3183 8530 0.01898 -3182 4501 0.01202 -3182 6743 0.00790 -3182 7900 0.02000 -3182 8003 0.01762 -3182 8591 0.01275 -3182 8710 0.01979 -3182 8802 0.01557 -3182 8975 0.01493 -3181 3509 0.00537 -3181 4403 0.00681 -3181 6223 0.01186 -3181 8215 0.01268 -3181 8926 0.01832 -3181 9285 0.00748 -3181 9431 0.00599 -3180 3391 0.01988 -3180 4246 0.01078 -3180 4683 0.00688 -3180 5004 0.01096 -3180 5503 0.00968 -3180 8886 0.00708 -3180 9561 0.01025 -3179 5536 0.01621 -3179 6226 0.01461 -3179 7040 0.01024 -3179 7341 0.01716 -3179 8514 0.00995 -3179 8819 0.00990 -3179 8968 0.01329 -3179 9017 0.01177 -3178 3643 0.01083 -3178 4331 0.01577 -3178 4589 0.01856 -3178 4622 0.01298 -3178 5378 0.01618 -3178 5586 0.01733 -3178 6633 0.00865 -3178 8614 0.01921 -3177 4922 0.01416 -3177 6568 0.01332 -3177 9239 0.01054 -3176 4119 0.01167 -3176 4707 0.01912 -3176 4921 0.00894 -3176 5594 0.01764 -3176 5709 0.01453 -3176 5742 0.01668 -3176 9225 0.01849 -3176 9563 0.01219 -3176 9907 0.01745 -3175 6735 0.01960 -3175 7544 0.01799 -3175 7573 0.01098 -3175 9455 0.01515 -3174 3322 0.01645 -3174 4772 0.00722 -3174 4814 0.01219 -3174 5373 0.01852 -3174 6094 0.01675 -3174 6133 0.00588 -3174 6285 0.01617 -3174 6968 0.01833 -3174 7996 0.01272 -3174 8120 0.01933 -3174 9253 0.01584 -3174 9506 0.00729 -3174 9711 0.01537 -3173 3578 0.01416 -3173 4211 0.00979 -3173 8135 0.01833 -3173 8551 0.01517 -3173 8758 0.01681 -3172 3193 0.00720 -3172 4306 0.00419 -3172 4438 0.01659 -3172 5207 0.01970 -3172 5706 0.01907 -3172 5914 0.01970 -3172 6298 0.01967 -3172 6967 0.01803 -3172 7210 0.01228 -3172 9309 0.01935 -3172 9858 0.01485 -3171 4205 0.00609 -3171 6324 0.01883 -3171 6479 0.01764 -3171 6723 0.01503 -3171 6906 0.01949 -3171 7765 0.01784 -3171 7860 0.00916 -3171 8509 0.01960 -3171 9492 0.01419 -3170 3658 0.01499 -3170 4223 0.00981 -3170 4454 0.00315 -3170 4724 0.01442 -3170 4836 0.01106 -3170 6778 0.00457 -3170 7205 0.01390 -3170 7711 0.01438 -3170 8578 0.00497 -3170 8776 0.00754 -3169 4341 0.01109 -3169 4364 0.00316 -3169 5880 0.01824 -3169 6401 0.01647 -3169 6525 0.00264 -3168 3291 0.00342 -3168 5208 0.01255 -3168 5594 0.01320 -3168 6052 0.01879 -3168 6732 0.01121 -3168 7203 0.01987 -3168 8069 0.01616 -3168 8463 0.01328 -3168 8943 0.01095 -3167 3230 0.01851 -3167 3470 0.01003 -3167 3607 0.01753 -3167 3995 0.01740 -3167 4960 0.00906 -3167 6151 0.01148 -3167 6309 0.00707 -3167 7124 0.00474 -3167 7540 0.01746 -3167 8470 0.01053 -3167 8997 0.01928 -3167 9643 0.01902 -3166 6788 0.01559 -3166 7526 0.01788 -3166 7732 0.01954 -3166 8013 0.01528 -3165 6763 0.01908 -3165 7394 0.01247 -3165 7565 0.01763 -3165 7948 0.01519 -3165 8409 0.01821 -3165 8979 0.01478 -3165 9331 0.00138 -3164 3710 0.01902 -3164 4834 0.01145 -3164 5102 0.01975 -3164 6113 0.01070 -3164 6169 0.01055 -3164 6776 0.01729 -3164 7770 0.01960 -3163 3255 0.01132 -3163 3303 0.01633 -3163 6937 0.01353 -3162 3451 0.01393 -3162 5793 0.01897 -3162 6718 0.01832 -3162 7061 0.01564 -3162 7109 0.01480 -3162 7408 0.01917 -3162 7659 0.00548 -3162 8134 0.01647 -3162 8204 0.01551 -3161 7025 0.01022 -3161 8414 0.01981 -3161 9061 0.01704 -3161 9156 0.01981 -3161 9742 0.01032 -3161 9837 0.01854 -3160 4305 0.01228 -3160 4742 0.01196 -3160 5966 0.01797 -3160 7943 0.01619 -3160 8701 0.01820 -3160 8824 0.01990 -3160 9386 0.00639 -3160 9705 0.00763 -3160 9964 0.01156 -3159 3799 0.00768 -3159 4133 0.01878 -3159 4324 0.00342 -3159 4847 0.01787 -3159 5979 0.01858 -3159 7480 0.01838 -3159 9693 0.01215 -3158 3754 0.00669 -3158 4755 0.01930 -3158 4980 0.01940 -3158 5329 0.01288 -3158 5577 0.01716 -3158 7089 0.01855 -3158 7168 0.01583 -3158 8417 0.01964 -3158 9141 0.00472 -3158 9639 0.01118 -3158 9851 0.01612 -3157 3458 0.01761 -3157 3704 0.00587 -3157 3906 0.01624 -3157 4881 0.00734 -3157 4951 0.00926 -3157 6194 0.01533 -3157 6700 0.01000 -3157 7380 0.01231 -3157 7436 0.01808 -3157 8755 0.01776 -3156 5661 0.01250 -3156 7544 0.01474 -3156 8198 0.01809 -3156 9117 0.00852 -3155 3789 0.01783 -3155 3803 0.01605 -3155 4084 0.01417 -3155 5045 0.00820 -3155 6092 0.01144 -3155 6100 0.00757 -3155 6695 0.01969 -3155 7841 0.00828 -3155 8108 0.00268 -3155 8796 0.01828 -3155 8885 0.00233 -3155 9640 0.01229 -3154 4565 0.01617 -3154 4602 0.01338 -3154 6165 0.01859 -3154 7146 0.01654 -3154 7927 0.01708 -3154 8922 0.01976 -3154 8951 0.01398 -3154 9867 0.00545 -3153 3756 0.01823 -3153 4077 0.01611 -3153 6448 0.01872 -3153 8354 0.01666 -3153 9308 0.01492 -3153 9766 0.01743 -3152 3618 0.01708 -3152 4239 0.01544 -3152 7512 0.00121 -3152 7634 0.01876 -3152 8132 0.01237 -3152 8416 0.01247 -3152 8661 0.01147 -3151 3173 0.00765 -3151 3578 0.00773 -3151 4211 0.01190 -3151 4446 0.01575 -3151 5052 0.01899 -3151 6971 0.01925 -3151 8100 0.01976 -3151 8135 0.01878 -3151 8551 0.00813 -3151 8758 0.01611 -3150 5162 0.01933 -3150 5301 0.01863 -3150 6010 0.01035 -3150 6545 0.01683 -3150 6682 0.01561 -3150 8953 0.01712 -3149 3197 0.01103 -3149 4024 0.01726 -3149 4094 0.00691 -3149 4181 0.00281 -3149 4507 0.01984 -3149 5459 0.00775 -3149 6057 0.01401 -3149 6798 0.00135 -3149 7011 0.01008 -3149 7155 0.01327 -3149 8366 0.01945 -3149 8652 0.01891 -3149 8685 0.01623 -3149 9182 0.01666 -3148 4484 0.00156 -3148 5272 0.01168 -3148 5889 0.01522 -3148 6297 0.01926 -3148 6329 0.00747 -3148 7880 0.01911 -3148 8022 0.01416 -3148 8425 0.01898 -3148 8539 0.00668 -3148 8677 0.01188 -3148 9132 0.01028 -3148 9566 0.01197 -3148 9873 0.01521 -3147 4874 0.01412 -3147 5413 0.01509 -3147 5993 0.01584 -3147 6541 0.01900 -3147 7919 0.00084 -3147 8496 0.01756 -3147 8832 0.01881 -3147 9882 0.01928 -3146 3706 0.01184 -3146 3785 0.00903 -3146 4043 0.01709 -3146 4083 0.01224 -3146 4945 0.01413 -3146 4971 0.01075 -3146 5698 0.01810 -3146 7656 0.01350 -3146 8079 0.01741 -3145 3303 0.01795 -3145 3577 0.01378 -3145 4838 0.01969 -3145 5421 0.00668 -3145 5516 0.00956 -3145 5619 0.01926 -3145 5937 0.01252 -3145 6937 0.01881 -3145 7507 0.01776 -3145 7649 0.01905 -3145 7877 0.01726 -3145 8014 0.01822 -3144 3160 0.01111 -3144 3288 0.01939 -3144 3853 0.01949 -3144 4305 0.01811 -3144 4742 0.00716 -3144 7517 0.01165 -3144 7853 0.01785 -3144 7943 0.00588 -3144 9386 0.00906 -3144 9496 0.01111 -3144 9705 0.01023 -3144 9964 0.00408 -3143 3281 0.01857 -3143 4502 0.01329 -3143 4606 0.01889 -3143 5000 0.01904 -3143 5898 0.01860 -3143 5934 0.01826 -3143 6038 0.01885 -3143 6306 0.00734 -3143 6463 0.00620 -3143 6689 0.01834 -3143 9494 0.00712 -3143 9853 0.01847 -3142 3644 0.01447 -3142 3688 0.01785 -3142 4624 0.01988 -3142 4748 0.01561 -3142 4853 0.01333 -3142 5229 0.01218 -3142 5435 0.01790 -3142 9713 0.00984 -3141 7669 0.01239 -3141 7680 0.01073 -3141 7773 0.01390 -3141 8172 0.01649 -3140 4167 0.01759 -3140 4730 0.01316 -3140 5784 0.01071 -3140 5971 0.01428 -3140 6834 0.01371 -3140 7413 0.01215 -3140 7585 0.00804 -3140 7600 0.01959 -3140 8295 0.01305 -3140 9091 0.01711 -3140 9301 0.01454 -3140 9681 0.01323 -3139 5692 0.01383 -3139 6239 0.01741 -3139 6875 0.01120 -3139 8704 0.01933 -3139 9375 0.01064 -3138 3587 0.01527 -3138 3740 0.00609 -3138 5749 0.01959 -3138 6548 0.00746 -3138 8472 0.01683 -3138 8806 0.01919 -3137 4460 0.01424 -3137 5477 0.01743 -3137 7610 0.00686 -3137 8783 0.01368 -3137 9205 0.00322 -3137 9704 0.01085 -3137 9928 0.01986 -3136 4129 0.00900 -3136 5070 0.00272 -3136 6006 0.01160 -3136 6096 0.01898 -3136 6569 0.01242 -3136 7527 0.01870 -3135 3150 0.01439 -3135 4468 0.01799 -3135 4608 0.01746 -3135 5292 0.01645 -3135 6545 0.01831 -3135 7821 0.01268 -3135 9969 0.01909 -3134 4069 0.01762 -3134 4193 0.01293 -3134 4480 0.00565 -3134 5071 0.00744 -3134 5530 0.01010 -3134 6261 0.01950 -3134 9460 0.01998 -3134 9897 0.00957 -3133 3460 0.00792 -3133 3821 0.00707 -3133 4169 0.01204 -3133 4541 0.01502 -3133 4655 0.01419 -3133 5326 0.01671 -3133 5440 0.01843 -3133 6813 0.01721 -3133 6824 0.00349 -3133 7387 0.00520 -3133 8954 0.01694 -3133 9257 0.01581 -3132 4556 0.01638 -3132 4689 0.00628 -3132 4848 0.01486 -3132 4858 0.00879 -3132 5184 0.01965 -3132 5398 0.01920 -3132 5774 0.01496 -3132 5863 0.00957 -3132 6060 0.01284 -3132 6221 0.01047 -3132 9385 0.01848 -3132 9923 0.01176 -3131 3860 0.00160 -3131 5980 0.01586 -3131 9275 0.00974 -3131 9401 0.00575 -3131 9794 0.01803 -3130 3987 0.01446 -3130 5250 0.00874 -3130 6265 0.01441 -3130 7014 0.01112 -3130 7400 0.01308 -3130 8355 0.01969 -3130 8891 0.01969 -3130 9787 0.01274 -3130 9977 0.01954 -3129 3703 0.01389 -3129 4171 0.01316 -3129 4537 0.00628 -3129 6208 0.00375 -3129 7530 0.01354 -3129 9920 0.01400 -3128 4832 0.01197 -3128 5879 0.01548 -3128 6087 0.01346 -3128 7511 0.01250 -3128 7769 0.01031 -3127 3139 0.00984 -3127 5692 0.01529 -3127 5904 0.01720 -3127 6875 0.01820 -3127 7425 0.01773 -3127 9216 0.01377 -3127 9375 0.01550 -3126 3810 0.01782 -3126 4146 0.01747 -3126 6935 0.01807 -3126 6986 0.01242 -3126 8509 0.01892 -3126 8965 0.01592 -3126 8984 0.00523 -3125 5374 0.01160 -3125 5384 0.01552 -3125 6203 0.01324 -3125 6246 0.01613 -3125 6713 0.01902 -3125 7071 0.01071 -3125 7787 0.00392 -3125 8462 0.01739 -3125 9229 0.01054 -3125 9569 0.01318 -3124 4071 0.00508 -3124 4567 0.01972 -3124 5234 0.01835 -3124 6105 0.01458 -3124 7224 0.01531 -3124 7440 0.01603 -3124 9792 0.01012 -3123 4900 0.00907 -3123 5022 0.01475 -3123 5967 0.00667 -3123 8227 0.01537 -3123 8453 0.01471 -3123 8570 0.01080 -3123 9516 0.01074 -3123 9547 0.01842 -3123 9888 0.01255 -3123 9955 0.00609 -3122 3233 0.00827 -3122 3286 0.01799 -3122 3600 0.01655 -3122 4232 0.00840 -3122 4360 0.01658 -3122 4806 0.01876 -3122 5764 0.00870 -3122 6002 0.01588 -3122 6206 0.01762 -3122 6643 0.01521 -3122 7164 0.01340 -3122 7313 0.01345 -3122 8666 0.01389 -3121 4507 0.00929 -3121 7703 0.00983 -3121 7896 0.01775 -3121 8403 0.01119 -3121 8685 0.01609 -3121 9182 0.01212 -3120 3210 0.01598 -3120 3766 0.01200 -3120 4639 0.01964 -3120 4801 0.01701 -3120 4864 0.01906 -3120 5271 0.01440 -3120 6437 0.00978 -3120 6745 0.01648 -3120 6807 0.00539 -3120 6882 0.00790 -3120 7211 0.01089 -3120 8246 0.01139 -3120 8610 0.01670 -3120 9910 0.01461 -3119 3939 0.00397 -3119 4735 0.01370 -3119 7353 0.01923 -3119 8189 0.01584 -3119 8451 0.01906 -3119 8532 0.01985 -3119 9019 0.01459 -3118 3198 0.01359 -3118 4343 0.01040 -3118 5872 0.00806 -3118 7922 0.01568 -3118 8411 0.01776 -3118 9655 0.01507 -3117 3424 0.01997 -3117 3762 0.01515 -3117 5890 0.01189 -3117 5935 0.00904 -3117 6216 0.01495 -3117 6490 0.00810 -3117 6671 0.01413 -3117 6847 0.01408 -3117 7306 0.01817 -3117 7524 0.01667 -3117 9094 0.00321 -3117 9192 0.00741 -3117 9594 0.00317 -3116 3137 0.00164 -3116 4460 0.01336 -3116 5477 0.01579 -3116 7610 0.00769 -3116 8783 0.01524 -3116 9205 0.00286 -3116 9704 0.01060 -3115 3406 0.01604 -3115 3744 0.01324 -3115 5510 0.01440 -3115 6625 0.00368 -3115 7200 0.01055 -3115 7445 0.01283 -3115 9168 0.01489 -3115 9686 0.01852 -3114 3133 0.00461 -3114 3460 0.00343 -3114 3821 0.00293 -3114 4169 0.01003 -3114 4432 0.01926 -3114 4541 0.01950 -3114 4655 0.01458 -3114 5326 0.01210 -3114 6813 0.01979 -3114 6824 0.00331 -3114 7387 0.00927 -3114 8954 0.01234 -3114 9257 0.01957 -3113 3243 0.00918 -3113 4499 0.01196 -3113 5107 0.01494 -3113 5220 0.01211 -3113 5401 0.01640 -3113 6660 0.01811 -3113 7084 0.00684 -3113 7735 0.00720 -3113 8498 0.00841 -3113 9593 0.01535 -3113 9827 0.00555 -3112 3797 0.01802 -3112 5170 0.01671 -3112 5196 0.01753 -3112 5424 0.01146 -3112 5873 0.01109 -3112 6373 0.00586 -3112 6665 0.01831 -3112 7058 0.01556 -3112 7097 0.01678 -3112 7183 0.01535 -3112 7455 0.01144 -3112 8744 0.01856 -3112 8836 0.01853 -3112 9181 0.01288 -3112 9482 0.01848 -3111 5348 0.01294 -3111 5470 0.00789 -3111 6827 0.00663 -3111 6849 0.01897 -3111 7329 0.01779 -3111 7797 0.01123 -3111 9608 0.01751 -3110 4001 0.01608 -3110 4566 0.00516 -3110 5254 0.00889 -3110 7415 0.00974 -3110 8030 0.01134 -3110 8569 0.01279 -3110 9112 0.01113 -3110 9730 0.01019 -3109 5487 0.01788 -3109 5702 0.01087 -3109 6491 0.00580 -3109 8868 0.01177 -3109 9006 0.01359 -3108 3705 0.00370 -3108 4108 0.01327 -3108 6747 0.01258 -3108 9430 0.01761 -3108 9891 0.01507 -3108 9947 0.01077 -3107 3454 0.00446 -3107 3581 0.00783 -3107 3596 0.01770 -3107 5949 0.01925 -3107 8041 0.01504 -3107 8101 0.01039 -3107 8604 0.01045 -3107 8964 0.00246 -3106 3378 0.01091 -3106 3447 0.01791 -3106 4287 0.00435 -3106 6456 0.01650 -3106 6749 0.00486 -3106 7446 0.01423 -3106 8884 0.01293 -3106 9793 0.00307 -3105 5527 0.01689 -3105 6558 0.01497 -3105 8941 0.01994 -3105 9042 0.01108 -3105 9073 0.01004 -3105 9729 0.01612 -3104 6180 0.01994 -3104 7291 0.01190 -3104 7887 0.00518 -3104 8318 0.01111 -3103 3708 0.01276 -3103 5028 0.00920 -3103 6037 0.01891 -3103 6478 0.01041 -3103 7326 0.01718 -3103 8489 0.00932 -3103 9152 0.01678 -3103 9560 0.01350 -3103 9968 0.01317 -3102 3257 0.01249 -3102 3335 0.00703 -3102 3461 0.01926 -3102 3524 0.00743 -3102 3891 0.01738 -3102 4395 0.00098 -3102 5376 0.01373 -3102 5791 0.01209 -3102 8700 0.01980 -3102 9626 0.01877 -3102 9641 0.00570 -3101 3349 0.01579 -3101 4568 0.01984 -3101 5010 0.00828 -3101 5119 0.00756 -3101 5390 0.01844 -3101 5832 0.01124 -3101 5842 0.00642 -3101 6351 0.00356 -3101 7260 0.01729 -3101 7358 0.01560 -3101 7907 0.01235 -3101 8730 0.00669 -3100 4487 0.01821 -3100 5073 0.00845 -3100 6791 0.01468 -3100 7117 0.01197 -3100 8456 0.01370 -3100 8867 0.01304 -3100 9319 0.01269 -3099 3311 0.00398 -3099 5451 0.00696 -3099 7506 0.01983 -3099 9830 0.00604 -3098 3185 0.01432 -3098 4051 0.01942 -3098 5239 0.01595 -3098 5468 0.01803 -3098 6733 0.01216 -3098 8813 0.01979 -3098 9020 0.00707 -3098 9322 0.01681 -3097 3400 0.01497 -3097 7327 0.01880 -3097 8039 0.00944 -3097 8285 0.01553 -3097 8384 0.01911 -3097 9555 0.01862 -3097 9905 0.01062 -3096 3226 0.01472 -3096 3426 0.00889 -3096 3617 0.01710 -3096 4157 0.01854 -3096 4263 0.01665 -3096 4534 0.00718 -3096 4902 0.01234 -3096 5267 0.00508 -3096 6134 0.01367 -3096 6363 0.00505 -3096 7794 0.01773 -3096 7891 0.01432 -3096 8083 0.01579 -3095 3158 0.01993 -3095 3604 0.00465 -3095 4755 0.01482 -3095 6009 0.01297 -3095 7283 0.01207 -3095 7846 0.00998 -3094 3502 0.01805 -3094 4642 0.01257 -3094 4856 0.01852 -3094 5802 0.01413 -3094 7661 0.00901 -3094 8195 0.01559 -3094 8437 0.01026 -3094 9176 0.00988 -3093 3679 0.01863 -3093 3681 0.01959 -3093 5575 0.01620 -3093 5853 0.01858 -3093 6687 0.01240 -3093 7616 0.01677 -3093 9218 0.01850 -3093 9368 0.00946 -3092 3094 0.01905 -3092 3502 0.00854 -3092 5802 0.00681 -3092 6650 0.01143 -3092 7057 0.01954 -3092 7660 0.01730 -3092 8195 0.00457 -3092 9176 0.01128 -3092 9220 0.01298 -3091 3809 0.01871 -3091 4061 0.01796 -3091 4259 0.01726 -3091 5315 0.01558 -3091 5520 0.00412 -3091 6005 0.01035 -3091 7030 0.01704 -3091 7127 0.01455 -3091 7658 0.01604 -3091 7700 0.01987 -3091 9120 0.01140 -3091 9549 0.01715 -3090 3562 0.00210 -3090 4895 0.01467 -3090 4935 0.00955 -3090 5182 0.01046 -3090 7653 0.01542 -3090 8656 0.01315 -3090 9327 0.00786 -3090 9651 0.01217 -3089 3412 0.01860 -3089 3650 0.01402 -3089 4072 0.01380 -3089 5110 0.00847 -3089 6419 0.00164 -3089 6929 0.01449 -3089 8670 0.01942 -3089 8841 0.01391 -3088 4022 0.01893 -3088 4350 0.01764 -3088 4763 0.00773 -3088 5012 0.00824 -3088 6863 0.01706 -3088 7335 0.01710 -3088 9159 0.01519 -3088 9722 0.01877 -3087 4586 0.01626 -3087 6338 0.01658 -3087 6716 0.01517 -3087 7325 0.01895 -3087 7365 0.00848 -3087 7716 0.00762 -3087 9520 0.01991 -3086 4018 0.00774 -3086 4122 0.01931 -3086 5161 0.00277 -3086 5495 0.01946 -3086 6610 0.01190 -3086 7428 0.01050 -3085 3911 0.00690 -3085 4700 0.00148 -3085 6009 0.01950 -3085 6799 0.01386 -3085 7283 0.01985 -3085 7570 0.01927 -3085 8515 0.01693 -3085 9519 0.01243 -3085 9767 0.01586 -3084 3255 0.01876 -3084 4397 0.00994 -3084 5455 0.01961 -3084 5668 0.00834 -3084 7960 0.01695 -3084 8513 0.01656 -3084 8911 0.01372 -3084 9121 0.00158 -3084 9226 0.00112 -3083 4387 0.00643 -3083 5927 0.01365 -3083 7598 0.01086 -3083 7988 0.01839 -3083 9250 0.01551 -3083 9453 0.00530 -3083 9807 0.01161 -3082 3423 0.01833 -3082 4274 0.01243 -3082 4362 0.00806 -3082 5453 0.01495 -3082 5612 0.01695 -3082 6696 0.01169 -3082 8113 0.01944 -3082 8361 0.01909 -3081 3875 0.01174 -3081 4066 0.00864 -3081 4818 0.01974 -3081 8797 0.01836 -3081 8939 0.01935 -3080 3410 0.01843 -3080 3998 0.01450 -3080 4402 0.01921 -3080 4453 0.01554 -3080 5415 0.01321 -3080 5785 0.01516 -3080 6783 0.01798 -3080 7671 0.01178 -3080 8439 0.01465 -3080 9010 0.00453 -3080 9499 0.01775 -3079 3686 0.01462 -3079 4138 0.00778 -3079 5918 0.01546 -3079 6703 0.01033 -3079 7331 0.01929 -3079 8244 0.01685 -3079 8412 0.01464 -3079 9016 0.01875 -3078 3563 0.00688 -3078 5762 0.00528 -3078 6453 0.01613 -3078 7437 0.01830 -3078 8222 0.01450 -3078 9312 0.00946 -3077 3752 0.01902 -3077 3940 0.01318 -3077 3959 0.01756 -3077 6164 0.01655 -3077 6780 0.00671 -3077 6873 0.00880 -3077 7713 0.01779 -3077 7822 0.00990 -3077 9057 0.01682 -3077 9324 0.01984 -3077 9855 0.00554 -3076 4694 0.00655 -3076 4773 0.01901 -3076 6528 0.00924 -3076 7134 0.00364 -3076 8048 0.00431 -3076 9303 0.00674 -3075 3258 0.01863 -3075 3419 0.01798 -3075 4009 0.00545 -3075 4802 0.01632 -3075 5265 0.01568 -3075 5981 0.00962 -3075 5986 0.01425 -3075 6012 0.01651 -3075 8877 0.01752 -3075 9586 0.01309 -3074 5567 0.01252 -3074 6239 0.01226 -3074 6875 0.01882 -3074 7484 0.01359 -3074 7504 0.01136 -3074 8226 0.01899 -3074 8704 0.01472 -3074 8851 0.00741 -3074 8927 0.01508 -3074 9007 0.01777 -3073 3858 0.00954 -3073 5701 0.01427 -3073 6103 0.01055 -3073 6345 0.01750 -3072 3202 0.01377 -3072 3376 0.01291 -3072 3464 0.01341 -3072 3699 0.01608 -3072 4313 0.01885 -3072 4527 0.01714 -3072 4877 0.01741 -3072 5685 0.01916 -3072 6661 0.00942 -3072 7663 0.01015 -3072 7782 0.01301 -3072 9903 0.00184 -3071 3383 0.00742 -3071 4128 0.01803 -3071 4654 0.01842 -3071 7641 0.01769 -3071 8025 0.00984 -3071 8919 0.01728 -3071 9577 0.01558 -3070 3804 0.00982 -3070 3866 0.01536 -3070 4396 0.01916 -3070 4656 0.01514 -3070 5897 0.01605 -3070 6167 0.00980 -3070 6450 0.01956 -3070 6785 0.01182 -3070 7034 0.01147 -3070 8131 0.01978 -3070 8480 0.00474 -3070 9231 0.00248 -3070 9709 0.01509 -3069 4171 0.01901 -3069 4292 0.00870 -3069 4765 0.01211 -3069 4941 0.00578 -3069 5129 0.01125 -3069 6061 0.01994 -3069 6422 0.00239 -3069 7717 0.00693 -3069 8441 0.00712 -3069 8495 0.01869 -3068 3531 0.01928 -3068 3621 0.01175 -3068 4457 0.01052 -3068 4755 0.01774 -3068 5173 0.00855 -3068 5547 0.01100 -3068 6073 0.01868 -3068 6349 0.00874 -3068 8417 0.01336 -3068 8940 0.01827 -3068 9803 0.01230 -3067 3933 0.01412 -3067 4261 0.00749 -3067 4733 0.00987 -3067 5932 0.01700 -3067 6607 0.01755 -3067 7720 0.01996 -3067 7766 0.00889 -3067 8049 0.00482 -3067 8791 0.01972 -3067 9028 0.01973 -3067 9502 0.00916 -3066 3358 0.01197 -3066 3944 0.01987 -3066 7041 0.01776 -3066 7925 0.01717 -3066 8762 0.01409 -3066 9545 0.01540 -3065 3216 0.01320 -3065 3530 0.01782 -3065 3593 0.01378 -3065 3646 0.01877 -3065 3763 0.00589 -3065 4006 0.01970 -3065 5011 0.01056 -3065 5389 0.01957 -3065 6681 0.01860 -3065 6857 0.00657 -3065 7330 0.01945 -3065 7691 0.01523 -3065 8154 0.01544 -3065 9146 0.01478 -3065 9157 0.00912 -3065 9515 0.01818 -3064 4013 0.01626 -3064 5403 0.00378 -3064 5537 0.01212 -3064 5951 0.01872 -3064 6281 0.01820 -3064 6443 0.01662 -3063 3379 0.01839 -3063 4533 0.00111 -3063 5060 0.00426 -3063 6477 0.01463 -3063 6883 0.00974 -3063 6988 0.01041 -3063 7228 0.01946 -3063 8008 0.01085 -3063 8579 0.00285 -3062 3948 0.01076 -3062 4351 0.01207 -3062 4973 0.00924 -3062 6127 0.00347 -3062 8082 0.01194 -3062 8916 0.01551 -3061 3104 0.01638 -3061 4555 0.00797 -3061 6180 0.01901 -3061 6192 0.00935 -3061 6280 0.01693 -3061 7291 0.01045 -3061 7487 0.01436 -3061 7887 0.01777 -3061 8228 0.01997 -3061 8272 0.00973 -3061 8378 0.00865 -3061 9435 0.01754 -3060 4361 0.00439 -3060 4380 0.01163 -3060 4665 0.00343 -3060 4712 0.01897 -3060 5259 0.00949 -3060 6065 0.01960 -3060 6482 0.00650 -3060 9979 0.00769 -3059 3723 0.01134 -3059 3728 0.00737 -3059 4620 0.01839 -3059 4943 0.01328 -3059 5051 0.01784 -3059 6091 0.01980 -3059 6189 0.01537 -3059 7743 0.01799 -3059 9038 0.01800 -3058 3656 0.01238 -3058 5260 0.01760 -3058 5874 0.01434 -3058 6840 0.01863 -3058 9040 0.01988 -3058 9281 0.01474 -3057 5080 0.00187 -3057 5660 0.01289 -3057 5725 0.01894 -3057 6321 0.01370 -3057 7081 0.01105 -3057 7463 0.00645 -3057 7722 0.00530 -3057 9031 0.00846 -3056 3249 0.00545 -3056 3298 0.01963 -3056 4317 0.01822 -3056 4955 0.01436 -3056 5375 0.00405 -3056 7375 0.01761 -3055 4386 0.00851 -3055 5305 0.00778 -3055 6379 0.00655 -3055 8414 0.00900 -3055 9061 0.01908 -3054 4069 0.01088 -3054 4163 0.01615 -3054 5049 0.00946 -3054 5364 0.01816 -3054 5530 0.01963 -3054 6323 0.01232 -3054 6710 0.01558 -3054 7226 0.01090 -3054 7632 0.00929 -3054 9548 0.01659 -3054 9645 0.00761 -3053 3252 0.01375 -3053 3662 0.00180 -3053 3731 0.01924 -3053 4270 0.01791 -3053 5658 0.01441 -3053 5671 0.01826 -3053 7389 0.01060 -3053 7590 0.01625 -3053 7845 0.01541 -3053 9667 0.01079 -3053 9809 0.00610 -3052 3107 0.01488 -3052 3454 0.01214 -3052 3581 0.01659 -3052 3771 0.01466 -3052 3910 0.01504 -3052 5316 0.01699 -3052 5458 0.01654 -3052 5949 0.01139 -3052 7741 0.01948 -3052 8041 0.00028 -3052 8101 0.01760 -3052 8237 0.01817 -3052 8464 0.01526 -3052 8626 0.01320 -3052 8964 0.01245 -3052 9334 0.00950 -3051 3204 0.00724 -3051 3310 0.01862 -3051 3352 0.01823 -3051 5647 0.01207 -3051 5798 0.00618 -3051 7762 0.01490 -3051 7774 0.01017 -3051 8035 0.01652 -3050 3288 0.00319 -3050 3930 0.01435 -3050 7517 0.00986 -3050 7853 0.01861 -3050 7943 0.01572 -3050 8303 0.01243 -3050 9496 0.01100 -3049 3289 0.01524 -3049 3999 0.01338 -3049 4751 0.01729 -3049 5759 0.01288 -3049 6688 0.01158 -3049 7396 0.01949 -3049 8174 0.01089 -3049 8364 0.01929 -3049 8788 0.01658 -3049 9660 0.01749 -3049 9929 0.00753 -3049 9963 0.00912 -3049 9992 0.00542 -3048 3151 0.00532 -3048 3173 0.01297 -3048 3578 0.00549 -3048 4211 0.01560 -3048 4446 0.01266 -3048 5052 0.01389 -3048 6971 0.01509 -3048 7243 0.01934 -3048 8100 0.01727 -3048 8551 0.00455 -3048 8758 0.01763 -3047 5226 0.01073 -3047 5436 0.01902 -3047 5929 0.01386 -3047 6685 0.01191 -3047 7093 0.01325 -3047 7337 0.01780 -3047 8261 0.01748 -3047 8518 0.01445 -3046 4874 0.01406 -3046 5336 0.00729 -3046 6286 0.00827 -3046 6632 0.01647 -3046 7276 0.00927 -3046 8060 0.01538 -3046 8088 0.01223 -3046 8333 0.01905 -3046 8879 0.00643 -3046 9003 0.01799 -3045 3663 0.00654 -3045 3828 0.01649 -3045 4302 0.00918 -3045 4381 0.01366 -3045 4807 0.01532 -3045 6182 0.00613 -3045 8236 0.01907 -3044 3136 0.01525 -3044 4129 0.00668 -3044 4734 0.01164 -3044 5070 0.01723 -3044 5845 0.00914 -3044 6006 0.01388 -3044 6149 0.01203 -3044 7355 0.00683 -3044 8500 0.01654 -3043 4042 0.01699 -3043 4467 0.01404 -3043 4720 0.00212 -3043 5142 0.01450 -3043 5599 0.01537 -3043 8947 0.01244 -3042 3960 0.01916 -3042 4080 0.01095 -3042 5180 0.01663 -3042 5710 0.01258 -3042 7526 0.01592 -3042 7732 0.01992 -3042 7916 0.01771 -3042 8013 0.01151 -3042 8279 0.01077 -3042 8955 0.01167 -3042 9206 0.01519 -3041 3764 0.01454 -3041 5925 0.01807 -3041 8352 0.01589 -3041 9477 0.01772 -3040 3056 0.00880 -3040 3249 0.00410 -3040 3298 0.01485 -3040 4317 0.01172 -3040 4955 0.01802 -3040 5375 0.00625 -3039 4659 0.01665 -3039 6567 0.01731 -3039 8016 0.01877 -3039 8574 0.01913 -3039 8810 0.01738 -3039 9752 0.01376 -3038 4804 0.01997 -3038 5952 0.00789 -3038 7630 0.01700 -3038 7959 0.01377 -3038 8338 0.01167 -3037 4860 0.01114 -3037 4925 0.01054 -3037 5397 0.01797 -3037 5591 0.01968 -3037 7067 0.01120 -3037 7293 0.01614 -3037 8159 0.01306 -3037 8477 0.01489 -3037 9123 0.01988 -3036 4526 0.01151 -3036 4958 0.01577 -3036 5893 0.01918 -3036 8576 0.01539 -3036 9190 0.01874 -3036 9402 0.01244 -3035 3914 0.01878 -3035 4220 0.01012 -3035 4482 0.01054 -3035 4846 0.01509 -3035 6082 0.01852 -3035 6500 0.00905 -3035 6604 0.00572 -3035 7579 0.01866 -3035 7633 0.01728 -3035 8106 0.01368 -3035 8292 0.00463 -3035 8638 0.00964 -3035 9133 0.01643 -3035 9883 0.01291 -3034 3813 0.01332 -3034 4007 0.01117 -3034 4716 0.01325 -3034 4758 0.01535 -3034 6539 0.01625 -3034 6662 0.00199 -3034 9398 0.01250 -3033 3682 0.01015 -3033 5202 0.01282 -3033 6996 0.01570 -3033 7999 0.00310 -3033 9083 0.01234 -3032 4728 0.01122 -3032 5238 0.01311 -3032 5653 0.01863 -3032 6214 0.01390 -3032 6281 0.01914 -3032 6655 0.01044 -3032 7054 0.00848 -3032 9525 0.01679 -3031 3658 0.01468 -3031 4214 0.01981 -3031 6396 0.01461 -3031 6683 0.01220 -3031 7711 0.01831 -3031 7812 0.01341 -3031 7935 0.00644 -3031 7942 0.01906 -3031 8426 0.01429 -3030 5918 0.01812 -3030 6350 0.01334 -3030 6652 0.00604 -3030 7064 0.00468 -3030 7753 0.01975 -3030 8051 0.00708 -3030 9016 0.01166 -3030 9572 0.01998 -3030 9590 0.01374 -3029 4014 0.01939 -3029 4560 0.00491 -3029 4893 0.01002 -3029 7169 0.01647 -3029 7566 0.01328 -3028 3323 0.01318 -3028 4087 0.01490 -3028 5747 0.01446 -3028 6284 0.00616 -3028 7218 0.01711 -3028 7939 0.01686 -3028 9658 0.01303 -3027 3472 0.00561 -3027 4717 0.00510 -3027 4962 0.01151 -3027 7375 0.01537 -3027 7424 0.01358 -3027 7865 0.01785 -3027 8358 0.00779 -3027 9219 0.01847 -3026 3093 0.01173 -3026 3679 0.01699 -3026 3905 0.01589 -3026 5575 0.01234 -3026 5662 0.01289 -3026 5796 0.01627 -3026 5853 0.00742 -3026 6704 0.01618 -3026 9218 0.00943 -3026 9368 0.00930 -3025 3169 0.00626 -3025 3351 0.01888 -3025 4341 0.00515 -3025 4364 0.00884 -3025 5286 0.01988 -3025 5596 0.01762 -3025 5880 0.01207 -3025 6401 0.01684 -3025 6525 0.00621 -3025 9106 0.01587 -3024 3188 0.01171 -3024 3367 0.01035 -3024 3796 0.01712 -3024 4967 0.01382 -3024 5136 0.01456 -3024 5186 0.01725 -3024 5598 0.01595 -3024 6148 0.01824 -3024 6576 0.01745 -3024 7398 0.01865 -3024 7550 0.00961 -3024 8185 0.01758 -3024 8377 0.00057 -3024 8399 0.01262 -3024 8962 0.01531 -3024 9617 0.00427 -3024 9770 0.00548 -3024 9821 0.01424 -3023 3283 0.00634 -3023 3739 0.01183 -3023 4813 0.01787 -3023 5013 0.00382 -3023 6198 0.01502 -3023 7186 0.01048 -3023 8725 0.01905 -3023 9337 0.00998 -3023 9544 0.01136 -3023 9683 0.01356 -3023 9688 0.01521 -3022 4939 0.01927 -3022 5390 0.01188 -3022 5832 0.01949 -3022 6351 0.01916 -3022 7358 0.00755 -3022 7529 0.01479 -3022 7907 0.01134 -3022 9545 0.01654 -3022 9944 0.00560 -3021 3944 0.00723 -3021 7925 0.01665 -3021 8762 0.01259 -3021 9162 0.01514 -3021 9868 0.01507 -3020 4551 0.01505 -3020 4678 0.01094 -3020 5269 0.00901 -3020 5333 0.01881 -3020 6322 0.01768 -3020 6509 0.00979 -3020 8321 0.00852 -3020 9649 0.01673 -3020 9670 0.01955 -3020 9884 0.00821 -3019 4017 0.01506 -3019 4224 0.01582 -3019 5985 0.01709 -3019 6294 0.00515 -3019 7038 0.01916 -3019 8552 0.01812 -3019 8676 0.01982 -3019 8870 0.01887 -3018 3290 0.00125 -3018 3558 0.01442 -3018 3735 0.01994 -3018 4183 0.00806 -3018 5164 0.01573 -3018 5568 0.01895 -3018 6359 0.00239 -3018 7300 0.01781 -3018 8075 0.01701 -3018 9671 0.00448 -3017 3435 0.01903 -3017 3800 0.01495 -3017 5420 0.01550 -3017 6343 0.01588 -3017 7617 0.00257 -3017 7993 0.01793 -3017 8074 0.01324 -3017 8183 0.01852 -3017 8510 0.01382 -3017 8665 0.01876 -3017 9274 0.00297 -3017 9284 0.01236 -3017 9863 0.00257 -3016 3098 0.01691 -3016 3423 0.00828 -3016 4268 0.01992 -3016 5239 0.00740 -3016 5468 0.01281 -3016 6245 0.01905 -3016 6696 0.01604 -3016 8484 0.01924 -3016 8813 0.00320 -3016 8921 0.01302 -3016 9020 0.01015 -3016 9193 0.01769 -3015 4101 0.01964 -3015 4186 0.00914 -3015 4867 0.01386 -3015 4870 0.01711 -3015 6056 0.01701 -3015 6128 0.01412 -3015 6452 0.01368 -3015 6584 0.01152 -3015 6910 0.01558 -3015 7199 0.01621 -3015 7723 0.01220 -3015 7800 0.01600 -3015 9002 0.00236 -3015 9276 0.00317 -3014 4123 0.00819 -3014 6354 0.01099 -3014 6878 0.00326 -3014 7311 0.01578 -3014 7539 0.01994 -3014 7578 0.01959 -3014 8759 0.01192 -3014 9647 0.01935 -3013 3955 0.00888 -3013 4027 0.01543 -3013 5672 0.01523 -3013 5836 0.01466 -3013 5905 0.01672 -3013 5936 0.01909 -3013 6020 0.01729 -3013 6044 0.01276 -3013 6874 0.01642 -3013 7611 0.00983 -3013 8554 0.01184 -3013 9650 0.01004 -3012 3020 0.01741 -3012 4241 0.01078 -3012 4678 0.00828 -3012 5333 0.01295 -3012 5920 0.01763 -3011 3663 0.01714 -3011 5288 0.01891 -3011 7622 0.00711 -3011 8396 0.01876 -3011 9679 0.01896 -3010 4456 0.01851 -3010 4842 0.00654 -3010 6649 0.01245 -3010 6905 0.01078 -3010 7457 0.01539 -3010 7458 0.01907 -3010 8223 0.00644 -3010 8483 0.01023 -3010 9320 0.00901 -3009 4682 0.01215 -3009 6196 0.01540 -3009 7901 0.01484 -3009 8136 0.01840 -3009 8141 0.01661 -3009 8442 0.01796 -3009 8718 0.01655 -3009 9292 0.00765 -3009 9554 0.00115 -3008 4346 0.00544 -3008 5516 0.01817 -3008 5619 0.01307 -3008 5937 0.01647 -3008 7571 0.01115 -3008 7629 0.01548 -3008 7877 0.01974 -3008 9612 0.01146 -3008 9720 0.00740 -3007 4609 0.01146 -3007 5058 0.01467 -3007 5912 0.01667 -3007 6168 0.01883 -3007 7119 0.01116 -3007 7139 0.01693 -3007 7480 0.01931 -3007 7596 0.00935 -3007 7763 0.01093 -3007 7958 0.01204 -3007 8208 0.01707 -3007 9528 0.00561 -3007 9838 0.01087 -3006 4356 0.01579 -3006 4465 0.01629 -3006 5494 0.01479 -3006 6319 0.00941 -3006 7643 0.01858 -3005 3199 0.01227 -3005 3797 0.01384 -3005 5081 0.01000 -3005 6888 0.00961 -3005 7411 0.01262 -3005 7543 0.01304 -3005 8157 0.01390 -3005 8650 0.00720 -3005 9501 0.01996 -3004 3395 0.01585 -3004 3440 0.01246 -3004 3904 0.01957 -3004 5078 0.01697 -3004 6468 0.00796 -3004 6994 0.01295 -3004 7516 0.01607 -3004 7705 0.01491 -3004 8175 0.00937 -3003 5273 0.00701 -3003 6851 0.00973 -3003 7261 0.01648 -3003 7810 0.00431 -3003 9490 0.01582 -3003 9715 0.01411 -3002 3572 0.00946 -3002 3967 0.01614 -3002 4113 0.00562 -3002 5069 0.00244 -3002 5138 0.01356 -3002 5418 0.01060 -3002 6132 0.01330 -3002 7000 0.01573 -3002 8219 0.01448 -3002 9298 0.00695 -3002 9583 0.01584 -3002 9819 0.01652 -3001 3782 0.01401 -3001 4000 0.00345 -3001 4999 0.01078 -3001 5850 0.01197 -3001 8314 0.01778 -3001 8386 0.01661 -3001 9336 0.00904 -3001 9479 0.01965 -3000 3127 0.00289 -3000 3139 0.00802 -3000 5692 0.01635 -3000 5904 0.01999 -3000 6875 0.01775 -3000 7425 0.01970 -3000 9216 0.01568 -3000 9375 0.01260 -2999 4557 0.01145 -2999 5882 0.01460 -2999 6093 0.01783 -2999 6701 0.01987 -2999 7029 0.01907 -2998 4201 0.01476 -2998 4517 0.01076 -2998 4878 0.01938 -2998 4985 0.00641 -2998 7012 0.01989 -2997 3005 0.00915 -2997 3199 0.00320 -2997 5081 0.01164 -2997 6888 0.01331 -2997 7543 0.01170 -2997 8157 0.01778 -2997 8650 0.01307 -2997 9501 0.01416 -2996 3521 0.01899 -2996 4275 0.01329 -2996 4799 0.01456 -2996 5645 0.01494 -2996 6348 0.00849 -2996 6773 0.01050 -2996 7088 0.01368 -2996 7828 0.01863 -2996 8322 0.01277 -2996 9108 0.01828 -2995 4095 0.01279 -2995 4559 0.01255 -2995 5357 0.00378 -2995 7468 0.01538 -2995 8180 0.00926 -2995 8559 0.01450 -2995 8917 0.01388 -2994 3318 0.01358 -2994 6055 0.00348 -2994 6234 0.00860 -2994 6829 0.00313 -2994 7361 0.01694 -2994 8169 0.01498 -2994 9484 0.01153 -2994 9684 0.00591 -2993 3403 0.00311 -2993 4090 0.00785 -2993 4617 0.00335 -2993 4706 0.01686 -2993 4998 0.01483 -2993 5355 0.01639 -2993 5362 0.01515 -2993 5639 0.01980 -2993 8936 0.01402 -2993 9652 0.01588 -2993 9657 0.01474 -2993 9917 0.01931 -2992 6711 0.00254 -2992 7024 0.01558 -2992 7627 0.01446 -2992 7694 0.01084 -2992 8136 0.01275 -2992 8718 0.01777 -2992 9451 0.00163 -2991 3321 0.00815 -2991 3397 0.01796 -2991 3854 0.01651 -2991 3945 0.01269 -2991 4710 0.01075 -2991 5185 0.00733 -2991 7298 0.01986 -2990 4427 0.01787 -2990 4546 0.00922 -2990 6000 0.00831 -2990 8826 0.01543 -2990 9199 0.01212 -2989 4673 0.01494 -2989 4862 0.01506 -2989 5356 0.00544 -2989 7740 0.01234 -2988 4692 0.01890 -2988 5808 0.01122 -2988 6520 0.01231 -2988 8179 0.01914 -2988 8774 0.00182 -2988 8901 0.00889 -2988 9302 0.00862 -2987 3369 0.00511 -2987 3992 0.01256 -2987 4328 0.01925 -2987 5251 0.01783 -2987 5786 0.01474 -2987 7184 0.01577 -2987 7915 0.01599 -2987 9592 0.01355 -2987 9775 0.00516 -2986 3253 0.01390 -2986 3542 0.01149 -2986 4576 0.01985 -2986 6391 0.01559 -2986 9215 0.00930 -2986 9860 0.00762 -2985 3039 0.01406 -2985 3207 0.01735 -2985 3446 0.01818 -2985 8358 0.01747 -2985 8810 0.01146 -2985 9219 0.01646 -2985 9752 0.01143 -2984 3971 0.01815 -2984 4365 0.00460 -2984 5513 0.01267 -2984 6809 0.01770 -2984 6963 0.01103 -2984 7937 0.00929 -2984 8792 0.01995 -2983 3635 0.00443 -2983 5452 0.01796 -2983 5917 0.01607 -2983 6921 0.01513 -2983 8826 0.01182 -2982 3574 0.00588 -2982 3675 0.01180 -2982 4409 0.00877 -2982 5517 0.01769 -2982 5608 0.00763 -2982 6368 0.01723 -2982 6432 0.00897 -2982 7374 0.01945 -2982 8066 0.01621 -2982 8633 0.01457 -2982 8902 0.01630 -2982 9074 0.01490 -2982 9806 0.01089 -2981 3070 0.00832 -2981 3804 0.00987 -2981 3866 0.00823 -2981 4011 0.01940 -2981 4396 0.01587 -2981 4656 0.00726 -2981 5818 0.01539 -2981 6167 0.01012 -2981 6785 0.01999 -2981 7034 0.01979 -2981 8376 0.01890 -2981 8480 0.01100 -2981 9231 0.01071 -2981 9709 0.01607 -2980 3030 0.01336 -2980 4338 0.01744 -2980 4618 0.01273 -2980 5423 0.01800 -2980 5918 0.01939 -2980 6350 0.01199 -2980 6476 0.01187 -2980 6652 0.01656 -2980 7064 0.01553 -2980 7753 0.00940 -2980 7970 0.01441 -2980 8051 0.00676 -2980 9016 0.01482 -2980 9572 0.01203 -2980 9590 0.01589 -2979 3293 0.01966 -2979 3427 0.00978 -2979 3484 0.01587 -2979 5882 0.01873 -2979 7362 0.01712 -2979 8812 0.00889 -2979 8907 0.00434 -2979 9160 0.01724 -2979 9514 0.01901 -2978 3792 0.01709 -2978 6028 0.01769 -2978 7266 0.01935 -2978 7954 0.01465 -2978 8900 0.00766 -2977 3752 0.00657 -2977 3940 0.01629 -2977 3959 0.01430 -2977 4916 0.01486 -2977 6780 0.01879 -2977 7354 0.01976 -2977 7822 0.01323 -2977 9041 0.01796 -2977 9442 0.00942 -2977 9855 0.01610 -2976 5911 0.01346 -2976 6131 0.01714 -2976 6263 0.01372 -2976 6504 0.01526 -2976 7553 0.01325 -2976 8418 0.01943 -2976 8985 0.01398 -2976 9364 0.01592 -2976 9665 0.00878 -2975 3077 0.01856 -2975 6780 0.01695 -2975 6873 0.01011 -2975 7713 0.00975 -2975 8021 0.01914 -2975 9057 0.00420 -2975 9659 0.01814 -2974 3657 0.00920 -2974 4191 0.01506 -2974 4540 0.01126 -2974 5268 0.01532 -2974 5790 0.01424 -2974 8205 0.01779 -2974 9119 0.01684 -2974 9203 0.01364 -2973 3245 0.01919 -2973 3409 0.01365 -2973 3465 0.00796 -2973 3915 0.01690 -2973 4549 0.01534 -2973 4708 0.01157 -2973 7187 0.01741 -2973 7279 0.01002 -2973 9122 0.01335 -2973 9815 0.00931 -2972 4312 0.01492 -2972 4352 0.01660 -2972 5174 0.00420 -2972 7410 0.01743 -2972 7755 0.01923 -2972 7869 0.00481 -2972 7944 0.01370 -2972 8668 0.01110 -2972 9204 0.01287 -2972 9524 0.01537 -2971 4916 0.01718 -2971 6308 0.00583 -2971 6828 0.01854 -2971 6980 0.00947 -2971 7123 0.01981 -2971 7354 0.01923 -2971 7602 0.00963 -2971 8751 0.01032 -2971 9291 0.01531 -2971 9442 0.01690 -2971 9994 0.01778 -2970 4388 0.01553 -2970 4591 0.01001 -2970 5443 0.01748 -2970 5509 0.01974 -2970 7437 0.01536 -2969 3768 0.01854 -2969 4458 0.01807 -2969 4775 0.00834 -2969 5134 0.01798 -2969 5211 0.01751 -2969 5225 0.01281 -2969 6158 0.00906 -2969 6209 0.00637 -2969 7395 0.01164 -2969 7654 0.00619 -2969 9441 0.01333 -2969 9490 0.01923 -2969 9537 0.01590 -2968 2984 0.01337 -2968 4365 0.01786 -2968 5513 0.00333 -2968 5705 0.01523 -2968 6944 0.01112 -2968 6963 0.01340 -2968 7937 0.00412 -2968 8309 0.01476 -2967 4884 0.00959 -2967 5045 0.01439 -2967 6092 0.01077 -2967 6176 0.01640 -2967 6200 0.01720 -2967 8796 0.00419 -2967 8885 0.01967 -2967 9396 0.01261 -2967 9568 0.01557 -2967 9638 0.01472 -2967 9640 0.01626 -2966 4172 0.01042 -2966 4258 0.01718 -2966 5460 0.01220 -2966 6172 0.01181 -2966 6291 0.00970 -2966 9739 0.00165 -2965 8039 0.01840 -2965 8285 0.01663 -2965 8637 0.01891 -2965 9346 0.01462 -2965 9404 0.00989 -2964 3685 0.01984 -2964 5179 0.01407 -2964 5454 0.01297 -2964 5750 0.00930 -2964 8023 0.01772 -2964 8274 0.01301 -2964 8825 0.01943 -2963 3266 0.01706 -2963 3292 0.01926 -2963 3801 0.01944 -2963 4626 0.00806 -2963 4677 0.00858 -2963 4691 0.00972 -2963 4768 0.01739 -2963 4875 0.01776 -2963 5087 0.01106 -2963 5154 0.01078 -2963 6641 0.01157 -2963 6726 0.00877 -2963 6930 0.00687 -2963 9488 0.00424 -2963 9899 0.01678 -2962 3160 0.01852 -2962 4219 0.01531 -2962 4305 0.01699 -2962 5966 0.01188 -2962 6376 0.01323 -2962 8701 0.01439 -2961 6109 0.00948 -2961 7904 0.01531 -2961 7940 0.01165 -2961 9580 0.01955 -2960 3125 0.01852 -2960 5864 0.01357 -2960 6292 0.01368 -2960 6713 0.01140 -2960 8462 0.01376 -2960 9229 0.00799 -2959 3220 0.00263 -2959 4835 0.00804 -2959 5987 0.01162 -2959 8526 0.01684 -2958 3997 0.01615 -2958 7754 0.01297 -2958 7930 0.00901 -2958 9348 0.01680 -2958 9865 0.00761 -2957 3916 0.01810 -2957 4280 0.01679 -2957 4509 0.01563 -2957 4778 0.01812 -2957 5778 0.01363 -2957 6668 0.01959 -2957 8144 0.01272 -2957 8573 0.01812 -2957 9892 0.00305 -2956 5585 0.01221 -2956 5736 0.01252 -2956 6061 0.01113 -2956 6684 0.00304 -2956 7182 0.01848 -2956 8529 0.00666 -2956 9383 0.00480 -2955 3075 0.01822 -2955 4009 0.01913 -2955 4802 0.01753 -2955 5025 0.01310 -2955 5265 0.01650 -2955 5986 0.00812 -2955 6629 0.01095 -2955 9985 0.00258 -2954 3606 0.01866 -2954 4026 0.01544 -2954 5430 0.01923 -2954 5828 0.01933 -2954 6034 0.01019 -2954 8028 0.00699 -2954 8849 0.01720 -2954 8932 0.01611 -2954 8957 0.02000 -2953 3379 0.01905 -2953 3617 0.01166 -2953 4217 0.01796 -2953 6134 0.01406 -2953 6988 0.01364 -2953 7051 0.00421 -2953 7794 0.01900 -2953 7891 0.01604 -2953 7990 0.00457 -2953 8083 0.01524 -2953 8864 0.01693 -2953 9241 0.00749 -2952 4688 0.01302 -2952 5745 0.01742 -2952 7417 0.01596 -2952 7554 0.01924 -2952 7875 0.01510 -2952 8969 0.01760 -2952 9165 0.01193 -2952 9369 0.00433 -2951 3272 0.01968 -2951 3475 0.01808 -2951 4332 0.00616 -2951 4379 0.00992 -2951 4923 0.01629 -2951 6222 0.01597 -2951 8662 0.01120 -2951 9143 0.01733 -2951 9422 0.00640 -2951 9782 0.00782 -2950 3508 0.01742 -2950 3747 0.01766 -2950 3847 0.01233 -2950 5068 0.01789 -2950 5814 0.00995 -2950 9414 0.01529 -2950 9904 0.01932 -2949 3227 0.01189 -2949 3868 0.00214 -2949 4603 0.01848 -2949 4891 0.01605 -2949 5776 0.01682 -2949 6084 0.01275 -2949 7478 0.01676 -2949 7709 0.01937 -2949 7902 0.01975 -2948 3072 0.00940 -2948 3202 0.01919 -2948 4587 0.01635 -2948 4877 0.01070 -2948 6661 0.00151 -2948 6997 0.01894 -2948 7502 0.01497 -2948 7663 0.00215 -2948 8642 0.01708 -2948 9903 0.00878 -2947 3182 0.00934 -2947 4167 0.01797 -2947 4501 0.01715 -2947 6743 0.01678 -2947 8003 0.01144 -2947 8591 0.00641 -2947 8802 0.01154 -2947 8975 0.00684 -2946 3026 0.01469 -2946 3246 0.01690 -2946 3905 0.00375 -2946 5662 0.00892 -2946 5796 0.01873 -2946 5807 0.01092 -2946 5829 0.01957 -2946 5853 0.00746 -2946 6704 0.02000 -2946 7048 0.01697 -2946 7154 0.01038 -2946 7244 0.01675 -2946 9218 0.00946 -2946 9313 0.01908 -2946 9368 0.01973 -2946 9469 0.01268 -2945 5300 0.01774 -2945 7396 0.01497 -2945 8467 0.00444 -2945 9556 0.01265 -2945 9622 0.01787 -2944 3414 0.00230 -2944 6813 0.00873 -2944 7174 0.01672 -2944 7387 0.01919 -2944 7405 0.01801 -2944 9852 0.01142 -2943 3918 0.01880 -2943 4160 0.01271 -2943 5597 0.01290 -2943 7621 0.01278 -2943 8852 0.00823 -2942 4361 0.01739 -2942 4508 0.01497 -2942 5259 0.01468 -2942 6482 0.01840 -2942 6920 0.01840 -2942 9414 0.01841 -2942 9979 0.01404 -2942 9987 0.00539 -2941 3270 0.01786 -2941 3525 0.00416 -2941 3838 0.01030 -2941 6378 0.01807 -2941 6720 0.01824 -2941 7618 0.01293 -2941 8187 0.00257 -2941 8242 0.00957 -2941 9029 0.01359 -2941 9529 0.01288 -2941 9780 0.01370 -2940 3560 0.01907 -2940 3765 0.00737 -2940 6181 0.00500 -2940 7752 0.01846 -2940 8445 0.01820 -2940 8499 0.01931 -2940 8849 0.00750 -2940 9521 0.01622 -2939 3083 0.01459 -2939 4387 0.01292 -2939 5927 0.01732 -2939 7598 0.00676 -2939 9207 0.01801 -2939 9247 0.00863 -2939 9250 0.00110 -2939 9453 0.01744 -2939 9807 0.01592 -2938 3707 0.01157 -2938 4335 0.01397 -2938 4408 0.00891 -2938 5766 0.01001 -2938 7858 0.00737 -2938 7893 0.00892 -2938 9260 0.01827 -2938 9931 0.00670 -2937 2955 0.01952 -2937 3421 0.00784 -2937 5265 0.01314 -2937 5986 0.01510 -2937 6629 0.01138 -2937 7302 0.01443 -2937 9985 0.01940 -2936 3760 0.01811 -2936 7309 0.01961 -2936 7640 0.01266 -2936 9015 0.01957 -2936 9454 0.00961 -2936 9575 0.00630 -2935 4743 0.01367 -2935 5028 0.01732 -2935 6478 0.01562 -2935 6886 0.01710 -2935 7122 0.01567 -2935 8587 0.01894 -2935 9152 0.01136 -2935 9407 0.01665 -2935 9968 0.01335 -2934 5772 0.01762 -2934 6016 0.01537 -2934 6320 0.01930 -2934 8513 0.01300 -2934 9213 0.01755 -2934 9395 0.01648 -2933 4187 0.01960 -2933 6217 0.01881 -2933 7368 0.01947 -2933 7523 0.01240 -2933 7724 0.01967 -2933 7733 0.00393 -2933 7815 0.00789 -2933 8523 0.00428 -2933 8593 0.01491 -2933 9084 0.01280 -2931 3693 0.00725 -2931 3973 0.01221 -2931 4049 0.01477 -2931 5213 0.01536 -2931 7906 0.01639 -2931 8163 0.00938 -2931 8449 0.01562 -2930 3914 0.01568 -2930 5803 0.01502 -2930 5881 0.00979 -2930 6040 0.01283 -2930 6082 0.01850 -2930 6636 0.01096 -2930 7633 0.01932 -2930 8364 0.01772 -2930 9101 0.01130 -2930 9527 0.01133 -2929 3774 0.01751 -2929 4494 0.01041 -2929 4640 0.01805 -2929 5361 0.01140 -2929 7699 0.01612 -2929 9124 0.01015 -2929 9420 0.01652 -2928 4391 0.01364 -2928 4862 0.01507 -2928 6238 0.01271 -2928 6565 0.01978 -2928 7475 0.01606 -2928 7613 0.01771 -2928 7838 0.00927 -2928 7969 0.00226 -2928 8099 0.01933 -2927 3006 0.00578 -2927 4407 0.01782 -2927 4465 0.01532 -2927 5494 0.00979 -2927 6319 0.01204 -2927 7643 0.01528 -2927 8275 0.01984 -2926 3997 0.01601 -2926 5719 0.01790 -2926 5943 0.01014 -2926 6787 0.00674 -2926 6957 0.00788 -2926 7020 0.01854 -2926 7750 0.00843 -2926 9270 0.00488 -2926 9348 0.01670 -2926 9666 0.00395 -2925 3449 0.00673 -2925 3644 0.01661 -2925 4968 0.01135 -2925 5441 0.01180 -2925 6907 0.01420 -2925 7719 0.01063 -2925 7824 0.01559 -2925 8276 0.01989 -2925 8904 0.01194 -2925 9713 0.01923 -2924 3503 0.00798 -2924 3612 0.01559 -2924 4280 0.01696 -2924 4575 0.01311 -2924 9382 0.01786 -2924 9695 0.00968 -2923 4410 0.01542 -2923 6015 0.00881 -2923 6125 0.01481 -2923 6416 0.01943 -2923 7510 0.01638 -2923 8277 0.01574 -2923 9335 0.01645 -2922 3044 0.00974 -2922 4129 0.01269 -2922 4652 0.01686 -2922 4734 0.00944 -2922 5845 0.01012 -2922 6006 0.01373 -2922 6149 0.00352 -2922 6962 0.01802 -2922 7355 0.00930 -2922 7714 0.01785 -2922 8500 0.01786 -2921 2956 0.01168 -2921 5585 0.00625 -2921 5607 0.01905 -2921 6684 0.01281 -2921 8529 0.00638 -2921 9383 0.01429 -2920 3393 0.01803 -2920 5866 0.00447 -2920 6940 0.01461 -2920 7767 0.01021 -2920 7952 0.00976 -2920 8615 0.01053 -2920 8753 0.01859 -2920 8972 0.01691 -2919 3010 0.01532 -2919 4416 0.01567 -2919 4456 0.00982 -2919 4788 0.01098 -2919 4842 0.01049 -2919 6436 0.01722 -2919 6599 0.00736 -2919 6905 0.01807 -2919 7457 0.00733 -2919 7599 0.01930 -2919 7982 0.00949 -2919 8223 0.01492 -2919 8483 0.01402 -2919 8923 0.01088 -2919 9320 0.01119 -2919 9530 0.01426 -2918 3020 0.01641 -2918 4551 0.00160 -2918 4663 0.01716 -2918 4678 0.01534 -2918 4908 0.01488 -2918 5269 0.01177 -2918 6509 0.01249 -2918 6794 0.01730 -2918 8321 0.01007 -2918 9030 0.01187 -2918 9437 0.01387 -2918 9884 0.01348 -2917 3004 0.01134 -2917 5078 0.01048 -2917 6468 0.00552 -2917 6994 0.01387 -2917 7065 0.01964 -2917 7496 0.01329 -2917 7516 0.01889 -2917 7705 0.01943 -2917 8175 0.01408 -2917 9280 0.01755 -2916 3244 0.01575 -2916 4455 0.01962 -2916 4509 0.01178 -2916 5352 0.01824 -2916 5778 0.01449 -2916 8342 0.00863 -2916 8573 0.01636 -2916 9424 0.01948 -2916 9785 0.01572 -2916 9810 0.00877 -2915 2932 0.01440 -2915 3391 0.01860 -2915 6547 0.01252 -2915 9561 0.01725 -2914 3761 0.01523 -2914 6575 0.01382 -2914 6783 0.01868 -2914 7993 0.00570 -2914 8183 0.00494 -2914 9024 0.01471 -2913 3016 0.00739 -2913 3082 0.01899 -2913 3423 0.00125 -2913 4362 0.01489 -2913 5239 0.01121 -2913 5468 0.01757 -2913 6696 0.00956 -2913 8484 0.01815 -2913 8813 0.00534 -2913 8921 0.01020 -2913 9020 0.01726 -2912 3942 0.01453 -2912 4277 0.00793 -2912 4329 0.01367 -2912 7715 0.00956 -2911 4516 0.01508 -2911 5835 0.01433 -2911 5917 0.00648 -2911 6921 0.00725 -2911 8345 0.01386 -2911 8938 0.00884 -2910 3171 0.01533 -2910 4205 0.01509 -2910 4844 0.01402 -2910 6324 0.01864 -2910 6479 0.01538 -2910 6723 0.01968 -2910 7765 0.01694 -2910 8455 0.01935 -2910 9492 0.01902 -2909 5737 0.00900 -2909 8624 0.01808 -2908 6481 0.01565 -2908 6943 0.01751 -2908 9048 0.01933 -2907 2962 0.01258 -2907 4243 0.01546 -2907 4571 0.01604 -2907 6121 0.01998 -2907 8701 0.01201 -2906 3346 0.00692 -2906 4046 0.00639 -2906 4512 0.01598 -2906 5756 0.01880 -2906 6524 0.01418 -2906 7317 0.01972 -2906 8139 0.01633 -2906 8165 0.00881 -2906 8976 0.01105 -2906 9034 0.01444 -2905 3624 0.01485 -2905 3935 0.01231 -2905 5270 0.00886 -2905 5281 0.00249 -2905 5285 0.01595 -2905 6051 0.01772 -2905 7002 0.00434 -2905 7219 0.01696 -2905 7270 0.01953 -2905 8118 0.01214 -2905 8798 0.01131 -2905 8898 0.00872 -2905 9118 0.01095 -2904 3356 0.01254 -2904 3565 0.00630 -2904 5029 0.00976 -2904 5274 0.01582 -2904 5969 0.00733 -2904 6155 0.01721 -2904 6652 0.01957 -2904 9590 0.01861 -2903 4265 0.01621 -2903 4339 0.00820 -2903 5748 0.01649 -2903 6353 0.01988 -2903 6414 0.00815 -2903 6895 0.01344 -2903 8396 0.01994 -2903 8639 0.01436 -2902 3136 0.00786 -2902 4129 0.01563 -2902 5070 0.00782 -2902 6006 0.01365 -2902 6096 0.01126 -2902 6569 0.00496 -2902 7638 0.01443 -2901 4511 0.00144 -2901 6941 0.00637 -2900 2941 0.01385 -2900 3222 0.01242 -2900 3525 0.01041 -2900 3701 0.01025 -2900 3838 0.00467 -2900 6378 0.01583 -2900 7019 0.01474 -2900 7618 0.01324 -2900 8187 0.01283 -2900 9029 0.00231 -2900 9035 0.01948 -2899 3163 0.01888 -2899 3303 0.01113 -2899 3355 0.01765 -2899 4067 0.01788 -2899 6937 0.00986 -2899 7507 0.01746 -2898 3498 0.01283 -2898 3615 0.01256 -2898 3739 0.01403 -2898 3988 0.01806 -2898 4096 0.00695 -2898 6566 0.01502 -2898 6881 0.01841 -2898 7186 0.01530 -2898 8129 0.01275 -2898 8133 0.00563 -2898 9337 0.01668 -2898 9356 0.01576 -2898 9688 0.01333 -2897 3037 0.01933 -2897 3623 0.00843 -2897 4860 0.01308 -2897 4885 0.01935 -2897 5792 0.01931 -2897 7067 0.01810 -2897 7379 0.01490 -2897 7648 0.00623 -2897 9123 0.01430 -2896 3582 0.01642 -2896 5476 0.01556 -2896 5651 0.01204 -2896 5681 0.01472 -2896 5909 0.00891 -2896 8457 0.00835 -2896 9564 0.01453 -2896 9627 0.01463 -2896 9662 0.00248 -2895 2960 0.00176 -2895 3125 0.01928 -2895 5864 0.01307 -2895 6292 0.01495 -2895 6713 0.01007 -2895 8462 0.01269 -2895 9229 0.00878 -2894 4771 0.01744 -2894 6173 0.01449 -2894 6948 0.01613 -2894 7637 0.00659 -2894 8696 0.01727 -2894 8883 0.00942 -2893 5408 0.00205 -2893 5583 0.01433 -2893 5856 0.01953 -2893 6163 0.01422 -2893 6985 0.00646 -2893 7044 0.00908 -2893 8330 0.01747 -2893 8620 0.01646 -2892 3382 0.00933 -2892 3720 0.01888 -2892 4227 0.01533 -2892 4433 0.01556 -2892 6252 0.01086 -2892 6932 0.01862 -2892 7449 0.00314 -2892 7780 0.01572 -2892 8178 0.01579 -2892 8382 0.01777 -2892 9090 0.01638 -2892 9726 0.01359 -2892 9932 0.00713 -2891 3219 0.01820 -2891 3539 0.00057 -2891 3641 0.01497 -2891 5128 0.01763 -2891 5405 0.01961 -2891 5407 0.01002 -2891 5602 0.01751 -2891 6984 0.01121 -2891 7354 0.00832 -2891 9041 0.01381 -2891 9442 0.01661 -2890 4240 0.01526 -2890 4651 0.01353 -2890 5001 0.01842 -2890 5410 0.01449 -2890 5869 0.01380 -2890 5886 0.01912 -2890 6178 0.01451 -2890 6310 0.00972 -2890 7250 0.01889 -2890 7373 0.00865 -2890 8045 0.01676 -2890 8091 0.01921 -2890 8206 0.01589 -2890 8311 0.01516 -2890 8432 0.01644 -2890 8434 0.01143 -2890 8481 0.01455 -2889 3240 0.01216 -2889 3519 0.01636 -2889 6746 0.00212 -2889 7062 0.01451 -2889 7100 0.01777 -2889 7189 0.00421 -2889 7863 0.00575 -2889 8273 0.00976 -2889 9000 0.01249 -2888 3162 0.01940 -2888 3451 0.00783 -2888 3556 0.01973 -2888 4254 0.01791 -2888 5793 0.01761 -2888 6627 0.01896 -2888 6751 0.00864 -2888 7366 0.01596 -2888 7659 0.01929 -2888 7985 0.01342 -2888 8134 0.01936 -2888 8204 0.01448 -2888 8614 0.01449 -2888 9497 0.01912 -2887 3708 0.01480 -2887 4323 0.00356 -2887 4982 0.01925 -2887 5734 0.00984 -2887 5862 0.01758 -2887 6037 0.01819 -2887 8960 0.00750 -2887 9139 0.01531 -2886 2973 0.00698 -2886 3409 0.01952 -2886 3465 0.01425 -2886 3915 0.01283 -2886 4549 0.01827 -2886 4708 0.01410 -2886 6327 0.01761 -2886 7279 0.01701 -2886 9122 0.01199 -2886 9815 0.01237 -2885 2939 0.00750 -2885 3083 0.01459 -2885 4387 0.01616 -2885 7598 0.00383 -2885 9207 0.01402 -2885 9247 0.01594 -2885 9250 0.00722 -2885 9453 0.01913 -2884 3011 0.01764 -2884 3642 0.00754 -2884 3828 0.01576 -2884 5748 0.01187 -2884 6353 0.00821 -2884 7622 0.01312 -2884 8396 0.00810 -2884 8618 0.00298 -2884 9794 0.00796 -2883 3690 0.01455 -2883 5689 0.01310 -2883 5717 0.01542 -2883 6867 0.01467 -2883 7016 0.01635 -2883 7063 0.01939 -2883 7525 0.00821 -2883 8494 0.00817 -2883 9390 0.01134 -2882 4177 0.01800 -2882 4209 0.00590 -2882 5101 0.01853 -2882 6366 0.01104 -2882 6803 0.00297 -2882 7488 0.00466 -2882 8332 0.01720 -2882 8882 0.01895 -2882 9008 0.00566 -2882 9377 0.01249 -2881 3152 0.01977 -2881 3555 0.01787 -2881 3618 0.00747 -2881 3713 0.01391 -2881 5905 0.01912 -2881 5936 0.01597 -2881 6841 0.01930 -2881 7512 0.01893 -2881 7634 0.00926 -2881 8132 0.00961 -2881 8416 0.00938 -2881 8661 0.01263 -2880 2925 0.01679 -2880 3142 0.00406 -2880 3644 0.01210 -2880 4748 0.01602 -2880 4853 0.01690 -2880 5229 0.01578 -2880 9713 0.00870 -2879 3072 0.01499 -2879 3236 0.01321 -2879 3376 0.01488 -2879 3464 0.00316 -2879 3699 0.00353 -2879 4313 0.01218 -2879 4527 0.00446 -2879 6137 0.01308 -2879 7782 0.01479 -2879 7941 0.01923 -2879 8255 0.01954 -2879 8497 0.00987 -2879 9903 0.01407 -2878 3232 0.00673 -2878 3593 0.01872 -2878 5011 0.01839 -2878 6115 0.01749 -2878 6387 0.01624 -2878 6681 0.01785 -2878 7192 0.00693 -2878 7330 0.01195 -2878 7340 0.00276 -2878 9195 0.01779 -2878 9515 0.01078 -2877 4406 0.00541 -2877 5042 0.01712 -2877 6527 0.00555 -2877 7568 0.00586 -2876 3840 0.01044 -2876 3983 0.01632 -2876 5426 0.01826 -2876 5433 0.01627 -2876 5707 0.00808 -2876 5991 0.01717 -2876 6156 0.01432 -2876 6585 0.00562 -2876 6626 0.01813 -2876 6955 0.01345 -2876 7495 0.01529 -2876 8406 0.00938 -2876 8880 0.01098 -2876 9857 0.01989 -2875 4826 0.01231 -2875 5358 0.01522 -2875 6277 0.01775 -2875 6775 0.01644 -2875 6843 0.00992 -2875 7482 0.00830 -2874 2896 0.01765 -2874 4098 0.01950 -2874 5064 0.01163 -2874 5651 0.01063 -2874 6800 0.00478 -2874 8995 0.01348 -2874 9662 0.01780 -2873 6481 0.01083 -2872 4052 0.01635 -2872 4773 0.00476 -2872 5444 0.01587 -2872 5715 0.01880 -2872 6528 0.01972 -2872 8194 0.01557 -2872 8608 0.00522 -2871 2949 0.00515 -2871 3227 0.01537 -2871 3868 0.00350 -2871 4891 0.01347 -2871 5776 0.01206 -2871 6084 0.01345 -2871 7478 0.01161 -2871 7709 0.01842 -2871 9522 0.01741 -2870 2979 0.00818 -2870 3427 0.01415 -2870 3484 0.00914 -2870 5519 0.01953 -2870 7362 0.01118 -2870 8503 0.01838 -2870 8812 0.00482 -2870 8907 0.00838 -2870 9160 0.01759 -2870 9514 0.01281 -2869 3510 0.00701 -2869 4949 0.01874 -2869 6141 0.01481 -2869 6524 0.01426 -2869 6852 0.01481 -2869 7094 0.01065 -2869 7604 0.00559 -2869 8139 0.01986 -2869 9034 0.01894 -2869 9513 0.01947 -2869 9941 0.00867 -2869 9958 0.01983 -2868 3528 0.01506 -2868 5372 0.01925 -2868 5616 0.01767 -2868 6631 0.00531 -2868 9279 0.01159 -2867 3140 0.01768 -2867 4730 0.01340 -2867 5784 0.01804 -2867 5902 0.01024 -2867 5971 0.00341 -2867 6834 0.00550 -2867 7385 0.00901 -2867 7600 0.01766 -2867 7868 0.01782 -2867 8153 0.01830 -2867 8295 0.01394 -2867 9681 0.00968 -2866 3175 0.01223 -2866 5293 0.01769 -2866 7544 0.01159 -2866 9939 0.01448 -2865 4303 0.00773 -2865 5263 0.01042 -2865 6157 0.01991 -2865 6738 0.01231 -2865 8079 0.01877 -2864 2972 0.01736 -2864 6760 0.01402 -2864 7090 0.01065 -2864 7315 0.00916 -2864 7410 0.01576 -2864 7606 0.01854 -2864 7869 0.01963 -2864 8161 0.00943 -2864 8601 0.00419 -2864 9068 0.00445 -2864 9204 0.01824 -2864 9524 0.01141 -2864 9543 0.01315 -2863 3060 0.01585 -2863 3547 0.01661 -2863 4380 0.01615 -2863 4665 0.01508 -2863 4712 0.00312 -2863 4767 0.00736 -2863 4878 0.01054 -2863 5063 0.01731 -2863 5237 0.01533 -2863 6577 0.01538 -2863 9179 0.01117 -2862 3123 0.01679 -2862 4741 0.01001 -2862 5858 0.01125 -2862 5967 0.01380 -2862 8227 0.01994 -2862 9589 0.01091 -2861 4311 0.01482 -2861 7391 0.01673 -2861 8829 0.01287 -2861 9375 0.01558 -2860 4687 0.01822 -2860 5230 0.01188 -2860 8489 0.01851 -2860 9439 0.01370 -2860 9560 0.01502 -2860 9746 0.01836 -2859 3239 0.01478 -2859 3404 0.01338 -2859 3587 0.01181 -2859 3633 0.01962 -2859 4890 0.01575 -2859 4959 0.00507 -2859 6296 0.01221 -2859 6595 0.00336 -2859 7322 0.01946 -2859 7456 0.00585 -2859 8472 0.01214 -2859 9202 0.01873 -2859 9306 0.01819 -2859 9372 0.00632 -2858 3749 0.00971 -2858 5472 0.00459 -2858 5532 0.01951 -2858 5593 0.01998 -2858 8111 0.01393 -2858 8756 0.00447 -2857 3852 0.01318 -2857 5047 0.01692 -2857 6868 0.01793 -2857 9201 0.01964 -2856 2925 0.00504 -2856 3449 0.00489 -2856 3644 0.01935 -2856 3653 0.01619 -2856 4968 0.00705 -2856 5441 0.00793 -2856 6907 0.00925 -2856 7719 0.01115 -2856 7744 0.01702 -2856 7824 0.01060 -2856 8276 0.01796 -2856 8904 0.00735 -2855 5522 0.00747 -2855 5838 0.00447 -2855 6612 0.01853 -2855 6761 0.00992 -2855 7109 0.01028 -2855 7878 0.01054 -2855 8200 0.01180 -2855 8387 0.01271 -2854 2993 0.01433 -2854 3403 0.01188 -2854 4036 0.01171 -2854 4617 0.01104 -2854 4998 0.00398 -2854 5355 0.01320 -2854 5639 0.00569 -2854 8936 0.01081 -2854 9652 0.00541 -2853 3273 0.00854 -2853 3667 0.01566 -2853 3719 0.01476 -2853 5562 0.01069 -2853 5847 0.01793 -2853 5888 0.01105 -2853 6590 0.01973 -2853 6949 0.01003 -2853 7156 0.01891 -2853 7161 0.01458 -2853 8871 0.01420 -2853 9535 0.01754 -2852 4478 0.01824 -2852 5661 0.01344 -2852 5854 0.00950 -2852 7317 0.00640 -2852 8198 0.01612 -2852 9117 0.01752 -2852 9263 0.01926 -2852 9872 0.01716 -2851 3092 0.01498 -2851 3094 0.00793 -2851 3502 0.01108 -2851 4642 0.01925 -2851 5802 0.00848 -2851 7661 0.01689 -2851 8195 0.01058 -2851 8437 0.01806 -2851 9176 0.00371 -2850 3764 0.01952 -2850 7405 0.01337 -2850 8352 0.00557 -2850 9678 0.01760 -2849 3307 0.00463 -2849 3843 0.01852 -2849 3998 0.01983 -2849 4550 0.01901 -2849 4970 0.01200 -2849 5843 0.01299 -2849 6112 0.01474 -2849 7046 0.01189 -2849 7689 0.01837 -2849 8674 0.01775 -2849 9214 0.01624 -2849 9846 0.01934 -2848 3083 0.01927 -2848 3308 0.01883 -2848 5338 0.01300 -2848 5447 0.01652 -2848 7399 0.01713 -2848 7416 0.01359 -2848 9063 0.00977 -2848 9393 0.01761 -2848 9453 0.01831 -2847 3353 0.01601 -2847 3513 0.00074 -2847 4004 0.00840 -2847 4449 0.01601 -2847 7676 0.01078 -2847 8329 0.01566 -2847 8686 0.00915 -2847 8805 0.01363 -2847 9321 0.00510 -2846 2920 0.01165 -2846 3393 0.01717 -2846 5866 0.01077 -2846 6722 0.01221 -2846 6940 0.00296 -2846 7470 0.01295 -2846 7767 0.01062 -2846 8615 0.01300 -2845 3420 0.00396 -2845 4441 0.01872 -2845 4628 0.00615 -2845 5097 0.01959 -2845 5135 0.01543 -2845 5492 0.00634 -2845 6590 0.01713 -2845 7966 0.01498 -2845 8143 0.00353 -2845 8647 0.01517 -2845 9623 0.00902 -2845 9635 0.01489 -2844 2873 0.01402 -2844 3853 0.01151 -2844 4742 0.01482 -2844 6481 0.01554 -2844 7853 0.01386 -2844 7884 0.01265 -2843 4547 0.00463 -2843 6035 0.01339 -2843 6184 0.01874 -2843 6756 0.01706 -2843 7077 0.01187 -2843 7429 0.00921 -2843 8196 0.01929 -2843 8565 0.01244 -2842 2985 0.01578 -2842 3207 0.00357 -2842 3446 0.00670 -2842 4766 0.01373 -2842 8719 0.01929 -2842 8810 0.01221 -2842 9219 0.01484 -2842 9752 0.01621 -2841 4170 0.00466 -2841 5417 0.01574 -2841 6737 0.01606 -2841 6754 0.01292 -2841 7163 0.00640 -2841 8864 0.01879 -2841 9940 0.01328 -2840 2940 0.01890 -2840 3560 0.01612 -2840 3765 0.01292 -2840 3929 0.01299 -2840 4019 0.01546 -2840 4422 0.01503 -2840 6181 0.01999 -2840 7752 0.01114 -2840 9521 0.01051 -2839 3170 0.00713 -2839 3658 0.00931 -2839 4223 0.00608 -2839 4454 0.00525 -2839 4836 0.01812 -2839 6778 0.00320 -2839 7711 0.01200 -2839 7812 0.01807 -2839 7935 0.01963 -2839 8578 0.00944 -2839 8776 0.00043 -2838 6879 0.01499 -2838 7042 0.01634 -2838 7108 0.01558 -2838 7383 0.01604 -2838 8381 0.01325 -2838 8834 0.01041 -2838 9129 0.01001 -2837 6833 0.01150 -2837 8135 0.01407 -2837 8758 0.01681 -2837 9881 0.01751 -2837 9995 0.01633 -2836 5318 0.01863 -2836 6074 0.00943 -2836 6594 0.01870 -2836 7253 0.01579 -2836 7669 0.00946 -2836 9880 0.01986 -2835 3026 0.01969 -2835 3093 0.00981 -2835 3679 0.01760 -2835 5018 0.01501 -2835 5122 0.01993 -2835 5432 0.01904 -2835 6687 0.01222 -2835 7248 0.01412 -2835 7616 0.00745 -2835 8790 0.01904 -2835 8823 0.01653 -2835 9368 0.01254 -2834 3857 0.01120 -2834 8938 0.01412 -2834 8981 0.01654 -2833 4091 0.00875 -2833 4208 0.01239 -2833 4529 0.01709 -2833 5913 0.01400 -2833 6305 0.00917 -2833 6325 0.01308 -2833 6614 0.01586 -2833 7866 0.01149 -2833 9097 0.00706 -2833 9265 0.00315 -2832 2919 0.01223 -2832 3010 0.00665 -2832 4456 0.01239 -2832 4842 0.00882 -2832 6599 0.01648 -2832 6649 0.01407 -2832 6905 0.01625 -2832 7457 0.00962 -2832 8223 0.01161 -2832 8483 0.00399 -2832 9320 0.01182 -2831 2871 0.01701 -2831 3868 0.01988 -2831 3923 0.01667 -2831 5062 0.00997 -2831 5663 0.01481 -2831 5776 0.01964 -2831 6084 0.01379 -2831 7478 0.01391 -2831 7709 0.00944 -2831 7902 0.01423 -2831 8104 0.01352 -2831 9522 0.00810 -2830 3913 0.00560 -2830 4098 0.01797 -2830 5064 0.01966 -2830 5422 0.01964 -2830 9707 0.00893 -2829 3626 0.01355 -2829 3897 0.01418 -2829 4125 0.00532 -2829 5202 0.01446 -2829 6996 0.01537 -2829 8390 0.00896 -2828 5169 0.01260 -2828 5394 0.01239 -2828 5983 0.01360 -2828 7998 0.00622 -2828 8567 0.01651 -2828 8816 0.00454 -2827 2957 0.01987 -2827 4280 0.01685 -2827 4675 0.01836 -2827 4778 0.00661 -2827 6668 0.00623 -2827 8144 0.01024 -2827 8573 0.01926 -2827 9209 0.00664 -2827 9382 0.01831 -2827 9892 0.01830 -2826 3717 0.00752 -2826 4629 0.00661 -2826 4762 0.01012 -2826 5669 0.01719 -2826 5684 0.00771 -2826 5765 0.00986 -2826 7199 0.01808 -2826 7800 0.01842 -2826 7854 0.01610 -2826 8337 0.01386 -2826 9982 0.00619 -2825 3181 0.00377 -2825 3509 0.00663 -2825 4403 0.00838 -2825 6223 0.01517 -2825 8215 0.01353 -2825 8926 0.01455 -2825 9285 0.00397 -2825 9431 0.00765 -2824 5295 0.01403 -2824 5332 0.01571 -2824 5946 0.01354 -2824 7237 0.00392 -2824 7538 0.01385 -2824 7829 0.00700 -2824 8749 0.01391 -2824 8831 0.01105 -2824 9148 0.00957 -2824 9674 0.01847 -2823 3598 0.01981 -2823 4143 0.00760 -2823 4198 0.00898 -2823 5380 0.01052 -2823 6377 0.00495 -2823 6825 0.01835 -2823 8168 0.01574 -2823 8260 0.01707 -2823 8726 0.01199 -2823 9223 0.01514 -2822 4269 0.00171 -2822 5181 0.01774 -2822 7015 0.00296 -2822 7894 0.01490 -2822 8389 0.01433 -2822 9751 0.01400 -2822 9859 0.01116 -2821 5242 0.01751 -2821 6135 0.00934 -2821 6557 0.01624 -2821 6628 0.01560 -2821 7704 0.01213 -2821 7956 0.00671 -2821 8316 0.01729 -2821 9033 0.01494 -2821 9086 0.00291 -2821 9921 0.00929 -2820 2942 0.00739 -2820 3847 0.01567 -2820 4361 0.01985 -2820 4508 0.01330 -2820 5259 0.01526 -2820 8268 0.01529 -2820 9414 0.01321 -2820 9979 0.01682 -2820 9987 0.00497 -2819 2890 0.01746 -2819 4055 0.01765 -2819 4240 0.01408 -2819 4651 0.00904 -2819 5353 0.01705 -2819 5410 0.00781 -2819 6178 0.01731 -2819 7373 0.01832 -2819 8084 0.00457 -2819 8434 0.01559 -2819 9548 0.01449 -2818 3619 0.00445 -2818 3976 0.00908 -2818 4156 0.00174 -2818 6470 0.00531 -2818 8535 0.01955 -2818 9920 0.01861 -2817 3239 0.01472 -2817 3404 0.01295 -2817 3934 0.01937 -2817 4031 0.00163 -2817 4890 0.00884 -2817 4959 0.01910 -2817 6296 0.01708 -2817 7322 0.01230 -2817 7657 0.01993 -2817 8127 0.00998 -2817 8636 0.01878 -2817 8838 0.01638 -2817 9202 0.00798 -2816 3531 0.01756 -2816 4299 0.01910 -2816 4510 0.00923 -2816 5046 0.01211 -2816 5093 0.01161 -2816 5102 0.01379 -2816 8397 0.00607 -2815 2872 0.01835 -2815 3076 0.01608 -2815 3601 0.01363 -2815 4694 0.01488 -2815 4773 0.01462 -2815 5715 0.01995 -2815 6528 0.00688 -2815 7134 0.01664 -2815 7751 0.01718 -2815 8048 0.01656 -2815 8549 0.01418 -2814 7083 0.01121 -2814 7559 0.00982 -2814 9935 0.00917 -2813 3815 0.01589 -2813 4128 0.01994 -2813 4542 0.00369 -2813 4581 0.00872 -2813 4654 0.01833 -2813 5894 0.01581 -2813 8304 0.01115 -2813 9600 0.00380 -2813 9692 0.01340 -2812 3313 0.01392 -2812 3453 0.01571 -2812 4392 0.01230 -2812 5054 0.01314 -2812 5061 0.01129 -2812 7549 0.01341 -2812 9197 0.01318 -2812 9249 0.00160 -2812 9434 0.01762 -2812 9934 0.01487 -2812 9948 0.00892 -2811 3602 0.01017 -2811 4437 0.01516 -2811 4841 0.01052 -2811 5553 0.01195 -2811 7783 0.01803 -2811 8458 0.00212 -2811 9147 0.01834 -2811 9419 0.01145 -2810 4726 0.01162 -2810 5915 0.01814 -2810 6272 0.01698 -2809 4251 0.01620 -2809 5480 0.01386 -2809 7409 0.01829 -2809 7651 0.01744 -2808 2932 0.01275 -2808 3180 0.01999 -2808 5503 0.01442 -2808 8886 0.01311 -2807 3951 0.01560 -2807 5106 0.01587 -2807 6138 0.01413 -2807 7492 0.01538 -2807 8040 0.01451 -2807 9423 0.01717 -2807 9958 0.01889 -2806 3356 0.01763 -2806 5274 0.01938 -2806 6347 0.01978 -2806 6793 0.01324 -2806 7132 0.01644 -2806 8469 0.01346 -2806 9266 0.00999 -2806 9283 0.01640 -2806 9677 0.00577 -2805 2865 0.01814 -2805 3831 0.00983 -2805 8456 0.01496 -2805 9319 0.01511 -2805 9610 0.00963 -2804 3155 0.01589 -2804 3789 0.01161 -2804 3803 0.00039 -2804 5253 0.01469 -2804 6100 0.01550 -2804 6458 0.01363 -2804 7183 0.01621 -2804 7455 0.01446 -2804 7841 0.01885 -2804 8108 0.01788 -2804 8885 0.01822 -2804 9181 0.01243 -2803 3331 0.00768 -2803 3548 0.01588 -2803 3648 0.01030 -2803 4196 0.01087 -2803 4736 0.01420 -2803 4790 0.01262 -2803 5284 0.01234 -2803 6339 0.00228 -2803 7233 0.01987 -2803 7489 0.01193 -2803 7535 0.01414 -2803 9408 0.01127 -2803 9886 0.01134 -2802 2857 0.00580 -2802 3852 0.00875 -2802 4561 0.01834 -2802 5047 0.01385 -2802 7356 0.01854 -2801 3568 0.01502 -2801 3872 0.01185 -2801 4041 0.01950 -2801 4337 0.01239 -2801 4828 0.01476 -2801 5319 0.01923 -2801 5462 0.01251 -2801 5699 0.01495 -2801 6334 0.01125 -2801 7304 0.01919 -2801 7465 0.01566 -2801 9578 0.01937 -2801 9757 0.01404 -2800 3488 0.01682 -2800 3510 0.01814 -2800 4515 0.01647 -2800 6141 0.01126 -2800 7094 0.01888 -2800 7105 0.00208 -2800 7604 0.01950 -2800 9171 0.01913 -2800 9796 0.01106 -2800 9941 0.01912 -2799 2816 0.00336 -2799 3531 0.01421 -2799 3621 0.01970 -2799 4299 0.01706 -2799 4510 0.00652 -2799 5046 0.00917 -2799 5093 0.01496 -2799 5102 0.01694 -2799 8397 0.00425 -2798 3046 0.01717 -2798 4063 0.01809 -2798 5336 0.01510 -2798 5654 0.01218 -2798 6551 0.01524 -2798 7276 0.01748 -2798 8060 0.00686 -2798 8333 0.01544 -2798 8655 0.01366 -2798 8840 0.01821 -2798 9003 0.01564 -2797 3289 0.00558 -2797 3953 0.01924 -2797 4367 0.01375 -2797 4751 0.01196 -2797 5006 0.01642 -2797 5473 0.01753 -2797 5759 0.00976 -2797 6764 0.01580 -2797 7059 0.01301 -2797 7382 0.00933 -2797 7589 0.00859 -2797 7786 0.01970 -2797 8174 0.01143 -2797 8734 0.01045 -2797 8788 0.00447 -2797 9067 0.00601 -2797 9963 0.01316 -2796 3109 0.01796 -2796 3316 0.01677 -2796 4158 0.01894 -2796 5487 0.00127 -2796 6491 0.01858 -2796 6975 0.01216 -2796 7009 0.01474 -2796 9006 0.01308 -2795 3317 0.01323 -2795 3675 0.01209 -2795 4630 0.01390 -2795 4920 0.01625 -2795 5373 0.01830 -2795 5517 0.00391 -2795 5608 0.01780 -2795 6090 0.01809 -2795 6750 0.01861 -2795 8066 0.01159 -2794 3247 0.00777 -2794 5685 0.01836 -2794 6030 0.01288 -2794 7359 0.01516 -2794 8278 0.01797 -2794 9232 0.01713 -2794 9416 0.01573 -2793 2840 0.00377 -2793 2940 0.01532 -2793 3560 0.01394 -2793 3765 0.00994 -2793 3929 0.01518 -2793 4019 0.01610 -2793 4422 0.01699 -2793 6181 0.01687 -2793 7752 0.01157 -2793 8849 0.01934 -2793 9521 0.00814 -2792 4471 0.01478 -2792 6686 0.01716 -2792 8353 0.00621 -2791 3206 0.01510 -2791 3592 0.01468 -2791 4974 0.00997 -2791 5322 0.01960 -2791 5428 0.01061 -2791 8199 0.01353 -2791 8300 0.01866 -2791 8912 0.00845 -2790 2859 0.01524 -2790 3242 0.01934 -2790 3587 0.01925 -2790 4050 0.01340 -2790 4959 0.01965 -2790 6331 0.01140 -2790 6358 0.00644 -2790 6595 0.01699 -2790 7322 0.01876 -2790 7456 0.00968 -2790 7555 0.00893 -2790 8838 0.01883 -2790 9306 0.00856 -2790 9372 0.01070 -2789 3354 0.01342 -2789 6237 0.01415 -2789 6454 0.01660 -2789 7371 0.01606 -2789 7701 0.01825 -2789 8123 0.01718 -2789 8455 0.01432 -2789 8775 0.00823 -2788 2846 0.01472 -2788 2920 0.00882 -2788 3393 0.01061 -2788 3417 0.01778 -2788 5866 0.01309 -2788 6784 0.01320 -2788 6940 0.01722 -2788 7767 0.00559 -2788 7952 0.01669 -2788 8615 0.01912 -2788 8753 0.01037 -2788 8972 0.01751 -2787 4278 0.00124 -2787 5467 0.01098 -2787 7666 0.00529 -2787 7675 0.00369 -2787 8024 0.01230 -2787 8597 0.01894 -2787 9584 0.01454 -2786 2967 0.01833 -2786 3192 0.01368 -2786 3613 0.00461 -2786 4174 0.01285 -2786 4625 0.01652 -2786 4884 0.01970 -2786 6176 0.00912 -2786 6200 0.01677 -2786 7433 0.00846 -2786 9396 0.00596 -2786 9568 0.01779 -2786 9638 0.00674 -2785 2864 0.01693 -2785 4352 0.01338 -2785 8601 0.01906 -2785 9068 0.01519 -2785 9204 0.01474 -2785 9524 0.00929 -2784 3759 0.01542 -2784 4906 0.01134 -2784 5427 0.01112 -2784 6917 0.01170 -2784 8545 0.01750 -2784 9358 0.01883 -2783 2999 0.01007 -2783 4557 0.01245 -2783 5882 0.01745 -2783 6093 0.01530 -2783 7029 0.01468 -2782 2980 0.01769 -2782 4338 0.01888 -2782 4472 0.00459 -2782 4618 0.01376 -2782 5423 0.01120 -2782 5437 0.01193 -2782 6476 0.00819 -2782 6914 0.01985 -2782 7753 0.01069 -2782 7970 0.00966 -2782 9572 0.01273 -2781 3341 0.01707 -2781 4370 0.01836 -2781 4721 0.01994 -2781 5491 0.01910 -2781 5560 0.00571 -2781 5714 0.01423 -2781 7196 0.01446 -2781 7498 0.00760 -2781 8464 0.01814 -2781 9258 0.00130 -2780 4407 0.01490 -2780 5391 0.01281 -2780 5806 0.01925 -2780 7493 0.01403 -2780 8275 0.01281 -2780 9538 0.01901 -2780 9973 0.01278 -2779 3726 0.00931 -2779 3964 0.01781 -2779 4954 0.01206 -2779 4986 0.01893 -2779 6048 0.01969 -2779 6315 0.01886 -2779 6977 0.01563 -2779 7307 0.01443 -2779 9096 0.01844 -2778 2951 0.01884 -2778 3212 0.00808 -2778 3272 0.00922 -2778 3511 0.01654 -2778 3834 0.01844 -2778 4332 0.01272 -2778 4923 0.00544 -2778 5233 0.01520 -2778 6418 0.01684 -2778 8662 0.01765 -2778 9480 0.01527 -2778 9782 0.01148 -2777 3320 0.01769 -2777 4709 0.01989 -2777 7959 0.01040 -2776 3416 0.01353 -2776 3491 0.00892 -2776 5043 0.00980 -2776 5985 0.01911 -2776 6023 0.01964 -2776 6266 0.01329 -2776 6282 0.00113 -2776 8496 0.01808 -2776 9078 0.01740 -2776 9710 0.01916 -2775 3129 0.00296 -2775 3619 0.01766 -2775 3703 0.01445 -2775 4171 0.01612 -2775 4537 0.00771 -2775 6208 0.00365 -2775 7530 0.01416 -2775 9920 0.01305 -2774 2982 0.01723 -2774 3574 0.01303 -2774 3586 0.01502 -2774 4503 0.01936 -2774 6368 0.01765 -2774 6514 0.01794 -2774 7374 0.00947 -2774 8633 0.00672 -2774 8769 0.01863 -2774 8847 0.01749 -2774 8902 0.01399 -2774 9074 0.00416 -2774 9806 0.01682 -2773 4612 0.01152 -2773 4926 0.00542 -2773 7007 0.00570 -2773 7682 0.01951 -2773 8502 0.01616 -2773 8512 0.00485 -2773 8988 0.00711 -2773 9973 0.01631 -2772 2910 0.00633 -2772 3171 0.01955 -2772 4844 0.00944 -2772 6723 0.01900 -2772 7765 0.01445 -2771 3305 0.01447 -2771 3384 0.01064 -2771 3555 0.01367 -2771 3610 0.00951 -2771 5506 0.01058 -2771 5704 0.01902 -2771 6583 0.01451 -2771 8878 0.00871 -2771 9988 0.01697 -2770 4251 0.01286 -2770 4763 0.01593 -2770 7335 0.00713 -2770 7402 0.01906 -2770 8367 0.00114 -2770 8644 0.00906 -2769 2808 0.01955 -2769 3180 0.00659 -2769 4246 0.00731 -2769 4683 0.00197 -2769 5004 0.01108 -2769 5503 0.00562 -2769 6759 0.01830 -2769 8886 0.00741 -2769 9561 0.01682 -2769 9869 0.01411 -2768 3306 0.01019 -2768 4140 0.01188 -2768 4267 0.01715 -2768 5084 0.01199 -2768 5768 0.01826 -2768 6651 0.01345 -2768 7049 0.01996 -2768 7537 0.01033 -2768 9288 0.01015 -2768 9644 0.00609 -2767 3309 0.01242 -2767 3417 0.01793 -2767 3533 0.00918 -2767 3577 0.01390 -2767 4490 0.01504 -2767 4838 0.01193 -2767 5363 0.00831 -2767 5977 0.01595 -2767 7649 0.01520 -2767 8014 0.01171 -2767 8018 0.00282 -2766 3527 0.01031 -2766 6267 0.01577 -2766 6611 0.01162 -2766 8150 0.01449 -2765 2783 0.00238 -2765 2999 0.01217 -2765 4557 0.01459 -2765 5882 0.01770 -2765 6093 0.01676 -2765 7029 0.01573 -2764 2813 0.01462 -2764 3228 0.00912 -2764 4542 0.01778 -2764 4646 0.01527 -2764 5133 0.01949 -2764 5894 0.00840 -2764 6170 0.01607 -2764 7035 0.01746 -2764 9600 0.01253 -2764 9692 0.01493 -2763 4930 0.01814 -2763 5195 0.01262 -2763 5312 0.01272 -2763 7676 0.01627 -2763 8686 0.01627 -2762 3183 0.00795 -2762 3493 0.01401 -2762 4252 0.01546 -2762 4491 0.01587 -2762 4703 0.01953 -2762 5497 0.01455 -2762 6692 0.01574 -2762 8259 0.01108 -2762 8369 0.01386 -2761 2818 0.00904 -2761 3619 0.01316 -2761 3976 0.00137 -2761 4156 0.00808 -2761 5223 0.01458 -2761 6470 0.01039 -2761 8535 0.01702 -2760 2809 0.01933 -2760 3322 0.01898 -2760 4032 0.00421 -2760 4251 0.01344 -2760 4978 0.01850 -2760 5178 0.01637 -2760 5628 0.01792 -2760 6357 0.00219 -2760 6647 0.01020 -2760 7269 0.01348 -2760 7864 0.00671 -2760 8120 0.01243 -2760 9723 0.00577 -2759 6777 0.01590 -2759 8373 0.01705 -2758 3922 0.01913 -2758 5176 0.01361 -2758 6805 0.00475 -2758 7652 0.01131 -2758 8055 0.01395 -2758 8380 0.00093 -2758 8485 0.01577 -2758 8603 0.01505 -2758 9154 0.01260 -2758 9682 0.00322 -2757 3332 0.01885 -2757 4414 0.01197 -2757 4740 0.01603 -2757 4839 0.00485 -2757 5257 0.01820 -2757 6487 0.01912 -2757 7060 0.01153 -2757 7242 0.01465 -2757 7497 0.01459 -2757 8339 0.01228 -2757 8428 0.00431 -2757 9184 0.01656 -2756 2867 0.01818 -2756 3897 0.01245 -2756 4730 0.00854 -2756 5784 0.01210 -2756 5971 0.01737 -2756 9301 0.01880 -2756 9681 0.01044 -2755 4081 0.01189 -2755 4866 0.01657 -2755 4930 0.01904 -2755 7041 0.01059 -2755 7925 0.01543 -2755 8006 0.01138 -2755 8372 0.00986 -2755 9868 0.01797 -2754 3353 0.01472 -2754 3895 0.00149 -2754 4449 0.01634 -2754 5291 0.01610 -2754 6908 0.01492 -2754 7442 0.00900 -2754 7522 0.00877 -2754 7857 0.01449 -2754 7908 0.00517 -2754 8671 0.01588 -2754 8987 0.00285 -2754 9321 0.01972 -2754 9436 0.01809 -2753 4383 0.01709 -2753 4543 0.01809 -2753 4667 0.01622 -2753 7067 0.01620 -2753 7584 0.01844 -2753 7615 0.01585 -2753 7707 0.00707 -2753 8688 0.00894 -2753 9887 0.01945 -2752 2866 0.01754 -2752 3156 0.01762 -2752 3175 0.00819 -2752 7544 0.01805 -2752 7573 0.01564 -2752 9455 0.01133 -2751 3292 0.01657 -2751 3966 0.01609 -2751 4281 0.00460 -2751 4548 0.01519 -2751 4768 0.01880 -2751 4875 0.00679 -2751 4956 0.00659 -2751 5087 0.01285 -2751 6003 0.01156 -2751 6346 0.01176 -2751 6641 0.01758 -2751 7238 0.01965 -2751 7848 0.00749 -2750 4327 0.00385 -2750 5018 0.01666 -2750 5122 0.01821 -2750 5150 0.00529 -2750 6224 0.01762 -2750 7248 0.01534 -2750 8790 0.00749 -2750 8823 0.01035 -2750 8896 0.01390 -2749 2884 0.01476 -2749 3011 0.01583 -2749 3045 0.01462 -2749 3642 0.01269 -2749 3663 0.01409 -2749 3828 0.00514 -2749 4302 0.01297 -2749 4381 0.01930 -2749 4807 0.01329 -2749 6182 0.01833 -2749 7622 0.01768 -2749 8618 0.01548 -2748 7605 0.01894 -2748 8846 0.01749 -2748 9208 0.01947 -2748 9412 0.01849 -2747 3780 0.00557 -2747 4011 0.01857 -2747 4378 0.01555 -2747 5691 0.01315 -2747 6317 0.00962 -2747 6724 0.01851 -2747 7221 0.01912 -2747 7809 0.01180 -2747 7861 0.00244 -2747 8248 0.01830 -2747 9909 0.01057 -2746 3561 0.01930 -2746 4498 0.01094 -2746 5120 0.01589 -2746 7569 0.00836 -2746 7793 0.01150 -2746 9776 0.01506 -2746 9820 0.01566 -2746 9974 0.00557 -2745 5747 0.01368 -2745 6594 0.01409 -2745 7218 0.01191 -2745 7253 0.01262 -2745 7939 0.00752 -2744 3368 0.00909 -2744 4275 0.01901 -2744 5645 0.00839 -2744 6348 0.01814 -2744 7088 0.01932 -2744 7828 0.01012 -2744 8252 0.01829 -2744 8537 0.01224 -2744 8739 0.01696 -2743 4824 0.01444 -2743 7285 0.01829 -2743 7625 0.01302 -2743 7813 0.01402 -2743 8087 0.01663 -2743 8490 0.01583 -2743 8913 0.00877 -2743 9373 0.01761 -2742 3081 0.01845 -2742 3875 0.01509 -2742 4670 0.01286 -2742 6812 0.01089 -2742 8615 0.01908 -2742 8830 0.01916 -2741 3450 0.01967 -2741 4819 0.01019 -2741 6412 0.00913 -2741 6659 0.00515 -2741 6822 0.01688 -2741 7597 0.00716 -2741 8605 0.01481 -2741 9045 0.01739 -2741 9735 0.00758 -2740 6640 0.01413 -2740 6935 0.00539 -2740 6986 0.01646 -2740 7631 0.01185 -2740 9446 0.00438 -2739 2833 0.01247 -2739 3535 0.01313 -2739 4070 0.01821 -2739 4097 0.01517 -2739 4208 0.00706 -2739 4910 0.00841 -2739 5125 0.01692 -2739 6614 0.01504 -2739 7866 0.01057 -2739 9097 0.01818 -2739 9265 0.01546 -2739 9349 0.01570 -2738 3122 0.01555 -2738 3233 0.01831 -2738 3238 0.01796 -2738 3286 0.00916 -2738 3600 0.00502 -2738 3974 0.01197 -2738 4232 0.01047 -2738 4360 0.00375 -2738 4812 0.01982 -2738 5764 0.01161 -2738 6648 0.01635 -2738 6697 0.01986 -2738 7313 0.01223 -2738 8743 0.01625 -2738 9971 0.01462 -2737 2968 0.00171 -2737 2984 0.01167 -2737 4365 0.01615 -2737 5513 0.00309 -2737 5705 0.01687 -2737 6944 0.01222 -2737 6963 0.01225 -2737 7937 0.00241 -2737 8309 0.01646 -2736 3248 0.01707 -2736 4620 0.01468 -2736 4865 0.00933 -2736 6844 0.01283 -2736 7743 0.01435 -2736 8334 0.00713 -2736 8678 0.01704 -2736 9038 0.01761 -2736 9536 0.00955 -2736 9691 0.01635 -2735 3421 0.01602 -2735 5265 0.01766 -2735 7263 0.01474 -2735 8877 0.01454 -2735 9360 0.00740 -2734 3348 0.01409 -2734 3688 0.01898 -2734 3984 0.01648 -2734 4398 0.01786 -2734 4748 0.01573 -2734 5229 0.01623 -2734 5435 0.01238 -2734 5465 0.00989 -2734 6107 0.00992 -2734 7923 0.01272 -2734 8556 0.00309 -2733 2790 0.00940 -2733 2859 0.01326 -2733 3587 0.01108 -2733 3740 0.01909 -2733 4050 0.01824 -2733 4959 0.01833 -2733 6331 0.01075 -2733 6358 0.01056 -2733 6595 0.01301 -2733 7456 0.00823 -2733 7555 0.01721 -2733 8472 0.01766 -2733 9306 0.01755 -2733 9372 0.01289 -2732 3607 0.01752 -2732 3756 0.00640 -2732 4145 0.00755 -2732 4492 0.01603 -2732 5450 0.01840 -2732 7540 0.01713 -2732 8354 0.00716 -2732 9633 0.00232 -2731 5302 0.00949 -2731 5836 0.01709 -2731 5928 0.00275 -2731 6044 0.01632 -2731 7611 0.01844 -2731 8554 0.01627 -2730 2781 0.01834 -2730 3052 0.01702 -2730 4721 0.00653 -2730 5009 0.01916 -2730 5316 0.01725 -2730 5458 0.01247 -2730 5714 0.00610 -2730 7498 0.01125 -2730 7741 0.00721 -2730 8041 0.01694 -2730 8464 0.00710 -2730 8626 0.01515 -2730 9258 0.01744 -2730 9334 0.01346 -2729 3746 0.00721 -2729 3986 0.01800 -2729 4106 0.01418 -2729 4855 0.01066 -2729 6046 0.01437 -2729 6395 0.00135 -2729 6673 0.01633 -2729 6828 0.01895 -2729 7756 0.01852 -2729 7802 0.00584 -2729 7920 0.01149 -2729 8465 0.01456 -2729 9438 0.01404 -2729 9493 0.00824 -2729 9553 0.01684 -2728 2987 0.01112 -2728 3231 0.01643 -2728 3369 0.01623 -2728 3638 0.01765 -2728 6637 0.01811 -2728 6950 0.01196 -2728 7184 0.01426 -2728 9248 0.00959 -2728 9775 0.00670 -2727 4701 0.01688 -2727 5366 0.00601 -2727 5721 0.01925 -2727 5929 0.01656 -2727 6247 0.01780 -2727 6531 0.00208 -2727 7378 0.01890 -2727 7619 0.01812 -2727 8145 0.01286 -2727 8243 0.01659 -2727 8518 0.01343 -2727 8844 0.00520 -2727 9026 0.01708 -2727 9125 0.01529 -2727 9235 0.01879 -2726 4638 0.00528 -2726 7257 0.00864 -2726 7459 0.00839 -2726 7873 0.00316 -2726 8811 0.01264 -2726 9656 0.01997 -2726 9778 0.01352 -2725 2795 0.01457 -2725 3317 0.00794 -2725 3675 0.01866 -2725 4630 0.00119 -2725 4920 0.01876 -2725 5517 0.01720 -2725 5783 0.01987 -2725 6090 0.00485 -2725 6311 0.01786 -2725 7018 0.01724 -2725 8533 0.01498 -2724 3279 0.01425 -2724 3545 0.01402 -2724 5600 0.01227 -2724 5731 0.00685 -2724 5777 0.01155 -2724 7008 0.01486 -2724 7363 0.01658 -2724 8447 0.01236 -2724 8468 0.00902 -2724 9896 0.01134 -2724 9930 0.01568 -2723 3102 0.01164 -2723 3257 0.01320 -2723 3324 0.01329 -2723 3335 0.01798 -2723 3461 0.01033 -2723 3524 0.00715 -2723 3891 0.01997 -2723 4395 0.01177 -2723 5376 0.00881 -2723 5449 0.01581 -2723 5791 0.01989 -2723 5831 0.01901 -2723 6215 0.00947 -2723 6360 0.01125 -2723 7772 0.01455 -2723 9641 0.00636 -2722 3126 0.00452 -2722 3810 0.01692 -2722 4146 0.01298 -2722 5400 0.01740 -2722 6935 0.01873 -2722 6986 0.01622 -2722 8965 0.01171 -2722 8984 0.00209 -2721 6146 0.01540 -2721 6397 0.01739 -2721 6538 0.01686 -2721 6605 0.01661 -2721 7036 0.00530 -2721 8103 0.01165 -2720 4283 0.01263 -2720 4749 0.01757 -2720 4942 0.01673 -2720 5088 0.01073 -2720 5788 0.01827 -2720 5816 0.01117 -2720 8719 0.01713 -2720 8991 0.00978 -2720 9153 0.00134 -2720 9758 0.01403 -2720 9772 0.01415 -2719 3448 0.01518 -2719 4649 0.00971 -2719 5674 0.01676 -2719 6022 0.01893 -2719 7951 0.01862 -2719 8839 0.01969 -2719 8925 0.01809 -2719 9898 0.01366 -2719 9991 0.01543 -2719 9997 0.01581 -2718 3216 0.01994 -2718 4006 0.01368 -2718 4725 0.01990 -2718 5258 0.01861 -2718 5389 0.01196 -2718 6848 0.01103 -2718 7531 0.01702 -2718 7691 0.01903 -2718 8047 0.01153 -2718 8155 0.01959 -2718 9146 0.01652 -2718 9814 0.01931 -2717 2885 0.01370 -2717 2939 0.01933 -2717 3083 0.01288 -2717 4387 0.01878 -2717 4798 0.00901 -2717 7399 0.01685 -2717 7598 0.01258 -2717 9063 0.01960 -2717 9250 0.01964 -2717 9453 0.01786 -2716 2906 0.01625 -2716 3346 0.00994 -2716 4033 0.01401 -2716 4046 0.01233 -2716 4512 0.01941 -2716 6524 0.00976 -2716 6852 0.01676 -2716 8139 0.00473 -2716 8165 0.01662 -2715 3591 0.00772 -2715 3793 0.01874 -2715 3881 0.00327 -2715 4577 0.01797 -2715 5673 0.01768 -2715 6253 0.01339 -2715 6552 0.01947 -2715 7346 0.01729 -2715 7836 0.01215 -2715 8090 0.01060 -2715 8629 0.01299 -2715 8789 0.00284 -2715 9728 0.01718 -2714 2875 0.01857 -2714 5358 0.01515 -2714 5588 0.01657 -2714 6399 0.00836 -2714 6762 0.01179 -2714 7775 0.01425 -2713 2986 0.01727 -2713 3835 0.00606 -2713 5299 0.01887 -2713 5429 0.01970 -2713 6391 0.00785 -2713 8959 0.01640 -2713 9215 0.01992 -2712 3260 0.01582 -2712 5331 0.01497 -2712 5337 0.00209 -2712 6361 0.00884 -2712 6729 0.01662 -2712 8479 0.00952 -2712 9893 0.00865 -2711 3230 0.00968 -2711 4486 0.01531 -2711 5825 0.00321 -2711 8056 0.00968 -2711 8443 0.00911 -2711 8470 0.01786 -2710 4074 0.01597 -2710 4076 0.01634 -2710 4231 0.01493 -2710 4578 0.01764 -2710 4658 0.01734 -2710 7262 0.01894 -2710 7360 0.00096 -2709 3541 0.00857 -2709 3938 0.01180 -2709 4058 0.01196 -2709 5091 0.00787 -2709 6946 0.01218 -2709 7680 0.01096 -2709 7773 0.01757 -2708 3751 0.01776 -2708 3824 0.01461 -2708 3947 0.01006 -2708 5342 0.01467 -2708 6027 0.01210 -2708 6042 0.01789 -2708 6277 0.01763 -2708 6734 0.01089 -2708 8287 0.01774 -2708 8929 0.00554 -2708 9833 0.00665 -2708 9986 0.00947 -2707 4237 0.01857 -2707 5484 0.01029 -2707 5983 0.01916 -2707 6893 0.00978 -2707 8026 0.00424 -2707 8567 0.01629 -2707 9845 0.00912 -2706 3677 0.01965 -2706 4038 0.00807 -2706 8707 0.01876 -2706 8893 0.01047 -2705 3917 0.00602 -2705 5687 0.01366 -2705 6301 0.01632 -2705 7804 0.01165 -2705 7832 0.00893 -2705 8454 0.00863 -2705 9701 0.01971 -2704 3034 0.00524 -2704 3813 0.01713 -2704 4007 0.00813 -2704 4716 0.00825 -2704 4758 0.01880 -2704 5907 0.01567 -2704 6539 0.01817 -2704 6662 0.00345 -2704 9398 0.01354 -2703 3282 0.01138 -2703 3573 0.01422 -2703 3892 0.01628 -2703 4917 0.00861 -2703 5453 0.01343 -2703 5485 0.01514 -2703 6024 0.00241 -2703 7179 0.01343 -2703 9581 0.01552 -2703 9582 0.00593 -2702 3117 0.01384 -2702 3424 0.01342 -2702 3683 0.01318 -2702 3762 0.01588 -2702 5890 0.00506 -2702 5935 0.01668 -2702 6490 0.01336 -2702 6671 0.00674 -2702 6847 0.01380 -2702 7306 0.00828 -2702 7524 0.01967 -2702 9094 0.01078 -2702 9192 0.00652 -2702 9594 0.01469 -2701 3410 0.00993 -2701 3826 0.01442 -2701 4402 0.01911 -2701 4453 0.01685 -2701 4519 0.01727 -2701 5115 0.01346 -2701 5415 0.01642 -2701 5670 0.01567 -2701 5785 0.00742 -2701 7388 0.01374 -2701 7432 0.01478 -2701 7672 0.01670 -2701 8486 0.01434 -2701 9010 0.01944 -2701 9969 0.01788 -2700 2793 0.01239 -2700 2840 0.01280 -2700 2940 0.01644 -2700 3765 0.00941 -2700 3929 0.00965 -2700 4019 0.00510 -2700 4422 0.00980 -2700 6181 0.01406 -2700 7752 0.00296 -2700 9521 0.02000 -2699 4237 0.01330 -2699 5484 0.01783 -2699 6650 0.01275 -2699 7057 0.00435 -2699 7660 0.00802 -2699 8437 0.01999 -2699 9220 0.01744 -2698 2797 0.00287 -2698 3049 0.01908 -2698 3289 0.00477 -2698 4367 0.01660 -2698 4751 0.00910 -2698 5006 0.01915 -2698 5473 0.01710 -2698 5759 0.00722 -2698 6764 0.01593 -2698 7059 0.01343 -2698 7382 0.01209 -2698 7589 0.01061 -2698 8174 0.00906 -2698 8734 0.01213 -2698 8788 0.00440 -2698 9067 0.00860 -2698 9963 0.01240 -2697 4028 0.01082 -2697 4118 0.01576 -2697 4455 0.01454 -2697 5352 0.00745 -2697 7310 0.01414 -2697 7397 0.01686 -2697 8210 0.01566 -2697 8233 0.01538 -2697 8342 0.01485 -2697 9111 0.01623 -2697 9388 0.01663 -2697 9463 0.01238 -2697 9785 0.00698 -2696 2936 0.01866 -2696 3760 0.01612 -2696 4242 0.00895 -2696 7087 0.01564 -2696 7640 0.00633 -2696 9454 0.01517 -2696 9575 0.01489 -2695 4623 0.00498 -2695 4750 0.00527 -2695 5157 0.00953 -2695 6318 0.00939 -2695 7028 0.01717 -2695 7270 0.01051 -2695 9244 0.01429 -2695 9376 0.01728 -2695 9464 0.01632 -2694 3347 0.00707 -2694 4994 0.01456 -2694 6118 0.01025 -2694 6850 0.01270 -2694 7290 0.01428 -2694 7837 0.01790 -2694 8221 0.01232 -2693 3051 0.01695 -2693 4759 0.01881 -2693 4806 0.01647 -2693 6002 0.01994 -2693 6067 0.01261 -2693 6456 0.01301 -2693 8035 0.00902 -2693 8884 0.01619 -2693 8935 0.01875 -2692 3121 0.01375 -2692 4507 0.01668 -2692 5694 0.01895 -2692 7447 0.01684 -2692 7896 0.00647 -2692 8403 0.00590 -2692 8685 0.01856 -2691 3885 0.01475 -2691 3934 0.01142 -2691 5633 0.00789 -2691 6330 0.01691 -2691 6714 0.01822 -2691 6744 0.01871 -2691 7448 0.01093 -2691 8544 0.01937 -2691 9359 0.01976 -2691 9476 0.01114 -2690 4116 0.01668 -2690 6740 0.00832 -2690 9303 0.01943 -2689 2870 0.00588 -2689 2979 0.00538 -2689 3293 0.01825 -2689 3427 0.00827 -2689 3484 0.01501 -2689 5519 0.01690 -2689 7303 0.01839 -2689 7362 0.01693 -2689 8812 0.00386 -2689 8907 0.00282 -2689 9160 0.01306 -2689 9514 0.01862 -2688 2977 0.01186 -2688 3077 0.01111 -2688 3752 0.00796 -2688 3940 0.00622 -2688 3959 0.00812 -2688 6164 0.01981 -2688 6780 0.01176 -2688 6873 0.01824 -2688 7822 0.00827 -2688 9855 0.00579 -2687 3390 0.01894 -2687 3664 0.00532 -2687 4286 0.01732 -2687 5660 0.01134 -2687 6071 0.01621 -2687 6658 0.01528 -2687 6952 0.01386 -2687 7420 0.01689 -2686 2880 0.01877 -2686 3142 0.01474 -2686 3314 0.01789 -2686 3688 0.00633 -2686 3984 0.01736 -2686 4315 0.00930 -2686 4356 0.01848 -2686 4624 0.00562 -2686 4853 0.00612 -2686 5229 0.00940 -2686 5435 0.01193 -2686 6107 0.01928 -2686 6283 0.01575 -2686 8097 0.01831 -2686 9230 0.01771 -2686 9340 0.01034 -2686 9765 0.01474 -2685 2758 0.00572 -2685 5012 0.01942 -2685 5176 0.01251 -2685 6805 0.00674 -2685 6863 0.01764 -2685 7652 0.01495 -2685 8055 0.01513 -2685 8380 0.00642 -2685 8401 0.01881 -2685 8603 0.00974 -2685 9154 0.01819 -2685 9682 0.00820 -2684 2990 0.00363 -2684 4546 0.01267 -2684 6000 0.00930 -2684 8826 0.01437 -2684 9199 0.01351 -2683 7645 0.00981 -2683 8761 0.01820 -2682 4883 0.00757 -2682 8209 0.00897 -2682 8992 0.00938 -2682 9001 0.01375 -2682 9161 0.01623 -2682 9413 0.01624 -2682 9712 0.01784 -2681 3888 0.01370 -2681 4590 0.00702 -2681 5025 0.01802 -2681 5388 0.01490 -2681 6629 0.01369 -2681 7302 0.01596 -2681 8328 0.01397 -2681 9990 0.01606 -2680 3082 0.01535 -2680 4274 0.01134 -2680 4362 0.01883 -2680 5453 0.01516 -2680 5612 0.01521 -2680 8361 0.00376 -2680 9727 0.00930 -2679 2705 0.01096 -2679 3917 0.00600 -2679 5138 0.00918 -2679 5687 0.01195 -2679 6132 0.01493 -2679 6301 0.00987 -2679 7832 0.01025 -2679 8454 0.00269 -2678 2782 0.01785 -2678 4472 0.01522 -2678 5437 0.00970 -2678 5996 0.01285 -2678 6676 0.01908 -2678 6792 0.01876 -2678 7970 0.01813 -2678 8436 0.01174 -2678 9595 0.00994 -2677 2787 0.00778 -2677 4278 0.00820 -2677 4783 0.01721 -2677 5467 0.00998 -2677 7666 0.01303 -2677 7675 0.01081 -2677 8024 0.01898 -2677 9584 0.01906 -2676 3339 0.01759 -2676 4837 0.01519 -2676 5805 0.01639 -2676 5942 0.01965 -2676 6475 0.00456 -2676 9009 0.01557 -2676 9066 0.00720 -2675 3402 0.00811 -2675 4621 0.01743 -2675 5343 0.01126 -2675 5382 0.00302 -2675 5659 0.00952 -2675 7151 0.01394 -2675 9135 0.01621 -2675 9565 0.01819 -2674 2733 0.00891 -2674 2790 0.00064 -2674 2859 0.01465 -2674 3242 0.01989 -2674 3587 0.01864 -2674 4050 0.01392 -2674 4959 0.01910 -2674 6331 0.01152 -2674 6358 0.00678 -2674 6595 0.01636 -2674 7322 0.01877 -2674 7456 0.00906 -2674 7555 0.00956 -2674 8838 0.01900 -2674 9306 0.00886 -2674 9372 0.01022 -2673 2991 0.01802 -2673 6318 0.01990 -2673 6336 0.01589 -2673 6517 0.01940 -2673 7270 0.01904 -2673 7298 0.00276 -2673 7817 0.01062 -2673 8118 0.01654 -2673 8892 0.01300 -2673 9996 0.01361 -2672 3128 0.00724 -2672 4505 0.01939 -2672 4832 0.01023 -2672 6087 0.01536 -2672 7511 0.00557 -2672 7769 0.00817 -2671 2888 0.00862 -2671 3162 0.01327 -2671 3451 0.00083 -2671 6627 0.01460 -2671 6751 0.01264 -2671 7061 0.01662 -2671 7659 0.01145 -2671 7818 0.01810 -2671 7985 0.01010 -2671 8204 0.01645 -2670 3280 0.01987 -2670 3540 0.01294 -2670 4132 0.01506 -2670 5413 0.01564 -2670 6286 0.01942 -2670 7213 0.01137 -2670 8667 0.01091 -2670 8879 0.01978 -2670 9142 0.00160 -2670 9882 0.01392 -2669 3235 0.01543 -2669 3736 0.01192 -2669 3932 0.01370 -2669 4475 0.01205 -2669 5114 0.01953 -2669 5293 0.00846 -2669 7441 0.01996 -2669 7544 0.01895 -2669 7851 0.00743 -2669 8293 0.01685 -2669 9801 0.01900 -2669 9842 0.00844 -2668 3411 0.01984 -2668 3645 0.01405 -2668 4105 0.00817 -2668 4462 0.01313 -2668 5156 0.01555 -2668 5301 0.01940 -2668 5716 0.00640 -2668 6010 0.01919 -2668 6682 0.01107 -2668 7021 0.01908 -2668 7745 0.01409 -2668 7850 0.01963 -2668 8607 0.01491 -2668 8953 0.01491 -2668 9673 0.01493 -2667 3370 0.01159 -2667 3435 0.01884 -2667 3684 0.00341 -2667 3800 0.01951 -2667 6054 0.01489 -2667 7674 0.01011 -2667 8510 0.01896 -2667 8665 0.01460 -2667 8842 0.01700 -2667 9079 0.00824 -2667 9797 0.01467 -2666 3802 0.01427 -2666 3867 0.01246 -2666 4754 0.00723 -2666 5621 0.01567 -2666 6766 0.01608 -2666 6797 0.01350 -2666 7133 0.00963 -2666 8302 0.01503 -2665 3279 0.01425 -2665 4572 0.01550 -2665 4957 0.01905 -2665 5573 0.00635 -2665 5837 0.01198 -2665 5922 0.01213 -2665 8468 0.01747 -2664 2893 0.01993 -2664 4987 0.01648 -2664 5038 0.01639 -2664 5408 0.01882 -2664 5583 0.01375 -2664 6985 0.01902 -2664 7963 0.01409 -2663 3050 0.00471 -2663 3144 0.01795 -2663 3288 0.00544 -2663 3930 0.01900 -2663 7517 0.00640 -2663 7853 0.01922 -2663 7943 0.01208 -2663 8303 0.01656 -2663 9496 0.00695 -2663 9964 0.01625 -2662 4320 0.01895 -2662 4431 0.01580 -2662 5055 0.01291 -2662 5385 0.00996 -2662 6328 0.01166 -2662 7898 0.00959 -2662 8931 0.01930 -2662 9027 0.01953 -2662 9051 0.01759 -2662 9295 0.00171 -2661 3900 0.01577 -2661 4015 0.01932 -2661 6416 0.01906 -2661 7481 0.00898 -2661 8920 0.01446 -2661 9245 0.01478 -2661 9339 0.01399 -2661 9849 0.01757 -2660 3124 0.01993 -2660 3415 0.00207 -2660 3517 0.00981 -2660 4071 0.01498 -2660 5574 0.01847 -2660 6105 0.01672 -2659 3458 0.00834 -2659 3704 0.01746 -2659 3836 0.01991 -2659 3906 0.01534 -2659 4496 0.00983 -2659 4951 0.01900 -2659 4977 0.01474 -2659 5298 0.01156 -2659 5641 0.01408 -2659 6819 0.01861 -2659 6858 0.01454 -2659 8755 0.00594 -2659 9759 0.00728 -2658 2956 0.01674 -2658 3069 0.01566 -2658 4292 0.01820 -2658 4538 0.01787 -2658 4765 0.01825 -2658 4941 0.01906 -2658 5129 0.01150 -2658 5736 0.01255 -2658 6061 0.00589 -2658 6422 0.01475 -2658 6684 0.01605 -2658 7182 0.01283 -2658 8441 0.01633 -2658 9383 0.01520 -2657 2900 0.01886 -2657 3340 0.00888 -2657 3701 0.01523 -2657 6212 0.01398 -2657 6862 0.01918 -2657 7019 0.01894 -2657 8528 0.01857 -2657 9035 0.01676 -2656 2852 0.01836 -2656 5246 0.01285 -2656 5854 0.01314 -2656 7564 0.01084 -2656 7665 0.01158 -2656 7924 0.01487 -2656 7988 0.01900 -2656 8198 0.00944 -2656 8577 0.00936 -2656 9263 0.00562 -2656 9706 0.01119 -2655 2888 0.01705 -2655 3556 0.00468 -2655 4236 0.00800 -2655 4622 0.01080 -2655 6571 0.01629 -2655 6751 0.01064 -2655 7366 0.00139 -2655 7985 0.01907 -2655 8056 0.01883 -2655 9949 0.01709 -2654 2787 0.01770 -2654 4030 0.01994 -2654 4180 0.01029 -2654 4278 0.01657 -2654 5467 0.01686 -2654 6413 0.00781 -2654 7198 0.01464 -2654 7666 0.01415 -2654 7675 0.01827 -2654 8024 0.00623 -2654 8597 0.00363 -2654 9878 0.01910 -2653 5630 0.00435 -2653 6462 0.01889 -2653 8297 0.01490 -2653 9083 0.01399 -2652 3473 0.00376 -2652 4025 0.01652 -2652 4975 0.01924 -2652 5414 0.01496 -2652 7890 0.00971 -2652 7962 0.00118 -2652 8138 0.01685 -2652 8383 0.01181 -2652 8424 0.00618 -2652 8621 0.01640 -2652 9134 0.01859 -2652 9917 0.01745 -2651 2817 0.01718 -2651 2859 0.01389 -2651 3239 0.00257 -2651 3404 0.00446 -2651 3633 0.00871 -2651 4031 0.01690 -2651 4890 0.00838 -2651 4959 0.00882 -2651 6296 0.00169 -2651 6595 0.01457 -2651 7456 0.01956 -2651 8472 0.01771 -2651 9202 0.01945 -2651 9372 0.01742 -2650 3452 0.01924 -2650 6126 0.01146 -2650 6265 0.00937 -2649 3730 0.01400 -2649 4553 0.01728 -2649 5037 0.01421 -2649 5769 0.00851 -2649 6776 0.01889 -2649 6869 0.00913 -2649 7001 0.01310 -2649 7082 0.01073 -2649 7770 0.01294 -2649 8627 0.00566 -2649 9966 0.00986 -2648 3237 0.01062 -2648 3665 0.01342 -2648 3712 0.01933 -2648 5289 0.01825 -2648 8325 0.01957 -2648 8628 0.00630 -2648 9781 0.01954 -2647 2655 0.01475 -2647 2671 0.01161 -2647 2888 0.01182 -2647 3451 0.01112 -2647 3556 0.01434 -2647 4236 0.01920 -2647 6571 0.01468 -2647 6627 0.00877 -2647 6751 0.00569 -2647 7366 0.01337 -2647 7818 0.01641 -2647 7985 0.00432 -2646 4302 0.01786 -2646 4381 0.01137 -2646 4432 0.01206 -2646 4693 0.01892 -2646 4807 0.01887 -2646 5326 0.01913 -2646 7994 0.01455 -2646 8720 0.01917 -2646 8954 0.01908 -2646 9254 0.01121 -2645 3504 0.00646 -2645 3586 0.01527 -2645 4309 0.00705 -2645 5498 0.01534 -2645 6514 0.01982 -2645 7414 0.01752 -2645 8769 0.01163 -2645 8847 0.01446 -2645 9672 0.00259 -2644 2823 0.00414 -2644 4143 0.01046 -2644 4198 0.00801 -2644 5380 0.00676 -2644 6257 0.01783 -2644 6377 0.00887 -2644 6420 0.01940 -2644 7443 0.01646 -2644 8168 0.01924 -2644 8726 0.01591 -2644 9223 0.01873 -2643 3548 0.01977 -2643 3594 0.01181 -2643 7233 0.01145 -2643 7434 0.00696 -2643 7685 0.00804 -2643 9135 0.01859 -2642 3988 0.01657 -2642 4440 0.01293 -2642 5760 0.01778 -2642 6835 0.01423 -2642 9356 0.01730 -2641 3035 0.00975 -2641 4220 0.01213 -2641 4482 0.00919 -2641 6082 0.01900 -2641 6500 0.01750 -2641 6604 0.01004 -2641 7633 0.01797 -2641 8106 0.00844 -2641 8292 0.01388 -2641 8638 0.01908 -2641 9883 0.00825 -2640 2928 0.01326 -2640 3326 0.01861 -2640 4391 0.01322 -2640 4903 0.01218 -2640 6300 0.00810 -2640 7838 0.01969 -2640 7969 0.01127 -2640 8099 0.00627 -2640 8692 0.01836 -2640 8729 0.00961 -2639 2994 0.01134 -2639 6055 0.01215 -2639 6234 0.01994 -2639 6244 0.01308 -2639 6606 0.01914 -2639 6829 0.01416 -2639 9684 0.00578 -2638 2639 0.01952 -2638 2994 0.01664 -2638 3318 0.01155 -2638 6055 0.01321 -2638 6234 0.01954 -2638 6375 0.01211 -2638 6829 0.01556 -2638 7098 0.01904 -2638 8169 0.01210 -2638 8520 0.01963 -2638 9684 0.01861 -2638 9911 0.01696 -2637 5043 0.01862 -2637 5993 0.00983 -2637 6234 0.01999 -2637 6266 0.01596 -2637 6294 0.01671 -2637 6541 0.00434 -2637 7038 0.00729 -2637 7361 0.01110 -2637 8496 0.01081 -2637 9484 0.01793 -2636 2793 0.01410 -2636 2840 0.01123 -2636 3560 0.01878 -2636 3929 0.01950 -2636 8926 0.00887 -2636 9285 0.01831 -2636 9521 0.01553 -2635 3075 0.01209 -2635 3258 0.01442 -2635 3419 0.01784 -2635 4009 0.00895 -2635 4802 0.01741 -2635 5067 0.01995 -2635 5981 0.00662 -2635 6012 0.01244 -2635 9586 0.01705 -2634 2654 0.01761 -2634 2786 0.01257 -2634 3613 0.01321 -2634 4174 0.00364 -2634 4180 0.01398 -2634 6176 0.00979 -2634 6413 0.01583 -2634 7198 0.01015 -2634 7433 0.01991 -2634 8597 0.01547 -2634 8855 0.01587 -2634 9396 0.01688 -2634 9638 0.01157 -2633 4706 0.01505 -2633 5362 0.01874 -2633 5718 0.01935 -2633 6555 0.01060 -2633 7468 0.01899 -2633 7483 0.00914 -2633 9657 0.01690 -2633 9917 0.01805 -2632 2730 0.00897 -2632 2781 0.01636 -2632 3052 0.01750 -2632 3771 0.01903 -2632 3910 0.01337 -2632 4721 0.01522 -2632 5316 0.00918 -2632 5714 0.01194 -2632 5949 0.01795 -2632 6047 0.01440 -2632 7392 0.01748 -2632 7498 0.00911 -2632 7741 0.01617 -2632 8041 0.01729 -2632 8237 0.01802 -2632 8464 0.00272 -2632 8626 0.00862 -2632 9258 0.01604 -2632 9334 0.01873 -2631 2636 0.00630 -2631 2793 0.01998 -2631 2825 0.01590 -2631 2840 0.01741 -2631 3181 0.01957 -2631 3509 0.01929 -2631 8926 0.00358 -2631 9285 0.01210 -2631 9521 0.01973 -2630 3058 0.01092 -2630 3656 0.01921 -2630 5874 0.01538 -2630 6462 0.01152 -2630 7826 0.01990 -2629 3251 0.01804 -2629 5507 0.01647 -2629 6495 0.01008 -2629 6674 0.00809 -2629 7172 0.01089 -2629 7737 0.01280 -2629 9144 0.01948 -2628 3970 0.01002 -2628 4987 0.00802 -2628 5038 0.01545 -2628 5426 0.01822 -2628 5673 0.01586 -2628 5991 0.01493 -2628 6626 0.01434 -2628 7346 0.01257 -2628 9100 0.01647 -2628 9857 0.01210 -2627 3633 0.01543 -2627 4369 0.01529 -2627 4418 0.01215 -2627 5489 0.00242 -2627 5524 0.00553 -2626 2707 0.00297 -2626 4237 0.01579 -2626 5484 0.00733 -2626 6893 0.01160 -2626 8026 0.00565 -2626 8567 0.01920 -2626 9845 0.01062 -2625 3123 0.01174 -2625 4900 0.01385 -2625 5967 0.01769 -2625 8402 0.01459 -2625 9516 0.01867 -2625 9547 0.00743 -2625 9888 0.00706 -2625 9955 0.00678 -2624 2687 0.01627 -2624 3190 0.01889 -2624 3390 0.01254 -2624 3664 0.01360 -2624 4286 0.00335 -2624 6071 0.01324 -2624 6658 0.01993 -2624 6845 0.01633 -2624 7144 0.00832 -2624 7420 0.01424 -2624 8865 0.01189 -2623 2767 0.01509 -2623 3145 0.01652 -2623 3417 0.01505 -2623 3533 0.01016 -2623 3577 0.01006 -2623 4563 0.01747 -2623 4838 0.00367 -2623 5363 0.01335 -2623 5421 0.00985 -2623 6784 0.01572 -2623 7649 0.00279 -2623 7877 0.01799 -2623 8014 0.01408 -2623 8018 0.01560 -2623 8753 0.01687 -2622 4201 0.01935 -2622 4680 0.01873 -2622 5317 0.01832 -2622 6372 0.01996 -2622 6570 0.01857 -2622 6602 0.01265 -2622 7759 0.01452 -2622 8894 0.01609 -2622 9418 0.01225 -2622 9689 0.01312 -2621 6788 0.00947 -2621 6863 0.01223 -2621 8401 0.00260 -2621 8603 0.01117 -2621 8745 0.01089 -2621 9159 0.01628 -2620 2952 0.01885 -2620 6631 0.01792 -2620 7875 0.01792 -2620 9165 0.01334 -2620 9279 0.01461 -2620 9369 0.01896 -2619 3558 0.01996 -2619 4272 0.01014 -2619 4647 0.01648 -2619 5299 0.00905 -2619 8250 0.00738 -2619 8959 0.01550 -2619 8993 0.01225 -2618 5007 0.01310 -2618 5328 0.01612 -2618 5646 0.01877 -2618 5655 0.01773 -2618 6931 0.01078 -2618 9351 0.01599 -2617 4162 0.01106 -2617 4241 0.01244 -2617 5248 0.00563 -2617 6611 0.01541 -2617 8150 0.00735 -2616 3876 0.01543 -2616 4596 0.01262 -2616 5190 0.01321 -2616 5474 0.01792 -2616 5879 0.01922 -2616 5974 0.01005 -2616 6993 0.00867 -2616 7466 0.01954 -2616 8767 0.01022 -2615 4102 0.01020 -2615 4421 0.01111 -2615 5051 0.00542 -2615 6465 0.01074 -2614 3444 0.00441 -2614 5206 0.01770 -2614 6187 0.01229 -2614 8713 0.01081 -2613 2805 0.01031 -2613 3100 0.01703 -2613 3831 0.00952 -2613 5073 0.01510 -2613 7117 0.01955 -2613 8456 0.00745 -2613 9319 0.00482 -2613 9610 0.01492 -2612 3049 0.01272 -2612 3999 0.00620 -2612 4005 0.01171 -2612 5377 0.01177 -2612 5759 0.01948 -2612 6688 0.00461 -2612 8174 0.01776 -2612 8343 0.01064 -2612 8351 0.01027 -2612 8364 0.01454 -2612 9929 0.00609 -2612 9992 0.00998 -2611 3671 0.01809 -2611 4273 0.00494 -2611 4491 0.01247 -2611 5497 0.01264 -2611 6692 0.00605 -2611 7791 0.01228 -2611 8259 0.01418 -2611 8363 0.00244 -2611 8369 0.01420 -2611 8967 0.01764 -2611 9448 0.01065 -2610 2902 0.00878 -2610 3136 0.00661 -2610 4129 0.01509 -2610 5070 0.00391 -2610 6006 0.01798 -2610 6096 0.01924 -2610 6569 0.01109 -2610 7527 0.01320 -2610 7638 0.01870 -2610 8261 0.01673 -2610 8431 0.01845 -2609 2671 0.01291 -2609 3162 0.01062 -2609 3451 0.01374 -2609 4897 0.01017 -2609 6627 0.01812 -2609 7061 0.00516 -2609 7109 0.01313 -2609 7659 0.00519 -2609 7818 0.01536 -2609 7985 0.01741 -2608 3121 0.01056 -2608 4507 0.01947 -2608 7703 0.00699 -2608 8403 0.01503 -2607 3716 0.01604 -2607 5252 0.01023 -2607 5763 0.01739 -2607 5901 0.01343 -2607 7238 0.01426 -2607 7827 0.01209 -2607 8508 0.01842 -2607 8564 0.01602 -2607 9710 0.01374 -2606 4020 0.01573 -2606 4779 0.01262 -2606 5959 0.01029 -2606 6657 0.01057 -2606 8575 0.01671 -2606 8804 0.01316 -2606 9127 0.01299 -2606 9267 0.01904 -2606 9624 0.01891 -2605 3344 0.00922 -2605 3432 0.01907 -2605 3551 0.01499 -2605 4774 0.01301 -2605 5677 0.01460 -2605 6159 0.01108 -2605 7534 0.01770 -2605 8011 0.01287 -2605 8659 0.01391 -2604 2628 0.01923 -2604 2876 0.01753 -2604 3840 0.01829 -2604 4987 0.01408 -2604 5038 0.00587 -2604 5426 0.00105 -2604 5707 0.01646 -2604 5991 0.00662 -2604 6585 0.01395 -2604 6626 0.01386 -2604 7963 0.01586 -2604 9857 0.01332 -2603 3350 0.00698 -2603 6770 0.01796 -2603 7140 0.01244 -2603 7732 0.01875 -2603 8653 0.01836 -2602 3251 0.01099 -2602 3793 0.01776 -2602 4202 0.01362 -2602 4868 0.00409 -2602 5507 0.00586 -2602 5856 0.01182 -2602 5945 0.00928 -2602 6495 0.01248 -2602 6674 0.01568 -2602 6951 0.01326 -2602 7172 0.01743 -2602 8054 0.00678 -2602 8330 0.01433 -2601 2658 0.01474 -2601 3069 0.00279 -2601 4292 0.01134 -2601 4765 0.00944 -2601 4941 0.00462 -2601 5129 0.01261 -2601 6061 0.01960 -2601 6422 0.00042 -2601 7717 0.00971 -2601 8441 0.00452 -2601 8495 0.01928 -2601 8746 0.01906 -2601 9789 0.01931 -2600 2893 0.00369 -2600 5408 0.00234 -2600 5583 0.01708 -2600 6163 0.01053 -2600 6985 0.01004 -2600 7044 0.01059 -2600 8620 0.01322 -2599 3576 0.01633 -2599 3859 0.01413 -2599 5020 0.01074 -2599 5617 0.01059 -2599 6472 0.00294 -2599 8042 0.00966 -2599 9222 0.01936 -2599 9632 0.01653 -2598 3218 0.00453 -2598 3313 0.01982 -2598 3431 0.01482 -2598 3887 0.01014 -2598 4159 0.00625 -2598 6299 0.00552 -2598 7026 0.00024 -2598 7101 0.00524 -2598 7788 0.00305 -2598 8184 0.01923 -2598 9434 0.01387 -2597 6578 0.00870 -2597 7174 0.01116 -2597 8394 0.01365 -2597 9477 0.01795 -2597 9824 0.00638 -2597 9852 0.01859 -2596 3209 0.00913 -2596 3778 0.01071 -2596 4255 0.01438 -2596 4932 0.01103 -2596 5153 0.01866 -2596 6560 0.01001 -2596 7377 0.01263 -2596 8989 0.00828 -2596 9163 0.01763 -2595 2645 0.01730 -2595 4200 0.01720 -2595 4309 0.01026 -2595 4948 0.01524 -2595 5104 0.00596 -2595 5498 0.01439 -2595 7217 0.01078 -2595 7414 0.01398 -2595 8742 0.01492 -2595 9672 0.01591 -2594 3105 0.01537 -2594 6160 0.00921 -2594 6201 0.01594 -2594 6558 0.00110 -2594 8941 0.00551 -2594 9042 0.01192 -2594 9073 0.01562 -2594 9729 0.01012 -2593 3329 0.01964 -2593 3787 0.01850 -2593 5984 0.00341 -2593 6592 0.01263 -2593 6877 0.01198 -2593 7223 0.01266 -2593 8557 0.01433 -2593 8672 0.00807 -2592 3968 0.00852 -2592 4002 0.00751 -2592 4587 0.00956 -2592 7502 0.01608 -2592 8949 0.00841 -2592 9344 0.01870 -2592 9465 0.00908 -2592 9965 0.01804 -2591 3015 0.01955 -2591 4579 0.01447 -2591 4699 0.01895 -2591 5669 0.01448 -2591 6056 0.01133 -2591 6119 0.00465 -2591 6452 0.00732 -2591 7800 0.01593 -2591 9002 0.01726 -2591 9276 0.01753 -2590 2741 0.01724 -2590 3468 0.01206 -2590 5982 0.01669 -2590 6270 0.01736 -2590 6412 0.01628 -2590 6659 0.01302 -2590 6919 0.01313 -2590 7256 0.00737 -2590 7597 0.01502 -2590 8605 0.01862 -2590 8779 0.01770 -2590 9045 0.00923 -2590 9072 0.01827 -2589 2841 0.01075 -2589 4170 0.01399 -2589 5060 0.01979 -2589 6737 0.00625 -2589 6754 0.01884 -2589 7163 0.00471 -2589 8864 0.01521 -2588 3296 0.01465 -2588 3569 0.01862 -2588 6050 0.00902 -2588 6974 0.01433 -2588 8324 0.01447 -2587 2999 0.01721 -2587 3734 0.00953 -2587 3896 0.01755 -2587 5882 0.00647 -2586 3665 0.01979 -2586 3685 0.00998 -2586 5179 0.00982 -2586 5454 0.01489 -2586 5767 0.01954 -2586 5861 0.01626 -2585 3043 0.01073 -2585 4467 0.00339 -2585 4720 0.01142 -2585 5142 0.01182 -2585 6315 0.01330 -2585 7307 0.01319 -2585 9096 0.01050 -2584 3285 0.01400 -2584 4110 0.00842 -2584 6261 0.01265 -2584 6814 0.00568 -2584 6953 0.01188 -2584 7106 0.01358 -2583 2739 0.01909 -2583 3535 0.01872 -2583 4070 0.00454 -2583 4097 0.00415 -2583 4910 0.01306 -2583 5125 0.01040 -2583 6091 0.00840 -2583 6189 0.01629 -2582 2909 0.00869 -2582 5737 0.00920 -2581 5121 0.01726 -2581 6712 0.01323 -2581 7171 0.01838 -2581 7582 0.00972 -2581 8732 0.01503 -2580 3975 0.01918 -2580 4293 0.01751 -2580 4295 0.01106 -2580 4801 0.01900 -2580 5189 0.00593 -2580 5304 0.01161 -2580 7352 0.01501 -2580 8695 0.01060 -2580 8853 0.01463 -2580 9895 0.01679 -2580 9975 0.01947 -2579 3294 0.01645 -2579 3900 0.01708 -2579 4550 0.01206 -2579 5243 0.00823 -2579 5264 0.01825 -2579 5843 0.01772 -2579 6088 0.00664 -2579 6563 0.01581 -2579 7046 0.01991 -2579 7917 0.01837 -2579 8918 0.01972 -2579 9245 0.01702 -2579 9526 0.00495 -2578 2863 0.00555 -2578 3060 0.01558 -2578 4361 0.01996 -2578 4380 0.01951 -2578 4517 0.01745 -2578 4665 0.01603 -2578 4712 0.00699 -2578 4767 0.00811 -2578 4878 0.00580 -2578 4985 0.01937 -2578 6482 0.01917 -2578 6577 0.01712 -2578 9179 0.01307 -2577 3008 0.00861 -2577 4346 0.01380 -2577 4563 0.01642 -2577 5516 0.01616 -2577 5619 0.01650 -2577 5937 0.01159 -2577 7571 0.00595 -2577 7629 0.01952 -2577 7877 0.01194 -2577 9720 0.01512 -2576 2672 0.00569 -2576 3128 0.01150 -2576 3630 0.01986 -2576 4505 0.01521 -2576 4672 0.01973 -2576 4832 0.00697 -2576 5072 0.01731 -2576 6087 0.01384 -2576 7511 0.00284 -2576 7769 0.00543 -2576 8980 0.01608 -2576 9999 0.01837 -2575 2829 0.01116 -2575 3033 0.01962 -2575 4125 0.01611 -2575 5202 0.00698 -2575 6996 0.01671 -2575 7623 0.01991 -2575 7999 0.01953 -2575 8390 0.01128 -2575 9505 0.01868 -2574 3147 0.00404 -2574 4874 0.01077 -2574 5413 0.01546 -2574 5993 0.01845 -2574 7276 0.01931 -2574 7919 0.00469 -2574 8832 0.01666 -2574 9882 0.01994 -2573 4788 0.01749 -2573 5772 0.00931 -2573 6436 0.01213 -2573 6836 0.01880 -2573 7690 0.01383 -2573 7982 0.01905 -2573 8475 0.00900 -2573 8632 0.01516 -2573 8923 0.01950 -2573 9213 0.01885 -2573 9395 0.01642 -2573 9530 0.01574 -2572 4085 0.01705 -2572 4167 0.01878 -2572 6743 0.01582 -2572 7874 0.00512 -2572 7889 0.01102 -2572 8710 0.00649 -2572 9091 0.01280 -2571 2959 0.00488 -2571 3220 0.00613 -2571 4545 0.01648 -2571 4835 0.00513 -2571 5987 0.01377 -2571 6879 0.01962 -2570 2845 0.01027 -2570 3387 0.01925 -2570 3420 0.00632 -2570 4276 0.01088 -2570 4628 0.01642 -2570 5135 0.00534 -2570 5492 0.00859 -2570 8143 0.01283 -2570 9623 0.00662 -2570 9635 0.00626 -2569 3285 0.01472 -2569 3659 0.01954 -2569 4078 0.01474 -2569 4414 0.01079 -2569 4839 0.01893 -2569 5653 0.01993 -2569 6174 0.01247 -2569 6487 0.00580 -2569 7242 0.00905 -2569 8232 0.01722 -2569 8428 0.01797 -2569 8716 0.01777 -2568 2950 0.01600 -2568 3191 0.01674 -2568 3508 0.00517 -2568 4235 0.01437 -2568 4714 0.01026 -2568 5068 0.01236 -2568 5319 0.01915 -2568 5814 0.01998 -2568 6219 0.01798 -2568 8207 0.00496 -2568 8827 0.01205 -2568 9145 0.01885 -2567 3297 0.01317 -2567 3696 0.01238 -2567 3961 0.00858 -2567 4413 0.01912 -2567 4997 0.01884 -2567 5346 0.01317 -2567 5857 0.00730 -2567 8000 0.01421 -2567 8555 0.01175 -2567 9178 0.01405 -2567 9261 0.01769 -2566 3702 0.01748 -2566 4184 0.00586 -2566 4300 0.01991 -2566 4562 0.00700 -2566 5478 0.00576 -2566 6603 0.00612 -2566 9472 0.01755 -2566 9845 0.01988 -2565 3259 0.00992 -2565 5545 0.01422 -2565 7004 0.01904 -2565 7122 0.01941 -2565 9902 0.01708 -2564 2614 0.01673 -2564 3444 0.01364 -2564 4913 0.01429 -2564 6466 0.00920 -2564 6752 0.01464 -2564 8473 0.01718 -2564 8545 0.01572 -2564 8713 0.01657 -2564 9358 0.00927 -2564 9741 0.01946 -2563 3849 0.00580 -2563 4153 0.00265 -2563 5744 0.01468 -2563 6205 0.00879 -2563 6378 0.01827 -2563 7206 0.01392 -2563 7831 0.01635 -2563 9873 0.01677 -2562 2681 0.01060 -2562 3430 0.01501 -2562 3888 0.01721 -2562 4590 0.00728 -2562 4936 0.01233 -2562 5025 0.01110 -2562 6629 0.01763 -2562 9985 0.01879 -2561 2788 0.01700 -2561 2920 0.01554 -2561 4563 0.01641 -2561 5866 0.01807 -2561 7952 0.01090 -2561 8753 0.01923 -2561 8972 0.00191 -2560 2997 0.01462 -2560 3005 0.00784 -2560 3199 0.01712 -2560 3797 0.00602 -2560 5081 0.01772 -2560 5170 0.01671 -2560 5424 0.01676 -2560 6373 0.01915 -2560 6888 0.00459 -2560 7411 0.01590 -2560 7543 0.01109 -2560 8650 0.01394 -2560 8804 0.01800 -2560 9127 0.01893 -2560 9267 0.01667 -2559 3500 0.00942 -2559 3715 0.01858 -2559 5531 0.00893 -2559 5629 0.01118 -2559 6243 0.01241 -2559 6561 0.00999 -2559 6667 0.01675 -2559 7027 0.01775 -2559 8887 0.01673 -2558 3779 0.01956 -2558 4666 0.01824 -2558 5723 0.01086 -2558 6371 0.01755 -2558 6861 0.01698 -2558 8440 0.01272 -2558 9011 0.01762 -2558 9624 0.01880 -2557 2766 0.00695 -2557 3527 0.00645 -2557 5365 0.01410 -2557 6267 0.00896 -2557 6611 0.01804 -2557 7407 0.01533 -2557 8150 0.01744 -2557 9580 0.01957 -2556 2722 0.01482 -2556 3126 0.01927 -2556 3603 0.01885 -2556 4146 0.00483 -2556 4818 0.01197 -2556 4882 0.01142 -2556 4908 0.01487 -2556 5400 0.00289 -2556 6794 0.01025 -2556 7241 0.01039 -2556 8939 0.01264 -2556 8965 0.00884 -2556 8984 0.01427 -2556 9055 0.00874 -2556 9234 0.01288 -2556 9437 0.01457 -2555 2777 0.01829 -2555 3855 0.01422 -2555 4709 0.00258 -2555 6904 0.01737 -2555 7959 0.01984 -2554 2663 0.01178 -2554 3050 0.01503 -2554 3144 0.00642 -2554 3160 0.01723 -2554 3288 0.01298 -2554 3853 0.01724 -2554 4742 0.01197 -2554 7517 0.00538 -2554 7853 0.01479 -2554 7943 0.00171 -2554 9386 0.01366 -2554 9496 0.00537 -2554 9705 0.01429 -2554 9964 0.00646 -2553 5268 0.01278 -2553 7312 0.01401 -2552 2795 0.01812 -2552 2982 0.00574 -2552 3317 0.01792 -2552 3574 0.00730 -2552 3675 0.00678 -2552 4409 0.01337 -2552 5517 0.01472 -2552 5608 0.00194 -2552 6368 0.01454 -2552 6432 0.01293 -2552 8066 0.01620 -2552 8633 0.01589 -2552 8902 0.01489 -2552 9074 0.01709 -2552 9806 0.01662 -2551 4058 0.01288 -2551 4603 0.00863 -2551 5091 0.01643 -2551 5457 0.00790 -2551 8930 0.01032 -2550 2781 0.01163 -2550 3341 0.01152 -2550 4370 0.01129 -2550 5491 0.00994 -2550 5560 0.00951 -2550 5635 0.01091 -2550 7196 0.00367 -2550 7498 0.01923 -2550 9258 0.01231 -2549 2571 0.01238 -2549 2838 0.01216 -2549 2959 0.01624 -2549 3220 0.01827 -2549 4545 0.01809 -2549 4835 0.00828 -2549 6879 0.01376 -2549 8834 0.01632 -2549 9129 0.01823 -2548 3946 0.01462 -2548 4513 0.01319 -2548 4796 0.01229 -2548 5622 0.01725 -2548 5906 0.01912 -2548 5994 0.01440 -2548 6097 0.00721 -2548 6424 0.01008 -2548 8553 0.01705 -2548 9394 0.01561 -2547 4074 0.01025 -2547 4231 0.01405 -2547 5344 0.01670 -2547 6634 0.01044 -2547 7262 0.01077 -2546 2586 0.01253 -2546 2964 0.01059 -2546 3665 0.01646 -2546 3685 0.01665 -2546 5179 0.00360 -2546 5454 0.00418 -2546 5750 0.01850 -2546 8274 0.01005 -2545 4660 0.01998 -2545 4979 0.01902 -2545 6533 0.01641 -2545 7032 0.00612 -2545 7976 0.00664 -2545 9565 0.01937 -2544 6997 0.01839 -2544 8824 0.00125 -2544 9386 0.01592 -2544 9705 0.01431 -2544 9964 0.01909 -2544 9965 0.01381 -2543 3111 0.01002 -2543 5348 0.01597 -2543 5470 0.00470 -2543 6827 0.00702 -2543 7856 0.01373 -2543 9608 0.01913 -2542 3441 0.01205 -2542 3494 0.01383 -2542 4429 0.01755 -2542 5244 0.00800 -2542 5634 0.01261 -2542 5732 0.01238 -2542 5823 0.01869 -2542 7246 0.01592 -2542 7964 0.01530 -2542 8388 0.01899 -2542 8461 0.01431 -2542 9951 0.01703 -2541 3152 0.01996 -2541 5016 0.01876 -2541 6059 0.00752 -2541 6841 0.00484 -2541 7158 0.00759 -2541 7512 0.01887 -2541 9037 0.01256 -2540 2998 0.00920 -2540 3954 0.01220 -2540 4201 0.00806 -2540 4517 0.01575 -2540 4985 0.01542 -2540 5932 0.01795 -2540 6570 0.01624 -2540 6602 0.01702 -2540 7720 0.01935 -2539 2927 0.01415 -2539 3006 0.01715 -2539 3486 0.01695 -2539 4407 0.01675 -2539 4465 0.00590 -2539 5391 0.01925 -2539 5494 0.00758 -2539 5806 0.01716 -2539 6319 0.01359 -2539 7404 0.01930 -2539 8275 0.01773 -2539 9597 0.00636 -2539 9687 0.01591 -2538 3118 0.00654 -2538 3198 0.01931 -2538 4343 0.01659 -2538 5632 0.01476 -2538 5872 0.01435 -2538 7197 0.01867 -2538 8411 0.01525 -2538 9655 0.01676 -2537 3117 0.01695 -2537 3762 0.01532 -2537 4415 0.01817 -2537 5935 0.01042 -2537 6216 0.00655 -2537 7524 0.01238 -2537 7833 0.01553 -2537 9094 0.01946 -2537 9136 0.01910 -2537 9594 0.01410 -2537 9876 0.01773 -2536 2889 0.00633 -2536 3240 0.01738 -2536 3519 0.01157 -2536 6370 0.01537 -2536 6746 0.00825 -2536 7062 0.01569 -2536 7189 0.00714 -2536 7485 0.01816 -2536 7863 0.00382 -2536 8273 0.01121 -2536 9000 0.01541 -2535 3079 0.01422 -2535 3686 0.00704 -2535 3877 0.01442 -2535 6703 0.00624 -2535 7331 0.00896 -2535 7967 0.01592 -2535 8244 0.00970 -2535 8348 0.01989 -2534 3053 0.01195 -2534 3252 0.01403 -2534 3662 0.01024 -2534 4270 0.01625 -2534 7092 0.01761 -2534 7389 0.01570 -2534 7590 0.00519 -2534 7845 0.01350 -2534 9426 0.01060 -2534 9809 0.00587 -2533 2745 0.01928 -2533 3028 0.00668 -2533 3323 0.01466 -2533 4087 0.01418 -2533 5747 0.01374 -2533 6284 0.00915 -2533 7218 0.01581 -2533 7939 0.01321 -2533 9658 0.00703 -2532 3267 0.00658 -2532 3381 0.00698 -2532 3829 0.01310 -2532 4761 0.01519 -2532 5442 0.01099 -2532 6033 0.00557 -2532 7576 0.00690 -2532 8550 0.01448 -2532 8699 0.01145 -2532 9088 0.00898 -2532 9508 0.00702 -2531 3605 0.01776 -2531 4544 0.01058 -2531 5190 0.01863 -2531 7466 0.01698 -2531 7760 0.01701 -2531 7929 0.01865 -2531 8924 0.01159 -2530 3019 0.01234 -2530 3707 0.01975 -2530 4017 0.01077 -2530 4224 0.00403 -2530 6294 0.01544 -2530 8527 0.01311 -2530 8552 0.01064 -2530 8676 0.00923 -2530 8784 0.01740 -2530 8870 0.01035 -2529 2907 0.00869 -2529 2962 0.01759 -2529 4219 0.01746 -2529 4243 0.01285 -2529 4571 0.00915 -2529 6121 0.01411 -2529 7892 0.01999 -2529 8517 0.01830 -2529 9371 0.01338 -2528 3576 0.01867 -2528 3862 0.00162 -2528 4448 0.00945 -2528 4776 0.01273 -2528 4831 0.01633 -2528 5617 0.01695 -2528 6129 0.01734 -2528 6473 0.00409 -2528 7528 0.01452 -2528 9632 0.00901 -2527 2961 0.01911 -2527 4162 0.01315 -2527 4476 0.01815 -2527 5920 0.01740 -2527 6109 0.01320 -2527 7904 0.01658 -2527 7940 0.01242 -2527 9110 0.01390 -2526 2936 0.01872 -2526 3536 0.00654 -2526 4425 0.01748 -2526 7928 0.01527 -2526 8368 0.01800 -2526 9015 0.01979 -2526 9454 0.01887 -2526 9914 0.01952 -2525 3841 0.00434 -2525 5275 0.00821 -2525 5632 0.01352 -2525 5921 0.00902 -2525 7197 0.01575 -2525 7545 0.01852 -2525 8315 0.01486 -2525 8645 0.01794 -2525 8800 0.01051 -2525 9616 0.01886 -2525 9702 0.01912 -2524 3632 0.00342 -2524 3814 0.00697 -2524 4355 0.01384 -2524 5564 0.01414 -2524 5871 0.00820 -2524 6352 0.01365 -2524 6498 0.01191 -2524 7975 0.01099 -2524 8861 0.01391 -2523 2750 0.00838 -2523 4226 0.01643 -2523 4327 0.00499 -2523 5122 0.01062 -2523 5150 0.01307 -2523 6224 0.00925 -2523 7019 0.01995 -2523 7248 0.01064 -2523 7616 0.01835 -2523 8790 0.00652 -2523 8823 0.00794 -2523 9109 0.01957 -2522 3175 0.01505 -2522 6138 0.01630 -2522 6735 0.00484 -2522 7118 0.01630 -2522 7573 0.00549 -2522 8058 0.01736 -2522 9455 0.01894 -2521 5539 0.00918 -2521 5543 0.01550 -2521 5712 0.01619 -2521 5859 0.00993 -2521 6233 0.01888 -2521 6669 0.01974 -2521 6864 0.01365 -2521 8002 0.01721 -2521 8125 0.00285 -2521 8740 0.00737 -2521 8807 0.01801 -2520 3474 0.01162 -2520 4075 0.00102 -2520 5374 0.01756 -2520 5694 0.01707 -2520 6383 0.00594 -2520 7249 0.01346 -2519 4013 0.01593 -2519 4569 0.01689 -2519 4966 0.00976 -2519 5537 0.00951 -2519 5951 0.01289 -2519 6543 0.01714 -2519 7314 0.01363 -2519 7983 0.00718 -2519 8385 0.01213 -2519 8723 0.00484 -2518 4488 0.01359 -2518 4979 0.01380 -2518 5236 0.00927 -2518 6190 0.01814 -2518 7551 0.00629 -2518 8590 0.01986 -2518 8731 0.01660 -2518 9834 0.01534 -2518 9989 0.01572 -2517 2732 0.01633 -2517 3167 0.01648 -2517 3261 0.01704 -2517 3607 0.00987 -2517 4145 0.01433 -2517 4492 0.01189 -2517 4960 0.00855 -2517 5450 0.01976 -2517 6151 0.01580 -2517 7540 0.00323 -2517 9633 0.01421 -2516 4168 0.00688 -2516 4226 0.01268 -2516 5122 0.01875 -2516 5432 0.01679 -2516 5924 0.00444 -2516 6205 0.01877 -2516 6224 0.01774 -2516 7152 0.01631 -2516 7206 0.01184 -2516 7216 0.00856 -2516 7608 0.00750 -2516 7686 0.01440 -2516 8937 0.00430 -2516 9109 0.00873 -2515 2754 0.00660 -2515 3353 0.01649 -2515 3895 0.00757 -2515 4449 0.01813 -2515 5291 0.01529 -2515 6908 0.01833 -2515 7442 0.01548 -2515 7522 0.00706 -2515 7908 0.01177 -2515 8671 0.01106 -2515 8686 0.01702 -2515 8987 0.00694 -2515 9321 0.01724 -2515 9436 0.01237 -2514 5561 0.01650 -2514 5711 0.01658 -2514 7811 0.00678 -2514 8583 0.01983 -2514 9201 0.00994 -2514 9272 0.01768 -2513 3236 0.01414 -2513 3247 0.01992 -2513 4035 0.00730 -2513 4313 0.01581 -2513 6137 0.01478 -2513 6264 0.00998 -2513 6904 0.01565 -2513 7359 0.01819 -2513 7781 0.00683 -2513 8116 0.00649 -2513 8278 0.00574 -2513 9416 0.01386 -2512 2911 0.01823 -2512 2983 0.01952 -2512 5146 0.00849 -2512 5917 0.01314 -2512 6921 0.01842 -2512 8826 0.01446 -2511 3839 0.01345 -2511 5505 0.01943 -2511 5546 0.01717 -2511 5625 0.01329 -2511 5686 0.01527 -2511 8188 0.00970 -2511 8903 0.01927 -2511 9014 0.00395 -2510 2730 0.01880 -2510 3052 0.01158 -2510 3107 0.01779 -2510 3454 0.01335 -2510 4721 0.01962 -2510 5009 0.01743 -2510 5458 0.00990 -2510 6049 0.01624 -2510 7039 0.01784 -2510 7741 0.01661 -2510 8041 0.01183 -2510 8964 0.01577 -2510 9021 0.01962 -2510 9334 0.00543 -2509 2596 0.01389 -2509 3200 0.00865 -2509 3209 0.00817 -2509 3778 0.00372 -2509 4932 0.01627 -2509 5153 0.00793 -2509 6560 0.00753 -2509 7377 0.00476 -2509 7885 0.01955 -2509 8503 0.01778 -2509 8989 0.00638 -2509 9163 0.01475 -2509 9259 0.00908 -2509 9795 0.01010 -2508 4825 0.01090 -2508 5367 0.01953 -2508 5578 0.00105 -2508 5926 0.00862 -2508 6117 0.01694 -2508 6494 0.01345 -2508 7563 0.01400 -2508 7946 0.01254 -2508 8910 0.01324 -2507 2945 0.01277 -2507 4607 0.01931 -2507 5204 0.01977 -2507 5300 0.00832 -2507 5404 0.01216 -2507 6386 0.01050 -2507 6505 0.01958 -2507 8467 0.00835 -2507 9210 0.01870 -2507 9556 0.01626 -2507 9622 0.00894 -2506 2668 0.01784 -2506 3150 0.01846 -2506 4105 0.01599 -2506 4462 0.01449 -2506 5162 0.00799 -2506 5301 0.00156 -2506 6682 0.01626 -2506 7745 0.00480 -2506 8418 0.01630 -2506 9364 0.01941 -2506 9823 0.01974 -2505 3146 0.01057 -2505 3515 0.01616 -2505 3611 0.01404 -2505 3706 0.00815 -2505 3785 0.01827 -2505 4083 0.01231 -2505 4732 0.01263 -2505 4757 0.01324 -2505 4945 0.01174 -2505 4971 0.00912 -2505 5172 0.01473 -2505 8079 0.01949 -2504 2657 0.01898 -2504 3340 0.01183 -2504 3485 0.01993 -2504 6212 0.00549 -2504 6862 0.01826 -2504 7020 0.01752 -2504 8340 0.01687 -2504 8528 0.01431 -2504 9035 0.01524 -2504 9089 0.01598 -2504 9619 0.01816 -2504 9946 0.01031 -2503 3250 0.01867 -2503 3496 0.00750 -2503 4003 0.01782 -2503 5175 0.01041 -2503 7072 0.01111 -2503 9818 0.00563 -2502 5092 0.01303 -2502 5282 0.01380 -2502 7201 0.00990 -2502 7357 0.00071 -2502 8009 0.01248 -2502 8619 0.01628 -2502 8948 0.01915 -2502 9400 0.01089 -2502 9512 0.01684 -2502 9854 0.00400 -2501 4382 0.00940 -2501 4489 0.00954 -2501 4659 0.01022 -2501 5181 0.01852 -2501 6567 0.00656 -2501 6924 0.01841 -2501 8016 0.01154 -2501 8574 0.01323 -2501 8771 0.01967 -2500 2546 0.01944 -2500 2586 0.01093 -2500 2648 0.01600 -2500 3237 0.01780 -2500 3665 0.01637 -2500 4827 0.01519 -2500 5179 0.01586 -2500 5454 0.01955 -2500 5767 0.01339 -2500 6143 0.01765 -2500 6959 0.01991 -2500 8628 0.01022 -2499 2969 0.01200 -2499 3195 0.01610 -2499 4436 0.01595 -2499 4458 0.00678 -2499 4616 0.00890 -2499 4775 0.01715 -2499 5134 0.00682 -2499 5191 0.00941 -2499 5225 0.01028 -2499 5593 0.01403 -2499 6158 0.00730 -2499 6209 0.01429 -2499 7323 0.01032 -2499 7395 0.00870 -2499 7654 0.00586 -2499 8856 0.01942 -2499 9441 0.00729 -2498 2877 0.01666 -2498 3214 0.01408 -2498 4406 0.01702 -2498 5235 0.01783 -2498 6015 0.01896 -2498 6527 0.01657 -2498 7295 0.01256 -2498 8872 0.01042 -2498 9335 0.01249 -2497 3722 0.01754 -2497 3967 0.01780 -2497 5057 0.00489 -2497 5755 0.01783 -2497 6293 0.00221 -2497 8748 0.01487 -2496 2773 0.01595 -2496 4926 0.01989 -2496 7007 0.01080 -2496 7365 0.01892 -2496 8502 0.01778 -2496 8988 0.01305 -2496 9116 0.01025 -2496 9444 0.01555 -2495 3909 0.00943 -2495 4238 0.01445 -2495 4321 0.01756 -2495 5564 0.01315 -2495 5871 0.01800 -2495 6352 0.01461 -2495 6702 0.01551 -2495 7739 0.01301 -2495 8435 0.01329 -2495 8717 0.00955 -2495 9425 0.01232 -2494 3466 0.01435 -2494 3790 0.01225 -2494 4338 0.01977 -2494 4611 0.00529 -2494 5423 0.01901 -2494 6155 0.01736 -2494 7806 0.01234 -2494 8141 0.01314 -2494 8291 0.00630 -2494 8442 0.01306 -2494 9292 0.01879 -2494 9696 0.01722 -2493 3901 0.01993 -2493 4389 0.01392 -2493 5393 0.00215 -2493 5559 0.00788 -2493 5875 0.01509 -2493 6483 0.00741 -2493 7141 0.01647 -2493 7871 0.01697 -2493 9255 0.01628 -2493 9282 0.01444 -2493 9389 0.01313 -2493 9471 0.00893 -2492 4541 0.00818 -2492 4655 0.01869 -2492 4782 0.01508 -2492 5440 0.01369 -2492 9257 0.00553 -2491 3165 0.01913 -2491 4334 0.01787 -2491 4502 0.01624 -2491 6306 0.01479 -2491 6463 0.01546 -2491 6689 0.00317 -2491 6763 0.00074 -2491 9331 0.01984 -2490 2634 0.01516 -2490 2786 0.00931 -2490 3192 0.00848 -2490 3613 0.00471 -2490 4174 0.01746 -2490 4625 0.01792 -2490 5791 0.01951 -2490 6176 0.01716 -2490 6413 0.01785 -2490 7433 0.00829 -2490 9396 0.01465 -2490 9638 0.01560 -2489 2828 0.00986 -2489 5169 0.01432 -2489 5394 0.01343 -2489 5983 0.01687 -2489 7998 0.00370 -2489 8816 0.00923 -2488 2492 0.01196 -2488 3133 0.01855 -2488 4541 0.00592 -2488 4782 0.00644 -2488 5440 0.00177 -2488 6613 0.01549 -2488 6813 0.01831 -2488 7050 0.01701 -2488 7220 0.01552 -2488 7387 0.01478 -2488 9257 0.01219 -2487 3413 0.01539 -2487 3637 0.01471 -2487 4493 0.00504 -2487 4909 0.01973 -2487 5287 0.01671 -2487 5399 0.01817 -2487 5412 0.01914 -2487 5540 0.00851 -2487 5801 0.01977 -2487 6039 0.00747 -2487 9044 0.01084 -2486 2757 0.01623 -2486 4740 0.00221 -2486 4839 0.01544 -2486 5217 0.01972 -2486 6866 0.01556 -2486 7060 0.01279 -2486 7106 0.01627 -2486 8339 0.01753 -2486 8428 0.01698 -2486 9184 0.00328 -2485 2799 0.00747 -2485 2816 0.00874 -2485 3531 0.01543 -2485 4299 0.01055 -2485 4510 0.00432 -2485 5046 0.01394 -2485 5093 0.01732 -2485 5997 0.01947 -2485 8397 0.00326 -2484 3890 0.00791 -2484 4229 0.00640 -2484 4358 0.00718 -2484 6180 0.01306 -2484 6409 0.01633 -2484 8228 0.01337 -2484 8914 0.01797 -2483 3194 0.01686 -2483 4092 0.01486 -2483 8721 0.01983 -2482 2905 0.00521 -2482 3624 0.01436 -2482 3935 0.00939 -2482 5270 0.01358 -2482 5281 0.00388 -2482 5285 0.01290 -2482 6051 0.01678 -2482 7002 0.00175 -2482 7219 0.01596 -2482 8118 0.01734 -2482 8798 0.01276 -2482 8898 0.01359 -2482 9118 0.00587 -2482 9173 0.01816 -2482 9948 0.01785 -2481 3197 0.01647 -2481 3441 0.01335 -2481 3776 0.00249 -2481 4094 0.01972 -2481 4429 0.01053 -2481 5634 0.01569 -2481 5823 0.01592 -2481 6057 0.01347 -2481 7947 0.00346 -2481 7964 0.01359 -2481 8366 0.01638 -2481 8446 0.01610 -2481 9495 0.00778 -2480 3218 0.01950 -2480 3887 0.01412 -2480 4121 0.01237 -2480 9244 0.01218 -2480 9376 0.00818 -2479 2574 0.01474 -2479 3046 0.01366 -2479 3147 0.01868 -2479 4063 0.01418 -2479 4874 0.01202 -2479 6551 0.01863 -2479 7276 0.00547 -2479 7919 0.01919 -2479 8060 0.01661 -2479 8333 0.01297 -2479 8832 0.01333 -2479 8879 0.01692 -2478 2674 0.00463 -2478 2733 0.00623 -2478 2790 0.00527 -2478 2859 0.01050 -2478 3587 0.01429 -2478 4050 0.01791 -2478 4959 0.01528 -2478 6331 0.01336 -2478 6358 0.01015 -2478 6595 0.01186 -2478 7322 0.01948 -2478 7456 0.00468 -2478 7555 0.01419 -2478 8472 0.01914 -2478 9306 0.01189 -2478 9372 0.00754 -2477 3059 0.01512 -2477 3723 0.00449 -2477 3728 0.01425 -2477 3815 0.01407 -2477 4620 0.00564 -2477 6844 0.00812 -2477 7743 0.01706 -2477 8334 0.01889 -2477 9038 0.01995 -2476 2597 0.01483 -2476 6578 0.01132 -2476 9732 0.01313 -2475 3122 0.00952 -2475 3233 0.01709 -2475 4232 0.01125 -2475 5116 0.01425 -2475 5764 0.01804 -2475 5995 0.01568 -2475 6206 0.00833 -2475 6643 0.00594 -2475 6838 0.01732 -2475 7164 0.00507 -2475 7313 0.01315 -2475 8666 0.01671 -2475 9762 0.01389 -2474 4929 0.01887 -2474 6499 0.01423 -2474 6596 0.01184 -2474 8711 0.01013 -2474 9224 0.01353 -2474 9432 0.01623 -2473 3025 0.01806 -2473 3351 0.00360 -2473 4341 0.01688 -2473 5256 0.01908 -2473 5286 0.00251 -2473 5596 0.00806 -2473 5880 0.00952 -2473 6401 0.01822 -2473 7005 0.01420 -2473 7508 0.00926 -2473 7639 0.01774 -2473 9106 0.00549 -2473 9323 0.01929 -2472 2952 0.01499 -2472 3995 0.01695 -2472 4688 0.00880 -2472 5745 0.00718 -2472 9165 0.00927 -2472 9369 0.01066 -2471 3343 0.01234 -2471 3989 0.00491 -2471 5957 0.00780 -2471 7131 0.00935 -2471 9166 0.01280 -2471 9278 0.01457 -2471 9343 0.00241 -2470 4648 0.01204 -2470 5276 0.01437 -2470 6123 0.01612 -2470 6249 0.01747 -2470 8312 0.01070 -2470 9472 0.01448 -2469 3434 0.01702 -2469 6902 0.00863 -2469 7243 0.01470 -2469 7601 0.00194 -2469 9813 0.01519 -2469 9995 0.01387 -2468 4213 0.01533 -2468 4523 0.01729 -2468 4632 0.00765 -2468 4886 0.01594 -2468 6114 0.01609 -2468 6122 0.01592 -2468 6210 0.01762 -2468 6362 0.01227 -2468 6446 0.00460 -2468 7073 0.00508 -2468 7143 0.01733 -2468 7682 0.00988 -2468 8502 0.01504 -2468 9128 0.00134 -2468 9925 0.00874 -2467 3215 0.01788 -2467 5908 0.01483 -2467 6340 0.01695 -2467 9252 0.00837 -2467 9447 0.00505 -2466 2748 0.01482 -2466 4643 0.01553 -2466 6244 0.01970 -2466 6901 0.01232 -2466 7899 0.01147 -2466 9098 0.01895 -2466 9412 0.00957 -2465 2879 0.00765 -2465 2948 0.01667 -2465 3072 0.00828 -2465 3202 0.01819 -2465 3236 0.01376 -2465 3376 0.00916 -2465 3464 0.00533 -2465 3699 0.00999 -2465 4313 0.01153 -2465 4527 0.00892 -2465 6137 0.01552 -2465 6661 0.01710 -2465 7359 0.01989 -2465 7663 0.01667 -2465 7782 0.00915 -2465 8497 0.01752 -2465 9903 0.00803 -2464 4151 0.01636 -2464 4643 0.01753 -2464 6606 0.01349 -2464 9629 0.01171 -2464 9911 0.01757 -2463 3757 0.01770 -2463 3772 0.01610 -2463 8419 0.01981 -2463 9049 0.00621 -2462 2834 0.01641 -2462 2911 0.01015 -2462 3394 0.01601 -2462 4516 0.00844 -2462 5835 0.00877 -2462 5917 0.01608 -2462 6921 0.01718 -2462 8345 0.00702 -2462 8938 0.01354 -2461 5056 0.01320 -2461 5308 0.00940 -2461 5840 0.00459 -2461 6884 0.01972 -2461 7796 0.00872 -2461 9352 0.01763 -2461 9976 0.00919 -2460 2935 0.00488 -2460 4743 0.01853 -2460 5028 0.01244 -2460 6478 0.01078 -2460 7122 0.01630 -2460 8489 0.01986 -2460 9152 0.00837 -2460 9968 0.00922 -2459 2510 0.01413 -2459 3499 0.01642 -2459 4914 0.01530 -2459 5009 0.01901 -2459 5458 0.01855 -2459 6049 0.00212 -2459 7039 0.01289 -2459 9021 0.01247 -2459 9334 0.01886 -2459 9479 0.01844 -2458 4697 0.01518 -2458 5026 0.01622 -2458 5743 0.00139 -2458 6646 0.01270 -2458 6705 0.00446 -2458 6753 0.01456 -2458 7135 0.00963 -2458 7222 0.00801 -2458 7677 0.00497 -2458 7731 0.00280 -2458 8076 0.00940 -2458 8317 0.01494 -2458 9719 0.01883 -2458 9756 0.01914 -2457 3550 0.00662 -2457 3874 0.01574 -2457 4539 0.00239 -2457 4715 0.00855 -2457 5235 0.01759 -2457 5341 0.01362 -2457 5479 0.01831 -2457 5780 0.00886 -2457 5948 0.00704 -2457 6140 0.00643 -2457 6438 0.01905 -2457 6639 0.01572 -2457 7332 0.01020 -2457 8560 0.00846 -2457 9243 0.00104 -2457 9760 0.00905 -2456 3055 0.01425 -2456 3161 0.01730 -2456 5305 0.00734 -2456 6379 0.00778 -2456 7025 0.01867 -2456 7667 0.01616 -2456 8414 0.00533 -2456 8482 0.01673 -2456 8609 0.01853 -2456 9156 0.01572 -2455 2992 0.00913 -2455 3191 0.01853 -2455 4682 0.01932 -2455 6711 0.01106 -2455 7024 0.00825 -2455 7412 0.01733 -2455 7627 0.00766 -2455 7694 0.01142 -2455 8136 0.01095 -2455 8718 0.01527 -2455 9451 0.01075 -2454 3108 0.00410 -2454 3705 0.00743 -2454 4108 0.01478 -2454 6747 0.01582 -2454 9430 0.01356 -2454 9891 0.01228 -2454 9947 0.01486 -2453 5904 0.01389 -2453 5912 0.01635 -2453 6970 0.00917 -2453 7070 0.01796 -2453 7173 0.01213 -2453 7425 0.01998 -2453 7958 0.01814 -2453 8121 0.01275 -2453 9838 0.01551 -2453 9972 0.01407 -2452 5397 0.01877 -2452 5896 0.00944 -2452 6364 0.00947 -2452 6725 0.01101 -2452 8654 0.00744 -2452 9330 0.01786 -2452 9486 0.01792 -2451 3038 0.01638 -2451 4804 0.01924 -2451 5952 0.00940 -2451 7096 0.01449 -2451 8338 0.00668 -2450 4857 0.01500 -2450 7541 0.00714 -2450 7755 0.01637 -2450 7869 0.01717 -2450 7944 0.00965 -2449 3981 0.01774 -2449 4265 0.01943 -2449 5327 0.01641 -2449 5994 0.00901 -2449 7692 0.01624 -2449 8639 0.01753 -2449 9933 0.01571 -2448 3694 0.01096 -2448 8012 0.01603 -2448 9956 0.01514 -2447 3054 0.01117 -2447 4069 0.00530 -2447 4163 0.01307 -2447 5049 0.01993 -2447 5364 0.00719 -2447 5530 0.01342 -2447 6323 0.01143 -2447 6811 0.01259 -2447 7632 0.01955 -2447 9645 0.01371 -2446 3869 0.01644 -2446 5636 0.01619 -2446 6321 0.01889 -2446 6565 0.01213 -2446 7613 0.01732 -2445 2562 0.01157 -2445 2681 0.00394 -2445 3430 0.01832 -2445 3888 0.00977 -2445 3927 0.01693 -2445 4590 0.00546 -2445 5388 0.01232 -2445 6629 0.01762 -2445 7302 0.01686 -2445 8328 0.01020 -2445 9990 0.01241 -2444 2461 0.01838 -2444 5308 0.01878 -2444 6876 0.01453 -2444 6884 0.00711 -2444 9352 0.01215 -2444 9976 0.00920 -2443 2895 0.01549 -2443 2960 0.01490 -2443 4202 0.01764 -2443 5864 0.00896 -2443 6292 0.00687 -2443 6951 0.01306 -2443 7575 0.01505 -2442 4719 0.01052 -2442 6142 0.01253 -2442 8379 0.01631 -2441 3042 0.00586 -2441 4080 0.01618 -2441 5180 0.01083 -2441 5710 0.01766 -2441 7526 0.01710 -2441 7732 0.01408 -2441 7916 0.01974 -2441 8013 0.00850 -2441 8279 0.01369 -2441 8955 0.00585 -2441 9206 0.01742 -2440 2966 0.01569 -2440 4172 0.00589 -2440 4248 0.01138 -2440 4258 0.01905 -2440 4342 0.01974 -2440 4564 0.01830 -2440 4848 0.01670 -2440 5460 0.00349 -2440 6172 0.01797 -2440 6221 0.01642 -2440 6291 0.01215 -2440 9739 0.01404 -2439 3489 0.01688 -2439 4685 0.00333 -2439 5035 0.01516 -2439 6546 0.00738 -2439 8176 0.01811 -2439 8708 0.00569 -2439 9587 0.01964 -2439 9690 0.00735 -2438 3271 0.00639 -2438 3312 0.00564 -2438 3736 0.01389 -2438 4506 0.01645 -2438 5114 0.00624 -2438 5640 0.01586 -2438 5868 0.01777 -2438 6589 0.01301 -2438 6767 0.01480 -2438 6820 0.00791 -2438 6978 0.01079 -2438 7441 0.01511 -2438 7851 0.01904 -2438 8293 0.01254 -2438 8349 0.00847 -2438 9926 0.00714 -2437 2845 0.01240 -2437 3420 0.01533 -2437 3667 0.00847 -2437 3719 0.01652 -2437 4289 0.01502 -2437 4441 0.01856 -2437 4628 0.00923 -2437 4829 0.01380 -2437 5492 0.01871 -2437 6590 0.00473 -2437 6949 0.01668 -2437 7966 0.01920 -2437 8143 0.00887 -2437 8647 0.01603 -2437 9623 0.01553 -2436 5210 0.00837 -2436 5919 0.01520 -2436 6849 0.00778 -2436 7547 0.01911 -2436 8681 0.01348 -2436 8928 0.01872 -2436 9608 0.00978 -2435 2897 0.01229 -2435 3037 0.01237 -2435 3623 0.01804 -2435 4860 0.01496 -2435 7067 0.00590 -2435 7379 0.01047 -2435 7648 0.01815 -2435 8688 0.01263 -2434 2852 0.01147 -2434 3156 0.01456 -2434 5661 0.00206 -2434 5854 0.01892 -2434 7317 0.01290 -2434 8198 0.01332 -2434 9117 0.00731 -2433 2884 0.01372 -2433 2903 0.01573 -2433 3011 0.01972 -2433 4339 0.01885 -2433 5748 0.00789 -2433 6353 0.00840 -2433 7622 0.01262 -2433 8396 0.00582 -2433 8618 0.01570 -2433 9794 0.01698 -2432 4984 0.01073 -2432 6145 0.01732 -2432 7607 0.00870 -2432 7730 0.01178 -2432 9167 0.01790 -2432 9433 0.01199 -2432 9591 0.00826 -2432 9668 0.01058 -2431 3998 0.00984 -2431 4970 0.01968 -2431 6112 0.01995 -2431 6575 0.00942 -2431 6783 0.00914 -2431 7738 0.01375 -2431 8439 0.01199 -2431 9010 0.01947 -2431 9214 0.01230 -2430 3342 0.00953 -2430 3442 0.00989 -2430 5144 0.01739 -2430 5200 0.01106 -2430 5536 0.01802 -2430 5553 0.01830 -2430 9409 0.01798 -2429 3742 0.01038 -2429 3799 0.01914 -2429 4963 0.01250 -2429 5558 0.01345 -2429 5839 0.01966 -2429 6063 0.00814 -2429 6168 0.01451 -2429 7897 0.01468 -2429 9693 0.01135 -2429 9826 0.01399 -2429 9912 0.01208 -2429 9980 0.01510 -2428 5370 0.00837 -2428 5538 0.01496 -2428 9240 0.01181 -2427 4669 0.00839 -2427 5062 0.01986 -2427 6936 0.01345 -2427 8093 0.01408 -2427 8193 0.01888 -2427 8703 0.01948 -2427 8854 0.01186 -2426 3165 0.01661 -2426 6496 0.00923 -2426 6536 0.00953 -2426 7394 0.01288 -2426 7948 0.01228 -2426 8409 0.00275 -2426 8474 0.01632 -2426 8735 0.00741 -2426 9331 0.01530 -2426 9957 0.01964 -2425 2470 0.00233 -2425 4648 0.01208 -2425 5276 0.01662 -2425 6123 0.01822 -2425 6249 0.01967 -2425 8312 0.01060 -2425 9472 0.01224 -2424 2824 0.01488 -2424 5295 0.00396 -2424 5942 0.00973 -2424 7237 0.01802 -2424 7538 0.00116 -2424 9148 0.01747 -2423 3487 0.01260 -2423 4843 0.01745 -2423 5733 0.00817 -2423 6504 0.01614 -2423 7451 0.01494 -2423 8171 0.01038 -2423 8433 0.01605 -2423 9467 0.00895 -2423 9740 0.01602 -2422 2448 0.01953 -2422 2583 0.01609 -2422 3694 0.01147 -2422 4097 0.01990 -2422 5125 0.01677 -2422 6091 0.01106 -2422 8012 0.01015 -2422 8225 0.01984 -2422 9038 0.01710 -2421 2728 0.01776 -2421 3231 0.01376 -2421 3638 0.00966 -2421 3714 0.01154 -2421 4199 0.00961 -2421 4221 0.01735 -2421 4821 0.01832 -2421 5998 0.01733 -2421 6193 0.01962 -2421 6469 0.01694 -2421 6950 0.00661 -2421 7184 0.01748 -2421 7592 0.00704 -2421 7839 0.01936 -2421 9208 0.01933 -2421 9248 0.01624 -2420 3738 0.01998 -2420 3989 0.01791 -2420 4095 0.01751 -2420 5502 0.01743 -2420 5799 0.01433 -2420 8375 0.01647 -2420 8559 0.01640 -2420 9166 0.01389 -2420 9278 0.01095 -2420 9680 0.01989 -2419 2637 0.01550 -2419 2994 0.01364 -2419 3318 0.01221 -2419 5993 0.01391 -2419 6055 0.01396 -2419 6234 0.00505 -2419 6541 0.01878 -2419 6829 0.01112 -2419 7038 0.01035 -2419 7361 0.00595 -2419 8169 0.01264 -2419 9484 0.00874 -2419 9684 0.01937 -2418 2729 0.01590 -2418 3746 0.01015 -2418 3962 0.01077 -2418 4037 0.01976 -2418 4106 0.00422 -2418 4855 0.00927 -2418 4938 0.01126 -2418 6395 0.01719 -2418 7296 0.01726 -2418 7920 0.01058 -2418 8148 0.01947 -2418 9493 0.01464 -2417 4242 0.01770 -2417 5147 0.01685 -2417 7075 0.00519 -2417 7087 0.01835 -2417 7215 0.00716 -2417 7254 0.01986 -2417 7278 0.00275 -2417 9509 0.01945 -2416 4413 0.01814 -2416 4997 0.01255 -2416 6893 0.01513 -2416 8000 0.01547 -2416 8026 0.01679 -2416 8555 0.01899 -2415 2839 0.01848 -2415 3031 0.01503 -2415 3658 0.01101 -2415 4454 0.01834 -2415 6683 0.00619 -2415 6778 0.01797 -2415 7711 0.00699 -2415 7935 0.00866 -2415 8776 0.01852 -2414 3523 0.01286 -2414 3669 0.01968 -2414 3748 0.01089 -2414 4141 0.01107 -2414 5566 0.01249 -2414 5739 0.01717 -2414 6542 0.00262 -2414 9773 0.01805 -2413 3332 0.01996 -2413 3659 0.00710 -2413 3886 0.01297 -2413 4078 0.01103 -2413 4728 0.01760 -2413 5238 0.00880 -2413 6655 0.01159 -2413 7556 0.01964 -2412 4405 0.00609 -2412 4854 0.01777 -2412 5529 0.01596 -2412 5849 0.01778 -2412 6279 0.01765 -2412 6598 0.01282 -2412 7232 0.00394 -2412 8038 0.01621 -2412 8511 0.01859 -2412 8733 0.01649 -2412 9825 0.00776 -2412 9938 0.01843 -2411 2557 0.01635 -2411 3428 0.00630 -2411 5680 0.00691 -2411 5962 0.01830 -2411 6267 0.01606 -2411 7349 0.00618 -2411 7953 0.01051 -2411 8288 0.01603 -2411 9459 0.00508 -2410 2468 0.00612 -2410 4523 0.01860 -2410 4632 0.01374 -2410 4886 0.01092 -2410 6114 0.01457 -2410 6122 0.01247 -2410 6362 0.01110 -2410 6446 0.00430 -2410 7073 0.00766 -2410 7682 0.00539 -2410 8502 0.01010 -2410 8988 0.01889 -2410 9128 0.00722 -2410 9925 0.01357 -2409 2473 0.01383 -2409 3025 0.00845 -2409 3169 0.01469 -2409 3351 0.01311 -2409 4341 0.00410 -2409 4364 0.01702 -2409 5286 0.01477 -2409 5596 0.01023 -2409 5880 0.00486 -2409 6525 0.01449 -2409 7508 0.01964 -2409 9106 0.00959 -2408 3579 0.00189 -2408 3677 0.00866 -2408 5247 0.00533 -2408 5620 0.01469 -2408 7079 0.00849 -2408 7230 0.01329 -2408 7235 0.01402 -2408 7624 0.01243 -2408 8893 0.01330 -2408 9018 0.00310 -2407 2663 0.01786 -2407 3050 0.01596 -2407 3288 0.01910 -2407 3930 0.01599 -2406 2737 0.01008 -2406 2968 0.01151 -2406 2984 0.00762 -2406 4365 0.00993 -2406 5513 0.00903 -2406 6809 0.01805 -2406 6944 0.01677 -2406 6963 0.00358 -2406 7937 0.00812 -2406 8792 0.01364 -2405 2821 0.01461 -2405 5242 0.00365 -2405 6018 0.01032 -2405 6135 0.01417 -2405 6557 0.00192 -2405 7956 0.01568 -2405 8594 0.01479 -2405 9033 0.00412 -2405 9086 0.01549 -2404 3254 0.01847 -2404 4684 0.01396 -2404 4698 0.00482 -2404 4931 0.01142 -2404 5753 0.01825 -2404 5963 0.01467 -2404 6258 0.01508 -2404 7692 0.01609 -2404 7905 0.01692 -2404 8284 0.01530 -2404 9631 0.01664 -2403 3456 0.00248 -2403 4822 0.01313 -2403 5008 0.00513 -2403 5404 0.01511 -2403 6386 0.01812 -2403 7462 0.00235 -2403 8714 0.01099 -2403 9210 0.01097 -2402 2609 0.01844 -2402 2855 0.01782 -2402 3162 0.00840 -2402 5522 0.01995 -2402 5793 0.01766 -2402 6677 0.01381 -2402 6718 0.01275 -2402 7109 0.01723 -2402 7408 0.01108 -2402 7659 0.01361 -2402 8134 0.01397 -2402 8204 0.01567 -2401 2854 0.01776 -2401 2993 0.01290 -2401 3403 0.01450 -2401 3732 0.01167 -2401 4090 0.01032 -2401 4617 0.01228 -2401 4998 0.01512 -2401 5355 0.00849 -2400 4399 0.01305 -2400 7255 0.01189 -2400 9902 0.01105 -2399 3707 0.01682 -2399 5240 0.00505 -2399 5885 0.01007 -2399 7557 0.01587 -2399 7893 0.01894 -2399 8552 0.01000 -2399 8694 0.00997 -2399 8784 0.00632 -2399 8870 0.01008 -2399 9260 0.00867 -2398 2504 0.00803 -2398 3340 0.01986 -2398 5063 0.01547 -2398 6212 0.01352 -2398 6577 0.01871 -2398 7020 0.01401 -2398 8340 0.01444 -2398 9035 0.01873 -2398 9089 0.01563 -2398 9270 0.01947 -2398 9946 0.00649 -2397 4290 0.00752 -2397 5505 0.01903 -2397 5546 0.01811 -2397 5625 0.01869 -2397 5713 0.00391 -2397 7702 0.00454 -2397 8408 0.00670 -2397 8903 0.01660 -2397 9316 0.01547 -2396 2481 0.01771 -2396 2542 0.00967 -2396 3441 0.00546 -2396 3494 0.01916 -2396 3776 0.01555 -2396 4429 0.01354 -2396 5244 0.01700 -2396 5634 0.01150 -2396 5823 0.00922 -2396 7964 0.00569 -2396 9495 0.01776 -2395 6727 0.01121 -2395 6806 0.01891 -2395 6871 0.01197 -2395 6948 0.01755 -2395 7268 0.00791 -2395 7950 0.01853 -2395 8460 0.01436 -2395 8696 0.01680 -2394 3263 0.01096 -2394 3377 0.01542 -2394 3783 0.00800 -2394 6159 0.01727 -2394 6403 0.01126 -2394 7534 0.01481 -2394 8659 0.01257 -2393 2743 0.01562 -2393 7285 0.01588 -2393 7350 0.01902 -2393 7625 0.00424 -2393 8309 0.01764 -2393 8490 0.00922 -2393 8913 0.00695 -2393 9310 0.00731 -2393 9373 0.01570 -2392 2482 0.01472 -2392 2905 0.01765 -2392 3935 0.00541 -2392 5188 0.01215 -2392 5281 0.01516 -2392 5285 0.00183 -2392 5804 0.01583 -2392 6051 0.00696 -2392 7002 0.01644 -2392 7219 0.00656 -2392 8798 0.01260 -2392 9118 0.01503 -2392 9173 0.01073 -2391 2445 0.01152 -2391 2562 0.01213 -2391 2681 0.00758 -2391 2937 0.01555 -2391 2955 0.01508 -2391 4590 0.01295 -2391 5025 0.01401 -2391 5986 0.01808 -2391 6629 0.00638 -2391 7302 0.01741 -2391 9985 0.01296 -2390 5255 0.01339 -2390 5860 0.00296 -2390 6013 0.01692 -2390 8402 0.01105 -2390 9174 0.01879 -2390 9888 0.01965 -2389 3819 0.01771 -2389 4650 0.00953 -2389 4653 0.00861 -2389 5738 0.00542 -2389 6615 0.01297 -2389 8109 0.01482 -2388 4015 0.01400 -2388 5687 0.01522 -2388 6416 0.01747 -2388 7832 0.01729 -2388 8525 0.00562 -2388 8887 0.01577 -2387 2965 0.00559 -2387 8637 0.01697 -2387 9346 0.00909 -2387 9404 0.00480 -2386 2612 0.01948 -2386 2930 0.01480 -2386 4148 0.01400 -2386 5377 0.01907 -2386 5803 0.00648 -2386 5821 0.01041 -2386 6040 0.00374 -2386 6636 0.01398 -2386 6688 0.01797 -2386 8343 0.01050 -2386 8364 0.01248 -2386 9527 0.01254 -2385 7718 0.01041 -2384 5019 0.00914 -2384 5491 0.01858 -2384 5635 0.01890 -2384 6270 0.01978 -2384 7289 0.01746 -2384 8682 0.01073 -2383 2703 0.01875 -2383 3067 0.01783 -2383 3573 0.01932 -2383 5485 0.00400 -2383 6024 0.01682 -2383 6607 0.01415 -2383 7179 0.00587 -2383 9028 0.01911 -2383 9502 0.00869 -2383 9582 0.01471 -2383 9727 0.01771 -2382 2442 0.01790 -2382 4047 0.01778 -2382 5192 0.01973 -2382 5365 0.01275 -2382 5680 0.01787 -2382 6142 0.01187 -2382 6267 0.01443 -2382 7407 0.01665 -2382 9580 0.01351 -2381 2847 0.00654 -2381 3513 0.00656 -2381 4004 0.00492 -2381 5411 0.01862 -2381 7149 0.01893 -2381 7536 0.01759 -2381 7676 0.00693 -2381 8329 0.01965 -2381 8686 0.01206 -2381 8805 0.01909 -2381 9321 0.01164 -2380 2650 0.01572 -2380 3452 0.00920 -2380 5794 0.00990 -2380 6126 0.00604 -2380 6983 0.00859 -2380 9391 0.01223 -2379 3328 0.01252 -2379 4797 0.01388 -2379 5007 0.01912 -2379 5655 0.01495 -2379 7399 0.01614 -2379 9060 0.00634 -2379 9393 0.01449 -2378 2659 0.01362 -2378 3458 0.01603 -2378 3836 0.00638 -2378 3906 0.01989 -2378 4928 0.00863 -2378 4977 0.01793 -2378 5641 0.00152 -2378 6236 0.01789 -2378 6817 0.01892 -2378 6819 0.01999 -2378 6858 0.01515 -2378 8585 0.01143 -2378 8755 0.01647 -2378 9643 0.01955 -2378 9759 0.00967 -2377 3099 0.01440 -2377 3311 0.01668 -2377 3898 0.01982 -2377 5451 0.01072 -2377 6808 0.01362 -2377 9636 0.01343 -2377 9830 0.01733 -2376 3863 0.01724 -2376 5290 0.00437 -2376 6257 0.01554 -2376 6420 0.01273 -2376 7384 0.01609 -2376 7443 0.01722 -2376 8220 0.01516 -2376 8811 0.01769 -2376 9656 0.01467 -2375 3602 0.01866 -2375 4437 0.01661 -2375 5933 0.00897 -2375 6818 0.01926 -2375 7166 0.01263 -2375 7783 0.01125 -2375 9147 0.00986 -2374 2978 0.00996 -2374 3792 0.01185 -2374 4424 0.01927 -2374 5079 0.01909 -2374 5082 0.01355 -2374 7954 0.01969 -2374 8900 0.00772 -2373 2723 0.01332 -2373 3102 0.01253 -2373 3335 0.01875 -2373 3461 0.01255 -2373 3524 0.00720 -2373 3891 0.00664 -2373 4395 0.01347 -2373 4965 0.01293 -2373 5376 0.00629 -2373 5395 0.01412 -2373 5657 0.01168 -2373 6124 0.01328 -2373 6215 0.01541 -2373 6360 0.01831 -2373 6493 0.01955 -2373 8700 0.01552 -2373 9445 0.01887 -2373 9641 0.00996 -2372 3481 0.00707 -2372 4250 0.01889 -2372 5643 0.01764 -2372 6867 0.01364 -2372 7063 0.00994 -2372 8111 0.01153 -2372 9390 0.01220 -2371 6031 0.00342 -2371 6053 0.01515 -2371 6739 0.01519 -2371 6771 0.01483 -2371 7436 0.01312 -2370 5430 0.01031 -2370 5828 0.01228 -2370 6947 0.01014 -2370 9983 0.00281 -2369 3256 0.00414 -2369 3476 0.01113 -2369 3544 0.01575 -2369 3753 0.01309 -2369 4288 0.00182 -2369 4443 0.01733 -2369 4686 0.01819 -2369 5693 0.01221 -2369 8371 0.01551 -2368 2521 0.01716 -2368 5543 0.01444 -2368 5859 0.01009 -2368 6864 0.01854 -2368 7008 0.01899 -2368 7363 0.01510 -2368 8125 0.01734 -2368 9603 0.01433 -2367 2397 0.00432 -2367 4290 0.01182 -2367 5505 0.01908 -2367 5546 0.01768 -2367 5625 0.01734 -2367 5713 0.00734 -2367 7702 0.00673 -2367 8408 0.01030 -2367 8903 0.01673 -2367 9014 0.01844 -2367 9316 0.01805 -2366 3755 0.01189 -2366 4621 0.01490 -2366 5343 0.01434 -2366 5698 0.01868 -2366 5701 0.01281 -2366 6345 0.01176 -2365 4130 0.01300 -2365 6312 0.01333 -2365 7862 0.01430 -2365 7942 0.00388 -2365 8289 0.01771 -2365 8426 0.01457 -2365 8550 0.01370 -2365 9531 0.01594 -2364 3053 0.01134 -2364 3662 0.01314 -2364 3731 0.01764 -2364 5658 0.00644 -2364 5671 0.00777 -2364 6660 0.01896 -2364 7389 0.01818 -2364 9062 0.01952 -2364 9667 0.00573 -2364 9809 0.01727 -2363 2396 0.01561 -2363 2542 0.01472 -2363 3223 0.01595 -2363 3494 0.00778 -2363 3599 0.01748 -2363 3622 0.01868 -2363 5244 0.01436 -2363 5823 0.01905 -2363 7799 0.01417 -2363 7964 0.01935 -2363 8119 0.01458 -2363 8388 0.01708 -2363 9951 0.01589 -2362 2417 0.01240 -2362 3385 0.01765 -2362 4904 0.01769 -2362 5147 0.00576 -2362 6406 0.01790 -2362 7006 0.00868 -2362 7075 0.01550 -2362 7215 0.01917 -2362 7254 0.01551 -2362 7278 0.01164 -2362 9370 0.01834 -2361 3908 0.01724 -2361 4376 0.01239 -2361 4764 0.01805 -2361 5146 0.01410 -2361 6242 0.01956 -2361 8602 0.01216 -2361 9170 0.01751 -2360 5132 0.00997 -2360 5228 0.01039 -2360 5419 0.00920 -2360 6772 0.01563 -2360 9093 0.00802 -2359 3086 0.01425 -2359 4018 0.01030 -2359 5161 0.01185 -2359 6610 0.00252 -2359 7428 0.01249 -2358 2466 0.01788 -2358 3478 0.01976 -2358 3848 0.00808 -2358 4428 0.01584 -2358 4821 0.01593 -2358 5618 0.01195 -2358 6622 0.01928 -2358 6901 0.01389 -2358 7605 0.01025 -2358 8814 0.01793 -2358 8846 0.00661 -2358 9098 0.00410 -2358 9208 0.01173 -2357 2447 0.01997 -2357 4163 0.01329 -2357 5034 0.01760 -2357 5364 0.01915 -2357 5938 0.00539 -2357 6174 0.01733 -2357 6323 0.01701 -2357 6811 0.01201 -2357 7528 0.01625 -2357 8197 0.01925 -2357 8716 0.01114 -2356 3176 0.01066 -2356 4119 0.00316 -2356 4921 0.01897 -2356 5208 0.01734 -2356 5594 0.01245 -2356 5709 0.00422 -2356 5742 0.00606 -2356 9563 0.00234 -2355 3100 0.01495 -2355 4487 0.00894 -2355 5851 0.01254 -2355 6095 0.01808 -2355 6791 0.00563 -2355 8456 0.01764 -2355 8867 0.00324 -2354 2374 0.01094 -2354 2978 0.00136 -2354 3792 0.01716 -2354 6028 0.01633 -2354 7266 0.01816 -2354 7954 0.01542 -2354 8900 0.00762 -2354 9415 0.01993 -2353 2403 0.01306 -2353 3456 0.01447 -2353 3965 0.01020 -2353 5008 0.01720 -2353 5683 0.01791 -2353 7325 0.01703 -2353 7462 0.01205 -2353 8714 0.00942 -2353 9333 0.01461 -2353 9520 0.01764 -2353 9585 0.01815 -2352 4314 0.01560 -2352 4435 0.01209 -2352 5812 0.01827 -2352 6313 0.00936 -2352 6722 0.01469 -2352 7470 0.01705 -2352 8184 0.01431 -2352 9420 0.01220 -2351 3812 0.01248 -2351 4233 0.01436 -2351 4815 0.01097 -2351 4901 0.01579 -2351 6390 0.01556 -2351 6508 0.01914 -2351 7503 0.01048 -2351 8265 0.01629 -2350 4447 0.00679 -2350 4644 0.01640 -2350 5510 0.01606 -2350 5800 0.00523 -2350 6903 0.00709 -2350 7319 0.01032 -2350 7439 0.01585 -2350 7461 0.01654 -2350 8952 0.01496 -2350 9523 0.01271 -2350 9613 0.01669 -2350 9812 0.01195 -2349 3973 0.01362 -2349 4177 0.01087 -2349 4209 0.01679 -2349 5101 0.01096 -2349 6803 0.01930 -2349 7474 0.00954 -2349 7488 0.01771 -2349 7906 0.00985 -2349 9008 0.01646 -2349 9377 0.01127 -2348 3111 0.01247 -2348 5919 0.01525 -2348 6827 0.01881 -2348 6849 0.01459 -2348 7329 0.00811 -2348 7797 0.00693 -2348 8772 0.01653 -2348 9608 0.01840 -2347 2637 0.01861 -2347 2776 0.01528 -2347 3147 0.01785 -2347 3416 0.01390 -2347 5043 0.00585 -2347 5413 0.01939 -2347 6266 0.00401 -2347 6282 0.01442 -2347 6459 0.01792 -2347 6541 0.01449 -2347 7919 0.01749 -2347 8496 0.00780 -2346 2447 0.01843 -2346 2584 0.01574 -2346 4069 0.01816 -2346 4110 0.00784 -2346 4480 0.01547 -2346 5071 0.01392 -2346 5364 0.01144 -2346 5530 0.01335 -2346 6261 0.01762 -2346 6811 0.01390 -2346 6814 0.01150 -2346 6953 0.00600 -2346 9897 0.01768 -2345 3514 0.01522 -2345 3796 0.01620 -2345 4056 0.01977 -2345 4967 0.01829 -2345 5445 0.01608 -2345 5826 0.01427 -2345 6148 0.01302 -2345 6737 0.01537 -2345 6823 0.01315 -2345 6853 0.01365 -2345 7228 0.01108 -2345 8899 0.00950 -2345 9188 0.01837 -2345 9237 0.01345 -2345 9961 0.01512 -2344 2567 0.01256 -2344 3297 0.00172 -2344 3961 0.00633 -2344 5346 0.01564 -2344 5542 0.01846 -2344 5857 0.01299 -2344 9178 0.01283 -2344 9261 0.01858 -2343 2898 0.01833 -2343 3283 0.01770 -2343 3469 0.01774 -2343 3739 0.01789 -2343 4096 0.01300 -2343 6566 0.00363 -2343 7186 0.01705 -2343 8115 0.00844 -2343 8129 0.00768 -2343 8133 0.01565 -2343 9337 0.01485 -2343 9683 0.01478 -2342 2662 0.01566 -2342 4320 0.01199 -2342 6328 0.01881 -2342 7898 0.00955 -2342 9051 0.01425 -2342 9295 0.01715 -2342 9380 0.00794 -2342 9558 0.01867 -2341 5021 0.01892 -2341 5947 0.01071 -2341 6068 0.01634 -2341 7419 0.01138 -2341 7471 0.00740 -2341 8114 0.01617 -2341 8249 0.01259 -2341 8845 0.01301 -2341 8971 0.01597 -2341 9304 0.01648 -2341 9763 0.01776 -2341 9843 0.01958 -2340 3666 0.01076 -2340 3919 0.00808 -2340 4040 0.01999 -2340 4082 0.00297 -2340 4695 0.00714 -2340 7393 0.01209 -2340 8410 0.01788 -2340 8754 0.01398 -2340 8760 0.01346 -2340 9316 0.01861 -2339 4189 0.00297 -2339 4884 0.01582 -2339 5045 0.01589 -2339 5873 0.01290 -2339 6373 0.01872 -2339 7058 0.00793 -2339 7543 0.01737 -2339 8796 0.01732 -2338 3880 0.01836 -2338 4219 0.01716 -2338 5402 0.01622 -2338 5966 0.01999 -2338 6376 0.01357 -2338 8203 0.00998 -2338 8705 0.00802 -2337 2801 0.00209 -2337 3568 0.01593 -2337 3872 0.01281 -2337 4337 0.01422 -2337 4828 0.01421 -2337 5319 0.01774 -2337 5462 0.01460 -2337 5699 0.01573 -2337 6334 0.01224 -2337 7465 0.01745 -2337 9578 0.01893 -2337 9757 0.01532 -2336 3084 0.01873 -2336 3255 0.00902 -2336 3309 0.01115 -2336 3577 0.01843 -2336 4490 0.01264 -2336 5455 0.01737 -2336 5668 0.01945 -2336 7960 0.01896 -2336 8014 0.01403 -2336 8911 0.01903 -2336 9226 0.01887 -2335 2954 0.00912 -2335 3606 0.01045 -2335 4026 0.01740 -2335 6034 0.00945 -2335 6195 0.01645 -2335 8028 0.00243 -2335 8640 0.01358 -2335 8680 0.01355 -2335 8849 0.01835 -2335 8932 0.01354 -2335 8957 0.01244 -2334 2537 0.01099 -2334 6216 0.01495 -2334 7364 0.01011 -2334 7524 0.01900 -2334 7833 0.01512 -2334 8005 0.01805 -2334 8658 0.01273 -2334 8693 0.01550 -2334 9876 0.01827 -2333 3065 0.01971 -2333 3530 0.00374 -2333 3646 0.01552 -2333 5011 0.01616 -2333 6909 0.01125 -2333 7330 0.01323 -2333 7792 0.01695 -2333 8154 0.00793 -2333 9138 0.00939 -2333 9195 0.01930 -2333 9351 0.01865 -2333 9515 0.01862 -2332 3232 0.01681 -2332 5328 0.01808 -2332 6387 0.00814 -2332 7192 0.01544 -2332 7340 0.01961 -2332 9195 0.01545 -2332 9207 0.01301 -2331 2642 0.01100 -2331 3615 0.01861 -2331 3988 0.01514 -2331 7730 0.01985 -2331 9356 0.01308 -2330 3172 0.01704 -2330 3193 0.01942 -2330 4306 0.01328 -2330 5706 0.00770 -2330 6166 0.00774 -2330 6434 0.01974 -2330 6967 0.01884 -2330 9065 0.00521 -2330 9609 0.00687 -2330 9618 0.01716 -2330 9874 0.01568 -2330 9877 0.01964 -2329 4459 0.00596 -2329 5330 0.01619 -2329 5766 0.01854 -2329 5990 0.01496 -2329 6891 0.01970 -2329 7288 0.00544 -2329 9731 0.00535 -2328 2819 0.01458 -2328 3359 0.01984 -2328 3859 0.01609 -2328 4055 0.01269 -2328 4651 0.01878 -2328 5020 0.01939 -2328 5353 0.00326 -2328 5410 0.01742 -2328 6774 0.01481 -2328 7176 0.01886 -2328 8042 0.01799 -2328 8084 0.01116 -2328 9548 0.01656 -2327 2376 0.01843 -2327 5290 0.01814 -2327 5380 0.01995 -2327 5534 0.00896 -2327 6420 0.01905 -2327 7443 0.00639 -2326 2686 0.00715 -2326 3142 0.01746 -2326 3314 0.01232 -2326 3486 0.01880 -2326 3688 0.01305 -2326 4315 0.00566 -2326 4356 0.01154 -2326 4624 0.00579 -2326 4853 0.00414 -2326 5229 0.01619 -2326 5435 0.01907 -2326 6283 0.00941 -2326 8097 0.01160 -2326 9340 0.00874 -2326 9687 0.01967 -2326 9765 0.00883 -2325 2803 0.01616 -2325 3548 0.00798 -2325 4196 0.00738 -2325 4736 0.01311 -2325 4790 0.00566 -2325 5284 0.00483 -2325 6339 0.01694 -2325 6768 0.01510 -2325 7233 0.01658 -2325 9430 0.01088 -2325 9886 0.00496 -2325 9891 0.01454 -2324 3678 0.01773 -2324 3912 0.01475 -2324 4282 0.01530 -2324 4697 0.01541 -2324 4739 0.00782 -2324 5026 0.01991 -2324 7587 0.01397 -2324 8317 0.01933 -2324 8566 0.01685 -2324 9567 0.00580 -2324 9756 0.01040 -2324 9916 0.00753 -2323 3181 0.01751 -2323 3501 0.01391 -2323 3509 0.01627 -2323 4218 0.01523 -2323 4403 0.01510 -2323 5552 0.00715 -2323 6223 0.00638 -2323 6579 0.01443 -2323 6939 0.01998 -2323 7316 0.01283 -2323 7751 0.01352 -2323 8215 0.01659 -2323 8549 0.01706 -2323 9431 0.01526 -2322 3709 0.01365 -2322 4260 0.00940 -2322 4912 0.01042 -2322 5193 0.01344 -2322 5213 0.01744 -2322 5557 0.01300 -2322 5844 0.01271 -2322 6041 0.01819 -2322 6961 0.00547 -2322 7022 0.01273 -2322 8310 0.01544 -2322 8449 0.01960 -2322 8876 0.01395 -2322 9754 0.01113 -2321 2832 0.01943 -2321 2919 0.01756 -2321 4021 0.00984 -2321 4416 0.00572 -2321 4456 0.00820 -2321 5847 0.01923 -2321 6599 0.01206 -2321 7457 0.01155 -2321 8483 0.01690 -2321 8923 0.01955 -2321 9535 0.01131 -2320 2388 0.01999 -2320 4113 0.01696 -2320 4704 0.00877 -2320 5163 0.00797 -2320 5418 0.01279 -2320 5687 0.01585 -2320 6132 0.01165 -2320 7027 0.01264 -2320 8219 0.00815 -2320 9298 0.01622 -2320 9473 0.00587 -2320 9819 0.00938 -2319 3090 0.01937 -2319 3223 0.01148 -2319 3562 0.01729 -2319 7282 0.01530 -2319 7653 0.00828 -2319 7799 0.01319 -2319 9327 0.01345 -2319 9651 0.01749 -2319 9771 0.00873 -2318 2922 0.00790 -2318 3044 0.01761 -2318 4652 0.00902 -2318 4734 0.01325 -2318 5576 0.01397 -2318 5845 0.01558 -2318 6006 0.01859 -2318 6149 0.00631 -2318 6962 0.01217 -2318 7355 0.01573 -2318 7714 0.01189 -2317 3203 0.01041 -2317 3462 0.01811 -2317 3712 0.01046 -2317 5040 0.01463 -2317 5095 0.01468 -2317 7147 0.00904 -2317 9198 0.01834 -2316 2943 0.00652 -2316 4160 0.01870 -2316 5597 0.01178 -2316 7621 0.00790 -2316 8852 0.00236 -2316 9449 0.01573 -2315 2963 0.01797 -2315 3266 0.00322 -2315 3794 0.01764 -2315 4626 0.01560 -2315 4677 0.01334 -2315 6211 0.00930 -2315 6726 0.00954 -2315 6930 0.01205 -2315 9488 0.01373 -2314 2867 0.01443 -2314 5902 0.01202 -2314 5971 0.01762 -2314 6834 0.01765 -2314 7385 0.01208 -2314 7868 0.01079 -2314 8153 0.01595 -2313 2788 0.01617 -2313 3393 0.00605 -2313 3417 0.00766 -2313 3533 0.01591 -2313 4640 0.00568 -2313 5363 0.01533 -2313 6784 0.00917 -2313 7649 0.01999 -2313 7767 0.01416 -2313 8753 0.01466 -2313 9124 0.01103 -2312 3190 0.01096 -2312 4845 0.01390 -2312 5725 0.01661 -2312 6658 0.00755 -2312 7933 0.00388 -2312 8254 0.00998 -2312 9200 0.01082 -2311 3453 0.01327 -2311 4109 0.00614 -2311 4392 0.01577 -2311 5054 0.00914 -2311 5232 0.01507 -2311 5349 0.00990 -2311 7549 0.01358 -2311 7562 0.00790 -2311 7736 0.01105 -2311 8815 0.01275 -2311 8895 0.00464 -2311 9649 0.01698 -2311 9670 0.01436 -2311 9748 0.01591 -2310 2388 0.00980 -2310 4015 0.01067 -2310 4410 0.01473 -2310 5687 0.01925 -2310 5953 0.01719 -2310 6416 0.01138 -2310 7832 0.01879 -2310 8277 0.01471 -2310 8525 0.00426 -2309 3537 0.00188 -2309 4872 0.00790 -2309 4894 0.01508 -2309 5589 0.01935 -2309 6101 0.00697 -2309 8170 0.01913 -2309 8347 0.01227 -2309 8419 0.01453 -2309 9236 0.01734 -2309 9832 0.00880 -2308 2398 0.01397 -2308 2504 0.00604 -2308 2657 0.01300 -2308 3340 0.00614 -2308 6212 0.00152 -2308 6862 0.01566 -2308 8528 0.01241 -2308 9035 0.01370 -2308 9089 0.01975 -2308 9619 0.01651 -2308 9946 0.01597 -2307 2596 0.01527 -2307 3186 0.00824 -2307 3209 0.01470 -2307 3734 0.01878 -2307 3778 0.01927 -2307 4255 0.00209 -2307 5344 0.01832 -2307 7377 0.01863 -2306 3604 0.01767 -2306 4980 0.01883 -2306 5329 0.01930 -2306 6009 0.01067 -2306 6382 0.00893 -2306 6960 0.00595 -2306 7283 0.01896 -2306 9767 0.01564 -2305 4048 0.00361 -2305 4126 0.01562 -2305 5555 0.01545 -2305 6214 0.01441 -2305 6427 0.01055 -2305 7080 0.01929 -2305 8201 0.01550 -2305 9264 0.00892 -2304 2713 0.01836 -2304 2986 0.00947 -2304 3253 0.01872 -2304 3542 0.01322 -2304 3558 0.01423 -2304 9215 0.01874 -2304 9860 0.01116 -2303 3430 0.00772 -2303 3888 0.01959 -2303 3927 0.01316 -2303 4718 0.01896 -2303 4936 0.01283 -2303 5148 0.01963 -2303 5895 0.01287 -2303 7191 0.01218 -2303 9653 0.01002 -2303 9776 0.01792 -2302 2320 0.00717 -2302 3500 0.01910 -2302 4113 0.01636 -2302 4704 0.00516 -2302 5069 0.01956 -2302 5163 0.00143 -2302 5418 0.01105 -2302 6132 0.01473 -2302 7027 0.00851 -2302 7614 0.01738 -2302 8219 0.00858 -2302 9298 0.01469 -2302 9473 0.00159 -2302 9819 0.00521 -2301 2336 0.01592 -2301 3145 0.01653 -2301 3163 0.00649 -2301 3255 0.00873 -2301 3303 0.01825 -2301 3577 0.01767 -2301 5421 0.01973 -2301 6937 0.01622 -2301 8014 0.01758 -2300 3319 0.00936 -2300 3700 0.01241 -2300 3893 0.01326 -2300 5198 0.01123 -2300 5504 0.01421 -2300 7758 0.00128 -2300 7872 0.01113 -2300 8294 0.01441 -2300 8606 0.01931 -2300 9087 0.01597 -2300 9379 0.01353 -2299 2899 0.00602 -2299 3303 0.01691 -2299 4067 0.01536 -2299 6016 0.01457 -2299 6937 0.01515 -2298 3811 0.01330 -2298 3957 0.00795 -2298 5744 0.01421 -2298 7454 0.00829 -2298 7831 0.01664 -2298 7914 0.01565 -2298 8425 0.00962 -2298 8504 0.01855 -2298 8539 0.01971 -2298 9132 0.01610 -2298 9873 0.01693 -2297 4179 0.00709 -2297 5451 0.01835 -2297 7225 0.01998 -2297 9830 0.01683 -2296 2761 0.00965 -2296 2818 0.00843 -2296 3619 0.01218 -2296 3678 0.01916 -2296 3976 0.00854 -2296 4156 0.00676 -2296 5223 0.01721 -2296 6470 0.00402 -2296 8535 0.01121 -2295 4690 0.01276 -2295 5360 0.01582 -2295 5841 0.01079 -2295 6110 0.01055 -2295 6188 0.01477 -2295 6831 0.01627 -2294 2477 0.01697 -2294 2813 0.01381 -2294 3815 0.00334 -2294 4542 0.01173 -2294 4620 0.01564 -2294 5894 0.01582 -2294 6844 0.01386 -2294 8304 0.01043 -2294 9600 0.01149 -2293 2601 0.00786 -2293 3069 0.00937 -2293 4171 0.01986 -2293 4292 0.01754 -2293 4765 0.00691 -2293 4941 0.00360 -2293 6422 0.00813 -2293 7717 0.01440 -2293 8441 0.00518 -2293 8495 0.01430 -2293 8746 0.01498 -2293 9789 0.01146 -2293 9864 0.01716 -2292 2440 0.00240 -2292 2966 0.01458 -2292 4172 0.00423 -2292 4248 0.00958 -2292 4342 0.01757 -2292 4564 0.01710 -2292 4848 0.01802 -2292 5460 0.00303 -2292 6172 0.01571 -2292 6221 0.01875 -2292 6291 0.00993 -2292 9739 0.01293 -2291 2982 0.01634 -2291 4409 0.00779 -2291 4574 0.01177 -2291 6432 0.00852 -2291 6669 0.01502 -2291 8002 0.01515 -2291 8066 0.01680 -2291 9806 0.00949 -2290 2371 0.01711 -2290 4686 0.01570 -2290 6053 0.01014 -2290 7178 0.01496 -2290 7436 0.01791 -2290 8238 0.01677 -2290 9047 0.00748 -2290 9365 0.01212 -2290 9599 0.01008 -2289 2744 0.01964 -2289 3650 0.01035 -2289 4275 0.01066 -2289 4615 0.01736 -2289 5645 0.01606 -2289 6532 0.01901 -2289 7088 0.01037 -2289 8537 0.00818 -2288 3609 0.01921 -2288 5515 0.01788 -2288 5867 0.01278 -2288 6036 0.01280 -2288 6147 0.01335 -2288 7114 0.01035 -2288 7328 0.01731 -2288 7486 0.01845 -2288 7768 0.01888 -2288 8086 0.01294 -2287 5335 0.00644 -2287 5466 0.01623 -2287 6815 0.01518 -2287 7252 0.00117 -2287 9149 0.00413 -2287 9328 0.01067 -2286 2668 0.01884 -2286 3361 0.01306 -2286 3645 0.01013 -2286 3671 0.01540 -2286 4105 0.01765 -2286 5716 0.01376 -2286 7850 0.00607 -2286 9673 0.00494 -2285 4464 0.01723 -2285 4546 0.01780 -2285 6000 0.01528 -2285 6421 0.00804 -2285 6757 0.01288 -2285 9199 0.01206 -2285 9709 0.01269 -2284 3605 0.01747 -2284 3876 0.01684 -2284 5027 0.01982 -2284 5474 0.01362 -2284 7466 0.01446 -2283 4111 0.01631 -2283 8750 0.01926 -2283 8996 0.00893 -2282 2891 0.00803 -2282 2977 0.01444 -2282 3219 0.01925 -2282 3539 0.00835 -2282 3752 0.01436 -2282 3959 0.01866 -2282 5407 0.01195 -2282 6984 0.01915 -2282 7354 0.01326 -2282 9041 0.00743 -2282 9442 0.01460 -2281 4485 0.01862 -2281 5218 0.01719 -2281 5999 0.01637 -2281 8005 0.01993 -2280 2918 0.01901 -2280 3020 0.01481 -2280 3603 0.01187 -2280 4109 0.02000 -2280 4551 0.01876 -2280 4908 0.01531 -2280 5232 0.00971 -2280 5269 0.00842 -2280 6509 0.00731 -2280 7241 0.01961 -2280 7736 0.01143 -2280 8321 0.01053 -2280 8815 0.00998 -2280 9234 0.01642 -2280 9437 0.01670 -2280 9649 0.00663 -2280 9670 0.00679 -2280 9748 0.01687 -2280 9884 0.00762 -2279 3434 0.01947 -2279 5128 0.01839 -2279 5164 0.01781 -2279 5568 0.01572 -2279 5602 0.01810 -2279 6601 0.00947 -2279 7190 0.00284 -2279 7300 0.01614 -2279 8029 0.00567 -2279 8046 0.01078 -2279 8092 0.01402 -2279 9378 0.00911 -2279 9945 0.00765 -2278 3023 0.01508 -2278 3283 0.01754 -2278 3429 0.01366 -2278 3818 0.01934 -2278 4813 0.01048 -2278 5005 0.01937 -2278 5013 0.01185 -2278 6198 0.00611 -2278 6415 0.01996 -2278 8331 0.01716 -2278 8725 0.00527 -2278 8859 0.01196 -2278 9544 0.00549 -2277 2406 0.01806 -2277 2737 0.00911 -2277 2968 0.00883 -2277 2984 0.01603 -2277 5513 0.01202 -2277 5705 0.01940 -2277 6944 0.01874 -2277 7350 0.01389 -2277 7937 0.01016 -2277 8309 0.01689 -2276 3686 0.01836 -2276 3891 0.01715 -2276 4434 0.01568 -2276 4965 0.01379 -2276 5395 0.01100 -2276 5657 0.01061 -2276 6124 0.01168 -2276 6202 0.00636 -2276 6230 0.00494 -2276 6493 0.00290 -2276 8244 0.01584 -2276 8348 0.00929 -2275 2290 0.01605 -2275 6053 0.01451 -2275 7178 0.00998 -2275 8238 0.00272 -2275 8657 0.01073 -2275 9047 0.01124 -2275 9070 0.00892 -2275 9075 0.01352 -2275 9365 0.01823 -2275 9599 0.01184 -2275 9919 0.01796 -2274 4556 0.01201 -2274 4689 0.01996 -2274 4976 0.01258 -2274 5398 0.01193 -2274 5774 0.01716 -2274 6060 0.01388 -2274 6228 0.01582 -2274 6856 0.01365 -2274 8253 0.01753 -2274 8466 0.01957 -2274 9458 0.01386 -2274 9802 0.01813 -2273 2843 0.00769 -2273 4547 0.00878 -2273 6035 0.01669 -2273 6756 0.01985 -2273 6760 0.01273 -2273 7077 0.01637 -2273 7315 0.01766 -2273 7410 0.01967 -2273 7429 0.01488 -2273 7606 0.01318 -2273 8565 0.01996 -2273 8571 0.01903 -2273 9543 0.01398 -2272 2585 0.01800 -2272 3043 0.01492 -2272 4720 0.01289 -2272 5599 0.00949 -2272 8947 0.01165 -2272 9299 0.01068 -2271 2449 0.01018 -2271 2548 0.01277 -2271 3981 0.01633 -2271 4513 0.01900 -2271 5994 0.01049 -2271 6097 0.01905 -2271 6424 0.01924 -2271 9346 0.01742 -2270 2528 0.01635 -2270 2599 0.01140 -2270 3576 0.00666 -2270 3862 0.01727 -2270 4448 0.01638 -2270 5617 0.01038 -2270 6472 0.00864 -2270 6473 0.01422 -2270 9222 0.01383 -2270 9632 0.00806 -2269 3553 0.01897 -2269 4744 0.01143 -2269 5074 0.00811 -2269 5496 0.00463 -2269 5600 0.01346 -2269 5956 0.01120 -2269 7780 0.01911 -2269 7798 0.01278 -2269 8447 0.01621 -2269 9177 0.01574 -2269 9774 0.01118 -2269 9896 0.01848 -2268 2897 0.01804 -2268 3915 0.01738 -2268 4593 0.01667 -2268 4860 0.01385 -2268 5549 0.00637 -2268 7648 0.01334 -2268 7662 0.00967 -2268 8159 0.01526 -2268 8191 0.00413 -2268 9123 0.00518 -2267 3264 0.00396 -2267 3569 0.01720 -2267 4339 0.01979 -2267 5695 0.01333 -2267 5753 0.00964 -2267 5963 0.01581 -2267 6004 0.00534 -2267 6258 0.01689 -2267 7905 0.01515 -2267 8107 0.01947 -2267 9238 0.01194 -2266 2864 0.01700 -2266 4642 0.01005 -2266 4856 0.01165 -2266 6213 0.01416 -2266 6760 0.01803 -2266 7090 0.00841 -2266 7315 0.01934 -2266 7661 0.01492 -2266 8161 0.00998 -2266 8437 0.01753 -2266 8601 0.01379 -2266 9068 0.01290 -2266 9543 0.01656 -2265 2426 0.01343 -2265 2491 0.01651 -2265 3165 0.00548 -2265 4334 0.01993 -2265 6689 0.01966 -2265 6763 0.01626 -2265 7394 0.01418 -2265 7948 0.01629 -2265 8409 0.01561 -2265 9331 0.00505 -2264 3553 0.01875 -2264 4310 0.01476 -2264 4969 0.00289 -2264 5837 0.01974 -2264 7389 0.01748 -2264 7726 0.01669 -2264 9062 0.01372 -2264 9667 0.01874 -2263 2584 0.01918 -2263 4740 0.01953 -2263 5217 0.01566 -2263 5340 0.01216 -2263 7106 0.00893 -2263 7816 0.01503 -2263 7867 0.01345 -2263 9058 0.01904 -2263 9188 0.01612 -2262 2775 0.00779 -2262 2818 0.01655 -2262 3129 0.01053 -2262 3619 0.01415 -2262 4156 0.01813 -2262 4537 0.01213 -2262 6208 0.01079 -2262 7530 0.01518 -2262 9920 0.01671 -2261 2716 0.00249 -2261 2906 0.01607 -2261 3346 0.00933 -2261 4033 0.01643 -2261 4046 0.01133 -2261 4512 0.01728 -2261 5756 0.01845 -2261 6524 0.01181 -2261 6852 0.01924 -2261 8139 0.00715 -2261 8165 0.01516 -2260 2404 0.00566 -2260 3254 0.01351 -2260 3566 0.01600 -2260 4684 0.00833 -2260 4698 0.00491 -2260 4931 0.00813 -2260 5753 0.01829 -2260 5963 0.01310 -2260 6258 0.01892 -2260 8284 0.00964 -2260 9631 0.01409 -2259 2531 0.01283 -2259 4544 0.00907 -2259 5190 0.01014 -2259 5974 0.01449 -2259 6993 0.01622 -2259 7466 0.01818 -2259 8767 0.01285 -2259 9943 0.01779 -2258 2263 0.01000 -2258 2486 0.01865 -2258 3514 0.01318 -2258 4056 0.01930 -2258 4740 0.01828 -2258 5217 0.00567 -2258 5340 0.01725 -2258 5445 0.01387 -2258 5826 0.01391 -2258 6853 0.01298 -2258 7106 0.01556 -2258 7816 0.01125 -2258 7867 0.01324 -2258 9058 0.01976 -2258 9188 0.00936 -2258 9961 0.01232 -2257 2274 0.01903 -2257 3125 0.01591 -2257 5384 0.01311 -2257 5398 0.00902 -2257 5863 0.01662 -2257 6060 0.01492 -2257 6203 0.00419 -2257 6246 0.01058 -2257 7071 0.01244 -2257 7787 0.01205 -2257 9385 0.01157 -2257 9569 0.00373 -2257 9802 0.01899 -2257 9850 0.01968 -2256 3154 0.01176 -2256 5309 0.01845 -2256 6153 0.01413 -2256 6165 0.00830 -2256 7146 0.00587 -2256 7927 0.01452 -2256 8951 0.00520 -2256 9069 0.01983 -2256 9552 0.00858 -2256 9867 0.01613 -2255 2992 0.01576 -2255 3098 0.01989 -2255 3401 0.01621 -2255 4268 0.01981 -2255 6008 0.00992 -2255 6171 0.01948 -2255 6711 0.01705 -2255 6733 0.00806 -2255 7694 0.01010 -2255 9451 0.01555 -2254 6046 0.01886 -2254 6673 0.01648 -2254 6762 0.01363 -2254 7756 0.01440 -2254 7775 0.01207 -2254 7986 0.01775 -2254 8313 0.00822 -2254 9553 0.01582 -2253 2831 0.01854 -2253 2871 0.01644 -2253 2949 0.01422 -2253 3221 0.01910 -2253 3227 0.00457 -2253 3868 0.01587 -2253 3923 0.00939 -2253 6084 0.00491 -2253 6572 0.01985 -2253 7709 0.01115 -2253 7902 0.00812 -2253 8104 0.01088 -2252 4363 0.01357 -2252 4468 0.01617 -2252 4608 0.01609 -2252 4610 0.00797 -2252 5292 0.01933 -2252 5463 0.01983 -2252 6964 0.00679 -2252 7112 0.00478 -2252 7477 0.00931 -2252 9611 0.01262 -2251 3299 0.00774 -2251 3784 0.00281 -2251 4359 0.01407 -2251 4442 0.01697 -2251 4483 0.01474 -2251 4670 0.00834 -2251 4896 0.00878 -2251 5065 0.01794 -2251 5490 0.01611 -2251 6812 0.01313 -2251 7177 0.01617 -2251 8830 0.01108 -2251 9848 0.01417 -2250 3040 0.00731 -2250 3056 0.01227 -2250 3249 0.01024 -2250 3964 0.01970 -2250 4317 0.01776 -2250 4955 0.01409 -2250 5280 0.01667 -2250 5375 0.01195 -2249 2933 0.01412 -2249 4187 0.01775 -2249 4325 0.01885 -2249 5865 0.01730 -2249 7220 0.01710 -2249 7368 0.00980 -2249 7724 0.00910 -2249 7733 0.01693 -2249 7815 0.01750 -2249 8523 0.01585 -2249 9084 0.00774 -2248 2292 0.01038 -2248 2440 0.01271 -2248 2966 0.01675 -2248 4172 0.01001 -2248 4248 0.00522 -2248 4342 0.00770 -2248 4564 0.01268 -2248 5460 0.01205 -2248 6172 0.00966 -2248 6291 0.00714 -2248 9739 0.01558 -2247 3188 0.01765 -2247 3898 0.01075 -2247 4972 0.00693 -2247 5031 0.01768 -2247 5598 0.01246 -2247 6808 0.01466 -2247 7398 0.01431 -2247 8185 0.01287 -2247 8837 0.01255 -2247 9059 0.01305 -2247 9636 0.01911 -2247 9821 0.01922 -2246 2409 0.01510 -2246 3025 0.00949 -2246 3169 0.00827 -2246 4341 0.01105 -2246 4364 0.00706 -2246 5880 0.01980 -2246 6303 0.01770 -2246 6525 0.01075 -2246 6952 0.01964 -2246 7153 0.01720 -2245 2258 0.00376 -2245 2263 0.01221 -2245 3514 0.00942 -2245 4056 0.01918 -2245 5217 0.00508 -2245 5340 0.01663 -2245 5445 0.01013 -2245 5826 0.01016 -2245 6853 0.00932 -2245 7106 0.01892 -2245 7228 0.01658 -2245 7816 0.00812 -2245 7867 0.01113 -2245 9058 0.01741 -2245 9188 0.00563 -2245 9961 0.01086 -2244 3585 0.01166 -2244 3681 0.01825 -2244 4044 0.00975 -2244 4530 0.00909 -2244 4607 0.01701 -2244 5575 0.01324 -2244 5796 0.01503 -2244 6704 0.01342 -2244 9210 0.01819 -2244 9585 0.01827 -2243 2273 0.01827 -2243 2843 0.01062 -2243 4547 0.01116 -2243 6035 0.01668 -2243 6756 0.01992 -2243 7077 0.01126 -2243 7429 0.00824 -2243 8196 0.00977 -2243 8565 0.00231 -2242 2809 0.00726 -2242 4251 0.01948 -2242 5480 0.01921 -2242 5526 0.01648 -2242 7409 0.01312 -2242 7595 0.01912 -2242 7651 0.01142 -2242 9025 0.01527 -2241 2349 0.01889 -2241 4177 0.01700 -2241 5101 0.01648 -2241 6077 0.00929 -2241 6484 0.01319 -2241 7474 0.01018 -2241 7849 0.01511 -2241 8298 0.00713 -2241 9367 0.01263 -2241 9840 0.01627 -2240 2246 0.01985 -2240 2687 0.01281 -2240 3390 0.01665 -2240 3664 0.01016 -2240 5660 0.01522 -2240 6071 0.01317 -2240 6952 0.00175 -2240 7153 0.01249 -2240 7420 0.01301 -2239 5847 0.01220 -2239 5858 0.01533 -2239 6836 0.00965 -2239 9589 0.01416 -2238 2343 0.01867 -2238 2898 0.00071 -2238 3498 0.01348 -2238 3615 0.01244 -2238 3739 0.01359 -2238 3988 0.01785 -2238 4096 0.00757 -2238 6566 0.01530 -2238 6881 0.01872 -2238 7186 0.01492 -2238 8129 0.01328 -2238 8133 0.00535 -2238 9337 0.01641 -2238 9356 0.01542 -2238 9688 0.01271 -2237 2885 0.01746 -2237 2939 0.01233 -2237 3083 0.01078 -2237 4387 0.00445 -2237 5246 0.01484 -2237 5927 0.00507 -2237 7564 0.01905 -2237 7598 0.01415 -2237 7924 0.01525 -2237 7988 0.01386 -2237 8577 0.01979 -2237 9247 0.01332 -2237 9250 0.01340 -2237 9453 0.00919 -2237 9706 0.01868 -2237 9807 0.00363 -2236 2483 0.01231 -2236 2921 0.01606 -2236 5585 0.01509 -2235 2247 0.00352 -2235 3188 0.01481 -2235 3898 0.01374 -2235 4972 0.00664 -2235 5031 0.01970 -2235 5598 0.00981 -2235 6808 0.01597 -2235 7398 0.01086 -2235 8185 0.00962 -2235 8837 0.01349 -2235 8962 0.01847 -2235 9059 0.01330 -2235 9821 0.01593 -2234 2711 0.00634 -2234 3230 0.01489 -2234 3643 0.01929 -2234 4486 0.00900 -2234 5372 0.01664 -2234 5616 0.01566 -2234 5825 0.00424 -2234 6633 0.01794 -2234 8056 0.01511 -2234 8443 0.00311 -2233 2474 0.01568 -2233 6499 0.00170 -2233 6596 0.00612 -2233 7178 0.01394 -2233 9070 0.01293 -2233 9075 0.01378 -2233 9224 0.00863 -2233 9365 0.02000 -2233 9599 0.01862 -2232 5390 0.01426 -2232 5832 0.01910 -2232 6108 0.00472 -2232 6381 0.01872 -2232 6706 0.01419 -2232 6806 0.01891 -2232 7529 0.01127 -2231 5833 0.01519 -2231 6654 0.01225 -2231 7339 0.01443 -2231 8053 0.01283 -2231 9246 0.01262 -2230 3693 0.01874 -2230 4049 0.01837 -2230 4912 0.01755 -2230 5213 0.01710 -2230 6041 0.01855 -2230 8163 0.01991 -2230 8310 0.01077 -2230 8876 0.01706 -2230 9541 0.00292 -2230 9754 0.01916 -2229 6398 0.01604 -2229 6714 0.01465 -2229 7657 0.01426 -2229 8127 0.01708 -2229 8290 0.01826 -2229 8636 0.00595 -2228 8642 0.01905 -2228 9344 0.01731 -2228 9695 0.01426 -2228 9954 0.00542 -2227 2635 0.00594 -2227 3075 0.00641 -2227 3258 0.01663 -2227 3419 0.01813 -2227 4009 0.00340 -2227 4802 0.01452 -2227 5981 0.00437 -2227 5986 0.02000 -2227 6012 0.01442 -2227 9586 0.01521 -2226 5427 0.01435 -2226 5830 0.00554 -2226 6917 0.01738 -2226 6923 0.01498 -2226 7450 0.01985 -2226 7467 0.01085 -2226 8915 0.00722 -2226 9085 0.00064 -2225 2717 0.00576 -2225 2885 0.01037 -2225 2939 0.01736 -2225 3083 0.01586 -2225 4798 0.01152 -2225 7598 0.01093 -2225 9207 0.01860 -2225 9250 0.01734 -2224 3274 0.01241 -2224 3398 0.01776 -2224 3903 0.01882 -2224 4514 0.01192 -2224 5032 0.01165 -2224 5833 0.01779 -2224 6304 0.00344 -2224 6936 0.01395 -2224 7778 0.01398 -2224 8193 0.01655 -2224 8267 0.00277 -2224 8691 0.00732 -2223 2560 0.01515 -2223 2606 0.01613 -2223 3005 0.01673 -2223 3797 0.01590 -2223 5170 0.01680 -2223 5959 0.01386 -2223 6888 0.01973 -2223 7411 0.00957 -2223 8157 0.01936 -2223 8650 0.01593 -2223 8744 0.01927 -2223 8804 0.00351 -2223 8836 0.01978 -2223 9127 0.00606 -2223 9267 0.01024 -2222 2257 0.01470 -2222 2274 0.01087 -2222 4976 0.00694 -2222 5155 0.01604 -2222 5384 0.01131 -2222 5398 0.01336 -2222 6060 0.01924 -2222 6203 0.01859 -2222 6228 0.01378 -2222 6856 0.01044 -2222 6890 0.01764 -2222 7071 0.01551 -2222 9366 0.01824 -2222 9569 0.01801 -2222 9802 0.00775 -2222 9850 0.01235 -2221 3908 0.01895 -2221 6548 0.01625 -2221 6618 0.00768 -2221 6742 0.00215 -2221 7921 0.01337 -2221 8027 0.00581 -2221 9918 0.01666 -2220 2883 0.01727 -2220 3690 0.01780 -2220 5689 0.00900 -2220 5717 0.01638 -2220 6580 0.01513 -2220 7016 0.00099 -2220 7525 0.01246 -2220 8138 0.01297 -2220 8494 0.01435 -2220 8621 0.01310 -2220 8712 0.01758 -2220 9588 0.01862 -2219 3405 0.01733 -2219 4291 0.01839 -2219 6380 0.01608 -2219 6717 0.00937 -2219 6969 0.00799 -2219 7230 0.01951 -2219 7235 0.01885 -2219 7642 0.01717 -2219 7678 0.01406 -2219 9697 0.01015 -2218 2749 0.01449 -2218 3045 0.00321 -2218 3663 0.00953 -2218 3828 0.01534 -2218 4302 0.00627 -2218 4381 0.01046 -2218 4807 0.01260 -2218 6182 0.00923 -2218 8236 0.01902 -2217 2999 0.01510 -2217 3651 0.01123 -2217 4557 0.01944 -2217 4578 0.01261 -2217 6701 0.01793 -2216 3518 0.00590 -2216 6486 0.01339 -2216 8492 0.01432 -2216 8584 0.01410 -2215 3495 0.01242 -2215 4446 0.01056 -2215 6185 0.01356 -2215 6971 0.01219 -2215 8100 0.00572 -2215 9452 0.01661 -2215 9474 0.01784 -2215 9994 0.01338 -2214 3660 0.01479 -2214 8429 0.00225 -2214 9808 0.01717 -2213 2233 0.01971 -2213 2474 0.00696 -2213 4929 0.01871 -2213 6499 0.01804 -2213 6596 0.01751 -2213 8711 0.01038 -2213 8934 0.01989 -2213 9115 0.01464 -2213 9224 0.01436 -2212 5792 0.01663 -2212 6340 0.01141 -2212 7379 0.00975 -2212 7707 0.01786 -2212 8688 0.01602 -2212 9252 0.01829 -2212 9447 0.01619 -2211 2459 0.01890 -2211 3001 0.01828 -2211 3782 0.00429 -2211 4914 0.00380 -2211 5009 0.00769 -2211 5458 0.01674 -2211 5850 0.01068 -2211 6049 0.01902 -2211 7039 0.00604 -2211 7741 0.01967 -2211 9336 0.01643 -2211 9479 0.00635 -2210 3100 0.01489 -2210 3467 0.01905 -2210 5073 0.01022 -2210 7117 0.00568 -2210 7401 0.01053 -2210 8266 0.01280 -2210 9500 0.01832 -2209 2316 0.01244 -2209 2943 0.01623 -2209 4115 0.01969 -2209 5597 0.00620 -2209 6544 0.01547 -2209 7062 0.01792 -2209 7621 0.01787 -2209 8809 0.01604 -2209 8852 0.01364 -2209 9449 0.01314 -2208 2945 0.01209 -2208 3448 0.01967 -2208 7308 0.01431 -2208 7396 0.01343 -2208 8467 0.01640 -2208 9556 0.01585 -2208 9991 0.01906 -2207 3532 0.01022 -2207 3631 0.01085 -2207 3770 0.01289 -2207 3990 0.01351 -2207 4995 0.01908 -2207 5075 0.00177 -2207 5551 0.01387 -2207 5817 0.01622 -2207 6177 0.01838 -2207 6227 0.01674 -2207 6715 0.01748 -2207 8151 0.01750 -2206 2682 0.01119 -2206 3801 0.01916 -2206 4054 0.01141 -2206 4883 0.00544 -2206 5940 0.01943 -2206 6891 0.01493 -2206 8209 0.01893 -2206 8992 0.01901 -2206 9164 0.01368 -2206 9413 0.01019 -2206 9712 0.00824 -2205 3044 0.01186 -2205 3136 0.01886 -2205 4129 0.01484 -2205 4734 0.01879 -2205 5070 0.01926 -2205 5845 0.01534 -2205 7355 0.01389 -2205 7586 0.01090 -2205 7991 0.01662 -2205 8500 0.01795 -2205 9294 0.01590 -2205 9604 0.01983 -2204 2573 0.00638 -2204 4788 0.01326 -2204 5772 0.01496 -2204 6436 0.00988 -2204 6836 0.01381 -2204 7599 0.01999 -2204 7690 0.01778 -2204 7982 0.01481 -2204 8475 0.01503 -2204 8632 0.01661 -2204 8923 0.01377 -2204 9530 0.00992 -2203 4157 0.01436 -2203 4753 0.00646 -2203 5696 0.01411 -2203 5729 0.00689 -2203 8152 0.01871 -2203 8507 0.01905 -2203 8974 0.01242 -2203 9027 0.01997 -2203 9051 0.01960 -2202 2890 0.01874 -2202 3885 0.01888 -2202 4240 0.01937 -2202 5001 0.01866 -2202 5387 0.00914 -2202 6310 0.00915 -2202 7250 0.01048 -2202 7373 0.01298 -2202 8045 0.00812 -2202 8206 0.00311 -2202 8290 0.01842 -2202 8432 0.00388 -2202 8434 0.01593 -2202 8697 0.01591 -2201 2518 0.01527 -2201 3437 0.00769 -2201 3594 0.01874 -2201 4636 0.01598 -2201 5236 0.00788 -2201 5482 0.01718 -2201 7551 0.00944 -2201 8360 0.01848 -2201 9834 0.01200 -2201 9989 0.00093 -2200 2478 0.01827 -2200 2674 0.01537 -2200 2733 0.01653 -2200 2790 0.01504 -2200 4050 0.00595 -2200 4217 0.01532 -2200 4627 0.01222 -2200 4852 0.01651 -2200 5212 0.01430 -2200 6331 0.00587 -2200 6358 0.00860 -2200 7555 0.01281 -2199 3606 0.01847 -2199 4298 0.01747 -2199 4830 0.01919 -2199 5448 0.01712 -2199 5544 0.01971 -2199 6195 0.01833 -2199 6289 0.00053 -2199 8350 0.00460 -2199 8445 0.01232 -2199 8499 0.00445 -2199 8640 0.01573 -2198 2644 0.01403 -2198 2823 0.01248 -2198 3598 0.00813 -2198 4143 0.00591 -2198 6377 0.01433 -2198 6825 0.01081 -2198 8168 0.01021 -2198 8260 0.01929 -2198 8726 0.01853 -2198 9223 0.01040 -2197 2656 0.01386 -2197 4478 0.01272 -2197 5246 0.01013 -2197 5447 0.01637 -2197 5854 0.01123 -2197 5927 0.01613 -2197 7564 0.00491 -2197 7924 0.00619 -2197 7988 0.00784 -2197 8577 0.01470 -2197 8843 0.01911 -2197 9263 0.00844 -2197 9706 0.01583 -2197 9807 0.01760 -2197 9872 0.01418 -2196 4150 0.00702 -2196 4791 0.01327 -2196 6425 0.00734 -2196 6628 0.00786 -2196 7704 0.01509 -2196 8316 0.00989 -2196 8581 0.00793 -2196 9921 0.01480 -2195 3710 0.01956 -2195 4374 0.01077 -2195 4631 0.00827 -2195 5184 0.01187 -2195 9410 0.00521 -2195 9718 0.00475 -2195 9923 0.01868 -2194 3517 0.01205 -2194 3871 0.01964 -2194 4729 0.01443 -2194 5627 0.00160 -2194 6702 0.01778 -2194 8435 0.01852 -2194 9230 0.01976 -2194 9425 0.01950 -2194 9457 0.00374 -2194 9725 0.01485 -2193 4216 0.00977 -2193 4349 0.01509 -2193 4637 0.00829 -2193 4907 0.00893 -2193 6333 0.00994 -2193 6523 0.01747 -2193 8240 0.00537 -2193 8282 0.01716 -2193 8873 0.01910 -2193 9504 0.00983 -2193 9967 0.00160 -2192 2842 0.01919 -2192 2985 0.01288 -2192 3039 0.01187 -2192 3207 0.01818 -2192 3743 0.01617 -2192 8810 0.00708 -2192 9752 0.00298 -2191 3445 0.00988 -2191 5131 0.00723 -2191 5260 0.00896 -2191 5411 0.01603 -2191 5874 0.01068 -2191 6840 0.00527 -2191 7536 0.01845 -2191 7826 0.01904 -2191 8081 0.00135 -2191 8262 0.00773 -2191 9281 0.01420 -2190 2428 0.01806 -2190 3512 0.01395 -2190 5111 0.00814 -2190 5538 0.01659 -2190 5848 0.00854 -2190 6467 0.01528 -2190 6801 0.01224 -2190 7208 0.01498 -2190 9240 0.00705 -2189 2527 0.01217 -2189 2617 0.01268 -2189 4162 0.00451 -2189 4241 0.01574 -2189 5248 0.00863 -2189 7904 0.01112 -2189 7940 0.01159 -2189 8150 0.01565 -2188 2308 0.01858 -2188 2504 0.01992 -2188 2900 0.01794 -2188 2941 0.01761 -2188 3270 0.00408 -2188 3525 0.01861 -2188 3838 0.01420 -2188 6212 0.01997 -2188 7020 0.01498 -2188 7618 0.00527 -2188 8187 0.01506 -2188 9029 0.01987 -2188 9035 0.00489 -2188 9529 0.01684 -2187 2477 0.00956 -2187 2615 0.01939 -2187 3059 0.00729 -2187 3723 0.00510 -2187 3728 0.01118 -2187 4620 0.01434 -2187 4943 0.01862 -2187 5051 0.01399 -2187 6844 0.01718 -2187 7743 0.01960 -2186 3172 0.01407 -2186 3208 0.01812 -2186 4306 0.01468 -2186 4438 0.01147 -2186 4947 0.01527 -2186 5207 0.01104 -2186 5914 0.01467 -2186 6434 0.01633 -2186 6967 0.01354 -2186 7128 0.01394 -2186 7209 0.01861 -2186 7210 0.00492 -2186 9648 0.01992 -2186 9694 0.01566 -2185 4044 0.01582 -2185 4154 0.01733 -2185 4247 0.00500 -2185 4530 0.01655 -2185 4607 0.01940 -2185 5610 0.00877 -2185 5662 0.01831 -2185 5796 0.01583 -2185 5807 0.01603 -2185 5829 0.00714 -2185 6426 0.01713 -2185 6704 0.01716 -2185 7048 0.00880 -2185 7053 0.01406 -2185 7452 0.01187 -2185 7664 0.01327 -2184 3091 0.01062 -2184 4061 0.01283 -2184 4259 0.01481 -2184 4705 0.01766 -2184 4879 0.01545 -2184 5315 0.01567 -2184 5520 0.01376 -2184 6005 0.01434 -2184 7030 0.01702 -2184 7658 0.00757 -2184 8305 0.01982 -2184 9120 0.00568 -2184 9551 0.01757 -2183 2704 0.01286 -2183 3034 0.01142 -2183 3260 0.01355 -2183 4716 0.01592 -2183 4758 0.00802 -2183 4823 0.01706 -2183 5249 0.01214 -2183 5907 0.01967 -2183 6539 0.00533 -2183 6662 0.01100 -2183 7910 0.01811 -2183 8335 0.01194 -2183 8522 0.00885 -2183 9398 0.00133 -2182 3154 0.01300 -2182 4565 0.00494 -2182 5039 0.01654 -2182 6900 0.01042 -2182 7052 0.01300 -2182 7245 0.01914 -2182 8922 0.01489 -2182 9847 0.01797 -2182 9867 0.01265 -2181 2432 0.00517 -2181 4984 0.01353 -2181 6145 0.01229 -2181 7607 0.00399 -2181 7730 0.00964 -2181 9167 0.01429 -2181 9433 0.01660 -2181 9503 0.01776 -2181 9591 0.00309 -2181 9668 0.00686 -2180 2618 0.00312 -2180 5007 0.01002 -2180 5328 0.01904 -2180 5646 0.01768 -2180 5655 0.01481 -2180 6931 0.01140 -2180 8868 0.01975 -2180 9351 0.01910 -2179 5939 0.01165 -2179 7107 0.00493 -2179 7386 0.01020 -2179 7670 0.01229 -2179 9768 0.00166 -2178 2640 0.01396 -2178 2928 0.00195 -2178 2989 0.01918 -2178 4391 0.01554 -2178 4862 0.01328 -2178 6238 0.01287 -2178 7475 0.01462 -2178 7613 0.01768 -2178 7838 0.01067 -2178 7969 0.00386 -2178 8729 0.01992 -2177 2326 0.01366 -2177 2686 0.01678 -2177 2880 0.01395 -2177 3142 0.01283 -2177 4315 0.01918 -2177 4356 0.01254 -2177 4624 0.01900 -2177 4853 0.01109 -2177 6283 0.01944 -2177 8097 0.01979 -2177 9765 0.01988 -2176 2412 0.01958 -2176 4405 0.01548 -2176 5077 0.01525 -2176 5529 0.00707 -2176 5849 0.01844 -2176 6394 0.01586 -2176 6480 0.00429 -2176 7232 0.01582 -2176 8038 0.01469 -2176 8190 0.01631 -2176 8511 0.00796 -2176 8733 0.01263 -2176 9150 0.00193 -2176 9628 0.01598 -2176 9825 0.01996 -2176 9871 0.01667 -2176 9938 0.01277 -2175 2355 0.00385 -2175 3100 0.01876 -2175 4487 0.00994 -2175 5851 0.01007 -2175 6095 0.01434 -2175 6526 0.01994 -2175 6791 0.00705 -2175 8867 0.00621 -2174 2399 0.01761 -2174 3707 0.01862 -2174 4054 0.01928 -2174 4335 0.00911 -2174 5240 0.01549 -2174 5766 0.01327 -2174 6891 0.01688 -2174 7557 0.01166 -2174 7893 0.01842 -2174 8694 0.01876 -2174 8784 0.01714 -2174 9260 0.01179 -2173 3825 0.00513 -2173 4564 0.01423 -2173 5324 0.01130 -2173 6776 0.01976 -2173 9718 0.01913 -2173 9777 0.00977 -2172 2817 0.01653 -2172 3242 0.01516 -2172 4031 0.01539 -2172 6262 0.00398 -2172 7322 0.00656 -2172 7657 0.00801 -2172 8127 0.01954 -2172 8636 0.01837 -2172 8838 0.00305 -2172 9202 0.01004 -2172 9306 0.01344 -2172 9372 0.01993 -2171 2775 0.01802 -2171 3129 0.01722 -2171 3210 0.01081 -2171 3703 0.00371 -2171 4292 0.01985 -2171 6208 0.01437 -2171 6437 0.01529 -2171 6807 0.01972 -2171 6882 0.01679 -2171 8246 0.01549 -2171 8610 0.00826 -2171 9910 0.01760 -2171 9920 0.01000 -2170 5693 0.01619 -2170 7069 0.01177 -2170 9115 0.00838 -2169 3435 0.01752 -2169 4375 0.00935 -2169 5561 0.01556 -2169 5609 0.01346 -2169 6054 0.01419 -2169 6810 0.01841 -2169 7236 0.01918 -2169 7674 0.01062 -2169 8543 0.01999 -2169 8583 0.01308 -2169 8665 0.01868 -2169 8842 0.01153 -2168 3422 0.00864 -2168 3925 0.01217 -2168 3956 0.01610 -2168 4946 0.01633 -2168 5601 0.00848 -2168 6433 0.01537 -2168 7118 0.00797 -2168 8235 0.01411 -2168 8875 0.01328 -2168 9939 0.01278 -2168 9959 0.01242 -2167 4585 0.01307 -2167 4649 0.01743 -2167 5204 0.00374 -2167 5300 0.01592 -2167 5682 0.01361 -2167 6505 0.00326 -2167 7369 0.00834 -2167 7801 0.01536 -2167 7951 0.01517 -2167 9542 0.01688 -2167 9556 0.01348 -2167 9898 0.01039 -2167 9991 0.01401 -2167 9997 0.00573 -2166 2261 0.01642 -2166 2716 0.01751 -2166 2906 0.00634 -2166 3346 0.00781 -2166 4046 0.00519 -2166 4512 0.01007 -2166 5756 0.01295 -2166 6524 0.01871 -2166 7317 0.01533 -2166 8139 0.01919 -2166 8165 0.00306 -2166 8976 0.01411 -2166 9034 0.01868 -2165 2288 0.01614 -2165 3609 0.00315 -2165 6147 0.01496 -2165 6515 0.01595 -2165 6777 0.01438 -2165 7114 0.00616 -2165 7486 0.01471 -2165 9478 0.01316 -2165 9839 0.00969 -2164 3073 0.01201 -2164 3858 0.00785 -2164 6768 0.01572 -2163 2309 0.00740 -2163 3537 0.00922 -2163 4693 0.01738 -2163 4872 0.00239 -2163 4894 0.01801 -2163 5589 0.01871 -2163 6101 0.00492 -2163 7994 0.01377 -2163 8170 0.01711 -2163 8347 0.01473 -2163 8720 0.01504 -2163 9832 0.00648 -2162 4733 0.01329 -2162 6516 0.01224 -2162 7766 0.01820 -2162 8158 0.01083 -2162 9502 0.01894 -2161 2908 0.01987 -2161 3743 0.01911 -2161 4401 0.01313 -2161 6081 0.00152 -2161 9009 0.01905 -2161 9048 0.00370 -2161 9443 0.00091 -2161 9532 0.00498 -2160 2603 0.00958 -2160 3350 0.01191 -2160 3769 0.01366 -2160 7140 0.00540 -2159 2820 0.01226 -2159 2942 0.00849 -2159 3060 0.01322 -2159 4361 0.00892 -2159 4380 0.01961 -2159 4665 0.01440 -2159 5259 0.00739 -2159 6065 0.01766 -2159 6482 0.01050 -2159 8268 0.01779 -2159 9979 0.00557 -2159 9987 0.01321 -2158 4023 0.01567 -2158 4104 0.01776 -2158 4137 0.01597 -2158 5345 0.01469 -2158 6818 0.01749 -2158 7157 0.01421 -2158 7166 0.01724 -2158 7834 0.01056 -2157 2585 0.01737 -2157 4467 0.01566 -2157 4469 0.01449 -2157 4803 0.01818 -2157 5142 0.00939 -2157 6150 0.01261 -2157 7307 0.01618 -2157 8919 0.01681 -2157 9096 0.01262 -2156 2700 0.00689 -2156 2793 0.01753 -2156 2840 0.01661 -2156 3765 0.01630 -2156 3929 0.00651 -2156 4019 0.00179 -2156 4422 0.00507 -2156 7752 0.00606 -2156 8750 0.01913 -2155 2199 0.01476 -2155 4298 0.00613 -2155 4385 0.01679 -2155 4830 0.01619 -2155 5448 0.00397 -2155 5544 0.01503 -2155 5790 0.01708 -2155 6195 0.01479 -2155 6289 0.01479 -2155 8350 0.01056 -2155 8499 0.01831 -2155 8640 0.01798 -2154 2350 0.01719 -2154 4166 0.01575 -2154 5486 0.00994 -2154 5800 0.01330 -2154 6678 0.01606 -2154 7319 0.01743 -2154 7461 0.00968 -2154 7795 0.01546 -2154 8612 0.01900 -2154 8952 0.01815 -2154 9812 0.00551 -2153 2345 0.00853 -2153 2589 0.01315 -2153 3796 0.01694 -2153 5826 0.01915 -2153 6148 0.01579 -2153 6737 0.00691 -2153 6853 0.01931 -2153 7163 0.01626 -2153 7228 0.01351 -2153 8899 0.01657 -2152 2234 0.01993 -2152 3178 0.01006 -2152 3643 0.00082 -2152 4331 0.01053 -2152 4486 0.01907 -2152 4622 0.01763 -2152 5372 0.01182 -2152 5378 0.01165 -2152 5586 0.01568 -2152 5616 0.01690 -2152 6633 0.00541 -2151 5964 0.01653 -2150 5808 0.01171 -2150 6078 0.00525 -2150 7309 0.01868 -2150 8835 0.01644 -2150 8901 0.01577 -2150 9302 0.01547 -2150 9805 0.01378 -2149 2649 0.00483 -2149 3730 0.01201 -2149 4553 0.01285 -2149 5037 0.01210 -2149 5769 0.00884 -2149 6776 0.01732 -2149 6869 0.01166 -2149 7001 0.01251 -2149 7082 0.01508 -2149 7770 0.00939 -2149 8627 0.00736 -2149 9966 0.00506 -2148 3074 0.00692 -2148 5130 0.01647 -2148 5567 0.00637 -2148 6239 0.01907 -2148 6979 0.01537 -2148 7484 0.01484 -2148 7504 0.00541 -2148 8704 0.01887 -2148 8851 0.00179 -2148 9007 0.01223 -2148 9183 0.01902 -2147 2399 0.01620 -2147 2530 0.00584 -2147 3019 0.01761 -2147 3707 0.01409 -2147 4017 0.01518 -2147 4224 0.00555 -2147 4408 0.01636 -2147 7858 0.01831 -2147 7893 0.01655 -2147 8527 0.01291 -2147 8552 0.00775 -2147 8676 0.00982 -2147 8784 0.01211 -2147 8870 0.00668 -2147 9260 0.01695 -2146 2295 0.00900 -2146 3720 0.01469 -2146 4227 0.01455 -2146 4690 0.00621 -2146 5360 0.01455 -2146 5841 0.01756 -2146 6110 0.00324 -2146 6831 0.00733 -2146 7909 0.01844 -2146 9090 0.01506 -2145 3082 0.01281 -2145 3282 0.01241 -2145 5453 0.01025 -2145 6696 0.01622 -2145 7418 0.01319 -2145 8113 0.01148 -2145 8323 0.01251 -2144 3538 0.01884 -2144 4197 0.01232 -2144 5215 0.00754 -2144 5955 0.01172 -2144 6369 0.01873 -2144 7500 0.01504 -2144 8001 0.01371 -2144 8866 0.00787 -2143 6748 0.01724 -2143 6925 0.01579 -2143 6976 0.01583 -2143 7085 0.00735 -2143 7795 0.01918 -2142 3534 0.01212 -2142 3882 0.00574 -2142 4810 0.01053 -2142 5399 0.01965 -2142 5587 0.00971 -2142 5688 0.01955 -2142 5811 0.01522 -2142 6554 0.01392 -2142 7240 0.01698 -2141 2346 0.01185 -2141 2584 0.00786 -2141 4110 0.00826 -2141 4480 0.01608 -2141 5071 0.01431 -2141 5530 0.01906 -2141 6261 0.00692 -2141 6814 0.00264 -2141 6953 0.01129 -2141 9897 0.01317 -2140 2670 0.01133 -2140 3540 0.01941 -2140 4132 0.01329 -2140 5413 0.00971 -2140 6459 0.01151 -2140 8881 0.01986 -2140 9142 0.00973 -2140 9882 0.00540 -2139 2163 0.01384 -2139 2309 0.01354 -2139 3537 0.01455 -2139 4872 0.01617 -2139 6101 0.01778 -2139 8236 0.01374 -2139 9236 0.00880 -2139 9832 0.01974 -2138 2929 0.01718 -2138 3774 0.01332 -2138 3775 0.01215 -2138 4494 0.00679 -2138 6392 0.01846 -2138 6485 0.01710 -2138 8476 0.01413 -2138 9374 0.00851 -2137 3055 0.01715 -2137 3355 0.01456 -2137 4386 0.01082 -2137 5305 0.01931 -2137 7507 0.01898 -2137 7629 0.01834 -2136 2944 0.01325 -2136 3114 0.01049 -2136 3133 0.01031 -2136 3414 0.01408 -2136 3460 0.01077 -2136 3821 0.01304 -2136 5326 0.01811 -2136 6813 0.01118 -2136 6824 0.01264 -2136 7387 0.00913 -2136 8954 0.01768 -2136 9852 0.01960 -2135 5571 0.01974 -2135 5740 0.00718 -2135 6511 0.01063 -2135 6540 0.01956 -2135 6804 0.01795 -2135 7225 0.01650 -2135 8724 0.01283 -2135 9534 0.01237 -2134 2287 0.01686 -2134 5335 0.01044 -2134 5466 0.01087 -2134 7252 0.01785 -2134 9149 0.01911 -2134 9328 0.00628 -2133 2299 0.00356 -2133 2899 0.00923 -2133 4067 0.01298 -2133 6016 0.01159 -2133 6937 0.01867 -2132 3269 0.01627 -2132 3963 0.01405 -2132 4786 0.01784 -2132 5642 0.01954 -2132 6620 0.00669 -2132 9102 0.01268 -2132 9384 0.00339 -2131 2370 0.01215 -2131 3509 0.01878 -2131 4403 0.01744 -2131 6223 0.01976 -2131 6579 0.01544 -2131 6947 0.01686 -2131 8215 0.01149 -2131 9431 0.01824 -2131 9983 0.01297 -2130 2132 0.01501 -2130 3269 0.00977 -2130 4344 0.01798 -2130 5483 0.01913 -2130 5652 0.01789 -2130 5724 0.01484 -2130 6537 0.01058 -2130 6620 0.00841 -2130 7635 0.01623 -2130 8089 0.01774 -2130 8404 0.01009 -2130 8690 0.00982 -2130 9384 0.01521 -2130 9675 0.01741 -2129 2513 0.01355 -2129 3236 0.01474 -2129 4035 0.01742 -2129 4313 0.01735 -2129 4527 0.01974 -2129 4919 0.01845 -2129 6137 0.01207 -2129 6264 0.01013 -2129 6374 0.01807 -2129 7781 0.01304 -2129 7941 0.00981 -2129 8116 0.00816 -2129 8278 0.01886 -2128 2673 0.01085 -2128 2991 0.00923 -2128 3321 0.01657 -2128 3945 0.00995 -2128 4710 0.01986 -2128 5185 0.01338 -2128 7028 0.01982 -2128 7298 0.01186 -2128 7817 0.01756 -2127 2469 0.01880 -2127 2837 0.01604 -2127 6489 0.01311 -2127 6902 0.01885 -2127 7819 0.01941 -2127 8007 0.01382 -2127 9813 0.01282 -2127 9881 0.00453 -2127 9995 0.01609 -2126 2130 0.01848 -2126 2132 0.01657 -2126 2423 0.01869 -2126 4843 0.01361 -2126 5623 0.01694 -2126 5724 0.01400 -2126 5733 0.01359 -2126 6620 0.01658 -2126 7451 0.00401 -2126 8690 0.01947 -2126 9004 0.01577 -2126 9102 0.01464 -2126 9384 0.01333 -2126 9467 0.01044 -2126 9675 0.01691 -2125 2358 0.01523 -2125 3478 0.00735 -2125 3848 0.01682 -2125 4428 0.01469 -2125 4804 0.01887 -2125 4821 0.01339 -2125 5036 0.00791 -2125 5499 0.00856 -2125 5565 0.01220 -2125 5618 0.00359 -2125 6622 0.01913 -2125 6693 0.01891 -2125 7184 0.01685 -2125 7605 0.01992 -2125 7630 0.01866 -2125 7915 0.01970 -2125 8814 0.00270 -2125 8846 0.01880 -2125 9098 0.01282 -2125 9592 0.01666 -2124 3453 0.01056 -2124 3661 0.01785 -2124 4392 0.01076 -2124 5061 0.01140 -2124 5085 0.00934 -2124 5804 0.01359 -2124 6322 0.01582 -2124 7549 0.01162 -2124 7736 0.01636 -2124 8778 0.00275 -2124 9173 0.01829 -2124 9649 0.01677 -2124 9670 0.01905 -2124 9934 0.00860 -2123 3634 0.00320 -2123 3857 0.01520 -2123 4340 0.01329 -2123 5209 0.01305 -2123 5834 0.01047 -2123 6796 0.01390 -2123 8963 0.01282 -2123 9235 0.01980 -2123 9242 0.01185 -2122 2464 0.00674 -2122 4151 0.01591 -2122 4643 0.01619 -2122 4889 0.01694 -2122 6606 0.01508 -2122 9629 0.00497 -2121 2770 0.00738 -2121 3389 0.01525 -2121 4251 0.01680 -2121 6701 0.01897 -2121 7335 0.01120 -2121 7402 0.01169 -2121 8367 0.00738 -2121 8644 0.00309 -2120 3206 0.00686 -2120 5428 0.00974 -2120 6026 0.00587 -2120 8199 0.01226 -2120 8912 0.01926 -2119 2342 0.01799 -2119 4118 0.01753 -2119 7310 0.01373 -2119 8233 0.00887 -2119 8817 0.01459 -2119 9111 0.01328 -2119 9380 0.01037 -2118 3158 0.00596 -2118 3213 0.01675 -2118 3754 0.00080 -2118 4980 0.01787 -2118 5329 0.01213 -2118 5577 0.01905 -2118 6449 0.01736 -2118 6728 0.01975 -2118 7089 0.01447 -2118 7168 0.01222 -2118 7855 0.01736 -2118 8950 0.01622 -2118 9141 0.00654 -2118 9639 0.01168 -2118 9851 0.01205 -2117 2678 0.01907 -2117 3595 0.00274 -2117 4711 0.01798 -2117 5321 0.01140 -2117 5434 0.01658 -2117 5996 0.00781 -2117 6676 0.00660 -2117 6680 0.00923 -2117 7696 0.00875 -2117 8436 0.00949 -2117 9595 0.00925 -2116 4887 0.01374 -2116 5919 0.00835 -2116 6849 0.01959 -2116 7017 0.00476 -2116 7274 0.01910 -2116 9831 0.01269 -2115 2466 0.01712 -2115 2748 0.00254 -2115 4221 0.01932 -2115 7605 0.01797 -2115 8846 0.01704 -2115 9208 0.01832 -2114 2342 0.00710 -2114 2662 0.01349 -2114 3375 0.01435 -2114 4320 0.00644 -2114 4431 0.01905 -2114 5354 0.01635 -2114 6328 0.01245 -2114 7898 0.00422 -2114 9051 0.01966 -2114 9295 0.01446 -2114 9380 0.01474 -2114 9558 0.01833 -2113 2238 0.01763 -2113 2898 0.01725 -2113 3498 0.00987 -2113 3615 0.01162 -2113 3988 0.01471 -2113 4096 0.01862 -2113 5726 0.01947 -2113 6707 0.01411 -2113 6881 0.00203 -2113 8533 0.01660 -2113 9356 0.01676 -2112 2125 0.01591 -2112 2358 0.01931 -2112 3478 0.01145 -2112 3570 0.01650 -2112 4428 0.00359 -2112 4804 0.01498 -2112 5036 0.01684 -2112 5499 0.01542 -2112 5565 0.01147 -2112 5618 0.01420 -2112 6622 0.00431 -2112 6693 0.00329 -2112 6901 0.01476 -2112 7096 0.01666 -2112 7630 0.01888 -2112 8814 0.01657 -2112 9098 0.01523 -2111 2330 0.00937 -2111 3172 0.00843 -2111 3193 0.01013 -2111 4306 0.00591 -2111 5706 0.01393 -2111 6166 0.01463 -2111 6298 0.01654 -2111 6967 0.01890 -2111 9065 0.01421 -2111 9609 0.01615 -2111 9618 0.01575 -2111 9858 0.01596 -2110 4256 0.01142 -2110 5715 0.00352 -2110 5809 0.01767 -2110 6513 0.01704 -2110 6939 0.01791 -2110 8194 0.01581 -2110 9256 0.01535 -2109 4164 0.01431 -2109 4175 0.01200 -2109 4991 0.01973 -2109 5127 0.01907 -2109 6522 0.01671 -2109 7847 0.01456 -2108 2498 0.00600 -2108 2877 0.01498 -2108 2923 0.01928 -2108 3214 0.01522 -2108 4406 0.01347 -2108 6015 0.01496 -2108 6527 0.01297 -2108 7295 0.01731 -2108 7568 0.01830 -2108 8872 0.01585 -2108 9335 0.01080 -2107 2520 0.01298 -2107 3474 0.01926 -2107 4075 0.01399 -2107 5694 0.00586 -2107 6383 0.01570 -2107 7421 0.00891 -2107 7575 0.01765 -2106 2428 0.01763 -2106 3559 0.01467 -2106 5370 0.01729 -2106 7324 0.00681 -2105 3153 0.01523 -2105 4077 0.00413 -2105 7479 0.01845 -2105 9308 0.00951 -2105 9605 0.01282 -2104 2654 0.01180 -2104 2677 0.01571 -2104 2787 0.01404 -2104 3257 0.01903 -2104 3324 0.01670 -2104 4278 0.01287 -2104 4783 0.01258 -2104 5449 0.01279 -2104 5467 0.00631 -2104 6413 0.01419 -2104 7666 0.01438 -2104 7675 0.01685 -2104 8024 0.01201 -2104 8597 0.01521 -2103 3179 0.01342 -2103 6226 0.00196 -2103 6302 0.01771 -2103 7040 0.01838 -2103 7341 0.01528 -2103 7491 0.01427 -2103 8241 0.01762 -2103 8819 0.00978 -2103 8968 0.00426 -2102 2179 0.01753 -2102 6816 0.01647 -2102 7670 0.01293 -2102 8098 0.01305 -2102 9768 0.01645 -2101 2281 0.01656 -2101 3315 0.01893 -2101 4417 0.01316 -2101 5975 0.01025 -2101 7364 0.01559 -2101 8658 0.01473 -2100 5638 0.01563 -2100 6365 0.01900 -2100 8780 0.01533 -2100 9300 0.01517 -2099 2741 0.00808 -2099 4400 0.01676 -2099 4819 0.00420 -2099 6412 0.00541 -2099 6659 0.00836 -2099 7597 0.01511 -2099 8070 0.01911 -2099 8605 0.00926 -2099 8779 0.01809 -2099 9735 0.00262 -2098 4038 0.01781 -2098 4760 0.01852 -2098 5014 0.01893 -2098 8707 0.00581 -2098 8977 0.01795 -2098 9363 0.00372 -2097 2249 0.01631 -2097 2933 0.00228 -2097 4993 0.01889 -2097 6217 0.01691 -2097 7523 0.01013 -2097 7733 0.00234 -2097 7815 0.00707 -2097 8523 0.00490 -2097 8593 0.01352 -2097 9084 0.01435 -2097 9325 0.01944 -2096 5183 0.01376 -2096 5334 0.00701 -2096 7646 0.01196 -2096 7757 0.01735 -2096 8958 0.01438 -2096 9269 0.01653 -2095 2327 0.01039 -2095 2376 0.01286 -2095 2644 0.01775 -2095 5290 0.01034 -2095 5380 0.01295 -2095 5534 0.01922 -2095 6257 0.01039 -2095 6420 0.00869 -2095 7443 0.00548 -2094 4713 0.01308 -2094 4722 0.00143 -2094 6083 0.01089 -2094 7830 0.01779 -2094 8471 0.01274 -2094 9081 0.00646 -2094 9287 0.01328 -2094 9417 0.01049 -2094 9740 0.01692 -2093 4440 0.01385 -2093 5603 0.01397 -2093 5726 0.01605 -2093 5783 0.01455 -2093 7018 0.01393 -2093 7370 0.01595 -2093 8010 0.01497 -2093 8264 0.01365 -2093 9130 0.00647 -2093 9315 0.01929 -2093 9427 0.01440 -2092 3591 0.01479 -2092 3970 0.01704 -2092 4577 0.01044 -2092 5167 0.00722 -2092 5673 0.00862 -2092 6253 0.01726 -2092 6552 0.01665 -2092 6664 0.01490 -2092 7086 0.00929 -2092 7346 0.01740 -2092 8629 0.00871 -2092 9126 0.01707 -2091 3022 0.01544 -2091 3066 0.01643 -2091 3358 0.00990 -2091 4939 0.01469 -2091 7358 0.01951 -2091 9545 0.00224 -2091 9944 0.01006 -2090 3159 0.01699 -2090 3234 0.00952 -2090 4133 0.00306 -2090 4324 0.01700 -2090 4847 0.00771 -2090 5126 0.01552 -2090 6880 0.01773 -2090 9099 0.01726 -2090 9571 0.01101 -2090 9779 0.01286 -2089 3183 0.01777 -2089 3187 0.01943 -2089 5746 0.00579 -2089 6384 0.01181 -2088 4393 0.00826 -2088 7224 0.01941 -2088 8044 0.00846 -2088 9333 0.01547 -2088 9792 0.01139 -2087 2273 0.01526 -2087 2843 0.01902 -2087 4547 0.01559 -2087 6760 0.01980 -2087 7077 0.01700 -2087 7410 0.01396 -2087 7429 0.01856 -2087 7606 0.01012 -2086 2260 0.00923 -2086 2404 0.00417 -2086 4684 0.01714 -2086 4698 0.00892 -2086 4931 0.01559 -2086 5963 0.01859 -2086 6258 0.01601 -2086 7692 0.01398 -2086 7905 0.01805 -2086 8284 0.01865 -2086 9631 0.01681 -2085 2490 0.01564 -2085 3192 0.00719 -2085 3613 0.01727 -2085 4625 0.01101 -2085 5535 0.01557 -2085 6200 0.01632 -2085 6474 0.01168 -2085 7305 0.01959 -2085 7433 0.01162 -2085 8787 0.00642 -2085 9189 0.01043 -2085 9568 0.01876 -2084 2147 0.01556 -2084 2938 0.01021 -2084 3707 0.00516 -2084 4224 0.01762 -2084 4408 0.00202 -2084 5766 0.01818 -2084 7858 0.00287 -2084 7893 0.00446 -2084 8527 0.01545 -2084 8552 0.02000 -2084 8676 0.01646 -2084 8784 0.01544 -2084 8870 0.01843 -2084 9260 0.01532 -2084 9931 0.01137 -2083 5379 0.01955 -2083 5383 0.00731 -2083 5469 0.00575 -2083 5646 0.01299 -2083 5815 0.00483 -2083 6931 0.01631 -2083 6975 0.01264 -2083 8538 0.00435 -2083 9006 0.01677 -2082 2472 0.01872 -2082 2952 0.01298 -2082 4688 0.01056 -2082 5745 0.01558 -2082 7417 0.00435 -2082 7554 0.01801 -2082 7789 0.01201 -2082 8969 0.01796 -2082 9369 0.01308 -2081 3588 0.00380 -2081 3842 0.01937 -2081 4366 0.01251 -2081 5151 0.00216 -2081 5806 0.01145 -2081 7299 0.00684 -2081 7404 0.00820 -2081 9597 0.01912 -2081 9607 0.00363 -2080 2588 0.01532 -2080 6146 0.01747 -2080 6605 0.01976 -2080 6974 0.00105 -2080 7036 0.01901 -2080 8103 0.01022 -2079 2729 0.00760 -2079 3746 0.01186 -2079 3986 0.01101 -2079 4855 0.01418 -2079 6046 0.00737 -2079 6395 0.00644 -2079 6673 0.01087 -2079 6828 0.01655 -2079 7123 0.01772 -2079 7756 0.01299 -2079 7802 0.00221 -2079 7920 0.01908 -2079 8313 0.01883 -2079 8465 0.01219 -2079 9438 0.00844 -2079 9493 0.00895 -2079 9553 0.01080 -2078 2373 0.01353 -2078 2723 0.01719 -2078 3102 0.00599 -2078 3257 0.01754 -2078 3335 0.00649 -2078 3524 0.01146 -2078 3891 0.01618 -2078 4395 0.00641 -2078 5376 0.01703 -2078 5791 0.01377 -2078 6072 0.01744 -2078 7305 0.01724 -2078 8700 0.01526 -2078 8801 0.01737 -2078 9445 0.01546 -2078 9626 0.01281 -2078 9641 0.01087 -2078 9749 0.01769 -2077 4441 0.01420 -2077 4990 0.01136 -2077 5097 0.01848 -2077 6837 0.00668 -2077 7966 0.01447 -2077 8095 0.01634 -2077 8647 0.01644 -2077 8768 0.01037 -2076 2800 0.01929 -2076 3003 0.01763 -2076 6851 0.01740 -2076 7105 0.01812 -2076 7810 0.01523 -2076 9796 0.01876 -2075 2341 0.01834 -2075 3608 0.01962 -2075 3889 0.01908 -2075 4580 0.01561 -2075 4940 0.00788 -2075 6068 0.00980 -2075 6235 0.01077 -2075 7932 0.00918 -2075 8249 0.00973 -2075 8971 0.00751 -2074 3090 0.00277 -2074 3562 0.00481 -2074 4895 0.01190 -2074 4935 0.01126 -2074 5182 0.00772 -2074 7653 0.01819 -2074 8656 0.01041 -2074 9327 0.01061 -2074 9631 0.01876 -2074 9651 0.01446 -2073 2494 0.01321 -2073 3009 0.01739 -2073 3466 0.00797 -2073 3790 0.01321 -2073 4611 0.00795 -2073 4682 0.01770 -2073 5090 0.01603 -2073 7806 0.00682 -2073 8141 0.00097 -2073 8231 0.01425 -2073 8291 0.01077 -2073 8442 0.01566 -2073 9292 0.01060 -2073 9554 0.01657 -2073 9696 0.01045 -2072 2575 0.01718 -2072 4345 0.00659 -2072 5202 0.01921 -2072 6160 0.01504 -2072 6201 0.00870 -2072 6492 0.00929 -2072 7623 0.01494 -2072 9505 0.01083 -2072 9729 0.01958 -2071 2746 0.01300 -2071 4498 0.01356 -2071 5120 0.01361 -2071 5152 0.01701 -2071 5498 0.01724 -2071 7414 0.01745 -2071 7569 0.01282 -2071 7793 0.01602 -2071 9820 0.00595 -2071 9974 0.00745 -2070 3116 0.00991 -2070 3137 0.01024 -2070 5477 0.01793 -2070 5965 0.01907 -2070 6082 0.01833 -2070 7610 0.01706 -2070 7633 0.01936 -2070 9101 0.01372 -2070 9205 0.01277 -2070 9704 0.00083 -2069 3217 0.00709 -2069 5523 0.01939 -2069 5595 0.00342 -2069 6335 0.01270 -2069 7813 0.01918 -2069 8643 0.01784 -2069 9314 0.01001 -2069 9373 0.01954 -2069 9540 0.01966 -2068 2875 0.01260 -2068 3824 0.01110 -2068 4826 0.01988 -2068 6277 0.01048 -2068 6734 0.01596 -2068 6843 0.00469 -2068 7482 0.01911 -2068 8287 0.01443 -2067 2216 0.01417 -2067 3329 0.01440 -2067 3518 0.01972 -2067 5500 0.01914 -2067 6486 0.01288 -2067 8070 0.01866 -2067 8584 0.01276 -2066 2101 0.01484 -2066 2281 0.00736 -2066 4485 0.01541 -2066 5218 0.01065 -2066 5975 0.01705 -2066 9155 0.01563 -2065 2253 0.01960 -2065 3221 0.01179 -2065 3538 0.01506 -2065 3637 0.01422 -2065 3773 0.01053 -2065 3923 0.01613 -2065 4316 0.01906 -2065 6572 0.01525 -2065 6915 0.00927 -2065 7840 0.00878 -2065 7902 0.01877 -2065 8104 0.01933 -2064 2394 0.00823 -2064 2605 0.01480 -2064 3263 0.01822 -2064 3377 0.01287 -2064 3783 0.00900 -2064 4774 0.01399 -2064 6159 0.00908 -2064 6403 0.01800 -2064 7534 0.00768 -2064 8659 0.01356 -2063 2442 0.01524 -2063 3428 0.01462 -2063 5680 0.01458 -2063 5827 0.01738 -2063 7349 0.01546 -2063 7953 0.01079 -2063 8288 0.00814 -2063 8379 0.01777 -2063 8781 0.01055 -2062 2694 0.01818 -2062 4304 0.00831 -2062 6118 0.01270 -2062 6591 0.01560 -2062 7204 0.01693 -2062 7290 0.01328 -2062 8221 0.01250 -2062 9456 0.01162 -2062 9685 0.01335 -2061 3096 0.01444 -2061 3426 0.01468 -2061 3617 0.01408 -2061 4170 0.01903 -2061 4534 0.01532 -2061 5267 0.01568 -2061 5417 0.01921 -2061 6134 0.01246 -2061 6363 0.01723 -2061 6754 0.01036 -2061 7794 0.00782 -2061 8083 0.01049 -2061 8864 0.01826 -2061 9196 0.01721 -2061 9940 0.01346 -2060 2798 0.01200 -2060 4887 0.01251 -2060 5336 0.01747 -2060 5654 0.01791 -2060 7274 0.00942 -2060 8060 0.01877 -2060 8655 0.00258 -2060 8840 0.01845 -2060 9003 0.00966 -2059 2270 0.01440 -2059 2357 0.01944 -2059 2528 0.01107 -2059 2599 0.01857 -2059 3862 0.01270 -2059 4163 0.01720 -2059 4448 0.01883 -2059 5617 0.00809 -2059 6323 0.01980 -2059 6472 0.01618 -2059 6473 0.01316 -2059 9632 0.00775 -2058 2641 0.01932 -2058 3097 0.01942 -2058 3400 0.00752 -2058 4482 0.01234 -2058 8039 0.01330 -2058 8106 0.01088 -2058 8285 0.01119 -2058 9133 0.01861 -2058 9883 0.01118 -2058 9905 0.00891 -2057 3131 0.01879 -2057 3695 0.00678 -2057 3860 0.01935 -2057 4045 0.00884 -2057 5980 0.00811 -2057 7394 0.01984 -2057 7565 0.01403 -2057 7948 0.01930 -2057 8344 0.00735 -2057 9401 0.01371 -2056 3580 0.01607 -2056 3850 0.01029 -2056 4120 0.01684 -2056 4195 0.01607 -2056 8112 0.00806 -2056 8314 0.01329 -2056 8359 0.00400 -2056 8795 0.00843 -2056 9169 0.01318 -2055 2126 0.01574 -2055 2130 0.01325 -2055 3482 0.01547 -2055 3487 0.01614 -2055 4344 0.01691 -2055 4809 0.01895 -2055 5483 0.00632 -2055 5626 0.00929 -2055 5652 0.00983 -2055 5724 0.00261 -2055 5733 0.01491 -2055 6537 0.00745 -2055 6620 0.01894 -2055 7451 0.01701 -2055 7635 0.01813 -2055 8404 0.00729 -2055 8420 0.01712 -2055 8690 0.00586 -2055 9675 0.00416 -2055 9875 0.01162 -2054 2306 0.01908 -2054 3085 0.01424 -2054 3095 0.01752 -2054 3604 0.01294 -2054 3911 0.01977 -2054 4700 0.01480 -2054 6009 0.00951 -2054 7283 0.00568 -2054 7846 0.01591 -2053 2779 0.00985 -2053 3726 0.01681 -2053 4317 0.01822 -2053 4954 0.01699 -2053 4986 0.01652 -2053 6048 0.00993 -2053 6977 0.01465 -2052 4452 0.01419 -2052 4583 0.01341 -2052 5425 0.00716 -2052 7747 0.01926 -2051 2142 0.01146 -2051 3413 0.01543 -2051 3534 0.00816 -2051 3882 0.01418 -2051 4810 0.00153 -2051 5399 0.00995 -2051 5587 0.00883 -2050 2215 0.01479 -2050 3495 0.00492 -2050 4531 0.01966 -2050 5877 0.00837 -2050 7986 0.00709 -2050 8100 0.01805 -2050 9474 0.00326 -2049 2099 0.01209 -2049 4400 0.01379 -2049 4819 0.01131 -2049 6412 0.01408 -2049 6659 0.01960 -2049 8070 0.00705 -2049 8584 0.01614 -2049 8605 0.01181 -2049 8779 0.01910 -2049 9735 0.01312 -2048 2240 0.01362 -2048 2246 0.00935 -2048 3025 0.01883 -2048 3169 0.01650 -2048 4341 0.01984 -2048 4364 0.01403 -2048 6303 0.01206 -2048 6525 0.01914 -2048 6952 0.01273 -2048 7153 0.00785 -2048 7566 0.01841 -2047 3523 0.01546 -2047 4459 0.01727 -2047 5739 0.00680 -2047 5990 0.00806 -2047 6521 0.00979 -2047 9731 0.01683 -2047 9773 0.01738 -2046 4243 0.01312 -2046 6121 0.01981 -2046 8255 0.01895 -2046 8517 0.01126 -2046 9475 0.01038 -2045 3120 0.01585 -2045 3210 0.01293 -2045 4801 0.01830 -2045 5271 0.01660 -2045 6470 0.01996 -2045 6807 0.01101 -2045 6882 0.01078 -2045 9920 0.01935 -2044 2279 0.01539 -2044 2469 0.01946 -2044 3434 0.00807 -2044 7190 0.01407 -2044 7601 0.01758 -2044 8029 0.01303 -2044 8046 0.00464 -2044 8092 0.01457 -2044 9378 0.00791 -2043 2301 0.01558 -2043 2934 0.01576 -2043 3163 0.01020 -2043 3255 0.01475 -2043 4397 0.01989 -2043 5668 0.01330 -2043 8513 0.01029 -2042 2134 0.01185 -2042 2287 0.01587 -2042 2915 0.01544 -2042 5335 0.01231 -2042 6547 0.01954 -2042 7252 0.01620 -2042 9149 0.01534 -2042 9328 0.00990 -2041 2433 0.00660 -2041 2884 0.00995 -2041 3011 0.01359 -2041 3642 0.01738 -2041 5748 0.01132 -2041 6353 0.00942 -2041 7622 0.00658 -2041 8396 0.00571 -2041 8618 0.01270 -2041 9794 0.01602 -2040 2860 0.01486 -2040 3103 0.01124 -2040 5028 0.01209 -2040 6478 0.01402 -2040 7326 0.01983 -2040 8489 0.00367 -2040 9560 0.01218 -2040 9968 0.01924 -2039 3676 0.01571 -2039 4079 0.01784 -2039 4212 0.01539 -2039 7234 0.01624 -2039 7251 0.01210 -2039 8017 0.00592 -2039 8052 0.01374 -2039 8094 0.01079 -2039 8736 0.00879 -2039 9175 0.01823 -2039 9606 0.01669 -2038 4098 0.00783 -2038 4646 0.01420 -2038 5064 0.01674 -2038 5133 0.01617 -2038 5422 0.00115 -2038 6170 0.01643 -2038 6417 0.01993 -2038 7035 0.01282 -2038 8995 0.01413 -2038 9076 0.00879 -2037 2383 0.01793 -2037 3954 0.01905 -2037 4261 0.01780 -2037 5485 0.01850 -2037 5970 0.01829 -2037 6607 0.00452 -2037 8361 0.01790 -2037 8791 0.00544 -2037 9028 0.00340 -2037 9502 0.01718 -2037 9727 0.01329 -2036 2039 0.01339 -2036 4394 0.01803 -2036 4662 0.01613 -2036 7234 0.00488 -2036 7251 0.01835 -2036 8017 0.01918 -2036 8094 0.00312 -2036 8736 0.00971 -2036 9606 0.00413 -2036 9699 0.01872 -2036 9981 0.01568 -2035 3786 0.00974 -2035 5797 0.01718 -2035 6440 0.01173 -2035 8580 0.01332 -2035 9236 0.01517 -2035 9789 0.01797 -2035 9864 0.01645 -2034 2451 0.01247 -2034 2484 0.01546 -2034 4358 0.01828 -2034 6409 0.01544 -2034 8338 0.01915 -2033 2850 0.00936 -2033 3041 0.01918 -2033 3764 0.01171 -2033 3787 0.01822 -2033 3958 0.01943 -2033 5678 0.01136 -2033 5925 0.01462 -2033 6405 0.01502 -2033 8352 0.01102 -2033 9678 0.01637 -2032 2524 0.00593 -2032 3632 0.00530 -2032 3814 0.00215 -2032 4355 0.01557 -2032 5564 0.01852 -2032 5871 0.01407 -2032 6352 0.01952 -2032 6498 0.00610 -2032 7975 0.01459 -2032 8861 0.01147 -2031 2529 0.01383 -2031 4243 0.01949 -2031 4571 0.01145 -2031 6121 0.01457 -2031 6464 0.01198 -2031 7515 0.01160 -2031 7892 0.00786 -2031 8062 0.00841 -2031 8612 0.01441 -2031 9371 0.00064 -2030 2250 0.00784 -2030 3040 0.00804 -2030 3056 0.01659 -2030 3249 0.01212 -2030 3298 0.01694 -2030 3964 0.01552 -2030 4317 0.01243 -2030 4954 0.01696 -2030 5375 0.01428 -2029 2158 0.01334 -2029 2375 0.01666 -2029 4023 0.01589 -2029 4437 0.01343 -2029 5345 0.01355 -2029 6818 0.01231 -2029 7166 0.00407 -2029 7783 0.01353 -2029 9147 0.01678 -2028 2630 0.00837 -2028 3058 0.00790 -2028 3656 0.01102 -2028 5874 0.01981 -2028 6462 0.01720 -2028 9040 0.01671 -2027 2316 0.01814 -2027 2943 0.01796 -2027 3077 0.01958 -2027 3918 0.01647 -2027 4160 0.01818 -2027 5665 0.01591 -2027 5958 0.01262 -2027 6164 0.00939 -2027 7621 0.01394 -2027 8852 0.01678 -2027 9324 0.01365 -2026 2443 0.01876 -2026 2602 0.00943 -2026 2629 0.01557 -2026 3251 0.01437 -2026 4202 0.01637 -2026 4868 0.01329 -2026 5507 0.00500 -2026 5945 0.01823 -2026 6495 0.00871 -2026 6674 0.01205 -2026 6951 0.01266 -2026 7172 0.01581 -2026 8054 0.01410 -2025 2384 0.00757 -2025 4182 0.01851 -2025 5019 0.01667 -2025 5491 0.01103 -2025 5635 0.01139 -2025 8682 0.01612 -2024 2205 0.00373 -2024 2610 0.01759 -2024 2922 0.01960 -2024 3044 0.00989 -2024 3136 0.01514 -2024 4129 0.01153 -2024 4734 0.01894 -2024 5070 0.01563 -2024 5845 0.01557 -2024 7355 0.01371 -2024 7586 0.01446 -2024 8500 0.01974 -2024 9294 0.01812 -2023 2695 0.00901 -2023 2905 0.01960 -2023 3431 0.01674 -2023 3624 0.01318 -2023 4623 0.00457 -2023 4750 0.00514 -2023 5157 0.00223 -2023 6318 0.01027 -2023 7270 0.01092 -2023 8118 0.01828 -2023 9197 0.01951 -2023 9244 0.01608 -2022 2609 0.01077 -2022 2671 0.01972 -2022 4479 0.01870 -2022 4888 0.01399 -2022 4897 0.00369 -2022 6627 0.01568 -2022 7061 0.00599 -2022 7109 0.01883 -2022 7659 0.01595 -2022 7818 0.00868 -2022 7985 0.01834 -2021 2420 0.00397 -2021 3738 0.01747 -2021 4095 0.01583 -2021 4142 0.01947 -2021 5502 0.01635 -2021 5799 0.01119 -2021 6080 0.01908 -2021 8182 0.01954 -2021 8375 0.01759 -2021 8559 0.01446 -2021 9166 0.01786 -2021 9278 0.01492 -2021 9680 0.01684 -2020 2207 0.01562 -2020 2221 0.01797 -2020 3770 0.01875 -2020 3990 0.01699 -2020 4995 0.01765 -2020 5075 0.01721 -2020 6177 0.01939 -2020 6227 0.01488 -2020 6618 0.01391 -2020 6715 0.01758 -2020 6742 0.01644 -2020 7921 0.00906 -2020 8027 0.01361 -2020 9918 0.01572 -2019 2291 0.01399 -2019 2552 0.00719 -2019 2774 0.01983 -2019 2795 0.01986 -2019 2982 0.00319 -2019 3574 0.00907 -2019 3675 0.01179 -2019 4409 0.00621 -2019 5517 0.01597 -2019 5608 0.00911 -2019 6432 0.00602 -2019 8066 0.01334 -2019 8633 0.01766 -2019 8902 0.01945 -2019 9074 0.01782 -2019 9806 0.01038 -2018 2131 0.01064 -2018 2323 0.01643 -2018 4256 0.01917 -2018 4403 0.01848 -2018 5552 0.01516 -2018 5809 0.01619 -2018 6223 0.01566 -2018 6513 0.01387 -2018 6579 0.00481 -2018 6939 0.01290 -2018 8215 0.01412 -2018 9431 0.01923 -2017 2874 0.00200 -2017 2896 0.01741 -2017 4098 0.01773 -2017 5064 0.01024 -2017 5651 0.00914 -2017 6800 0.00641 -2017 8995 0.01149 -2017 9662 0.01784 -2016 2365 0.01818 -2016 2415 0.01554 -2016 3031 0.00919 -2016 4899 0.01397 -2016 6683 0.00977 -2016 7935 0.01044 -2016 7942 0.01432 -2016 8426 0.00564 -2015 2269 0.01314 -2015 4227 0.01867 -2015 4744 0.01129 -2015 5074 0.01763 -2015 5496 0.01624 -2015 5841 0.01494 -2015 5956 0.01983 -2015 6252 0.01589 -2015 7780 0.01751 -2015 7798 0.01414 -2015 9774 0.01853 -2014 3733 0.01286 -2014 4597 0.01866 -2014 4754 0.01979 -2014 5495 0.01700 -2014 5795 0.01005 -2014 6523 0.00969 -2014 7133 0.01629 -2014 8302 0.01833 -2013 2441 0.01607 -2013 3042 0.01876 -2013 3166 0.00804 -2013 5180 0.01789 -2013 6788 0.01908 -2013 7526 0.01137 -2013 7732 0.01643 -2013 7916 0.01467 -2013 8013 0.00760 -2013 8955 0.01431 -2012 2521 0.01597 -2012 3960 0.01928 -2012 4080 0.01998 -2012 5539 0.01914 -2012 5543 0.01396 -2012 5710 0.01826 -2012 5712 0.00851 -2012 5859 0.01625 -2012 6233 0.00922 -2012 8125 0.01876 -2012 8740 0.01701 -2012 8807 0.00207 -2012 9206 0.01899 -2011 2097 0.01838 -2011 2249 0.00558 -2011 2933 0.01610 -2011 5865 0.01174 -2011 5898 0.01583 -2011 7220 0.01928 -2011 7368 0.01495 -2011 7724 0.00390 -2011 7733 0.01961 -2011 8523 0.01638 -2011 9084 0.01320 -2010 3410 0.01759 -2010 4253 0.01232 -2010 4394 0.01887 -2010 4453 0.01189 -2010 4662 0.01654 -2010 4811 0.00796 -2010 7150 0.01852 -2010 7432 0.01724 -2010 7671 0.01889 -2010 8486 0.01744 -2010 8874 0.01061 -2010 9499 0.01494 -2009 4692 0.01870 -2009 5307 0.01161 -2009 8179 0.01928 -2009 8725 0.01952 -2009 8859 0.01347 -2009 9433 0.01904 -2008 2378 0.01657 -2008 2517 0.01869 -2008 3261 0.00446 -2008 3836 0.01681 -2008 3906 0.01848 -2008 4492 0.01146 -2008 4928 0.01959 -2008 4960 0.01868 -2008 5641 0.01783 -2008 6151 0.01648 -2008 6817 0.00524 -2008 7023 0.01405 -2008 7540 0.01547 -2008 9759 0.01761 -2007 3018 0.00798 -2007 3290 0.00720 -2007 4183 0.01171 -2007 5164 0.01118 -2007 5568 0.01107 -2007 6359 0.00637 -2007 6601 0.01859 -2007 7160 0.01740 -2007 7300 0.00991 -2007 8075 0.01634 -2007 9671 0.01113 -2007 9945 0.01873 -2006 2802 0.00713 -2006 2857 0.01253 -2006 3852 0.01027 -2006 4561 0.01437 -2006 4840 0.01459 -2006 5047 0.01628 -2006 7356 0.01191 -2005 2489 0.01561 -2005 6276 0.00819 -2005 7819 0.01695 -2005 7843 0.01106 -2005 7998 0.01896 -2005 8391 0.01749 -2005 9288 0.01968 -2004 3336 0.01126 -2004 4913 0.01410 -2004 5177 0.01711 -2004 5206 0.01771 -2004 6332 0.01648 -2004 6466 0.01916 -2004 6621 0.00453 -2004 6644 0.00632 -2004 7080 0.01522 -2004 7546 0.01580 -2004 8201 0.01609 -2004 8473 0.00986 -2004 9251 0.01560 -2003 2486 0.01731 -2003 4056 0.01182 -2003 4740 0.01945 -2003 5257 0.01806 -2003 5569 0.00642 -2003 6866 0.00312 -2003 7060 0.01745 -2003 7431 0.01123 -2003 9184 0.01437 -2003 9546 0.01188 -2003 9961 0.01977 -2002 2815 0.01374 -2002 2872 0.00464 -2002 4773 0.00230 -2002 5715 0.01777 -2002 6528 0.01530 -2002 7134 0.01808 -2002 8194 0.01871 -2002 8608 0.00976 -2002 9303 0.01986 -2001 3110 0.01957 -2001 4001 0.01293 -2001 4308 0.00666 -2001 6064 0.01677 -2001 6069 0.00971 -2001 7188 0.01122 -2001 7207 0.01325 -2001 7581 0.01116 -2001 7679 0.00440 -2001 8569 0.01567 -2001 8669 0.01850 -2001 8946 0.01647 -2001 9112 0.01672 -2001 9185 0.01206 -2000 2577 0.00947 -2000 3008 0.00093 -2000 4346 0.00451 -2000 5516 0.01826 -2000 5619 0.01263 -2000 5937 0.01689 -2000 7571 0.01207 -2000 7629 0.01493 -2000 9612 0.01061 -2000 9720 0.00651 -1999 2255 0.01983 -1999 2455 0.01244 -1999 2992 0.01832 -1999 3191 0.01147 -1999 6171 0.01381 -1999 7024 0.00469 -1999 7412 0.00494 -1999 7627 0.01804 -1999 7694 0.01065 -1999 8827 0.01350 -1999 9451 0.01975 -1998 2025 0.01843 -1998 2550 0.01567 -1998 2781 0.01372 -1998 4182 0.00957 -1998 4721 0.01966 -1998 5491 0.01481 -1998 5560 0.00867 -1998 5635 0.01752 -1998 5714 0.01637 -1998 7196 0.01926 -1998 7498 0.01722 -1998 8386 0.01593 -1998 9258 0.01281 -1997 2546 0.01697 -1997 2964 0.01570 -1997 5179 0.01958 -1997 5454 0.01471 -1997 5508 0.01782 -1997 7247 0.01246 -1997 8023 0.00693 -1997 8274 0.00756 -1997 8825 0.00404 -1996 2170 0.01409 -1996 2213 0.01014 -1996 2233 0.01973 -1996 2474 0.01496 -1996 5693 0.01306 -1996 6499 0.01812 -1996 9115 0.00791 -1996 9224 0.01139 -1995 2751 0.00379 -1995 3966 0.01253 -1995 4281 0.00179 -1995 4548 0.01870 -1995 4768 0.01899 -1995 4875 0.01045 -1995 4956 0.00473 -1995 5087 0.01529 -1995 6003 0.00848 -1995 6346 0.00937 -1995 7238 0.01784 -1995 7848 0.00562 -1994 2121 0.01780 -1994 2242 0.01768 -1994 2760 0.01857 -1994 2770 0.01191 -1994 2809 0.01646 -1994 4251 0.00527 -1994 5526 0.01813 -1994 6357 0.01982 -1994 7335 0.01708 -1994 7595 0.01512 -1994 7651 0.01716 -1994 8367 0.01118 -1993 3327 0.01514 -1993 3364 0.00610 -1993 3628 0.01090 -1993 4147 0.01526 -1993 4353 0.00774 -1993 4851 0.01762 -1993 5675 0.01937 -1993 6241 0.00499 -1993 7055 0.01703 -1993 7099 0.01187 -1993 8126 0.01737 -1993 9233 0.00838 -1992 2172 0.01514 -1992 3242 0.00736 -1992 3584 0.01660 -1992 4521 0.01822 -1992 6262 0.01158 -1992 7657 0.01500 -1992 8296 0.00694 -1992 8493 0.01435 -1992 8838 0.01602 -1992 9306 0.01874 -1991 2145 0.01370 -1991 2703 0.01432 -1991 3282 0.00421 -1991 3892 0.00864 -1991 4917 0.01811 -1991 5453 0.01322 -1991 6024 0.01619 -1991 7418 0.00661 -1991 8323 0.00665 -1991 9581 0.01061 -1991 9582 0.01958 -1990 2033 0.01098 -1990 3764 0.01108 -1990 3787 0.01014 -1990 3958 0.00901 -1990 4461 0.01124 -1990 4552 0.01866 -1990 5678 0.00042 -1990 5925 0.01029 -1990 6405 0.00740 -1990 6592 0.01879 -1990 6877 0.01797 -1990 8557 0.01957 -1990 9678 0.01885 -1989 2699 0.01781 -1989 3092 0.01026 -1989 3502 0.01867 -1989 5802 0.01679 -1989 6650 0.00519 -1989 7057 0.01392 -1989 7660 0.01046 -1989 8195 0.01461 -1989 9220 0.00272 -1988 2003 0.01533 -1988 2258 0.01963 -1988 2486 0.00222 -1988 2757 0.01633 -1988 4740 0.00442 -1988 4839 0.01620 -1988 5257 0.01872 -1988 6866 0.01343 -1988 7060 0.01129 -1988 7106 0.01844 -1988 8339 0.01607 -1988 8428 0.01763 -1988 9184 0.00106 -1987 4574 0.01817 -1987 5757 0.00633 -1987 6445 0.01889 -1987 6669 0.01997 -1987 7409 0.00905 -1986 2169 0.00461 -1986 2667 0.01627 -1986 3435 0.01672 -1986 3684 0.01859 -1986 4375 0.00843 -1986 5561 0.01959 -1986 5609 0.01582 -1986 6054 0.01056 -1986 6810 0.01995 -1986 7236 0.01893 -1986 7674 0.00636 -1986 8583 0.01744 -1986 8665 0.01665 -1986 8842 0.00860 -1985 3078 0.01789 -1985 4445 0.01869 -1985 4745 0.01470 -1985 5762 0.01268 -1985 7785 0.01364 -1985 8156 0.01179 -1985 9312 0.00845 -1985 9970 0.01969 -1984 1992 0.01928 -1984 3225 0.01983 -1984 3584 0.01971 -1984 4521 0.00624 -1984 6398 0.01502 -1984 6842 0.00672 -1984 8296 0.01234 -1984 8493 0.01079 -1984 9460 0.00946 -1983 2526 0.00940 -1983 3275 0.01390 -1983 3536 0.00588 -1983 4425 0.01941 -1983 7533 0.01719 -1983 7928 0.00886 -1983 8258 0.01353 -1983 8368 0.01223 -1983 9015 0.01527 -1983 9805 0.01904 -1983 9914 0.01444 -1983 9998 0.01542 -1982 2725 0.00768 -1982 2795 0.01127 -1982 3317 0.01310 -1982 4630 0.00649 -1982 4920 0.01118 -1982 5373 0.01589 -1982 5517 0.01497 -1982 6090 0.01253 -1982 7018 0.01679 -1981 2311 0.01675 -1981 3313 0.01863 -1981 4066 0.01643 -1981 4109 0.01630 -1981 5054 0.01630 -1981 5349 0.00831 -1981 6663 0.01952 -1981 7562 0.01346 -1981 8797 0.00809 -1981 8895 0.01505 -1980 2181 0.01203 -1980 2432 0.01707 -1980 3408 0.01999 -1980 6145 0.00026 -1980 7607 0.00844 -1980 7730 0.01595 -1980 9167 0.01483 -1980 9503 0.00578 -1980 9591 0.00904 -1980 9668 0.00832 -1979 1988 0.00266 -1979 2003 0.01774 -1979 2258 0.01858 -1979 2486 0.00044 -1979 2757 0.01614 -1979 4740 0.00177 -1979 4839 0.01523 -1979 5217 0.01978 -1979 6866 0.01600 -1979 7060 0.01304 -1979 7106 0.01589 -1979 8339 0.01776 -1979 8428 0.01679 -1979 9184 0.00372 -1978 2115 0.01607 -1978 2466 0.01391 -1978 2748 0.01383 -1978 5690 0.01676 -1978 6244 0.01460 -1978 7899 0.01274 -1978 9412 0.00880 -1978 9822 0.01903 -1977 2183 0.00141 -1977 2704 0.01251 -1977 3034 0.01167 -1977 3260 0.01478 -1977 4716 0.01489 -1977 4758 0.00936 -1977 4823 0.01617 -1977 5249 0.01160 -1977 5907 0.01835 -1977 6539 0.00603 -1977 6662 0.01101 -1977 7910 0.01846 -1977 8335 0.01212 -1977 8522 0.00917 -1977 9398 0.00106 -1976 2912 0.00633 -1976 3942 0.00850 -1976 4257 0.01692 -1976 4277 0.01408 -1976 4329 0.01958 -1976 7715 0.01323 -1975 2139 0.01846 -1975 2218 0.01318 -1975 2646 0.01284 -1975 3045 0.01463 -1975 4302 0.01553 -1975 4381 0.01260 -1975 6182 0.01709 -1975 8236 0.00896 -1974 2778 0.01691 -1974 3212 0.01744 -1974 3272 0.01768 -1974 3834 0.00973 -1974 4531 0.01750 -1974 4923 0.01914 -1974 5233 0.00824 -1974 5294 0.01831 -1974 6581 0.00923 -1974 7273 0.01797 -1974 9180 0.01296 -1973 2226 0.01057 -1973 5830 0.01054 -1973 6139 0.01920 -1973 6186 0.01753 -1973 6923 0.01124 -1973 7103 0.01718 -1973 7450 0.00982 -1973 7467 0.01228 -1973 7995 0.01790 -1973 8915 0.01074 -1973 9085 0.01107 -1973 9628 0.01482 -1972 2107 0.01994 -1972 2443 0.01217 -1972 2520 0.01813 -1972 2960 0.01877 -1972 4075 0.01827 -1972 6292 0.00625 -1972 6383 0.01321 -1972 7575 0.00813 -1971 2033 0.01799 -1971 3041 0.00585 -1971 3764 0.01008 -1971 3787 0.01832 -1971 5925 0.01292 -1971 6405 0.01717 -1971 6592 0.01726 -1971 8352 0.01826 -1971 8557 0.01519 -1970 2503 0.01004 -1970 3250 0.01357 -1970 3496 0.00908 -1970 3808 0.01315 -1970 4003 0.00863 -1970 5175 0.01701 -1970 6043 0.01048 -1970 7072 0.01932 -1970 9818 0.01316 -1969 2353 0.01088 -1969 2403 0.00268 -1969 3456 0.00500 -1969 3965 0.01918 -1969 4822 0.01579 -1969 5008 0.00640 -1969 5404 0.01611 -1969 6386 0.01910 -1969 7462 0.00361 -1969 8714 0.01070 -1969 9210 0.01103 -1968 2253 0.01409 -1968 2949 0.01691 -1968 3227 0.01001 -1968 3868 0.01901 -1968 4603 0.01881 -1968 6084 0.01796 -1968 6572 0.01462 -1968 7961 0.00670 -1967 2114 0.01942 -1967 3375 0.01320 -1967 3399 0.01222 -1967 3640 0.01646 -1967 4118 0.01645 -1967 4320 0.01397 -1967 5354 0.01986 -1967 8210 0.01812 -1967 9558 0.00545 -1966 1970 0.00861 -1966 2503 0.00783 -1966 3250 0.01109 -1966 3496 0.01303 -1966 3808 0.01538 -1966 4003 0.01712 -1966 5175 0.00894 -1966 6043 0.01707 -1966 7072 0.01194 -1966 7231 0.01794 -1966 9273 0.01502 -1966 9818 0.00652 -1965 2544 0.01940 -1965 6997 0.00667 -1965 7663 0.01847 -1965 8255 0.01163 -1965 9965 0.01829 -1964 3215 0.01874 -1964 3623 0.01238 -1964 4885 0.00166 -1964 5792 0.00470 -1964 6327 0.01230 -1964 6340 0.01240 -1964 9187 0.01071 -1963 1964 0.01894 -1963 2212 0.00495 -1963 2467 0.01687 -1963 4885 0.01952 -1963 5792 0.01443 -1963 6340 0.00738 -1963 7379 0.01367 -1963 9252 0.01543 -1963 9447 0.01198 -1962 4067 0.01370 -1962 4900 0.01819 -1962 5255 0.00810 -1962 5860 0.01994 -1962 6013 0.00622 -1962 9516 0.01712 -1961 2861 0.01282 -1961 6240 0.01099 -1961 8829 0.00167 -1961 9375 0.01681 -1960 3091 0.01817 -1960 3809 0.00668 -1960 4161 0.00786 -1960 4833 0.01798 -1960 4879 0.01938 -1960 5315 0.00601 -1960 5520 0.01545 -1960 7030 0.00544 -1960 7658 0.01866 -1960 8450 0.01105 -1960 9549 0.00453 -1959 2080 0.01683 -1959 2588 0.01290 -1959 3296 0.01903 -1959 3569 0.01535 -1959 4994 0.01664 -1959 6850 0.01821 -1959 6974 0.01643 -1959 7520 0.01030 -1959 7837 0.01252 -1959 8324 0.00600 -1958 2060 0.00737 -1958 2116 0.01945 -1958 2798 0.01812 -1958 4887 0.00872 -1958 5654 0.01992 -1958 7017 0.01670 -1958 7274 0.00950 -1958 8655 0.00487 -1958 8840 0.01705 -1958 9003 0.01552 -1957 2030 0.01656 -1957 2250 0.01658 -1957 3040 0.00955 -1957 3056 0.00916 -1957 3249 0.00652 -1957 3298 0.01135 -1957 4317 0.01157 -1957 5375 0.00572 -1957 7104 0.01985 -1956 2535 0.00713 -1956 3686 0.01001 -1956 3877 0.01591 -1956 6703 0.01204 -1956 7331 0.01047 -1956 7967 0.01000 -1956 8244 0.01117 -1956 8348 0.01870 -1955 3446 0.01648 -1955 4717 0.01824 -1955 4955 0.01713 -1955 6965 0.01507 -1955 7375 0.01975 -1955 9219 0.01273 -1954 2004 0.00675 -1954 3336 0.01626 -1954 4913 0.01934 -1954 5177 0.01522 -1954 5555 0.01879 -1954 6332 0.01768 -1954 6621 0.00287 -1954 6644 0.00355 -1954 7080 0.01233 -1954 7546 0.01193 -1954 8201 0.00956 -1954 8473 0.01594 -1954 9251 0.01525 -1953 2385 0.01884 -1953 2738 0.01648 -1953 3600 0.01168 -1953 3974 0.00454 -1953 4232 0.01731 -1953 4360 0.01992 -1953 7313 0.01280 -1953 7718 0.01996 -1953 9971 0.00308 -1952 2430 0.00470 -1952 3342 0.00484 -1952 3442 0.01396 -1952 4841 0.01929 -1952 5144 0.01942 -1952 5200 0.01031 -1952 5553 0.01619 -1952 9409 0.01977 -1951 2564 0.01337 -1951 2614 0.00646 -1951 3444 0.00773 -1951 5206 0.01217 -1951 6187 0.00873 -1951 6466 0.01762 -1951 8473 0.01934 -1951 8713 0.00536 -1950 2037 0.01937 -1950 3954 0.01933 -1950 4093 0.01430 -1950 4517 0.01380 -1950 4816 0.00858 -1950 5819 0.00929 -1950 5970 0.00231 -1950 8791 0.01776 -1950 9028 0.01878 -1950 9440 0.01527 -1949 3315 0.01591 -1949 4415 0.01862 -1949 4417 0.01354 -1949 4952 0.01083 -1949 5975 0.01975 -1949 6316 0.01652 -1949 7390 0.00445 -1949 8405 0.00932 -1949 8822 0.01534 -1949 9698 0.01482 -1948 3561 0.01451 -1948 4200 0.01459 -1948 4354 0.00841 -1948 5120 0.01168 -1948 5152 0.00955 -1948 5518 0.01863 -1948 6188 0.01531 -1948 7793 0.01829 -1948 8706 0.00921 -1948 8773 0.01788 -1948 9820 0.01632 -1947 1989 0.00546 -1947 3092 0.01095 -1947 3502 0.01818 -1947 5802 0.01772 -1947 6650 0.01062 -1947 7057 0.01933 -1947 7660 0.01579 -1947 8195 0.01549 -1947 9220 0.00652 -1946 2554 0.01263 -1946 2663 0.01848 -1946 2844 0.01309 -1946 3050 0.01853 -1946 3144 0.01527 -1946 3288 0.01534 -1946 3670 0.01751 -1946 3853 0.00461 -1946 3950 0.01626 -1946 4742 0.01440 -1946 7517 0.01430 -1946 7853 0.00264 -1946 7884 0.01636 -1946 7943 0.01430 -1946 8303 0.01726 -1946 9064 0.01496 -1946 9496 0.01586 -1946 9964 0.01799 -1945 6690 0.01011 -1945 7645 0.01972 -1945 7647 0.01347 -1945 8392 0.00766 -1945 8761 0.01475 -1944 4262 0.01225 -1944 5244 0.01699 -1944 5732 0.00991 -1944 6441 0.01224 -1944 6934 0.01599 -1944 7246 0.00935 -1944 7737 0.01566 -1944 8388 0.01921 -1944 8461 0.00765 -1944 9144 0.01052 -1944 9879 0.00913 -1944 9951 0.01856 -1944 9960 0.00657 -1943 1949 0.00850 -1943 3424 0.01297 -1943 3683 0.01557 -1943 3762 0.01661 -1943 4415 0.01138 -1943 4417 0.01750 -1943 4952 0.01905 -1943 7306 0.01826 -1943 7390 0.01082 -1943 7524 0.01733 -1943 8405 0.00645 -1943 9698 0.01276 -1942 2037 0.01259 -1942 2383 0.00539 -1942 3067 0.01655 -1942 4261 0.01768 -1942 5485 0.00718 -1942 6024 0.01984 -1942 6607 0.00876 -1942 7179 0.01066 -1942 8049 0.01811 -1942 8791 0.01551 -1942 9028 0.01373 -1942 9502 0.00800 -1942 9582 0.01899 -1942 9727 0.01486 -1941 2061 0.01485 -1941 2841 0.01187 -1941 4170 0.00737 -1941 5417 0.00644 -1941 6754 0.00695 -1941 7163 0.01770 -1941 7794 0.01717 -1941 8395 0.01985 -1941 9196 0.01032 -1941 9940 0.00161 -1940 2013 0.01866 -1940 2441 0.00554 -1940 3042 0.00033 -1940 3960 0.01945 -1940 4080 0.01117 -1940 5180 0.01631 -1940 5710 0.01278 -1940 7526 0.01602 -1940 7732 0.01961 -1940 7916 0.01787 -1940 8013 0.01136 -1940 8279 0.01078 -1940 8955 0.01136 -1940 9206 0.01518 -1939 2213 0.01837 -1939 3229 0.01884 -1939 3365 0.01896 -1939 4671 0.01821 -1939 4929 0.00674 -1939 5143 0.01690 -1939 5976 0.01881 -1939 7194 0.01715 -1939 8711 0.01122 -1939 8934 0.00422 -1938 2667 0.01226 -1938 3370 0.01005 -1938 3684 0.00907 -1938 3800 0.01041 -1938 8510 0.01106 -1938 8665 0.01757 -1938 9079 0.00405 -1938 9791 0.01731 -1938 9797 0.00851 -1937 2782 0.00899 -1937 3790 0.01588 -1937 4338 0.01882 -1937 4472 0.00684 -1937 5090 0.01997 -1937 5423 0.01020 -1937 5437 0.01170 -1937 6476 0.01707 -1937 6914 0.01181 -1937 7753 0.01578 -1937 7970 0.01861 -1937 8291 0.01837 -1937 9572 0.01557 -1936 3840 0.01633 -1936 3983 0.01752 -1936 5433 0.00931 -1936 5707 0.01878 -1936 6186 0.01863 -1936 6752 0.01388 -1936 8406 0.01885 -1936 8545 0.01833 -1936 8651 0.00488 -1936 9741 0.01188 -1935 1983 0.00678 -1935 2526 0.00575 -1935 2936 0.01697 -1935 3536 0.00824 -1935 7309 0.01912 -1935 7928 0.00978 -1935 8368 0.01231 -1935 9015 0.01405 -1935 9914 0.01378 -1934 2152 0.01077 -1934 3178 0.01075 -1934 3643 0.01141 -1934 3698 0.01806 -1934 4331 0.00692 -1934 5372 0.01969 -1934 5378 0.00661 -1934 5586 0.00659 -1934 6633 0.01434 -1934 7823 0.01124 -1934 9370 0.01861 -1933 2054 0.00563 -1933 2306 0.01899 -1933 3085 0.01980 -1933 3095 0.01213 -1933 3604 0.00774 -1933 6009 0.00832 -1933 7283 0.00006 -1933 7846 0.01082 -1932 2634 0.01747 -1932 4174 0.01388 -1932 4189 0.01873 -1932 4884 0.01254 -1932 6176 0.01325 -1932 7198 0.01770 -1932 8855 0.01156 -1932 9638 0.01594 -1931 2881 0.01752 -1931 3013 0.01827 -1931 3618 0.01611 -1931 3713 0.00373 -1931 3879 0.01941 -1931 3955 0.00942 -1931 5672 0.01110 -1931 5836 0.01665 -1931 5905 0.01198 -1931 5936 0.00174 -1931 7611 0.01941 -1931 7634 0.01439 -1931 8611 0.01976 -1931 9650 0.01030 -1930 1958 0.01929 -1930 2060 0.01384 -1930 2798 0.01899 -1930 3046 0.01757 -1930 3280 0.01679 -1930 4887 0.01787 -1930 5210 0.01749 -1930 5336 0.01032 -1930 6286 0.01617 -1930 6632 0.00864 -1930 7274 0.01234 -1930 8088 0.01043 -1930 8655 0.01591 -1930 8879 0.01885 -1930 9003 0.00421 -1929 2475 0.01812 -1929 5116 0.00390 -1929 5527 0.01933 -1929 5995 0.01100 -1929 6206 0.01481 -1929 6643 0.01561 -1929 6838 0.00288 -1929 7091 0.00970 -1929 7164 0.01833 -1929 8256 0.01989 -1929 9762 0.01692 -1928 2310 0.00993 -1928 2388 0.01908 -1928 4015 0.01814 -1928 4410 0.01090 -1928 5042 0.01329 -1928 5953 0.00845 -1928 6416 0.01617 -1928 8277 0.01057 -1928 8525 0.01398 -1928 9701 0.01552 -1927 2157 0.00526 -1927 4469 0.01190 -1927 4803 0.01368 -1927 5142 0.01411 -1927 6150 0.00901 -1927 7307 0.01976 -1927 8025 0.01759 -1927 8919 0.01165 -1927 9096 0.01678 -1927 9577 0.01803 -1926 2649 0.01855 -1926 4342 0.01598 -1926 4564 0.01764 -1926 5324 0.01905 -1926 5769 0.01552 -1926 7082 0.01929 -1926 8627 0.01509 -1925 2712 0.01980 -1925 4072 0.01218 -1925 5110 0.01479 -1925 5197 0.01060 -1925 5331 0.00544 -1925 5337 0.01905 -1925 5992 0.01887 -1925 6070 0.01478 -1925 7583 0.01656 -1925 8841 0.01577 -1925 9746 0.01619 -1924 2495 0.00678 -1924 3909 0.00847 -1924 5564 0.01522 -1924 6702 0.01165 -1924 7739 0.01758 -1924 8435 0.00813 -1924 8717 0.01347 -1924 9425 0.00906 -1924 9725 0.01591 -1923 2318 0.00068 -1923 2922 0.00750 -1923 3044 0.01717 -1923 4129 0.01987 -1923 4652 0.00936 -1923 4734 0.01258 -1923 5576 0.01399 -1923 5845 0.01494 -1923 6006 0.01864 -1923 6149 0.00571 -1923 6962 0.01285 -1923 7355 0.01512 -1923 7714 0.01175 -1922 2082 0.01911 -1922 2243 0.01582 -1922 7417 0.01536 -1922 7554 0.00809 -1922 8196 0.00617 -1922 8565 0.01533 -1922 8969 0.01047 -1922 9828 0.01597 -1921 2558 0.01027 -1921 4020 0.01625 -1921 4779 0.01818 -1921 5723 0.01637 -1921 6371 0.01711 -1921 6861 0.01603 -1921 8575 0.01949 -1921 9011 0.01207 -1921 9624 0.00932 -1920 3007 0.00620 -1920 4609 0.01578 -1920 5912 0.01048 -1920 7119 0.01259 -1920 7139 0.01125 -1920 7596 0.01480 -1920 7763 0.00798 -1920 7958 0.00586 -1920 8121 0.01928 -1920 8208 0.01988 -1920 9528 0.00348 -1920 9838 0.00584 -1919 2617 0.01808 -1919 3012 0.00685 -1919 4241 0.01069 -1919 4678 0.01063 -1919 5333 0.01969 -1919 9039 0.01925 -1918 2388 0.01981 -1918 2559 0.01415 -1918 3500 0.01955 -1918 5531 0.00876 -1918 6243 0.00239 -1918 6667 0.00606 -1918 8887 0.00457 -1918 8920 0.01942 -1918 9104 0.01254 -1917 2688 0.01405 -1917 2977 0.00685 -1917 3752 0.01230 -1917 3940 0.01986 -1917 3959 0.01929 -1917 4916 0.00878 -1917 6780 0.01604 -1917 7822 0.01092 -1917 8751 0.01623 -1917 9151 0.01545 -1917 9291 0.01924 -1917 9442 0.01053 -1917 9855 0.01602 -1916 3819 0.01633 -1916 6787 0.01817 -1916 8109 0.01165 -1915 2760 0.00639 -1915 3322 0.01624 -1915 4032 0.00235 -1915 4251 0.01983 -1915 4814 0.01712 -1915 4978 0.01270 -1915 5178 0.01035 -1915 5628 0.01809 -1915 6357 0.00583 -1915 6647 0.00380 -1915 7269 0.01282 -1915 7286 0.01701 -1915 7864 0.00499 -1915 8120 0.00789 -1915 9293 0.01721 -1915 9711 0.01978 -1915 9723 0.00318 -1915 9764 0.01673 -1914 1963 0.01898 -1914 2212 0.01411 -1914 2435 0.00965 -1914 2753 0.01281 -1914 2897 0.01985 -1914 3037 0.01978 -1914 7067 0.00870 -1914 7379 0.00819 -1914 7707 0.01310 -1914 8688 0.00388 -1913 2462 0.01382 -1913 3394 0.00280 -1913 3770 0.01446 -1913 4516 0.00792 -1913 5551 0.01826 -1913 5817 0.00838 -1913 5835 0.00923 -1913 6177 0.01602 -1913 8151 0.00965 -1913 8345 0.00882 -1912 2059 0.01783 -1912 2270 0.00510 -1912 2599 0.00771 -1912 3576 0.00863 -1912 5020 0.01707 -1912 5617 0.01171 -1912 6472 0.00575 -1912 6473 0.01932 -1912 8042 0.01687 -1912 9222 0.01263 -1912 9366 0.01958 -1912 9632 0.01271 -1911 2356 0.00865 -1911 3176 0.00238 -1911 4119 0.01009 -1911 4921 0.01132 -1911 5594 0.01536 -1911 5709 0.01232 -1911 5742 0.01456 -1911 9563 0.00998 -1911 9907 0.01969 -1910 2135 0.00473 -1910 5571 0.01503 -1910 5740 0.00978 -1910 6511 0.01524 -1910 6540 0.01661 -1910 6804 0.01410 -1910 7225 0.01592 -1910 8724 0.00831 -1910 9534 0.00924 -1909 1980 0.00891 -1909 2181 0.01039 -1909 2432 0.01364 -1909 3408 0.01259 -1909 4984 0.01416 -1909 6145 0.00904 -1909 7607 0.00698 -1909 7730 0.01884 -1909 9503 0.01344 -1909 9591 0.00920 -1909 9668 0.00358 -1908 2830 0.01055 -1908 3913 0.00565 -1908 5133 0.01582 -1908 6232 0.01453 -1908 9290 0.01286 -1908 9707 0.00172 -1907 2289 0.01925 -1907 2996 0.00485 -1907 3521 0.01747 -1907 4275 0.00863 -1907 4799 0.01174 -1907 5645 0.01325 -1907 6348 0.01141 -1907 6773 0.01283 -1907 7088 0.00898 -1907 7828 0.01959 -1907 8322 0.01756 -1906 4412 0.00288 -1906 8398 0.01659 -1906 9023 0.00941 -1906 9056 0.02000 -1906 9133 0.01049 -1905 2480 0.01987 -1905 3091 0.01900 -1905 4061 0.01701 -1905 4121 0.01494 -1905 4259 0.01280 -1905 4705 0.01532 -1905 5720 0.01969 -1905 6005 0.00923 -1905 6860 0.01610 -1905 7127 0.00688 -1905 7700 0.00775 -1905 8305 0.01636 -1905 9120 0.01849 -1905 9376 0.01982 -1905 9464 0.01671 -1904 3497 0.00760 -1904 3807 0.01563 -1904 5096 0.01737 -1904 6344 0.00420 -1904 6736 0.01308 -1904 7297 0.00380 -1904 7444 0.01981 -1904 7561 0.01093 -1904 8413 0.00795 -1904 8687 0.00596 -1904 9256 0.01706 -1904 9481 0.01637 -1903 1975 0.01804 -1903 2218 0.00768 -1903 2749 0.01511 -1903 3011 0.01959 -1903 3045 0.00450 -1903 3663 0.00249 -1903 3828 0.01820 -1903 4302 0.01323 -1903 4381 0.01814 -1903 4807 0.01900 -1903 6182 0.00323 -1902 1996 0.01740 -1902 2213 0.01036 -1902 2233 0.01369 -1902 2474 0.00348 -1902 6499 0.01246 -1902 6596 0.00898 -1902 8711 0.01236 -1902 9224 0.01356 -1902 9432 0.01505 -1901 3902 0.00681 -1901 4042 0.01818 -1901 5076 0.01725 -1900 2446 0.01186 -1900 5781 0.01672 -1900 5851 0.01494 -1900 6238 0.01958 -1900 6565 0.01562 -1900 7613 0.01462 -1900 8888 0.00978 -1899 1933 0.01539 -1899 2054 0.01499 -1899 3639 0.00867 -1899 6498 0.01992 -1899 7283 0.01544 -1899 7846 0.01616 -1899 8861 0.01166 -1898 2314 0.01578 -1898 7580 0.01610 -1898 7868 0.01197 -1898 7936 0.01383 -1898 8153 0.01684 -1897 1996 0.00811 -1897 2170 0.01222 -1897 2213 0.01172 -1897 2474 0.01851 -1897 5693 0.01951 -1897 8711 0.01987 -1897 9115 0.00398 -1897 9224 0.01928 -1896 2081 0.01758 -1896 2660 0.00991 -1896 3415 0.00817 -1896 3517 0.01824 -1896 3588 0.01986 -1896 4071 0.01807 -1896 5151 0.01870 -1896 5574 0.01435 -1896 7404 0.01411 -1896 9607 0.01766 -1895 2086 0.01431 -1895 2260 0.01788 -1895 2267 0.01865 -1895 2404 0.01368 -1895 3264 0.01710 -1895 4698 0.01331 -1895 4931 0.01761 -1895 5753 0.01387 -1895 5963 0.01577 -1895 6258 0.00190 -1895 6414 0.01422 -1895 6895 0.00863 -1895 7692 0.00976 -1895 7905 0.00401 -1895 8639 0.01456 -1894 2785 0.01394 -1894 3702 0.00969 -1894 4312 0.01828 -1894 4352 0.00709 -1894 4562 0.01844 -1894 8668 0.01532 -1894 9204 0.01084 -1894 9524 0.01458 -1894 9845 0.01779 -1893 1966 0.01054 -1893 1970 0.00580 -1893 2503 0.01498 -1893 3250 0.00962 -1893 3496 0.01486 -1893 3808 0.00739 -1893 4003 0.00898 -1893 5175 0.01946 -1893 5891 0.01589 -1893 6043 0.00659 -1893 7231 0.01755 -1893 9818 0.01663 -1892 2155 0.01759 -1892 4111 0.01755 -1892 4540 0.01750 -1892 4830 0.00159 -1892 5544 0.00278 -1892 5790 0.01908 -1892 8350 0.01721 -1892 9119 0.01712 -1891 3432 0.01263 -1891 3845 0.01692 -1891 5581 0.00480 -1891 6506 0.01984 -1891 7239 0.01204 -1891 7442 0.01185 -1891 7857 0.01517 -1891 7908 0.01568 -1891 8011 0.01859 -1891 8858 0.01761 -1890 2122 0.01973 -1890 2464 0.01995 -1890 2466 0.01358 -1890 4643 0.00430 -1890 6244 0.01440 -1890 6606 0.00727 -1890 6901 0.01684 -1890 7899 0.00787 -1890 9412 0.01142 -1889 2411 0.01351 -1889 3428 0.01665 -1889 4384 0.01345 -1889 4905 0.01036 -1889 5121 0.01909 -1889 5680 0.01900 -1889 5962 0.00538 -1889 6183 0.01664 -1889 6712 0.01737 -1889 7349 0.01484 -1889 7953 0.01885 -1889 9459 0.01022 -1888 2519 0.01573 -1888 4013 0.01277 -1888 4569 0.00471 -1888 5951 0.00935 -1888 6187 0.01862 -1888 7983 0.01932 -1888 8385 0.01071 -1888 8620 0.01807 -1888 8723 0.01130 -1887 2835 0.01650 -1887 2946 0.01572 -1887 3026 0.00646 -1887 3093 0.01169 -1887 3246 0.01564 -1887 3679 0.01056 -1887 3905 0.01536 -1887 5018 0.01901 -1887 5488 0.01537 -1887 5575 0.01850 -1887 5662 0.01734 -1887 5853 0.00874 -1887 9218 0.00699 -1887 9313 0.01955 -1887 9368 0.00408 -1886 3118 0.01834 -1886 3198 0.00528 -1886 3907 0.01812 -1886 4343 0.01729 -1886 4647 0.00712 -1886 5299 0.01472 -1886 5872 0.01662 -1886 6619 0.01619 -1886 7922 0.00857 -1886 8959 0.01006 -1886 8993 0.01207 -1886 9052 0.00596 -1886 9655 0.01269 -1885 2047 0.01698 -1885 2414 0.01625 -1885 3748 0.01238 -1885 4141 0.00859 -1885 5739 0.01018 -1885 6542 0.01384 -1884 2265 0.01916 -1884 2426 0.00578 -1884 3823 0.01829 -1884 6496 0.00574 -1884 6536 0.00377 -1884 7394 0.01547 -1884 7948 0.01379 -1884 8409 0.00374 -1884 8474 0.01058 -1884 8735 0.00384 -1884 9957 0.01834 -1883 2639 0.01676 -1883 4063 0.01582 -1883 5690 0.01482 -1883 6244 0.01641 -1883 6551 0.01874 -1883 8333 0.01880 -1883 8832 0.01502 -1883 9684 0.01734 -1882 1947 0.01643 -1882 1989 0.01321 -1882 2699 0.01618 -1882 3696 0.01364 -1882 4997 0.01744 -1882 6650 0.01255 -1882 7057 0.01226 -1882 7660 0.00981 -1882 8555 0.01757 -1882 9220 0.01063 -1881 4466 0.01686 -1881 4664 0.00340 -1881 6032 0.01392 -1881 6147 0.01538 -1881 6515 0.01558 -1881 7328 0.01510 -1881 7486 0.01260 -1881 7934 0.01657 -1881 8897 0.01366 -1881 8961 0.01156 -1881 9478 0.01801 -1881 9839 0.01916 -1880 1882 0.01497 -1880 2567 0.01372 -1880 3696 0.01063 -1880 5346 0.00730 -1880 5857 0.00820 -1880 8555 0.01473 -1880 9178 0.01151 -1880 9261 0.00961 -1879 4292 0.01382 -1879 4864 0.01136 -1879 5108 0.01466 -1879 5129 0.01156 -1879 5554 0.00921 -1879 5736 0.01165 -1879 6061 0.01914 -1879 6437 0.01809 -1879 7717 0.01798 -1879 8246 0.01623 -1879 8610 0.01528 -1879 9910 0.01294 -1878 3467 0.01498 -1878 4149 0.01178 -1878 6782 0.01117 -1878 8266 0.01730 -1878 8673 0.01916 -1878 9305 0.01229 -1878 9428 0.01360 -1878 9468 0.00669 -1877 2627 0.01430 -1877 4418 0.00716 -1877 5489 0.01665 -1877 5524 0.01937 -1877 7727 0.01027 -1877 8472 0.01943 -1877 8806 0.00830 -1877 9170 0.01270 -1876 2076 0.01093 -1876 3003 0.01245 -1876 3768 0.01820 -1876 5273 0.01928 -1876 6851 0.01830 -1876 7810 0.01304 -1876 9490 0.01720 -1876 9715 0.01458 -1875 2344 0.00732 -1875 2567 0.01472 -1875 3262 0.01904 -1875 3297 0.00568 -1875 3961 0.00616 -1875 5542 0.01116 -1875 5857 0.01819 -1875 6755 0.01813 -1875 9178 0.01983 -1874 2359 0.00787 -1874 3086 0.01071 -1874 4018 0.01180 -1874 4122 0.01482 -1874 5161 0.00963 -1874 6553 0.01414 -1874 6610 0.00726 -1874 7428 0.01517 -1873 2533 0.01320 -1873 3028 0.01897 -1873 3205 0.01224 -1873 3323 0.01773 -1873 4087 0.01374 -1873 4991 0.01670 -1873 6284 0.01740 -1873 6522 0.01718 -1873 9658 0.00618 -1872 2154 0.00682 -1872 2350 0.01044 -1872 4166 0.01715 -1872 4447 0.01352 -1872 5486 0.01473 -1872 5800 0.00729 -1872 6678 0.01485 -1872 6903 0.01635 -1872 7319 0.01183 -1872 7461 0.01047 -1872 8952 0.01397 -1872 9812 0.00266 -1871 2224 0.01807 -1871 3274 0.01065 -1871 4514 0.01459 -1871 5833 0.01062 -1871 5988 0.01710 -1871 6231 0.01615 -1871 6304 0.01953 -1871 6654 0.01171 -1871 6721 0.01599 -1871 6973 0.01263 -1871 7591 0.01831 -1871 8267 0.01973 -1870 1897 0.01952 -1870 1939 0.01152 -1870 4929 0.01823 -1870 5976 0.01060 -1870 6085 0.01742 -1870 7194 0.01704 -1870 7918 0.01003 -1870 8123 0.01897 -1870 8711 0.01983 -1870 8934 0.00750 -1870 9510 0.01517 -1869 2251 0.01108 -1869 3299 0.01431 -1869 3784 0.01137 -1869 4359 0.01687 -1869 4442 0.00860 -1869 4483 0.01711 -1869 4670 0.01940 -1869 4896 0.01384 -1869 5065 0.01375 -1869 6484 0.01920 -1869 7177 0.01974 -1869 7849 0.01818 -1869 8830 0.01918 -1869 9848 0.00841 -1868 2066 0.01789 -1868 2769 0.01966 -1868 3315 0.01990 -1868 4246 0.01258 -1868 4485 0.01583 -1868 4683 0.01786 -1868 5004 0.01350 -1868 5218 0.00815 -1868 6316 0.01960 -1868 9155 0.00343 -1868 9869 0.01275 -1867 3310 0.01287 -1867 3352 0.00656 -1867 4808 0.01351 -1867 6393 0.01198 -1867 6583 0.01874 -1867 7774 0.01466 -1867 8611 0.01451 -1866 2141 0.01745 -1866 2346 0.01127 -1866 2447 0.01350 -1866 3134 0.01143 -1866 4069 0.01014 -1866 4110 0.01811 -1866 4480 0.00752 -1866 5071 0.00721 -1866 5364 0.01022 -1866 5530 0.00208 -1866 6261 0.01970 -1866 6811 0.01787 -1866 6814 0.01875 -1866 6953 0.01718 -1866 9897 0.01352 -1865 1883 0.01248 -1865 1978 0.01153 -1865 4063 0.01963 -1865 4604 0.01896 -1865 5690 0.00740 -1865 6244 0.01416 -1865 6551 0.01895 -1865 7899 0.01875 -1865 9412 0.01663 -1865 9822 0.01313 -1864 2103 0.01116 -1864 3179 0.01379 -1864 3362 0.00983 -1864 5089 0.01937 -1864 5782 0.01593 -1864 6226 0.01309 -1864 6942 0.01460 -1864 7040 0.01112 -1864 7318 0.01378 -1864 7341 0.00431 -1864 8241 0.01837 -1864 8819 0.01767 -1864 8968 0.01490 -1864 9353 0.01684 -1863 2021 0.01027 -1863 2420 0.01137 -1863 3738 0.00977 -1863 5502 0.00613 -1863 5799 0.01928 -1863 6080 0.01382 -1863 8182 0.00966 -1863 8375 0.00985 -1863 8438 0.01990 -1863 9278 0.01901 -1863 9680 0.01119 -1862 2522 0.01693 -1862 2752 0.01588 -1862 3175 0.01774 -1862 3374 0.01017 -1862 4949 0.01479 -1862 7573 0.01266 -1862 8976 0.01688 -1862 9034 0.01346 -1862 9455 0.00528 -1862 9513 0.01685 -1862 9958 0.01973 -1861 2108 0.00962 -1861 2498 0.01557 -1861 2877 0.01551 -1861 2923 0.01343 -1861 4406 0.01096 -1861 4410 0.01551 -1861 5042 0.01884 -1861 5953 0.01570 -1861 6015 0.01415 -1861 6527 0.01056 -1861 7568 0.01549 -1861 8277 0.01545 -1861 9335 0.01549 -1860 1884 0.01385 -1860 2426 0.01751 -1860 3823 0.00451 -1860 6496 0.01825 -1860 6536 0.01198 -1860 8409 0.01700 -1860 8474 0.01102 -1860 8735 0.01039 -1860 9957 0.00851 -1859 2576 0.01698 -1859 3630 0.01841 -1859 3880 0.00974 -1859 4505 0.01364 -1859 4672 0.00355 -1859 4832 0.01628 -1859 5072 0.01651 -1859 5402 0.01840 -1859 6464 0.01786 -1859 7348 0.01190 -1859 7511 0.01803 -1859 7515 0.01868 -1859 7769 0.01739 -1859 7892 0.01890 -1859 8203 0.01891 -1859 8980 0.01378 -1859 9338 0.00666 -1859 9999 0.00310 -1858 2549 0.00483 -1858 2571 0.00955 -1858 2838 0.01534 -1858 2959 0.01416 -1858 3220 0.01568 -1858 4545 0.01357 -1858 4835 0.00737 -1858 6879 0.01149 -1858 8834 0.01648 -1858 9129 0.01903 -1857 3224 0.01641 -1857 4134 0.01660 -1857 4192 0.01406 -1857 4609 0.01201 -1857 4963 0.01205 -1857 5058 0.00668 -1857 6168 0.01059 -1857 6428 0.01523 -1857 6510 0.01610 -1857 7596 0.01931 -1857 8208 0.01433 -1857 9022 0.00273 -1857 9826 0.01388 -1857 9912 0.01573 -1856 2276 0.01148 -1856 2373 0.01968 -1856 3891 0.01309 -1856 4434 0.00693 -1856 4965 0.00687 -1856 5395 0.00584 -1856 5657 0.01326 -1856 6124 0.01690 -1856 6202 0.00878 -1856 6230 0.01619 -1856 6493 0.01209 -1856 7972 0.01568 -1856 8700 0.01375 -1856 9445 0.01721 -1855 2307 0.01654 -1855 2509 0.01793 -1855 2587 0.01970 -1855 3200 0.01513 -1855 3209 0.01379 -1855 3484 0.01675 -1855 3734 0.01325 -1855 3778 0.01637 -1855 3896 0.00422 -1855 4255 0.01469 -1855 7362 0.01417 -1855 7377 0.01362 -1855 8503 0.00722 -1855 9514 0.01336 -1855 9795 0.01690 -1854 3924 0.00873 -1854 4273 0.01581 -1854 4545 0.01884 -1854 4927 0.01435 -1854 5438 0.01481 -1854 5497 0.01577 -1854 5642 0.01996 -1854 7888 0.00961 -1853 1855 0.01474 -1853 2509 0.01769 -1853 2870 0.01569 -1853 3200 0.00922 -1853 3484 0.00691 -1853 3778 0.01920 -1853 3896 0.01287 -1853 4419 0.01782 -1853 7362 0.00639 -1853 7377 0.01671 -1853 7885 0.01425 -1853 8503 0.00785 -1853 8812 0.01940 -1853 9259 0.01765 -1853 9514 0.00464 -1853 9795 0.00874 -1852 2408 0.01015 -1852 3579 0.01201 -1852 3677 0.00647 -1852 5247 0.01154 -1852 5620 0.01867 -1852 6717 0.01809 -1852 7079 0.01523 -1852 7230 0.01207 -1852 7235 0.01271 -1852 7624 0.00713 -1852 8893 0.01649 -1852 9018 0.00857 -1851 1955 0.01997 -1851 1957 0.01329 -1851 3040 0.01682 -1851 3056 0.00818 -1851 3249 0.01301 -1851 3472 0.01911 -1851 4955 0.01730 -1851 4962 0.01609 -1851 5375 0.01099 -1851 7375 0.00944 -1851 7865 0.01356 -1850 2007 0.01783 -1850 2619 0.01915 -1850 3018 0.01334 -1850 3290 0.01283 -1850 4272 0.01543 -1850 6359 0.01273 -1850 8075 0.01078 -1850 8786 0.01760 -1850 9671 0.01633 -1849 2248 0.01202 -1849 2292 0.00169 -1849 2440 0.00072 -1849 2966 0.01528 -1849 4172 0.00530 -1849 4248 0.01086 -1849 4258 0.01934 -1849 4342 0.01911 -1849 4564 0.01796 -1849 4848 0.01711 -1849 5460 0.00313 -1849 6172 0.01728 -1849 6221 0.01713 -1849 6291 0.01146 -1849 9739 0.01363 -1848 3337 0.01837 -1848 3338 0.00749 -1848 3979 0.01684 -1848 4144 0.01710 -1848 4250 0.01077 -1848 5262 0.01949 -1848 5409 0.01744 -1848 5643 0.01794 -1848 5824 0.01368 -1848 6991 0.00963 -1848 7814 0.01576 -1848 8576 0.01492 -1847 2731 0.01133 -1847 3618 0.01795 -1847 5302 0.01798 -1847 5836 0.01325 -1847 5905 0.01476 -1847 5928 0.01380 -1847 6044 0.01976 -1847 7611 0.01839 -1847 7634 0.01681 -1847 8132 0.01686 -1847 8416 0.01708 -1847 8554 0.01763 -1847 8661 0.01401 -1847 9862 0.01975 -1846 2947 0.01080 -1846 3182 0.01604 -1846 4501 0.01558 -1846 4613 0.01355 -1846 5592 0.01380 -1846 5820 0.01510 -1846 8003 0.00208 -1846 8591 0.01660 -1846 8802 0.00199 -1846 8941 0.01969 -1846 8975 0.00580 -1845 3407 0.01132 -1845 4018 0.01945 -1845 4294 0.01813 -1845 4349 0.01918 -1845 4907 0.01653 -1845 6333 0.01383 -1845 6922 0.00735 -1845 7428 0.01691 -1845 8280 0.01432 -1845 8873 0.00837 -1845 9539 0.01677 -1845 9630 0.01455 -1844 2865 0.01474 -1844 3402 0.01824 -1844 4303 0.01485 -1844 5263 0.01058 -1844 6157 0.00517 -1844 6526 0.00977 -1844 6738 0.01333 -1844 7151 0.01260 -1844 9381 0.00655 -1843 2323 0.00702 -1843 2825 0.01889 -1843 3181 0.01512 -1843 3501 0.00818 -1843 3509 0.01617 -1843 4218 0.01340 -1843 4403 0.01567 -1843 5552 0.01331 -1843 6223 0.00874 -1843 7316 0.00728 -1843 7751 0.01645 -1843 8215 0.01935 -1843 9431 0.01546 -1842 2481 0.00287 -1842 3197 0.01620 -1842 3441 0.01597 -1842 3776 0.00533 -1842 4094 0.01782 -1842 4429 0.01335 -1842 5634 0.01856 -1842 5823 0.01712 -1842 6057 0.01111 -1842 7947 0.00334 -1842 7964 0.01548 -1842 8366 0.01758 -1842 8446 0.01323 -1842 9495 0.00701 -1841 3190 0.01728 -1841 4053 0.00669 -1841 4348 0.00890 -1841 5923 0.01629 -1841 6845 0.01380 -1841 7033 0.00779 -1841 8254 0.01625 -1841 8865 0.01837 -1841 9103 0.01666 -1841 9200 0.01540 -1840 3392 0.00647 -1840 3873 0.00539 -1840 4304 0.01749 -1840 4389 0.01588 -1840 5166 0.00503 -1840 5227 0.01993 -1840 5875 0.01712 -1840 6591 0.00822 -1840 7141 0.01410 -1840 7204 0.01167 -1840 7871 0.01313 -1840 8270 0.00424 -1840 9255 0.01840 -1840 9456 0.01960 -1840 9685 0.01815 -1839 2970 0.01952 -1839 3078 0.01001 -1839 3563 0.00718 -1839 4388 0.01352 -1839 4591 0.01914 -1839 5443 0.01528 -1839 5762 0.01492 -1839 6453 0.01145 -1839 7437 0.01046 -1839 8222 0.01372 -1839 9312 0.01876 -1838 1840 0.00174 -1838 3392 0.00763 -1838 3873 0.00364 -1838 4304 0.01733 -1838 4389 0.01645 -1838 5166 0.00634 -1838 5227 0.01851 -1838 5277 0.01968 -1838 5875 0.01870 -1838 6591 0.00806 -1838 7141 0.01449 -1838 7204 0.01008 -1838 7871 0.01469 -1838 8270 0.00587 -1838 9255 0.01853 -1838 9456 0.01982 -1838 9685 0.01852 -1837 2149 0.00823 -1837 2649 0.00636 -1837 3730 0.00974 -1837 4553 0.01664 -1837 5037 0.01007 -1837 5769 0.01483 -1837 6356 0.01846 -1837 6869 0.00347 -1837 7001 0.00754 -1837 7082 0.00882 -1837 7770 0.01762 -1837 8627 0.01202 -1837 9966 0.01168 -1836 2969 0.01477 -1836 3768 0.01716 -1836 4592 0.01520 -1836 4775 0.01117 -1836 5211 0.01035 -1836 5940 0.01988 -1836 6209 0.01338 -1836 9537 0.01356 -1835 1944 0.01490 -1835 2629 0.01639 -1835 4262 0.00712 -1835 6934 0.01195 -1835 7246 0.01805 -1835 7421 0.01896 -1835 7737 0.00409 -1835 9144 0.00448 -1835 9960 0.00989 -1834 2011 0.00984 -1834 2097 0.01183 -1834 2249 0.01175 -1834 2933 0.00994 -1834 3281 0.01990 -1834 5865 0.01536 -1834 7724 0.01215 -1834 7733 0.01386 -1834 7815 0.01747 -1834 8523 0.00796 -1834 8593 0.01841 -1834 9084 0.01595 -1833 2040 0.01296 -1833 3103 0.00925 -1833 3708 0.01032 -1833 5028 0.01780 -1833 5734 0.01732 -1833 5992 0.01584 -1833 6037 0.01084 -1833 6070 0.01930 -1833 6478 0.01932 -1833 7326 0.00813 -1833 7583 0.01739 -1833 8489 0.01373 -1833 9560 0.00571 -1833 9746 0.01878 -1832 2168 0.01024 -1832 3422 0.01520 -1832 3878 0.01738 -1832 3925 0.00397 -1832 3956 0.01950 -1832 4115 0.01941 -1832 4946 0.00675 -1832 5033 0.01580 -1832 5601 0.00706 -1832 6433 0.00542 -1832 7118 0.01514 -1832 7574 0.01831 -1832 8032 0.01755 -1832 8235 0.00739 -1832 8875 0.01673 -1832 9212 0.01485 -1832 9959 0.00876 -1831 2914 0.00613 -1831 3761 0.01460 -1831 6343 0.01879 -1831 6575 0.01978 -1831 7356 0.01807 -1831 7993 0.00427 -1831 8074 0.01937 -1831 8183 0.00450 -1831 9024 0.00862 -1831 9274 0.01802 -1831 9284 0.01977 -1831 9863 0.01936 -1830 3732 0.01796 -1830 4127 0.01000 -1830 4190 0.01488 -1830 4975 0.01723 -1830 6851 0.01904 -1830 7955 0.01857 -1830 8142 0.00827 -1830 8216 0.01249 -1830 8459 0.00831 -1829 1894 0.01023 -1829 2785 0.00604 -1829 2864 0.01620 -1829 2972 0.01947 -1829 3702 0.01684 -1829 4352 0.00756 -1829 8601 0.01941 -1829 8668 0.01629 -1829 9068 0.01610 -1829 9204 0.00871 -1829 9524 0.00538 -1828 2286 0.01742 -1828 3361 0.00464 -1828 3671 0.00494 -1828 4284 0.01240 -1828 7095 0.00769 -1828 7791 0.01534 -1828 8363 0.01930 -1828 8607 0.01534 -1828 8967 0.00728 -1828 9448 0.01083 -1828 9835 0.01956 -1827 3250 0.01524 -1827 3808 0.01996 -1827 4747 0.01707 -1827 7231 0.00717 -1827 9273 0.01530 -1826 2892 0.01914 -1826 3372 0.00622 -1826 3382 0.01281 -1826 4228 0.01091 -1826 4433 0.00370 -1826 5017 0.01657 -1826 5313 0.01121 -1826 5439 0.00814 -1826 5813 0.01986 -1826 6616 0.01729 -1826 6932 0.01467 -1826 7449 0.01980 -1826 7721 0.01988 -1826 8178 0.00494 -1826 8684 0.01040 -1826 9726 0.01964 -1826 9932 0.01837 -1825 3588 0.01891 -1825 3842 0.00194 -1825 4366 0.00965 -1825 4612 0.01612 -1825 7299 0.01596 -1825 9538 0.00252 -1825 9973 0.01489 -1824 2556 0.01483 -1824 2722 0.01102 -1824 3126 0.01402 -1824 3810 0.00908 -1824 4146 0.01024 -1824 5400 0.01592 -1824 6794 0.01686 -1824 8319 0.01262 -1824 8965 0.00623 -1824 8984 0.01267 -1824 9030 0.01683 -1823 3507 0.00746 -1823 4445 0.01710 -1823 4737 0.00791 -1823 4745 0.01787 -1823 8156 0.01873 -1823 9970 0.01428 -1822 2876 0.01514 -1822 3977 0.01341 -1822 4086 0.01882 -1822 5991 0.01575 -1822 6156 0.00085 -1822 6585 0.01117 -1822 6626 0.01020 -1822 6955 0.00953 -1822 7284 0.01010 -1822 7495 0.00611 -1822 8880 0.01386 -1822 9053 0.01327 -1822 9857 0.01248 -1821 3459 0.01040 -1821 6275 0.00233 -1821 7790 0.01699 -1821 9732 0.01367 -1820 2017 0.00284 -1820 2874 0.00097 -1820 2896 0.01836 -1820 4098 0.01998 -1820 5064 0.01187 -1820 5651 0.01160 -1820 6800 0.00381 -1820 8995 0.01426 -1820 9662 0.01841 -1819 3325 0.01982 -1819 3692 0.01477 -1819 7376 0.01472 -1819 7725 0.01786 -1819 7971 0.01447 -1819 8110 0.01594 -1819 8181 0.01361 -1819 9403 0.01626 -1818 2506 0.01769 -1818 2976 0.01809 -1818 4817 0.01576 -1818 5162 0.01097 -1818 5301 0.01619 -1818 5911 0.01710 -1818 8418 0.00860 -1818 8430 0.01579 -1818 9364 0.00226 -1818 9665 0.00933 -1817 2043 0.01873 -1817 2934 0.01949 -1817 3084 0.01267 -1817 4397 0.00309 -1817 5668 0.00952 -1817 8475 0.01994 -1817 8513 0.00901 -1817 9121 0.01138 -1817 9226 0.01347 -1817 9395 0.01258 -1816 2806 0.01785 -1816 3832 0.01181 -1816 7647 0.01755 -1816 9266 0.00803 -1816 9277 0.01015 -1816 9489 0.01218 -1815 1818 0.00661 -1815 2506 0.01929 -1815 4817 0.00916 -1815 5162 0.01135 -1815 5301 0.01773 -1815 6545 0.01775 -1815 8418 0.01499 -1815 8430 0.01084 -1815 9364 0.00823 -1815 9665 0.01367 -1814 2541 0.01237 -1814 2881 0.01759 -1814 3152 0.00768 -1814 3618 0.01802 -1814 4239 0.01676 -1814 6059 0.01914 -1814 6841 0.01354 -1814 7158 0.01996 -1814 7512 0.00654 -1814 8132 0.01399 -1814 8416 0.01395 -1814 8661 0.01480 -1813 2369 0.01180 -1813 3256 0.01561 -1813 3476 0.01136 -1813 3753 0.01740 -1813 4288 0.01054 -1813 4443 0.01912 -1813 4686 0.00946 -1813 5693 0.01125 -1813 7178 0.01897 -1813 9047 0.01939 -1813 9224 0.01881 -1813 9365 0.01137 -1813 9599 0.01731 -1812 2570 0.01439 -1812 3387 0.00587 -1812 3420 0.01906 -1812 4276 0.00973 -1812 5135 0.01347 -1812 5320 0.00743 -1812 5350 0.01857 -1812 5579 0.01572 -1812 6699 0.01918 -1812 7708 0.01690 -1812 9623 0.01353 -1812 9635 0.01704 -1811 1830 0.01217 -1811 3690 0.01767 -1811 4190 0.00326 -1811 4975 0.00532 -1811 8138 0.01983 -1811 8142 0.00747 -1810 2621 0.00493 -1810 4350 0.01858 -1810 6307 0.01992 -1810 6788 0.01232 -1810 6863 0.01034 -1810 7916 0.01895 -1810 8401 0.00752 -1810 8603 0.01489 -1810 8745 0.00699 -1810 9159 0.01251 -1809 2727 0.01057 -1809 3436 0.01534 -1809 4311 0.01639 -1809 5366 0.00816 -1809 5721 0.01766 -1809 6247 0.01261 -1809 6531 0.00860 -1809 7378 0.00862 -1809 7391 0.01858 -1809 7779 0.01352 -1809 8145 0.01236 -1809 8844 0.01486 -1809 9026 0.01448 -1809 9125 0.01810 -1808 2460 0.00757 -1808 2935 0.01015 -1808 3103 0.01811 -1808 5028 0.01198 -1808 6471 0.01721 -1808 6478 0.01006 -1808 6886 0.01907 -1808 9152 0.00140 -1808 9968 0.00506 -1807 3048 0.00655 -1807 3151 0.01185 -1807 3173 0.01948 -1807 3578 0.00789 -1807 4446 0.01224 -1807 5052 0.00759 -1807 6971 0.01218 -1807 7243 0.01795 -1807 8100 0.01704 -1807 8551 0.00596 -1806 3061 0.01460 -1806 4555 0.01937 -1806 5030 0.01776 -1806 6192 0.01035 -1806 6995 0.01333 -1806 7291 0.00854 -1806 7487 0.01786 -1806 7887 0.01756 -1806 8378 0.01499 -1805 2177 0.00704 -1805 2326 0.01865 -1805 2686 0.01939 -1805 2880 0.00825 -1805 2925 0.01815 -1805 3142 0.00906 -1805 3644 0.01983 -1805 4356 0.01958 -1805 4853 0.01506 -1805 9713 0.01694 -1804 5306 0.00923 -1804 6593 0.01282 -1804 8040 0.01989 -1804 8202 0.01702 -1803 3070 0.01978 -1803 3278 0.00819 -1803 3463 0.00846 -1803 4980 0.01498 -1803 5897 0.00706 -1803 6450 0.00657 -1803 6757 0.01600 -1803 6785 0.00801 -1803 7034 0.00917 -1803 7855 0.01148 -1803 8131 0.00821 -1803 8480 0.01717 -1803 9231 0.01781 -1803 9829 0.01128 -1803 9851 0.01613 -1802 3467 0.01901 -1802 6014 0.01469 -1802 6045 0.01495 -1802 6442 0.00357 -1802 6999 0.00960 -1802 7005 0.01337 -1802 7422 0.00921 -1802 9323 0.01046 -1802 9466 0.01633 -1801 2084 0.01687 -1801 2938 0.01629 -1801 4408 0.01781 -1801 4481 0.01457 -1801 5330 0.01806 -1801 7858 0.01574 -1801 9931 0.00966 -1800 2079 0.01491 -1800 3718 0.00780 -1800 3986 0.00481 -1800 6046 0.01486 -1800 6395 0.01978 -1800 6673 0.01984 -1800 6828 0.01113 -1800 6980 0.01980 -1800 7123 0.00290 -1800 7602 0.01585 -1800 7802 0.01565 -1800 8465 0.01078 -1800 9438 0.00712 -1800 9553 0.01857 -1799 1801 0.01388 -1799 4481 0.00348 -1799 6144 0.01963 -1799 6865 0.01468 -1799 7521 0.00810 -1799 7748 0.01547 -1799 7820 0.01903 -1798 2203 0.01712 -1798 4753 0.01070 -1798 4792 0.00995 -1798 5347 0.01142 -1798 5729 0.01968 -1798 6912 0.01537 -1798 8931 0.01161 -1798 8974 0.01540 -1798 9027 0.01140 -1797 2719 0.01276 -1797 3448 0.01935 -1797 3846 0.01935 -1797 4518 0.01917 -1797 6022 0.00703 -1797 8542 0.01554 -1797 8839 0.01038 -1797 8925 0.01002 -1796 2325 0.01909 -1796 2643 0.01464 -1796 3548 0.01219 -1796 4196 0.01706 -1796 6768 0.00959 -1796 7233 0.00735 -1796 7434 0.00769 -1796 7685 0.01987 -1796 9135 0.01931 -1796 9886 0.01939 -1795 2362 0.00492 -1795 2417 0.00976 -1795 3385 0.01928 -1795 5147 0.01068 -1795 6406 0.01883 -1795 7006 0.01253 -1795 7075 0.01410 -1795 7215 0.01563 -1795 7254 0.01941 -1795 7278 0.01011 -1794 3532 0.01882 -1794 3557 0.01841 -1794 4340 0.01514 -1794 5209 0.01552 -1794 5436 0.01198 -1794 5551 0.01335 -1794 6685 0.01894 -1794 7093 0.01906 -1794 7337 0.01351 -1794 7803 0.01374 -1794 9296 0.00884 -1793 1836 0.01362 -1793 2315 0.01310 -1793 3266 0.01631 -1793 3794 0.01981 -1793 4592 0.01507 -1793 4677 0.01868 -1793 5211 0.01714 -1793 5940 0.01779 -1792 2850 0.01960 -1792 2944 0.01321 -1792 3414 0.01092 -1792 6613 0.01264 -1792 6765 0.01905 -1792 6813 0.01102 -1792 7050 0.01589 -1792 7405 0.00644 -1792 9678 0.01995 -1791 2386 0.01873 -1791 2612 0.01491 -1791 2698 0.01441 -1791 2797 0.01726 -1791 3049 0.01501 -1791 3289 0.01460 -1791 4751 0.00598 -1791 5759 0.00855 -1791 5881 0.01944 -1791 6688 0.01030 -1791 8174 0.00832 -1791 8343 0.01787 -1791 8364 0.00628 -1791 8788 0.01582 -1791 9527 0.01105 -1791 9929 0.01598 -1791 9963 0.01626 -1791 9992 0.01783 -1790 2398 0.01182 -1790 2504 0.01806 -1790 4712 0.01762 -1790 4767 0.01607 -1790 5063 0.00401 -1790 5237 0.01856 -1790 6577 0.00836 -1790 8340 0.00869 -1790 9089 0.01255 -1790 9179 0.01116 -1790 9946 0.00803 -1789 1922 0.01271 -1789 2082 0.01373 -1789 2952 0.01299 -1789 7417 0.01280 -1789 7554 0.00625 -1789 7875 0.01561 -1789 8196 0.01821 -1789 8969 0.00489 -1789 9369 0.01674 -1789 9993 0.01605 -1788 2431 0.00988 -1788 3080 0.01096 -1788 3998 0.00495 -1788 4402 0.01947 -1788 4970 0.01734 -1788 5415 0.01594 -1788 6112 0.01621 -1788 6575 0.01865 -1788 6783 0.01137 -1788 7671 0.01880 -1788 8439 0.01055 -1788 9010 0.01125 -1787 1875 0.01998 -1787 2567 0.01589 -1787 3668 0.01676 -1787 3961 0.01723 -1787 4413 0.00551 -1787 4997 0.01946 -1787 5542 0.01834 -1787 6755 0.01407 -1787 7049 0.01958 -1787 8000 0.01145 -1787 8555 0.01665 -1786 2201 0.01135 -1786 2518 0.01921 -1786 2643 0.01926 -1786 3437 0.01668 -1786 3594 0.00829 -1786 3648 0.01800 -1786 4488 0.01972 -1786 5236 0.01028 -1786 7551 0.01343 -1786 8360 0.01943 -1786 9989 0.01052 -1785 1931 0.01909 -1785 3013 0.00092 -1785 3955 0.00968 -1785 4027 0.01507 -1785 5672 0.01565 -1785 5836 0.01545 -1785 5905 0.01762 -1785 5936 0.01995 -1785 6020 0.01639 -1785 6044 0.01296 -1785 6874 0.01575 -1785 7611 0.01039 -1785 8554 0.01227 -1785 9650 0.01096 -1784 2741 0.01930 -1784 4953 0.00381 -1784 6822 0.01548 -1784 6919 0.01819 -1784 7597 0.01246 -1784 9045 0.01355 -1784 9158 0.01642 -1783 2726 0.01888 -1783 3775 0.01827 -1783 7873 0.01883 -1783 8715 0.01319 -1783 8811 0.01812 -1782 2072 0.00982 -1782 2594 0.01422 -1782 4345 0.01138 -1782 6160 0.00786 -1782 6201 0.00661 -1782 6492 0.01597 -1782 6558 0.01359 -1782 8941 0.01605 -1782 9505 0.01900 -1782 9729 0.01001 -1781 7746 0.01752 -1781 8043 0.00864 -1781 9211 0.01302 -1780 1782 0.01137 -1780 2072 0.00878 -1780 2575 0.01654 -1780 3033 0.01707 -1780 4345 0.01516 -1780 5202 0.01510 -1780 6160 0.01906 -1780 6201 0.01486 -1780 6492 0.01803 -1780 7999 0.01449 -1780 9505 0.01900 -1780 9729 0.01789 -1779 1850 0.01337 -1779 2007 0.01136 -1779 3018 0.01422 -1779 3219 0.01412 -1779 3290 0.01297 -1779 5568 0.01366 -1779 6359 0.01189 -1779 7160 0.01323 -1779 7300 0.01321 -1779 8075 0.00575 -1779 9671 0.01870 -1778 1822 0.01716 -1778 2628 0.01597 -1778 3970 0.00954 -1778 6156 0.01796 -1778 6626 0.01460 -1778 7086 0.01862 -1778 7284 0.01274 -1778 7673 0.00680 -1778 9100 0.00309 -1778 9126 0.01721 -1778 9551 0.01298 -1778 9857 0.01442 -1777 5002 0.01163 -1777 7154 0.01970 -1777 7244 0.01325 -1777 7427 0.00915 -1777 7548 0.01917 -1777 8050 0.00782 -1777 8102 0.01369 -1777 9469 0.01737 -1776 2057 0.01517 -1776 3165 0.01697 -1776 3695 0.01054 -1776 4045 0.00692 -1776 4655 0.01989 -1776 5980 0.01559 -1776 7394 0.01356 -1776 7565 0.00116 -1776 7948 0.01545 -1776 8344 0.01606 -1776 8979 0.01151 -1776 9331 0.01687 -1775 2064 0.00787 -1775 2394 0.01406 -1775 2605 0.00694 -1775 3344 0.01563 -1775 3377 0.01994 -1775 3783 0.01686 -1775 4774 0.01155 -1775 5677 0.01593 -1775 6159 0.00730 -1775 7534 0.01199 -1775 8011 0.01647 -1775 8659 0.01132 -1774 2569 0.00996 -1774 3285 0.01451 -1774 4110 0.01920 -1774 5938 0.01531 -1774 6174 0.00863 -1774 6487 0.01566 -1774 6811 0.01771 -1774 6953 0.01665 -1774 7242 0.01485 -1774 8716 0.00932 -1773 1833 0.01509 -1773 2887 0.01179 -1773 3708 0.00929 -1773 4323 0.00862 -1773 5734 0.00234 -1773 5992 0.01406 -1773 6037 0.00647 -1773 6070 0.01823 -1773 7326 0.01090 -1773 7583 0.01846 -1773 8960 0.01706 -1773 9560 0.01820 -1772 1977 0.01017 -1772 2183 0.01131 -1772 2704 0.00814 -1772 3034 0.01182 -1772 4007 0.01447 -1772 4716 0.00494 -1772 4758 0.01918 -1772 4823 0.01918 -1772 5048 0.01465 -1772 5249 0.01773 -1772 5907 0.00912 -1772 6539 0.01606 -1772 6662 0.00991 -1772 7195 0.01374 -1772 8149 0.01923 -1772 8522 0.01849 -1772 9398 0.01114 -1772 9761 0.01768 -1771 3816 0.00554 -1771 4225 0.01711 -1771 4430 0.01456 -1771 5015 0.01880 -1771 6102 0.01501 -1771 6870 0.00678 -1771 7104 0.01932 -1771 8306 0.00685 -1771 8308 0.00447 -1771 8622 0.01772 -1771 9734 0.00727 -1771 9755 0.01957 -1770 2175 0.01562 -1770 2210 0.01856 -1770 2355 0.01177 -1770 2613 0.01644 -1770 3100 0.00368 -1770 4487 0.01454 -1770 5073 0.01142 -1770 6791 0.01253 -1770 7117 0.01543 -1770 8456 0.01165 -1770 8867 0.01035 -1770 9319 0.01276 -1769 2582 0.00770 -1769 2909 0.01382 -1769 5737 0.00783 -1769 6503 0.01672 -1769 8600 0.01731 -1769 8624 0.01860 -1769 9669 0.01784 -1768 2109 0.01063 -1768 4164 0.01049 -1768 4175 0.01966 -1768 5127 0.00942 -1768 7847 0.01268 -1768 8061 0.00970 -1768 8373 0.01898 -1768 8572 0.01553 -1767 3101 0.01677 -1767 3224 0.01895 -1767 3349 0.01421 -1767 4134 0.01914 -1767 4568 0.01409 -1767 5010 0.01206 -1767 5119 0.01637 -1767 5842 0.01126 -1767 6351 0.01955 -1767 8730 0.01178 -1766 3640 0.01608 -1766 4933 0.01556 -1766 6017 0.01641 -1766 6075 0.01953 -1766 6429 0.01691 -1766 7577 0.01177 -1765 1776 0.01454 -1765 2265 0.00730 -1765 2426 0.01579 -1765 3165 0.00301 -1765 7394 0.00968 -1765 7565 0.01510 -1765 7948 0.01250 -1765 8409 0.01699 -1765 8979 0.01430 -1765 9331 0.00238 -1764 1775 0.01277 -1764 2064 0.01808 -1764 2605 0.01049 -1764 3344 0.01687 -1764 3432 0.00979 -1764 4774 0.00649 -1764 5839 0.01601 -1764 6159 0.00945 -1764 7534 0.01619 -1764 8011 0.00414 -1763 2194 0.01781 -1763 2660 0.01291 -1763 3415 0.01490 -1763 3517 0.01117 -1763 4071 0.01743 -1763 5627 0.01736 -1763 6025 0.01458 -1763 6105 0.00962 -1763 8435 0.01790 -1763 9725 0.00948 -1762 2718 0.01656 -1762 3443 0.01648 -1762 5258 0.01991 -1762 6730 0.01671 -1762 7531 0.01023 -1762 9491 0.01022 -1762 9814 0.00307 -1761 3304 0.01789 -1761 3543 0.01830 -1761 5386 0.01976 -1761 5789 0.01674 -1761 6250 0.01934 -1761 6295 0.01621 -1761 6355 0.01528 -1761 7912 0.01585 -1761 9054 0.01558 -1760 2424 0.01909 -1760 2676 0.00267 -1760 3339 0.01915 -1760 4837 0.01779 -1760 5295 0.01766 -1760 5805 0.01895 -1760 5942 0.01784 -1760 6475 0.00540 -1760 6943 0.01865 -1760 7538 0.01946 -1760 9009 0.01824 -1760 9066 0.00986 -1759 2196 0.01031 -1759 2821 0.01263 -1759 4150 0.01343 -1759 4791 0.01140 -1759 6425 0.01317 -1759 6628 0.00663 -1759 7704 0.00592 -1759 7956 0.01248 -1759 8316 0.00575 -1759 8581 0.01647 -1759 9086 0.01337 -1759 9921 0.00813 -1758 3902 0.01909 -1758 5076 0.00495 -1758 7563 0.01589 -1758 9354 0.01150 -1757 1773 0.01503 -1757 2887 0.00540 -1757 3708 0.01985 -1757 4323 0.00844 -1757 5734 0.01274 -1757 5862 0.01928 -1757 7910 0.01948 -1757 8960 0.00219 -1757 9139 0.01420 -1756 2195 0.00889 -1756 3710 0.01175 -1756 4088 0.01824 -1756 4374 0.00881 -1756 4631 0.01715 -1756 5184 0.01948 -1756 6367 0.01364 -1756 7138 0.01769 -1756 9410 0.01058 -1756 9718 0.00786 -1755 4937 0.01833 -1755 7911 0.01829 -1755 8958 0.01713 -1755 9269 0.01241 -1754 3698 0.00752 -1754 4254 0.00407 -1754 4589 0.00287 -1754 4904 0.01227 -1754 5793 0.01057 -1754 5884 0.01204 -1754 6677 0.01956 -1754 6718 0.01820 -1754 8134 0.01420 -1754 8204 0.01371 -1754 8586 0.00066 -1754 8614 0.00748 -1754 9370 0.01270 -1754 9497 0.00434 -1753 3656 0.01152 -1753 3978 0.01159 -1753 5266 0.01764 -1753 6444 0.00600 -1753 7013 0.01238 -1753 8006 0.01651 -1753 9040 0.00420 -1753 9737 0.00587 -1752 3682 0.01542 -1752 3741 0.01374 -1752 8269 0.00929 -1752 8516 0.00911 -1751 1780 0.01846 -1751 1782 0.01851 -1751 2653 0.01152 -1751 5630 0.00883 -1751 9083 0.01962 -1751 9729 0.01287 -1750 2541 0.01810 -1750 2881 0.01849 -1750 3555 0.00963 -1750 3610 0.01119 -1750 5016 0.00500 -1750 5506 0.01645 -1750 6059 0.01372 -1750 6841 0.01337 -1750 7158 0.01775 -1749 4466 0.00510 -1749 5515 0.01223 -1749 7328 0.01394 -1749 7768 0.01058 -1749 8961 0.01978 -1748 3187 0.00930 -1748 4634 0.00646 -1748 5109 0.00872 -1748 7552 0.00845 -1748 8487 0.01646 -1747 1794 0.01288 -1747 1913 0.01897 -1747 2207 0.01419 -1747 3394 0.01879 -1747 3532 0.00811 -1747 3557 0.01535 -1747 3631 0.01517 -1747 3770 0.01727 -1747 5075 0.01244 -1747 5436 0.01791 -1747 5551 0.00082 -1747 5817 0.01423 -1747 8151 0.01824 -1746 2106 0.01944 -1746 3559 0.01355 -1746 4077 0.01837 -1746 6455 0.01286 -1746 7479 0.00463 -1746 8059 0.00914 -1745 1837 0.00721 -1745 2149 0.01387 -1745 2649 0.00977 -1745 3730 0.01634 -1745 3846 0.01923 -1745 5037 0.01671 -1745 5769 0.01725 -1745 6356 0.01146 -1745 6869 0.00522 -1745 7001 0.01322 -1745 7082 0.00167 -1745 8627 0.01410 -1745 9140 0.01720 -1745 9966 0.01827 -1744 3174 0.01753 -1744 4772 0.01960 -1744 4920 0.01868 -1744 5373 0.01751 -1744 5603 0.01785 -1744 6133 0.01371 -1744 6285 0.00609 -1744 7370 0.01675 -1744 7996 0.01116 -1744 8010 0.01876 -1744 8264 0.01641 -1744 9253 0.01691 -1744 9315 0.01054 -1744 9427 0.01552 -1744 9506 0.01052 -1743 1882 0.01140 -1743 1947 0.00665 -1743 1989 0.00183 -1743 2699 0.01681 -1743 3092 0.01192 -1743 5802 0.01832 -1743 6650 0.00471 -1743 7057 0.01275 -1743 7660 0.00915 -1743 8195 0.01618 -1743 9220 0.00128 -1742 3194 0.01667 -1742 3331 0.01941 -1742 5482 0.01956 -1742 7489 0.01272 -1742 7499 0.01577 -1742 7535 0.01402 -1742 8360 0.01689 -1742 8721 0.01135 -1742 9408 0.01412 -1742 9798 0.01310 -1741 5310 0.01285 -1741 6624 0.01340 -1741 6645 0.01920 -1741 7974 0.00203 -1741 8427 0.01818 -1741 9221 0.01954 -1741 9330 0.01695 -1741 9486 0.01722 -1741 9744 0.01991 -1740 1995 0.00951 -1740 2751 0.01254 -1740 3966 0.00490 -1740 4281 0.00803 -1740 4875 0.01921 -1740 4956 0.00633 -1740 5901 0.01142 -1740 6003 0.00103 -1740 6023 0.01887 -1740 6346 0.01472 -1740 7238 0.00989 -1740 7848 0.01319 -1740 8508 0.01469 -1740 8945 0.01967 -1739 2019 0.01624 -1739 2552 0.00905 -1739 2982 0.01440 -1739 3317 0.01324 -1739 3574 0.01266 -1739 3675 0.00891 -1739 5517 0.01798 -1739 5608 0.00716 -1739 6090 0.01964 -1739 6311 0.01944 -1739 6368 0.01027 -1739 7764 0.01818 -1739 8633 0.01778 -1739 8902 0.01284 -1739 9074 0.01995 -1738 3130 0.01330 -1738 3987 0.00505 -1738 5250 0.01201 -1738 6706 0.01850 -1738 7014 0.01602 -1738 8355 0.01543 -1738 8891 0.00713 -1738 9637 0.01077 -1738 9787 0.01892 -1738 9977 0.01100 -1737 2148 0.01321 -1737 3074 0.00938 -1737 4769 0.01685 -1737 5567 0.01957 -1737 6239 0.01481 -1737 7484 0.00588 -1737 7504 0.01862 -1737 8226 0.01003 -1737 8851 0.01465 -1737 8927 0.00751 -1737 9007 0.01826 -1736 3258 0.01758 -1736 3419 0.01253 -1736 6012 0.01872 -1736 6916 0.01882 -1736 7263 0.01409 -1736 8877 0.01291 -1736 9360 0.01540 -1736 9586 0.01511 -1735 2931 0.01639 -1735 3161 0.01468 -1735 3693 0.01253 -1735 5213 0.01310 -1735 5557 0.01970 -1735 7022 0.01214 -1735 7025 0.00933 -1735 8449 0.00647 -1735 8609 0.01874 -1735 9754 0.01590 -1734 2739 0.01735 -1734 2833 0.00706 -1734 3788 0.01981 -1734 4091 0.00965 -1734 4208 0.01905 -1734 4529 0.01238 -1734 4674 0.01905 -1734 5913 0.00732 -1734 6305 0.01112 -1734 6325 0.01197 -1734 6614 0.01379 -1734 7866 0.01853 -1734 9097 0.00153 -1734 9265 0.00491 -1733 2377 0.00303 -1733 3099 0.01428 -1733 3311 0.01587 -1733 3898 0.01875 -1733 5451 0.01206 -1733 6808 0.01608 -1733 9636 0.01631 -1733 9830 0.01815 -1732 2865 0.01279 -1732 3515 0.01364 -1732 3706 0.01416 -1732 3755 0.01941 -1732 4043 0.00895 -1732 4303 0.01207 -1732 4971 0.01355 -1732 5172 0.01310 -1732 5263 0.01741 -1732 5698 0.01919 -1732 6738 0.01686 -1732 7656 0.01854 -1732 8079 0.00629 -1731 2534 0.00375 -1731 3053 0.01334 -1731 3252 0.01143 -1731 3662 0.01153 -1731 4270 0.01300 -1731 5439 0.01990 -1731 7092 0.01527 -1731 7389 0.01427 -1731 7590 0.00309 -1731 7845 0.01040 -1731 9426 0.00820 -1731 9809 0.00750 -1730 1941 0.01538 -1730 5417 0.01042 -1730 6540 0.01029 -1730 7842 0.01444 -1730 8395 0.00464 -1730 8507 0.01363 -1730 9196 0.00541 -1730 9940 0.01476 -1729 2367 0.01360 -1729 2397 0.01450 -1729 2735 0.01888 -1729 4290 0.01925 -1729 5713 0.01830 -1729 7263 0.01839 -1729 7593 0.01719 -1729 7702 0.01897 -1728 4682 0.01812 -1728 4828 0.01597 -1728 7627 0.01485 -1728 8136 0.01822 -1728 8231 0.01153 -1728 8718 0.01526 -1728 9578 0.01445 -1727 3234 0.01196 -1727 3330 0.00826 -1727 3436 0.01828 -1727 4230 0.00235 -1727 4847 0.01782 -1727 5126 0.01285 -1727 6586 0.01727 -1727 6880 0.01747 -1727 7173 0.01927 -1727 7425 0.01743 -1727 7779 0.01618 -1727 9571 0.01609 -1727 9779 0.01014 -1726 1761 0.00624 -1726 3543 0.01926 -1726 5386 0.01352 -1726 5789 0.01374 -1726 6250 0.01315 -1726 6295 0.01005 -1726 6355 0.01262 -1726 9054 0.01274 -1725 2229 0.01057 -1725 3885 0.01783 -1725 5387 0.01919 -1725 5633 0.01912 -1725 6714 0.00408 -1725 7448 0.01961 -1725 8127 0.01391 -1725 8290 0.01846 -1725 8636 0.00929 -1724 2391 0.01366 -1724 2445 0.00875 -1724 2562 0.01950 -1724 2681 0.00901 -1724 2937 0.01880 -1724 3888 0.01479 -1724 4590 0.01421 -1724 5388 0.00849 -1724 5751 0.01804 -1724 6271 0.01861 -1724 6629 0.01768 -1724 7302 0.00841 -1724 8328 0.01209 -1724 9990 0.01303 -1723 1953 0.00480 -1723 2385 0.01488 -1723 3600 0.01639 -1723 3974 0.00912 -1723 7313 0.01717 -1723 7718 0.01812 -1723 9971 0.00763 -1722 4485 0.01452 -1722 6502 0.00616 -1722 6512 0.01016 -1722 6759 0.00889 -1722 6954 0.01983 -1722 9869 0.01507 -1721 1875 0.01506 -1721 2344 0.01665 -1721 3262 0.01010 -1721 3297 0.01558 -1721 5542 0.01955 -1721 7159 0.01924 -1720 1919 0.01636 -1720 4663 0.01508 -1720 7171 0.01330 -1720 9039 0.00687 -1719 1916 0.01602 -1719 2926 0.01072 -1719 5943 0.01561 -1719 6787 0.00977 -1719 6957 0.01513 -1719 7020 0.01138 -1719 7750 0.01428 -1719 9270 0.00852 -1719 9666 0.01463 -1718 2728 0.01814 -1718 2987 0.01795 -1718 4328 0.01407 -1718 5786 0.01262 -1718 6637 0.01131 -1718 6876 0.01589 -1718 9107 0.01872 -1718 9248 0.01945 -1718 9775 0.01920 -1717 1739 0.01374 -1717 1982 0.01217 -1717 2019 0.01936 -1717 2552 0.01498 -1717 2725 0.01084 -1717 2795 0.00758 -1717 2982 0.01987 -1717 3317 0.00613 -1717 3675 0.00820 -1717 4630 0.01078 -1717 5517 0.00793 -1717 5608 0.01390 -1717 6090 0.01261 -1717 8066 0.01635 -1716 2092 0.01622 -1716 2628 0.01160 -1716 2715 0.01819 -1716 3591 0.01099 -1716 3970 0.01459 -1716 4987 0.01496 -1716 5673 0.00760 -1716 7346 0.00175 -1716 8629 0.01048 -1715 4555 0.01323 -1715 6192 0.01676 -1715 6280 0.01169 -1715 7487 0.00902 -1715 8272 0.01649 -1715 8378 0.01306 -1715 8818 0.01456 -1715 9435 0.00382 -1714 2904 0.00541 -1714 3356 0.00752 -1714 3565 0.01007 -1714 5029 0.00679 -1714 5274 0.01131 -1714 5969 0.00273 -1714 6155 0.01443 -1714 6347 0.01931 -1713 1767 0.00724 -1713 3224 0.01201 -1713 3349 0.01125 -1713 4134 0.01211 -1713 4192 0.01603 -1713 4568 0.00891 -1713 5010 0.01820 -1713 5194 0.01388 -1713 5842 0.01425 -1713 6428 0.01728 -1713 8730 0.01738 -1712 2535 0.01559 -1712 3079 0.01225 -1712 3877 0.01375 -1712 4138 0.01047 -1712 6703 0.01670 -1712 7331 0.01393 -1712 8412 0.01252 -1711 1809 0.01724 -1711 2727 0.00720 -1711 4701 0.01437 -1711 5366 0.01297 -1711 5929 0.01026 -1711 6531 0.00879 -1711 8145 0.01925 -1711 8243 0.01336 -1711 8518 0.00631 -1711 8844 0.00734 -1711 9026 0.01897 -1710 1831 0.00234 -1710 2914 0.00595 -1710 3017 0.01890 -1710 3761 0.01679 -1710 6343 0.01845 -1710 6575 0.01975 -1710 7617 0.01837 -1710 7993 0.00202 -1710 8074 0.01868 -1710 8183 0.00248 -1710 9024 0.00985 -1710 9274 0.01601 -1710 9284 0.01897 -1710 9863 0.01728 -1709 5027 0.01305 -1709 6924 0.01812 -1709 7148 0.00909 -1709 7695 0.01552 -1709 8167 0.01666 -1708 1876 0.00758 -1708 2076 0.00336 -1708 3003 0.01539 -1708 6851 0.01691 -1708 7810 0.01367 -1707 2324 0.01524 -1707 2458 0.01440 -1707 4282 0.01474 -1707 4697 0.00278 -1707 5026 0.00930 -1707 5743 0.01416 -1707 6290 0.01645 -1707 6705 0.01616 -1707 7135 0.01557 -1707 7222 0.01152 -1707 7587 0.01524 -1707 7677 0.01916 -1707 7731 0.01263 -1707 8317 0.00769 -1707 8566 0.01690 -1707 8833 0.01644 -1707 9567 0.01452 -1707 9756 0.00494 -1706 3064 0.01184 -1706 4776 0.01956 -1706 4831 0.01906 -1706 5314 0.01441 -1706 5403 0.01505 -1706 5537 0.01724 -1706 6116 0.00844 -1706 6129 0.01416 -1706 6281 0.01761 -1706 6402 0.01163 -1706 6443 0.00609 -1706 7314 0.01757 -1705 2266 0.01292 -1705 2785 0.01814 -1705 3094 0.01628 -1705 4237 0.01936 -1705 4642 0.01065 -1705 4856 0.01898 -1705 7090 0.01991 -1705 7661 0.00747 -1705 8437 0.00684 -1705 9068 0.01977 -1704 2798 0.01033 -1704 4063 0.01057 -1704 4604 0.01576 -1704 4727 0.01907 -1704 5654 0.01021 -1704 5690 0.01609 -1704 6551 0.00581 -1704 7276 0.01800 -1704 8060 0.00713 -1704 8333 0.00925 -1704 8840 0.01877 -1704 9822 0.01451 -1703 3993 0.00139 -1703 4057 0.01019 -1703 5288 0.01844 -1703 5525 0.00816 -1703 6617 0.01720 -1703 8451 0.01864 -1703 9679 0.00980 -1702 2549 0.01802 -1702 3302 0.01939 -1702 4207 0.01419 -1702 4835 0.01861 -1702 5754 0.01746 -1702 5883 0.00605 -1702 6423 0.01711 -1702 7108 0.01688 -1702 7294 0.01089 -1702 8077 0.01703 -1702 8381 0.01868 -1701 1921 0.00539 -1701 2558 0.01563 -1701 4020 0.01202 -1701 4779 0.01348 -1701 6371 0.01973 -1701 6657 0.01525 -1701 6861 0.01855 -1701 8575 0.01569 -1701 9011 0.01137 -1701 9624 0.00507 -1700 1802 0.01464 -1700 5256 0.01187 -1700 6442 0.01794 -1700 6534 0.00784 -1700 6999 0.00504 -1700 7005 0.00789 -1700 7639 0.01016 -1700 9323 0.00467 -1700 9698 0.01805 -1700 9924 0.01162 -1699 1910 0.01150 -1699 2135 0.01294 -1699 4179 0.01681 -1699 5571 0.01689 -1699 5740 0.00957 -1699 6511 0.01847 -1699 6568 0.01950 -1699 6804 0.00958 -1699 7225 0.00482 -1699 8724 0.01578 -1699 9534 0.00491 -1698 2515 0.01297 -1698 2754 0.01878 -1698 5195 0.01109 -1698 5291 0.01438 -1698 7522 0.01192 -1698 8671 0.00442 -1698 8686 0.01952 -1698 8987 0.01759 -1698 9436 0.00077 -1697 2095 0.01380 -1697 2376 0.00471 -1697 3863 0.01261 -1697 5290 0.00349 -1697 5960 0.01761 -1697 6257 0.01301 -1697 6420 0.01047 -1697 7384 0.01156 -1697 7443 0.01893 -1697 8220 0.01152 -1697 9656 0.01909 -1696 1848 0.00696 -1696 3337 0.01141 -1696 3338 0.00098 -1696 3979 0.01770 -1696 4250 0.00795 -1696 5124 0.01541 -1696 5262 0.01257 -1696 5643 0.01222 -1696 5824 0.01109 -1696 6991 0.01582 -1696 7063 0.01959 -1696 8635 0.01979 -1695 1843 0.01741 -1695 2018 0.00947 -1695 2131 0.01961 -1695 2323 0.01041 -1695 4256 0.01692 -1695 5552 0.00608 -1695 5809 0.01809 -1695 6223 0.01348 -1695 6513 0.01367 -1695 6579 0.00529 -1695 6939 0.00976 -1695 7751 0.01442 -1695 8215 0.01849 -1695 8549 0.01403 -1694 1986 0.01361 -1694 2169 0.01667 -1694 2667 0.01798 -1694 4375 0.00874 -1694 6054 0.00371 -1694 6810 0.01783 -1694 7236 0.01187 -1694 7674 0.01445 -1694 8842 0.00515 -1693 3238 0.00973 -1693 3286 0.01780 -1693 3388 0.01304 -1693 4439 0.01138 -1693 4812 0.00478 -1693 6407 0.01333 -1693 6648 0.00905 -1693 6697 0.01190 -1693 7287 0.01761 -1693 8743 0.01551 -1693 8944 0.01333 -1693 8978 0.00762 -1692 1793 0.01865 -1692 2315 0.01327 -1692 3266 0.01336 -1692 3794 0.00530 -1692 4592 0.01473 -1692 6179 0.01473 -1692 6211 0.01163 -1692 6556 0.01335 -1692 6638 0.01445 -1692 9676 0.01986 -1691 1804 0.01859 -1691 3240 0.01983 -1691 3265 0.01092 -1691 3878 0.01789 -1691 5033 0.01740 -1691 5306 0.01119 -1691 6433 0.01991 -1691 6447 0.01626 -1691 6593 0.00586 -1691 7100 0.01002 -1691 7574 0.01093 -1691 8032 0.01583 -1691 8202 0.01934 -1691 8257 0.01876 -1691 9212 0.01597 -1690 2777 0.00596 -1690 3320 0.01492 -1690 7959 0.00804 -1689 2471 0.01688 -1689 3989 0.01800 -1689 5362 0.01835 -1689 5957 0.01218 -1689 7131 0.01058 -1689 7468 0.01170 -1689 8936 0.01764 -1689 9343 0.01632 -1688 1888 0.01300 -1688 2600 0.01848 -1688 4569 0.00860 -1688 6163 0.01101 -1688 8385 0.01249 -1688 8620 0.00533 -1688 8723 0.01927 -1687 1851 0.01853 -1687 2030 0.01626 -1687 2250 0.00843 -1687 3040 0.01365 -1687 3056 0.01296 -1687 3249 0.01446 -1687 4955 0.00593 -1687 5280 0.01102 -1687 5375 0.01512 -1687 6965 0.01737 -1686 1960 0.01972 -1686 2184 0.01675 -1686 4879 0.00130 -1686 5315 0.01442 -1686 6664 0.01196 -1686 7030 0.01439 -1686 7086 0.01806 -1686 7658 0.00918 -1686 7673 0.01762 -1686 9126 0.01073 -1686 9551 0.01769 -1685 2036 0.01448 -1685 2039 0.00769 -1685 3676 0.01850 -1685 6298 0.01571 -1685 7234 0.01884 -1685 7251 0.01976 -1685 8017 0.00917 -1685 8052 0.01100 -1685 8094 0.01136 -1685 8728 0.01497 -1685 8736 0.00514 -1685 9606 0.01613 -1685 9699 0.01767 -1685 9858 0.01639 -1684 2946 0.01765 -1684 3905 0.01735 -1684 5807 0.01424 -1684 7154 0.01165 -1684 7244 0.01383 -1684 7548 0.00452 -1684 8102 0.01333 -1684 9469 0.01357 -1684 9817 0.01651 -1683 1972 0.00627 -1683 2443 0.01489 -1683 2520 0.01615 -1683 2895 0.01728 -1683 2960 0.01557 -1683 4075 0.01594 -1683 5374 0.01506 -1683 6292 0.00805 -1683 6383 0.01031 -1683 7575 0.01425 -1683 9229 0.01679 -1682 2406 0.01351 -1682 2984 0.01996 -1682 4365 0.01971 -1682 5513 0.01977 -1682 5534 0.01924 -1682 6809 0.01736 -1682 6963 0.01020 -1682 8792 0.00056 -1681 2747 0.00382 -1681 3780 0.00738 -1681 4011 0.01932 -1681 4378 0.01495 -1681 5691 0.01607 -1681 6317 0.00826 -1681 7809 0.01560 -1681 7861 0.00309 -1681 8248 0.01903 -1681 9854 0.01819 -1681 9909 0.00897 -1680 3731 0.01605 -1680 4738 0.01784 -1680 5097 0.01968 -1680 5224 0.01686 -1680 7572 0.01203 -1679 3744 0.01776 -1679 4525 0.00931 -1679 4760 0.00570 -1679 5014 0.00369 -1679 5822 0.00622 -1679 6076 0.01009 -1679 6559 0.01479 -1679 8164 0.01139 -1679 8247 0.00980 -1679 8977 0.00416 -1679 9082 0.01983 -1679 9363 0.01900 -1678 2499 0.01784 -1678 2858 0.01860 -1678 3711 0.01971 -1678 4458 0.01113 -1678 4616 0.01349 -1678 5134 0.01587 -1678 5191 0.00884 -1678 5225 0.01962 -1678 5472 0.01668 -1678 5593 0.00381 -1678 7323 0.01835 -1678 7395 0.01948 -1678 8756 0.01423 -1678 8856 0.00762 -1678 9421 0.01901 -1678 9441 0.01679 -1677 1914 0.01985 -1677 1964 0.01574 -1677 2435 0.01450 -1677 2897 0.00519 -1677 3623 0.00369 -1677 4860 0.01827 -1677 4885 0.01437 -1677 5792 0.01412 -1677 6327 0.01939 -1677 6340 0.01978 -1677 7379 0.01315 -1677 7648 0.00874 -1677 9123 0.01884 -1676 4188 0.01856 -1676 5563 0.00257 -1676 6019 0.01583 -1676 7129 0.00818 -1676 8822 0.01176 -1675 2094 0.00877 -1675 3475 0.01899 -1675 4713 0.01026 -1675 4722 0.01014 -1675 6083 0.01675 -1675 7830 0.00972 -1675 9081 0.01508 -1675 9287 0.01573 -1675 9417 0.01925 -1674 3359 0.00774 -1674 4055 0.01524 -1674 4088 0.01527 -1674 4558 0.01701 -1674 5311 0.01633 -1674 6774 0.01613 -1674 8422 0.00592 -1674 9318 0.01352 -1673 2610 0.01567 -1673 2902 0.00713 -1673 3136 0.01254 -1673 3921 0.01542 -1673 4129 0.01716 -1673 5070 0.01374 -1673 5141 0.01837 -1673 5216 0.01834 -1673 5611 0.01393 -1673 6006 0.01127 -1673 6096 0.00897 -1673 6569 0.00909 -1673 7638 0.01667 -1672 4057 0.01530 -1672 5525 0.01812 -1672 5695 0.01798 -1672 9238 0.01992 -1672 9397 0.01485 -1671 2878 0.00770 -1671 3232 0.01160 -1671 3593 0.01683 -1671 4079 0.01839 -1671 5011 0.01970 -1671 6115 0.01079 -1671 6681 0.01400 -1671 7192 0.01336 -1671 7330 0.01685 -1671 7340 0.00966 -1671 8561 0.01909 -1671 8905 0.01422 -1671 9515 0.01259 -1670 1898 0.00734 -1670 2314 0.00886 -1670 5902 0.01386 -1670 7385 0.01468 -1670 7868 0.00656 -1670 7936 0.01849 -1670 8153 0.01263 -1669 1671 0.00918 -1669 2878 0.01272 -1669 3232 0.01895 -1669 3593 0.00776 -1669 3763 0.01966 -1669 5011 0.01243 -1669 6115 0.01740 -1669 6681 0.00519 -1669 7192 0.01964 -1669 7330 0.01429 -1669 7340 0.01546 -1669 8905 0.01749 -1669 9515 0.00796 -1668 3625 0.00138 -1668 4817 0.01510 -1668 6131 0.01279 -1668 6672 0.00990 -1668 7037 0.01554 -1668 8430 0.00995 -1668 9483 0.01986 -1667 1857 0.01946 -1667 1920 0.00932 -1667 3007 0.00337 -1667 4609 0.01159 -1667 4963 0.01759 -1667 5058 0.01348 -1667 5912 0.01978 -1667 6063 0.01836 -1667 6168 0.01589 -1667 7119 0.01017 -1667 7480 0.01727 -1667 7596 0.00605 -1667 7763 0.01417 -1667 7958 0.01518 -1667 8208 0.01794 -1667 9528 0.00897 -1667 9838 0.01322 -1666 2160 0.01796 -1666 3692 0.01799 -1666 3769 0.00599 -1666 5325 0.01876 -1666 7971 0.01283 -1666 8110 0.01197 -1666 9403 0.01090 -1666 9550 0.01556 -1665 2042 0.00070 -1665 2134 0.01253 -1665 2287 0.01597 -1665 2915 0.01477 -1665 2932 0.01979 -1665 5335 0.01267 -1665 6547 0.01891 -1665 7252 0.01626 -1665 9149 0.01526 -1665 9328 0.01043 -1664 2379 0.01577 -1664 2848 0.01705 -1664 3308 0.01501 -1664 4797 0.01468 -1664 7399 0.00958 -1664 7416 0.00564 -1664 9060 0.01081 -1664 9063 0.00847 -1664 9393 0.00187 -1663 2424 0.01816 -1663 3176 0.01933 -1663 4119 0.01871 -1663 4921 0.01769 -1663 5942 0.01633 -1663 5946 0.01997 -1663 7538 0.01879 -1663 9225 0.00661 -1663 9907 0.01427 -1662 2160 0.01606 -1662 2603 0.00691 -1662 3350 0.01177 -1662 4064 0.01764 -1662 6488 0.01651 -1662 6770 0.01251 -1662 6889 0.01541 -1662 7140 0.01765 -1662 7732 0.01730 -1662 8653 0.01172 -1661 1969 0.01775 -1661 2244 0.01513 -1661 2403 0.01795 -1661 2507 0.01846 -1661 3456 0.01952 -1661 4044 0.01689 -1661 4530 0.01447 -1661 4607 0.00776 -1661 5008 0.01342 -1661 5404 0.00787 -1661 5610 0.01918 -1661 6386 0.00807 -1661 9210 0.00700 -1661 9622 0.00984 -1660 2351 0.01905 -1660 3812 0.01956 -1660 4901 0.00360 -1660 5700 0.00678 -1660 8265 0.01008 -1660 9421 0.01346 -1659 3348 0.01755 -1659 3894 0.00967 -1659 4336 0.00790 -1659 4398 0.01161 -1659 5406 0.01077 -1659 7923 0.01909 -1659 8619 0.01808 -1659 9512 0.01671 -1658 2034 0.01468 -1658 2451 0.00230 -1658 3038 0.01513 -1658 4804 0.01702 -1658 5952 0.00768 -1658 7096 0.01251 -1658 7630 0.01821 -1658 8338 0.00454 -1657 2901 0.01748 -1657 4368 0.01806 -1657 4511 0.01741 -1657 4988 0.00530 -1657 5989 0.01858 -1657 7558 0.00957 -1657 7777 0.01415 -1657 8506 0.00640 -1656 2665 0.01376 -1656 4064 0.01662 -1656 4572 0.00797 -1656 4957 0.01204 -1656 5573 0.01959 -1656 5922 0.00820 -1656 6488 0.01906 -1656 8653 0.01974 -1655 2178 0.01850 -1655 2312 0.01868 -1655 2640 0.00970 -1655 2928 0.01693 -1655 4391 0.00712 -1655 4845 0.01554 -1655 4903 0.01169 -1655 6300 0.01474 -1655 7838 0.01872 -1655 7933 0.01979 -1655 7969 0.01470 -1655 8099 0.00948 -1655 8692 0.01997 -1655 8729 0.01840 -1654 1899 0.01878 -1654 2032 0.00625 -1654 2524 0.01182 -1654 3632 0.01153 -1654 3814 0.00688 -1654 3911 0.01675 -1654 5871 0.01956 -1654 6498 0.00122 -1654 7975 0.01769 -1654 8861 0.00896 -1653 2035 0.01718 -1653 3786 0.01776 -1653 4171 0.01692 -1653 5797 0.00839 -1653 7530 0.01762 -1653 7588 0.01139 -1653 8495 0.00918 -1653 9789 0.01717 -1653 9864 0.00532 -1652 3492 0.01085 -1652 4642 0.01956 -1652 4856 0.01148 -1652 5648 0.01607 -1652 6184 0.01751 -1652 6213 0.00844 -1652 6756 0.01800 -1652 8571 0.01200 -1652 9804 0.01581 -1651 1686 0.01661 -1651 1778 0.00784 -1651 3970 0.01348 -1651 4879 0.01656 -1651 6664 0.01637 -1651 7086 0.01553 -1651 7284 0.01549 -1651 7658 0.01875 -1651 7673 0.00104 -1651 9100 0.00600 -1651 9126 0.01116 -1651 9551 0.00823 -1650 1937 0.01431 -1650 2073 0.01537 -1650 2494 0.01405 -1650 3466 0.00860 -1650 3790 0.00228 -1650 4611 0.01352 -1650 5090 0.00747 -1650 5423 0.01980 -1650 6914 0.00869 -1650 7806 0.00870 -1650 8141 0.01614 -1650 8231 0.01973 -1650 8291 0.00812 -1650 9262 0.01034 -1650 9696 0.00895 -1649 2298 0.01640 -1649 4520 0.01309 -1649 5889 0.01755 -1649 7880 0.00647 -1649 8425 0.01830 -1649 8504 0.00340 -1649 8539 0.01661 -1649 9132 0.01434 -1648 2333 0.00533 -1648 3530 0.00485 -1648 3646 0.01307 -1648 5383 0.01860 -1648 5469 0.01859 -1648 6909 0.00908 -1648 7330 0.01853 -1648 7792 0.01332 -1648 8154 0.00786 -1648 9138 0.00707 -1648 9351 0.01888 -1647 2519 0.00691 -1647 3064 0.01970 -1647 4013 0.01979 -1647 4966 0.00827 -1647 5314 0.01462 -1647 5537 0.00845 -1647 5951 0.01779 -1647 6443 0.01907 -1647 6543 0.01832 -1647 7314 0.00673 -1647 7983 0.00987 -1647 8385 0.01863 -1647 8519 0.01717 -1647 8723 0.01174 -1646 1958 0.01588 -1646 2116 0.01899 -1646 2901 0.01016 -1646 4511 0.00942 -1646 4887 0.01970 -1646 6941 0.01282 -1646 7017 0.01424 -1646 8840 0.01814 -1646 9831 0.01700 -1645 1862 0.00718 -1645 2522 0.01930 -1645 2752 0.00940 -1645 3175 0.01384 -1645 3374 0.01712 -1645 7573 0.01395 -1645 8976 0.01763 -1645 9034 0.01621 -1645 9455 0.00201 -1644 1951 0.00850 -1644 2564 0.00881 -1644 2614 0.00872 -1644 3444 0.00494 -1644 5206 0.01992 -1644 6187 0.01722 -1644 6466 0.01690 -1644 6752 0.01331 -1644 8713 0.01362 -1644 9358 0.01756 -1644 9741 0.01619 -1643 3109 0.00692 -1643 3471 0.01785 -1643 3870 0.01883 -1643 5007 0.01852 -1643 5646 0.01685 -1643 5655 0.01995 -1643 5702 0.01585 -1643 6491 0.00383 -1643 8868 0.00499 -1643 9006 0.01346 -1642 1661 0.01204 -1642 2507 0.01090 -1642 2945 0.01561 -1642 4607 0.00922 -1642 5300 0.01906 -1642 5404 0.01103 -1642 5610 0.01640 -1642 6386 0.00803 -1642 6426 0.01833 -1642 8467 0.01248 -1642 9210 0.01633 -1642 9622 0.00508 -1641 2140 0.00753 -1641 2670 0.00665 -1641 3540 0.01881 -1641 4132 0.01731 -1641 4874 0.01662 -1641 5413 0.00899 -1641 6459 0.01868 -1641 7213 0.01682 -1641 8667 0.01640 -1641 8879 0.01918 -1641 9142 0.00565 -1641 9882 0.00787 -1640 2844 0.01983 -1640 2873 0.00799 -1640 2908 0.01570 -1640 6481 0.00839 -1639 2239 0.01212 -1639 2862 0.01450 -1639 5858 0.01661 -1639 5967 0.01858 -1639 6836 0.01043 -1639 8227 0.01688 -1639 8453 0.01867 -1639 9589 0.00371 -1638 1806 0.01726 -1638 3373 0.01170 -1638 4922 0.01961 -1638 5030 0.01828 -1638 6192 0.01778 -1638 6995 0.00410 -1638 7487 0.01859 -1638 8747 0.01479 -1637 4601 0.01613 -1637 5860 0.01993 -1637 7859 0.00804 -1637 8664 0.01299 -1637 9061 0.01953 -1637 9174 0.00966 -1637 9714 0.01202 -1637 9742 0.01887 -1637 9837 0.01428 -1636 2228 0.00976 -1636 6408 0.01695 -1636 6945 0.01658 -1636 8675 0.01319 -1636 9344 0.01511 -1636 9954 0.01319 -1635 3287 0.01916 -1635 3377 0.01784 -1635 3783 0.01637 -1635 4522 0.00858 -1635 5456 0.01959 -1635 5979 0.00581 -1635 7870 0.01097 -1635 9099 0.01435 -1634 2970 0.01121 -1634 4591 0.01202 -1634 6913 0.01570 -1634 7267 0.01399 -1634 7612 0.01045 -1634 7681 0.01894 -1634 9322 0.01673 -1633 1792 0.01447 -1633 2850 0.01159 -1633 2944 0.01813 -1633 3414 0.01703 -1633 7174 0.01960 -1633 7405 0.01122 -1633 8352 0.01285 -1633 9824 0.01472 -1632 1998 0.00511 -1632 2025 0.01341 -1632 2384 0.01821 -1632 2550 0.01595 -1632 2781 0.01744 -1632 4182 0.00885 -1632 5491 0.01184 -1632 5560 0.01183 -1632 5635 0.01444 -1632 7196 0.01916 -1632 8386 0.01656 -1632 8682 0.01981 -1632 9258 0.01675 -1631 1737 0.01295 -1631 3074 0.01868 -1631 4769 0.00392 -1631 5667 0.01758 -1631 5692 0.01334 -1631 6239 0.01333 -1631 6875 0.01535 -1631 7484 0.01692 -1631 8226 0.01660 -1631 8927 0.00592 -1630 2702 0.00538 -1630 3117 0.01909 -1630 3424 0.01275 -1630 3683 0.00986 -1630 3762 0.01800 -1630 5887 0.01915 -1630 5890 0.00846 -1630 6490 0.01850 -1630 6671 0.00840 -1630 6847 0.01792 -1630 7306 0.00705 -1630 9094 0.01611 -1630 9192 0.01188 -1630 9594 0.01964 -1629 2989 0.01608 -1629 3571 0.01340 -1629 4295 0.01402 -1629 4862 0.01733 -1629 5356 0.01114 -1629 7740 0.00392 -1629 7945 0.01656 -1629 9936 0.01564 -1628 2182 0.01773 -1628 2205 0.01954 -1628 3597 0.01186 -1628 4565 0.01313 -1628 4734 0.01843 -1628 5039 0.01298 -1628 5845 0.01716 -1628 6900 0.01891 -1628 7245 0.00430 -1628 7355 0.01848 -1628 7586 0.01626 -1628 7991 0.01644 -1628 8500 0.00994 -1628 8922 0.01407 -1628 9847 0.01276 -1627 2264 0.01416 -1627 2364 0.01371 -1627 3985 0.01237 -1627 4969 0.01128 -1627 5658 0.01944 -1627 5671 0.01762 -1627 7389 0.01978 -1627 8757 0.01558 -1627 9062 0.00596 -1627 9664 0.01835 -1627 9667 0.00988 -1626 1715 0.01474 -1626 3890 0.01783 -1626 4008 0.01193 -1626 4555 0.01884 -1626 6280 0.00942 -1626 7895 0.01120 -1626 8228 0.01245 -1626 8272 0.01734 -1626 8914 0.01388 -1626 9424 0.01332 -1626 9435 0.01733 -1625 2439 0.01309 -1625 4685 0.01541 -1625 6546 0.01376 -1625 8176 0.00691 -1625 8708 0.01347 -1624 3476 0.01906 -1624 3753 0.01823 -1624 4443 0.01339 -1624 5722 0.01741 -1624 7436 0.01413 -1623 2802 0.01781 -1623 2857 0.01318 -1623 3411 0.01468 -1623 5156 0.01976 -1623 7021 0.01694 -1623 9272 0.01296 -1623 9835 0.01526 -1622 2131 0.01730 -1622 2631 0.01454 -1622 2636 0.01990 -1622 2825 0.00816 -1622 3181 0.00954 -1622 3509 0.00589 -1622 4403 0.00656 -1622 6223 0.01521 -1622 8215 0.00772 -1622 8926 0.01512 -1622 9285 0.00641 -1622 9431 0.00661 -1621 1900 0.01898 -1621 2446 0.01076 -1621 5636 0.00577 -1621 6321 0.01859 -1621 6530 0.01214 -1621 8862 0.01266 -1621 9500 0.01893 -1620 3750 0.01547 -1620 5921 0.01587 -1620 7197 0.00701 -1620 7545 0.00630 -1620 8341 0.00760 -1620 8645 0.01751 -1620 9655 0.01779 -1619 2254 0.00026 -1619 6046 0.01899 -1619 6673 0.01655 -1619 6762 0.01343 -1619 7756 0.01445 -1619 7775 0.01194 -1619 7986 0.01795 -1619 8313 0.00825 -1619 9553 0.01591 -1618 4112 0.01374 -1618 5870 0.01036 -1618 6130 0.01237 -1618 8229 0.01499 -1617 2679 0.00818 -1617 2705 0.01260 -1617 3917 0.00699 -1617 5138 0.01406 -1617 5687 0.01962 -1617 6301 0.00383 -1617 7804 0.01885 -1617 7832 0.01676 -1617 8454 0.00933 -1616 3063 0.01397 -1616 3295 0.00949 -1616 3379 0.01074 -1616 3584 0.01275 -1616 4533 0.01378 -1616 5060 0.01815 -1616 6477 0.00279 -1616 6883 0.01099 -1616 8008 0.00340 -1616 8579 0.01542 -1616 9058 0.01977 -1615 1674 0.00717 -1615 3359 0.01401 -1615 4088 0.00816 -1615 4374 0.01581 -1615 5311 0.01605 -1615 6367 0.01559 -1615 7138 0.01467 -1615 8422 0.01306 -1615 8582 0.01656 -1615 9318 0.00740 -1614 1901 0.00809 -1614 1927 0.01748 -1614 2157 0.01804 -1614 3902 0.01339 -1614 5142 0.01757 -1614 7641 0.01990 -1614 9577 0.01418 -1613 2807 0.01265 -1613 3951 0.00796 -1613 4515 0.01681 -1613 4949 0.01856 -1613 5106 0.00526 -1613 6138 0.01778 -1613 7094 0.01855 -1613 7492 0.01555 -1613 9423 0.00519 -1613 9513 0.01610 -1613 9958 0.01311 -1612 2422 0.01078 -1612 2583 0.01387 -1612 3059 0.01773 -1612 3728 0.01299 -1612 4070 0.01597 -1612 4097 0.01790 -1612 6091 0.00547 -1612 6189 0.01987 -1612 7743 0.01447 -1612 8012 0.01651 -1612 9038 0.01094 -1611 1735 0.01899 -1611 2322 0.01323 -1611 3709 0.00810 -1611 5213 0.01984 -1611 5557 0.00073 -1611 5844 0.01104 -1611 6961 0.01848 -1611 7022 0.00991 -1611 8449 0.01713 -1611 9754 0.01533 -1610 1853 0.01852 -1610 2689 0.00624 -1610 2870 0.00515 -1610 2979 0.00432 -1610 3427 0.01327 -1610 3484 0.01161 -1610 5882 0.01806 -1610 7362 0.01280 -1610 8503 0.01914 -1610 8812 0.00813 -1610 8907 0.00712 -1610 9160 0.01929 -1610 9514 0.01469 -1609 2600 0.01909 -1609 2604 0.01980 -1609 2664 0.01029 -1609 5038 0.01745 -1609 5408 0.01880 -1609 5426 0.01975 -1609 6163 0.01800 -1609 7963 0.00558 -1608 2267 0.01432 -1608 2903 0.01437 -1608 3264 0.01744 -1608 4339 0.00628 -1608 5695 0.01358 -1608 6004 0.01732 -1608 6258 0.01883 -1608 6414 0.01129 -1608 6895 0.01562 -1608 7905 0.01679 -1608 8107 0.01084 -1608 9238 0.01173 -1608 9397 0.01628 -1607 2692 0.01167 -1607 4262 0.01833 -1607 5694 0.01931 -1607 6934 0.01277 -1607 7447 0.01016 -1607 7896 0.00890 -1607 8403 0.01663 -1606 2192 0.01639 -1606 3743 0.00948 -1606 4401 0.00726 -1606 5533 0.01349 -1606 6081 0.01883 -1606 7742 0.01776 -1606 9443 0.01957 -1606 9532 0.01604 -1606 9752 0.01867 -1605 3208 0.00808 -1605 3676 0.01862 -1605 4438 0.01468 -1605 5914 0.01183 -1605 6698 0.01020 -1605 7113 0.01011 -1605 7142 0.01111 -1605 7209 0.01061 -1605 7968 0.01317 -1605 8561 0.01683 -1605 9175 0.01732 -1605 9309 0.00869 -1605 9694 0.01429 -1604 1981 0.00840 -1604 4066 0.01721 -1604 4435 0.01912 -1604 5349 0.01647 -1604 5812 0.01398 -1604 6663 0.01114 -1604 8797 0.00757 -1603 3567 0.01652 -1603 4373 0.01491 -1603 4679 0.01185 -1603 4731 0.01126 -1603 4781 0.01805 -1603 5752 0.00102 -1603 6337 0.01245 -1603 7949 0.01358 -1603 9077 0.01064 -1602 2238 0.01352 -1602 2343 0.01058 -1602 2898 0.01290 -1602 3498 0.01160 -1602 4096 0.00596 -1602 6566 0.00964 -1602 8115 0.00816 -1602 8129 0.00323 -1602 8133 0.01388 -1601 1899 0.01321 -1601 3531 0.01835 -1601 3639 0.00601 -1601 4299 0.01345 -1601 7513 0.01885 -1601 7846 0.01275 -1600 2208 0.01537 -1600 2945 0.01749 -1600 3049 0.01776 -1600 4154 0.01401 -1600 6426 0.01267 -1600 7396 0.00254 -1600 7452 0.01900 -1600 9660 0.00481 -1600 9929 0.01904 -1600 9992 0.01561 -1599 1779 0.00800 -1599 1850 0.01921 -1599 2007 0.00654 -1599 3018 0.01350 -1599 3219 0.01413 -1599 3290 0.01241 -1599 4183 0.01825 -1599 5164 0.01510 -1599 5568 0.00647 -1599 6359 0.01130 -1599 6601 0.01967 -1599 7160 0.01092 -1599 7300 0.00567 -1599 8075 0.01375 -1599 9671 0.01731 -1599 9945 0.01540 -1598 2236 0.01522 -1598 2483 0.01181 -1598 2921 0.01522 -1598 4092 0.00846 -1598 5585 0.01970 -1598 5607 0.01864 -1598 7476 0.01689 -1598 8529 0.01962 -1597 1832 0.01653 -1597 2168 0.01406 -1597 2522 0.01489 -1597 5033 0.01460 -1597 5601 0.00948 -1597 6433 0.01819 -1597 6735 0.01106 -1597 7118 0.00794 -1597 8032 0.01659 -1597 8058 0.00738 -1597 8235 0.01274 -1597 8257 0.01643 -1597 9212 0.01578 -1597 9959 0.00917 -1596 1971 0.01624 -1596 1990 0.00755 -1596 2033 0.00434 -1596 2850 0.01359 -1596 3041 0.01872 -1596 3764 0.00815 -1596 3787 0.01388 -1596 3958 0.01649 -1596 4461 0.01842 -1596 5678 0.00797 -1596 5925 0.01048 -1596 6405 0.01068 -1596 8352 0.01436 -1596 9678 0.01861 -1595 2536 0.00996 -1595 2889 0.00818 -1595 3240 0.00961 -1595 6746 0.00755 -1595 7189 0.00398 -1595 7863 0.00621 -1595 8273 0.00158 -1595 8375 0.01952 -1595 9000 0.00550 -1595 9166 0.01936 -1595 9278 0.01994 -1594 2259 0.01563 -1594 2284 0.01695 -1594 2531 0.01552 -1594 2616 0.01864 -1594 3876 0.01327 -1594 4544 0.00692 -1594 4596 0.01528 -1594 5190 0.01067 -1594 5474 0.00599 -1594 5974 0.01737 -1594 6993 0.01028 -1594 7466 0.00259 -1594 8767 0.01379 -1593 3468 0.01043 -1593 3942 0.01961 -1593 4257 0.01631 -1593 4400 0.01888 -1593 5982 0.01743 -1593 7256 0.01436 -1593 8702 0.01204 -1593 8779 0.01363 -1592 2724 0.01665 -1592 3545 0.00570 -1592 5074 0.01982 -1592 5600 0.01695 -1592 5731 0.01290 -1592 7008 0.00429 -1592 7363 0.01311 -1592 9603 0.00713 -1592 9774 0.01779 -1592 9930 0.00623 -1591 5543 0.01837 -1591 8279 0.01691 -1591 9206 0.01309 -1591 9307 0.00756 -1591 9962 0.01395 -1590 2203 0.00627 -1590 4157 0.01927 -1590 4599 0.01557 -1590 4753 0.01188 -1590 5696 0.00943 -1590 5729 0.00466 -1590 8152 0.01481 -1590 8974 0.01314 -1590 9051 0.01578 -1589 2538 0.01284 -1589 3118 0.01676 -1589 4719 0.01837 -1589 5632 0.00869 -1589 8315 0.01595 -1589 8379 0.01044 -1589 8411 0.00424 -1589 8800 0.01571 -1589 9616 0.01223 -1589 9702 0.01633 -1588 3241 0.01546 -1588 4741 0.01493 -1588 8095 0.01380 -1588 8251 0.00595 -1588 9547 0.01782 -1587 2313 0.01540 -1587 2788 0.00593 -1587 2846 0.00950 -1587 2920 0.00922 -1587 3393 0.00936 -1587 3417 0.01946 -1587 5866 0.01210 -1587 6784 0.01593 -1587 6940 0.01165 -1587 7767 0.00132 -1587 7952 0.01884 -1587 8615 0.01745 -1587 8753 0.01514 -1586 3580 0.01067 -1586 3725 0.01371 -1586 4120 0.01922 -1586 8112 0.01700 -1586 8137 0.01273 -1586 8491 0.01258 -1586 8795 0.01698 -1586 9169 0.01530 -1585 1596 0.01906 -1585 1990 0.01411 -1585 2033 0.01979 -1585 3958 0.01068 -1585 4187 0.01155 -1585 4322 0.00925 -1585 4325 0.01766 -1585 4461 0.01697 -1585 4552 0.00590 -1585 5678 0.01384 -1585 6388 0.01325 -1585 6765 0.01759 -1585 7881 0.00995 -1585 9678 0.01300 -1584 2485 0.00533 -1584 2799 0.00705 -1584 2816 0.00996 -1584 3531 0.01010 -1584 4299 0.01074 -1584 4510 0.00107 -1584 5046 0.00950 -1584 8397 0.00456 -1583 1669 0.01842 -1583 1671 0.01255 -1583 2878 0.01949 -1583 3676 0.01766 -1583 4079 0.00917 -1583 4212 0.00763 -1583 6115 0.00213 -1583 7142 0.01592 -1583 7251 0.01408 -1583 8561 0.01027 -1583 8905 0.00509 -1583 9175 0.01335 -1582 1659 0.01101 -1582 3894 0.01668 -1582 4336 0.01656 -1582 5406 0.01843 -1582 8619 0.01530 -1582 9400 0.01131 -1582 9512 0.00594 -1581 3654 0.01664 -1581 3687 0.00718 -1581 4444 0.00872 -1581 4599 0.01345 -1581 5571 0.01638 -1581 5696 0.01811 -1581 6826 0.00590 -1581 7842 0.01646 -1581 8152 0.01595 -1581 8817 0.00903 -1580 3705 0.01771 -1580 4108 0.01302 -1580 6821 0.01706 -1580 6987 0.00364 -1580 9286 0.00564 -1580 9947 0.01484 -1579 3641 0.01342 -1579 4103 0.00457 -1579 5052 0.01941 -1579 5128 0.01329 -1579 5405 0.00809 -1579 5602 0.01414 -1579 6984 0.01482 -1579 7120 0.00306 -1579 8029 0.01812 -1579 9452 0.01782 -1578 4598 0.01750 -1578 4846 0.01425 -1578 6354 0.01620 -1578 6500 0.01346 -1578 7311 0.01094 -1578 7579 0.01183 -1578 8292 0.01592 -1578 8398 0.01594 -1578 8638 0.01274 -1577 1605 0.01654 -1577 2186 0.00959 -1577 3172 0.01508 -1577 3193 0.01889 -1577 3208 0.00857 -1577 4306 0.01798 -1577 4438 0.00200 -1577 4947 0.01525 -1577 5914 0.00547 -1577 6698 0.01411 -1577 7113 0.01560 -1577 7209 0.01021 -1577 7210 0.00512 -1577 7968 0.01788 -1577 9309 0.01345 -1577 9694 0.00864 -1576 2588 0.01632 -1576 3254 0.01773 -1576 3296 0.01427 -1576 3971 0.01530 -1576 6050 0.00747 -1576 8211 0.00696 -1576 8536 0.01159 -1576 8558 0.00658 -1575 3455 0.01176 -1575 4233 0.01819 -1575 6390 0.01979 -1575 6508 0.01152 -1575 8546 0.00210 -1575 9841 0.00726 -1574 1892 0.01997 -1574 2155 0.00662 -1574 4191 0.01413 -1574 4298 0.00766 -1574 4385 0.01047 -1574 4830 0.01889 -1574 5448 0.00572 -1574 5544 0.01719 -1574 5790 0.01221 -1574 6195 0.01752 -1574 8350 0.01713 -1573 2723 0.01904 -1573 3324 0.01944 -1573 3461 0.01224 -1573 5376 0.01879 -1573 5831 0.00082 -1573 6215 0.01019 -1573 6360 0.00781 -1573 7772 0.00650 -1572 2069 0.01752 -1572 4500 0.01816 -1572 4524 0.01387 -1572 4824 0.01623 -1572 5523 0.01175 -1572 5595 0.01873 -1572 6335 0.00570 -1572 7813 0.01316 -1572 8356 0.01476 -1572 8648 0.01147 -1572 8933 0.01981 -1572 8970 0.01681 -1571 1579 0.00599 -1571 3641 0.01083 -1571 4103 0.00185 -1571 5052 0.01880 -1571 5128 0.01677 -1571 5405 0.01155 -1571 5602 0.01764 -1571 6185 0.01576 -1571 6971 0.01889 -1571 6984 0.01499 -1571 7120 0.00674 -1571 9452 0.01191 -1570 2232 0.01881 -1570 3689 0.01798 -1570 4771 0.01538 -1570 4950 0.01096 -1570 6108 0.01604 -1570 6173 0.01629 -1570 6381 0.00763 -1570 6806 0.00257 -1570 6871 0.01160 -1570 6948 0.01640 -1570 7268 0.01805 -1570 8696 0.01408 -1570 8857 0.01579 -1569 1841 0.01124 -1569 2312 0.01535 -1569 3190 0.00605 -1569 4053 0.01120 -1569 4286 0.01860 -1569 4348 0.01415 -1569 4845 0.01713 -1569 6658 0.01639 -1569 6845 0.01087 -1569 7033 0.01874 -1569 7144 0.01518 -1569 7933 0.01195 -1569 8254 0.00540 -1569 8865 0.01369 -1569 9200 0.00454 -1568 2138 0.01938 -1568 3774 0.00607 -1568 3775 0.01558 -1568 3833 0.01336 -1568 4494 0.01753 -1568 5361 0.01478 -1568 7699 0.01617 -1568 8715 0.01697 -1568 9374 0.01343 -1567 2247 0.01998 -1567 3669 0.00752 -1567 3898 0.01268 -1567 4233 0.01728 -1567 4815 0.01368 -1567 4972 0.01519 -1567 5031 0.00442 -1567 5566 0.01868 -1567 8837 0.00805 -1567 9059 0.00939 -1566 4916 0.01348 -1566 5351 0.00717 -1566 5640 0.01267 -1566 6549 0.00346 -1566 6828 0.01751 -1566 8751 0.01250 -1566 9151 0.00677 -1566 9291 0.00652 -1565 2784 0.00844 -1565 4906 0.01973 -1565 5427 0.00959 -1565 6917 0.01869 -1565 8545 0.00950 -1565 8915 0.01946 -1565 9358 0.01421 -1564 3014 0.00952 -1564 4123 0.00577 -1564 4390 0.01480 -1564 6038 0.01884 -1564 6878 0.00720 -1564 7539 0.01471 -1564 7578 0.01156 -1564 8759 0.01189 -1564 9647 0.01779 -1563 1607 0.01815 -1563 2692 0.01450 -1563 3121 0.01823 -1563 3197 0.01315 -1563 4429 0.01775 -1563 4507 0.01245 -1563 7447 0.01360 -1563 7896 0.01021 -1563 8366 0.00596 -1563 8403 0.01902 -1563 8685 0.00766 -1563 9182 0.01443 -1562 1896 0.01023 -1562 2081 0.01161 -1562 2660 0.01978 -1562 3415 0.01783 -1562 3588 0.01515 -1562 4465 0.01966 -1562 5151 0.01160 -1562 5574 0.01295 -1562 5806 0.01615 -1562 7299 0.01838 -1562 7404 0.00461 -1562 9597 0.01630 -1562 9607 0.00977 -1561 1894 0.01734 -1561 2566 0.01049 -1561 2626 0.01948 -1561 2707 0.01724 -1561 4184 0.01619 -1561 4562 0.01570 -1561 5478 0.01617 -1561 6603 0.00804 -1561 8026 0.01984 -1561 8567 0.01603 -1561 9845 0.00955 -1560 2391 0.01792 -1560 2937 0.00285 -1560 2955 0.01991 -1560 3421 0.00507 -1560 5265 0.01100 -1560 5986 0.01442 -1560 6629 0.01313 -1560 7302 0.01687 -1559 3052 0.01812 -1559 3107 0.01021 -1559 3454 0.01374 -1559 3581 0.00241 -1559 3596 0.01643 -1559 3771 0.01678 -1559 4101 0.01538 -1559 4867 0.01326 -1559 4870 0.01370 -1559 5949 0.01566 -1559 6128 0.01955 -1559 6584 0.01917 -1559 8041 0.01812 -1559 8101 0.00077 -1559 8604 0.01243 -1559 8964 0.01084 -1558 3292 0.01977 -1558 4548 0.01654 -1558 4584 0.01777 -1558 5222 0.01028 -1558 5359 0.01294 -1558 7271 0.01255 -1558 8020 0.01767 -1558 9661 0.00717 -1558 9736 0.01806 -1557 2962 0.01429 -1557 3144 0.01520 -1557 3160 0.00525 -1557 4305 0.00830 -1557 4742 0.01366 -1557 5966 0.01277 -1557 8701 0.01780 -1557 9386 0.01161 -1557 9705 0.01276 -1557 9964 0.01644 -1556 3116 0.01908 -1556 3137 0.01803 -1556 3856 0.01365 -1556 3953 0.01937 -1556 4460 0.01942 -1556 7068 0.01743 -1556 7126 0.01368 -1556 7609 0.01518 -1556 7610 0.01146 -1556 7786 0.01694 -1556 8783 0.00976 -1556 8998 0.01442 -1556 9205 0.01693 -1556 9928 0.01187 -1555 1813 0.01658 -1555 1902 0.01706 -1555 1996 0.01762 -1555 2233 0.00548 -1555 2474 0.01815 -1555 5693 0.01526 -1555 6499 0.00539 -1555 6596 0.01120 -1555 7178 0.01291 -1555 9047 0.01931 -1555 9070 0.01568 -1555 9075 0.01803 -1555 9224 0.00647 -1555 9365 0.01618 -1555 9599 0.01644 -1554 2694 0.01625 -1554 4152 0.01855 -1554 6118 0.01053 -1554 6617 0.01515 -1554 7290 0.00947 -1554 8683 0.01691 -1553 3057 0.00509 -1553 3869 0.01989 -1553 5080 0.00454 -1553 5660 0.01783 -1553 6321 0.00908 -1553 6530 0.01915 -1553 7081 0.00938 -1553 7463 0.01048 -1553 7722 0.00254 -1553 8862 0.01819 -1553 9031 0.00664 -1552 2407 0.00762 -1552 3050 0.01649 -1552 3288 0.01911 -1552 3930 0.00983 -1552 8303 0.01891 -1551 2476 0.00049 -1551 2597 0.01531 -1551 6578 0.01177 -1551 9732 0.01279 -1550 2581 0.00556 -1550 5121 0.01806 -1550 6611 0.01929 -1550 6712 0.01047 -1550 7171 0.01661 -1550 7582 0.01406 -1550 8732 0.01944 -1549 1564 0.01243 -1549 3014 0.01186 -1549 4123 0.01628 -1549 5810 0.01527 -1549 6354 0.01724 -1549 6878 0.01321 -1549 7539 0.01062 -1549 8759 0.00081 -1548 3245 0.00564 -1548 3409 0.00965 -1548 3465 0.01473 -1548 4084 0.01769 -1548 4549 0.01689 -1548 5535 0.01816 -1548 6092 0.01777 -1548 6200 0.01961 -1548 6260 0.01897 -1548 6497 0.00827 -1548 6695 0.01449 -1548 7187 0.00673 -1548 7279 0.01449 -1548 7841 0.01853 -1548 8108 0.01978 -1548 9345 0.01002 -1548 9568 0.01769 -1548 9640 0.01130 -1548 9815 0.01872 -1547 1691 0.01863 -1547 1804 0.00645 -1547 5033 0.01987 -1547 5306 0.00746 -1547 6593 0.01375 -1547 8032 0.01780 -1547 8040 0.01344 -1547 8202 0.01090 -1547 8257 0.01574 -1546 2610 0.01742 -1546 2902 0.01802 -1546 3557 0.01806 -1546 3631 0.01731 -1546 3990 0.01932 -1546 4850 0.01537 -1546 6096 0.01867 -1546 6569 0.01408 -1546 7347 0.00513 -1546 7638 0.00980 -1546 8261 0.01262 -1545 1887 0.00880 -1545 2946 0.01241 -1545 3026 0.01332 -1545 3246 0.00736 -1545 3679 0.00852 -1545 3905 0.01004 -1545 5018 0.01945 -1545 5488 0.01027 -1545 5662 0.01843 -1545 5853 0.00940 -1545 7154 0.01529 -1545 7244 0.01822 -1545 9218 0.00467 -1545 9313 0.01112 -1545 9368 0.01124 -1545 9469 0.01494 -1544 1760 0.00976 -1544 2676 0.01104 -1544 5295 0.01809 -1544 6475 0.01510 -1544 6943 0.00898 -1544 9066 0.01646 -1543 2053 0.00563 -1543 2779 0.00532 -1543 3726 0.01119 -1543 4954 0.01589 -1543 4986 0.01482 -1543 6048 0.01545 -1543 6977 0.01198 -1543 7307 0.01957 -1542 2123 0.00276 -1542 3287 0.01754 -1542 3634 0.00135 -1542 3857 0.01651 -1542 4340 0.01597 -1542 5209 0.01565 -1542 5834 0.00980 -1542 6796 0.01168 -1542 8963 0.01378 -1542 9235 0.01949 -1542 9242 0.00954 -1541 2285 0.01811 -1541 4427 0.00781 -1541 4464 0.00417 -1541 4546 0.01114 -1541 6421 0.01681 -1541 7852 0.00929 -1540 2547 0.01299 -1540 2710 0.01822 -1540 4074 0.01794 -1540 4076 0.01726 -1540 4231 0.00342 -1540 7262 0.00236 -1540 7360 0.01894 -1540 9908 0.01795 -1539 1616 0.01967 -1539 2245 0.01730 -1539 3063 0.01616 -1539 3225 0.01881 -1539 3295 0.01838 -1539 3514 0.01037 -1539 4533 0.01720 -1539 5060 0.01812 -1539 5340 0.01631 -1539 5445 0.00887 -1539 5826 0.01060 -1539 6853 0.01251 -1539 6883 0.00907 -1539 7228 0.01062 -1539 7816 0.00946 -1539 7867 0.01021 -1539 8008 0.01908 -1539 8579 0.01391 -1539 9058 0.00795 -1539 9188 0.01220 -1538 1997 0.01531 -1538 2964 0.01058 -1538 5750 0.01247 -1538 8023 0.01271 -1538 8274 0.01771 -1538 8825 0.01740 -1537 2256 0.00374 -1537 3154 0.01026 -1537 4602 0.01648 -1537 6153 0.01780 -1537 6165 0.01198 -1537 7146 0.00635 -1537 7453 0.01897 -1537 7927 0.01116 -1537 8951 0.00378 -1537 9552 0.01048 -1537 9867 0.01370 -1536 2139 0.01505 -1536 2163 0.01917 -1536 2309 0.01253 -1536 3537 0.01139 -1536 3786 0.01787 -1536 6101 0.01946 -1536 8419 0.00890 -1536 8746 0.01881 -1536 9236 0.01125 -1535 2093 0.00289 -1535 4440 0.01312 -1535 5603 0.01191 -1535 5726 0.01891 -1535 5783 0.01738 -1535 6507 0.01790 -1535 7018 0.01582 -1535 7370 0.01382 -1535 8010 0.01262 -1535 8264 0.01329 -1535 9130 0.00903 -1535 9315 0.01798 -1535 9427 0.01298 -1534 1956 0.00853 -1534 2276 0.01848 -1534 2535 0.01155 -1534 3686 0.00794 -1534 6230 0.01355 -1534 6493 0.01960 -1534 6703 0.01222 -1534 7331 0.01844 -1534 7967 0.00668 -1534 8244 0.00649 -1534 8348 0.01025 -1533 1606 0.00562 -1533 2161 0.01820 -1533 3673 0.01886 -1533 3743 0.01390 -1533 4401 0.00562 -1533 5533 0.00828 -1533 6081 0.01719 -1533 7742 0.01217 -1533 9048 0.01934 -1533 9443 0.01788 -1533 9532 0.01522 -1532 2165 0.00799 -1532 2288 0.00845 -1532 3609 0.01093 -1532 6147 0.01014 -1532 6515 0.01854 -1532 7114 0.00377 -1532 7328 0.01861 -1532 7486 0.01304 -1532 9478 0.01658 -1532 9839 0.01290 -1531 4104 0.01553 -1531 4634 0.01927 -1531 5987 0.01811 -1531 7834 0.01371 -1531 8487 0.01638 -1531 8526 0.01200 -1530 1584 0.01479 -1530 1601 0.00902 -1530 1899 0.01824 -1530 2485 0.01549 -1530 3531 0.01780 -1530 3639 0.00969 -1530 4299 0.00507 -1530 4510 0.01508 -1530 7513 0.01177 -1530 8397 0.01780 -1529 5667 0.01319 -1529 6117 0.00979 -1529 6288 0.00989 -1529 7509 0.01045 -1529 7563 0.01435 -1529 9354 0.01253 -1528 1530 0.01204 -1528 1584 0.00624 -1528 1601 0.01496 -1528 2485 0.01087 -1528 2799 0.01277 -1528 2816 0.01594 -1528 3531 0.00634 -1528 3639 0.01944 -1528 4299 0.01000 -1528 4510 0.00723 -1528 5046 0.01064 -1528 5173 0.01702 -1528 8397 0.01080 -1527 2227 0.01782 -1527 2391 0.01981 -1527 2955 0.00475 -1527 3075 0.01420 -1527 4009 0.01450 -1527 4802 0.01344 -1527 5025 0.01636 -1527 5265 0.01646 -1527 5981 0.01750 -1527 5986 0.00840 -1527 6629 0.01532 -1527 9985 0.00715 -1526 1638 0.01888 -1526 1806 0.00223 -1526 3061 0.01551 -1526 3104 0.01919 -1526 5030 0.01718 -1526 6192 0.01232 -1526 6995 0.01508 -1526 7291 0.00788 -1526 7487 0.01999 -1526 7825 0.01840 -1526 7887 0.01603 -1526 8378 0.01684 -1526 9861 0.01941 -1525 1808 0.01272 -1525 2460 0.01752 -1525 2935 0.01623 -1525 4743 0.01888 -1525 6111 0.01576 -1525 6471 0.01229 -1525 6886 0.00956 -1525 7591 0.01730 -1525 7808 0.01434 -1525 9152 0.01352 -1525 9968 0.01733 -1524 1682 0.00473 -1524 2327 0.01892 -1524 2406 0.01559 -1524 5513 0.01986 -1524 5534 0.01492 -1524 6944 0.01987 -1524 6963 0.01201 -1524 8792 0.00522 -1523 3515 0.01031 -1523 3611 0.01748 -1523 3706 0.01917 -1523 4757 0.01778 -1523 5172 0.01144 -1523 6815 0.01059 -1523 8709 0.00915 -1522 1685 0.01677 -1522 2111 0.01922 -1522 3193 0.01790 -1522 6298 0.00482 -1522 6400 0.01306 -1522 8052 0.01666 -1522 8728 0.00574 -1522 8736 0.01935 -1522 9618 0.00699 -1522 9699 0.01725 -1522 9858 0.01370 -1522 9877 0.01119 -1521 2468 0.01740 -1521 4213 0.01381 -1521 4632 0.01441 -1521 7143 0.01273 -1521 7493 0.01303 -1521 9128 0.01736 -1520 4660 0.00679 -1520 7352 0.01513 -1520 7945 0.01187 -1520 9895 0.01364 -1519 2122 0.01715 -1519 2464 0.01506 -1519 4151 0.00615 -1519 4889 0.01452 -1519 5283 0.01081 -1519 7098 0.01638 -1519 8318 0.01706 -1519 9629 0.01975 -1519 9911 0.00920 -1518 1676 0.00803 -1518 1700 0.01295 -1518 1802 0.01999 -1518 5563 0.00911 -1518 6534 0.01717 -1518 6999 0.01406 -1518 7129 0.01046 -1518 8822 0.01856 -1518 9323 0.01551 -1518 9924 0.01947 -1517 2144 0.00641 -1517 3221 0.01512 -1517 3538 0.01293 -1517 4197 0.01635 -1517 5215 0.00730 -1517 5955 0.01308 -1517 6915 0.01801 -1517 8001 0.01951 -1517 8866 0.01428 -1516 2271 0.00900 -1516 2449 0.00301 -1516 3981 0.01476 -1516 5327 0.01927 -1516 5994 0.01101 -1516 7692 0.01665 -1516 8639 0.01941 -1516 9933 0.01871 -1515 2014 0.00849 -1515 4597 0.01056 -1515 5795 0.01845 -1515 5954 0.01585 -1515 6523 0.01644 -1515 7133 0.01949 -1514 1527 0.00965 -1514 2391 0.01091 -1514 2562 0.01627 -1514 2681 0.01786 -1514 2937 0.01937 -1514 2955 0.00511 -1514 5025 0.00903 -1514 5265 0.01973 -1514 5986 0.01192 -1514 6629 0.00870 -1514 9985 0.00254 -1513 3490 0.00950 -1513 4636 0.01951 -1513 5214 0.01883 -1513 5727 0.00264 -1513 6190 0.01129 -1513 6745 0.01741 -1513 7473 0.01975 -1513 7476 0.01903 -1513 8590 0.00665 -1513 8731 0.01264 -1513 9834 0.00914 -1512 2159 0.00566 -1512 2820 0.01723 -1512 2942 0.01166 -1512 3060 0.01258 -1512 4361 0.00932 -1512 4665 0.01495 -1512 5259 0.01108 -1512 6065 0.01205 -1512 6482 0.00734 -1512 9979 0.00694 -1512 9987 0.01700 -1511 1564 0.01996 -1511 3014 0.01568 -1511 4123 0.01429 -1511 4598 0.01050 -1511 6354 0.01913 -1511 6878 0.01458 -1511 8146 0.00507 -1511 9647 0.01133 -1510 1817 0.00642 -1510 2043 0.01606 -1510 2934 0.01316 -1510 3084 0.01804 -1510 4397 0.00943 -1510 5668 0.01222 -1510 5772 0.01998 -1510 8475 0.01744 -1510 8513 0.00595 -1510 9121 0.01699 -1510 9226 0.01899 -1510 9395 0.00972 -1509 1683 0.00986 -1509 1972 0.00639 -1509 2443 0.00578 -1509 2895 0.01679 -1509 2960 0.01565 -1509 5864 0.01427 -1509 6292 0.00245 -1509 6383 0.01909 -1509 6951 0.01842 -1509 7575 0.01071 -1508 1707 0.01886 -1508 2458 0.01083 -1508 4697 0.01792 -1508 5026 0.01449 -1508 5743 0.01221 -1508 6290 0.01732 -1508 6705 0.00647 -1508 6753 0.00918 -1508 7222 0.01816 -1508 7677 0.00977 -1508 7731 0.00926 -1508 8076 0.01756 -1508 8317 0.01435 -1508 8833 0.01628 -1508 9282 0.01076 -1508 9389 0.01744 -1507 2658 0.01814 -1507 3772 0.00662 -1507 4538 0.01659 -1507 4765 0.01348 -1507 6855 0.01709 -1507 7182 0.01519 -1507 8441 0.01700 -1507 8746 0.01114 -1506 1849 0.01845 -1506 2292 0.01905 -1506 2440 0.01832 -1506 2966 0.01341 -1506 3474 0.01600 -1506 4172 0.01690 -1506 4258 0.00419 -1506 5460 0.01608 -1506 7249 0.01382 -1506 9739 0.01325 -1505 2572 0.00473 -1505 3182 0.01837 -1505 4167 0.01413 -1505 6743 0.01551 -1505 7413 0.01659 -1505 7874 0.00563 -1505 7889 0.01448 -1505 8591 0.01794 -1505 8710 0.00243 -1505 9091 0.01252 -1504 2712 0.00873 -1504 3260 0.00712 -1504 4758 0.01252 -1504 5337 0.00952 -1504 6361 0.00545 -1504 6539 0.01688 -1504 7910 0.01738 -1504 8335 0.01810 -1504 8479 0.00616 -1504 8522 0.01726 -1504 9893 0.00422 -1503 1690 0.01637 -1503 2777 0.01310 -1503 2794 0.01496 -1503 3320 0.01580 -1503 6030 0.00772 -1502 2102 0.01474 -1502 4635 0.01192 -1502 6747 0.01751 -1502 6816 0.00677 -1502 8098 0.00820 -1501 1926 0.01922 -1501 2173 0.00270 -1501 3825 0.00632 -1501 4564 0.01240 -1501 5324 0.01074 -1501 6776 0.01911 -1501 9777 0.01025 -1500 2167 0.00322 -1500 4585 0.01029 -1500 4649 0.01677 -1500 5204 0.00489 -1500 5300 0.01714 -1500 5682 0.01050 -1500 6505 0.00555 -1500 7369 0.00669 -1500 7801 0.01249 -1500 7951 0.01289 -1500 9542 0.01372 -1500 9556 0.01662 -1500 9898 0.00946 -1500 9991 0.01688 -1500 9997 0.00560 -1499 1765 0.01113 -1499 2265 0.01098 -1499 2491 0.01465 -1499 2492 0.01837 -1499 3165 0.00856 -1499 4655 0.01698 -1499 6689 0.01738 -1499 6763 0.01492 -1499 8979 0.01417 -1499 9257 0.01808 -1499 9331 0.00991 -1498 2487 0.00647 -1498 3413 0.01026 -1498 4493 0.00941 -1498 5399 0.01170 -1498 5540 0.01041 -1498 6039 0.00873 -1498 9044 0.00862 -1497 1820 0.00727 -1497 2017 0.00955 -1497 2874 0.00819 -1497 4974 0.01753 -1497 5064 0.01370 -1497 5651 0.01868 -1497 6800 0.00360 -1497 8912 0.01730 -1497 8995 0.01939 -1496 4296 0.01618 -1496 4440 0.01895 -1496 5760 0.01678 -1496 6507 0.00723 -1496 6835 0.01881 -1496 6933 0.01778 -1496 7746 0.01576 -1496 8043 0.01806 -1496 9211 0.01873 -1496 9984 0.01561 -1495 2666 0.01608 -1495 3733 0.01879 -1495 3802 0.01234 -1495 3867 0.01319 -1495 3941 0.01232 -1495 4754 0.01399 -1495 5621 0.01887 -1495 6797 0.01025 -1495 7133 0.01782 -1495 8302 0.01185 -1495 8595 0.00926 -1495 9450 0.00492 -1495 9574 0.01748 -1494 3253 0.01214 -1494 3542 0.01778 -1494 4576 0.01377 -1494 6204 0.00468 -1494 8689 0.01857 -1494 9311 0.00510 -1494 9579 0.00711 -1494 9860 0.01975 -1493 1532 0.01053 -1493 2165 0.01831 -1493 2288 0.00222 -1493 5515 0.01636 -1493 5867 0.01064 -1493 6036 0.01061 -1493 6147 0.01418 -1493 7114 0.01256 -1493 7328 0.01676 -1493 7486 0.01959 -1493 7768 0.01758 -1493 8086 0.01176 -1492 1517 0.01747 -1492 2065 0.01502 -1492 2253 0.01639 -1492 3221 0.00481 -1492 3538 0.01850 -1492 3923 0.00714 -1492 5215 0.01623 -1492 6084 0.01650 -1492 6915 0.01746 -1492 7709 0.01192 -1492 7902 0.00953 -1492 8104 0.00783 -1491 2583 0.00740 -1491 2739 0.01217 -1491 3535 0.01593 -1491 4070 0.00857 -1491 4097 0.00454 -1491 4208 0.01761 -1491 4910 0.00851 -1491 5125 0.00745 -1491 6091 0.01558 -1491 6614 0.01876 -1491 8225 0.01997 -1490 2502 0.00402 -1490 5092 0.01645 -1490 5282 0.01142 -1490 7201 0.00588 -1490 7357 0.00452 -1490 8009 0.01026 -1490 8619 0.01321 -1490 8948 0.01520 -1490 9361 0.01870 -1490 9400 0.01153 -1490 9512 0.01722 -1490 9854 0.00628 -1489 2408 0.01878 -1489 2461 0.01558 -1489 3579 0.01692 -1489 5056 0.00239 -1489 5308 0.01091 -1489 5840 0.01104 -1489 7796 0.00868 -1489 8631 0.01972 -1489 8893 0.01917 -1489 9018 0.01995 -1488 2085 0.01301 -1488 2490 0.01231 -1488 3192 0.01050 -1488 3257 0.01908 -1488 3335 0.01409 -1488 3613 0.01673 -1488 4395 0.01989 -1488 5791 0.00980 -1488 7305 0.01958 -1488 7433 0.01603 -1488 8787 0.01889 -1487 2297 0.00550 -1487 4179 0.01005 -1487 5451 0.01974 -1487 5740 0.01895 -1487 6511 0.01734 -1486 2385 0.01443 -1486 3554 0.01653 -1486 7292 0.01734 -1486 7718 0.01967 -1485 1726 0.00323 -1485 1761 0.00874 -1485 3304 0.01961 -1485 5386 0.01150 -1485 5789 0.01088 -1485 6250 0.01081 -1485 6295 0.00884 -1485 6355 0.01471 -1485 9054 0.00997 -1484 1541 0.01570 -1484 2627 0.01601 -1484 4369 0.01171 -1484 4418 0.01843 -1484 4464 0.01215 -1484 4992 0.01030 -1484 5489 0.01594 -1484 5524 0.01246 -1484 5903 0.01793 -1484 6421 0.01923 -1484 7852 0.01133 -1483 1849 0.00708 -1483 2248 0.01037 -1483 2292 0.00673 -1483 2440 0.00727 -1483 4172 0.01047 -1483 4248 0.00631 -1483 4342 0.01528 -1483 4564 0.01124 -1483 4848 0.01354 -1483 5460 0.00974 -1483 6172 0.01889 -1483 6221 0.01882 -1483 6291 0.01394 -1483 9739 0.01922 -1482 2863 0.01526 -1482 3060 0.01974 -1482 3547 0.00336 -1482 4012 0.01559 -1482 4380 0.00979 -1482 4665 0.01660 -1482 4712 0.01611 -1482 5237 0.00643 -1482 5475 0.01144 -1482 6519 0.01593 -1481 2124 0.01310 -1481 3661 0.00558 -1481 5085 0.00855 -1481 5188 0.01994 -1481 5804 0.01007 -1481 6322 0.00748 -1481 8778 0.01094 -1481 9173 0.01462 -1481 9703 0.01191 -1481 9934 0.01799 -1480 3724 0.00291 -1480 4041 0.00407 -1480 4244 0.01251 -1480 4337 0.01837 -1480 4702 0.01151 -1480 5462 0.01127 -1480 5699 0.01518 -1480 7304 0.00578 -1480 7465 0.00622 -1480 9757 0.01144 -1479 2128 0.01847 -1479 2673 0.01522 -1479 2991 0.01791 -1479 6279 0.01779 -1479 6336 0.01975 -1479 6517 0.01972 -1479 7298 0.01793 -1479 7817 0.00654 -1479 8892 0.00784 -1479 9996 0.00566 -1478 1635 0.01431 -1478 2090 0.01970 -1478 3159 0.00981 -1478 3377 0.01528 -1478 3783 0.01999 -1478 3799 0.01710 -1478 4324 0.00642 -1478 5979 0.00988 -1478 9099 0.01939 -1478 9693 0.01740 -1477 3148 0.01789 -1477 4484 0.01711 -1477 6329 0.01145 -1477 6720 0.01131 -1477 8242 0.01520 -1477 8677 0.01845 -1477 9566 0.01972 -1476 1589 0.00957 -1476 2538 0.01455 -1476 3118 0.01439 -1476 4343 0.01585 -1476 5632 0.01808 -1476 5827 0.01608 -1476 5872 0.01526 -1476 8379 0.00669 -1476 8411 0.00674 -1475 1523 0.01621 -1475 2805 0.01642 -1475 3831 0.01375 -1475 6815 0.01288 -1475 8673 0.01723 -1475 8709 0.00839 -1475 9610 0.00767 -1474 1484 0.01844 -1474 2627 0.00949 -1474 3633 0.01546 -1474 4369 0.01088 -1474 4992 0.01888 -1474 5489 0.00708 -1474 5524 0.00699 -1474 5615 0.01973 -1474 5903 0.01359 -1473 1973 0.01388 -1473 3397 0.01956 -1473 3854 0.01862 -1473 6279 0.00937 -1473 7103 0.00732 -1473 7450 0.00408 -1473 7467 0.01999 -1473 7987 0.01649 -1473 7995 0.00690 -1473 8038 0.01289 -1473 8511 0.01859 -1473 9628 0.01194 -1473 9938 0.01382 -1472 2489 0.01243 -1472 2828 0.00740 -1472 5169 0.01991 -1472 5394 0.01962 -1472 5983 0.00620 -1472 6893 0.01859 -1472 7998 0.01014 -1472 8567 0.00940 -1472 8816 0.00364 -1471 3779 0.00371 -1471 3937 0.01310 -1471 4666 0.00873 -1471 6371 0.01342 -1471 6861 0.01450 -1471 8440 0.01602 -1470 2365 0.01621 -1470 4130 0.01556 -1470 4983 0.01814 -1470 6154 0.01406 -1470 6312 0.01007 -1470 7862 0.00265 -1470 7942 0.01984 -1470 8289 0.01225 -1470 9531 0.01669 -1470 9593 0.01913 -1470 9950 0.00720 -1469 3538 0.01686 -1469 4062 0.00515 -1469 4316 0.01045 -1469 4909 0.01801 -1469 5801 0.01849 -1469 5955 0.01997 -1469 6915 0.01988 -1469 8598 0.00497 -1469 9227 0.01519 -1468 3835 0.01603 -1468 3907 0.01062 -1468 5370 0.01817 -1468 5429 0.00714 -1468 6619 0.01349 -1468 7922 0.01903 -1468 8068 0.00711 -1468 9052 0.01570 -1467 1738 0.01909 -1467 1767 0.01522 -1467 3987 0.01420 -1467 5010 0.01967 -1467 6265 0.01372 -1467 8891 0.01757 -1467 9637 0.01164 -1466 3480 0.01211 -1466 4088 0.01739 -1466 5083 0.00430 -1466 5168 0.00525 -1466 5886 0.01687 -1466 6073 0.01591 -1466 6367 0.01598 -1466 7047 0.00758 -1466 7138 0.01241 -1466 7505 0.01455 -1466 8085 0.01106 -1466 8582 0.00655 -1466 8679 0.01353 -1466 9318 0.01607 -1466 9747 0.00929 -1465 2827 0.01214 -1465 2957 0.00996 -1465 4280 0.00884 -1465 4575 0.01946 -1465 4778 0.00846 -1465 5778 0.01856 -1465 6668 0.00997 -1465 8144 0.01083 -1465 9209 0.01833 -1465 9892 0.00735 -1464 2091 0.00283 -1464 3022 0.01703 -1464 3066 0.01546 -1464 3358 0.01126 -1464 4939 0.01739 -1464 9545 0.00450 -1464 9944 0.01197 -1463 4495 0.00362 -1463 4696 0.01714 -1463 5686 0.01464 -1463 6846 0.01276 -1463 7393 0.01740 -1463 8031 0.01468 -1463 9350 0.00069 -1463 9836 0.00783 -1462 1618 0.01562 -1462 4112 0.00820 -1462 4245 0.00802 -1461 3283 0.01853 -1461 3469 0.00975 -1461 3552 0.01891 -1461 4813 0.01169 -1461 5541 0.01939 -1461 6198 0.01569 -1461 8331 0.01042 -1461 8592 0.01645 -1461 9046 0.00615 -1461 9544 0.01769 -1461 9683 0.01206 -1460 1504 0.01427 -1460 1925 0.01453 -1460 2712 0.00619 -1460 5331 0.00930 -1460 5337 0.00476 -1460 6070 0.01849 -1460 6361 0.01502 -1460 6729 0.01961 -1460 8479 0.01273 -1460 9893 0.01482 -1459 3552 0.01551 -1459 3927 0.01987 -1459 5895 0.01874 -1459 6271 0.01534 -1459 7191 0.01928 -1459 7913 0.01206 -1459 8328 0.01859 -1459 9990 0.01649 -1458 2661 0.01221 -1458 3900 0.01298 -1458 5243 0.01788 -1458 6563 0.01287 -1458 7481 0.00394 -1458 8918 0.01223 -1458 8920 0.01232 -1458 9245 0.00982 -1458 9339 0.00479 -1458 9849 0.01958 -1457 1802 0.01590 -1457 2210 0.01638 -1457 3467 0.00849 -1457 5761 0.01912 -1457 6014 0.01336 -1457 6045 0.01040 -1457 6442 0.01400 -1457 7401 0.00778 -1457 7422 0.00914 -1457 8266 0.00617 -1457 9466 0.01465 -1457 9500 0.01651 -1456 4014 0.01377 -1456 4474 0.00887 -1456 4560 0.01862 -1456 4668 0.01574 -1456 4738 0.01863 -1456 5224 0.01484 -1456 5852 0.00995 -1456 7169 0.00608 -1456 7572 0.01892 -1455 2958 0.01256 -1455 4909 0.01176 -1455 5801 0.01145 -1455 7930 0.01140 -1455 9044 0.01991 -1455 9865 0.00782 -1454 2921 0.01285 -1454 2956 0.00891 -1454 4471 0.01574 -1454 4538 0.01674 -1454 5585 0.00875 -1454 6061 0.01630 -1454 6684 0.00642 -1454 7182 0.01577 -1454 8529 0.01215 -1454 9383 0.00588 -1453 1569 0.01620 -1453 2624 0.00646 -1453 2687 0.01540 -1453 3190 0.01255 -1453 3390 0.01850 -1453 3664 0.01491 -1453 4286 0.00404 -1453 6071 0.01847 -1453 6658 0.01416 -1453 6845 0.01339 -1453 7144 0.00677 -1453 7420 0.01950 -1453 7933 0.01956 -1453 8254 0.01560 -1453 8865 0.01001 -1453 9200 0.01568 -1452 2616 0.01975 -1452 3128 0.01544 -1452 4832 0.01749 -1452 5190 0.01874 -1452 5879 0.00093 -1452 5974 0.01257 -1452 6087 0.01140 -1452 7769 0.01773 -1452 8767 0.01590 -1451 2683 0.00494 -1451 7645 0.01462 -1450 1609 0.00731 -1450 2600 0.01965 -1450 2664 0.00300 -1450 2893 0.01987 -1450 4987 0.01744 -1450 5038 0.01575 -1450 5408 0.01851 -1450 5426 0.01959 -1450 5583 0.01587 -1450 6985 0.01993 -1450 7963 0.01120 -1449 1821 0.01715 -1449 3459 0.01786 -1449 6275 0.01948 -1449 6686 0.01935 -1449 7790 0.00828 -1448 1691 0.01208 -1448 1832 0.01594 -1448 3265 0.00660 -1448 3878 0.00681 -1448 3925 0.01535 -1448 4115 0.01917 -1448 4946 0.01128 -1448 5033 0.01696 -1448 6433 0.01097 -1448 6447 0.00820 -1448 6544 0.01952 -1448 6593 0.01775 -1448 7100 0.00984 -1448 7574 0.00237 -1448 8032 0.01682 -1448 8235 0.01521 -1448 9212 0.01499 -1448 9959 0.01883 -1447 2389 0.01352 -1447 3201 0.01524 -1447 4650 0.01674 -1447 4653 0.00786 -1447 5272 0.01975 -1447 5738 0.00817 -1447 6297 0.01795 -1447 6615 0.00107 -1447 8677 0.01814 -1447 9566 0.01805 -1446 5737 0.01963 -1446 6503 0.01228 -1446 7886 0.01449 -1446 8624 0.00740 -1446 9885 0.01478 -1445 1539 0.01529 -1445 2153 0.01802 -1445 2245 0.01058 -1445 2258 0.01392 -1445 2345 0.01138 -1445 3514 0.00536 -1445 4056 0.01703 -1445 5217 0.01006 -1445 5445 0.00680 -1445 5826 0.00480 -1445 6823 0.01714 -1445 6853 0.00311 -1445 7228 0.00824 -1445 7816 0.01121 -1445 7867 0.01603 -1445 8899 0.01575 -1445 9058 0.01998 -1445 9188 0.00727 -1445 9237 0.01886 -1445 9961 0.00807 -1444 2043 0.01402 -1444 2133 0.00876 -1444 2299 0.00765 -1444 2899 0.01165 -1444 2934 0.01408 -1444 3163 0.01738 -1444 6016 0.01349 -1444 6937 0.01741 -1443 2113 0.01635 -1443 3498 0.01484 -1443 6311 0.01257 -1443 6707 0.00417 -1443 6881 0.01766 -1443 6956 0.01468 -1443 8533 0.01686 -1442 1827 0.00518 -1442 3250 0.01314 -1442 3808 0.01939 -1442 4747 0.01812 -1442 7231 0.00669 -1442 9273 0.01012 -1441 2028 0.01297 -1441 2191 0.01757 -1441 2630 0.00895 -1441 3058 0.00872 -1441 5260 0.01425 -1441 5874 0.00693 -1441 6462 0.01950 -1441 6840 0.01263 -1441 7826 0.01767 -1441 8081 0.01642 -1441 9281 0.01422 -1440 2227 0.01776 -1440 2230 0.01468 -1440 2635 0.01265 -1440 4009 0.01969 -1440 4049 0.01408 -1440 5067 0.01670 -1440 5981 0.01553 -1440 8163 0.01915 -1440 9541 0.01684 -1439 1454 0.01390 -1439 1879 0.01844 -1439 2658 0.01146 -1439 2921 0.01775 -1439 2956 0.00646 -1439 5108 0.01895 -1439 5129 0.01516 -1439 5585 0.01865 -1439 5736 0.00683 -1439 6061 0.00557 -1439 6684 0.00759 -1439 7182 0.01742 -1439 8529 0.01186 -1439 9383 0.00814 -1438 2200 0.01879 -1438 2478 0.01251 -1438 2674 0.01524 -1438 2733 0.00642 -1438 2790 0.01568 -1438 2859 0.01682 -1438 3138 0.01789 -1438 3587 0.00914 -1438 3740 0.01291 -1438 6331 0.01309 -1438 6358 0.01534 -1438 6595 0.01530 -1438 7456 0.01325 -1438 8472 0.01653 -1438 9372 0.01831 -1437 2220 0.01658 -1437 2652 0.01586 -1437 3473 0.01210 -1437 4025 0.01624 -1437 5112 0.01445 -1437 5414 0.00765 -1437 6394 0.01910 -1437 6580 0.01565 -1437 7016 0.01733 -1437 7258 0.01448 -1437 7962 0.01550 -1437 8138 0.00986 -1437 8424 0.01117 -1437 8621 0.00870 -1437 9871 0.01827 -1436 2282 0.00591 -1436 2891 0.01004 -1436 2977 0.01942 -1436 3219 0.01387 -1436 3539 0.01003 -1436 3752 0.01771 -1436 3959 0.01982 -1436 5407 0.00786 -1436 6984 0.01948 -1436 7160 0.01806 -1436 7354 0.01749 -1436 9041 0.00434 -1435 2853 0.00701 -1435 3273 0.01121 -1435 4021 0.01694 -1435 5562 0.00670 -1435 5847 0.01472 -1435 5888 0.01378 -1435 6949 0.01621 -1435 7156 0.01736 -1435 7161 0.01769 -1435 8871 0.01454 -1435 9535 0.01130 -1434 3438 0.01356 -1434 5613 0.00955 -1434 5755 0.01678 -1434 6207 0.00436 -1434 6435 0.00731 -1434 7344 0.01193 -1434 8748 0.01941 -1434 8777 0.01325 -1433 1500 0.01145 -1433 2167 0.01467 -1433 4266 0.01803 -1433 4535 0.01891 -1433 4567 0.01768 -1433 4585 0.00683 -1433 4649 0.01944 -1433 5204 0.01500 -1433 5682 0.00368 -1433 5900 0.01242 -1433 6505 0.01639 -1433 7369 0.01102 -1433 7440 0.01946 -1433 7567 0.01364 -1433 7801 0.00608 -1433 7951 0.01057 -1433 9542 0.00319 -1433 9898 0.01404 -1433 9997 0.01403 -1432 1706 0.01167 -1432 3064 0.01386 -1432 4831 0.01814 -1432 5403 0.01439 -1432 6116 0.01686 -1432 6281 0.00594 -1432 6402 0.01117 -1432 6443 0.01737 -1432 9525 0.01212 -1432 9733 0.01966 -1431 2228 0.01357 -1431 2924 0.01116 -1431 3503 0.01753 -1431 4575 0.01695 -1431 4877 0.01979 -1431 7502 0.01979 -1431 8642 0.01468 -1431 9695 0.00170 -1431 9954 0.01303 -1430 1891 0.00459 -1430 2754 0.01626 -1430 3432 0.01658 -1430 3845 0.01868 -1430 3895 0.01571 -1430 5581 0.00871 -1430 6506 0.01746 -1430 7239 0.01270 -1430 7442 0.00728 -1430 7857 0.01278 -1430 7908 0.01118 -1430 8858 0.01934 -1430 8987 0.01620 -1429 1855 0.00597 -1429 2307 0.01384 -1429 2587 0.01641 -1429 3186 0.01762 -1429 3209 0.01684 -1429 3734 0.00816 -1429 3896 0.00804 -1429 4255 0.01249 -1429 7362 0.01878 -1429 7377 0.01798 -1429 8503 0.01263 -1429 9514 0.01837 -1428 2833 0.01804 -1428 3439 0.00271 -1428 3969 0.01746 -1428 4091 0.01489 -1428 4208 0.01895 -1428 5758 0.01868 -1428 6305 0.01312 -1428 6325 0.01712 -1428 6795 0.01782 -1428 7167 0.00843 -1428 7866 0.01488 -1428 9265 0.01846 -1428 9787 0.01841 -1427 2838 0.01572 -1427 3362 0.01638 -1427 5118 0.01393 -1427 7040 0.01549 -1427 7042 0.00198 -1427 7108 0.01510 -1427 7318 0.00830 -1427 7341 0.01931 -1427 7383 0.00818 -1427 8381 0.01247 -1427 9129 0.01864 -1427 9353 0.00914 -1426 2895 0.01342 -1426 2960 0.01385 -1426 3125 0.01197 -1426 5155 0.01585 -1426 5384 0.01614 -1426 6713 0.00783 -1426 6890 0.02000 -1426 7071 0.01282 -1426 7787 0.01470 -1426 8421 0.01933 -1426 8462 0.00548 -1426 9229 0.00905 -1426 9850 0.01805 -1425 1634 0.01620 -1425 1839 0.01322 -1425 2970 0.00885 -1425 3563 0.01760 -1425 4388 0.01621 -1425 4591 0.00628 -1425 5443 0.00913 -1425 6453 0.01938 -1425 7437 0.01438 -1425 8222 0.01836 -1425 8860 0.01573 -1424 4089 0.00578 -1424 5545 0.01549 -1424 7004 0.01004 -1424 7965 0.00835 -1424 8587 0.01960 -1423 2826 0.01399 -1423 3717 0.01855 -1423 4629 0.01739 -1423 4736 0.01975 -1423 5684 0.00740 -1423 5765 0.01309 -1423 7854 0.00224 -1423 8098 0.01895 -1423 8337 0.00480 -1423 9982 0.01547 -1422 2316 0.01877 -1422 4115 0.01987 -1422 5053 0.00994 -1422 7621 0.01233 -1422 7713 0.01687 -1422 8809 0.01851 -1422 8852 0.01662 -1422 9449 0.01205 -1421 2543 0.01141 -1421 3111 0.01980 -1421 3500 0.01745 -1421 5348 0.01812 -1421 5470 0.01194 -1421 5629 0.01725 -1421 6561 0.01578 -1421 6827 0.01378 -1421 7614 0.01848 -1421 7856 0.01890 -1420 2555 0.00574 -1420 3798 0.01551 -1420 3855 0.00969 -1420 4709 0.00538 -1420 6904 0.01505 -1419 1950 0.01205 -1419 2540 0.01261 -1419 2998 0.00981 -1419 3954 0.01924 -1419 4517 0.00384 -1419 4816 0.01972 -1419 4878 0.01580 -1419 4985 0.01056 -1419 5819 0.01616 -1419 5970 0.01433 -1418 2165 0.01556 -1418 3483 0.01653 -1418 3609 0.01300 -1418 6515 0.00762 -1418 6777 0.00866 -1418 7486 0.01554 -1418 7934 0.00784 -1418 9478 0.00626 -1418 9839 0.00873 -1417 1547 0.01331 -1417 1804 0.01976 -1417 2807 0.01526 -1417 5033 0.01428 -1417 5306 0.01597 -1417 8032 0.01332 -1417 8040 0.00081 -1417 8058 0.01377 -1417 8202 0.00530 -1417 8257 0.00881 -1417 9212 0.01590 -1416 1736 0.01607 -1416 3258 0.01975 -1416 3419 0.01943 -1416 6366 0.01403 -1416 6916 0.00277 -1415 1993 0.00755 -1415 3327 0.01617 -1415 3364 0.00146 -1415 3628 0.01435 -1415 4139 0.01614 -1415 4147 0.01832 -1415 4353 0.00062 -1415 6241 0.01221 -1415 6389 0.01981 -1415 7099 0.01132 -1415 8126 0.01046 -1415 9233 0.01216 -1414 2303 0.01144 -1414 3430 0.01340 -1414 3888 0.01429 -1414 3927 0.00641 -1414 5895 0.00148 -1414 7191 0.00254 -1414 8328 0.01754 -1414 9653 0.01823 -1414 9990 0.01793 -1413 1420 0.01126 -1413 2555 0.00708 -1413 2777 0.01738 -1413 2794 0.01643 -1413 4709 0.00593 -1413 6904 0.01582 -1412 1733 0.01953 -1412 1885 0.01585 -1412 2414 0.01382 -1412 3099 0.01887 -1412 3311 0.01582 -1412 3748 0.00410 -1412 4141 0.00763 -1412 6542 0.01201 -1412 8741 0.01403 -1411 2917 0.01781 -1411 3004 0.01575 -1411 3904 0.00433 -1411 4029 0.01913 -1411 6468 0.01961 -1411 6927 0.01615 -1411 7496 0.01523 -1411 7516 0.00138 -1411 8175 0.00646 -1411 8326 0.01696 -1411 8365 0.01683 -1411 8999 0.01311 -1410 2232 0.00439 -1410 5390 0.01170 -1410 5832 0.01485 -1410 6108 0.00794 -1410 6706 0.01378 -1410 7529 0.00859 -1409 1435 0.01047 -1409 2853 0.01285 -1409 4021 0.01678 -1409 5562 0.00403 -1409 5888 0.00879 -1409 7156 0.00689 -1409 7161 0.01170 -1409 7351 0.01995 -1409 8871 0.00580 -1409 9535 0.01906 -1408 3936 0.00378 -1408 4501 0.00954 -1408 4613 0.01973 -1408 5592 0.01042 -1408 5820 0.00944 -1408 8802 0.01953 -1407 2868 0.01255 -1407 3528 0.00560 -1407 4331 0.01487 -1407 5372 0.01764 -1407 5378 0.01495 -1407 5586 0.01767 -1407 5616 0.01968 -1407 6631 0.01567 -1406 1640 0.00309 -1406 2844 0.01749 -1406 2873 0.00764 -1406 2908 0.01570 -1406 6481 0.00537 -1405 1703 0.01058 -1405 3993 0.01020 -1405 4057 0.01725 -1405 5525 0.01708 -1405 6617 0.01363 -1405 8189 0.01670 -1405 8451 0.00806 -1405 8532 0.01727 -1405 8683 0.01816 -1404 1406 0.01085 -1404 1640 0.00829 -1404 2873 0.01562 -1404 2908 0.01299 -1404 6481 0.01511 -1403 1488 0.01832 -1403 2085 0.01185 -1403 3192 0.01837 -1403 6072 0.01100 -1403 6474 0.01973 -1403 7305 0.01003 -1403 8787 0.00985 -1403 8801 0.01258 -1403 9189 0.01683 -1403 9749 0.01367 -1402 1458 0.00693 -1402 2661 0.00550 -1402 3900 0.01219 -1402 5243 0.01989 -1402 6563 0.01932 -1402 7481 0.00458 -1402 8918 0.01911 -1402 8920 0.01325 -1402 9245 0.01033 -1402 9339 0.00975 -1402 9849 0.01631 -1401 1436 0.01409 -1401 1599 0.01955 -1401 2282 0.01764 -1401 2891 0.01338 -1401 3219 0.00795 -1401 3539 0.01283 -1401 3641 0.01946 -1401 5128 0.01046 -1401 5405 0.01539 -1401 5407 0.00624 -1401 5568 0.01591 -1401 5602 0.00973 -1401 6984 0.01252 -1401 7160 0.00878 -1401 7300 0.01703 -1401 9041 0.01799 -1401 9945 0.01613 -1400 2509 0.01702 -1400 2596 0.01296 -1400 3209 0.01852 -1400 3778 0.01646 -1400 4932 0.00199 -1400 5153 0.01564 -1400 6560 0.00952 -1400 7377 0.01939 -1400 8989 0.01171 -1400 9163 0.00790 -1399 1559 0.01685 -1399 3107 0.01054 -1399 3454 0.01312 -1399 3581 0.01522 -1399 3596 0.01226 -1399 3864 0.01815 -1399 6127 0.01928 -1399 8101 0.01743 -1399 8604 0.00626 -1399 8964 0.01278 -1399 9021 0.01708 -1398 2572 0.01730 -1398 4085 0.01499 -1398 4099 0.01975 -1398 7600 0.01403 -1398 7874 0.01518 -1398 8153 0.01869 -1398 8295 0.01911 -1398 9091 0.01366 -1397 2211 0.01963 -1397 3001 0.00721 -1397 3782 0.01559 -1397 3850 0.01603 -1397 4000 0.01039 -1397 4016 0.01567 -1397 4195 0.01470 -1397 4999 0.01594 -1397 5850 0.00993 -1397 8314 0.01210 -1397 9336 0.00408 -1397 9479 0.01860 -1396 1847 0.01273 -1396 2731 0.00438 -1396 4027 0.01790 -1396 5302 0.01323 -1396 5836 0.01451 -1396 5905 0.01963 -1396 5928 0.00594 -1396 6044 0.01201 -1396 7611 0.01465 -1396 8554 0.01230 -1395 2913 0.00937 -1395 3016 0.00550 -1395 3098 0.01649 -1395 3401 0.01475 -1395 3423 0.00959 -1395 4268 0.01442 -1395 5239 0.00203 -1395 5468 0.01777 -1395 6696 0.01893 -1395 6733 0.01958 -1395 7997 0.01560 -1395 8004 0.01708 -1395 8813 0.00800 -1395 8921 0.00956 -1395 9020 0.00949 -1394 2832 0.00417 -1394 2919 0.01142 -1394 3010 0.00407 -1394 4456 0.01470 -1394 4842 0.00482 -1394 6599 0.01724 -1394 6649 0.01521 -1394 6905 0.01214 -1394 7457 0.01148 -1394 7982 0.01974 -1394 8223 0.00751 -1394 8483 0.00816 -1394 9320 0.00783 -1393 2023 0.00765 -1393 2695 0.00566 -1393 3431 0.01630 -1393 3624 0.01941 -1393 4623 0.00363 -1393 4750 0.00267 -1393 5157 0.00674 -1393 6318 0.01349 -1393 7270 0.01453 -1393 9244 0.00956 -1393 9376 0.01412 -1393 9464 0.01792 -1392 1436 0.00825 -1392 2282 0.01145 -1392 2891 0.01801 -1392 2977 0.01966 -1392 3219 0.01756 -1392 3539 0.01808 -1392 3752 0.01532 -1392 3940 0.01883 -1392 3959 0.01410 -1392 5407 0.01478 -1392 8641 0.01713 -1392 9041 0.00421 -1391 3389 0.00688 -1391 3651 0.01467 -1391 4658 0.00949 -1391 5550 0.00390 -1391 5628 0.01099 -1391 7269 0.01632 -1391 7402 0.01013 -1391 8764 0.00482 -1390 4126 0.01101 -1390 4144 0.01714 -1390 4805 0.00257 -1390 4859 0.01087 -1390 5409 0.00603 -1390 6991 0.01145 -1390 7814 0.01029 -1390 8576 0.01746 -1390 9264 0.01929 -1389 2789 0.00652 -1389 3354 0.01400 -1389 6237 0.01621 -1389 7371 0.00954 -1389 7701 0.01808 -1389 8455 0.01261 -1389 8775 0.01443 -1388 1467 0.00548 -1388 1738 0.01491 -1388 1767 0.01708 -1388 3987 0.00987 -1388 5010 0.01782 -1388 6265 0.01672 -1388 8730 0.01945 -1388 8891 0.01228 -1388 9637 0.00619 -1387 1432 0.01741 -1387 3032 0.00757 -1387 4728 0.01379 -1387 5238 0.01919 -1387 5653 0.01943 -1387 6214 0.01191 -1387 6281 0.01163 -1387 6655 0.01801 -1387 7054 0.00919 -1387 8177 0.01733 -1387 9525 0.01072 -1387 9733 0.01830 -1386 1533 0.01654 -1386 1606 0.01173 -1386 2192 0.00565 -1386 2985 0.01760 -1386 3039 0.01138 -1386 3743 0.01442 -1386 4401 0.01888 -1386 8810 0.01249 -1386 9752 0.00856 -1385 1543 0.01780 -1385 1957 0.01912 -1385 2030 0.00726 -1385 2053 0.01419 -1385 2250 0.01509 -1385 2779 0.01817 -1385 3040 0.01332 -1385 3249 0.01686 -1385 3298 0.01468 -1385 3964 0.01517 -1385 4317 0.01019 -1385 4954 0.01398 -1385 5375 0.01889 -1385 6048 0.01468 -1384 1685 0.01376 -1384 2036 0.00640 -1384 2039 0.01603 -1384 3893 0.01972 -1384 4394 0.01485 -1384 4662 0.01898 -1384 7234 0.01061 -1384 8094 0.00624 -1384 8728 0.01936 -1384 8736 0.00870 -1384 9606 0.00387 -1384 9699 0.01242 -1384 9981 0.01043 -1383 1713 0.01727 -1383 1857 0.01430 -1383 3224 0.01012 -1383 4134 0.01087 -1383 4192 0.01259 -1383 5058 0.01795 -1383 6428 0.00111 -1383 6510 0.00848 -1383 8208 0.01687 -1383 9022 0.01608 -1382 1593 0.01189 -1382 2590 0.01851 -1382 3468 0.01382 -1382 4400 0.00749 -1382 6412 0.01530 -1382 6659 0.01903 -1382 7256 0.01390 -1382 8605 0.01104 -1382 8702 0.01005 -1382 8779 0.00196 -1381 2031 0.01908 -1381 2143 0.01869 -1381 6464 0.01680 -1381 6976 0.00963 -1381 7085 0.01160 -1381 7515 0.01604 -1381 7795 0.00563 -1381 7892 0.01987 -1381 8062 0.01196 -1381 8612 0.01470 -1381 9371 0.01919 -1380 1641 0.00171 -1380 2140 0.00736 -1380 2670 0.00836 -1380 4132 0.01832 -1380 4874 0.01566 -1380 5413 0.00729 -1380 6459 0.01799 -1380 7213 0.01831 -1380 8667 0.01790 -1380 8879 0.01930 -1380 9142 0.00735 -1380 9882 0.00657 -1379 2204 0.01054 -1379 2573 0.01636 -1379 2919 0.01376 -1379 4416 0.01727 -1379 4456 0.01850 -1379 4788 0.00630 -1379 6436 0.00953 -1379 6599 0.01158 -1379 6836 0.01528 -1379 7457 0.01834 -1379 7599 0.01870 -1379 7982 0.00718 -1379 8632 0.01870 -1379 8923 0.00324 -1379 9530 0.00063 -1378 1529 0.01836 -1378 5912 0.01541 -1378 6117 0.01191 -1378 6288 0.00889 -1378 7070 0.01573 -1378 7139 0.01267 -1378 7763 0.01942 -1378 7958 0.01878 -1378 8121 0.01540 -1378 9972 0.01994 -1377 1719 0.01802 -1377 1790 0.01382 -1377 2308 0.01669 -1377 2398 0.00463 -1377 2504 0.01131 -1377 5063 0.01681 -1377 6212 0.01659 -1377 7020 0.00989 -1377 8340 0.01834 -1377 9035 0.01783 -1377 9089 0.02000 -1377 9270 0.01533 -1377 9946 0.01064 -1376 2170 0.01654 -1376 3844 0.01424 -1376 4785 0.01020 -1376 6454 0.01978 -1376 6897 0.01765 -1376 7069 0.00478 -1375 2439 0.01309 -1375 2781 0.01992 -1375 3341 0.01066 -1375 4370 0.01269 -1375 4685 0.01200 -1375 5035 0.01527 -1375 6047 0.01974 -1375 6546 0.01478 -1375 7196 0.01886 -1375 7392 0.01794 -1375 8708 0.01386 -1375 9587 0.01415 -1375 9690 0.00576 -1374 2031 0.01813 -1374 2529 0.01172 -1374 2907 0.01417 -1374 2962 0.01233 -1374 4219 0.00603 -1374 4571 0.01994 -1374 5966 0.01909 -1374 6376 0.01131 -1374 8203 0.01855 -1374 9371 0.01809 -1373 1908 0.01868 -1373 8793 0.01955 -1373 9290 0.01164 -1373 9707 0.01929 -1373 9953 0.01966 -1372 1914 0.01520 -1372 1963 0.00537 -1372 2212 0.00275 -1372 2467 0.01990 -1372 4543 0.01766 -1372 5792 0.01879 -1372 6340 0.01264 -1372 7379 0.01206 -1372 7707 0.01674 -1372 8688 0.01651 -1372 9252 0.01611 -1372 9447 0.01485 -1371 2519 0.01865 -1371 4966 0.01554 -1371 6543 0.00765 -1371 7044 0.01864 -1371 7807 0.01087 -1371 7983 0.01242 -1371 8096 0.00336 -1371 8385 0.01273 -1371 8620 0.01952 -1371 8723 0.01723 -1371 9743 0.01071 -1371 9786 0.01468 -1370 1892 0.01608 -1370 4111 0.00563 -1370 4830 0.01727 -1370 5137 0.01156 -1370 5544 0.01885 -1370 8737 0.01820 -1370 8765 0.01719 -1370 8996 0.01240 -1370 9357 0.01787 -1369 2209 0.00864 -1369 2316 0.01742 -1369 2943 0.01820 -1369 3519 0.01711 -1369 5597 0.00566 -1369 6370 0.01470 -1369 7062 0.01713 -1369 7485 0.01397 -1369 8336 0.01239 -1369 8852 0.01937 -1368 2143 0.01543 -1368 3630 0.01803 -1368 5072 0.01907 -1368 6748 0.01417 -1368 7085 0.01912 -1367 5887 0.00561 -1367 6401 0.01144 -1366 3789 0.01487 -1366 5253 0.00724 -1366 5591 0.01898 -1366 6458 0.00865 -1366 6624 0.01862 -1366 6645 0.01307 -1365 1521 0.01793 -1365 2780 0.01716 -1365 4407 0.01497 -1365 5391 0.01263 -1365 6385 0.00962 -1365 7493 0.01147 -1365 8275 0.01423 -1364 1628 0.01056 -1364 2024 0.01926 -1364 2205 0.01553 -1364 3597 0.01128 -1364 5021 0.01996 -1364 5039 0.01525 -1364 7245 0.00780 -1364 7586 0.00708 -1364 7991 0.00590 -1364 8500 0.01759 -1364 8922 0.01738 -1364 9294 0.01620 -1364 9847 0.01398 -1363 1871 0.00929 -1363 3274 0.01779 -1363 5833 0.01493 -1363 6231 0.01295 -1363 6654 0.00959 -1363 6721 0.00919 -1363 6973 0.00671 -1363 7339 0.01797 -1363 7591 0.00902 -1363 7808 0.01355 -1362 2051 0.00947 -1362 2142 0.00825 -1362 3520 0.01535 -1362 3534 0.00459 -1362 3882 0.01380 -1362 4810 0.00971 -1362 5399 0.01942 -1362 5587 0.01408 -1362 5811 0.01262 -1362 7240 0.01557 -1361 2800 0.01632 -1361 3488 0.00057 -1361 3951 0.01835 -1361 4515 0.00928 -1361 5106 0.01821 -1361 7094 0.01957 -1361 7105 0.01828 -1361 9171 0.01221 -1361 9796 0.00970 -1360 2512 0.00468 -1360 2911 0.01530 -1360 4376 0.01903 -1360 4516 0.01822 -1360 5146 0.00799 -1360 5835 0.01671 -1360 5917 0.01154 -1360 6921 0.01722 -1360 8345 0.01813 -1360 8826 0.01873 -1359 2272 0.00584 -1359 2585 0.01276 -1359 3043 0.01285 -1359 4467 0.01512 -1359 4720 0.01128 -1359 5599 0.01412 -1359 6315 0.01521 -1359 8947 0.01489 -1359 9299 0.01643 -1358 2950 0.00598 -1358 3747 0.01706 -1358 3847 0.01316 -1358 5814 0.00759 -1358 9414 0.01546 -1358 9904 0.01666 -1357 3931 0.01418 -1357 5711 0.00885 -1357 6248 0.01479 -1357 6653 0.01722 -1357 7343 0.01472 -1357 7811 0.01827 -1357 8166 0.01053 -1357 8530 0.01873 -1357 9642 0.01475 -1356 2268 0.01017 -1356 3789 0.01920 -1356 3915 0.01894 -1356 4084 0.01638 -1356 4549 0.01610 -1356 4593 0.00671 -1356 5549 0.00401 -1356 6260 0.01144 -1356 6695 0.01596 -1356 7662 0.00128 -1356 8191 0.00821 -1356 9123 0.01513 -1355 1512 0.01275 -1355 2159 0.01779 -1355 2942 0.01928 -1355 4093 0.01441 -1355 4863 0.01260 -1355 5612 0.01702 -1355 6065 0.00500 -1355 6482 0.01631 -1355 7121 0.01616 -1355 9440 0.01413 -1355 9979 0.01944 -1354 1931 0.01959 -1354 2771 0.01763 -1354 3555 0.01548 -1354 3610 0.01679 -1354 3713 0.01828 -1354 4808 0.01939 -1354 6393 0.01789 -1354 6583 0.01398 -1354 8611 0.01111 -1353 2152 0.01497 -1353 2234 0.00635 -1353 2711 0.00843 -1353 3230 0.01810 -1353 3643 0.01447 -1353 4486 0.01219 -1353 4622 0.01655 -1353 5372 0.01552 -1353 5616 0.01665 -1353 5825 0.00533 -1353 6633 0.01202 -1353 8056 0.01303 -1353 8443 0.00868 -1352 1519 0.00568 -1352 2464 0.01707 -1352 4151 0.01176 -1352 5171 0.01853 -1352 5283 0.00846 -1352 6375 0.01638 -1352 7098 0.01082 -1352 8318 0.01789 -1352 9911 0.00381 -1351 1695 0.00992 -1351 1843 0.01813 -1351 2018 0.01930 -1351 2323 0.01308 -1351 2815 0.01854 -1351 3601 0.01689 -1351 4218 0.01523 -1351 4256 0.01807 -1351 5552 0.00636 -1351 6223 0.01897 -1351 6513 0.01792 -1351 6579 0.01472 -1351 6939 0.01321 -1351 7316 0.01976 -1351 7751 0.00564 -1351 8549 0.00437 -1350 1870 0.01409 -1350 3354 0.01953 -1350 4034 0.00967 -1350 4777 0.01862 -1350 5976 0.00446 -1350 6085 0.00614 -1350 6324 0.01855 -1350 7194 0.01547 -1350 7918 0.01284 -1350 8123 0.01469 -1350 8934 0.01912 -1350 9172 0.01824 -1350 9492 0.01964 -1350 9510 0.00279 -1349 2855 0.00873 -1349 4696 0.01555 -1349 5522 0.00580 -1349 5838 0.00500 -1349 6389 0.01978 -1349 6612 0.01663 -1349 6761 0.00286 -1349 7109 0.01852 -1349 7345 0.01638 -1349 7878 0.00815 -1349 8200 0.00460 -1349 8387 0.00398 -1349 9518 0.01474 -1348 2718 0.01173 -1348 3216 0.01768 -1348 3294 0.01897 -1348 4006 0.01515 -1348 5389 0.01252 -1348 6848 0.00766 -1348 6857 0.01637 -1348 7691 0.00852 -1348 8047 0.00038 -1348 8155 0.00822 -1348 9146 0.01404 -1348 9157 0.01533 -1347 1356 0.00574 -1347 2268 0.00699 -1347 3915 0.01389 -1347 4549 0.01590 -1347 4593 0.01081 -1347 5549 0.00485 -1347 6260 0.01338 -1347 6695 0.01839 -1347 7648 0.01744 -1347 7662 0.00459 -1347 8191 0.00773 -1347 9123 0.01211 -1347 9815 0.01873 -1346 1745 0.00949 -1346 1837 0.00763 -1346 1926 0.01660 -1346 2149 0.00651 -1346 2649 0.00197 -1346 3730 0.01587 -1346 4553 0.01917 -1346 5037 0.01610 -1346 5769 0.00789 -1346 6776 0.01861 -1346 6869 0.00992 -1346 7001 0.01476 -1346 7082 0.01017 -1346 7770 0.01368 -1346 8627 0.00478 -1346 9966 0.01157 -1345 1455 0.01660 -1345 1469 0.01339 -1345 2487 0.01843 -1345 4062 0.01838 -1345 4316 0.01516 -1345 4909 0.00536 -1345 5801 0.00582 -1345 8598 0.01558 -1345 9044 0.01370 -1344 3275 0.01336 -1344 3818 0.01138 -1344 4692 0.01805 -1344 5307 0.01328 -1344 6415 0.00638 -1344 7533 0.01484 -1344 8258 0.01133 -1344 8859 0.01658 -1344 9805 0.01876 -1344 9998 0.00922 -1343 1647 0.00948 -1343 2519 0.01442 -1343 4264 0.01217 -1343 4966 0.00661 -1343 5165 0.01613 -1343 5314 0.01348 -1343 5537 0.01771 -1343 6543 0.01475 -1343 7314 0.00786 -1343 7983 0.01191 -1343 8519 0.00946 -1343 8723 0.01859 -1342 1383 0.00232 -1342 1713 0.01953 -1342 1857 0.01360 -1342 3224 0.01219 -1342 3452 0.01909 -1342 4134 0.01292 -1342 4192 0.01421 -1342 4609 0.01835 -1342 5058 0.01648 -1342 6428 0.00235 -1342 6510 0.00631 -1342 8208 0.01463 -1342 9022 0.01567 -1341 1893 0.01823 -1341 3808 0.01341 -1341 4003 0.01901 -1341 5891 0.00537 -1341 6043 0.01321 -1341 6790 0.01198 -1341 7423 0.01480 -1341 8053 0.01778 -1341 9485 0.01850 -1341 9498 0.00965 -1340 3119 0.00914 -1340 3939 0.00712 -1340 4583 0.01547 -1340 4735 0.01941 -1340 9019 0.01254 -1339 1968 0.00863 -1339 2065 0.01622 -1339 2253 0.01249 -1339 3227 0.01091 -1339 3773 0.01343 -1339 3923 0.01805 -1339 6084 0.01738 -1339 6572 0.00786 -1339 7902 0.01860 -1339 7961 0.01346 -1338 1693 0.01722 -1338 3106 0.01919 -1338 3378 0.01446 -1338 3388 0.01338 -1338 4112 0.01574 -1338 4245 0.01330 -1338 4287 0.01907 -1338 4439 0.00876 -1338 6407 0.01549 -1338 6648 0.01992 -1338 8944 0.00679 -1338 9793 0.01791 -1337 2753 0.01407 -1337 4383 0.00455 -1337 4543 0.01304 -1337 5412 0.01972 -1337 6136 0.01736 -1337 7584 0.00559 -1337 7615 0.00227 -1337 7707 0.01247 -1337 7961 0.01801 -1337 9887 0.00538 -1336 2917 0.01558 -1336 3004 0.01845 -1336 5078 0.00634 -1336 6468 0.01230 -1336 6994 0.00639 -1336 7490 0.01642 -1336 7705 0.01118 -1336 9137 0.01129 -1336 9280 0.01317 -1335 1713 0.01930 -1335 3101 0.01892 -1335 3349 0.00826 -1335 3845 0.01897 -1335 4568 0.01102 -1335 5194 0.01144 -1335 5199 0.01634 -1335 5842 0.01586 -1335 6351 0.01744 -1335 6506 0.01875 -1335 7260 0.00962 -1335 7277 0.01132 -1335 7644 0.00561 -1335 8858 0.01843 -1334 3916 0.00897 -1334 4575 0.01639 -1334 6408 0.01244 -1334 6719 0.00328 -1334 8675 0.01718 -1333 2457 0.01617 -1333 3549 0.01091 -1333 4539 0.01420 -1333 4715 0.01157 -1333 5780 0.00768 -1333 5948 0.01578 -1333 6140 0.01899 -1333 9243 0.01531 -1333 9760 0.01012 -1332 1999 0.01945 -1332 2255 0.00153 -1332 2992 0.01686 -1332 3401 0.01539 -1332 4268 0.01890 -1332 6008 0.00850 -1332 6171 0.01821 -1332 6711 0.01828 -1332 6733 0.00870 -1332 7694 0.01025 -1332 9451 0.01676 -1331 2148 0.01713 -1331 3268 0.01472 -1331 5521 0.01076 -1331 5567 0.01131 -1331 7504 0.01189 -1331 7728 0.01570 -1331 8069 0.00896 -1331 8851 0.01550 -1331 8943 0.01488 -1331 9183 0.00195 -1330 3811 0.01695 -1330 3849 0.01693 -1330 3957 0.01355 -1330 5744 0.01584 -1330 6623 0.00380 -1330 7152 0.01522 -1330 7454 0.01331 -1330 7831 0.00699 -1330 7914 0.00798 -1330 9116 0.01577 -1330 9444 0.01349 -1329 1718 0.01631 -1329 2444 0.00824 -1329 2461 0.01736 -1329 5308 0.01362 -1329 5840 0.01781 -1329 6637 0.01846 -1329 6876 0.01811 -1329 6884 0.01511 -1329 9107 0.01555 -1329 9352 0.01901 -1329 9976 0.00993 -1328 1623 0.01423 -1328 2006 0.01299 -1328 2802 0.00733 -1328 2857 0.00859 -1328 3852 0.00666 -1328 4561 0.01872 -1328 5047 0.00850 -1327 1735 0.00763 -1327 2931 0.00876 -1327 3693 0.00656 -1327 5213 0.01174 -1327 7022 0.01632 -1327 7025 0.01320 -1327 7906 0.01937 -1327 8163 0.01793 -1327 8449 0.00842 -1327 8609 0.01781 -1327 9754 0.01705 -1326 3425 0.00853 -1326 4701 0.01831 -1326 5205 0.00933 -1326 5392 0.01421 -1326 5929 0.01883 -1326 6431 0.00906 -1326 7973 0.01584 -1326 8431 0.01613 -1326 8501 0.01340 -1326 9294 0.01963 -1326 9604 0.01412 -1326 9942 0.00316 -1325 1331 0.01862 -1325 3268 0.00570 -1325 4450 0.01312 -1325 5521 0.01855 -1325 6430 0.01750 -1325 7728 0.00963 -1325 7980 0.01280 -1325 8704 0.01699 -1325 9080 0.01229 -1325 9183 0.01779 -1324 1785 0.01118 -1324 3013 0.01184 -1324 3980 0.00985 -1324 4027 0.00648 -1324 6020 0.00899 -1324 6044 0.01195 -1324 6229 0.01815 -1324 6874 0.01930 -1324 7611 0.01446 -1324 8554 0.01420 -1324 9005 0.01906 -1324 9724 0.01533 -1324 9808 0.01650 -1323 1807 0.01417 -1323 2215 0.00858 -1323 3048 0.01490 -1323 3151 0.01793 -1323 3495 0.01976 -1323 3578 0.01992 -1323 4211 0.01926 -1323 4446 0.00224 -1323 5052 0.01903 -1323 6185 0.01337 -1323 6971 0.00494 -1323 8100 0.00294 -1323 8551 0.01829 -1323 9452 0.01451 -1323 9994 0.01889 -1322 1872 0.00948 -1322 2154 0.01620 -1322 2350 0.00431 -1322 4447 0.00417 -1322 4644 0.01654 -1322 5510 0.01985 -1322 5800 0.00761 -1322 6678 0.01611 -1322 6903 0.00705 -1322 7319 0.00603 -1322 7439 0.01626 -1322 7461 0.01800 -1322 8952 0.01065 -1322 9523 0.01389 -1322 9613 0.01748 -1322 9812 0.01171 -1321 1598 0.01227 -1321 4092 0.00808 -1321 4636 0.01761 -1321 5214 0.01046 -1321 5607 0.01271 -1321 7473 0.01312 -1321 7476 0.00628 -1321 8019 0.01562 -1320 1421 0.01898 -1320 2302 0.01397 -1320 3500 0.01158 -1320 4704 0.01232 -1320 5163 0.01276 -1320 5348 0.01893 -1320 7027 0.00967 -1320 7614 0.00525 -1320 9473 0.01480 -1320 9819 0.01667 -1319 1815 0.00744 -1319 1818 0.00435 -1319 2506 0.01345 -1319 4817 0.01597 -1319 5162 0.00668 -1319 5301 0.01192 -1319 5911 0.01954 -1319 7745 0.01697 -1319 8418 0.00875 -1319 8430 0.01810 -1319 9364 0.00638 -1319 9665 0.01350 -1318 1343 0.01165 -1318 1371 0.01349 -1318 1647 0.00886 -1318 1888 0.01900 -1318 2519 0.00615 -1318 4569 0.01866 -1318 4966 0.00528 -1318 5537 0.01496 -1318 5951 0.01845 -1318 6543 0.01100 -1318 7314 0.01435 -1318 7983 0.00111 -1318 8096 0.01602 -1318 8385 0.01159 -1318 8723 0.00803 -1317 1893 0.01370 -1317 1966 0.01557 -1317 1970 0.00872 -1317 2503 0.01197 -1317 3496 0.00508 -1317 4003 0.00949 -1317 4215 0.01621 -1317 4873 0.01423 -1317 6043 0.01535 -1317 7710 0.01505 -1317 9818 0.01729 -1316 1652 0.01665 -1316 3333 0.01498 -1316 3492 0.01435 -1316 5648 0.01386 -1316 6184 0.01682 -1316 6756 0.01855 -1316 9804 0.00148 -1316 9828 0.01940 -1315 1496 0.01027 -1315 1535 0.01590 -1315 2093 0.01879 -1315 4296 0.01976 -1315 4440 0.01827 -1315 5603 0.01296 -1315 6507 0.00305 -1315 6933 0.01265 -1315 7370 0.01282 -1315 8010 0.01098 -1315 9194 0.01545 -1315 9315 0.01974 -1315 9427 0.01674 -1314 1744 0.00992 -1314 3174 0.00810 -1314 4772 0.01260 -1314 5373 0.01790 -1314 6094 0.01646 -1314 6133 0.00390 -1314 6285 0.00814 -1314 6968 0.01712 -1314 7996 0.00632 -1314 9253 0.01173 -1314 9506 0.00368 -1313 1886 0.01256 -1313 2538 0.01953 -1313 3118 0.01298 -1313 3198 0.00798 -1313 3907 0.01302 -1313 4343 0.00554 -1313 4647 0.01968 -1313 5872 0.00626 -1313 6619 0.00968 -1313 7922 0.00468 -1313 9052 0.01126 -1313 9655 0.01928 -1312 2070 0.00795 -1312 3116 0.00895 -1312 3137 0.00793 -1312 5473 0.01545 -1312 5881 0.01757 -1312 6764 0.01803 -1312 7610 0.01293 -1312 8783 0.01407 -1312 9101 0.01540 -1312 9205 0.01114 -1312 9704 0.00794 -1312 9928 0.01901 -1311 1892 0.01878 -1311 2199 0.00920 -1311 4830 0.01768 -1311 5544 0.01908 -1311 6289 0.00964 -1311 8350 0.01109 -1311 8445 0.00948 -1311 8499 0.01092 -1310 3589 0.01072 -1310 3740 0.01988 -1310 4627 0.01388 -1310 5749 0.01478 -1310 6675 0.00770 -1310 8173 0.01399 -1310 9573 0.01711 -1309 1959 0.01343 -1309 2267 0.01883 -1309 3264 0.01933 -1309 3296 0.01649 -1309 3569 0.00681 -1309 5695 0.01957 -1309 6004 0.01376 -1309 6850 0.02000 -1309 7520 0.01595 -1309 7837 0.01698 -1309 8324 0.00783 -1308 2303 0.01194 -1308 3430 0.01600 -1308 4498 0.01626 -1308 4718 0.00801 -1308 4936 0.01500 -1308 5148 0.01934 -1308 7569 0.01700 -1308 9653 0.00954 -1308 9776 0.01137 -1307 1417 0.01895 -1307 1613 0.01004 -1307 2807 0.00471 -1307 3951 0.01116 -1307 5106 0.01203 -1307 6138 0.01752 -1307 7492 0.01106 -1307 8040 0.01816 -1307 9423 0.01512 -1307 9958 0.01952 -1306 3135 0.01763 -1306 3852 0.01904 -1306 4519 0.00950 -1306 4561 0.01071 -1306 4840 0.01712 -1306 5047 0.01760 -1306 5115 0.01938 -1306 5670 0.00499 -1306 7672 0.01423 -1306 7821 0.01579 -1306 9969 0.00596 -1305 1370 0.00383 -1305 1892 0.01329 -1305 4111 0.00874 -1305 4830 0.01464 -1305 5137 0.00978 -1305 5544 0.01600 -1305 8737 0.01645 -1305 8765 0.01776 -1305 8996 0.01594 -1305 9119 0.01814 -1305 9357 0.01487 -1304 2856 0.00724 -1304 2925 0.01134 -1304 3447 0.01883 -1304 3449 0.01144 -1304 3653 0.00988 -1304 4968 0.00981 -1304 5441 0.01131 -1304 6907 0.00837 -1304 7446 0.01818 -1304 7719 0.01020 -1304 7744 0.01071 -1304 7824 0.00638 -1304 8034 0.01715 -1304 8904 0.00184 -1304 9717 0.01580 -1303 2981 0.00664 -1303 3070 0.00647 -1303 3804 0.00386 -1303 3866 0.01484 -1303 4396 0.01270 -1303 4656 0.01364 -1303 5818 0.01867 -1303 6167 0.00399 -1303 6785 0.01742 -1303 7034 0.01648 -1303 8480 0.01110 -1303 9231 0.00772 -1302 1907 0.01559 -1302 2996 0.01885 -1302 3521 0.00737 -1302 4275 0.01556 -1302 4615 0.01466 -1302 4799 0.00444 -1302 5964 0.00878 -1302 6773 0.01737 -1302 7088 0.01533 -1301 1423 0.01862 -1301 1502 0.01245 -1301 2102 0.00656 -1301 6816 0.01677 -1301 7670 0.01739 -1301 7854 0.01672 -1301 8098 0.00750 -1300 1610 0.00763 -1300 1853 0.01104 -1300 1855 0.01987 -1300 2689 0.01085 -1300 2870 0.00506 -1300 2979 0.01179 -1300 3427 0.01910 -1300 3484 0.00421 -1300 3896 0.01607 -1300 7362 0.00613 -1300 8503 0.01336 -1300 8812 0.00962 -1300 8907 0.01312 -1300 9514 0.00777 -1300 9795 0.01973 -1299 3157 0.01196 -1299 3458 0.01370 -1299 3704 0.00978 -1299 3906 0.00786 -1299 4881 0.00462 -1299 4951 0.00398 -1299 5878 0.01503 -1299 6194 0.00528 -1299 6700 0.00582 -1299 6817 0.01948 -1299 7023 0.01254 -1299 7380 0.01495 -1299 8755 0.01597 -1299 9759 0.01894 -1298 3021 0.01722 -1298 4861 0.01415 -1298 8966 0.00759 -1298 9868 0.01729 -1297 1814 0.01359 -1297 2541 0.01767 -1297 3152 0.01480 -1297 4239 0.00536 -1297 6729 0.01635 -1297 7512 0.01471 -1297 9037 0.01873 -1296 2505 0.01172 -1296 3146 0.00934 -1296 3706 0.01782 -1296 3785 0.01777 -1296 4083 0.00318 -1296 4732 0.01506 -1296 4945 0.00591 -1296 4971 0.01763 -1295 2666 0.01879 -1295 3380 0.01436 -1295 3802 0.01773 -1295 3867 0.01601 -1295 5041 0.00762 -1295 5621 0.01153 -1295 6766 0.00535 -1295 6797 0.01931 -1295 8224 0.01922 -1295 9511 0.01762 -1294 1772 0.01128 -1294 1977 0.00144 -1294 2183 0.00184 -1294 2704 0.01395 -1294 3034 0.01301 -1294 3260 0.01397 -1294 4716 0.01609 -1294 4758 0.00882 -1294 4823 0.01522 -1294 5249 0.01036 -1294 5907 0.01913 -1294 6539 0.00479 -1294 6662 0.01242 -1294 7910 0.01703 -1294 8335 0.01068 -1294 8522 0.00775 -1294 9398 0.00053 -1293 2048 0.01452 -1293 2246 0.01510 -1293 3169 0.01461 -1293 4364 0.01170 -1293 4893 0.01986 -1293 4983 0.01051 -1293 6303 0.00852 -1293 6525 0.01630 -1293 7153 0.01787 -1293 7566 0.01650 -1293 8218 0.00830 -1292 1629 0.01569 -1292 2178 0.01730 -1292 2928 0.01911 -1292 2989 0.00236 -1292 4673 0.01693 -1292 4862 0.01273 -1292 5356 0.00617 -1292 7475 0.01772 -1292 7740 0.01181 -1291 1935 0.00517 -1291 1983 0.01136 -1291 2526 0.00434 -1291 2936 0.01440 -1291 3536 0.01036 -1291 7928 0.01463 -1291 8368 0.01675 -1291 9015 0.01782 -1291 9454 0.01544 -1291 9914 0.01782 -1290 3672 0.01554 -1290 3729 0.00370 -1290 7065 0.01383 -1290 8137 0.01815 -1290 8491 0.00930 -1290 9280 0.01832 -1289 1305 0.00760 -1289 1370 0.00967 -1289 1892 0.01809 -1289 4111 0.01531 -1289 4830 0.01964 -1289 5132 0.01975 -1289 5137 0.00224 -1289 5228 0.01861 -1289 6772 0.01334 -1289 8737 0.00886 -1289 8765 0.01246 -1289 9119 0.01492 -1289 9357 0.00868 -1288 1918 0.00860 -1288 2310 0.01965 -1288 2320 0.01974 -1288 2388 0.01124 -1288 4015 0.01773 -1288 5531 0.01734 -1288 6243 0.00926 -1288 6667 0.01258 -1288 8525 0.01556 -1288 8887 0.00465 -1288 9104 0.01833 -1287 1486 0.01883 -1287 1723 0.01169 -1287 1953 0.01643 -1287 2385 0.00729 -1287 3445 0.01909 -1287 7718 0.01668 -1287 9971 0.01932 -1286 2181 0.01990 -1286 2331 0.01925 -1286 2642 0.01531 -1286 4440 0.01798 -1286 5760 0.00977 -1286 6835 0.00888 -1286 7730 0.01028 -1286 7746 0.01250 -1286 9167 0.00883 -1286 9591 0.01950 -1285 1694 0.00515 -1285 1986 0.01290 -1285 2169 0.01696 -1285 2667 0.01296 -1285 3684 0.01637 -1285 4375 0.01143 -1285 6054 0.00340 -1285 7236 0.01693 -1285 7674 0.01143 -1285 8842 0.00675 -1284 3226 0.01425 -1284 3777 0.01571 -1284 4263 0.01122 -1284 4792 0.01367 -1284 5347 0.01216 -1284 5528 0.01009 -1284 6574 0.01768 -1284 6912 0.00988 -1284 7137 0.01605 -1283 1517 0.01127 -1283 2144 0.00694 -1283 4197 0.00540 -1283 5215 0.00644 -1283 5955 0.01833 -1283 6191 0.01430 -1283 6990 0.01855 -1283 7500 0.01505 -1283 8001 0.01592 -1283 8866 0.00816 -1282 3360 0.01360 -1282 4553 0.01288 -1282 4723 0.00664 -1282 4834 0.01735 -1282 4944 0.01258 -1282 5203 0.00610 -1282 6694 0.01562 -1282 7259 0.00693 -1282 7514 0.00666 -1282 8542 0.01628 -1282 8722 0.01463 -1282 8766 0.01055 -1282 9289 0.01073 -1282 9913 0.00965 -1281 1474 0.01048 -1281 2627 0.01996 -1281 4369 0.01459 -1281 5489 0.01756 -1281 5524 0.01681 -1281 5615 0.01167 -1281 5903 0.01178 -1281 8544 0.01743 -1280 1455 0.01752 -1280 2958 0.00713 -1280 3997 0.01012 -1280 5719 0.01608 -1280 5943 0.01637 -1280 6957 0.01814 -1280 7750 0.01802 -1280 7754 0.00614 -1280 7930 0.01613 -1280 9348 0.01023 -1280 9799 0.01515 -1280 9865 0.01017 -1279 2045 0.01330 -1279 2296 0.01030 -1279 2761 0.01967 -1279 2818 0.01453 -1279 3619 0.01563 -1279 3976 0.01870 -1279 4156 0.01372 -1279 6470 0.00982 -1279 8535 0.01523 -1278 2370 0.01020 -1278 2954 0.01896 -1278 3560 0.01651 -1278 5430 0.00512 -1278 5828 0.00837 -1278 6947 0.01776 -1278 9983 0.01181 -1277 1500 0.01328 -1277 2167 0.01230 -1277 2719 0.00822 -1277 3448 0.01586 -1277 4266 0.01924 -1277 4585 0.01527 -1277 4649 0.00869 -1277 5204 0.01600 -1277 5674 0.01782 -1277 5682 0.01792 -1277 6505 0.01500 -1277 7369 0.01995 -1277 7951 0.01401 -1277 9556 0.01884 -1277 9898 0.00726 -1277 9991 0.01106 -1277 9997 0.00783 -1276 1299 0.01651 -1276 3261 0.01972 -1276 3906 0.01996 -1276 4492 0.01973 -1276 5878 0.00335 -1276 6194 0.01204 -1276 6448 0.00939 -1276 6700 0.01760 -1276 6817 0.01829 -1276 7023 0.01070 -1276 9766 0.01479 -1275 2742 0.00434 -1275 3081 0.01736 -1275 3875 0.01696 -1275 4670 0.01682 -1275 6812 0.01371 -1275 8615 0.01663 -1274 1709 0.00473 -1274 5027 0.01458 -1274 6924 0.01343 -1274 7148 0.00477 -1274 7695 0.01168 -1274 8167 0.01243 -1273 2087 0.01050 -1273 3506 0.01989 -1273 4857 0.01362 -1273 7410 0.01998 -1273 7606 0.01903 -1272 1607 0.01602 -1272 1835 0.01803 -1272 2107 0.01113 -1272 4262 0.01758 -1272 5694 0.00952 -1272 6934 0.01537 -1272 7421 0.00482 -1271 1740 0.01136 -1271 1995 0.00613 -1271 2751 0.00446 -1271 3292 0.01606 -1271 3966 0.01579 -1271 4281 0.00544 -1271 4548 0.01350 -1271 4875 0.00886 -1271 4956 0.00512 -1271 5087 0.01652 -1271 5222 0.01781 -1271 6003 0.01058 -1271 6346 0.01541 -1271 6641 0.01898 -1271 7238 0.01644 -1271 7848 0.01136 -1270 2222 0.01635 -1270 2257 0.00339 -1270 3125 0.01253 -1270 5374 0.01987 -1270 5384 0.01214 -1270 5398 0.01241 -1270 5863 0.01894 -1270 6060 0.01822 -1270 6203 0.00282 -1270 6246 0.00992 -1270 7071 0.01030 -1270 7787 0.00866 -1270 9385 0.01250 -1270 9569 0.00221 -1270 9802 0.01937 -1270 9850 0.01908 -1269 1296 0.01621 -1269 1523 0.01686 -1269 1732 0.01886 -1269 2505 0.00461 -1269 3146 0.01324 -1269 3515 0.01155 -1269 3611 0.01443 -1269 3706 0.00537 -1269 3785 0.01932 -1269 4043 0.01908 -1269 4083 0.01692 -1269 4732 0.01538 -1269 4757 0.01381 -1269 4945 0.01624 -1269 4971 0.00711 -1269 5172 0.01013 -1269 8079 0.01712 -1268 1658 0.01209 -1268 2034 0.01507 -1268 2451 0.01199 -1268 3570 0.01312 -1268 4804 0.01946 -1268 5952 0.01889 -1268 7096 0.01320 -1268 8338 0.01511 -1268 8423 0.01850 -1267 1563 0.01109 -1267 1842 0.01372 -1267 2481 0.01326 -1267 3149 0.01567 -1267 3197 0.00474 -1267 3776 0.01381 -1267 4094 0.01464 -1267 4181 0.01822 -1267 4429 0.01476 -1267 4507 0.01799 -1267 5459 0.01880 -1267 5634 0.01978 -1267 6057 0.01383 -1267 6798 0.01686 -1267 7947 0.01041 -1267 8366 0.00539 -1267 8685 0.01057 -1267 9182 0.01756 -1266 1411 0.01737 -1266 1451 0.01572 -1266 2683 0.01350 -1266 3904 0.01373 -1266 6927 0.00898 -1266 7435 0.01108 -1266 7516 0.01607 -1266 7645 0.01146 -1266 8326 0.01153 -1265 3043 0.01968 -1265 4042 0.00970 -1265 4720 0.01987 -1265 5130 0.01585 -1265 6979 0.01794 -1265 7484 0.01687 -1265 8226 0.01655 -1265 8947 0.01695 -1265 9007 0.01528 -1264 1390 0.01548 -1264 3036 0.01038 -1264 4805 0.01589 -1264 5409 0.01962 -1264 6991 0.01860 -1264 8576 0.00744 -1264 9402 0.01634 -1263 1413 0.01833 -1263 1690 0.00782 -1263 2555 0.01626 -1263 2777 0.00744 -1263 3038 0.01713 -1263 4709 0.01852 -1263 7959 0.00426 -1262 1732 0.00982 -1262 1844 0.01632 -1262 2865 0.00566 -1262 3755 0.01648 -1262 4043 0.01627 -1262 4303 0.00310 -1262 4621 0.01557 -1262 5263 0.00804 -1262 6738 0.00855 -1262 8079 0.01486 -1261 3231 0.01987 -1261 3284 0.01932 -1261 3543 0.00518 -1261 5279 0.00940 -1261 6355 0.01455 -1261 7912 0.01995 -1261 8631 0.01050 -1261 9107 0.01864 -1260 4296 0.01281 -1260 5770 0.00711 -1260 6933 0.01034 -1260 8600 0.01249 -1260 9194 0.00922 -1260 9342 0.00406 -1260 9669 0.00975 -1260 9984 0.01541 -1259 1558 0.01633 -1259 3680 0.00934 -1259 3830 0.00770 -1259 4584 0.01554 -1259 5359 0.01421 -1259 5708 0.01296 -1259 5773 0.00653 -1259 7367 0.01439 -1259 8020 0.00792 -1259 8362 0.01809 -1259 9050 0.01527 -1259 9095 0.01495 -1259 9661 0.01183 -1258 1322 0.00769 -1258 1872 0.01699 -1258 2350 0.00764 -1258 4447 0.00479 -1258 4644 0.00897 -1258 5510 0.01573 -1258 5800 0.01287 -1258 6903 0.00064 -1258 7319 0.01053 -1258 7439 0.00861 -1258 8952 0.01500 -1258 9523 0.00635 -1258 9613 0.00979 -1258 9812 0.01898 -1257 2291 0.01640 -1257 2521 0.01555 -1257 5539 0.00671 -1257 5712 0.01928 -1257 6669 0.01013 -1257 6864 0.01820 -1257 7374 0.01598 -1257 8002 0.00621 -1257 8125 0.01439 -1257 8740 0.00901 -1257 9806 0.01539 -1256 1914 0.01624 -1256 2435 0.01816 -1256 2753 0.01217 -1256 3037 0.01701 -1256 4667 0.01145 -1256 4925 0.01963 -1256 5397 0.01544 -1256 7067 0.01226 -1256 7707 0.01890 -1256 8688 0.01397 -1255 1321 0.01623 -1255 1598 0.01739 -1255 2483 0.01738 -1255 3437 0.01791 -1255 4092 0.01012 -1255 4636 0.01022 -1255 5482 0.01305 -1255 7499 0.01186 -1255 8360 0.01815 -1255 8721 0.01518 -1254 3277 0.01696 -1254 3969 0.01760 -1254 4206 0.01656 -1254 4470 0.01679 -1254 6795 0.01678 -1254 7400 0.01896 -1254 8794 0.01078 -1254 8820 0.00083 -1254 9487 0.00356 -1253 2216 0.01364 -1253 3518 0.01311 -1253 5100 0.01590 -1253 6913 0.01551 -1253 7280 0.01138 -1253 7681 0.01311 -1253 8147 0.01609 -1253 8492 0.00672 -1253 8584 0.01741 -1252 2001 0.01777 -1252 3652 0.01911 -1252 4308 0.01203 -1252 4390 0.01881 -1252 6064 0.00577 -1252 6069 0.00882 -1252 6255 0.01677 -1252 6779 0.01325 -1252 7188 0.01716 -1252 7207 0.01626 -1252 7581 0.00983 -1252 7679 0.01349 -1252 8669 0.00900 -1252 9185 0.00679 -1251 1987 0.01798 -1251 3960 0.01393 -1251 5757 0.01371 -1251 7409 0.01225 -1251 7651 0.01932 -1251 9025 0.00916 -1251 9978 0.01946 -1250 1799 0.01788 -1250 4481 0.01704 -1250 4918 0.01211 -1250 5030 0.01875 -1250 6144 0.01732 -1250 6287 0.00863 -1250 6588 0.01571 -1250 6865 0.01299 -1250 7301 0.01954 -1250 7338 0.01952 -1250 7521 0.01468 -1250 7748 0.01505 -1250 7820 0.00958 -1250 7825 0.01138 -1250 8037 0.01147 -1250 9861 0.01322 -1249 2339 0.01165 -1249 3112 0.01204 -1249 4189 0.01403 -1249 5873 0.00139 -1249 6373 0.00849 -1249 7058 0.00376 -1249 7455 0.01388 -1249 7543 0.01887 -1249 9181 0.01310 -1248 1720 0.01626 -1248 1824 0.01999 -1248 2918 0.01896 -1248 3810 0.01650 -1248 4551 0.01990 -1248 4663 0.00205 -1248 7979 0.01906 -1248 8319 0.00984 -1248 9030 0.00897 -1247 1861 0.01034 -1247 2108 0.00898 -1247 2498 0.01321 -1247 2923 0.01204 -1247 3214 0.01245 -1247 4406 0.01967 -1247 6015 0.00598 -1247 6125 0.01392 -1247 6527 0.01918 -1247 7295 0.01967 -1247 8872 0.01981 -1247 9271 0.01550 -1247 9335 0.00558 -1247 9915 0.01804 -1246 2096 0.01664 -1246 4726 0.00994 -1246 4937 0.00641 -1246 5915 0.00636 -1246 6272 0.01024 -1246 9269 0.01763 -1245 1397 0.01540 -1245 3850 0.01296 -1245 4016 0.00714 -1245 4120 0.00802 -1245 4195 0.00646 -1245 4297 0.01651 -1245 5850 0.01719 -1245 8314 0.01366 -1245 8795 0.01812 -1245 9169 0.01402 -1245 9336 0.01427 -1244 1768 0.01999 -1244 2109 0.01005 -1244 3205 0.01539 -1244 4087 0.01790 -1244 4164 0.01928 -1244 4175 0.00596 -1244 4991 0.00990 -1244 6522 0.01136 -1244 7847 0.01801 -1243 3670 0.01683 -1243 3950 0.01488 -1243 5123 0.00195 -1243 7237 0.01881 -1243 7829 0.01755 -1243 8303 0.01731 -1243 8831 0.01153 -1243 9064 0.01431 -1243 9674 0.01232 -1242 1863 0.01241 -1242 2021 0.00376 -1242 2420 0.00743 -1242 3738 0.01774 -1242 4095 0.01313 -1242 4142 0.01576 -1242 5502 0.01815 -1242 5799 0.00754 -1242 6080 0.01826 -1242 7984 0.01735 -1242 8559 0.01159 -1242 8917 0.01942 -1242 9278 0.01820 -1242 9680 0.01635 -1241 2811 0.01978 -1241 3302 0.00696 -1241 3442 0.01695 -1241 4207 0.01107 -1241 4841 0.01105 -1241 5553 0.01357 -1241 5754 0.00986 -1241 6269 0.01397 -1241 6423 0.00908 -1241 7294 0.01494 -1241 8077 0.00910 -1241 8458 0.01777 -1241 9409 0.00523 -1241 9419 0.00974 -1240 1860 0.00939 -1240 1884 0.01684 -1240 3823 0.01113 -1240 3946 0.01959 -1240 5622 0.01585 -1240 6496 0.01862 -1240 6536 0.01334 -1240 8474 0.00749 -1240 8553 0.01558 -1240 8735 0.01502 -1240 9056 0.01752 -1240 9394 0.01689 -1240 9663 0.01580 -1240 9957 0.01767 -1239 2623 0.01674 -1239 2767 0.00176 -1239 3309 0.01112 -1239 3417 0.01944 -1239 3533 0.01086 -1239 3577 0.01482 -1239 4490 0.01349 -1239 4838 0.01365 -1239 5363 0.00971 -1239 5977 0.01422 -1239 7649 0.01694 -1239 8014 0.01206 -1239 8018 0.00371 -1238 1449 0.01542 -1238 1821 0.00608 -1238 3459 0.01554 -1238 6275 0.00749 -1238 7790 0.01253 -1238 9732 0.01023 -1237 1558 0.01262 -1237 3308 0.01612 -1237 4584 0.01110 -1237 5222 0.01693 -1237 5359 0.00784 -1237 7271 0.01242 -1237 8020 0.01699 -1237 8564 0.01942 -1237 9661 0.01827 -1237 9736 0.00545 -1236 1747 0.01155 -1236 1794 0.00847 -1236 3532 0.01361 -1236 3557 0.01003 -1236 3631 0.01867 -1236 5226 0.01564 -1236 5436 0.00638 -1236 5551 0.01233 -1236 6685 0.01313 -1236 7093 0.01553 -1236 7337 0.01042 -1236 7803 0.01408 -1236 9296 0.01423 -1235 2340 0.00489 -1235 3666 0.01435 -1235 3919 0.01255 -1235 4040 0.01611 -1235 4082 0.00742 -1235 4695 0.01130 -1235 7393 0.01397 -1235 8410 0.01986 -1235 8754 0.01797 -1235 8760 0.01174 -1235 9316 0.01568 -1234 1404 0.01763 -1234 1640 0.01799 -1234 2338 0.01320 -1234 2873 0.01744 -1234 8705 0.01185 -1233 2202 0.00911 -1233 4240 0.01682 -1233 5387 0.00755 -1233 6310 0.01405 -1233 7250 0.01959 -1233 7373 0.01499 -1233 8045 0.00652 -1233 8206 0.01132 -1233 8290 0.01129 -1233 8432 0.00784 -1233 8434 0.01541 -1233 8697 0.00733 -1232 2820 0.01915 -1232 3847 0.01199 -1232 4508 0.00603 -1232 6008 0.01407 -1232 6171 0.00858 -1232 6920 0.01551 -1232 7412 0.01824 -1232 9414 0.01040 -1232 9987 0.01612 -1231 4051 0.01511 -1231 4388 0.01935 -1231 5241 0.00850 -1231 5509 0.00951 -1231 6196 0.00786 -1231 7901 0.01037 -1231 8072 0.00785 -1231 9114 0.00108 -1230 1755 0.01279 -1230 5160 0.01735 -1230 8649 0.01525 -1230 8958 0.00690 -1230 9269 0.00667 -1229 1234 0.01779 -1229 1404 0.01471 -1229 8924 0.00851 -1228 1886 0.00994 -1228 2619 0.01721 -1228 2713 0.01534 -1228 3198 0.01517 -1228 3835 0.01511 -1228 4647 0.00555 -1228 5299 0.00852 -1228 7922 0.01705 -1228 8250 0.01707 -1228 8959 0.00201 -1228 8993 0.01039 -1228 9052 0.01105 -1228 9655 0.01890 -1227 1708 0.01032 -1227 1876 0.00841 -1227 2076 0.01264 -1227 3003 0.00507 -1227 5273 0.01199 -1227 6851 0.01025 -1227 7810 0.00464 -1227 9490 0.01768 -1227 9715 0.01545 -1226 1819 0.01823 -1226 3692 0.00627 -1226 3949 0.01868 -1226 4173 0.01770 -1226 5325 0.00489 -1226 5679 0.01591 -1226 7136 0.01871 -1226 7170 0.00922 -1226 7376 0.00984 -1226 7725 0.00615 -1226 7971 0.01321 -1226 9403 0.01431 -1225 1461 0.01622 -1225 2278 0.00776 -1225 3023 0.01030 -1225 3283 0.01047 -1225 3429 0.01949 -1225 4813 0.00778 -1225 5013 0.00647 -1225 6198 0.00484 -1225 7186 0.01942 -1225 8331 0.01548 -1225 8725 0.01300 -1225 8859 0.01885 -1225 9337 0.01763 -1225 9544 0.00227 -1225 9683 0.01233 -1224 1648 0.00790 -1224 2083 0.01645 -1224 2333 0.01304 -1224 3530 0.01250 -1224 3646 0.01555 -1224 5383 0.01158 -1224 5469 0.01075 -1224 5815 0.01263 -1224 6909 0.00868 -1224 6931 0.01734 -1224 7792 0.01357 -1224 8154 0.01420 -1224 8538 0.01468 -1224 9138 0.00782 -1224 9351 0.01927 -1223 2112 0.00887 -1223 2125 0.01383 -1223 2358 0.01069 -1223 2466 0.01997 -1223 3478 0.01388 -1223 3848 0.01807 -1223 4428 0.00529 -1223 5036 0.01874 -1223 5499 0.01802 -1223 5565 0.01671 -1223 5618 0.01059 -1223 6622 0.00867 -1223 6693 0.00963 -1223 6901 0.00917 -1223 8814 0.01580 -1223 8846 0.01728 -1223 9098 0.00679 -1222 1929 0.00156 -1222 2475 0.01911 -1222 5116 0.00509 -1222 5527 0.01781 -1222 5995 0.01255 -1222 6206 0.01517 -1222 6643 0.01619 -1222 6838 0.00244 -1222 7091 0.00852 -1222 7164 0.01896 -1222 8256 0.01869 -1222 9762 0.01675 -1221 2684 0.00599 -1221 2983 0.01738 -1221 2990 0.00947 -1221 4546 0.01782 -1221 6000 0.01435 -1221 6892 0.01676 -1221 8826 0.01233 -1221 9199 0.01857 -1220 2458 0.01433 -1220 4348 0.01708 -1220 5743 0.01357 -1220 6646 0.00318 -1220 6705 0.01716 -1220 7033 0.01887 -1220 7135 0.01163 -1220 7222 0.01501 -1220 7677 0.01329 -1220 7731 0.01713 -1220 8076 0.00551 -1220 8692 0.01901 -1220 9103 0.01008 -1220 9719 0.00597 -1219 2147 0.01957 -1219 2174 0.01240 -1219 2399 0.00527 -1219 3707 0.01605 -1219 4335 0.01957 -1219 4408 0.01990 -1219 5240 0.00439 -1219 5885 0.01231 -1219 7557 0.01182 -1219 7893 0.01762 -1219 8552 0.01460 -1219 8694 0.00985 -1219 8784 0.00768 -1219 8870 0.01431 -1219 9260 0.00604 -1218 1789 0.00598 -1218 1922 0.00778 -1218 2082 0.01261 -1218 2952 0.01711 -1218 7417 0.00987 -1218 7554 0.00590 -1218 8196 0.01254 -1218 8565 0.01941 -1218 8969 0.00692 -1217 1239 0.01306 -1217 2336 0.01717 -1217 2767 0.01479 -1217 3309 0.00751 -1217 4490 0.00453 -1217 5455 0.01425 -1217 5960 0.01954 -1217 5977 0.00549 -1217 7960 0.01839 -1217 8014 0.01850 -1217 8018 0.01619 -1217 8524 0.01183 -1217 9405 0.01096 -1216 2217 0.01587 -1216 2587 0.01619 -1216 3651 0.01959 -1216 3734 0.01613 -1216 4074 0.01967 -1216 4578 0.00859 -1215 1472 0.01997 -1215 1561 0.01657 -1215 2566 0.01134 -1215 4184 0.01026 -1215 4562 0.01702 -1215 5478 0.01078 -1215 6603 0.00865 -1215 8567 0.01906 -1215 9472 0.00808 -1214 1842 0.00873 -1214 2396 0.01426 -1214 2481 0.00829 -1214 3441 0.01234 -1214 3776 0.00824 -1214 4429 0.01470 -1214 5634 0.01801 -1214 5823 0.00871 -1214 6057 0.01902 -1214 7947 0.01146 -1214 7964 0.00870 -1214 8446 0.01812 -1214 9495 0.00355 -1213 2145 0.01182 -1213 3082 0.01963 -1213 6696 0.01453 -1213 7418 0.01625 -1213 8113 0.00036 -1213 8323 0.01570 -1213 8484 0.01102 -1212 1245 0.00902 -1212 1397 0.01681 -1212 3386 0.01736 -1212 3782 0.01939 -1212 4016 0.00196 -1212 4120 0.01670 -1212 4195 0.01510 -1212 4297 0.01307 -1212 5850 0.01296 -1212 9336 0.01364 -1212 9479 0.01500 -1211 2643 0.01196 -1211 3594 0.01384 -1211 4488 0.01367 -1211 4979 0.01886 -1211 6533 0.01720 -1211 7434 0.01733 -1211 7685 0.00428 -1211 9135 0.01623 -1210 2875 0.01766 -1210 4318 0.01500 -1210 4826 0.00536 -1210 5548 0.01930 -1210 6775 0.00568 -1210 6843 0.01984 -1210 7320 0.01366 -1210 7482 0.01063 -1210 7872 0.01824 -1210 8521 0.00316 -1210 8606 0.01015 -1210 8782 0.00704 -1210 9379 0.01650 -1209 1743 0.01279 -1209 1882 0.01425 -1209 1947 0.01914 -1209 1989 0.01368 -1209 2699 0.00422 -1209 3092 0.01801 -1209 4237 0.01731 -1209 6650 0.00856 -1209 7057 0.00249 -1209 7660 0.00474 -1209 9220 0.01352 -1208 5196 0.01307 -1208 6259 0.00237 -1208 6665 0.01110 -1208 7097 0.00775 -1208 8744 0.01883 -1208 8836 0.01830 -1208 8897 0.00993 -1208 8961 0.01224 -1208 9482 0.01968 -1207 4117 0.00651 -1207 4977 0.01657 -1207 5296 0.00009 -1207 6236 0.01238 -1207 6571 0.01665 -1207 6627 0.01934 -1207 6819 0.01297 -1207 6832 0.01412 -1207 6858 0.01523 -1207 7056 0.00610 -1207 7074 0.01467 -1207 8585 0.01981 -1207 9621 0.01759 -1206 1397 0.01741 -1206 3001 0.01573 -1206 4000 0.01440 -1206 4999 0.00882 -1206 5606 0.00676 -1206 8314 0.01705 -1206 9012 0.01541 -1205 2745 0.01492 -1205 2810 0.01683 -1205 4136 0.01358 -1205 6074 0.01936 -1205 6272 0.01933 -1205 6594 0.00411 -1205 7253 0.01108 -1205 7911 0.01713 -1205 9880 0.01185 -1204 2167 0.01705 -1204 2208 0.01337 -1204 2507 0.01438 -1204 2945 0.00880 -1204 5204 0.01624 -1204 5300 0.01472 -1204 6505 0.01481 -1204 8467 0.00958 -1204 9556 0.00386 -1204 9991 0.01345 -1203 1979 0.01760 -1203 1988 0.01500 -1203 2003 0.01015 -1203 2486 0.01719 -1203 4740 0.01929 -1203 5257 0.00791 -1203 5569 0.01183 -1203 6582 0.01389 -1203 6839 0.01524 -1203 6866 0.00732 -1203 7060 0.00989 -1203 7431 0.01112 -1203 7497 0.01531 -1203 7805 0.01642 -1203 8339 0.01109 -1203 9184 0.01397 -1203 9546 0.01763 -1202 2837 0.01894 -1202 4570 0.01907 -1202 6679 0.01439 -1202 6833 0.00744 -1201 2328 0.01837 -1201 2819 0.01650 -1201 3054 0.01445 -1201 4240 0.01945 -1201 5049 0.00574 -1201 5353 0.01789 -1201 6710 0.01296 -1201 7226 0.01007 -1201 7632 0.00635 -1201 8084 0.01315 -1201 9548 0.00214 -1201 9645 0.01413 -1200 1434 0.01317 -1200 3526 0.01918 -1200 6207 0.00938 -1200 6435 0.01952 -1200 7344 0.01046 -1200 8357 0.01576 -1200 8634 0.01690 -1200 8777 0.00271 -1200 9036 0.01429 -1199 1214 0.01955 -1199 5823 0.01890 -1199 9495 0.01920 -1199 9620 0.01333 -1198 1317 0.01321 -1198 3211 0.00951 -1198 3496 0.01768 -1198 4003 0.01477 -1198 4215 0.00372 -1198 4873 0.00221 -1198 5916 0.01712 -1198 7710 0.00853 -1198 8149 0.01563 -1198 8983 0.01752 -1197 1433 0.00365 -1197 1500 0.01508 -1197 2167 0.01830 -1197 4266 0.01860 -1197 4535 0.01787 -1197 4567 0.01589 -1197 4585 0.00937 -1197 5204 0.01845 -1197 5234 0.01957 -1197 5682 0.00637 -1197 5900 0.00945 -1197 6505 0.01991 -1197 7369 0.01398 -1197 7440 0.01586 -1197 7567 0.01001 -1197 7801 0.00700 -1197 7951 0.01256 -1197 9542 0.00256 -1197 9898 0.01715 -1197 9997 0.01757 -1196 2693 0.00860 -1196 3051 0.01409 -1196 3204 0.01948 -1196 3447 0.01774 -1196 5647 0.01431 -1196 5798 0.01957 -1196 6067 0.01765 -1196 6456 0.01266 -1196 6749 0.01887 -1196 7762 0.01808 -1196 8035 0.01583 -1196 8884 0.01424 -1195 1377 0.00087 -1195 1719 0.01835 -1195 1790 0.01298 -1195 2308 0.01707 -1195 2398 0.00437 -1195 2504 0.01153 -1195 2926 0.01989 -1195 5063 0.01594 -1195 6212 0.01690 -1195 7020 0.01061 -1195 8340 0.01767 -1195 9035 0.01866 -1195 9089 0.01946 -1195 9270 0.01524 -1195 9946 0.01008 -1194 1346 0.01800 -1194 1501 0.01971 -1194 1926 0.00172 -1194 2649 0.01996 -1194 4342 0.01450 -1194 4564 0.01699 -1194 5769 0.01721 -1194 7082 0.01997 -1194 8627 0.01670 -1193 1217 0.01702 -1193 1239 0.01580 -1193 1568 0.01986 -1193 2767 0.01673 -1193 3833 0.01480 -1193 5361 0.01364 -1193 5363 0.01783 -1193 5960 0.01630 -1193 5977 0.01250 -1193 7699 0.00883 -1193 8018 0.01507 -1193 8524 0.01656 -1192 1730 0.01920 -1192 1941 0.00452 -1192 2061 0.01246 -1192 2589 0.01851 -1192 2841 0.01120 -1192 4170 0.00668 -1192 5417 0.01095 -1192 6754 0.00269 -1192 7163 0.01593 -1192 7794 0.01314 -1192 8083 0.01783 -1192 8864 0.01655 -1192 9196 0.01387 -1192 9940 0.00450 -1191 2083 0.00850 -1191 2796 0.01587 -1191 5379 0.01887 -1191 5383 0.01456 -1191 5469 0.01424 -1191 5487 0.01714 -1191 5646 0.01473 -1191 5815 0.01306 -1191 6975 0.00415 -1191 8538 0.01096 -1191 9006 0.01236 -1190 1400 0.00520 -1190 2509 0.01805 -1190 2596 0.00957 -1190 3209 0.01716 -1190 3778 0.01641 -1190 4932 0.00357 -1190 5153 0.01883 -1190 6560 0.01083 -1190 7377 0.01918 -1190 8989 0.01183 -1190 9163 0.01275 -1189 1291 0.00990 -1189 1935 0.00479 -1189 1983 0.00303 -1189 2526 0.00914 -1189 3275 0.01642 -1189 3536 0.00782 -1189 7309 0.01854 -1189 7533 0.01997 -1189 7928 0.00672 -1189 8258 0.01548 -1189 8368 0.00994 -1189 8835 0.01984 -1189 9015 0.01268 -1189 9805 0.01817 -1189 9914 0.01199 -1189 9998 0.01712 -1188 3666 0.01559 -1188 3919 0.01631 -1188 4082 0.01931 -1188 4695 0.01803 -1188 4696 0.01515 -1188 5838 0.01845 -1188 6612 0.00655 -1188 6846 0.01379 -1188 7109 0.01975 -1188 8754 0.01241 -1188 9341 0.00935 -1187 2085 0.01408 -1187 2490 0.01260 -1187 2786 0.00891 -1187 2967 0.01778 -1187 3192 0.01045 -1187 3613 0.00975 -1187 4625 0.00766 -1187 5535 0.01437 -1187 6176 0.01670 -1187 6200 0.00840 -1187 6474 0.01142 -1187 7433 0.00482 -1187 8787 0.01730 -1187 9189 0.01398 -1187 9396 0.00774 -1187 9568 0.01002 -1187 9638 0.01363 -1186 2144 0.01949 -1186 5664 0.01061 -1186 5728 0.00961 -1186 5955 0.01536 -1186 6369 0.00189 -1186 6802 0.01032 -1186 7500 0.00965 -1186 7931 0.00758 -1186 7981 0.01235 -1186 8001 0.00650 -1186 8531 0.01208 -1186 8866 0.01429 -1185 4213 0.01745 -1185 6210 0.01732 -1185 6229 0.01479 -1185 7143 0.01624 -1184 3614 0.01651 -1184 4602 0.01778 -1184 4794 0.01821 -1184 7146 0.01997 -1184 7185 0.01058 -1184 7453 0.00415 -1184 7927 0.00913 -1184 8547 0.01925 -1184 8951 0.01839 -1183 1836 0.01836 -1183 1876 0.01650 -1183 3768 0.00267 -1183 4592 0.01248 -1183 6556 0.01326 -1183 9490 0.00991 -1183 9715 0.00923 -1182 1242 0.01675 -1182 1863 0.00803 -1182 2021 0.01618 -1182 2420 0.01849 -1182 3738 0.00180 -1182 5502 0.00589 -1182 6080 0.00687 -1182 8182 0.00532 -1182 8375 0.01504 -1182 8438 0.01975 -1182 9680 0.00464 -1181 1415 0.01134 -1181 1993 0.01729 -1181 3327 0.01495 -1181 3364 0.01226 -1181 3628 0.01720 -1181 4139 0.01783 -1181 4147 0.01923 -1181 4353 0.01168 -1181 6389 0.01908 -1181 7099 0.01073 -1181 8031 0.01244 -1181 8126 0.00340 -1180 1208 0.01776 -1180 1881 0.01167 -1180 3483 0.01724 -1180 4664 0.01507 -1180 5261 0.01848 -1180 6032 0.00838 -1180 6259 0.01788 -1180 8897 0.00987 -1180 8961 0.01069 -1179 1583 0.01478 -1179 1605 0.01981 -1179 1671 0.01385 -1179 2878 0.01458 -1179 3232 0.01013 -1179 4212 0.01894 -1179 6115 0.01296 -1179 7142 0.01276 -1179 7192 0.01298 -1179 7340 0.01339 -1179 8561 0.01188 -1179 8905 0.01961 -1179 9175 0.01788 -1178 3301 0.00220 -1178 4266 0.01745 -1178 4676 0.01992 -1178 5140 0.01515 -1178 5674 0.01988 -1178 7110 0.00615 -1178 7739 0.01871 -1178 8015 0.01561 -1178 8033 0.01777 -1178 8122 0.01217 -1178 9362 0.01169 -1178 9790 0.01610 -1177 1581 0.00978 -1177 3647 0.01540 -1177 3654 0.01293 -1177 3687 0.01496 -1177 4444 0.00715 -1177 4463 0.01597 -1177 5571 0.00895 -1177 5676 0.01477 -1177 6804 0.01482 -1177 6826 0.01203 -1177 8724 0.01699 -1177 8817 0.01752 -1177 9534 0.01985 -1176 1533 0.01478 -1176 1606 0.01529 -1176 2161 0.00603 -1176 3743 0.01309 -1176 4401 0.00918 -1176 4837 0.01811 -1176 5805 0.01889 -1176 6081 0.00451 -1176 9009 0.01434 -1176 9048 0.00942 -1176 9066 0.01997 -1176 9443 0.00519 -1176 9532 0.00105 -1175 1784 0.01988 -1175 1823 0.00412 -1175 3507 0.00998 -1175 4737 0.01196 -1175 6822 0.01790 -1175 9970 0.01779 -1174 1253 0.00646 -1174 2216 0.00828 -1174 3518 0.00665 -1174 6913 0.01847 -1174 7280 0.01282 -1174 7681 0.01792 -1174 8492 0.01061 -1174 8584 0.01723 -1173 2460 0.01851 -1173 2935 0.01415 -1173 3259 0.01751 -1173 4743 0.00864 -1173 7004 0.01959 -1173 7122 0.01505 -1173 7965 0.01668 -1173 8587 0.00620 -1173 9407 0.00729 -1172 1233 0.01262 -1172 1725 0.01361 -1172 2202 0.01415 -1172 2229 0.01921 -1172 3885 0.01453 -1172 5387 0.00558 -1172 6714 0.01286 -1172 7448 0.01860 -1172 8045 0.01808 -1172 8206 0.01722 -1172 8290 0.01006 -1172 8432 0.01644 -1172 8697 0.01821 -1171 1485 0.01137 -1171 1726 0.01310 -1171 1761 0.01933 -1171 3714 0.01606 -1171 3851 0.01570 -1171 4194 0.01732 -1171 5386 0.00141 -1171 5789 0.01652 -1171 5998 0.01568 -1171 6193 0.01889 -1171 6250 0.00297 -1171 6295 0.00342 -1171 6355 0.01536 -1171 6469 0.01808 -1171 7592 0.01541 -1171 7839 0.01626 -1171 9054 0.01637 -1170 1429 0.01136 -1170 1855 0.01377 -1170 2307 0.00278 -1170 2596 0.01521 -1170 3186 0.01016 -1170 3209 0.01300 -1170 3734 0.01702 -1170 3778 0.01761 -1170 3896 0.01773 -1170 4255 0.00115 -1170 7377 0.01664 -1170 8989 0.01953 -1169 1206 0.01892 -1169 1784 0.01947 -1169 4953 0.01786 -1169 5606 0.01341 -1169 9012 0.00560 -1169 9158 0.00436 -1168 1865 0.01902 -1168 1883 0.01793 -1168 1890 0.01457 -1168 2639 0.00852 -1168 2994 0.01985 -1168 4643 0.01804 -1168 6244 0.00565 -1168 6606 0.01345 -1168 7899 0.01187 -1168 9412 0.01477 -1168 9684 0.01424 -1167 2078 0.00927 -1167 2373 0.00429 -1167 2723 0.01286 -1167 3102 0.00867 -1167 3335 0.01453 -1167 3461 0.01523 -1167 3524 0.00573 -1167 3891 0.00885 -1167 4395 0.00964 -1167 4965 0.01479 -1167 5376 0.00865 -1167 5395 0.01658 -1167 5657 0.01562 -1167 6124 0.01752 -1167 6215 0.01749 -1167 8700 0.01447 -1167 9445 0.01707 -1167 9626 0.01799 -1167 9641 0.00773 -1166 2174 0.01152 -1166 2938 0.01806 -1166 4054 0.01539 -1166 4335 0.00516 -1166 5766 0.00805 -1166 6891 0.00587 -1166 7288 0.01861 -1166 9413 0.01248 -1165 2795 0.01841 -1165 4073 0.00612 -1165 4574 0.01257 -1165 5373 0.01987 -1165 5517 0.01792 -1165 6445 0.01110 -1165 6750 0.00085 -1165 8066 0.01243 -1164 2592 0.01296 -1164 3968 0.01699 -1164 4002 0.01733 -1164 8738 0.01331 -1164 8949 0.01039 -1164 9344 0.01681 -1164 9465 0.01063 -1163 1209 0.00645 -1163 1743 0.01863 -1163 1882 0.01661 -1163 1989 0.01976 -1163 2699 0.00242 -1163 4237 0.01184 -1163 5484 0.01557 -1163 6650 0.01480 -1163 7057 0.00589 -1163 7660 0.00957 -1163 9220 0.01915 -1162 1428 0.01660 -1162 3439 0.01510 -1162 3697 0.01414 -1162 3788 0.01393 -1162 3817 0.01734 -1162 4091 0.01909 -1162 5250 0.01936 -1162 6218 0.01881 -1162 6305 0.01812 -1162 6325 0.01678 -1162 7014 0.01654 -1162 8355 0.01329 -1162 8889 0.01115 -1162 9787 0.01570 -1162 9977 0.01961 -1161 1675 0.01769 -1161 2094 0.01634 -1161 2976 0.01865 -1161 4722 0.01696 -1161 6263 0.00546 -1161 6504 0.01294 -1161 7553 0.01356 -1161 8471 0.01613 -1161 8985 0.00573 -1161 9081 0.01970 -1161 9287 0.00331 -1161 9740 0.01590 -1160 1666 0.01514 -1160 2160 0.01546 -1160 2603 0.01673 -1160 3166 0.01542 -1160 3350 0.01082 -1160 3769 0.01647 -1160 9550 0.01749 -1159 1608 0.01205 -1159 1895 0.01179 -1159 2267 0.00751 -1159 3264 0.00786 -1159 4339 0.01563 -1159 4698 0.01986 -1159 5695 0.01794 -1159 5753 0.00940 -1159 5963 0.01533 -1159 6004 0.01283 -1159 6258 0.00991 -1159 6414 0.01359 -1159 6895 0.01265 -1159 7905 0.00796 -1159 9238 0.01608 -1158 1516 0.01287 -1158 2086 0.01130 -1158 2271 0.01964 -1158 2404 0.01545 -1158 2449 0.01493 -1158 3981 0.01047 -1158 7692 0.01327 -1157 1267 0.00673 -1157 1563 0.01368 -1157 1842 0.01816 -1157 2481 0.01854 -1157 3149 0.00948 -1157 3197 0.00214 -1157 3776 0.01965 -1157 4094 0.01081 -1157 4181 0.01221 -1157 4507 0.01509 -1157 5459 0.01213 -1157 6057 0.01359 -1157 6798 0.01051 -1157 7011 0.01406 -1157 7155 0.01788 -1157 7947 0.01523 -1157 8366 0.00997 -1157 8685 0.00880 -1157 9182 0.01337 -1156 1430 0.00740 -1156 1891 0.01193 -1156 2515 0.01583 -1156 2754 0.00966 -1156 3895 0.00955 -1156 5291 0.01755 -1156 5581 0.01541 -1156 6506 0.01434 -1156 6908 0.01865 -1156 7239 0.01548 -1156 7442 0.00220 -1156 7522 0.01418 -1156 7857 0.01345 -1156 7908 0.00539 -1156 8987 0.00901 -1155 2022 0.01389 -1155 2402 0.01615 -1155 2609 0.00600 -1155 2671 0.01789 -1155 2855 0.01669 -1155 3162 0.01040 -1155 3451 0.01872 -1155 4897 0.01166 -1155 7061 0.00807 -1155 7109 0.00717 -1155 7659 0.00700 -1154 5946 0.01925 -1154 8271 0.01325 -1154 8749 0.01421 -1154 9674 0.01275 -1153 1198 0.01733 -1153 3211 0.01613 -1153 4003 0.01990 -1153 4215 0.01401 -1153 4823 0.01382 -1153 4873 0.01886 -1153 5048 0.01944 -1153 5249 0.01985 -1153 5891 0.01870 -1153 5907 0.01971 -1153 5916 0.00171 -1153 6790 0.01896 -1153 7195 0.01426 -1153 8149 0.01013 -1153 8660 0.00710 -1153 9485 0.01101 -1153 9498 0.01527 -1152 1757 0.00590 -1152 1773 0.00964 -1152 2887 0.00254 -1152 3708 0.01402 -1152 4323 0.00280 -1152 5734 0.00753 -1152 6037 0.01610 -1152 8960 0.00809 -1152 9139 0.01767 -1151 2527 0.01764 -1151 4476 0.01409 -1151 5099 0.00840 -1151 5333 0.01788 -1151 5631 0.00905 -1151 5920 0.01027 -1151 6600 0.01606 -1151 9110 0.00723 -1150 1302 0.01252 -1150 2151 0.01002 -1150 3521 0.01060 -1150 4799 0.01545 -1150 5964 0.01042 -1149 2317 0.00894 -1149 3203 0.01692 -1149 3462 0.01634 -1149 3712 0.01828 -1149 5095 0.01170 -1149 6106 0.01681 -1149 7147 0.00483 -1148 1410 0.01917 -1148 2091 0.01983 -1148 3022 0.00450 -1148 3101 0.01823 -1148 5119 0.01896 -1148 5390 0.00760 -1148 5832 0.01518 -1148 6108 0.01966 -1148 6351 0.01702 -1148 7358 0.00833 -1148 7529 0.01063 -1148 7907 0.01111 -1148 9944 0.00982 -1147 1805 0.01902 -1147 2177 0.01470 -1147 2326 0.00221 -1147 2686 0.00501 -1147 3142 0.01674 -1147 3314 0.01357 -1147 3688 0.01084 -1147 4315 0.00575 -1147 4356 0.01374 -1147 4624 0.00430 -1147 4853 0.00396 -1147 5229 0.01422 -1147 5435 0.01690 -1147 6283 0.01102 -1147 8097 0.01342 -1147 9340 0.00822 -1147 9765 0.01020 -1146 1944 0.00801 -1146 2542 0.01396 -1146 3494 0.01899 -1146 4262 0.01574 -1146 5244 0.01019 -1146 5732 0.00215 -1146 6441 0.01399 -1146 6934 0.01696 -1146 7246 0.00534 -1146 8388 0.01665 -1146 8461 0.00132 -1146 9144 0.01640 -1146 9879 0.01464 -1146 9951 0.01529 -1146 9960 0.01096 -1145 1218 0.01124 -1145 1789 0.01704 -1145 1922 0.00571 -1145 2082 0.01953 -1145 2243 0.01016 -1145 7417 0.01527 -1145 7429 0.01785 -1145 7554 0.01349 -1145 8196 0.00168 -1145 8565 0.00963 -1145 8969 0.01578 -1145 9828 0.01829 -1144 1155 0.01101 -1144 2402 0.01026 -1144 2609 0.00996 -1144 2671 0.01104 -1144 2888 0.01731 -1144 3162 0.00223 -1144 3451 0.01170 -1144 5793 0.01847 -1144 6718 0.01900 -1144 7061 0.01511 -1144 7109 0.01623 -1144 7659 0.00483 -1144 8134 0.01638 -1144 8204 0.01477 -1143 3027 0.00227 -1143 3472 0.00428 -1143 4717 0.00570 -1143 4962 0.00956 -1143 7066 0.01978 -1143 7375 0.01412 -1143 7424 0.01165 -1143 7865 0.01588 -1143 8358 0.01004 -1142 1325 0.01667 -1142 1961 0.01133 -1142 4450 0.01229 -1142 6240 0.01253 -1142 6430 0.01266 -1142 7980 0.01030 -1142 8829 0.01219 -1142 9080 0.01772 -1142 9784 0.01962 -1141 2501 0.00363 -1141 4382 0.00598 -1141 4489 0.00981 -1141 4659 0.01382 -1141 5181 0.01489 -1141 6567 0.00965 -1141 6924 0.01696 -1141 8016 0.01273 -1141 8574 0.01658 -1141 8771 0.01715 -1140 1915 0.00947 -1140 2760 0.01175 -1140 2809 0.01839 -1140 3322 0.00725 -1140 4032 0.01054 -1140 4814 0.00970 -1140 4978 0.01898 -1140 5178 0.01642 -1140 5480 0.01339 -1140 6357 0.01295 -1140 6647 0.01009 -1140 7864 0.01434 -1140 8120 0.00436 -1140 9711 0.01077 -1140 9723 0.01248 -1139 3592 0.01553 -1139 5322 0.00609 -1139 6256 0.01443 -1139 8073 0.01020 -1139 8300 0.00967 -1138 1178 0.00875 -1138 3301 0.00874 -1138 3909 0.01532 -1138 6025 0.01778 -1138 7110 0.00492 -1138 7739 0.01315 -1138 8122 0.00406 -1138 8717 0.01386 -1138 9790 0.01953 -1137 2206 0.01894 -1137 2682 0.01655 -1137 4775 0.01914 -1137 5211 0.01192 -1137 5940 0.00823 -1137 8992 0.01294 -1137 9161 0.00767 -1137 9387 0.01905 -1137 9537 0.01155 -1137 9712 0.01823 -1136 1506 0.01740 -1136 2520 0.01409 -1136 3474 0.01126 -1136 4075 0.01324 -1136 4258 0.01401 -1136 5374 0.01508 -1136 6246 0.01832 -1136 6383 0.01622 -1136 7249 0.00610 -1135 1374 0.01066 -1135 2529 0.01031 -1135 2907 0.00504 -1135 2962 0.00789 -1135 4219 0.01607 -1135 4243 0.01998 -1135 4571 0.01908 -1135 5966 0.01955 -1135 6376 0.01768 -1135 8701 0.01288 -1134 2669 0.01530 -1134 3736 0.01627 -1134 4506 0.01672 -1134 5187 0.01339 -1134 5868 0.01192 -1134 6589 0.01836 -1134 6741 0.00941 -1134 6767 0.01613 -1134 6820 0.01712 -1134 7851 0.01149 -1134 8293 0.01197 -1134 9842 0.00800 -1134 9926 0.01736 -1133 3263 0.01849 -1133 3781 0.00893 -1133 3994 0.01907 -1133 4203 0.01976 -1133 4319 0.01341 -1133 4423 0.01064 -1133 5638 0.00840 -1133 6251 0.01097 -1133 6365 0.01200 -1133 6403 0.01792 -1133 8370 0.01794 -1133 8780 0.01187 -1133 9700 0.01606 -1132 3177 0.01377 -1132 3244 0.01778 -1132 4789 0.01473 -1132 6568 0.01578 -1132 8818 0.01441 -1131 1347 0.01712 -1131 1677 0.01066 -1131 1964 0.01877 -1131 2268 0.01520 -1131 2897 0.01064 -1131 3623 0.00984 -1131 3915 0.01242 -1131 4860 0.01912 -1131 4885 0.01711 -1131 5792 0.01983 -1131 6327 0.01479 -1131 7648 0.00550 -1131 8191 0.01932 -1131 9123 0.01462 -1130 1382 0.00074 -1130 1593 0.01116 -1130 2590 0.01864 -1130 3468 0.01344 -1130 4400 0.00809 -1130 6412 0.01597 -1130 6659 0.01959 -1130 7256 0.01376 -1130 8605 0.01176 -1130 8702 0.00966 -1130 8779 0.00267 -1129 1783 0.00562 -1129 3775 0.01951 -1129 8220 0.01928 -1129 8715 0.00763 -1129 8811 0.01583 -1128 3168 0.00240 -1128 3291 0.00278 -1128 5208 0.01120 -1128 5594 0.01092 -1128 6052 0.01769 -1128 6732 0.01327 -1128 7203 0.01853 -1128 8069 0.01701 -1128 8463 0.01562 -1128 8943 0.01130 -1127 1667 0.01928 -1127 3159 0.01990 -1127 3799 0.01396 -1127 4847 0.01796 -1127 5126 0.01787 -1127 7119 0.00958 -1127 7480 0.00442 -1127 7596 0.01660 -1127 9838 0.01926 -1126 1364 0.00397 -1126 1628 0.01448 -1126 2205 0.01636 -1126 3597 0.01284 -1126 5021 0.01881 -1126 5039 0.01718 -1126 7245 0.01138 -1126 7586 0.00592 -1126 7991 0.00197 -1126 8501 0.01927 -1126 8922 0.01944 -1126 9294 0.01315 -1126 9604 0.01863 -1126 9753 0.01812 -1126 9847 0.01572 -1125 1720 0.01394 -1125 1919 0.01289 -1125 2617 0.00961 -1125 3012 0.01891 -1125 4162 0.01914 -1125 4241 0.01411 -1125 5248 0.01518 -1125 6611 0.01403 -1125 7171 0.01845 -1125 8150 0.01349 -1125 9039 0.01145 -1124 2138 0.01307 -1124 2352 0.01948 -1124 2929 0.01934 -1124 4314 0.01261 -1124 4494 0.01379 -1124 6313 0.01023 -1124 6392 0.01748 -1124 8184 0.01670 -1124 9420 0.01415 -1123 2834 0.00972 -1123 2911 0.01960 -1123 3857 0.01743 -1123 4203 0.01877 -1123 5452 0.01739 -1123 6921 0.01961 -1123 8370 0.01954 -1123 8478 0.01964 -1123 8938 0.01094 -1123 8981 0.01591 -1123 9032 0.01263 -1123 9922 0.01864 -1122 2437 0.01432 -1122 2570 0.01381 -1122 2845 0.00496 -1122 3420 0.00794 -1122 4441 0.01480 -1122 4628 0.00539 -1122 5097 0.01543 -1122 5135 0.01843 -1122 5492 0.00658 -1122 6590 0.01882 -1122 7966 0.01024 -1122 8143 0.00673 -1122 8647 0.01130 -1122 9623 0.01389 -1122 9635 0.01700 -1121 1148 0.01541 -1121 1464 0.01608 -1121 2091 0.01326 -1121 3022 0.01322 -1121 3358 0.01427 -1121 3689 0.01635 -1121 4939 0.00627 -1121 4950 0.01817 -1121 5390 0.01878 -1121 6381 0.01992 -1121 8857 0.01593 -1121 9545 0.01235 -1121 9944 0.00977 -1120 1301 0.01681 -1120 1423 0.01014 -1120 2826 0.01344 -1120 3717 0.01329 -1120 4629 0.01239 -1120 4762 0.01833 -1120 5684 0.01237 -1120 5765 0.00544 -1120 7199 0.01670 -1120 7670 0.01995 -1120 7854 0.01054 -1120 8337 0.01431 -1120 9982 0.01835 -1119 3024 0.01679 -1119 3796 0.01042 -1119 4967 0.01053 -1119 5136 0.00241 -1119 5186 0.00082 -1119 5572 0.01378 -1119 6148 0.01472 -1119 8377 0.01635 -1119 9770 0.01822 -1119 9783 0.01258 -1118 2296 0.01972 -1118 2761 0.01805 -1118 3678 0.01304 -1118 3976 0.01722 -1118 5223 0.00358 -1118 8535 0.01389 -1117 1179 0.01366 -1117 1605 0.01287 -1117 2332 0.01906 -1117 3208 0.01967 -1117 3232 0.01972 -1117 6698 0.01604 -1117 7113 0.01472 -1117 7142 0.01546 -1117 7209 0.01912 -1117 7968 0.01537 -1117 8561 0.01932 -1117 9207 0.01167 -1116 1722 0.00208 -1116 4116 0.01935 -1116 4485 0.01425 -1116 6502 0.00600 -1116 6512 0.00888 -1116 6759 0.01097 -1116 6954 0.01792 -1116 9869 0.01640 -1115 1210 0.01960 -1115 2068 0.00521 -1115 2875 0.01099 -1115 3751 0.01915 -1115 3824 0.00927 -1115 3947 0.01922 -1115 4826 0.01526 -1115 6277 0.00729 -1115 6734 0.01429 -1115 6843 0.00135 -1115 7482 0.01558 -1115 8287 0.01867 -1114 1213 0.01491 -1114 1991 0.01981 -1114 2145 0.00682 -1114 2680 0.01793 -1114 3082 0.00601 -1114 3282 0.01760 -1114 4274 0.01796 -1114 4362 0.01366 -1114 5453 0.01157 -1114 6696 0.01215 -1114 7418 0.02000 -1114 8113 0.01465 -1114 8323 0.01933 -1113 1798 0.01808 -1113 3777 0.01446 -1113 4473 0.01047 -1113 4792 0.01489 -1113 5347 0.01567 -1113 6273 0.01766 -1113 6574 0.01601 -1113 6912 0.01247 -1113 6962 0.01974 -1113 7137 0.01428 -1112 1585 0.01441 -1112 1596 0.00475 -1112 1990 0.00415 -1112 2033 0.00714 -1112 2850 0.01615 -1112 3764 0.01126 -1112 3787 0.01346 -1112 3958 0.01230 -1112 4461 0.01533 -1112 4552 0.01786 -1112 5678 0.00446 -1112 5925 0.01201 -1112 6405 0.01038 -1112 8352 0.01814 -1112 9678 0.01602 -1111 1674 0.01467 -1111 2328 0.01689 -1111 3359 0.00950 -1111 3859 0.01842 -1111 4055 0.01028 -1111 4558 0.01605 -1111 5353 0.01812 -1111 6774 0.00211 -1111 7176 0.00848 -1111 8253 0.01156 -1111 8422 0.00899 -1111 8466 0.01354 -1111 9458 0.01821 -1110 1189 0.01565 -1110 1344 0.01067 -1110 1983 0.01443 -1110 3275 0.00841 -1110 3536 0.01890 -1110 3818 0.01767 -1110 6415 0.01658 -1110 7533 0.01261 -1110 7928 0.01420 -1110 8258 0.00421 -1110 8368 0.01578 -1110 9015 0.01907 -1110 9805 0.01205 -1110 9914 0.01777 -1110 9998 0.00312 -1109 1295 0.01830 -1109 3380 0.01158 -1109 3802 0.01488 -1109 3867 0.01562 -1109 5041 0.01141 -1109 5297 0.00940 -1109 5621 0.01170 -1109 5931 0.01170 -1109 6766 0.01480 -1109 6797 0.01685 -1109 8224 0.01194 -1109 8230 0.01107 -1109 8374 0.00804 -1109 8850 0.01101 -1109 9574 0.00896 -1109 9900 0.01825 -1108 1704 0.00910 -1108 1865 0.01470 -1108 1883 0.01585 -1108 2798 0.01917 -1108 4063 0.00710 -1108 4604 0.01524 -1108 5654 0.01721 -1108 5690 0.00831 -1108 6551 0.00427 -1108 8060 0.01408 -1108 8333 0.00881 -1108 9822 0.01059 -1107 1728 0.00363 -1107 2455 0.01885 -1107 4682 0.01783 -1107 4828 0.01841 -1107 7627 0.01188 -1107 8136 0.01629 -1107 8231 0.01450 -1107 8718 0.01423 -1107 9578 0.01754 -1106 1592 0.00713 -1106 2724 0.01874 -1106 3545 0.00481 -1106 5074 0.01387 -1106 5600 0.01385 -1106 5731 0.01279 -1106 7008 0.01115 -1106 7798 0.01562 -1106 9603 0.01351 -1106 9774 0.01124 -1106 9930 0.00306 -1105 1341 0.01822 -1105 1757 0.01768 -1105 4823 0.01815 -1105 5891 0.01935 -1105 6790 0.00717 -1105 7423 0.01117 -1105 8660 0.01791 -1105 8960 0.01563 -1105 9139 0.01342 -1105 9485 0.01261 -1105 9498 0.01276 -1104 1236 0.00889 -1104 1747 0.01353 -1104 1794 0.00066 -1104 3532 0.01947 -1104 3557 0.01888 -1104 4340 0.01450 -1104 5209 0.01486 -1104 5436 0.01208 -1104 5551 0.01399 -1104 6685 0.01897 -1104 7093 0.01889 -1104 7337 0.01338 -1104 7803 0.01335 -1104 9296 0.00821 -1103 1556 0.00546 -1103 3116 0.01748 -1103 3137 0.01685 -1103 3856 0.01556 -1103 4460 0.01462 -1103 7068 0.01460 -1103 7126 0.01667 -1103 7609 0.01699 -1103 7610 0.01002 -1103 8783 0.01320 -1103 8863 0.01967 -1103 8998 0.01987 -1103 9205 0.01487 -1103 9928 0.01680 -1102 1654 0.01759 -1102 2032 0.01208 -1102 2524 0.01069 -1102 3632 0.00776 -1102 3791 0.01424 -1102 3814 0.01075 -1102 4355 0.00350 -1102 5564 0.00942 -1102 5871 0.01482 -1102 6352 0.01883 -1102 6498 0.01691 -1102 6702 0.01794 -1102 7078 0.01675 -1102 8301 0.01608 -1102 9425 0.01750 -1101 2062 0.01176 -1101 3873 0.01968 -1101 4304 0.01685 -1101 5855 0.01859 -1101 6591 0.01848 -1101 7204 0.01274 -1101 8221 0.01495 -1100 1557 0.00721 -1100 2554 0.01507 -1100 3144 0.00903 -1100 3160 0.00219 -1100 4305 0.01342 -1100 4742 0.01074 -1100 5966 0.01975 -1100 7517 0.01979 -1100 7943 0.01401 -1100 8701 0.01977 -1100 8824 0.01921 -1100 9386 0.00488 -1100 9496 0.01872 -1100 9705 0.00635 -1100 9964 0.00939 -1099 1250 0.01877 -1099 1799 0.01994 -1099 4918 0.01511 -1099 6058 0.01501 -1099 6144 0.00157 -1099 6872 0.00816 -1099 7301 0.00864 -1099 7338 0.00967 -1099 7521 0.01189 -1099 8037 0.00959 -1099 8741 0.01882 -1099 8890 0.01794 -1098 1604 0.00599 -1098 1981 0.00406 -1098 4066 0.01353 -1098 4109 0.01883 -1098 5349 0.01088 -1098 5812 0.01965 -1098 6663 0.01689 -1098 7562 0.01571 -1098 8797 0.00423 -1098 8895 0.01787 -1097 1796 0.01786 -1097 2325 0.00749 -1097 2803 0.01017 -1097 3331 0.01644 -1097 3548 0.00603 -1097 3648 0.01831 -1097 4196 0.00081 -1097 4736 0.01450 -1097 4790 0.00776 -1097 5284 0.00659 -1097 6339 0.01167 -1097 6768 0.01786 -1097 7233 0.01268 -1097 7434 0.01885 -1097 9430 0.01806 -1097 9886 0.00310 -1096 3864 0.01328 -1096 3865 0.01741 -1096 8916 0.01062 -1095 1384 0.01843 -1095 1522 0.00706 -1095 1685 0.01500 -1095 3893 0.01543 -1095 6298 0.01090 -1095 6400 0.01478 -1095 8052 0.01937 -1095 8728 0.00132 -1095 8736 0.01567 -1095 9618 0.01256 -1095 9699 0.01019 -1095 9858 0.01885 -1095 9877 0.01382 -1094 1339 0.01570 -1094 1968 0.00710 -1094 2253 0.01799 -1094 2871 0.01963 -1094 2949 0.01449 -1094 3227 0.01341 -1094 3868 0.01628 -1094 4603 0.01174 -1094 5457 0.01735 -1094 7961 0.00737 -1094 8930 0.01679 -1093 2910 0.01831 -1093 3171 0.00387 -1093 4205 0.00532 -1093 6324 0.01793 -1093 6479 0.01745 -1093 6723 0.01828 -1093 6906 0.01562 -1093 7860 0.01106 -1093 8509 0.01586 -1093 9492 0.01243 -1092 1099 0.01935 -1092 1250 0.00873 -1092 1799 0.00969 -1092 4481 0.00835 -1092 4918 0.01922 -1092 6144 0.01834 -1092 6287 0.01735 -1092 6588 0.01780 -1092 6865 0.00834 -1092 7521 0.00995 -1092 7748 0.01016 -1092 7820 0.01014 -1092 7825 0.01940 -1092 8037 0.01611 -1091 1754 0.01609 -1091 2647 0.01797 -1091 2655 0.01695 -1091 2671 0.01591 -1091 2888 0.00758 -1091 3178 0.01865 -1091 3451 0.01518 -1091 4254 0.01264 -1091 4589 0.01375 -1091 4622 0.01835 -1091 5793 0.01557 -1091 6751 0.01310 -1091 7366 0.01635 -1091 8134 0.01865 -1091 8204 0.01405 -1091 8586 0.01673 -1091 8614 0.00871 -1091 9497 0.01452 -1090 2755 0.02000 -1090 3066 0.01752 -1090 4081 0.01174 -1090 4930 0.00474 -1090 5195 0.01549 -1090 7041 0.00941 -1089 1208 0.01981 -1089 1249 0.01786 -1089 3112 0.00945 -1089 5196 0.00960 -1089 5424 0.01875 -1089 5873 0.01653 -1089 6259 0.01869 -1089 6373 0.01490 -1089 6665 0.01106 -1089 7097 0.01603 -1089 7183 0.00686 -1089 7455 0.00730 -1089 9181 0.00970 -1089 9482 0.00905 -1088 1391 0.00931 -1088 3389 0.01612 -1088 4658 0.01092 -1088 5550 0.01029 -1088 5628 0.00944 -1088 7269 0.01360 -1088 7402 0.01904 -1088 8764 0.00677 -1088 9885 0.01576 -1087 1919 0.01344 -1087 3012 0.00696 -1087 3020 0.01862 -1087 4241 0.01206 -1087 4678 0.01307 -1087 5333 0.00641 -1087 5920 0.01146 -1087 9110 0.01604 -1086 1599 0.00906 -1086 1779 0.01112 -1086 1850 0.01458 -1086 2007 0.00380 -1086 3018 0.00447 -1086 3290 0.00350 -1086 3558 0.01881 -1086 4183 0.01033 -1086 5164 0.01374 -1086 5568 0.01452 -1086 6359 0.00258 -1086 7160 0.01988 -1086 7300 0.01340 -1086 8075 0.01510 -1086 9671 0.00835 -1085 3113 0.01884 -1085 3829 0.01813 -1085 3985 0.01483 -1085 4499 0.01148 -1085 5220 0.01564 -1085 5401 0.00317 -1085 6033 0.01938 -1085 8757 0.01527 -1085 9088 0.01583 -1085 9664 0.00844 -1084 1902 0.00478 -1084 2213 0.01431 -1084 2233 0.01610 -1084 2474 0.00748 -1084 3365 0.01886 -1084 4528 0.01913 -1084 4671 0.01705 -1084 4929 0.01989 -1084 6499 0.01525 -1084 6596 0.01030 -1084 8711 0.01288 -1084 8732 0.01834 -1084 9224 0.01783 -1084 9432 0.01092 -1083 2360 0.00578 -1083 5132 0.00637 -1083 5228 0.00891 -1083 5419 0.01138 -1083 6772 0.01325 -1083 8737 0.01902 -1083 8765 0.01593 -1083 9093 0.00325 -1082 1632 0.00587 -1082 1998 0.00877 -1082 2025 0.01181 -1082 2384 0.01846 -1082 2550 0.01113 -1082 2781 0.01625 -1082 4182 0.01469 -1082 5491 0.00615 -1082 5560 0.01071 -1082 5635 0.00884 -1082 7196 0.01392 -1082 9258 0.01598 -1081 1288 0.01500 -1081 2310 0.01475 -1081 2320 0.01429 -1081 2388 0.00745 -1081 5687 0.00851 -1081 6132 0.01876 -1081 7832 0.01188 -1081 8454 0.01875 -1081 8525 0.01151 -1081 8887 0.01865 -1081 9473 0.01989 -1080 2720 0.01832 -1080 2842 0.01452 -1080 3207 0.01517 -1080 3446 0.01215 -1080 4283 0.01296 -1080 4766 0.01831 -1080 4942 0.01855 -1080 5088 0.01521 -1080 5816 0.01962 -1080 6965 0.01941 -1080 8212 0.01858 -1080 8719 0.01427 -1080 8991 0.01510 -1080 9153 0.01836 -1080 9772 0.01169 -1079 1269 0.01543 -1079 1296 0.00789 -1079 2505 0.01114 -1079 3146 0.01529 -1079 3611 0.01449 -1079 3706 0.01917 -1079 4083 0.00527 -1079 4732 0.00749 -1079 4757 0.01364 -1079 4945 0.00229 -1079 4971 0.01979 -1078 1589 0.01693 -1078 2525 0.01405 -1078 3841 0.01833 -1078 4234 0.01251 -1078 4719 0.01647 -1078 4880 0.01394 -1078 5275 0.00912 -1078 5632 0.01147 -1078 5649 0.01400 -1078 8299 0.01575 -1078 8315 0.00127 -1078 8411 0.01941 -1078 8800 0.00407 -1078 9616 0.00667 -1078 9702 0.00520 -1077 2010 0.01084 -1077 3080 0.01415 -1077 3410 0.01512 -1077 4453 0.00789 -1077 4811 0.01655 -1077 7671 0.00910 -1077 8874 0.01478 -1077 9010 0.01726 -1077 9499 0.00869 -1076 1602 0.01162 -1076 2343 0.00597 -1076 3469 0.01710 -1076 4096 0.01614 -1076 5541 0.01913 -1076 6566 0.00929 -1076 6982 0.01723 -1076 8115 0.00493 -1076 8129 0.01000 -1076 9683 0.01881 -1075 3116 0.01953 -1075 4460 0.00872 -1075 5477 0.01158 -1075 5965 0.01989 -1075 6098 0.01231 -1075 7155 0.01861 -1075 8652 0.01462 -1075 8863 0.00504 -1075 9205 0.01802 -1075 9533 0.01626 -1075 9745 0.01383 -1074 2106 0.01102 -1074 2371 0.01993 -1074 2428 0.01863 -1074 6031 0.01704 -1074 6739 0.01150 -1074 6771 0.01212 -1074 7324 0.00753 -1073 1930 0.01429 -1073 2670 0.01915 -1073 3046 0.01174 -1073 3280 0.01048 -1073 4874 0.01913 -1073 5336 0.01014 -1073 6286 0.00409 -1073 6632 0.00763 -1073 7213 0.01245 -1073 8088 0.00387 -1073 8667 0.01269 -1073 8879 0.00769 -1073 9003 0.01733 -1072 4699 0.00705 -1072 5644 0.00648 -1072 6047 0.01594 -1072 6056 0.01891 -1072 6342 0.00803 -1072 6546 0.01469 -1072 6896 0.00924 -1072 7392 0.01357 -1072 8176 0.01905 -1072 8237 0.01838 -1072 8708 0.01640 -1071 1366 0.00787 -1071 5253 0.01481 -1071 5591 0.01140 -1071 6458 0.01554 -1071 6624 0.01478 -1071 6645 0.00902 -1071 8159 0.01978 -1071 8477 0.01578 -1070 2127 0.01097 -1070 5169 0.01907 -1070 5394 0.01895 -1070 6276 0.01930 -1070 6489 0.00444 -1070 6679 0.01978 -1070 6902 0.01929 -1070 7819 0.01377 -1070 8007 0.00294 -1070 9813 0.00992 -1070 9881 0.00873 -1069 1081 0.01774 -1069 1288 0.00511 -1069 1918 0.00986 -1069 2310 0.01821 -1069 2388 0.01200 -1069 4015 0.01377 -1069 5531 0.01812 -1069 6243 0.01153 -1069 6416 0.01855 -1069 6667 0.01120 -1069 8525 0.01465 -1069 8887 0.00795 -1069 8920 0.01813 -1069 9104 0.01566 -1068 1095 0.01924 -1068 1384 0.01558 -1068 1685 0.00426 -1068 2036 0.01448 -1068 2039 0.00374 -1068 3676 0.01559 -1068 4212 0.01769 -1068 6298 0.01881 -1068 7234 0.01812 -1068 7251 0.01578 -1068 8017 0.00559 -1068 8052 0.01093 -1068 8094 0.01149 -1068 8728 0.01916 -1068 8736 0.00718 -1068 9175 0.01903 -1068 9606 0.01709 -1068 9858 0.01759 -1067 3506 0.01371 -1067 3607 0.01637 -1067 3995 0.01577 -1067 5450 0.01098 -1067 7789 0.00958 -1066 1127 0.01659 -1066 1920 0.01515 -1066 2453 0.00769 -1066 3007 0.01912 -1066 5912 0.01403 -1066 6970 0.01495 -1066 7119 0.01382 -1066 7139 0.01857 -1066 7173 0.01470 -1066 7480 0.01953 -1066 7958 0.01378 -1066 8121 0.01529 -1066 9528 0.01862 -1066 9838 0.00940 -1066 9972 0.01980 -1065 1115 0.01548 -1065 1210 0.00740 -1065 2068 0.01969 -1065 2875 0.01057 -1065 4826 0.00266 -1065 5358 0.01614 -1065 6277 0.01911 -1065 6775 0.00628 -1065 6843 0.01526 -1065 7320 0.01484 -1065 7482 0.00334 -1065 8521 0.01056 -1065 8606 0.01740 -1065 8782 0.01365 -1064 1191 0.00866 -1064 1224 0.01931 -1064 2083 0.00535 -1064 5383 0.01231 -1064 5469 0.00904 -1064 5646 0.00778 -1064 5815 0.00673 -1064 6931 0.01357 -1064 6975 0.01231 -1064 8538 0.00969 -1064 9006 0.01232 -1063 2641 0.00959 -1063 3035 0.01887 -1063 4220 0.01683 -1063 4482 0.01752 -1063 5965 0.01347 -1063 6604 0.01710 -1063 7633 0.01956 -1063 8106 0.01461 -1063 9883 0.01499 -1062 1908 0.01103 -1062 2038 0.01971 -1062 2830 0.00116 -1062 3913 0.00643 -1062 4098 0.01681 -1062 5064 0.01863 -1062 5422 0.01857 -1062 9707 0.00949 -1061 1299 0.01598 -1061 2378 0.01525 -1061 2659 0.00590 -1061 3157 0.01868 -1061 3458 0.00248 -1061 3704 0.01284 -1061 3906 0.00953 -1061 4496 0.01490 -1061 4881 0.01616 -1061 4951 0.01334 -1061 5298 0.01654 -1061 5641 0.01622 -1061 8755 0.00142 -1061 9759 0.00584 -1060 1756 0.00597 -1060 2195 0.00693 -1060 3710 0.01331 -1060 3825 0.01841 -1060 4374 0.01324 -1060 4631 0.01428 -1060 5184 0.01879 -1060 6367 0.01961 -1060 9410 0.01127 -1060 9718 0.00293 -1060 9777 0.01952 -1059 1766 0.01956 -1059 1967 0.01007 -1059 2114 0.01747 -1059 3375 0.00450 -1059 3640 0.01745 -1059 4320 0.01107 -1059 5354 0.01043 -1059 6429 0.01516 -1059 7898 0.01983 -1059 9558 0.01440 -1058 1212 0.01337 -1058 1245 0.01573 -1058 3386 0.01135 -1058 3861 0.01773 -1058 4016 0.01388 -1058 4120 0.01873 -1058 4297 0.00186 -1058 8320 0.01756 -1058 8906 0.01925 -1057 1379 0.01849 -1057 1639 0.00816 -1057 2204 0.01307 -1057 2239 0.01411 -1057 2573 0.01620 -1057 5772 0.01923 -1057 6836 0.00612 -1057 8227 0.01896 -1057 9213 0.01930 -1057 9530 0.01812 -1057 9589 0.01168 -1056 4155 0.01550 -1056 4849 0.01021 -1056 5512 0.01818 -1056 5570 0.01989 -1056 7087 0.01918 -1056 7254 0.01957 -1056 8071 0.00695 -1056 8105 0.01049 -1056 9509 0.01281 -1055 1094 0.01525 -1055 1339 0.00378 -1055 1968 0.00836 -1055 2065 0.01842 -1055 2253 0.01599 -1055 3227 0.01379 -1055 3773 0.01330 -1055 6136 0.01904 -1055 6572 0.00626 -1055 7961 0.01130 -1055 9887 0.01678 -1054 2792 0.01140 -1054 8353 0.01126 -1053 2479 0.00514 -1053 2574 0.01013 -1053 3046 0.01466 -1053 3147 0.01416 -1053 4063 0.01921 -1053 4874 0.00766 -1053 6286 0.01950 -1053 7276 0.00918 -1053 7919 0.01477 -1053 8333 0.01810 -1053 8832 0.01462 -1053 8879 0.01589 -1052 2265 0.01895 -1052 2491 0.01044 -1052 3143 0.01751 -1052 4334 0.00829 -1052 4502 0.00696 -1052 4606 0.01310 -1052 6306 0.01019 -1052 6463 0.01139 -1052 6689 0.01074 -1052 6763 0.00974 -1051 1182 0.01710 -1051 2961 0.00739 -1051 3738 0.01584 -1051 5502 0.01917 -1051 6080 0.01645 -1051 6109 0.00988 -1051 7940 0.01837 -1051 8182 0.01521 -1051 8400 0.01906 -1051 9680 0.01750 -1050 1890 0.01452 -1050 2122 0.00874 -1050 2464 0.01373 -1050 3570 0.01967 -1050 4643 0.01027 -1050 6606 0.01328 -1050 6622 0.01869 -1050 6693 0.01955 -1050 6901 0.01804 -1050 9629 0.00760 -1049 2025 0.01928 -1049 2384 0.01207 -1049 5019 0.00615 -1049 5982 0.01274 -1049 6270 0.00930 -1049 6919 0.01302 -1049 7289 0.00894 -1049 8682 0.01470 -1049 9072 0.01188 -1048 1054 0.01135 -1048 1454 0.01901 -1048 2792 0.00263 -1048 4471 0.01337 -1048 6686 0.01802 -1048 6855 0.01949 -1048 8353 0.00866 -1047 2497 0.00789 -1047 3438 0.01761 -1047 3722 0.01261 -1047 5057 0.00410 -1047 5755 0.01186 -1047 6293 0.00902 -1047 8748 0.00893 -1047 8772 0.01883 -1046 2405 0.00272 -1046 2821 0.01727 -1046 5242 0.00301 -1046 6018 0.00918 -1046 6135 0.01604 -1046 6557 0.00117 -1046 7956 0.01834 -1046 8594 0.01450 -1046 9033 0.00552 -1046 9086 0.01801 -1045 1623 0.01411 -1045 3411 0.00308 -1045 5156 0.00576 -1045 6010 0.01317 -1045 6682 0.01464 -1045 7021 0.00296 -1045 8607 0.01421 -1045 8953 0.00856 -1045 9835 0.01134 -1044 1254 0.01709 -1044 3535 0.01982 -1044 3969 0.01823 -1044 4206 0.01151 -1044 4470 0.00607 -1044 5758 0.00749 -1044 6795 0.01094 -1044 7167 0.01966 -1044 8794 0.01503 -1044 8820 0.01788 -1044 9349 0.01549 -1044 9487 0.01734 -1043 3131 0.00941 -1043 3860 0.00835 -1043 4513 0.01651 -1043 5327 0.01603 -1043 5622 0.01949 -1043 5906 0.01191 -1043 9275 0.00300 -1043 9401 0.01382 -1042 2410 0.01883 -1042 4520 0.01906 -1042 4523 0.00999 -1042 4886 0.01217 -1042 6114 0.00463 -1042 6122 0.00742 -1042 6362 0.00844 -1042 6446 0.01644 -1042 7073 0.01611 -1042 7761 0.00489 -1042 9925 0.01909 -1041 2456 0.00913 -1041 3055 0.01779 -1041 5305 0.01030 -1041 6379 0.01317 -1041 7667 0.01261 -1041 8414 0.01167 -1041 8482 0.00766 -1041 8609 0.01847 -1041 9156 0.01542 -1040 2262 0.01085 -1040 2775 0.01107 -1040 3129 0.01126 -1040 4171 0.01836 -1040 4537 0.00653 -1040 4735 0.01917 -1040 6208 0.01444 -1040 7530 0.00439 -1040 7588 0.01626 -1039 2611 0.01696 -1039 2762 0.00656 -1039 3183 0.01441 -1039 3493 0.01883 -1039 3924 0.01680 -1039 4252 0.01388 -1039 4273 0.01715 -1039 4491 0.01510 -1039 4703 0.01840 -1039 5497 0.00800 -1039 6692 0.01101 -1039 7888 0.01566 -1039 8259 0.01098 -1039 8363 0.01939 -1039 8369 0.01388 -1038 1710 0.01796 -1038 1831 0.01972 -1038 3017 0.00277 -1038 3435 0.01772 -1038 3800 0.01679 -1038 5420 0.01376 -1038 6343 0.01311 -1038 7617 0.00043 -1038 7993 0.01725 -1038 8074 0.01047 -1038 8183 0.01793 -1038 8510 0.01545 -1038 8665 0.01814 -1038 9024 0.01961 -1038 9274 0.00362 -1038 9284 0.00960 -1038 9863 0.00448 -1037 1307 0.01424 -1037 1613 0.00948 -1037 2807 0.01351 -1037 3374 0.01491 -1037 3951 0.01737 -1037 4949 0.01050 -1037 5106 0.01466 -1037 6138 0.00962 -1037 9423 0.00925 -1037 9513 0.00795 -1037 9958 0.00540 -1036 2023 0.01407 -1036 2482 0.01487 -1036 2695 0.01888 -1036 2905 0.00988 -1036 3624 0.01713 -1036 4623 0.01726 -1036 4750 0.01823 -1036 5157 0.01613 -1036 5270 0.00825 -1036 5281 0.01218 -1036 6318 0.01084 -1036 7002 0.01354 -1036 7270 0.00998 -1036 7298 0.01789 -1036 8118 0.00484 -1036 8798 0.01701 -1036 8898 0.00741 -1035 4012 0.01904 -1035 5139 0.01803 -1035 5688 0.01130 -1035 6519 0.01735 -1035 6554 0.01441 -1035 7903 0.00448 -1035 9799 0.01231 -1034 1207 0.01471 -1034 3883 0.01733 -1034 4068 0.01978 -1034 4117 0.00931 -1034 4479 0.01243 -1034 4752 0.01573 -1034 4756 0.01511 -1034 4977 0.01738 -1034 5296 0.01477 -1034 6819 0.01401 -1034 6832 0.00216 -1034 6858 0.01894 -1034 7056 0.01321 -1034 8534 0.01882 -1033 1412 0.00935 -1033 1885 0.01086 -1033 2414 0.00653 -1033 3523 0.01760 -1033 3748 0.00546 -1033 4141 0.00455 -1033 5566 0.01841 -1033 5739 0.01529 -1033 6542 0.00393 -1032 2110 0.01280 -1032 4256 0.01318 -1032 4915 0.01072 -1032 5098 0.01192 -1032 5219 0.01774 -1032 5715 0.01608 -1032 5809 0.01293 -1032 6086 0.01648 -1032 6513 0.01602 -1032 6709 0.01601 -1032 6939 0.01981 -1032 7175 0.01504 -1032 7229 0.01244 -1032 7561 0.01899 -1032 9256 0.01498 -1031 1457 0.01366 -1031 1878 0.01163 -1031 2210 0.01250 -1031 3467 0.00995 -1031 5073 0.01681 -1031 7117 0.01270 -1031 7401 0.01441 -1031 7422 0.01929 -1031 8266 0.00750 -1031 9468 0.01782 -1030 1439 0.01705 -1030 1454 0.01652 -1030 1507 0.01433 -1030 2658 0.01167 -1030 2956 0.01859 -1030 3772 0.01932 -1030 4471 0.01258 -1030 4538 0.00623 -1030 6061 0.01342 -1030 6684 0.01614 -1030 6855 0.01057 -1030 7182 0.00138 -1030 9383 0.01439 -1029 2607 0.01341 -1029 3716 0.00400 -1029 5944 0.01193 -1029 7827 0.01227 -1029 8162 0.01217 -1029 8881 0.01837 -1029 9078 0.01781 -1028 1746 0.01988 -1028 2105 0.01080 -1028 3153 0.01206 -1028 3559 0.01907 -1028 4077 0.00827 -1028 6448 0.01420 -1028 7479 0.01816 -1028 9308 0.01775 -1028 9766 0.00970 -1027 1960 0.01131 -1027 3809 0.00963 -1027 4161 0.00573 -1027 4833 0.01577 -1027 5315 0.01713 -1027 7030 0.01620 -1027 8450 0.00935 -1027 9399 0.01964 -1027 9549 0.01084 -1027 9778 0.01845 -1026 2734 0.01660 -1026 3348 0.01774 -1026 3791 0.00960 -1026 3871 0.01402 -1026 3984 0.01786 -1026 5465 0.00747 -1026 6107 0.01480 -1026 7078 0.00654 -1026 8301 0.00780 -1026 8556 0.01919 -1026 8785 0.01989 -1025 2904 0.01842 -1025 2980 0.01602 -1025 3030 0.01366 -1025 3565 0.01212 -1025 4338 0.00881 -1025 5029 0.01882 -1025 5423 0.01674 -1025 6155 0.02000 -1025 6350 0.00455 -1025 6652 0.00973 -1025 7064 0.01835 -1025 7753 0.01473 -1025 8051 0.01512 -1025 9572 0.01222 -1025 9590 0.00023 -1024 1118 0.01589 -1024 2296 0.01688 -1024 2761 0.00797 -1024 2818 0.01675 -1024 3976 0.00860 -1024 4156 0.01598 -1024 4583 0.01410 -1024 5223 0.01245 -1024 5425 0.01643 -1024 6470 0.01828 -1023 1303 0.01346 -1023 2981 0.00685 -1023 3070 0.01413 -1023 3804 0.01643 -1023 3866 0.00138 -1023 4011 0.01309 -1023 4656 0.00196 -1023 5818 0.01382 -1023 6167 0.01672 -1023 7221 0.01646 -1023 8376 0.01206 -1023 8480 0.01508 -1023 8588 0.01817 -1023 9231 0.01660 -1023 9709 0.01503 -1022 1320 0.01891 -1022 1421 0.00205 -1022 2543 0.00984 -1022 3111 0.01784 -1022 3500 0.01861 -1022 5348 0.01626 -1022 5470 0.00996 -1022 5629 0.01930 -1022 6561 0.01781 -1022 6827 0.01174 -1022 7614 0.01784 -1022 7856 0.01876 -1021 2294 0.01982 -1021 2764 0.01574 -1021 2813 0.00603 -1021 4128 0.01750 -1021 4542 0.00871 -1021 4581 0.00478 -1021 4654 0.01600 -1021 5894 0.01960 -1021 8304 0.01553 -1021 9600 0.00925 -1021 9692 0.00834 -1020 1136 0.01906 -1020 1272 0.01992 -1020 2107 0.01054 -1020 2520 0.01033 -1020 3474 0.00946 -1020 4075 0.01106 -1020 5694 0.01063 -1020 6383 0.01601 -1020 7249 0.01486 -1020 7421 0.01911 -1019 1256 0.01300 -1019 1372 0.01851 -1019 1914 0.00338 -1019 2212 0.01748 -1019 2435 0.00906 -1019 2753 0.01167 -1019 3037 0.01733 -1019 7067 0.00614 -1019 7379 0.01104 -1019 7707 0.01379 -1019 8688 0.00384 -1018 1229 0.00433 -1018 1404 0.01625 -1018 2531 0.01812 -1018 7760 0.01685 -1018 8924 0.00686 -1017 1306 0.01307 -1017 1328 0.01713 -1017 2006 0.01190 -1017 2802 0.01611 -1017 3826 0.01844 -1017 3852 0.01056 -1017 4561 0.00247 -1017 4840 0.00794 -1017 5047 0.01369 -1017 5670 0.01405 -1017 7356 0.01740 -1017 7388 0.01675 -1017 9969 0.01824 -1016 1867 0.01525 -1016 2814 0.01930 -1016 3310 0.01031 -1016 3352 0.01450 -1016 6393 0.00782 -1016 6583 0.01307 -1016 8878 0.01862 -1016 9935 0.01184 -1015 1897 0.01172 -1015 1996 0.00996 -1015 2170 0.00586 -1015 2213 0.01977 -1015 2369 0.01740 -1015 3256 0.01947 -1015 4288 0.01875 -1015 5693 0.01061 -1015 7069 0.01737 -1015 9115 0.00797 -1015 9224 0.01826 -1014 1810 0.01333 -1014 2621 0.01803 -1014 4350 0.01271 -1014 6307 0.00675 -1014 6708 0.01242 -1014 6863 0.01826 -1014 7526 0.01395 -1014 7916 0.01070 -1014 8745 0.01268 -1014 9159 0.01439 -1014 9978 0.01607 -1013 1583 0.01657 -1013 1669 0.00672 -1013 1671 0.01243 -1013 2878 0.01831 -1013 3593 0.01032 -1013 4079 0.01544 -1013 5011 0.01736 -1013 6115 0.01632 -1013 6681 0.00533 -1013 8905 0.01388 -1013 9515 0.01454 -1012 3097 0.01761 -1012 4024 0.01527 -1012 6057 0.01772 -1012 8384 0.00297 -1012 8446 0.01024 -1012 9555 0.00106 -1011 1660 0.01549 -1011 2351 0.00848 -1011 3812 0.01878 -1011 4233 0.01930 -1011 4815 0.00874 -1011 4901 0.01191 -1011 7503 0.01888 -1011 8265 0.00890 -1011 9773 0.01983 -1010 1141 0.01327 -1010 1274 0.01552 -1010 1709 0.01829 -1010 2501 0.01183 -1010 3673 0.01738 -1010 4382 0.01850 -1010 4659 0.01208 -1010 5027 0.01438 -1010 6567 0.01567 -1010 6924 0.01296 -1010 7148 0.01148 -1010 8407 0.01692 -1010 8574 0.01043 -1009 1388 0.01272 -1009 1467 0.01006 -1009 1713 0.01079 -1009 1767 0.00532 -1009 3349 0.01946 -1009 4568 0.01890 -1009 5010 0.01420 -1009 5119 0.01839 -1009 5842 0.01587 -1009 8730 0.01463 -1009 9637 0.01784 -1008 1226 0.00983 -1008 1819 0.01151 -1008 3325 0.01940 -1008 3692 0.01091 -1008 3949 0.01439 -1008 4497 0.01950 -1008 5325 0.01390 -1008 5679 0.01247 -1008 6062 0.01959 -1008 7170 0.01895 -1008 7376 0.00333 -1008 7725 0.00675 -1008 7971 0.01592 -1008 8181 0.01238 -1008 9403 0.01774 -1007 1938 0.00335 -1007 2667 0.01548 -1007 3370 0.01116 -1007 3684 0.01237 -1007 3800 0.01032 -1007 3874 0.01710 -1007 8510 0.01149 -1007 9079 0.00724 -1007 9791 0.01438 -1007 9797 0.00826 -1006 2366 0.01112 -1006 3073 0.01554 -1006 3755 0.01926 -1006 5698 0.01406 -1006 5701 0.00201 -1006 6103 0.01983 -1006 6345 0.00206 -1006 7656 0.01807 -1005 1582 0.01287 -1005 1659 0.01031 -1005 3894 0.00572 -1005 4336 0.01804 -1005 4504 0.01648 -1005 4911 0.01893 -1005 5086 0.01486 -1005 7201 0.01891 -1005 7472 0.01453 -1005 8619 0.00872 -1005 8785 0.01921 -1005 9361 0.01399 -1005 9400 0.01736 -1005 9512 0.01587 -1004 1133 0.01260 -1004 3263 0.01492 -1004 3781 0.00369 -1004 3994 0.00745 -1004 4203 0.01208 -1004 4319 0.00561 -1004 4423 0.00393 -1004 5656 0.01080 -1004 6251 0.00843 -1004 6403 0.01564 -1004 8370 0.01341 -1004 9700 0.01968 -1004 9922 0.01258 -1003 1212 0.01060 -1003 1245 0.00973 -1003 1397 0.00639 -1003 2211 0.01950 -1003 3001 0.01308 -1003 3782 0.01624 -1003 3850 0.01509 -1003 4000 0.01646 -1003 4016 0.00932 -1003 4120 0.01637 -1003 4195 0.01124 -1003 5850 0.00884 -1003 8314 0.01261 -1003 9336 0.00455 -1003 9479 0.01643 -1002 1114 0.00396 -1002 1213 0.01776 -1002 2145 0.01078 -1002 2680 0.01630 -1002 2913 0.01930 -1002 3082 0.00208 -1002 3423 0.01875 -1002 4274 0.01440 -1002 4362 0.00981 -1002 5453 0.01383 -1002 5612 0.01900 -1002 6696 0.01120 -1002 8113 0.01755 -1001 5171 0.00686 -1001 5283 0.01357 -1001 6588 0.00640 -1001 6865 0.01849 -1001 7098 0.01603 -1001 7693 0.01656 -1001 7748 0.01858 -1001 7820 0.01401 -1001 7825 0.01624 -1001 8318 0.01543 -1001 9861 0.01244 -1000 2211 0.00883 -1000 2459 0.01011 -1000 2510 0.01710 -1000 3782 0.01296 -1000 4914 0.00520 -1000 5009 0.01096 -1000 5458 0.01545 -1000 5850 0.01744 -1000 6049 0.01021 -1000 7039 0.00300 -1000 9334 0.01959 -1000 9479 0.00918 -999 1303 0.01798 -999 3804 0.01453 -999 4396 0.00576 -999 5282 0.01162 -999 5818 0.01935 -999 6167 0.01461 -999 6799 0.01739 -999 7201 0.01705 -999 8009 0.01297 -999 8948 0.01047 -999 9361 0.01847 -999 9767 0.01727 -998 1954 0.00426 -998 2004 0.00257 -998 3336 0.01260 -998 4913 0.01626 -998 5177 0.01563 -998 5206 0.01993 -998 6332 0.01712 -998 6621 0.00264 -998 6644 0.00400 -998 7080 0.01339 -998 7546 0.01450 -998 8201 0.01353 -998 8473 0.01228 -998 9251 0.01562 -997 1663 0.01369 -997 1911 0.00711 -997 2356 0.01206 -997 3176 0.00566 -997 4119 0.01152 -997 4707 0.01836 -997 4921 0.00792 -997 5709 0.01628 -997 5742 0.01791 -997 9225 0.01310 -997 9563 0.01420 -997 9907 0.01362 -996 1307 0.01587 -996 1417 0.01068 -996 1547 0.01084 -996 1804 0.01575 -996 2807 0.01476 -996 5306 0.01759 -996 7492 0.01840 -996 8040 0.01012 -996 8202 0.01306 -996 8257 0.01835 -995 1048 0.00653 -995 1054 0.01307 -995 1454 0.01272 -995 2792 0.00914 -995 4471 0.01243 -995 4538 0.01815 -995 5585 0.01513 -995 6684 0.01909 -995 6855 0.01911 -995 8353 0.01488 -995 9383 0.01822 -994 1472 0.01435 -994 2005 0.01412 -994 2489 0.00209 -994 2828 0.01101 -994 5169 0.01337 -994 5394 0.01240 -994 5983 0.01895 -994 6276 0.01828 -994 7998 0.00484 -994 8816 0.01102 -993 1285 0.00949 -993 1694 0.00486 -993 1986 0.01784 -993 4375 0.01131 -993 6054 0.00856 -993 6810 0.01667 -993 7236 0.00953 -993 7674 0.01928 -993 8842 0.00926 -992 1336 0.01760 -992 1411 0.01995 -992 2917 0.00498 -992 3004 0.01626 -992 3672 0.01991 -992 3729 0.01715 -992 5078 0.01152 -992 6468 0.01016 -992 6994 0.01749 -992 7065 0.01500 -992 7496 0.01095 -992 8175 0.01757 -992 9280 0.01562 -991 1292 0.01056 -991 1629 0.01569 -991 2989 0.00848 -991 4293 0.01644 -991 4295 0.01975 -991 4673 0.01398 -991 5356 0.00666 -991 7740 0.01329 -990 1109 0.01650 -990 1295 0.00360 -990 3380 0.01094 -990 3802 0.01891 -990 3867 0.01750 -990 5041 0.00513 -990 5621 0.01228 -990 6766 0.00682 -990 8224 0.01583 -990 9511 0.01711 -989 2057 0.01781 -989 2218 0.01813 -989 2749 0.01454 -989 3642 0.01628 -989 3828 0.00958 -989 4045 0.01976 -989 4302 0.01207 -989 4381 0.01368 -989 4807 0.00581 -989 8344 0.01117 -988 1037 0.01649 -988 1613 0.01625 -988 2869 0.00984 -988 3374 0.01898 -988 3510 0.01096 -988 4515 0.01386 -988 4949 0.01531 -988 5106 0.01734 -988 6141 0.01718 -988 7094 0.00506 -988 7604 0.01006 -988 9423 0.01107 -988 9513 0.01469 -988 9941 0.00539 -988 9958 0.01360 -987 2314 0.01881 -987 2756 0.01248 -987 2867 0.00570 -987 3140 0.01680 -987 4730 0.00853 -987 5784 0.01392 -987 5902 0.01590 -987 5971 0.00549 -987 6834 0.00912 -987 7385 0.01466 -987 8295 0.01742 -987 9681 0.00507 -986 1402 0.01642 -986 2661 0.01585 -986 3843 0.01596 -986 3900 0.01205 -986 5044 0.01710 -986 5243 0.01948 -986 5431 0.01194 -986 6125 0.01707 -986 7510 0.00946 -986 8674 0.01703 -986 9245 0.01463 -986 9846 0.01500 -986 9849 0.00556 -986 9915 0.01990 -985 1868 0.01761 -985 3315 0.01457 -985 4188 0.01186 -985 4952 0.01531 -985 5004 0.01528 -985 6316 0.01129 -985 8822 0.01386 -985 9155 0.01715 -984 2839 0.01026 -984 3170 0.01126 -984 3658 0.01892 -984 4223 0.00479 -984 4454 0.01248 -984 4836 0.01795 -984 6490 0.01972 -984 6778 0.01158 -984 7205 0.01986 -984 8578 0.00795 -984 8776 0.01021 -983 1258 0.01687 -983 1322 0.01061 -983 1872 0.00527 -983 2154 0.00970 -983 2350 0.00930 -983 4447 0.01470 -983 5486 0.01394 -983 5800 0.00425 -983 6903 0.01629 -983 7319 0.01501 -983 7461 0.00742 -983 8952 0.01818 -983 9812 0.00437 -982 1041 0.01161 -982 2456 0.01502 -982 7025 0.01751 -982 7474 0.01882 -982 7667 0.00115 -982 7906 0.01724 -982 8414 0.01998 -982 8482 0.01252 -982 8609 0.00798 -982 9156 0.00555 -981 3062 0.00974 -981 3948 0.00897 -981 4351 0.00843 -981 4973 0.00051 -981 6127 0.01300 -981 8082 0.00225 -980 1681 0.00420 -980 2747 0.00105 -980 3780 0.00452 -980 4011 0.01754 -980 4378 0.01660 -980 5691 0.01371 -980 6317 0.01062 -980 6724 0.01901 -980 7221 0.01808 -980 7809 0.01170 -980 7861 0.00195 -980 8248 0.01929 -980 9909 0.00992 -979 1064 0.01387 -979 1191 0.01208 -979 1224 0.01753 -979 2083 0.00866 -979 3479 0.01660 -979 5379 0.01154 -979 5383 0.00617 -979 5469 0.01022 -979 5815 0.01153 -979 6975 0.01518 -979 7792 0.01749 -979 8538 0.00498 -978 1016 0.01686 -978 1867 0.00833 -978 3051 0.01596 -978 3204 0.01413 -978 3310 0.00900 -978 3352 0.00262 -978 5798 0.01232 -978 6393 0.01737 -978 7774 0.00701 -977 1793 0.01806 -977 2315 0.01348 -977 2963 0.00953 -977 3266 0.01438 -977 3801 0.01746 -977 4626 0.01420 -977 4677 0.00103 -977 4691 0.01783 -977 5087 0.01997 -977 5154 0.01187 -977 6726 0.00901 -977 6930 0.00985 -977 9164 0.01863 -977 9488 0.00729 -977 9899 0.01628 -976 3564 0.01072 -976 4600 0.00772 -976 5604 0.01866 -976 8662 0.01413 -976 9071 0.00253 -976 9143 0.01992 -976 9480 0.01622 -975 1076 0.01622 -975 3516 0.01755 -975 5148 0.01697 -975 5245 0.00987 -975 6982 0.01956 -975 7003 0.01832 -975 7734 0.01828 -975 8115 0.01463 -974 2251 0.01779 -974 2561 0.00929 -974 2920 0.01647 -974 4670 0.01578 -974 5866 0.01663 -974 6812 0.01115 -974 7952 0.00710 -974 8615 0.01800 -974 8972 0.01096 -973 1407 0.00452 -973 2868 0.01157 -973 3528 0.00350 -973 4331 0.01921 -973 5378 0.01918 -973 6631 0.01590 -972 2121 0.01942 -972 4022 0.00664 -972 4557 0.01507 -972 4763 0.01829 -972 6093 0.01276 -972 6701 0.00918 -972 7029 0.01538 -972 7335 0.01549 -972 8644 0.01659 -971 1333 0.01839 -971 2457 0.00444 -971 3550 0.00944 -971 3874 0.01164 -971 4539 0.00655 -971 4715 0.00817 -971 5341 0.00954 -971 5479 0.01456 -971 5780 0.01071 -971 5948 0.01145 -971 6140 0.01025 -971 6639 0.01336 -971 7332 0.00580 -971 8560 0.00800 -971 9243 0.00534 -971 9760 0.00927 -970 1298 0.01592 -970 3021 0.00959 -970 3944 0.00584 -970 7925 0.00847 -970 8372 0.01359 -970 8762 0.01319 -970 9868 0.00548 -969 2448 0.01539 -969 3694 0.01182 -969 4865 0.01914 -969 6966 0.01767 -969 7125 0.00574 -969 7334 0.00682 -969 8012 0.01301 -969 9536 0.01976 -968 2856 0.01926 -968 2880 0.01918 -968 2925 0.01837 -968 3449 0.01454 -968 3644 0.00732 -968 4748 0.01473 -968 4968 0.01771 -968 5441 0.01638 -968 8276 0.01060 -968 9113 0.01368 -968 9713 0.01260 -967 1812 0.01493 -967 3387 0.00992 -967 5320 0.00831 -967 5350 0.00407 -967 5579 0.01259 -967 6699 0.00616 -967 7161 0.01860 -967 7351 0.01060 -967 7708 0.00880 -967 9623 0.01979 -966 1746 0.01674 -966 4077 0.01943 -966 6455 0.00543 -966 7479 0.01292 -966 8059 0.00823 -966 8283 0.01322 -966 9215 0.01951 -966 9605 0.00976 -965 1203 0.01568 -965 1979 0.00284 -965 1988 0.00159 -965 2003 0.01496 -965 2258 0.01812 -965 2486 0.00244 -965 2757 0.01784 -965 4056 0.01975 -965 4740 0.00450 -965 4839 0.01751 -965 5217 0.01851 -965 5257 0.01991 -965 6866 0.01335 -965 7060 0.01274 -965 7106 0.01782 -965 8339 0.01752 -965 8428 0.01898 -965 9184 0.00203 -964 1697 0.01107 -964 2095 0.01702 -964 2376 0.01545 -964 3833 0.01875 -964 3863 0.00777 -964 5290 0.01172 -964 5380 0.01917 -964 5960 0.01148 -964 6257 0.00847 -964 6420 0.00855 -964 7384 0.00846 -964 8220 0.01326 -964 8524 0.01200 -964 9405 0.01390 -963 1152 0.00856 -963 1757 0.01372 -963 1773 0.00156 -963 1833 0.01665 -963 2887 0.01086 -963 3708 0.01051 -963 4323 0.00794 -963 5734 0.00103 -963 5992 0.01475 -963 6037 0.00773 -963 6070 0.01879 -963 7326 0.01225 -963 7583 0.01924 -963 8960 0.01570 -963 9560 0.01970 -962 1838 0.01271 -962 1840 0.01170 -962 2062 0.01963 -962 3392 0.00528 -962 3873 0.01526 -962 4304 0.01142 -962 4452 0.01669 -962 5166 0.01393 -962 5875 0.01971 -962 6314 0.01449 -962 6591 0.00802 -962 7204 0.01783 -962 7747 0.01981 -962 7871 0.01707 -962 8270 0.00849 -962 9456 0.01059 -962 9685 0.00852 -961 1087 0.00541 -961 1125 0.01860 -961 1919 0.00879 -961 2617 0.01958 -961 3012 0.00423 -961 4162 0.01811 -961 4241 0.00752 -961 4678 0.01245 -961 5333 0.01179 -961 5920 0.01408 -961 9110 0.01814 -960 1097 0.01827 -960 1742 0.01936 -960 2803 0.01037 -960 3331 0.00298 -960 3648 0.01668 -960 4196 0.01908 -960 4736 0.01179 -960 4790 0.01600 -960 5284 0.01658 -960 6339 0.00809 -960 7489 0.00886 -960 7535 0.01558 -960 9408 0.00615 -960 9886 0.01781 -960 9982 0.01421 -959 1385 0.01446 -959 1687 0.00992 -959 1851 0.01798 -959 1957 0.01346 -959 2030 0.00763 -959 2250 0.00312 -959 3040 0.00428 -959 3056 0.00987 -959 3249 0.00717 -959 3298 0.01892 -959 4317 0.01540 -959 4955 0.01496 -959 5280 0.01933 -959 5375 0.00898 -958 1176 0.01742 -958 1533 0.01379 -958 1606 0.01915 -958 2161 0.01589 -958 3605 0.01143 -958 4401 0.01387 -958 5533 0.01041 -958 6081 0.01607 -958 7742 0.00632 -958 7760 0.01068 -958 7929 0.00852 -958 9048 0.01413 -958 9443 0.01631 -958 9532 0.01697 -957 1986 0.01044 -957 2169 0.01074 -957 2667 0.01787 -957 3435 0.00679 -957 3684 0.01838 -957 4375 0.01876 -957 4795 0.01702 -957 5420 0.01107 -957 5561 0.01617 -957 5609 0.00845 -957 6054 0.01997 -957 7674 0.01016 -957 8543 0.01551 -957 8665 0.00892 -957 8842 0.01876 -956 1824 0.00860 -956 2556 0.01045 -956 2722 0.00480 -956 3126 0.00929 -956 3810 0.01655 -956 4146 0.00819 -956 5400 0.01284 -956 6794 0.01763 -956 8939 0.01837 -956 8965 0.00724 -956 8984 0.00525 -956 9055 0.01841 -955 2301 0.01404 -955 3145 0.00553 -955 3163 0.01701 -955 3303 0.01253 -955 3355 0.01835 -955 3577 0.01754 -955 5421 0.01208 -955 5516 0.01002 -955 5619 0.01741 -955 5937 0.01524 -955 6937 0.01328 -955 7507 0.01375 -955 7629 0.01770 -954 4357 0.00061 -954 8617 0.00312 -954 8761 0.01884 -954 9105 0.01056 -953 2985 0.00779 -953 3027 0.01821 -953 3039 0.01739 -953 4717 0.01978 -953 8358 0.01052 -953 8810 0.01922 -953 9219 0.01538 -953 9752 0.01908 -952 1025 0.00968 -952 2980 0.01403 -952 3030 0.00426 -952 3565 0.01650 -952 4338 0.01760 -952 6350 0.01025 -952 6652 0.00260 -952 7064 0.00882 -952 7753 0.01840 -952 8051 0.00916 -952 9016 0.01578 -952 9572 0.01783 -952 9590 0.00979 -951 1058 0.01846 -951 1586 0.01138 -951 3861 0.00909 -951 4120 0.01914 -951 9169 0.01874 -950 1378 0.00643 -950 1529 0.01285 -950 5912 0.01888 -950 6117 0.00967 -950 6288 0.00552 -950 7070 0.01232 -950 7139 0.01744 -950 7509 0.01424 -950 8121 0.01540 -950 9972 0.01715 -949 992 0.00877 -949 1411 0.01387 -949 2917 0.01038 -949 3004 0.01799 -949 3672 0.01704 -949 3904 0.01728 -949 5078 0.01997 -949 6468 0.01547 -949 7065 0.01329 -949 7496 0.00311 -949 7516 0.01525 -949 7687 0.01618 -949 8175 0.01439 -949 8999 0.01801 -948 999 0.01501 -948 1023 0.01172 -948 1303 0.01159 -948 2981 0.00991 -948 3070 0.01694 -948 3804 0.01157 -948 3866 0.01259 -948 4011 0.01823 -948 4396 0.00983 -948 4656 0.01022 -948 5282 0.01381 -948 5818 0.00734 -948 6167 0.01192 -948 8009 0.01458 -948 9231 0.01887 -948 9909 0.01880 -947 962 0.01771 -947 1554 0.01425 -947 2062 0.00997 -947 2694 0.01764 -947 4304 0.00892 -947 6118 0.00778 -947 6314 0.01674 -947 6591 0.01806 -947 7290 0.00515 -947 8221 0.01884 -947 9456 0.00712 -947 9685 0.00920 -946 1131 0.01978 -946 1347 0.01005 -946 1356 0.01262 -946 2268 0.01655 -946 2886 0.01668 -946 2973 0.01679 -946 3245 0.01872 -946 3409 0.01611 -946 3465 0.01561 -946 3915 0.00960 -946 4084 0.01860 -946 4549 0.00745 -946 4593 0.01201 -946 5549 0.01433 -946 6260 0.00940 -946 6695 0.01353 -946 7662 0.01151 -946 8191 0.01777 -946 9815 0.00871 -945 1368 0.01874 -945 1859 0.01649 -945 2576 0.01547 -945 2672 0.01892 -945 3630 0.00441 -945 4505 0.00298 -945 4672 0.01998 -945 5072 0.00207 -945 6464 0.01773 -945 6748 0.00776 -945 6976 0.01671 -945 7348 0.00881 -945 7511 0.01366 -945 7515 0.01814 -945 9999 0.01952 -944 1576 0.01773 -944 2984 0.01617 -944 3971 0.01037 -944 4365 0.01487 -944 8211 0.01757 -944 8536 0.00650 -944 8558 0.01482 -943 1403 0.00882 -943 2117 0.01875 -943 3595 0.01705 -943 3691 0.01973 -943 4536 0.01790 -943 5434 0.01764 -943 5996 0.01866 -943 6072 0.01196 -943 6676 0.01319 -943 6792 0.01895 -943 6885 0.01989 -943 7305 0.01201 -943 7926 0.01871 -943 8787 0.01631 -943 8801 0.01259 -943 9749 0.01295 -942 3655 0.00268 -942 3777 0.01466 -942 3921 0.01324 -942 3982 0.01964 -942 4473 0.01737 -942 5158 0.01694 -942 5159 0.00991 -942 5216 0.01488 -942 5611 0.01816 -942 6273 0.00934 -942 6573 0.00487 -942 6574 0.01228 -942 7137 0.01450 -942 7776 0.01554 -941 4238 0.01355 -941 4321 0.01063 -941 4676 0.01580 -941 4981 0.01905 -941 5605 0.01671 -941 5997 0.01238 -941 6352 0.01918 -941 7513 0.01888 -941 7603 0.01014 -941 8033 0.01991 -941 8080 0.00672 -941 9406 0.01150 -941 9790 0.01736 -940 1795 0.00441 -940 2362 0.00842 -940 2417 0.00572 -940 5147 0.01388 -940 7006 0.01674 -940 7075 0.01061 -940 7215 0.01122 -940 7278 0.00689 -939 2185 0.01486 -939 2244 0.01885 -939 2946 0.01528 -939 3026 0.01550 -939 3905 0.01892 -939 4044 0.01143 -939 4247 0.01887 -939 4530 0.01381 -939 5575 0.01299 -939 5610 0.01955 -939 5662 0.00637 -939 5796 0.00382 -939 5807 0.01414 -939 5829 0.01444 -939 5853 0.01471 -939 6704 0.00550 -939 7048 0.01262 -939 9218 0.01947 -938 1763 0.00935 -938 2194 0.00880 -938 2660 0.01434 -938 3415 0.01557 -938 3517 0.00576 -938 5627 0.00811 -938 6105 0.01894 -938 8435 0.01764 -938 9457 0.01253 -938 9725 0.01042 -937 2835 0.00965 -937 3093 0.00910 -937 3681 0.01738 -937 5432 0.01758 -937 6687 0.00340 -937 7616 0.01285 -937 9368 0.01757 -936 977 0.01644 -936 1692 0.01294 -936 1793 0.01876 -936 2315 0.00582 -936 2963 0.01781 -936 3266 0.00272 -936 3794 0.01812 -936 4626 0.01291 -936 4677 0.01596 -936 4691 0.01708 -936 5105 0.01878 -936 6211 0.00398 -936 6638 0.01751 -936 6726 0.00918 -936 6930 0.01099 -936 8286 0.01855 -936 9488 0.01389 -935 1014 0.00087 -935 1810 0.01247 -935 2621 0.01717 -935 4350 0.01273 -935 6307 0.00760 -935 6708 0.01308 -935 6863 0.01753 -935 7526 0.01411 -935 7916 0.01095 -935 8401 0.01975 -935 8745 0.01193 -935 9159 0.01388 -935 9978 0.01673 -934 1331 0.01926 -934 1737 0.01140 -934 2148 0.00220 -934 3074 0.00668 -934 5130 0.01587 -934 5567 0.00826 -934 6239 0.01891 -934 6979 0.01505 -934 7484 0.01267 -934 7504 0.00742 -934 8226 0.01859 -934 8851 0.00398 -934 8927 0.01869 -934 9007 0.01129 -933 2693 0.01461 -933 4759 0.00839 -933 4806 0.00860 -933 5995 0.01992 -933 6002 0.01578 -933 6067 0.01334 -933 7083 0.01833 -933 8035 0.01320 -933 8599 0.01406 -933 8666 0.01181 -933 8935 0.00477 -932 3276 0.00795 -932 3433 0.01851 -932 5095 0.01387 -932 5289 0.01361 -932 6106 0.00958 -932 6926 0.01487 -932 7650 0.00271 -932 8325 0.00889 -932 8848 0.01961 -932 9781 0.01078 -932 9816 0.00845 -931 4001 0.00965 -931 4377 0.00742 -931 4989 0.01953 -931 7115 0.01299 -931 7415 0.01503 -931 8346 0.01015 -931 8569 0.00964 -931 8946 0.01396 -931 9112 0.01078 -930 1082 0.00328 -930 1632 0.00615 -930 1998 0.00685 -930 2025 0.01506 -930 2550 0.00982 -930 2781 0.01308 -930 4182 0.01468 -930 5491 0.00833 -930 5560 0.00747 -930 5635 0.01100 -930 7196 0.01313 -930 7498 0.01912 -930 9258 0.01275 -929 1325 0.01862 -929 3889 0.01228 -929 4450 0.00818 -929 5231 0.01501 -929 6430 0.00812 -929 7728 0.01664 -929 7980 0.01011 -929 8245 0.00627 -929 9080 0.00644 -929 9769 0.01257 -929 9784 0.00554 -928 2797 0.01888 -928 3846 0.01857 -928 3953 0.00894 -928 4367 0.00955 -928 4518 0.01724 -928 5006 0.01227 -928 6152 0.01131 -928 7059 0.01845 -928 7382 0.01298 -928 7589 0.01815 -928 7786 0.01235 -928 8734 0.01283 -928 8998 0.01353 -928 9067 0.01585 -928 9140 0.01724 -928 9392 0.01656 -928 9928 0.01930 -927 1140 0.01947 -927 1165 0.01362 -927 3174 0.01557 -927 3322 0.01226 -927 4073 0.00970 -927 4772 0.00984 -927 4814 0.01216 -927 5373 0.01873 -927 5480 0.01383 -927 6445 0.01218 -927 6750 0.01424 -927 9506 0.01950 -927 9711 0.00871 -926 4347 0.01722 -926 4898 0.00699 -926 6457 0.00862 -926 6730 0.00882 -926 6918 0.01115 -926 7879 0.01693 -926 9355 0.01782 -926 9491 0.01547 -926 9814 0.01801 -925 2379 0.01179 -925 3328 0.00182 -925 3471 0.01077 -925 3590 0.01658 -925 3870 0.01262 -925 4797 0.01325 -925 5007 0.01855 -925 5655 0.01314 -925 5763 0.01864 -925 6162 0.00880 -925 9060 0.01760 -924 1565 0.01225 -924 2226 0.01217 -924 2784 0.01092 -924 4906 0.01642 -924 5427 0.00394 -924 5830 0.01742 -924 6917 0.01105 -924 6923 0.01750 -924 8915 0.01017 -924 9085 0.01154 -923 3217 0.01978 -923 4500 0.01475 -923 5461 0.00982 -923 5523 0.01353 -923 6441 0.01770 -923 7668 0.00717 -923 8643 0.01059 -923 9540 0.01497 -923 9615 0.00331 -923 9879 0.01674 -922 1257 0.00807 -922 2521 0.01702 -922 2774 0.01906 -922 5094 0.01789 -922 5539 0.01136 -922 6669 0.01819 -922 6864 0.01299 -922 7374 0.00959 -922 8002 0.01428 -922 8125 0.01471 -922 8740 0.01334 -922 9806 0.01571 -921 1570 0.01733 -921 2894 0.01180 -921 4771 0.01739 -921 6173 0.01522 -921 6806 0.01653 -921 6871 0.01192 -921 6948 0.00442 -921 7268 0.01413 -921 7637 0.01231 -921 8696 0.00554 -921 8883 0.01493 -920 1113 0.00791 -920 1284 0.01464 -920 3777 0.00755 -920 4473 0.01102 -920 4792 0.01394 -920 5347 0.01388 -920 6273 0.01221 -920 6573 0.01675 -920 6574 0.00966 -920 6912 0.00873 -920 7137 0.00752 -919 1350 0.01356 -919 2789 0.01435 -919 3354 0.01774 -919 5976 0.01674 -919 6085 0.01913 -919 6454 0.01594 -919 6897 0.01240 -919 7918 0.01186 -919 8123 0.00369 -919 8775 0.01015 -919 9510 0.01614 -918 1679 0.01873 -918 3406 0.01753 -918 3744 0.01133 -918 4307 0.01871 -918 4525 0.01145 -918 4619 0.00987 -918 5145 0.00255 -918 5822 0.01769 -918 6559 0.00450 -918 7200 0.01914 -918 8164 0.00792 -918 8977 0.01710 -918 9686 0.01029 -917 926 0.01999 -917 4347 0.00782 -917 4898 0.01300 -917 5379 0.01743 -917 6457 0.01671 -917 6918 0.00920 -917 7879 0.00508 -917 9894 0.00096 -916 1616 0.01263 -916 2953 0.01881 -916 3379 0.00200 -916 3584 0.01557 -916 4217 0.01407 -916 4533 0.01932 -916 4852 0.01000 -916 6477 0.00984 -916 8008 0.01236 -916 9241 0.01876 -915 1147 0.01521 -915 1805 0.00441 -915 2177 0.00309 -915 2326 0.01459 -915 2686 0.01636 -915 2880 0.01087 -915 3142 0.00997 -915 4356 0.01536 -915 4624 0.01944 -915 4853 0.01132 -915 5229 0.01920 -915 9713 0.01928 -914 965 0.01313 -914 1203 0.00837 -914 1979 0.01375 -914 1988 0.01178 -914 2003 0.01635 -914 2486 0.01347 -914 2757 0.01307 -914 3332 0.01969 -914 4740 0.01504 -914 4839 0.01636 -914 5257 0.00738 -914 5569 0.01979 -914 6582 0.01601 -914 6839 0.01943 -914 6866 0.01324 -914 7060 0.00158 -914 7431 0.01945 -914 7497 0.01052 -914 8339 0.00469 -914 8428 0.01681 -914 9184 0.01110 -913 1156 0.01951 -913 1698 0.01326 -913 2515 0.00425 -913 2754 0.00990 -913 2847 0.01753 -913 3353 0.01536 -913 3513 0.01799 -913 3895 0.01043 -913 4449 0.01688 -913 5291 0.01894 -913 6908 0.01813 -913 7442 0.01888 -913 7522 0.01095 -913 7908 0.01493 -913 8671 0.01275 -913 8686 0.01278 -913 8805 0.01953 -913 8987 0.01093 -913 9321 0.01364 -913 9436 0.01284 -912 1667 0.01192 -912 1857 0.01674 -912 1920 0.01291 -912 3007 0.01041 -912 3452 0.01741 -912 4609 0.00482 -912 5058 0.01047 -912 6510 0.01764 -912 7139 0.01825 -912 7596 0.01693 -912 7763 0.00952 -912 7958 0.01668 -912 8208 0.00698 -912 9022 0.01883 -912 9391 0.01586 -912 9528 0.00952 -912 9838 0.01875 -911 1216 0.01877 -911 1540 0.01780 -911 2547 0.01657 -911 2710 0.00743 -911 4074 0.00884 -911 4231 0.01525 -911 4578 0.01566 -911 7262 0.01756 -911 7360 0.00826 -910 2497 0.01932 -910 3002 0.01424 -910 3572 0.01389 -910 3967 0.00207 -910 4113 0.01534 -910 5069 0.01258 -910 5418 0.01541 -910 6293 0.01721 -910 7000 0.01597 -910 9298 0.01376 -910 9583 0.01973 -910 9819 0.01782 -909 1008 0.01576 -909 1226 0.00767 -909 1666 0.01576 -909 3692 0.00560 -909 5325 0.00301 -909 7170 0.00895 -909 7376 0.01682 -909 7725 0.01377 -909 7971 0.00910 -909 8110 0.01625 -909 9403 0.00920 -909 9550 0.01404 -908 1266 0.01428 -908 1451 0.00923 -908 2683 0.01239 -908 3904 0.01686 -908 4029 0.01581 -908 7645 0.01955 -908 8365 0.01236 -908 8999 0.01373 -907 1263 0.00783 -907 1503 0.01404 -907 1690 0.00282 -907 2777 0.00334 -907 3320 0.01528 -907 7959 0.00942 -906 1440 0.00628 -906 2230 0.01682 -906 2635 0.01597 -906 4049 0.00841 -906 5067 0.01139 -906 8163 0.01392 -906 9541 0.01813 -905 1304 0.01004 -905 2856 0.01646 -905 3447 0.00895 -905 3449 0.01935 -905 3653 0.00048 -905 4968 0.01502 -905 5441 0.01637 -905 5647 0.01666 -905 6907 0.01089 -905 7446 0.01058 -905 7719 0.01891 -905 7744 0.00076 -905 7762 0.01454 -905 7824 0.00682 -905 8904 0.00919 -905 9717 0.00886 -904 2334 0.01397 -904 2537 0.00697 -904 3117 0.01671 -904 3424 0.01773 -904 3762 0.00912 -904 4415 0.01121 -904 5890 0.01840 -904 5935 0.00786 -904 6216 0.00180 -904 6671 0.01807 -904 7524 0.00560 -904 8405 0.01882 -904 9094 0.01827 -904 9192 0.01997 -904 9594 0.01354 -903 1418 0.01096 -903 2165 0.01302 -903 2759 0.01724 -903 3609 0.00997 -903 6515 0.01718 -903 6777 0.00288 -903 7114 0.01905 -903 7934 0.01875 -903 9478 0.01451 -903 9839 0.01399 -902 3089 0.01266 -902 4072 0.01236 -902 5110 0.01547 -902 6419 0.01166 -902 6929 0.01179 -902 8670 0.01109 -902 8841 0.00897 -902 9037 0.01561 -901 1032 0.01176 -901 4915 0.01071 -901 5098 0.00735 -901 5219 0.00672 -901 5809 0.01737 -901 6086 0.00814 -901 6709 0.00462 -901 7175 0.00417 -901 7229 0.00540 -901 7561 0.01827 -900 1965 0.01338 -900 2592 0.01624 -900 2948 0.01532 -900 4002 0.01111 -900 4587 0.01217 -900 4877 0.01851 -900 6661 0.01619 -900 6997 0.00735 -900 7502 0.01813 -900 7663 0.01394 -900 8949 0.01906 -900 9965 0.01336 -899 1620 0.01004 -899 3750 0.01627 -899 4272 0.01423 -899 7197 0.01697 -899 7545 0.01561 -899 8250 0.01576 -899 8341 0.00941 -899 8993 0.01846 -899 9655 0.01452 -898 957 0.01866 -898 1038 0.01769 -898 3435 0.01517 -898 4795 0.00759 -898 5420 0.01156 -898 5561 0.01924 -898 5609 0.01410 -898 6343 0.00662 -898 6868 0.01124 -898 7617 0.01782 -898 8074 0.00774 -898 8543 0.01103 -898 8665 0.01964 -898 9024 0.01845 -898 9284 0.00830 -897 1441 0.00631 -897 2028 0.01826 -897 2191 0.01497 -897 2630 0.01183 -897 3058 0.01503 -897 5260 0.01522 -897 5874 0.00572 -897 6462 0.01942 -897 6840 0.01127 -897 7826 0.01149 -897 8081 0.01416 -897 8630 0.01903 -897 9281 0.01722 -896 3978 0.01492 -896 5266 0.01244 -896 5368 0.01960 -896 6444 0.01967 -896 7013 0.01319 -896 8297 0.01466 -895 1306 0.00947 -895 2701 0.01662 -895 4363 0.01485 -895 4468 0.01980 -895 4519 0.00066 -895 4561 0.01886 -895 4608 0.01590 -895 4610 0.01882 -895 5115 0.01037 -895 5670 0.00742 -895 7477 0.01693 -895 7672 0.00477 -895 7821 0.01265 -895 9969 0.00352 -894 1550 0.01450 -894 1889 0.01315 -894 2581 0.01758 -894 2766 0.01946 -894 4384 0.01412 -894 4905 0.01459 -894 5121 0.01215 -894 5962 0.01006 -894 6183 0.01433 -894 6712 0.00435 -893 1057 0.01328 -893 1639 0.00669 -893 2239 0.00829 -893 2862 0.01295 -893 4741 0.01558 -893 5847 0.01925 -893 5858 0.01067 -893 6836 0.01245 -893 9589 0.00679 -892 1282 0.01754 -892 1797 0.01489 -892 2719 0.01983 -892 3360 0.01432 -892 3730 0.01971 -892 4553 0.01962 -892 4944 0.01020 -892 5037 0.01942 -892 5203 0.01209 -892 5674 0.01886 -892 6022 0.01973 -892 6694 0.01637 -892 8542 0.00143 -892 8766 0.00715 -892 8839 0.00701 -892 8925 0.00562 -892 9289 0.00706 -891 1220 0.01248 -891 1707 0.01644 -891 2458 0.01207 -891 3326 0.01786 -891 4282 0.01655 -891 4697 0.01882 -891 5743 0.01068 -891 6646 0.01373 -891 6705 0.01653 -891 7135 0.00246 -891 7222 0.00567 -891 7587 0.01835 -891 7677 0.01539 -891 7731 0.01378 -891 8076 0.01218 -891 8566 0.01724 -891 8692 0.01557 -891 9719 0.01273 -891 9756 0.01908 -890 1232 0.01750 -890 1332 0.01839 -890 1999 0.00484 -890 2255 0.01912 -890 2455 0.01681 -890 3191 0.01380 -890 6008 0.01987 -890 6171 0.00901 -890 7024 0.00951 -890 7412 0.00173 -890 7694 0.01180 -890 8827 0.01396 -889 2164 0.01101 -889 3073 0.00780 -889 3858 0.00381 -889 4108 0.01536 -889 6103 0.01045 -888 2540 0.01365 -888 3954 0.01048 -888 4201 0.00952 -888 4261 0.01810 -888 5932 0.00812 -888 6570 0.00313 -888 6602 0.00826 -888 7720 0.00594 -888 8049 0.01983 -887 1089 0.01896 -887 1366 0.01515 -887 2804 0.00771 -887 3789 0.01337 -887 3803 0.00767 -887 5253 0.00826 -887 6458 0.01154 -887 7183 0.01247 -887 7455 0.01411 -887 9181 0.01311 -887 9482 0.01642 -886 902 0.01504 -886 1925 0.01812 -886 3089 0.00551 -886 3412 0.01533 -886 3650 0.01583 -886 4072 0.01103 -886 5110 0.00333 -886 6419 0.00477 -886 6929 0.01963 -886 8841 0.01268 -885 1142 0.01335 -885 1961 0.00541 -885 2861 0.01524 -885 4131 0.01645 -885 6240 0.00697 -885 6981 0.01963 -885 8829 0.00386 -884 1011 0.01888 -884 1660 0.01053 -884 4901 0.01139 -884 5700 0.01633 -884 6521 0.01870 -884 8209 0.01946 -884 8265 0.01002 -884 9001 0.01313 -884 9421 0.01750 -883 1130 0.01979 -883 1593 0.01911 -883 1971 0.01942 -883 7223 0.01397 -883 8557 0.01880 -883 8672 0.01842 -883 8702 0.01014 -882 979 0.01982 -882 1064 0.01695 -882 1191 0.00927 -882 2083 0.01777 -882 2796 0.00775 -882 5487 0.00891 -882 6975 0.00514 -882 8538 0.01993 -882 9006 0.01308 -881 905 0.01207 -881 1304 0.00984 -881 2856 0.00995 -881 2925 0.01475 -881 3447 0.01761 -881 3449 0.00971 -881 3653 0.01161 -881 4968 0.00401 -881 5441 0.00483 -881 6907 0.00154 -881 7446 0.01334 -881 7719 0.01920 -881 7744 0.01222 -881 7824 0.00563 -881 8276 0.01436 -881 8904 0.00810 -880 2115 0.01031 -880 2358 0.01911 -880 2748 0.01250 -880 3848 0.01459 -880 3851 0.01737 -880 4199 0.01752 -880 4221 0.01008 -880 5998 0.01518 -880 6193 0.01236 -880 6469 0.01275 -880 7605 0.01156 -880 7839 0.01500 -880 8846 0.01304 -880 9208 0.01110 -879 906 0.01563 -879 1440 0.00954 -879 2227 0.01208 -879 2230 0.01880 -879 2635 0.01001 -879 3075 0.01784 -879 4009 0.01254 -879 4802 0.01220 -879 5981 0.00822 -878 1768 0.00092 -878 2109 0.01078 -878 4164 0.01141 -878 5127 0.00991 -878 7847 0.01360 -878 8061 0.00968 -878 8373 0.01819 -878 8572 0.01470 -877 1126 0.01243 -877 1364 0.01267 -877 1628 0.01682 -877 3597 0.00568 -877 5021 0.00779 -877 5039 0.00883 -877 5947 0.01643 -877 7245 0.01258 -877 7419 0.01827 -877 7586 0.01832 -877 7991 0.01324 -877 8845 0.01379 -877 8922 0.01083 -877 9763 0.00934 -877 9847 0.00735 -876 2372 0.01310 -876 2883 0.01013 -876 3481 0.01776 -876 5643 0.01603 -876 5689 0.01968 -876 5717 0.01787 -876 6867 0.00590 -876 6958 0.01850 -876 7063 0.00945 -876 7525 0.01830 -876 8494 0.01303 -876 9390 0.00122 -875 2991 0.01430 -875 3321 0.01138 -875 3397 0.00368 -875 3854 0.00298 -875 4710 0.00372 -875 5185 0.01610 -875 6139 0.01838 -875 7103 0.01423 -875 7987 0.01004 -875 8623 0.01309 -875 9870 0.01746 -874 1236 0.01606 -874 1747 0.00672 -874 1794 0.01936 -874 2207 0.00766 -874 3532 0.00466 -874 3557 0.01565 -874 3631 0.01023 -874 3770 0.01475 -874 3990 0.01854 -874 5075 0.00599 -874 5551 0.00657 -874 5817 0.01460 -874 8151 0.01760 -873 1305 0.01496 -873 1311 0.01346 -873 1370 0.01341 -873 1892 0.01667 -873 2283 0.01706 -873 4111 0.00881 -873 4830 0.01669 -873 5544 0.01877 -873 8750 0.01992 -873 8996 0.01051 -872 2146 0.01468 -872 3709 0.01893 -872 3720 0.00823 -872 4227 0.01788 -872 4601 0.01316 -872 4690 0.01465 -872 5844 0.01747 -872 6110 0.01450 -872 6831 0.00735 -872 7909 0.00548 -872 8382 0.01593 -872 8664 0.01609 -872 9090 0.01115 -871 1140 0.00742 -871 1915 0.00647 -871 2760 0.00462 -871 2809 0.01683 -871 3322 0.01455 -871 4032 0.00564 -871 4251 0.01545 -871 4814 0.01705 -871 4978 0.01908 -871 5178 0.01665 -871 5480 0.01783 -871 6357 0.00636 -871 6647 0.00968 -871 7269 0.01728 -871 7864 0.00959 -871 8120 0.00915 -871 9711 0.01797 -871 9723 0.00797 -870 1912 0.01664 -870 2270 0.01360 -870 2528 0.01833 -870 3576 0.00806 -870 3862 0.01802 -870 4448 0.01088 -870 5165 0.01887 -870 5314 0.01931 -870 6116 0.01936 -870 6129 0.01469 -870 6473 0.01427 -870 9222 0.01213 -870 9632 0.01611 -870 9654 0.01804 -869 3785 0.01652 -869 5698 0.01855 -869 5701 0.01943 -869 6345 0.01926 -869 7656 0.01755 -868 1546 0.00800 -868 3532 0.01611 -868 3557 0.01011 -868 3631 0.01176 -868 3990 0.01844 -868 4850 0.01865 -868 5226 0.01476 -868 7347 0.00573 -868 7638 0.01572 -868 8261 0.01484 -867 920 0.01566 -867 942 0.00959 -867 1113 0.01807 -867 3655 0.00701 -867 3777 0.01152 -867 3921 0.01732 -867 4473 0.00815 -867 5159 0.01911 -867 5216 0.00749 -867 5611 0.01222 -867 6273 0.00730 -867 6573 0.00767 -867 6574 0.00981 -867 7137 0.01116 -866 1487 0.00737 -866 2297 0.00745 -866 2377 0.01978 -866 3099 0.01799 -866 4179 0.01451 -866 5451 0.01238 -866 6576 0.01996 -866 9636 0.01693 -866 9830 0.01347 -865 1976 0.01832 -865 2912 0.01247 -865 3459 0.01606 -865 4277 0.00482 -865 4329 0.00130 -865 7542 0.01277 -865 7715 0.00822 -865 8727 0.00935 -864 3362 0.01693 -864 4344 0.01625 -864 5089 0.00542 -864 5584 0.00597 -864 5782 0.00478 -864 5861 0.01296 -864 6942 0.00572 -864 7341 0.01801 -864 7635 0.01478 -864 8089 0.01244 -864 8241 0.01299 -863 1927 0.01977 -863 3071 0.01211 -863 3383 0.01617 -863 4128 0.00981 -863 4469 0.01703 -863 4654 0.01110 -863 4803 0.00918 -863 6150 0.01496 -863 8025 0.00595 -863 8919 0.00812 -863 9576 0.01654 -863 9577 0.01824 -862 1445 0.00416 -862 1539 0.01923 -862 2245 0.01046 -862 2258 0.01301 -862 2345 0.01235 -862 3514 0.00895 -862 4056 0.01292 -862 5217 0.00794 -862 5445 0.01046 -862 5826 0.00863 -862 6823 0.01439 -862 6853 0.00673 -862 7228 0.01223 -862 7816 0.01380 -862 7867 0.01850 -862 8899 0.01391 -862 9188 0.00937 -862 9237 0.01641 -862 9961 0.00398 -861 870 0.01825 -861 1343 0.01604 -861 4264 0.00887 -861 5165 0.00072 -861 5314 0.01681 -861 6890 0.01866 -861 6998 0.01100 -861 7314 0.01919 -861 8421 0.01232 -861 8519 0.00739 -861 9222 0.01821 -861 9654 0.00653 -860 2401 0.00870 -860 3732 0.00373 -860 4090 0.01449 -860 4127 0.01998 -860 5355 0.01530 -860 8142 0.01573 -860 8216 0.01340 -859 2419 0.01916 -859 3019 0.01926 -859 3318 0.01740 -859 4017 0.01202 -859 4371 0.01998 -859 4426 0.00980 -859 5471 0.00638 -859 6294 0.01530 -859 7038 0.01705 -859 7706 0.00920 -859 8169 0.01612 -859 8520 0.01392 -858 1531 0.00979 -858 2959 0.01773 -858 3187 0.01759 -858 3220 0.01550 -858 4634 0.01445 -858 5987 0.00953 -858 7552 0.01526 -858 8526 0.00226 -858 9602 0.01570 -857 1976 0.00690 -857 2912 0.01169 -857 3942 0.00991 -857 4257 0.01702 -857 4277 0.01953 -857 5982 0.01482 -856 895 0.01850 -856 1306 0.01246 -856 3135 0.00677 -856 3150 0.01847 -856 3852 0.01923 -856 4519 0.01810 -856 4561 0.01871 -856 5047 0.01429 -856 5670 0.01734 -856 7821 0.01465 -856 9969 0.01569 -855 1134 0.01809 -855 3156 0.01451 -855 6741 0.01216 -855 7544 0.01932 -855 9117 0.01888 -855 9842 0.01725 -854 1028 0.01054 -854 1746 0.01082 -854 2105 0.01738 -854 3559 0.00972 -854 4077 0.01330 -854 6448 0.01567 -854 7479 0.01124 -854 8059 0.01790 -854 9766 0.01040 -853 1874 0.00782 -853 2359 0.00726 -853 3086 0.00743 -853 4018 0.00403 -853 5161 0.00477 -853 6610 0.00475 -853 7428 0.00734 -852 1034 0.01186 -852 1207 0.01797 -852 3883 0.01388 -852 4068 0.01416 -852 4117 0.01655 -852 4496 0.01328 -852 4756 0.00774 -852 4977 0.00793 -852 5296 0.01806 -852 5298 0.01241 -852 5722 0.01507 -852 6819 0.00716 -852 6832 0.01384 -852 6858 0.01097 -852 7056 0.01257 -852 8534 0.01819 -851 1168 0.01757 -851 1865 0.01297 -851 1890 0.01672 -851 1978 0.00352 -851 2115 0.01782 -851 2466 0.01172 -851 2748 0.01539 -851 5690 0.01913 -851 6244 0.01221 -851 7899 0.00925 -851 9412 0.00529 -850 3280 0.01797 -850 4158 0.01906 -850 4573 0.00937 -850 5050 0.00595 -850 5481 0.00429 -850 5556 0.01949 -850 7547 0.00350 -850 8263 0.00584 -850 8681 0.00940 -850 8928 0.00359 -849 2778 0.01281 -849 2951 0.01680 -849 3272 0.00529 -849 3511 0.00640 -849 4332 0.01235 -849 4379 0.01344 -849 4923 0.00742 -849 6418 0.00579 -849 7830 0.01858 -849 9782 0.01416 -848 1511 0.01582 -848 1549 0.01671 -848 1564 0.01767 -848 1578 0.01771 -848 3014 0.00816 -848 4123 0.01540 -848 4598 0.01841 -848 6354 0.00365 -848 6878 0.01088 -848 7311 0.00766 -848 8146 0.01893 -848 8398 0.01836 -848 8759 0.01712 -847 1300 0.01385 -847 1610 0.01762 -847 1853 0.01738 -847 2689 0.01481 -847 2870 0.01254 -847 2979 0.01963 -847 3484 0.01495 -847 4419 0.01725 -847 4420 0.01059 -847 5519 0.01390 -847 7333 0.01903 -847 7362 0.01749 -847 7406 0.01849 -847 7835 0.00947 -847 7885 0.01751 -847 8812 0.01095 -847 8821 0.01733 -847 8907 0.01744 -847 9160 0.01730 -847 9514 0.01790 -846 1196 0.00157 -846 2693 0.00861 -846 3051 0.01566 -846 3447 0.01771 -846 5647 0.01538 -846 6067 0.01655 -846 6456 0.01114 -846 6749 0.01778 -846 7762 0.01908 -846 8035 0.01648 -846 8884 0.01267 -845 1225 0.01894 -845 1461 0.01715 -845 2278 0.01773 -845 3429 0.01194 -845 4813 0.01163 -845 5005 0.00691 -845 5675 0.01367 -845 6198 0.01438 -845 7055 0.01193 -845 8331 0.00675 -845 8725 0.01947 -845 9046 0.01593 -845 9544 0.01826 -844 910 0.01656 -844 1320 0.01338 -844 2302 0.00581 -844 2320 0.01212 -844 3002 0.01840 -844 3967 0.01639 -844 4113 0.01389 -844 4704 0.01007 -844 5069 0.01607 -844 5163 0.00629 -844 5418 0.00868 -844 6132 0.01551 -844 7027 0.01217 -844 7614 0.01506 -844 8219 0.00913 -844 9298 0.01171 -844 9473 0.00738 -844 9819 0.00384 -843 1505 0.01924 -843 2572 0.01965 -843 2947 0.01666 -843 3182 0.00731 -843 3936 0.01845 -843 4501 0.01196 -843 5396 0.01826 -843 6743 0.00383 -843 7889 0.01535 -843 7900 0.01268 -843 8591 0.01956 -842 1711 0.00416 -842 1809 0.01507 -842 2727 0.00450 -842 4701 0.01746 -842 5366 0.00939 -842 5929 0.01441 -842 6531 0.00655 -842 7619 0.01764 -842 8145 0.01523 -842 8243 0.01243 -842 8518 0.00962 -842 8844 0.00324 -842 9125 0.01590 -842 9235 0.01711 -841 1904 0.01348 -841 3497 0.01834 -841 4052 0.01151 -841 5444 0.01374 -841 6344 0.01648 -841 6736 0.00314 -841 7297 0.01551 -841 7561 0.01828 -841 8194 0.01256 -841 8413 0.01370 -841 8687 0.01591 -841 9191 0.01880 -841 9256 0.01063 -840 1868 0.01271 -840 2769 0.00717 -840 3180 0.01219 -840 4246 0.00289 -840 4683 0.00566 -840 5004 0.00885 -840 5218 0.01837 -840 5503 0.01164 -840 6759 0.01727 -840 8886 0.01457 -840 9155 0.01612 -840 9869 0.00855 -839 847 0.00894 -839 1300 0.00491 -839 1610 0.01014 -839 1853 0.01197 -839 2689 0.01041 -839 2870 0.00527 -839 2979 0.01345 -839 3427 0.01835 -839 3484 0.00688 -839 4420 0.01834 -839 5519 0.01955 -839 7362 0.00946 -839 7835 0.01750 -839 7885 0.01939 -839 8503 0.01664 -839 8812 0.00757 -839 8907 0.01317 -839 9160 0.01963 -839 9514 0.01047 -839 9795 0.01992 -838 2419 0.00867 -838 2637 0.01901 -838 2994 0.01018 -838 3318 0.01736 -838 5993 0.01235 -838 6055 0.01261 -838 6234 0.00658 -838 6829 0.00966 -838 7038 0.01675 -838 7361 0.00823 -838 8169 0.01835 -838 8832 0.01836 -838 9484 0.00135 -838 9684 0.01433 -837 1536 0.01909 -837 2463 0.00960 -837 3772 0.01371 -837 4894 0.01794 -837 8347 0.01944 -837 8419 0.01022 -837 8746 0.01989 -837 9049 0.01459 -836 839 0.00677 -836 847 0.01440 -836 1300 0.00513 -836 1610 0.00338 -836 1853 0.01614 -836 2689 0.00597 -836 2870 0.00186 -836 2979 0.00692 -836 3427 0.01410 -836 3484 0.00934 -836 3896 0.01996 -836 7362 0.01105 -836 8503 0.01801 -836 8812 0.00606 -836 8907 0.00803 -836 9160 0.01850 -836 9514 0.01281 -835 1030 0.01821 -835 1507 0.01311 -835 2293 0.01002 -835 2601 0.00700 -835 2658 0.01238 -835 3069 0.00968 -835 3772 0.01896 -835 4292 0.01751 -835 4765 0.00591 -835 4941 0.00900 -835 5129 0.01600 -835 6061 0.01818 -835 6422 0.00735 -835 7182 0.01958 -835 7717 0.01659 -835 8441 0.00503 -835 8746 0.01408 -835 9789 0.01959 -834 1646 0.00866 -834 1958 0.00727 -834 2060 0.01444 -834 2116 0.01687 -834 2901 0.01857 -834 4511 0.01799 -834 4887 0.01203 -834 6941 0.01968 -834 7017 0.01281 -834 7274 0.01538 -834 8655 0.01186 -834 8840 0.01635 -833 1107 0.01514 -833 1728 0.01216 -833 2337 0.01890 -833 2801 0.01959 -833 4828 0.00493 -833 5003 0.01237 -833 5699 0.01272 -833 8231 0.01507 -833 9262 0.01888 -833 9578 0.00249 -833 9757 0.01666 -832 1974 0.01824 -832 3173 0.01468 -832 3212 0.01538 -832 3834 0.00858 -832 4211 0.01354 -832 4531 0.01338 -832 5233 0.01046 -832 9180 0.00652 -832 9480 0.01615 -831 1280 0.01514 -831 1455 0.00729 -831 2958 0.01328 -831 4909 0.01734 -831 5801 0.01693 -831 6554 0.01941 -831 7930 0.01653 -831 9865 0.00570 -830 1242 0.01636 -830 2021 0.01983 -830 2995 0.01552 -830 4095 0.00698 -830 4142 0.00964 -830 4326 0.01876 -830 4559 0.00654 -830 5357 0.01177 -830 5799 0.00895 -830 7532 0.01095 -830 7984 0.01019 -830 8180 0.00930 -830 8559 0.00690 -830 8917 0.00323 -829 1755 0.01596 -829 5318 0.01752 -829 7911 0.01692 -829 8093 0.01084 -829 8703 0.00545 -828 1627 0.01576 -828 1731 0.01644 -828 2264 0.01947 -828 2364 0.01050 -828 2534 0.01605 -828 3053 0.00534 -828 3252 0.01264 -828 3662 0.00632 -828 4270 0.01688 -828 4969 0.01803 -828 5658 0.01562 -828 5671 0.01824 -828 7389 0.00776 -828 7590 0.01952 -828 7845 0.01495 -828 9667 0.00730 -828 9809 0.01034 -827 2365 0.01688 -827 2532 0.01099 -827 3267 0.00852 -827 3381 0.00623 -827 3829 0.01253 -827 4130 0.01144 -827 6033 0.01571 -827 7576 0.00838 -827 7942 0.01779 -827 8550 0.00375 -827 8699 0.01664 -827 9088 0.01814 -827 9508 0.01029 -827 9531 0.01214 -826 2580 0.01549 -826 3766 0.01445 -826 3975 0.00461 -826 4639 0.01332 -826 4801 0.00854 -826 5189 0.01299 -826 5271 0.01095 -826 5304 0.00629 -826 7211 0.01679 -826 7352 0.01457 -826 8695 0.01987 -826 9895 0.01444 -826 9975 0.00400 -825 1313 0.01455 -825 3907 0.01282 -825 4343 0.01390 -825 5538 0.01269 -825 5827 0.01292 -825 5872 0.01627 -825 6619 0.01161 -825 6781 0.00755 -825 7208 0.01253 -825 7922 0.01736 -824 1026 0.01238 -824 3791 0.01694 -824 3871 0.00368 -824 3984 0.01306 -824 4355 0.01961 -824 4729 0.01399 -824 5465 0.01381 -824 6107 0.01527 -824 6702 0.01500 -824 7078 0.00972 -824 8301 0.01625 -824 9230 0.01329 -824 9425 0.01813 -824 9457 0.01688 -823 2553 0.01813 -823 2974 0.01464 -823 4540 0.01970 -823 5268 0.00987 -823 7312 0.01226 -823 7771 0.01681 -823 8205 0.00548 -823 9119 0.01915 -823 9203 0.01941 -822 1388 0.00837 -822 1467 0.01289 -822 1738 0.00656 -822 3130 0.01543 -822 3987 0.00154 -822 5250 0.01733 -822 6265 0.01836 -822 8891 0.00598 -822 9637 0.00494 -822 9977 0.01724 -821 1766 0.01134 -821 3529 0.01317 -821 4933 0.01042 -821 6001 0.01453 -821 6017 0.00537 -821 6075 0.01702 -821 6429 0.01755 -821 7185 0.01797 -821 7577 0.01575 -821 8541 0.01515 -821 8547 0.00897 -821 8770 0.01173 -821 9517 0.01784 -820 2709 0.01050 -820 3141 0.01643 -820 3541 0.00710 -820 3938 0.01964 -820 4058 0.01474 -820 5091 0.01120 -820 5103 0.01403 -820 6439 0.01836 -820 6946 0.00888 -820 7031 0.01977 -820 7102 0.01657 -820 7680 0.01099 -820 7773 0.00736 -820 8172 0.01370 -819 833 0.01157 -819 1650 0.01628 -819 1728 0.01760 -819 3466 0.01396 -819 3790 0.01676 -819 4828 0.01524 -819 5003 0.00763 -819 5090 0.00881 -819 5699 0.01725 -819 6914 0.01648 -819 7806 0.01605 -819 8231 0.01111 -819 9262 0.00769 -819 9578 0.01050 -819 9696 0.01088 -818 1494 0.00955 -818 3253 0.01528 -818 3542 0.01812 -818 4300 0.01533 -818 6204 0.01153 -818 8689 0.01321 -818 9311 0.01188 -818 9579 0.01605 -818 9788 0.01268 -817 890 0.01680 -817 1232 0.02000 -817 1358 0.01413 -817 1999 0.01994 -817 2568 0.01313 -817 2950 0.00842 -817 3191 0.01822 -817 3508 0.01687 -817 3847 0.01275 -817 5814 0.01787 -817 6171 0.01544 -817 7412 0.01555 -817 8207 0.01780 -817 8827 0.01321 -817 9414 0.01571 -816 1578 0.01079 -816 2641 0.01974 -816 3035 0.01001 -816 4220 0.01655 -816 4482 0.01784 -816 4846 0.01343 -816 6500 0.00793 -816 6604 0.01310 -816 7311 0.01747 -816 7579 0.01460 -816 8292 0.00700 -816 8398 0.01334 -816 8638 0.00255 -816 9133 0.01500 -815 1460 0.00279 -815 1504 0.01545 -815 1925 0.01303 -815 2712 0.00678 -815 5331 0.00825 -815 5337 0.00615 -815 6070 0.01936 -815 6361 0.01523 -815 6729 0.01746 -815 8479 0.01485 -815 9893 0.01525 -814 1167 0.01542 -814 1573 0.01493 -814 2373 0.01161 -814 2723 0.01499 -814 3461 0.00563 -814 3524 0.01421 -814 3891 0.01487 -814 4965 0.01944 -814 5376 0.00788 -814 5395 0.01888 -814 5657 0.01149 -814 5831 0.01427 -814 6124 0.00907 -814 6215 0.00908 -814 6360 0.01120 -814 6493 0.01785 -814 7772 0.01622 -814 9641 0.01663 -813 1043 0.00968 -813 3131 0.01647 -813 3860 0.01615 -813 4265 0.01407 -813 4513 0.01248 -813 5327 0.00653 -813 5906 0.00619 -813 5994 0.01620 -813 9275 0.01243 -813 9933 0.01063 -812 1001 0.01248 -812 1352 0.01705 -812 1519 0.01720 -812 3104 0.01386 -812 4151 0.01817 -812 5171 0.01633 -812 5283 0.00920 -812 6588 0.01850 -812 7098 0.01917 -812 7887 0.01110 -812 8318 0.00301 -812 9861 0.01793 -812 9911 0.01958 -811 983 0.01649 -811 2350 0.01835 -811 3115 0.00805 -811 3406 0.01519 -811 5510 0.01546 -811 5800 0.01582 -811 6625 0.01088 -811 7200 0.00972 -811 7445 0.00965 -811 7461 0.01651 -811 9168 0.01236 -810 2049 0.01583 -810 2067 0.01900 -810 2593 0.01512 -810 4400 0.01742 -810 5984 0.01586 -810 7223 0.01355 -810 8070 0.00969 -810 8672 0.01368 -809 1292 0.01861 -809 1655 0.01610 -809 2178 0.01574 -809 2640 0.00653 -809 2928 0.01584 -809 2989 0.01872 -809 3326 0.01333 -809 4391 0.01955 -809 4673 0.01738 -809 4903 0.01497 -809 6300 0.00678 -809 7969 0.01449 -809 8099 0.00954 -809 8692 0.01846 -809 8729 0.00421 -809 9721 0.01564 -808 1170 0.01477 -808 1190 0.01029 -808 1400 0.01464 -808 2307 0.01420 -808 2509 0.01728 -808 2596 0.00344 -808 3209 0.01180 -808 3778 0.01399 -808 4255 0.01378 -808 4932 0.01265 -808 6560 0.01328 -808 7377 0.01568 -808 8989 0.01171 -807 1033 0.01228 -807 1412 0.00818 -807 1733 0.01241 -807 2377 0.01539 -807 2414 0.01267 -807 3099 0.01733 -807 3311 0.01583 -807 3748 0.00992 -807 4141 0.01353 -807 6542 0.01239 -806 1121 0.00419 -806 1148 0.01758 -806 1464 0.01256 -806 2091 0.00974 -806 3022 0.01448 -806 3358 0.01026 -806 3689 0.01800 -806 4939 0.00572 -806 8857 0.01813 -806 9545 0.00848 -806 9944 0.00969 -805 2516 0.00831 -805 4168 0.01215 -805 5924 0.00853 -805 6205 0.01755 -805 6623 0.01946 -805 7152 0.00802 -805 7206 0.01003 -805 7216 0.01506 -805 7608 0.01355 -805 7686 0.01981 -805 8937 0.01232 -805 9109 0.01676 -804 850 0.01977 -804 4573 0.01346 -804 5556 0.00076 -804 6457 0.01591 -804 7856 0.00829 -804 8681 0.01456 -804 8928 0.01980 -804 9355 0.00658 -804 9608 0.01582 -803 2348 0.00783 -803 2543 0.01422 -803 3111 0.00513 -803 5348 0.01699 -803 5470 0.01291 -803 6827 0.01176 -803 6849 0.01479 -803 7329 0.01449 -803 7797 0.00912 -803 9608 0.01508 -802 1139 0.01998 -802 2791 0.00832 -802 3592 0.00653 -802 4974 0.00970 -802 5322 0.01496 -802 5428 0.01854 -802 8300 0.01148 -802 8912 0.01080 -802 9511 0.02000 -801 2266 0.01891 -801 2273 0.00942 -801 2843 0.01575 -801 2864 0.01992 -801 4547 0.01806 -801 6035 0.01795 -801 6756 0.01976 -801 6760 0.00648 -801 7090 0.01316 -801 7315 0.01273 -801 7410 0.01934 -801 7606 0.01455 -801 8161 0.01283 -801 8571 0.01402 -801 8601 0.01626 -801 9068 0.01969 -801 9543 0.00687 -800 2040 0.01229 -800 2400 0.01146 -800 2860 0.01522 -800 5028 0.01990 -800 5230 0.01791 -800 8489 0.01375 -799 817 0.01292 -799 890 0.01088 -799 1999 0.01063 -799 2568 0.01455 -799 3191 0.00552 -799 3508 0.01971 -799 4235 0.01742 -799 6171 0.01689 -799 7024 0.01293 -799 7412 0.00918 -799 8207 0.01628 -799 8827 0.00308 -798 1654 0.01599 -798 1899 0.01918 -798 1933 0.01845 -798 2054 0.01288 -798 3085 0.00506 -798 3911 0.00713 -798 4700 0.00653 -798 6498 0.01607 -798 6799 0.01887 -798 7283 0.01851 -798 8861 0.01893 -798 9519 0.01715 -797 1936 0.00544 -797 2876 0.01887 -797 3840 0.01162 -797 3983 0.01357 -797 5433 0.00532 -797 5707 0.01385 -797 6752 0.01735 -797 8406 0.01368 -797 8651 0.01025 -797 9741 0.01382 -796 1293 0.01930 -796 2048 0.00934 -796 2240 0.01619 -796 2246 0.00497 -796 2409 0.01467 -796 3025 0.01186 -796 3169 0.01272 -796 4341 0.01117 -796 4364 0.01197 -796 5880 0.01952 -796 6525 0.01495 -796 6952 0.01632 -796 7153 0.01670 -795 2633 0.00911 -795 5077 0.01623 -795 5718 0.01566 -795 5849 0.01611 -795 6555 0.00156 -795 7483 0.00844 -795 8190 0.01888 -794 1163 0.01565 -794 2626 0.00698 -794 2699 0.01797 -794 2707 0.00995 -794 4237 0.01014 -794 5484 0.00144 -794 6893 0.01690 -794 8026 0.01137 -794 9845 0.01617 -793 2198 0.01143 -793 2644 0.00960 -793 2823 0.00549 -793 3598 0.01711 -793 4143 0.00552 -793 4198 0.01305 -793 5380 0.01596 -793 6377 0.00322 -793 6825 0.01395 -793 8168 0.01106 -793 8260 0.01180 -793 8726 0.00790 -793 9223 0.01033 -792 2939 0.01789 -792 3899 0.01357 -792 4947 0.01119 -792 6698 0.01596 -792 7113 0.01615 -792 7209 0.01697 -792 7968 0.01364 -792 8986 0.00471 -792 9247 0.00987 -792 9250 0.01764 -792 9694 0.01524 -791 2092 0.00576 -791 3591 0.01937 -791 4577 0.00902 -791 5167 0.00270 -791 5673 0.01439 -791 6253 0.01720 -791 6552 0.01446 -791 6664 0.01246 -791 7086 0.00970 -791 8356 0.01786 -791 8629 0.01371 -791 8970 0.01667 -791 9126 0.01621 -790 1003 0.01325 -790 1058 0.01177 -790 1212 0.00272 -790 1245 0.01114 -790 1397 0.01937 -790 3386 0.01467 -790 4016 0.00452 -790 4120 0.01840 -790 4195 0.01744 -790 4297 0.01116 -790 5850 0.01460 -790 8906 0.01843 -790 9336 0.01603 -790 9479 0.01512 -789 2149 0.01903 -789 3164 0.01289 -789 3825 0.01770 -789 4834 0.01691 -789 5324 0.01149 -789 5769 0.01412 -789 6776 0.00445 -789 7770 0.01014 -789 8627 0.01716 -789 9777 0.01291 -789 9966 0.01828 -788 1004 0.00973 -788 1133 0.00359 -788 3263 0.01853 -788 3781 0.00607 -788 3994 0.01570 -788 4203 0.01618 -788 4319 0.00986 -788 4423 0.00870 -788 5638 0.01088 -788 6251 0.00745 -788 6365 0.01314 -788 6403 0.01829 -788 8370 0.01454 -788 8780 0.01393 -788 9700 0.01426 -788 9922 0.01880 -787 823 0.01937 -787 1289 0.01199 -787 1305 0.01860 -787 4540 0.01727 -787 5132 0.01865 -787 5137 0.01076 -787 5228 0.01544 -787 5419 0.01619 -787 6772 0.01219 -787 8205 0.01487 -787 8737 0.00735 -787 8765 0.01799 -787 9119 0.00963 -787 9357 0.00381 -786 828 0.01948 -786 1680 0.01294 -786 1731 0.01191 -786 2534 0.00821 -786 3053 0.01423 -786 3662 0.01322 -786 3731 0.01740 -786 7572 0.01830 -786 7590 0.01232 -786 8768 0.01903 -786 9426 0.01685 -786 9809 0.01019 -785 1036 0.00603 -785 1393 0.01629 -785 2023 0.00884 -785 2482 0.01490 -785 2695 0.01570 -785 2905 0.01117 -785 3624 0.01199 -785 4623 0.01280 -785 4750 0.01364 -785 5157 0.01064 -785 5270 0.01357 -785 5281 0.01364 -785 6318 0.01039 -785 7002 0.01321 -785 7270 0.01009 -785 8118 0.01083 -785 8898 0.01280 -785 9118 0.01891 -784 1360 0.01511 -784 2512 0.01378 -784 2911 0.01462 -784 2983 0.00762 -784 3635 0.00979 -784 5452 0.01840 -784 5917 0.00862 -784 6921 0.00929 -784 8826 0.01299 -784 8938 0.01869 -783 1721 0.01840 -783 1787 0.01876 -783 1875 0.01005 -783 2344 0.01736 -783 3262 0.01654 -783 3297 0.01572 -783 3961 0.01440 -783 5542 0.00126 -783 6755 0.01002 -783 7159 0.01615 -782 2127 0.01632 -782 2469 0.01672 -782 2837 0.01388 -782 3578 0.01912 -782 7243 0.00803 -782 7601 0.01848 -782 8135 0.01139 -782 8758 0.01102 -782 9995 0.00291 -781 1199 0.01027 -781 1214 0.01504 -781 2396 0.01887 -781 5823 0.01029 -781 7964 0.01517 -781 9495 0.01661 -780 914 0.01656 -780 2413 0.01960 -780 2757 0.01259 -780 3332 0.00652 -780 3659 0.01558 -780 3886 0.01768 -780 4414 0.01631 -780 4839 0.01709 -780 5257 0.01627 -780 6550 0.01947 -780 6582 0.01974 -780 7060 0.01588 -780 7497 0.00863 -780 7556 0.01540 -780 8339 0.01232 -780 8428 0.01587 -779 1362 0.01393 -779 2051 0.00762 -779 2142 0.01057 -779 3413 0.01871 -779 3534 0.01472 -779 3882 0.00976 -779 4810 0.00614 -779 5399 0.01020 -779 5587 0.00169 -779 6554 0.01393 -778 1568 0.00659 -778 2138 0.01499 -778 2929 0.01396 -778 3774 0.00470 -778 3775 0.01576 -778 3833 0.01863 -778 4494 0.01157 -778 5361 0.01101 -778 7699 0.01423 -778 9374 0.01189 -777 1211 0.01617 -777 1786 0.00633 -777 2201 0.01729 -777 2643 0.01307 -777 3594 0.00235 -777 3648 0.01923 -777 4488 0.01760 -777 5236 0.01398 -777 7434 0.01936 -777 7551 0.01678 -777 7685 0.01539 -777 9989 0.01654 -776 1231 0.01312 -776 3009 0.00953 -776 4051 0.01993 -776 4682 0.01840 -776 5241 0.01350 -776 6196 0.00941 -776 7901 0.01063 -776 8072 0.01774 -776 9114 0.01336 -776 9292 0.01669 -776 9554 0.01031 -775 1409 0.01681 -775 1435 0.01187 -775 2437 0.01927 -775 2853 0.00492 -775 3273 0.00879 -775 3667 0.01086 -775 3719 0.01100 -775 5562 0.01527 -775 5888 0.01250 -775 6590 0.01483 -775 6949 0.00592 -775 7161 0.01518 -775 7351 0.01934 -775 8871 0.01678 -774 1984 0.01976 -774 1992 0.00339 -774 2172 0.01783 -774 3242 0.00653 -774 3584 0.01366 -774 4521 0.01975 -774 6262 0.01403 -774 7555 0.01892 -774 7657 0.01835 -774 8296 0.00786 -774 8493 0.01660 -774 8838 0.01830 -774 9306 0.01924 -773 4594 0.01614 -773 7501 0.01007 -773 8427 0.00677 -773 8563 0.01084 -773 9221 0.01791 -773 9329 0.01437 -773 9330 0.01756 -773 9486 0.01729 -772 778 0.01240 -772 1193 0.01689 -772 1568 0.01733 -772 2313 0.01852 -772 2929 0.00812 -772 3774 0.01703 -772 4494 0.01578 -772 4640 0.01388 -772 5361 0.00381 -772 7699 0.00809 -772 9124 0.01069 -771 820 0.01179 -771 2709 0.01595 -771 3141 0.00527 -771 3541 0.01809 -771 3938 0.01734 -771 7669 0.01420 -771 7680 0.00593 -771 7773 0.01127 -771 8172 0.01577 -770 2235 0.01486 -770 2247 0.01822 -770 3188 0.01475 -770 3455 0.01919 -770 4972 0.01531 -770 5598 0.01426 -770 7398 0.00822 -770 7729 0.01551 -770 8185 0.01073 -770 8962 0.01091 -770 9059 0.01856 -770 9821 0.01124 -769 907 0.00850 -769 1263 0.01610 -769 1503 0.00701 -769 1690 0.01020 -769 2777 0.00911 -769 3320 0.01067 -769 6030 0.01448 -769 7959 0.01789 -768 1192 0.01731 -768 1730 0.00252 -768 1941 0.01379 -768 2061 0.01939 -768 5417 0.00966 -768 6540 0.01280 -768 6754 0.01857 -768 7842 0.01627 -768 8395 0.00695 -768 8507 0.01282 -768 9196 0.00347 -768 9940 0.01297 -767 2079 0.01358 -767 2418 0.00929 -767 2729 0.00976 -767 3746 0.00262 -767 3962 0.01997 -767 4106 0.01040 -767 4855 0.00095 -767 4938 0.01418 -767 6046 0.01683 -767 6395 0.01068 -767 6399 0.01666 -767 6673 0.01564 -767 7756 0.01735 -767 7802 0.01323 -767 7920 0.01288 -767 9493 0.00540 -767 9553 0.01692 -766 889 0.00488 -766 2164 0.01137 -766 2454 0.01806 -766 3073 0.01247 -766 3108 0.01934 -766 3705 0.01895 -766 3858 0.00403 -766 4108 0.01196 -766 6103 0.01419 -766 9286 0.01899 -765 1062 0.01261 -765 1373 0.01856 -765 1908 0.01283 -765 2830 0.01146 -765 3913 0.00903 -765 9707 0.01154 -764 780 0.01058 -764 2413 0.01847 -764 3332 0.00464 -764 3659 0.01842 -764 3886 0.00967 -764 6550 0.00965 -764 6582 0.01954 -764 7464 0.01065 -764 7497 0.01379 -764 7556 0.00482 -764 8339 0.01952 -764 9906 0.01419 -763 1017 0.01909 -763 3761 0.00675 -763 3826 0.00668 -763 4402 0.00837 -763 4561 0.01962 -763 4840 0.01128 -763 5415 0.01412 -763 5785 0.01898 -763 6783 0.01873 -763 7356 0.01305 -763 7388 0.00769 -763 8439 0.01729 -762 980 0.00076 -762 1681 0.00456 -762 2747 0.00084 -762 3780 0.00505 -762 4011 0.01811 -762 4114 0.02000 -762 4378 0.01616 -762 5691 0.01295 -762 6317 0.01036 -762 6724 0.01826 -762 7221 0.01848 -762 7809 0.01113 -762 7861 0.00267 -762 8248 0.01866 -762 9909 0.01068 -761 961 0.01221 -761 1087 0.01390 -761 1720 0.01957 -761 1919 0.00860 -761 2918 0.01513 -761 3012 0.00800 -761 3020 0.01339 -761 4241 0.01773 -761 4551 0.01364 -761 4678 0.00263 -761 5269 0.01788 -761 5333 0.01853 -761 6509 0.01902 -761 8321 0.01595 -761 9884 0.01842 -760 1234 0.01749 -760 1374 0.01705 -760 2338 0.00587 -760 3880 0.01749 -760 4219 0.01129 -760 5402 0.01887 -760 5966 0.01727 -760 6376 0.00849 -760 8203 0.00764 -760 8705 0.00781 -759 819 0.01788 -759 1650 0.00300 -759 1937 0.01141 -759 2073 0.01825 -759 2494 0.01530 -759 3466 0.01160 -759 3790 0.00503 -759 4472 0.01762 -759 4611 0.01565 -759 5090 0.00921 -759 5423 0.01774 -759 5437 0.01890 -759 6914 0.00675 -759 7806 0.01166 -759 8141 0.01899 -759 8291 0.00998 -759 9262 0.01106 -759 9696 0.01176 -758 857 0.00463 -758 865 0.01961 -758 1976 0.00286 -758 2912 0.00715 -758 3942 0.00980 -758 4257 0.01803 -758 4277 0.01507 -758 5982 0.01920 -758 7715 0.01545 -757 873 0.01872 -757 1289 0.01543 -757 1305 0.01195 -757 1370 0.01530 -757 1892 0.00363 -757 2155 0.01993 -757 4111 0.01791 -757 4540 0.01479 -757 4830 0.00509 -757 5137 0.01732 -757 5544 0.00510 -757 5790 0.01818 -757 9119 0.01357 -757 9357 0.01670 -756 1845 0.01798 -756 3407 0.01919 -756 4294 0.00475 -756 4892 0.00448 -756 6922 0.01381 -756 7894 0.01320 -756 8280 0.01454 -756 8389 0.01614 -756 9539 0.01096 -756 9630 0.00904 -756 9751 0.01172 -756 9859 0.01702 -755 2233 0.01979 -755 2275 0.00583 -755 6053 0.01954 -755 6183 0.01821 -755 7178 0.01330 -755 8238 0.00608 -755 8657 0.00564 -755 9047 0.01664 -755 9070 0.00686 -755 9075 0.00919 -755 9599 0.01666 -755 9919 0.01523 -754 937 0.00233 -754 1887 0.01978 -754 2835 0.01103 -754 3026 0.01930 -754 3093 0.00810 -754 3585 0.01939 -754 3681 0.01546 -754 5432 0.01973 -754 5575 0.01973 -754 6687 0.00463 -754 7616 0.01501 -754 9368 0.01720 -753 844 0.01853 -753 1022 0.01374 -753 1320 0.00518 -753 1421 0.01380 -753 2302 0.01900 -753 2559 0.01978 -753 3500 0.01071 -753 4704 0.01672 -753 5163 0.01773 -753 5348 0.01644 -753 5470 0.01942 -753 6827 0.01954 -753 7027 0.01343 -753 7614 0.00626 -753 9473 0.01971 -752 825 0.01349 -752 1228 0.02000 -752 1313 0.00455 -752 1468 0.01750 -752 1886 0.01240 -752 3118 0.01748 -752 3198 0.00936 -752 3907 0.00864 -752 4343 0.00949 -752 4647 0.01924 -752 5872 0.01068 -752 6619 0.00541 -752 7922 0.00406 -752 9052 0.00897 -751 943 0.01471 -751 1403 0.01277 -751 2085 0.01424 -751 4625 0.01559 -751 5434 0.01163 -751 5535 0.01267 -751 6200 0.01906 -751 6474 0.01242 -751 6497 0.01973 -751 8787 0.00782 -751 9189 0.00919 -751 9345 0.01826 -751 9507 0.01465 -750 2015 0.01433 -750 2295 0.01813 -750 4948 0.01373 -750 5841 0.00750 -750 7217 0.01989 -750 7798 0.01231 -750 8742 0.01570 -750 9774 0.01923 -749 885 0.01849 -749 2861 0.01354 -749 4131 0.01366 -749 4311 0.01604 -749 6197 0.01745 -749 6247 0.01159 -749 6981 0.01118 -749 7378 0.01741 -749 7391 0.00469 -749 8217 0.01621 -749 8829 0.01904 -749 9026 0.01350 -749 9634 0.01835 -748 1268 0.01084 -748 1658 0.01126 -748 2034 0.00443 -748 2451 0.00927 -748 2484 0.01885 -748 5952 0.01866 -748 6409 0.01968 -748 8338 0.01580 -747 872 0.01342 -747 2146 0.01156 -747 2295 0.01869 -747 2892 0.01797 -747 3720 0.00695 -747 4227 0.00456 -747 4690 0.00594 -747 6110 0.00861 -747 6252 0.01524 -747 6831 0.01020 -747 7449 0.01852 -747 7909 0.01887 -747 8382 0.01815 -747 9090 0.00509 -746 1633 0.01679 -746 2597 0.01561 -746 2944 0.01107 -746 3414 0.01248 -746 5589 0.01976 -746 6578 0.01638 -746 6813 0.01977 -746 7174 0.00570 -746 8170 0.01910 -746 9824 0.01126 -746 9852 0.00492 -745 792 0.01202 -745 2237 0.01260 -745 2939 0.01584 -745 3899 0.01209 -745 4387 0.01696 -745 5246 0.01617 -745 5927 0.01352 -745 8577 0.01641 -745 8986 0.01222 -745 9247 0.00885 -745 9250 0.01636 -745 9706 0.01460 -745 9807 0.01421 -744 1078 0.01675 -744 1589 0.01898 -744 2442 0.01045 -744 4047 0.01985 -744 4234 0.01741 -744 4719 0.00061 -744 5192 0.01932 -744 6142 0.01587 -744 8315 0.01568 -744 8379 0.01718 -744 8411 0.01761 -744 8800 0.01981 -744 9616 0.01165 -744 9702 0.01159 -743 990 0.00772 -743 1295 0.00677 -743 3380 0.01756 -743 5041 0.01285 -743 5621 0.01828 -743 6766 0.01209 -743 9511 0.01122 -742 1247 0.00905 -742 1861 0.00680 -742 2108 0.00295 -742 2498 0.00878 -742 2877 0.01375 -742 2923 0.01773 -742 3214 0.01750 -742 4406 0.01133 -742 6015 0.01477 -742 6527 0.01083 -742 7568 0.01628 -742 8872 0.01880 -742 9335 0.01226 -741 2104 0.01505 -741 2634 0.01398 -741 2654 0.00365 -741 4030 0.01994 -741 4174 0.01696 -741 4180 0.00889 -741 6413 0.00670 -741 7198 0.01209 -741 7666 0.01724 -741 8024 0.00914 -741 8597 0.00330 -741 9878 0.01847 -740 792 0.01455 -740 1117 0.01444 -740 1577 0.01813 -740 1605 0.01248 -740 3208 0.01223 -740 4438 0.01630 -740 4947 0.01796 -740 5914 0.01298 -740 6698 0.00418 -740 7113 0.00298 -740 7209 0.00797 -740 7968 0.00095 -740 8986 0.01842 -740 9207 0.01814 -740 9247 0.01790 -740 9250 0.01974 -740 9309 0.01926 -740 9694 0.01026 -739 1283 0.01009 -739 1492 0.01242 -739 1517 0.00971 -739 2144 0.01171 -739 3221 0.01303 -739 3538 0.01937 -739 3923 0.01884 -739 4197 0.01241 -739 5215 0.00430 -739 6990 0.01860 -739 8104 0.01781 -739 8866 0.01750 -738 1219 0.00567 -738 2174 0.01566 -738 2399 0.00669 -738 5240 0.00172 -738 5885 0.00739 -738 6346 0.01685 -738 7557 0.00998 -738 8552 0.01647 -738 8694 0.00418 -738 8784 0.01213 -738 8870 0.01671 -738 9260 0.01171 -737 1477 0.01281 -737 3148 0.00672 -737 4484 0.00694 -737 5272 0.01088 -737 5889 0.01926 -737 6297 0.01907 -737 6329 0.00140 -737 6720 0.01928 -737 8022 0.01648 -737 8539 0.01281 -737 8677 0.00803 -737 9132 0.01643 -737 9566 0.00884 -737 9873 0.01879 -736 1587 0.01411 -736 2313 0.01085 -736 2623 0.01708 -736 2788 0.01064 -736 2920 0.01942 -736 3393 0.00935 -736 3417 0.00813 -736 3533 0.01575 -736 4563 0.01648 -736 4640 0.01538 -736 4838 0.01649 -736 5363 0.01733 -736 6784 0.00295 -736 7649 0.01440 -736 7767 0.01293 -736 8753 0.00382 -735 1096 0.01497 -735 3366 0.01675 -735 3864 0.01541 -735 3865 0.00491 -735 5939 0.00878 -735 6910 0.01989 -735 7107 0.01589 -735 7386 0.01168 -735 7784 0.01366 -735 7844 0.01062 -734 2746 0.01063 -734 3561 0.01351 -734 5120 0.01582 -734 7181 0.01928 -734 7569 0.01883 -734 7793 0.00829 -734 9776 0.01897 -734 9974 0.01474 -733 904 0.01659 -733 2101 0.01955 -733 2334 0.00293 -733 2537 0.01392 -733 6216 0.01769 -733 7364 0.00723 -733 7833 0.01629 -733 8005 0.01516 -733 8658 0.00985 -733 8693 0.01277 -733 9876 0.01946 -732 1342 0.01092 -732 1383 0.00892 -732 1713 0.01296 -732 1767 0.01974 -732 1857 0.01524 -732 3224 0.00139 -732 3349 0.01955 -732 4134 0.00202 -732 4192 0.00466 -732 4568 0.01498 -732 5194 0.01433 -732 6428 0.00974 -732 6510 0.01723 -732 9022 0.01556 -731 2645 0.00527 -731 3504 0.00510 -731 3586 0.01031 -731 4309 0.01173 -731 4503 0.01707 -731 5094 0.01952 -731 6514 0.01552 -731 8769 0.00684 -731 8847 0.01017 -731 9672 0.00596 -730 1230 0.01152 -730 5160 0.01138 -730 7757 0.01798 -730 8649 0.00375 -730 8958 0.01450 -730 9269 0.01750 -729 1414 0.01072 -729 2303 0.01346 -729 2445 0.01303 -729 2562 0.01584 -729 2681 0.01645 -729 3430 0.00855 -729 3888 0.00624 -729 3927 0.00487 -729 4590 0.01049 -729 4936 0.01483 -729 5388 0.01785 -729 5895 0.01154 -729 7191 0.00852 -729 8328 0.01089 -729 9990 0.01261 -728 1128 0.00953 -728 3168 0.00980 -728 3291 0.00678 -728 5208 0.00556 -728 5594 0.01188 -728 5709 0.01936 -728 5742 0.01958 -728 6732 0.01203 -728 7938 0.01336 -728 8463 0.01652 -727 780 0.01420 -727 2413 0.01988 -727 2569 0.01289 -727 2757 0.01059 -727 3285 0.01914 -727 3659 0.01281 -727 4078 0.01233 -727 4414 0.00212 -727 4839 0.01079 -727 6487 0.00899 -727 7242 0.01051 -727 8428 0.00912 -726 923 0.01760 -726 1572 0.01496 -726 2069 0.00723 -726 3217 0.00639 -726 5523 0.01290 -726 5595 0.00556 -726 6335 0.00926 -726 7668 0.01663 -726 8643 0.01258 -726 9314 0.01669 -726 9540 0.01596 -726 9615 0.01955 -725 1588 0.00357 -725 2625 0.01982 -725 2862 0.01763 -725 3241 0.01814 -725 4741 0.01344 -725 5858 0.01954 -725 8095 0.01665 -725 8251 0.00894 -725 9547 0.01534 -724 745 0.01406 -724 2197 0.01539 -724 2237 0.01772 -724 2656 0.01173 -724 3899 0.01688 -724 5246 0.00626 -724 5927 0.01402 -724 7564 0.01049 -724 7665 0.01131 -724 7924 0.01137 -724 7988 0.01507 -724 8577 0.00240 -724 9263 0.01030 -724 9706 0.00099 -724 9807 0.01605 -723 757 0.00959 -723 1574 0.01603 -723 1892 0.01131 -723 2155 0.01779 -723 2974 0.01744 -723 4191 0.01669 -723 4540 0.00728 -723 4830 0.01167 -723 5544 0.00981 -723 5790 0.00890 -723 9119 0.01156 -723 9357 0.01886 -722 988 0.01886 -722 1037 0.00862 -722 1307 0.00734 -722 1613 0.00327 -722 2807 0.00943 -722 3951 0.00933 -722 4949 0.01872 -722 5106 0.00770 -722 6138 0.01557 -722 7492 0.01497 -722 9423 0.00789 -722 9513 0.01617 -722 9958 0.01326 -721 1310 0.01591 -721 1438 0.00989 -721 2733 0.01630 -721 3138 0.01125 -721 3587 0.01384 -721 3740 0.00517 -721 5749 0.01774 -721 6548 0.01695 -721 8472 0.01970 -720 1033 0.01385 -720 1885 0.01696 -720 2047 0.01138 -720 2414 0.01100 -720 3523 0.00567 -720 3748 0.01931 -720 4141 0.01736 -720 5566 0.00966 -720 5739 0.01102 -720 5990 0.01936 -720 6521 0.01520 -720 6542 0.01153 -720 9773 0.01030 -719 1264 0.01809 -719 3036 0.01778 -719 4526 0.01986 -719 4784 0.01539 -719 4805 0.01916 -719 4859 0.01712 -719 5893 0.00922 -719 6410 0.00538 -719 7372 0.01032 -719 7494 0.01687 -719 9402 0.00677 -719 9906 0.01829 -718 1238 0.01586 -718 1551 0.00853 -718 1821 0.01830 -718 2476 0.00873 -718 2597 0.01903 -718 6275 0.01733 -718 6578 0.01889 -718 7130 0.01911 -718 8394 0.01892 -718 9732 0.00587 -717 1066 0.01558 -717 2453 0.00810 -717 5904 0.00996 -717 5912 0.01970 -717 6970 0.00548 -717 7070 0.01326 -717 7173 0.01634 -717 7425 0.01929 -717 8121 0.01220 -717 9972 0.00842 -716 1225 0.01781 -716 1344 0.01923 -716 2009 0.01110 -716 2278 0.01179 -716 3023 0.01928 -716 3429 0.01969 -716 3818 0.01787 -716 5013 0.01806 -716 5307 0.00964 -716 6198 0.01783 -716 6415 0.01341 -716 8725 0.00863 -716 8859 0.00308 -716 9544 0.01589 -715 1810 0.01745 -715 2013 0.01037 -715 2621 0.01666 -715 3166 0.00788 -715 6788 0.00876 -715 6789 0.01986 -715 7526 0.01467 -715 7916 0.01641 -715 8013 0.01759 -715 8401 0.01715 -714 855 0.01902 -714 2434 0.00741 -714 2752 0.01972 -714 2852 0.01819 -714 3156 0.00755 -714 5661 0.00543 -714 8198 0.01252 -714 9117 0.00151 -713 747 0.00580 -713 872 0.01760 -713 2015 0.01764 -713 2146 0.00966 -713 2295 0.01433 -713 3720 0.01253 -713 4227 0.00575 -713 4690 0.00385 -713 5841 0.01687 -713 6110 0.00650 -713 6252 0.01510 -713 6831 0.01219 -713 9090 0.01089 -712 764 0.01104 -712 780 0.01293 -712 914 0.01714 -712 1203 0.01903 -712 3332 0.00890 -712 5257 0.01134 -712 6550 0.01266 -712 6582 0.00851 -712 6839 0.01300 -712 7060 0.01768 -712 7464 0.01909 -712 7497 0.00785 -712 7556 0.01347 -712 7805 0.01786 -712 8339 0.01298 -711 817 0.00733 -711 1358 0.00680 -711 2568 0.01641 -711 2950 0.00172 -711 3508 0.01830 -711 3747 0.01938 -711 3847 0.01082 -711 5068 0.01930 -711 5814 0.01159 -711 6171 0.01985 -711 9414 0.01384 -710 1018 0.01177 -710 1229 0.00745 -710 1234 0.01081 -710 1404 0.01537 -710 2338 0.01873 -710 8924 0.01402 -709 1049 0.01569 -709 2590 0.00465 -709 3468 0.01287 -709 4953 0.01929 -709 5982 0.01431 -709 6270 0.01291 -709 6659 0.01722 -709 6919 0.00919 -709 7256 0.00911 -709 7289 0.01649 -709 7597 0.01749 -709 9045 0.00831 -709 9072 0.01409 -708 2655 0.01420 -708 3470 0.01899 -708 3556 0.01035 -708 4236 0.00633 -708 4787 0.01172 -708 6236 0.01895 -708 6571 0.01269 -708 7074 0.01311 -708 7366 0.01476 -708 7876 0.00589 -708 8056 0.01511 -708 8214 0.00903 -708 8997 0.00928 -708 9621 0.01305 -708 9643 0.01684 -708 9949 0.00385 -707 1129 0.01440 -707 1697 0.01359 -707 1783 0.01877 -707 2376 0.01247 -707 5290 0.01601 -707 7384 0.01865 -707 7459 0.01475 -707 8220 0.01404 -707 8715 0.01205 -707 8811 0.00782 -707 9656 0.01436 -706 1208 0.01167 -706 3112 0.01920 -706 5170 0.01162 -706 5196 0.01941 -706 5424 0.01284 -706 6259 0.01352 -706 6665 0.01810 -706 7097 0.00607 -706 8744 0.00724 -706 8836 0.00670 -706 8897 0.01743 -706 8961 0.01795 -706 9267 0.01602 -705 1103 0.01629 -705 1312 0.00626 -705 1556 0.01626 -705 2070 0.01164 -705 3116 0.00555 -705 3137 0.00391 -705 4460 0.01704 -705 5473 0.01729 -705 6764 0.01888 -705 7610 0.00668 -705 8783 0.01027 -705 9205 0.00627 -705 9704 0.01203 -705 9928 0.01627 -704 936 0.01369 -704 1692 0.01559 -704 2315 0.01903 -704 3266 0.01633 -704 3629 0.01245 -704 3794 0.01987 -704 4996 0.01955 -704 5105 0.00861 -704 6179 0.01509 -704 6211 0.00979 -704 6638 0.00605 -704 7367 0.01837 -704 7438 0.01738 -704 8286 0.01284 -704 8362 0.01392 -704 9050 0.01296 -704 9095 0.01276 -704 9676 0.00687 -703 1689 0.01936 -703 2993 0.01231 -703 3403 0.01137 -703 4090 0.01812 -703 4617 0.01375 -703 4706 0.01025 -703 5362 0.00298 -703 7468 0.01932 -703 8936 0.01213 -703 9652 0.01821 -703 9657 0.00838 -703 9917 0.01684 -702 1636 0.01384 -702 6075 0.01309 -702 6945 0.00280 -702 7043 0.00987 -702 7577 0.01749 -702 8675 0.01992 -702 8738 0.01174 -702 9344 0.01187 -702 9517 0.01241 -701 1258 0.01162 -701 1322 0.01894 -701 2350 0.01715 -701 4447 0.01639 -701 4644 0.00695 -701 5510 0.01136 -701 6374 0.01691 -701 6903 0.01220 -701 7439 0.00599 -701 9523 0.00533 -701 9613 0.00440 -700 1235 0.01650 -700 2340 0.01758 -700 3666 0.01530 -700 4040 0.01197 -700 4082 0.01684 -700 4752 0.01939 -700 8410 0.01144 -700 8754 0.01831 -700 8760 0.00492 -699 1480 0.01941 -699 2678 0.01694 -699 3724 0.01671 -699 4041 0.01836 -699 4244 0.00695 -699 4702 0.01847 -699 5003 0.01914 -699 5437 0.01632 -699 6914 0.01892 -699 7696 0.01601 -699 8436 0.01306 -699 9595 0.01805 -698 1861 0.01757 -698 1928 0.00638 -698 2310 0.01320 -698 4015 0.01778 -698 4410 0.00509 -698 5042 0.01250 -698 5953 0.00460 -698 6416 0.01433 -698 8277 0.00467 -698 8525 0.01744 -698 9701 0.01739 -697 1480 0.01983 -697 2337 0.01905 -697 2801 0.01726 -697 3568 0.00985 -697 3872 0.00997 -697 4337 0.00489 -697 5462 0.01039 -697 5779 0.00872 -697 6334 0.01004 -697 7304 0.01416 -697 7430 0.01382 -697 7465 0.01800 -696 752 0.01369 -696 825 0.01123 -696 1313 0.01753 -696 1468 0.01254 -696 2428 0.01942 -696 3907 0.00607 -696 5370 0.01925 -696 5429 0.01868 -696 5538 0.01059 -696 6619 0.00840 -696 6781 0.01712 -696 7208 0.01635 -696 7922 0.01737 -696 8068 0.01690 -696 9052 0.01864 -695 1186 0.01407 -695 5728 0.00528 -695 5955 0.01925 -695 6369 0.01595 -695 6802 0.00987 -695 7281 0.01774 -695 7931 0.00848 -695 7981 0.01386 -695 8001 0.01956 -695 8186 0.01145 -695 8531 0.00459 -695 9227 0.01884 -694 1221 0.01358 -694 1541 0.01561 -694 2285 0.01812 -694 2684 0.00811 -694 2990 0.00458 -694 4427 0.01356 -694 4464 0.01882 -694 4546 0.00466 -694 6000 0.01042 -694 8826 0.01650 -694 9199 0.01320 -693 1595 0.01878 -693 1691 0.01607 -693 1804 0.01932 -693 3240 0.00943 -693 3343 0.00856 -693 5306 0.01948 -693 6593 0.01400 -693 6746 0.01904 -693 7100 0.01843 -693 7189 0.01976 -693 8273 0.01873 -693 9000 0.01466 -693 9166 0.01734 -692 860 0.00695 -692 1811 0.01733 -692 1830 0.01983 -692 2401 0.01322 -692 3732 0.00892 -692 4090 0.01377 -692 4190 0.01595 -692 4975 0.01685 -692 8142 0.01264 -692 8216 0.01685 -691 1136 0.01702 -691 1270 0.01029 -691 2257 0.01154 -691 3125 0.01473 -691 5374 0.01484 -691 5398 0.01809 -691 5863 0.01643 -691 6203 0.00768 -691 6246 0.00204 -691 7071 0.01900 -691 7787 0.01179 -691 9385 0.00750 -691 9569 0.00829 -690 1684 0.01835 -690 2185 0.01805 -690 4154 0.01999 -690 5807 0.01663 -690 5829 0.01336 -690 7048 0.01478 -690 7053 0.00951 -690 7452 0.01684 -690 7664 0.00801 -690 9817 0.01534 -689 2424 0.00999 -689 2824 0.00525 -689 5295 0.01001 -689 5332 0.01846 -689 5942 0.01905 -689 5946 0.01405 -689 7237 0.00898 -689 7538 0.00906 -689 7829 0.01148 -689 8749 0.01681 -689 8831 0.01624 -689 9148 0.01209 -689 9225 0.01919 -688 1167 0.01637 -688 1403 0.01776 -688 1488 0.01709 -688 2078 0.00764 -688 3102 0.01296 -688 3335 0.00869 -688 3524 0.01909 -688 3691 0.01908 -688 4395 0.01302 -688 4536 0.01612 -688 5791 0.01486 -688 6072 0.01005 -688 7305 0.00968 -688 7926 0.01595 -688 8700 0.01629 -688 8801 0.01029 -688 9445 0.01440 -688 9626 0.00889 -688 9641 0.01835 -688 9749 0.01090 -687 765 0.01616 -687 1373 0.01547 -686 1834 0.00211 -686 2011 0.01049 -686 2097 0.01355 -686 2249 0.01322 -686 2933 0.01179 -686 3281 0.01781 -686 5865 0.01417 -686 7724 0.01218 -686 7733 0.01567 -686 7815 0.01945 -686 8523 0.00931 -686 8593 0.01870 -686 9084 0.01792 -686 9853 0.01839 -685 1068 0.01307 -685 1095 0.01797 -685 1522 0.01439 -685 1685 0.01227 -685 2039 0.01620 -685 3172 0.01919 -685 3193 0.01205 -685 3676 0.01402 -685 6298 0.01016 -685 8017 0.01203 -685 8052 0.00298 -685 8728 0.01703 -685 8736 0.01735 -685 9175 0.01917 -685 9309 0.01953 -685 9618 0.01921 -685 9858 0.00458 -684 1059 0.01123 -684 1766 0.01108 -684 1967 0.01508 -684 3375 0.01511 -684 3640 0.00829 -684 5354 0.01862 -684 6429 0.01808 -683 1750 0.00834 -683 3555 0.01571 -683 3610 0.01472 -683 5016 0.00334 -683 5506 0.01345 -683 6059 0.01321 -683 6841 0.01632 -683 7158 0.01634 -683 9716 0.01889 -682 1317 0.01787 -682 2503 0.01935 -682 3201 0.01155 -682 3496 0.01562 -682 5272 0.01663 -682 5624 0.00476 -682 5889 0.01131 -682 6297 0.01014 -682 7710 0.01575 -682 8022 0.01082 -681 744 0.01202 -681 1476 0.01143 -681 1589 0.01126 -681 2063 0.01822 -681 2442 0.01236 -681 4719 0.01148 -681 5632 0.01814 -681 8315 0.01939 -681 8379 0.00517 -681 8411 0.00779 -681 9616 0.01400 -681 9702 0.01711 -680 1055 0.01227 -680 1094 0.01969 -680 1337 0.00936 -680 1339 0.01605 -680 1968 0.01593 -680 3773 0.01899 -680 4383 0.00903 -680 4543 0.01878 -680 5287 0.01761 -680 5412 0.01742 -680 6136 0.01332 -680 6572 0.01269 -680 7584 0.00835 -680 7615 0.00837 -680 7961 0.01240 -680 9887 0.00453 -679 2171 0.01588 -679 2293 0.01883 -679 2601 0.01686 -679 2775 0.01949 -679 3069 0.01432 -679 3129 0.01674 -679 3703 0.01592 -679 4171 0.00789 -679 4292 0.01080 -679 4537 0.01843 -679 4941 0.01644 -679 5129 0.01879 -679 6208 0.01728 -679 6422 0.01653 -679 7717 0.00816 -679 8495 0.01572 -678 2097 0.01312 -678 2933 0.01536 -678 4993 0.01076 -678 6217 0.00751 -678 6854 0.01338 -678 7523 0.00455 -678 7733 0.01186 -678 7815 0.01222 -678 8158 0.01436 -678 8505 0.01972 -678 8523 0.01668 -678 8593 0.01463 -678 9325 0.00678 -677 1180 0.01982 -677 3483 0.01321 -677 4594 0.01152 -677 4793 0.00519 -677 5113 0.01235 -677 5261 0.01736 -677 6032 0.01461 -677 6066 0.00081 -677 8956 0.01486 -677 8994 0.01494 -677 9221 0.01107 -677 9614 0.01824 -676 806 0.01854 -676 1090 0.01960 -676 1464 0.01200 -676 2091 0.01289 -676 3066 0.00353 -676 3358 0.00936 -676 8762 0.01468 -676 9545 0.01190 -675 880 0.01886 -675 2421 0.00434 -675 3231 0.01785 -675 3638 0.00895 -675 3714 0.01450 -675 3848 0.01901 -675 3851 0.01965 -675 4199 0.00736 -675 4221 0.01337 -675 4821 0.01725 -675 5998 0.01414 -675 6193 0.01596 -675 6469 0.01332 -675 6950 0.00945 -675 7184 0.01825 -675 7592 0.00714 -675 7605 0.01728 -675 7839 0.01610 -675 9208 0.01581 -674 787 0.01556 -674 1083 0.00885 -674 1289 0.01823 -674 2360 0.01075 -674 5132 0.00342 -674 5137 0.01599 -674 5228 0.00075 -674 5419 0.00710 -674 6772 0.00489 -674 8737 0.01035 -674 8765 0.01118 -674 9093 0.00627 -674 9357 0.01704 -673 2890 0.01001 -673 4651 0.01629 -673 5001 0.01663 -673 5311 0.01553 -673 5410 0.01771 -673 5869 0.00678 -673 5886 0.00940 -673 6178 0.01151 -673 6310 0.01791 -673 7373 0.01842 -673 7505 0.01172 -673 8091 0.01532 -673 8311 0.00522 -673 8481 0.00499 -673 9747 0.01793 -672 730 0.01207 -672 5988 0.01608 -672 6111 0.01793 -672 6231 0.01219 -672 6721 0.01750 -672 6973 0.01858 -672 8649 0.01034 -671 1759 0.01497 -671 2196 0.01637 -671 4020 0.01342 -671 4150 0.01149 -671 4791 0.00365 -671 5959 0.01969 -671 6425 0.01081 -671 6628 0.01975 -671 7704 0.01272 -671 8316 0.00933 -671 8581 0.01488 -671 9011 0.00960 -671 9624 0.01631 -670 2026 0.00619 -670 2602 0.01085 -670 2629 0.01140 -670 3251 0.01000 -670 3793 0.01558 -670 4868 0.01488 -670 5507 0.00509 -670 5945 0.01739 -670 6495 0.00253 -670 6674 0.00597 -670 6951 0.01854 -670 7172 0.00963 -670 8054 0.01232 -670 9728 0.01836 -669 2814 0.00575 -669 4759 0.01605 -669 6326 0.01908 -669 7083 0.00731 -669 7559 0.00590 -669 8599 0.01667 -669 9935 0.01248 -668 1371 0.01221 -668 1688 0.01819 -668 2600 0.01385 -668 2893 0.01396 -668 5408 0.01497 -668 5978 0.01936 -668 6163 0.01859 -668 6543 0.01944 -668 6985 0.01783 -668 7044 0.00666 -668 7807 0.01569 -668 8096 0.01187 -668 8385 0.01871 -668 8620 0.01425 -668 9743 0.00813 -668 9786 0.01919 -667 675 0.00970 -667 2421 0.00999 -667 2728 0.01671 -667 3638 0.00108 -667 3848 0.01471 -667 4199 0.00454 -667 4821 0.00840 -667 6950 0.00701 -667 7184 0.00876 -667 7592 0.01635 -667 7605 0.01465 -667 8846 0.01804 -667 9208 0.01361 -667 9775 0.01797 -666 1175 0.01746 -666 1823 0.01601 -666 3450 0.01537 -666 3507 0.00886 -666 4060 0.01424 -666 4445 0.00944 -666 4737 0.01787 -666 4745 0.01337 -666 6822 0.01828 -666 7045 0.01002 -666 7381 0.01216 -666 8222 0.01775 -666 8860 0.01705 -666 9411 0.01119 -665 1278 0.01896 -665 2335 0.01397 -665 2954 0.00706 -665 4026 0.01024 -665 5430 0.01733 -665 5828 0.01623 -665 6034 0.00911 -665 6341 0.01775 -665 8028 0.01260 -665 8932 0.01420 -664 1614 0.01430 -664 1758 0.01605 -664 1901 0.00643 -664 3902 0.00779 -664 4042 0.01897 -664 5076 0.01139 -663 762 0.00352 -663 980 0.00289 -663 1681 0.00565 -663 2747 0.00392 -663 3780 0.00178 -663 4011 0.01466 -663 4378 0.01940 -663 5691 0.01601 -663 5818 0.01909 -663 6317 0.01320 -663 7221 0.01541 -663 7809 0.01259 -663 7861 0.00258 -663 9909 0.00790 -662 954 0.00831 -662 2683 0.01755 -662 4357 0.00842 -662 7645 0.01698 -662 8392 0.01867 -662 8617 0.00665 -662 8761 0.01168 -662 9105 0.00865 -661 2806 0.01057 -661 4388 0.01699 -661 5509 0.01790 -661 6453 0.01321 -661 6793 0.00826 -661 7132 0.00587 -661 7437 0.01806 -661 8072 0.01835 -661 8469 0.01156 -661 9266 0.01792 -661 9283 0.01575 -661 9677 0.00889 -660 2732 0.01489 -660 3153 0.01573 -660 3756 0.00867 -660 4145 0.01783 -660 4857 0.01988 -660 8354 0.00774 -660 9633 0.01721 -659 1662 0.00953 -659 2603 0.01586 -659 3350 0.01816 -659 4064 0.01590 -659 5180 0.01513 -659 6488 0.01617 -659 6770 0.01404 -659 6889 0.00592 -659 7732 0.01464 -659 8653 0.00942 -658 1315 0.01193 -658 1535 0.01625 -658 1744 0.01670 -658 2093 0.01857 -658 5603 0.00494 -658 6285 0.01872 -658 6507 0.01487 -658 6933 0.01353 -658 7370 0.00304 -658 8010 0.00363 -658 8264 0.01267 -658 9194 0.01399 -658 9315 0.00829 -658 9427 0.00741 -657 994 0.01799 -657 1070 0.01223 -657 2489 0.01948 -657 2828 0.01959 -657 5169 0.00705 -657 5394 0.00721 -657 6489 0.01343 -657 7998 0.01840 -657 8007 0.01021 -657 9813 0.01428 -656 3132 0.00631 -656 4556 0.01233 -656 4631 0.01735 -656 4689 0.00451 -656 4848 0.01762 -656 4858 0.01049 -656 5184 0.01433 -656 5774 0.00943 -656 5863 0.01439 -656 6060 0.01311 -656 6221 0.01660 -656 9458 0.01960 -656 9923 0.00640 -655 1969 0.01359 -655 2403 0.01096 -655 3456 0.00861 -655 4535 0.01420 -655 4567 0.01838 -655 4822 0.00247 -655 5008 0.01179 -655 5234 0.01736 -655 5300 0.01816 -655 5404 0.01779 -655 7224 0.01980 -655 7462 0.01067 -655 8714 0.01569 -655 9210 0.01769 -654 865 0.01629 -654 1375 0.01774 -654 2550 0.01349 -654 3341 0.00801 -654 4277 0.01877 -654 4329 0.01514 -654 4370 0.00575 -654 5035 0.01578 -654 5491 0.01862 -654 5635 0.01739 -654 7196 0.00984 -654 7542 0.01268 -654 8727 0.01242 -654 9587 0.00857 -653 2744 0.01205 -653 3368 0.00829 -653 4099 0.01865 -653 4210 0.00900 -653 4820 0.01171 -653 4876 0.01938 -653 5645 0.01585 -653 6348 0.01723 -653 7828 0.00658 -653 8739 0.00709 -652 1216 0.01339 -652 2217 0.00808 -652 2587 0.01442 -652 2999 0.01026 -652 3651 0.01860 -652 4557 0.01911 -652 4578 0.01499 -652 5882 0.01606 -651 879 0.00363 -651 906 0.01813 -651 1440 0.01185 -651 2227 0.01462 -651 2230 0.01795 -651 2635 0.01344 -651 3075 0.01978 -651 4009 0.01434 -651 4802 0.01055 -651 5981 0.01037 -651 7181 0.01970 -650 3134 0.01929 -650 4193 0.01317 -650 4521 0.01985 -650 6398 0.01368 -650 8290 0.01528 -649 1437 0.01686 -649 2652 0.00229 -649 3473 0.00512 -649 4025 0.01523 -649 5414 0.01489 -649 7890 0.00755 -649 7962 0.00347 -649 8138 0.01882 -649 8383 0.00952 -649 8424 0.00816 -649 8621 0.01829 -649 9134 0.01689 -649 9917 0.01547 -648 1272 0.01167 -648 1835 0.00787 -648 2629 0.01748 -648 4262 0.01173 -648 6934 0.01376 -648 7421 0.01144 -648 7575 0.01948 -648 7737 0.01001 -648 9144 0.01189 -648 9960 0.01655 -647 1770 0.01475 -647 2175 0.00393 -647 2355 0.00440 -647 3100 0.01824 -647 4487 0.00603 -647 5851 0.01395 -647 6095 0.01523 -647 6526 0.01634 -647 6791 0.00971 -647 8456 0.01774 -647 8867 0.00764 -646 1682 0.01621 -646 2721 0.01635 -646 4365 0.01872 -646 6809 0.00569 -646 8792 0.01566 -645 686 0.01324 -645 1834 0.01488 -645 3110 0.01597 -645 3281 0.01363 -645 4566 0.01127 -645 5254 0.01623 -645 8030 0.01629 -645 8523 0.01660 -645 8593 0.01656 -645 9853 0.01380 -644 4824 0.01115 -644 4833 0.01550 -644 4871 0.01000 -644 5371 0.00754 -644 6642 0.00622 -644 7813 0.01491 -644 8087 0.00790 -644 8356 0.01793 -644 8648 0.01039 -644 8933 0.01146 -644 8970 0.01735 -644 9399 0.00997 -643 1073 0.01985 -643 1704 0.01893 -643 1930 0.01056 -643 1958 0.01471 -643 2060 0.00735 -643 2798 0.00863 -643 3046 0.01592 -643 4887 0.01840 -643 5336 0.01042 -643 5654 0.01914 -643 6286 0.01951 -643 6632 0.01754 -643 7274 0.01375 -643 8060 0.01408 -643 8088 0.01680 -643 8655 0.00991 -643 9003 0.00701 -642 1008 0.01899 -642 1819 0.01484 -642 3170 0.01645 -642 3325 0.00787 -642 3807 0.01561 -642 4454 0.01840 -642 4497 0.00822 -642 4724 0.00659 -642 4836 0.00765 -642 6062 0.01033 -642 7205 0.00739 -642 8181 0.00816 -642 8578 0.01738 -641 1025 0.01881 -641 1714 0.00617 -641 2904 0.00913 -641 3356 0.00565 -641 3565 0.00988 -641 5029 0.00065 -641 5274 0.00725 -641 5969 0.00375 -641 6155 0.00837 -641 6347 0.01542 -641 9283 0.01809 -641 9590 0.01892 -640 739 0.01570 -640 1492 0.01672 -640 2831 0.01098 -640 3923 0.01752 -640 4176 0.01671 -640 5062 0.01626 -640 5215 0.01919 -640 5663 0.00946 -640 6990 0.01237 -640 7709 0.01286 -640 7902 0.01662 -640 8104 0.01426 -640 9522 0.01660 -639 3041 0.01604 -639 3827 0.01064 -639 4257 0.01906 -639 7130 0.01209 -639 8394 0.01775 -639 9477 0.01442 -638 1356 0.01845 -638 1548 0.01923 -638 2804 0.01950 -638 3155 0.01111 -638 3245 0.01654 -638 3789 0.01384 -638 3803 0.01983 -638 4084 0.00344 -638 4549 0.01763 -638 4593 0.01227 -638 5045 0.01870 -638 6092 0.01863 -638 6100 0.00450 -638 6260 0.01255 -638 6458 0.01996 -638 6695 0.00996 -638 7662 0.01905 -638 7841 0.00304 -638 8108 0.00937 -638 8885 0.01123 -638 9640 0.01463 -637 988 0.01328 -637 2800 0.01693 -637 2869 0.00884 -637 3510 0.00239 -637 4033 0.01506 -637 4515 0.01837 -637 6141 0.00605 -637 6524 0.01485 -637 6852 0.00913 -637 7094 0.01019 -637 7105 0.01745 -637 7604 0.00370 -637 8139 0.01919 -637 9941 0.00841 -636 1562 0.01361 -636 1896 0.01118 -636 2660 0.01353 -636 3314 0.01809 -636 3415 0.01169 -636 3486 0.01645 -636 3517 0.01541 -636 5574 0.00506 -636 7404 0.01810 -636 9687 0.01668 -635 705 0.01570 -635 1312 0.00983 -635 2070 0.00701 -635 2930 0.01796 -635 3116 0.01597 -635 3137 0.01579 -635 3914 0.01691 -635 5881 0.01370 -635 6082 0.01464 -635 7633 0.01585 -635 9101 0.00675 -635 9205 0.01878 -635 9704 0.00618 -634 806 0.01277 -634 1121 0.01029 -634 1148 0.00515 -634 1410 0.01997 -634 1464 0.01888 -634 2091 0.01674 -634 3022 0.00473 -634 4939 0.01656 -634 5390 0.00984 -634 5832 0.01945 -634 6108 0.01834 -634 7358 0.01192 -634 7529 0.01221 -634 7907 0.01540 -634 9545 0.01725 -634 9944 0.00699 -633 1244 0.01940 -633 1873 0.00807 -633 2533 0.01279 -633 3028 0.01605 -633 3205 0.01159 -633 3323 0.01015 -633 4087 0.00577 -633 4175 0.01452 -633 4991 0.01343 -633 6284 0.01211 -633 6522 0.00965 -633 9658 0.00833 -632 835 0.01134 -632 1030 0.01747 -632 1507 0.00394 -632 2293 0.01712 -632 2601 0.01801 -632 2658 0.01912 -632 3772 0.00774 -632 4765 0.01025 -632 4941 0.01826 -632 6422 0.01841 -632 7182 0.01847 -632 8441 0.01438 -632 8746 0.00741 -631 941 0.01114 -631 1138 0.01957 -631 4238 0.01172 -631 4321 0.00601 -631 4676 0.01167 -631 5605 0.01931 -631 6352 0.01978 -631 7110 0.01626 -631 7739 0.01067 -631 8015 0.01960 -631 8033 0.01470 -631 8080 0.01643 -631 8717 0.01465 -631 9406 0.01101 -631 9790 0.01038 -630 753 0.00887 -630 844 0.01960 -630 1022 0.01585 -630 1320 0.01021 -630 1421 0.01701 -630 3500 0.01956 -630 5348 0.00884 -630 5470 0.01641 -630 6827 0.01541 -630 7027 0.01984 -630 7614 0.00524 -629 960 0.00756 -629 1742 0.01192 -629 2803 0.01528 -629 3331 0.00834 -629 3648 0.01706 -629 4736 0.01919 -629 6339 0.01325 -629 7489 0.00571 -629 7535 0.01267 -629 9408 0.00426 -629 9798 0.01820 -629 9982 0.01653 -628 729 0.00930 -628 1414 0.00532 -628 1459 0.01597 -628 2303 0.01565 -628 3430 0.01523 -628 3888 0.01049 -628 3927 0.00455 -628 4590 0.01921 -628 5388 0.01935 -628 5895 0.00476 -628 7191 0.00351 -628 8328 0.01287 -628 9990 0.01292 -627 1566 0.01814 -627 2971 0.00394 -627 4916 0.01541 -627 6308 0.00977 -627 6828 0.01532 -627 6980 0.01214 -627 7123 0.01855 -627 7602 0.01101 -627 8465 0.01981 -627 8751 0.00761 -627 9151 0.01950 -627 9291 0.01169 -627 9442 0.01809 -626 755 0.01272 -626 2275 0.01659 -626 3512 0.01793 -626 4384 0.00971 -626 4905 0.01153 -626 5121 0.01470 -626 5962 0.01774 -626 6183 0.00961 -626 6467 0.01320 -626 6801 0.01618 -626 8238 0.01468 -626 8657 0.00746 -626 9070 0.01891 -626 9075 0.01811 -626 9919 0.00421 -625 1255 0.01771 -625 1742 0.01382 -625 2483 0.01751 -625 3194 0.00440 -625 7499 0.01641 -625 8721 0.00494 -625 9798 0.01716 -624 736 0.01934 -624 2561 0.01233 -624 2577 0.01456 -624 4563 0.00509 -624 5937 0.01651 -624 7571 0.01432 -624 7877 0.00911 -624 8753 0.01553 -624 8972 0.01051 -623 1177 0.01889 -623 1581 0.01363 -623 2119 0.01166 -623 3654 0.01436 -623 3687 0.01909 -623 4444 0.01217 -623 6826 0.01919 -623 7310 0.01011 -623 8233 0.01151 -623 8817 0.00750 -623 9111 0.00810 -622 852 0.01807 -622 3883 0.00429 -622 4068 0.00496 -622 4752 0.01756 -622 4756 0.01058 -622 5722 0.01149 -622 8534 0.00423 -621 908 0.01061 -621 1451 0.00655 -621 2683 0.01129 -620 1176 0.00774 -620 1533 0.01488 -620 1606 0.01246 -620 2161 0.01371 -620 3743 0.00605 -620 4401 0.01015 -620 4837 0.01220 -620 5805 0.01254 -620 6081 0.01220 -620 9009 0.00912 -620 9048 0.01716 -620 9066 0.01690 -620 9443 0.01283 -620 9532 0.00878 -619 996 0.00967 -619 1307 0.01960 -619 1417 0.00180 -619 1547 0.01152 -619 1804 0.01797 -619 2807 0.01619 -619 5033 0.01447 -619 5306 0.01441 -619 8032 0.01327 -619 8040 0.00205 -619 8058 0.01521 -619 8202 0.00445 -619 8257 0.00896 -619 9212 0.01595 -618 677 0.00889 -618 3483 0.01445 -618 4010 0.01968 -618 4594 0.01013 -618 4793 0.00615 -618 5113 0.00569 -618 6066 0.00854 -618 8956 0.00612 -618 8994 0.00642 -618 9221 0.01283 -618 9614 0.01023 -617 2002 0.01671 -617 2872 0.01578 -617 3076 0.01979 -617 4773 0.01443 -617 5999 0.01145 -617 7134 0.01615 -617 8608 0.01486 -617 9303 0.01419 -616 2074 0.01786 -616 3981 0.01519 -616 4895 0.00710 -616 5182 0.01179 -616 8637 0.01589 -616 8656 0.00986 -616 9346 0.01701 -616 9404 0.01752 -616 9620 0.01841 -615 877 0.01235 -615 1126 0.01527 -615 1364 0.01212 -615 1628 0.00655 -615 2182 0.01509 -615 3597 0.00671 -615 4565 0.01016 -615 5021 0.01941 -615 5039 0.00653 -615 6900 0.01989 -615 7245 0.00476 -615 7586 0.01907 -615 7991 0.01716 -615 8500 0.01611 -615 8922 0.00752 -615 9847 0.00660 -614 1493 0.00585 -614 1532 0.01198 -614 2165 0.01841 -614 2288 0.00555 -614 5867 0.01488 -614 6036 0.01294 -614 6147 0.01877 -614 7114 0.01224 -614 8086 0.00882 -613 1332 0.01562 -613 2255 0.01433 -613 2992 0.01941 -613 3098 0.00872 -613 3185 0.01038 -613 4051 0.01657 -613 6711 0.01869 -613 6733 0.00912 -613 9020 0.01480 -613 9451 0.01806 -612 2008 0.00878 -612 2517 0.01252 -612 3167 0.01781 -612 3261 0.01030 -612 3836 0.01800 -612 4492 0.01217 -612 4928 0.01990 -612 4960 0.01007 -612 6151 0.00858 -612 6817 0.01346 -612 7124 0.01947 -612 7540 0.00979 -612 9643 0.01792 -611 1019 0.00535 -611 1256 0.01155 -611 1914 0.00815 -611 2435 0.00668 -611 2753 0.01515 -611 2897 0.01895 -611 3037 0.01200 -611 4860 0.01904 -611 7067 0.00104 -611 7379 0.01374 -611 7707 0.01869 -611 8688 0.00905 -610 1508 0.01930 -610 2493 0.01333 -610 5026 0.01603 -610 5393 0.01191 -610 6290 0.00945 -610 6483 0.01824 -610 8117 0.01359 -610 8317 0.01768 -610 8833 0.00908 -610 9282 0.00988 -610 9389 0.01918 -609 1665 0.00445 -609 2042 0.00434 -609 2134 0.01296 -609 2915 0.01532 -609 2932 0.01675 -609 5335 0.01609 -609 9149 0.01967 -609 9328 0.01297 -608 1431 0.01052 -608 2228 0.01989 -608 2924 0.00523 -608 3503 0.01299 -608 4280 0.01559 -608 4575 0.00834 -608 9695 0.00881 -607 881 0.01215 -607 968 0.01000 -607 1304 0.01957 -607 2856 0.01468 -607 2925 0.01656 -607 3449 0.01013 -607 3644 0.01563 -607 4968 0.00990 -607 5441 0.00837 -607 6907 0.01338 -607 7824 0.01761 -607 8276 0.00334 -607 8904 0.01837 -606 1413 0.01793 -606 1420 0.00749 -606 2555 0.01322 -606 3798 0.00833 -606 3855 0.00753 -606 4709 0.01246 -606 6904 0.01471 -605 906 0.01014 -605 1440 0.01539 -605 2635 0.01890 -605 3258 0.01751 -605 3973 0.01848 -605 4049 0.01147 -605 4209 0.01899 -605 5067 0.00131 -605 6012 0.01790 -605 6366 0.01624 -605 7488 0.01956 -605 8163 0.01609 -604 773 0.01685 -604 1244 0.01704 -604 6439 0.01736 -604 7031 0.01682 -604 7102 0.01912 -604 7501 0.01872 -604 8563 0.01397 -604 9329 0.00675 -603 2073 0.01629 -603 2494 0.00720 -603 3790 0.01928 -603 4611 0.00945 -603 5029 0.01976 -603 5274 0.01665 -603 6155 0.01204 -603 6347 0.01409 -603 7806 0.01801 -603 8141 0.01580 -603 8291 0.01320 -603 8442 0.00758 -603 9283 0.01834 -603 9292 0.01749 -602 2508 0.01976 -602 3277 0.01569 -602 4059 0.01455 -602 4825 0.01567 -602 5367 0.00176 -602 5578 0.01876 -602 5926 0.01550 -602 7426 0.00953 -602 7946 0.01942 -602 8910 0.00679 -601 2238 0.00919 -601 2331 0.01800 -601 2898 0.00989 -601 3615 0.01293 -601 3739 0.01258 -601 3988 0.01606 -601 4096 0.01655 -601 7186 0.01444 -601 8133 0.00981 -601 9337 0.01724 -601 9356 0.01220 -601 9688 0.00815 -600 1764 0.00881 -600 1775 0.01733 -600 2064 0.01917 -600 2605 0.01804 -600 3432 0.01218 -600 4774 0.00578 -600 5839 0.00721 -600 6159 0.01061 -600 7534 0.01376 -600 8011 0.01069 -600 9980 0.01890 -599 1336 0.01724 -599 1586 0.01782 -599 3580 0.01054 -599 3725 0.00453 -599 5078 0.01739 -599 8112 0.01589 -599 8137 0.00670 -599 8491 0.01577 -599 8795 0.01965 -599 9137 0.01643 -599 9280 0.00992 -598 927 0.00564 -598 1140 0.01741 -598 1165 0.01879 -598 1314 0.01752 -598 3174 0.01018 -598 3322 0.01040 -598 4073 0.01533 -598 4772 0.00607 -598 4814 0.00834 -598 5373 0.01843 -598 5480 0.01614 -598 6133 0.01604 -598 6445 0.01751 -598 6750 0.01948 -598 8120 0.01756 -598 9506 0.01515 -598 9711 0.00752 -597 815 0.01600 -597 963 0.01393 -597 1152 0.01779 -597 1460 0.01326 -597 1504 0.01811 -597 1757 0.01898 -597 1773 0.01494 -597 2712 0.01581 -597 4323 0.01925 -597 5331 0.01839 -597 5337 0.01381 -597 5734 0.01420 -597 5992 0.01589 -597 6037 0.01662 -597 6070 0.01732 -597 7583 0.01952 -597 7910 0.01932 -597 8479 0.01234 -597 8960 0.01969 -596 2046 0.01042 -596 8255 0.01303 -596 8497 0.01510 -596 8517 0.01928 -596 9475 0.00121 -595 2132 0.01443 -595 3269 0.01308 -595 3963 0.00884 -595 4786 0.00352 -595 5642 0.01283 -595 6620 0.01471 -595 9129 0.01983 -595 9384 0.01781 -594 898 0.01222 -594 957 0.00718 -594 1038 0.01825 -594 1986 0.01762 -594 2169 0.01750 -594 3017 0.01998 -594 3435 0.00349 -594 4795 0.01296 -594 5420 0.00449 -594 5561 0.01740 -594 5609 0.00862 -594 6343 0.01580 -594 7617 0.01809 -594 7674 0.01653 -594 8074 0.01430 -594 8543 0.01307 -594 8665 0.00842 -594 9284 0.01379 -593 3195 0.00481 -593 3749 0.01840 -593 3996 0.01100 -593 4436 0.00598 -593 4616 0.01681 -593 5134 0.01591 -593 5532 0.00911 -593 6158 0.01827 -593 7323 0.01200 -593 7628 0.00761 -593 9461 0.00151 -592 1092 0.01196 -592 1799 0.00396 -592 1801 0.01092 -592 4481 0.00366 -592 6865 0.01476 -592 7521 0.01206 -592 7748 0.01501 -591 3068 0.01481 -591 3480 0.01285 -591 3621 0.01918 -591 4457 0.00439 -591 5001 0.01727 -591 5168 0.01986 -591 5547 0.00381 -591 6073 0.00906 -591 6349 0.01550 -591 7697 0.01184 -591 8091 0.01385 -591 8311 0.01935 -591 8940 0.01951 -591 9747 0.01768 -591 9803 0.01778 -590 1567 0.01223 -590 2351 0.01929 -590 3455 0.01174 -590 3669 0.01873 -590 4233 0.00659 -590 4815 0.01412 -590 4972 0.01830 -590 5031 0.01628 -590 6508 0.01041 -590 8546 0.01949 -590 8837 0.01366 -590 9059 0.01219 -589 724 0.01424 -589 2197 0.01036 -589 2656 0.00494 -589 2852 0.01502 -589 4478 0.01828 -589 5246 0.01307 -589 5854 0.00837 -589 7564 0.00901 -589 7665 0.01646 -589 7924 0.01327 -589 7988 0.01693 -589 8198 0.01158 -589 8577 0.01217 -589 9263 0.00444 -589 9706 0.01400 -589 9872 0.01879 -588 3636 0.00183 -588 4570 0.00863 -588 6225 0.00728 -588 6651 0.01958 -588 7620 0.01571 -588 8307 0.01124 -587 673 0.01649 -587 1466 0.01141 -587 1615 0.01823 -587 3480 0.01500 -587 4088 0.01682 -587 5083 0.01342 -587 5168 0.01050 -587 5311 0.01273 -587 5869 0.01235 -587 5886 0.00735 -587 6073 0.01794 -587 6178 0.01597 -587 7047 0.01888 -587 7138 0.01621 -587 7505 0.00538 -587 8311 0.01297 -587 8481 0.01150 -587 8582 0.00848 -587 9318 0.01119 -587 9747 0.00861 -586 1067 0.01888 -586 1145 0.01346 -586 1218 0.01935 -586 1922 0.01833 -586 2082 0.01853 -586 2243 0.00991 -586 2843 0.01816 -586 4547 0.01615 -586 7077 0.01043 -586 7417 0.01499 -586 7429 0.01018 -586 7789 0.01316 -586 8196 0.01435 -586 8565 0.00769 -585 1205 0.00901 -585 2745 0.01012 -585 2810 0.01108 -585 6594 0.01121 -585 7218 0.01839 -585 7253 0.01513 -585 7939 0.01655 -584 2465 0.01640 -584 2948 0.01623 -584 3072 0.01111 -584 3202 0.00297 -584 3376 0.01382 -584 3612 0.01691 -584 4877 0.01754 -584 5685 0.01106 -584 6661 0.01519 -584 7359 0.01754 -584 7663 0.01805 -584 7782 0.01400 -584 9232 0.01227 -584 9903 0.01293 -583 2708 0.01734 -583 5294 0.01106 -583 6079 0.01670 -583 6564 0.01522 -583 6581 0.01948 -583 7992 0.01625 -583 8393 0.01855 -583 8929 0.01740 -583 9833 0.01683 -583 9986 0.01602 -582 3614 0.01822 -582 4780 0.01415 -582 5973 0.01483 -582 6460 0.01871 -582 7146 0.01994 -582 9326 0.00790 -582 9552 0.01639 -582 9570 0.01740 -581 783 0.00579 -581 1875 0.01579 -581 3262 0.01684 -581 5542 0.00487 -581 5775 0.01460 -581 6755 0.00870 -581 7159 0.01307 -581 8803 0.01997 -580 1473 0.00658 -580 1973 0.00815 -580 2226 0.01751 -580 5529 0.01942 -580 5830 0.01516 -580 6279 0.01411 -580 6923 0.01797 -580 7103 0.01237 -580 7450 0.00293 -580 7467 0.01377 -580 7987 0.01925 -580 7995 0.00977 -580 8038 0.01400 -580 8511 0.01722 -580 8915 0.01889 -580 9085 0.01811 -580 9628 0.00896 -580 9938 0.01332 -579 1024 0.01768 -579 2262 0.00991 -579 2296 0.01497 -579 2761 0.01182 -579 2775 0.01549 -579 2818 0.00670 -579 3129 0.01844 -579 3619 0.00567 -579 3976 0.01259 -579 4156 0.00823 -579 6208 0.01682 -579 6470 0.01200 -579 9920 0.01663 -578 751 0.01914 -578 943 0.01444 -578 2117 0.00568 -578 3595 0.00309 -578 4711 0.01904 -578 5321 0.01081 -578 5434 0.01167 -578 5996 0.01125 -578 6676 0.00632 -578 6680 0.01147 -578 7696 0.01311 -578 8436 0.01513 -578 9595 0.01385 -577 1072 0.01852 -577 1625 0.00576 -577 2439 0.00841 -577 4685 0.01136 -577 6546 0.00803 -577 8176 0.00970 -577 8708 0.00772 -577 9690 0.01506 -576 1491 0.01361 -576 1612 0.00842 -576 2422 0.01441 -576 2583 0.00622 -576 3059 0.01911 -576 3728 0.01748 -576 4070 0.00755 -576 4097 0.00984 -576 4910 0.01818 -576 4943 0.01857 -576 5125 0.01560 -576 6091 0.00364 -576 6189 0.01425 -576 9038 0.01906 -575 1080 0.01179 -575 2842 0.00291 -575 2985 0.01806 -575 3207 0.00537 -575 3446 0.00477 -575 4766 0.01446 -575 8719 0.01827 -575 8810 0.01511 -575 9219 0.01428 -575 9752 0.01912 -574 2544 0.01059 -574 2663 0.01936 -574 4002 0.01832 -574 8824 0.01116 -574 8949 0.01851 -574 9496 0.01848 -574 9705 0.01936 -574 9965 0.00901 -573 604 0.00592 -573 773 0.01623 -573 1244 0.01602 -573 2109 0.01617 -573 8563 0.01722 -573 9329 0.01153 -572 1637 0.01015 -572 2390 0.01991 -572 4601 0.01944 -572 7859 0.00720 -572 8382 0.01812 -572 8664 0.01360 -572 9174 0.00117 -572 9714 0.00864 -571 785 0.00766 -571 1036 0.00703 -571 1393 0.01580 -571 2023 0.01076 -571 2673 0.01927 -571 2695 0.01259 -571 2905 0.01658 -571 3624 0.01930 -571 4623 0.01231 -571 4750 0.01335 -571 5157 0.01298 -571 5270 0.01460 -571 5281 0.01899 -571 6318 0.00381 -571 7002 0.01973 -571 7270 0.00296 -571 7298 0.01662 -571 8118 0.00903 -571 8898 0.01377 -570 1702 0.00487 -570 3302 0.01962 -570 4207 0.01406 -570 5754 0.01832 -570 5883 0.00157 -570 6423 0.01563 -570 7108 0.01441 -570 7294 0.01196 -570 8077 0.01743 -570 8381 0.01677 -570 9017 0.01829 -569 959 0.00883 -569 1385 0.01939 -569 1687 0.01445 -569 1851 0.01047 -569 1957 0.00648 -569 2030 0.01453 -569 2250 0.01171 -569 3040 0.00649 -569 3056 0.00323 -569 3249 0.00254 -569 3298 0.01645 -569 4317 0.01501 -569 4955 0.01683 -569 5375 0.00086 -569 7375 0.01965 -568 680 0.00978 -568 1337 0.00615 -568 2753 0.01807 -568 4383 0.00163 -568 4543 0.00902 -568 5287 0.01779 -568 5412 0.01380 -568 6136 0.01211 -568 7584 0.00144 -568 7615 0.00404 -568 7707 0.01405 -568 9887 0.00558 -567 789 0.01668 -567 3164 0.00788 -567 3710 0.01114 -567 4834 0.01923 -567 5102 0.01774 -567 6113 0.00394 -567 6169 0.01037 -566 656 0.01991 -566 691 0.01888 -566 1270 0.01301 -566 2222 0.01297 -566 2257 0.00963 -566 2274 0.01115 -566 3132 0.01936 -566 4556 0.01388 -566 4689 0.01544 -566 4976 0.01892 -566 5384 0.01850 -566 5398 0.00080 -566 5774 0.01843 -566 5863 0.01400 -566 6060 0.00683 -566 6203 0.01326 -566 6246 0.01720 -566 7071 0.02000 -566 9385 0.01480 -566 9569 0.01300 -565 2915 0.01538 -565 3391 0.01195 -565 6547 0.00498 -565 8673 0.01871 -565 9305 0.01956 -565 9428 0.01825 -565 9561 0.01933 -564 2252 0.01668 -564 2300 0.01540 -564 3319 0.01540 -564 4318 0.01992 -564 4641 0.01955 -564 5198 0.01198 -564 6535 0.01600 -564 6964 0.01947 -564 7112 0.01604 -564 7758 0.01531 -564 7872 0.01850 -564 9379 0.01644 -564 9611 0.00928 -563 3551 0.01655 -563 3806 0.00999 -563 5637 0.00609 -563 7336 0.01018 -563 8329 0.01955 -563 9937 0.01794 -562 1057 0.01190 -562 1639 0.01482 -562 2204 0.01772 -562 2573 0.01616 -562 5022 0.01347 -562 5772 0.01255 -562 5910 0.01109 -562 5967 0.01929 -562 6320 0.01472 -562 6836 0.01800 -562 8227 0.01060 -562 8453 0.01194 -562 8570 0.01753 -562 9213 0.00750 -562 9589 0.01616 -561 977 0.00949 -561 2963 0.00731 -561 3801 0.01215 -561 4626 0.01535 -561 4677 0.00913 -561 4691 0.01670 -561 4768 0.01318 -561 5087 0.01268 -561 5154 0.00352 -561 6641 0.01795 -561 6726 0.01434 -561 6930 0.01328 -561 9164 0.01633 -561 9488 0.00981 -561 9899 0.00949 -560 1352 0.01903 -560 2638 0.00279 -560 2994 0.01874 -560 3318 0.01148 -560 4426 0.01881 -560 6055 0.01526 -560 6375 0.00933 -560 6829 0.01733 -560 7098 0.01658 -560 8169 0.01171 -560 8520 0.01713 -560 9911 0.01543 -559 3922 0.00912 -559 5735 0.00570 -559 6028 0.00965 -559 6805 0.01982 -559 6899 0.01942 -559 7266 0.01357 -559 7652 0.01267 -559 8055 0.01839 -559 8327 0.01627 -559 8380 0.01995 -559 8485 0.00748 -559 9154 0.01467 -559 9268 0.01333 -559 9415 0.01798 -558 594 0.01866 -558 898 0.00650 -558 4795 0.01023 -558 5420 0.01796 -558 5609 0.01915 -558 6343 0.00832 -558 6868 0.00773 -558 8074 0.01099 -558 8543 0.01396 -558 9024 0.01522 -558 9284 0.01196 -557 1880 0.00846 -557 1882 0.01970 -557 3696 0.01906 -557 5346 0.00763 -557 5857 0.01289 -557 9178 0.01038 -557 9261 0.00487 -556 868 0.00413 -556 1546 0.00591 -556 3532 0.01724 -556 3557 0.01361 -556 3631 0.01145 -556 3990 0.01542 -556 4850 0.01458 -556 4995 0.01907 -556 5226 0.01882 -556 6569 0.01878 -556 6715 0.01749 -556 7347 0.00168 -556 7638 0.01177 -556 8261 0.01633 -555 1016 0.00674 -555 2814 0.01918 -555 3310 0.01696 -555 3384 0.01747 -555 6393 0.00981 -555 6583 0.01049 -555 8878 0.01262 -555 9935 0.01454 -554 1578 0.01777 -554 2386 0.01956 -554 4148 0.01578 -554 4598 0.01247 -554 4846 0.01873 -554 5803 0.01310 -554 5821 0.01115 -554 6040 0.01648 -554 6636 0.01232 -554 7579 0.01432 -554 8146 0.01869 -553 1994 0.01582 -553 3088 0.01987 -553 4350 0.01354 -553 4763 0.01569 -553 5526 0.00701 -553 6708 0.01495 -553 7335 0.01950 -553 7595 0.00189 -553 7651 0.01110 -553 9025 0.01970 -553 9722 0.00463 -553 9978 0.01313 -552 2190 0.00554 -552 3512 0.00874 -552 5111 0.00797 -552 5848 0.00303 -552 6467 0.00990 -552 6801 0.00715 -552 7208 0.01763 -552 9240 0.01250 -552 9919 0.01892 -551 1363 0.01565 -551 1871 0.01527 -551 2231 0.00854 -551 3274 0.01199 -551 5833 0.00674 -551 6654 0.00621 -551 7339 0.01742 -551 9246 0.01725 -550 1819 0.01110 -550 2415 0.01705 -550 3692 0.01781 -550 3769 0.01952 -550 7711 0.01746 -550 7971 0.01278 -550 8110 0.00846 -550 9403 0.01353 -549 1453 0.01188 -549 2240 0.01900 -549 2624 0.00578 -549 2687 0.01641 -549 3390 0.00676 -549 3664 0.01216 -549 4014 0.01920 -549 4286 0.00912 -549 6071 0.00782 -549 6952 0.01834 -549 7144 0.01379 -549 7420 0.00875 -549 8865 0.01717 -548 635 0.01594 -548 705 0.01453 -548 1312 0.01131 -548 2070 0.01827 -548 3116 0.01938 -548 3137 0.01795 -548 4751 0.01965 -548 5473 0.00497 -548 5881 0.01280 -548 6764 0.00838 -548 7059 0.01102 -548 7610 0.01992 -548 7786 0.01879 -548 8734 0.01714 -548 8783 0.01411 -548 9101 0.01742 -548 9704 0.01792 -548 9928 0.01518 -547 1932 0.00597 -547 2634 0.01707 -547 3199 0.01877 -547 4174 0.01398 -547 4180 0.01909 -547 4884 0.01846 -547 6176 0.01629 -547 7198 0.01392 -547 8855 0.00595 -547 9638 0.01936 -547 9878 0.01713 -546 3822 0.01518 -546 5452 0.01058 -546 6887 0.01635 -546 8370 0.01620 -546 8478 0.00549 -546 9032 0.01209 -546 9700 0.01091 -545 546 0.01198 -545 788 0.01465 -545 1004 0.01658 -545 1133 0.01754 -545 3781 0.01555 -545 3822 0.01864 -545 3994 0.01571 -545 4203 0.00940 -545 4319 0.01120 -545 4423 0.01909 -545 5452 0.01976 -545 5638 0.01981 -545 6251 0.00861 -545 6365 0.01712 -545 8370 0.00496 -545 8478 0.01608 -545 9032 0.00857 -545 9700 0.00644 -545 9922 0.01350 -544 970 0.01323 -544 1298 0.01603 -544 3021 0.00465 -544 3944 0.01185 -544 4861 0.01817 -544 8762 0.01693 -544 9162 0.01505 -544 9868 0.01850 -543 1462 0.01490 -543 1582 0.01756 -543 1618 0.01822 -543 6130 0.01661 -543 7403 0.01128 -543 9512 0.01830 -542 632 0.01341 -542 835 0.01640 -542 1030 0.00452 -542 1507 0.01001 -542 2658 0.01336 -542 3757 0.01876 -542 3772 0.01480 -542 4471 0.01431 -542 4538 0.00744 -542 4765 0.01989 -542 6061 0.01659 -542 6855 0.01007 -542 7182 0.00520 -542 9383 0.01888 -541 754 0.00612 -541 937 0.00844 -541 1887 0.01890 -541 2835 0.01564 -541 3026 0.01645 -541 3093 0.00832 -541 3585 0.01384 -541 3681 0.01132 -541 5575 0.01400 -541 6687 0.01001 -541 9368 0.01750 -541 9585 0.01913 -540 1542 0.00832 -540 2123 0.00565 -540 3634 0.00884 -540 3857 0.01224 -540 4340 0.00903 -540 5209 0.00933 -540 5834 0.01470 -540 6796 0.01940 -540 8963 0.01426 -540 9242 0.01626 -540 9296 0.01761 -539 575 0.01010 -539 953 0.01701 -539 1386 0.01784 -539 2192 0.01223 -539 2842 0.00724 -539 2985 0.01010 -539 3207 0.00756 -539 3446 0.01260 -539 4766 0.01594 -539 8810 0.00568 -539 9219 0.01698 -539 9752 0.00928 -538 1129 0.00944 -538 1568 0.01992 -538 1783 0.00638 -538 3774 0.01907 -538 3775 0.01203 -538 8715 0.01534 -538 9374 0.01625 -537 558 0.01918 -537 594 0.01214 -537 898 0.01404 -537 957 0.01836 -537 1038 0.00615 -537 3017 0.00791 -537 3435 0.01162 -537 3800 0.01636 -537 4795 0.01996 -537 5420 0.00765 -537 6343 0.01170 -537 7617 0.00596 -537 8074 0.00878 -537 8510 0.01458 -537 8665 0.01262 -537 9274 0.00975 -537 9284 0.00770 -537 9863 0.01031 -536 1137 0.01604 -536 1793 0.00990 -536 1836 0.00852 -536 4592 0.01971 -536 4775 0.01477 -536 5211 0.00725 -536 5940 0.01182 -536 6209 0.01761 -536 9537 0.01219 -535 823 0.01316 -535 2553 0.00961 -535 2974 0.01907 -535 5268 0.00405 -535 7312 0.01659 -535 8205 0.01832 -535 9203 0.01303 -534 1104 0.00081 -534 1236 0.00969 -534 1747 0.01388 -534 1794 0.00129 -534 3557 0.01966 -534 4340 0.01393 -534 5209 0.01435 -534 5436 0.01282 -534 5551 0.01431 -534 6685 0.01967 -534 7093 0.01945 -534 7337 0.01398 -534 7803 0.01368 -534 9296 0.00804 -533 601 0.01724 -533 1443 0.01916 -533 1602 0.01176 -533 2113 0.01017 -533 2238 0.00923 -533 2898 0.00863 -533 3498 0.00451 -533 3615 0.01226 -533 3988 0.01784 -533 4096 0.00845 -533 6566 0.01883 -533 6707 0.01912 -533 6881 0.01186 -533 8115 0.01977 -533 8129 0.01370 -533 8133 0.01381 -533 9356 0.01748 -532 884 0.01705 -532 1660 0.01519 -532 3711 0.00783 -532 4901 0.01877 -532 5225 0.01962 -532 5700 0.01311 -532 8856 0.01356 -532 8992 0.01894 -532 9001 0.01730 -532 9161 0.01932 -532 9387 0.00805 -532 9421 0.00347 -531 2776 0.00695 -531 3416 0.01271 -531 3491 0.00783 -531 5043 0.01551 -531 6023 0.01825 -531 6266 0.01912 -531 6282 0.00805 -531 8162 0.01988 -531 8508 0.01709 -531 8881 0.01917 -531 9078 0.01317 -531 9710 0.01293 -530 664 0.01663 -530 1758 0.00395 -530 3902 0.01798 -530 5076 0.00548 -530 7563 0.01974 -530 8226 0.01737 -530 9354 0.01281 -529 809 0.01378 -529 1655 0.00668 -529 2178 0.01185 -529 2640 0.00769 -529 2928 0.01025 -529 4391 0.00589 -529 4903 0.01617 -529 6300 0.01541 -529 7838 0.01326 -529 7969 0.00803 -529 8099 0.01163 -529 8729 0.01726 -528 1962 0.01929 -528 2390 0.01944 -528 2625 0.01089 -528 3123 0.01178 -528 4900 0.00557 -528 5255 0.01535 -528 5967 0.01814 -528 8402 0.01066 -528 8570 0.01844 -528 9516 0.01081 -528 9547 0.01774 -528 9888 0.00462 -528 9955 0.00715 -527 1753 0.01124 -527 3978 0.01284 -527 4866 0.01914 -527 5059 0.01823 -527 5266 0.01867 -527 5368 0.01533 -527 6444 0.00974 -527 7013 0.01034 -527 8006 0.00916 -527 9040 0.01509 -527 9737 0.00591 -526 997 0.00620 -526 1663 0.01510 -526 1911 0.01116 -526 2356 0.01798 -526 3176 0.00887 -526 4119 0.01770 -526 4707 0.01224 -526 4921 0.00262 -526 9225 0.01159 -526 9563 0.01999 -526 9907 0.00863 -525 1324 0.01149 -525 1785 0.01526 -525 3013 0.01619 -525 3980 0.01869 -525 4027 0.01774 -525 6020 0.00484 -525 6874 0.01096 -525 9724 0.01149 -525 9808 0.00747 -524 634 0.00495 -524 806 0.01538 -524 1121 0.01187 -524 1148 0.00723 -524 1410 0.01533 -524 2232 0.01607 -524 3022 0.00924 -524 4939 0.01777 -524 5390 0.00698 -524 5832 0.01768 -524 6108 0.01343 -524 7358 0.01544 -524 7529 0.00839 -524 7907 0.01834 -524 9944 0.01179 -523 989 0.01108 -523 2218 0.01938 -523 2646 0.01308 -523 3828 0.01923 -523 4302 0.01378 -523 4381 0.00961 -523 4432 0.01549 -523 4807 0.01003 -523 8344 0.01653 -523 9254 0.01356 -522 576 0.00636 -522 1491 0.01943 -522 1612 0.00225 -522 2422 0.01196 -522 2583 0.01212 -522 3059 0.01694 -522 3728 0.01308 -522 4070 0.01389 -522 4097 0.01605 -522 5125 0.01978 -522 6091 0.00396 -522 6189 0.01775 -522 7743 0.01609 -522 8012 0.01855 -522 9038 0.01273 -521 538 0.00260 -521 1129 0.00821 -521 1568 0.01759 -521 1783 0.00688 -521 3774 0.01723 -521 3775 0.01167 -521 8715 0.01319 -521 9374 0.01539 -520 934 0.01198 -520 1325 0.01802 -520 1331 0.01362 -520 1737 0.01942 -520 2148 0.01014 -520 3074 0.01003 -520 3268 0.01234 -520 5567 0.01014 -520 6239 0.01672 -520 7504 0.00923 -520 8704 0.01059 -520 8851 0.00863 -520 9183 0.01489 -519 740 0.00540 -519 792 0.01254 -519 1117 0.01584 -519 1605 0.01742 -519 2885 0.01842 -519 2939 0.01528 -519 3208 0.01757 -519 4947 0.01931 -519 5914 0.01796 -519 6698 0.00943 -519 7113 0.00837 -519 7209 0.01295 -519 7968 0.00521 -519 8986 0.01707 -519 9207 0.01567 -519 9247 0.01317 -519 9250 0.01435 -519 9694 0.01441 -518 864 0.01279 -518 1864 0.01043 -518 3362 0.00420 -518 5089 0.01461 -518 5118 0.01397 -518 5584 0.01724 -518 5782 0.00803 -518 6942 0.00841 -518 7040 0.01757 -518 7318 0.01296 -518 7341 0.00656 -518 8089 0.01904 -518 8241 0.01800 -518 9353 0.01200 -517 1546 0.01907 -517 2024 0.01694 -517 2205 0.01948 -517 2610 0.00754 -517 2902 0.01626 -517 3136 0.01285 -517 4129 0.01933 -517 5070 0.01037 -517 5205 0.01862 -517 6569 0.01778 -517 7527 0.00586 -517 8261 0.01289 -517 8431 0.01093 -516 650 0.01264 -516 1984 0.01210 -516 4521 0.00844 -516 6398 0.00864 -516 6842 0.01318 -516 8493 0.01227 -516 9460 0.01007 -515 2136 0.00467 -515 2944 0.01657 -515 3114 0.00897 -515 3133 0.01086 -515 3414 0.01781 -515 3460 0.00779 -515 3821 0.01076 -515 4169 0.01852 -515 4693 0.01573 -515 5326 0.01376 -515 6813 0.01579 -515 6824 0.01196 -515 7387 0.01184 -515 8720 0.01756 -515 8954 0.01324 -514 1371 0.01353 -514 4264 0.01934 -514 4966 0.01955 -514 5978 0.01572 -514 6543 0.01028 -514 7807 0.00522 -514 8096 0.01077 -514 9743 0.01340 -514 9786 0.00415 -513 708 0.01953 -513 1091 0.01648 -513 2647 0.00434 -513 2655 0.01041 -513 2671 0.01449 -513 2888 0.01193 -513 3451 0.01385 -513 3556 0.01025 -513 4236 0.01522 -513 6571 0.01346 -513 6627 0.01259 -513 6751 0.00345 -513 7366 0.00903 -513 7985 0.00866 -512 779 0.00960 -512 1362 0.00437 -512 2051 0.00658 -512 2142 0.00584 -512 3520 0.01971 -512 3534 0.00673 -512 3882 0.01050 -512 4810 0.00624 -512 5399 0.01613 -512 5587 0.00971 -512 5811 0.01596 -512 6554 0.01834 -512 7240 0.01857 -511 1645 0.00501 -511 1862 0.00713 -511 2522 0.01436 -511 2752 0.00963 -511 3175 0.01067 -511 3374 0.01699 -511 6735 0.01899 -511 7573 0.00896 -511 9034 0.01946 -511 9455 0.00525 -510 707 0.01790 -510 2726 0.01663 -510 4638 0.01711 -510 6274 0.00875 -510 7257 0.00920 -510 7285 0.01734 -510 7459 0.00891 -510 7873 0.01963 -510 8234 0.00796 -510 8811 0.01253 -510 9656 0.00595 -509 1263 0.01867 -509 1658 0.01611 -509 2451 0.01757 -509 3038 0.00213 -509 4804 0.01893 -509 5952 0.00854 -509 7096 0.01983 -509 7630 0.01557 -509 7959 0.01554 -509 8338 0.01227 -508 590 0.01354 -508 1011 0.01399 -508 1567 0.00814 -508 2351 0.01710 -508 3669 0.00799 -508 4233 0.01551 -508 4815 0.00617 -508 5031 0.01135 -508 5566 0.01654 -508 8837 0.01599 -508 9059 0.01684 -508 9773 0.01808 -507 1363 0.01924 -507 1871 0.00995 -507 2224 0.00864 -507 3274 0.00948 -507 4514 0.00752 -507 5032 0.01803 -507 5833 0.01377 -507 5988 0.01788 -507 6304 0.01098 -507 6654 0.01948 -507 6936 0.01768 -507 8267 0.00988 -507 8691 0.01465 -506 1029 0.01724 -506 1643 0.01813 -506 3109 0.01522 -506 3716 0.01597 -506 3870 0.01783 -506 5702 0.00640 -506 5944 0.01050 -506 6491 0.01987 -506 8162 0.01650 -506 8881 0.01978 -505 1329 0.01219 -505 1489 0.01477 -505 2444 0.01984 -505 2461 0.01711 -505 5056 0.01387 -505 5308 0.00801 -505 5840 0.01436 -505 6637 0.01716 -505 7796 0.01778 -505 8631 0.01895 -505 9107 0.00782 -505 9976 0.01599 -504 558 0.01160 -504 898 0.01809 -504 2006 0.01068 -504 2802 0.01283 -504 2857 0.01453 -504 4795 0.01998 -504 6343 0.01800 -504 6868 0.01229 -504 7356 0.01185 -504 9024 0.01569 -503 539 0.01000 -503 575 0.01602 -503 620 0.01919 -503 1386 0.01470 -503 2192 0.01093 -503 2842 0.01352 -503 2985 0.01804 -503 3207 0.01078 -503 3339 0.01883 -503 3743 0.01418 -503 4766 0.01097 -503 4837 0.01665 -503 5805 0.01521 -503 8810 0.00665 -503 9009 0.01853 -503 9752 0.00900 -502 1012 0.01199 -502 3149 0.01702 -502 4024 0.00481 -502 4094 0.01160 -502 4181 0.01553 -502 6057 0.01191 -502 6798 0.01755 -502 7327 0.01391 -502 8384 0.00936 -502 8446 0.01026 -502 9555 0.01230 -501 1084 0.00448 -501 1555 0.01682 -501 1902 0.00069 -501 1996 0.01785 -501 2213 0.01102 -501 2233 0.01328 -501 2474 0.00416 -501 6499 0.01210 -501 6596 0.00840 -501 8711 0.01293 -501 9224 0.01357 -501 9432 0.01501 -500 1376 0.00361 -500 2170 0.01945 -500 3844 0.01077 -500 4785 0.00772 -500 6454 0.01655 -500 6897 0.01607 -500 7069 0.00782 -500 7321 0.01792 -499 1966 0.01454 -499 2503 0.01489 -499 5175 0.00561 -499 5664 0.01939 -499 6802 0.01892 -499 7072 0.00388 -499 7981 0.01484 -499 9273 0.01380 -499 9818 0.00965 -498 2072 0.01270 -498 2575 0.01795 -498 4345 0.01059 -498 5784 0.01995 -498 6201 0.01666 -498 6492 0.00635 -498 7585 0.01688 -498 7623 0.00246 -498 8390 0.01787 -498 9301 0.01085 -498 9505 0.00249 -497 697 0.01835 -497 2337 0.00685 -497 2801 0.00761 -497 3568 0.01184 -497 3872 0.00931 -497 4235 0.01869 -497 4337 0.01428 -497 5319 0.01226 -497 5462 0.01779 -497 6334 0.00893 -496 643 0.00984 -496 834 0.01826 -496 1930 0.00824 -496 1958 0.01139 -496 2060 0.00788 -496 2798 0.01781 -496 4887 0.01009 -496 5210 0.01603 -496 5336 0.01623 -496 6632 0.01677 -496 7274 0.00458 -496 8088 0.01857 -496 8655 0.00904 -496 9003 0.00543 -495 583 0.01576 -495 849 0.01628 -495 3272 0.01744 -495 3511 0.01032 -495 5294 0.01238 -495 6418 0.01054 -495 7830 0.01854 -495 8393 0.01438 -494 520 0.01664 -494 934 0.00916 -494 1631 0.01441 -494 1737 0.00278 -494 2148 0.01079 -494 3074 0.00661 -494 4769 0.01832 -494 5567 0.01715 -494 6239 0.01361 -494 6875 0.01992 -494 7484 0.00767 -494 7504 0.01614 -494 8226 0.01256 -494 8851 0.01212 -494 8927 0.00954 -494 9007 0.01741 -493 633 0.01268 -493 1873 0.01336 -493 2533 0.00042 -493 2745 0.01968 -493 3028 0.00633 -493 3323 0.01430 -493 4087 0.01392 -493 5747 0.01392 -493 6284 0.00874 -493 7218 0.01604 -493 7939 0.01355 -493 9658 0.00719 -492 1319 0.01680 -492 1668 0.01149 -492 1815 0.00975 -492 1818 0.01424 -492 3625 0.01167 -492 4817 0.00901 -492 6131 0.01157 -492 8430 0.00184 -492 9364 0.01453 -492 9665 0.01570 -491 2416 0.01644 -491 2489 0.01947 -491 3668 0.01843 -491 4413 0.01986 -491 6893 0.01915 -491 8239 0.01042 -490 702 0.00416 -490 1636 0.01780 -490 6075 0.01040 -490 6945 0.00143 -490 7043 0.00598 -490 7577 0.01713 -490 8738 0.01112 -490 9344 0.01483 -490 9517 0.00960 -489 838 0.01792 -489 1108 0.01947 -489 1865 0.01994 -489 1883 0.00756 -489 2479 0.01986 -489 2639 0.01821 -489 2994 0.01891 -489 4063 0.01646 -489 8333 0.01892 -489 8832 0.00816 -489 9484 0.01819 -489 9684 0.01626 -488 3566 0.01667 -488 3943 0.00216 -488 4935 0.01474 -488 7882 0.00807 -488 9651 0.01472 -487 1317 0.01840 -487 1341 0.01067 -487 1893 0.00772 -487 1966 0.01811 -487 1970 0.01270 -487 3250 0.01324 -487 3808 0.00621 -487 4003 0.00987 -487 5891 0.00830 -487 6043 0.00319 -487 7231 0.01928 -487 9498 0.01583 -486 1515 0.01531 -486 3582 0.00919 -486 4597 0.00619 -486 5476 0.01054 -486 5909 0.01749 -486 5954 0.01362 -486 8457 0.01404 -486 9429 0.01555 -486 9564 0.01018 -486 9627 0.00870 -485 1619 0.01436 -485 1800 0.01343 -485 2079 0.01559 -485 2254 0.01415 -485 3718 0.01126 -485 3986 0.00998 -485 6046 0.00927 -485 6673 0.01145 -485 7123 0.01542 -485 7756 0.01108 -485 7775 0.01851 -485 7802 0.01765 -485 7986 0.01850 -485 8313 0.01109 -485 9438 0.01461 -485 9553 0.00987 -484 1859 0.00729 -484 3880 0.00655 -484 4219 0.01907 -484 4505 0.01894 -484 4672 0.00498 -484 5402 0.01730 -484 6464 0.01660 -484 7348 0.01490 -484 7515 0.01738 -484 7892 0.01535 -484 8203 0.01279 -484 8980 0.01791 -484 9338 0.00568 -484 9999 0.00649 -483 2691 0.01242 -483 3934 0.01032 -483 5615 0.01092 -483 5633 0.01243 -483 6728 0.01671 -483 7089 0.01980 -483 8544 0.00819 -483 8950 0.01701 -483 9476 0.00423 -482 2988 0.01322 -482 3408 0.01780 -482 4692 0.01542 -482 4984 0.01602 -482 6520 0.00098 -482 8179 0.00607 -482 8774 0.01154 -482 8901 0.01597 -482 9302 0.01638 -482 9433 0.01913 -481 495 0.00896 -481 583 0.00854 -481 3511 0.01509 -481 5294 0.00490 -481 6418 0.01596 -481 6581 0.01431 -481 8393 0.01833 -480 769 0.01341 -480 907 0.00789 -480 1263 0.01109 -480 1690 0.00514 -480 2777 0.01110 -480 3038 0.01973 -480 3320 0.01423 -480 7959 0.00915 -479 509 0.00820 -479 1263 0.01838 -479 3038 0.00936 -479 3855 0.01895 -479 5952 0.01674 -479 7959 0.01692 -479 8124 0.01617 -478 1252 0.01763 -478 2001 0.01684 -478 3189 0.01536 -478 3652 0.00850 -478 4308 0.01764 -478 5000 0.00810 -478 5934 0.01596 -478 6064 0.01211 -478 6069 0.01221 -478 7188 0.00588 -478 7207 0.00359 -478 7679 0.01438 -478 8669 0.01002 -478 9185 0.01228 -478 9596 0.01640 -477 512 0.01948 -477 779 0.01508 -477 831 0.01910 -477 1035 0.01326 -477 2142 0.01494 -477 3882 0.00923 -477 5587 0.01344 -477 5688 0.01321 -477 6554 0.00119 -477 7903 0.01355 -476 794 0.01633 -476 1163 0.00146 -476 1209 0.00599 -476 1743 0.01858 -476 1882 0.01745 -476 1989 0.01960 -476 2699 0.00179 -476 4237 0.01155 -476 5484 0.01614 -476 6650 0.01453 -476 7057 0.00602 -476 7660 0.00972 -476 8437 0.01975 -476 9220 0.01919 -475 1630 0.00695 -475 2702 0.00508 -475 3117 0.01639 -475 3424 0.01814 -475 3683 0.01664 -475 5890 0.01009 -475 6490 0.01316 -475 6671 0.01178 -475 6847 0.01124 -475 7306 0.01263 -475 9094 0.01318 -475 9192 0.00921 -475 9594 0.01801 -474 1969 0.01169 -474 2353 0.00253 -474 2403 0.01352 -474 3456 0.01454 -474 3965 0.01188 -474 5008 0.01808 -474 5683 0.01979 -474 7325 0.01641 -474 7462 0.01211 -474 8714 0.00764 -474 9333 0.01221 -474 9520 0.01818 -473 855 0.01746 -473 1134 0.01322 -473 3457 0.01646 -473 3972 0.01611 -473 4506 0.01989 -473 5187 0.00642 -473 5511 0.00986 -473 5868 0.01640 -473 6656 0.01346 -473 6741 0.00654 -473 7076 0.01113 -473 9842 0.01982 -473 9866 0.01341 -472 2026 0.01535 -472 2443 0.01447 -472 2602 0.01457 -472 4202 0.00317 -472 4868 0.01449 -472 5507 0.01693 -472 5856 0.01490 -472 5864 0.01037 -472 5978 0.01185 -472 6951 0.00295 -472 8330 0.01517 -471 535 0.01920 -471 2974 0.01830 -471 3657 0.01235 -471 4419 0.01424 -471 4420 0.01731 -471 5268 0.01872 -471 5303 0.00394 -471 6731 0.00338 -471 7406 0.01092 -471 7460 0.01429 -471 7636 0.00616 -471 7835 0.01862 -471 7885 0.01800 -471 8821 0.01030 -471 9203 0.00694 -470 1942 0.00933 -470 2037 0.01081 -470 2383 0.01358 -470 3067 0.01083 -470 3954 0.01856 -470 4261 0.00883 -470 4733 0.01967 -470 5485 0.01639 -470 5932 0.01699 -470 6607 0.00674 -470 7179 0.01941 -470 7766 0.01969 -470 8049 0.01017 -470 8791 0.00997 -470 9028 0.00936 -470 9502 0.00800 -469 2125 0.01786 -469 2728 0.01817 -469 2987 0.01056 -469 3369 0.00974 -469 3992 0.00506 -469 4821 0.01792 -469 5036 0.01621 -469 5499 0.01796 -469 7184 0.01257 -469 7915 0.00795 -469 8814 0.01619 -469 9592 0.00345 -469 9775 0.01180 -468 486 0.01696 -468 3582 0.01111 -468 4597 0.01775 -468 5015 0.00847 -468 5681 0.01808 -468 5954 0.01389 -468 6007 0.01796 -468 6102 0.01268 -468 8622 0.00963 -468 9429 0.00294 -468 9564 0.01243 -468 9627 0.01386 -468 9755 0.00821 -467 600 0.01699 -467 2429 0.01034 -467 3377 0.01991 -467 3742 0.01360 -467 5558 0.01318 -467 5839 0.01037 -467 6063 0.01815 -467 7534 0.01941 -467 7897 0.01683 -467 9693 0.01371 -467 9912 0.01862 -467 9980 0.01314 -466 1801 0.01081 -466 2084 0.00614 -466 2147 0.01995 -466 2938 0.01059 -466 3707 0.01124 -466 4408 0.00741 -466 7858 0.00579 -466 7893 0.00988 -466 8527 0.01549 -466 8676 0.01783 -466 9931 0.00781 -465 646 0.01736 -465 2080 0.01016 -465 2721 0.01263 -465 6146 0.01615 -465 6605 0.01847 -465 6809 0.01864 -465 6974 0.01029 -465 7036 0.01196 -465 8103 0.00523 -464 534 0.01437 -464 874 0.00617 -464 1104 0.01400 -464 1236 0.01167 -464 1747 0.00059 -464 1794 0.01334 -464 1913 0.01930 -464 2207 0.01368 -464 3394 0.01905 -464 3532 0.00754 -464 3557 0.01507 -464 3631 0.01460 -464 3770 0.01715 -464 5075 0.01194 -464 5436 0.01802 -464 5551 0.00105 -464 5817 0.01434 -464 8151 0.01828 -463 1493 0.01748 -463 1532 0.01426 -463 1881 0.01147 -463 2165 0.01847 -463 2288 0.01696 -463 3609 0.01970 -463 4466 0.01775 -463 4664 0.00823 -463 5515 0.01645 -463 6147 0.00414 -463 6515 0.01440 -463 7114 0.01780 -463 7328 0.00832 -463 7486 0.00573 -463 7768 0.01496 -463 7934 0.01831 -463 9478 0.01499 -463 9839 0.01370 -462 805 0.01903 -462 2516 0.01817 -462 4168 0.01214 -462 4226 0.01739 -462 4586 0.01461 -462 5432 0.01006 -462 5580 0.00820 -462 5924 0.01376 -462 6338 0.01447 -462 6687 0.01797 -462 7608 0.01278 -462 8937 0.01728 -461 2105 0.01461 -461 2450 0.01854 -461 3153 0.01859 -461 4077 0.01871 -461 4857 0.01712 -461 7541 0.01301 -461 9308 0.00531 -460 1548 0.00502 -460 3245 0.01058 -460 3409 0.01366 -460 3465 0.01789 -460 4625 0.01866 -460 5535 0.01324 -460 6092 0.01768 -460 6200 0.01473 -460 6474 0.01698 -460 6497 0.00558 -460 6695 0.01948 -460 7187 0.00799 -460 7279 0.01608 -460 9189 0.01880 -460 9345 0.00545 -460 9507 0.01938 -460 9568 0.01296 -460 9640 0.01251 -459 925 0.01323 -459 1664 0.01304 -459 2379 0.00274 -459 3328 0.01363 -459 4797 0.01250 -459 5655 0.01768 -459 7399 0.01412 -459 7416 0.01856 -459 9060 0.00438 -459 9063 0.01938 -459 9393 0.01180 -458 1255 0.01399 -458 1321 0.01573 -458 1598 0.00629 -458 2236 0.01482 -458 2483 0.00642 -458 4092 0.00873 -457 976 0.01403 -457 1202 0.01267 -457 2837 0.01374 -457 3564 0.01842 -457 4600 0.01595 -457 6833 0.00928 -457 9071 0.01215 -456 1829 0.01828 -456 1894 0.01089 -456 2566 0.01665 -456 3702 0.00145 -456 4184 0.01897 -456 4312 0.00985 -456 4352 0.01104 -456 4562 0.01151 -456 5174 0.01861 -456 5478 0.01845 -456 8668 0.01056 -456 9204 0.01264 -455 463 0.01845 -455 614 0.01439 -455 903 0.01683 -455 1418 0.01945 -455 1493 0.01478 -455 1532 0.00530 -455 2165 0.00408 -455 2288 0.01257 -455 3609 0.00718 -455 6147 0.01451 -455 6515 0.01893 -455 6777 0.01837 -455 7114 0.00224 -455 7486 0.01584 -455 9478 0.01637 -455 9839 0.01268 -454 1527 0.01797 -454 2227 0.01206 -454 2635 0.01663 -454 3075 0.00676 -454 3258 0.01757 -454 3419 0.01476 -454 3421 0.01868 -454 4009 0.01210 -454 5265 0.01207 -454 5981 0.01599 -454 5986 0.01454 -454 6012 0.01585 -454 8877 0.01108 -454 9360 0.01608 -454 9586 0.00859 -453 789 0.01620 -453 1501 0.00599 -453 1926 0.01903 -453 2173 0.00651 -453 3825 0.00386 -453 4564 0.01755 -453 5324 0.00483 -453 5769 0.01918 -453 6776 0.01329 -453 9777 0.00482 -452 3036 0.01081 -452 4526 0.00723 -452 4958 0.00662 -452 9190 0.01110 -452 9402 0.01833 -452 9901 0.01647 -451 690 0.01818 -451 1684 0.00657 -451 2946 0.01168 -451 3905 0.01228 -451 5662 0.01668 -451 5807 0.00828 -451 5829 0.01676 -451 5853 0.01913 -451 7048 0.01502 -451 7154 0.00944 -451 7244 0.01454 -451 7548 0.01105 -451 8102 0.01951 -451 9469 0.01237 -450 2709 0.01595 -450 3938 0.00504 -450 4891 0.01300 -450 4961 0.00940 -450 5776 0.01835 -450 6120 0.01466 -450 7680 0.01664 -450 9228 0.01224 -449 3293 0.01029 -449 3427 0.01635 -449 3792 0.01175 -449 4404 0.00723 -449 4424 0.00578 -449 5079 0.00808 -449 8900 0.01976 -449 9415 0.01545 -448 1165 0.01225 -448 1717 0.01425 -448 1982 0.01956 -448 2019 0.01549 -448 2552 0.01708 -448 2795 0.00862 -448 2982 0.01808 -448 3675 0.01373 -448 4073 0.01836 -448 4409 0.01601 -448 4574 0.01636 -448 5517 0.00633 -448 5608 0.01770 -448 6432 0.01422 -448 6750 0.01213 -448 8066 0.00326 -447 1618 0.01402 -447 4112 0.01604 -447 9217 0.01786 -446 1668 0.01495 -446 3625 0.01629 -446 5650 0.01428 -446 6042 0.01944 -446 6079 0.00971 -446 6131 0.01103 -446 6564 0.01067 -446 6672 0.01758 -446 7037 0.01636 -446 7992 0.00838 -446 9483 0.01801 -445 542 0.01766 -445 1030 0.01336 -445 1439 0.00553 -445 1454 0.00906 -445 2658 0.01217 -445 2921 0.01657 -445 2956 0.00538 -445 4471 0.01943 -445 4538 0.01691 -445 5129 0.01934 -445 5585 0.01561 -445 5736 0.01227 -445 6061 0.00733 -445 6684 0.00388 -445 7182 0.01338 -445 8529 0.01203 -445 9383 0.00325 -444 1159 0.01425 -444 1608 0.00637 -444 1895 0.01899 -444 2267 0.01893 -444 2903 0.00815 -444 4339 0.00185 -444 5695 0.01993 -444 6258 0.01755 -444 6414 0.00616 -444 6895 0.01188 -444 7905 0.01584 -444 8107 0.01580 -444 8639 0.01755 -444 9238 0.01810 -443 2480 0.01289 -443 2598 0.00926 -443 3218 0.01094 -443 3431 0.01906 -443 3887 0.00223 -443 4159 0.01333 -443 4314 0.01755 -443 6299 0.01449 -443 7026 0.00903 -443 7101 0.01334 -443 7788 0.00883 -443 8184 0.01404 -443 9244 0.01855 -443 9376 0.01887 -442 651 0.01982 -442 906 0.01705 -442 1440 0.01564 -442 2230 0.00203 -442 3693 0.01672 -442 4049 0.01764 -442 4912 0.01728 -442 5213 0.01519 -442 6041 0.01922 -442 8163 0.01866 -442 8310 0.01045 -442 8876 0.01724 -442 9541 0.00120 -442 9754 0.01761 -441 1188 0.01603 -441 2022 0.01936 -441 3666 0.01227 -441 4479 0.01875 -441 4888 0.00601 -441 4897 0.01698 -441 8410 0.00944 -441 8754 0.00954 -441 9341 0.00678 -440 1015 0.00140 -440 1897 0.01155 -440 1996 0.01079 -440 2170 0.00447 -440 2369 0.01802 -440 3256 0.01984 -440 4288 0.01945 -440 5693 0.01192 -440 7069 0.01602 -440 9115 0.00765 -440 9224 0.01955 -439 922 0.00748 -439 1257 0.00841 -439 2019 0.01864 -439 2291 0.01387 -439 2774 0.01720 -439 2982 0.01866 -439 3574 0.01997 -439 4409 0.01539 -439 5539 0.01474 -439 6432 0.01718 -439 6669 0.01621 -439 7374 0.00924 -439 8002 0.01302 -439 8740 0.01706 -439 9074 0.01937 -439 9806 0.00835 -438 2386 0.01772 -438 2612 0.00898 -438 3999 0.01025 -438 4005 0.00732 -438 4148 0.01787 -438 5377 0.00292 -438 6688 0.01244 -438 8343 0.00730 -438 8351 0.00453 -438 8364 0.01898 -438 9929 0.01427 -438 9992 0.01788 -437 627 0.01188 -437 1917 0.01183 -437 2971 0.01151 -437 2977 0.01418 -437 4916 0.00895 -437 6308 0.01291 -437 7354 0.01584 -437 8751 0.00892 -437 9151 0.01734 -437 9291 0.01486 -437 9442 0.00658 -436 836 0.01506 -436 839 0.01775 -436 1300 0.01289 -436 1429 0.01298 -436 1610 0.01427 -436 1853 0.01569 -436 1855 0.01180 -436 2587 0.01278 -436 2870 0.01639 -436 2979 0.01762 -436 3484 0.01231 -436 3734 0.01324 -436 3896 0.00781 -436 5882 0.01247 -436 7362 0.01040 -436 8503 0.01018 -436 9514 0.01138 -435 1907 0.01988 -435 2996 0.01536 -435 6348 0.01747 -435 6773 0.01142 -435 8322 0.00446 -435 9108 0.00920 -434 1490 0.01554 -434 1582 0.01800 -434 2502 0.01244 -434 5092 0.00216 -434 5870 0.01353 -434 6130 0.01029 -434 7357 0.01173 -434 8229 0.01284 -434 9400 0.00922 -434 9512 0.01214 -434 9854 0.01496 -433 2382 0.00755 -433 3527 0.01809 -433 4047 0.01885 -433 5365 0.00779 -433 6142 0.01618 -433 6267 0.01273 -433 7407 0.01029 -433 7904 0.01865 -433 9580 0.00616 -432 2392 0.01599 -432 3935 0.01992 -432 5188 0.01341 -432 5285 0.01749 -432 6051 0.01193 -432 7219 0.01274 -432 8698 0.01739 -432 8798 0.01911 -431 1903 0.01043 -431 1975 0.01666 -431 2218 0.01455 -431 3045 0.01214 -431 3663 0.01193 -431 6182 0.00720 -431 6440 0.01260 -431 8064 0.01993 -431 8236 0.01448 -431 8580 0.01114 -430 1774 0.01307 -430 2346 0.01722 -430 2357 0.00939 -430 2447 0.01840 -430 4163 0.01838 -430 5364 0.01426 -430 5938 0.00711 -430 6174 0.01422 -430 6811 0.00609 -430 6953 0.01756 -430 8716 0.00662 -429 1539 0.01939 -429 1616 0.01909 -429 2589 0.01894 -429 3063 0.00538 -429 4533 0.00533 -429 5060 0.00134 -429 6477 0.01941 -429 6737 0.01840 -429 6883 0.01463 -429 6988 0.00709 -429 7228 0.01987 -429 8008 0.01583 -429 8579 0.00586 -429 8864 0.01559 -428 1043 0.01961 -428 2057 0.01550 -428 2884 0.01592 -428 3131 0.01084 -428 3642 0.01229 -428 3860 0.01238 -428 5748 0.01864 -428 5980 0.01774 -428 6353 0.01701 -428 8344 0.01902 -428 8618 0.01298 -428 9401 0.01127 -428 9794 0.00872 -427 1349 0.01317 -427 2402 0.01295 -427 2855 0.00967 -427 3162 0.01907 -427 5522 0.00754 -427 5838 0.01228 -427 6761 0.01196 -427 7109 0.01682 -427 7408 0.01484 -427 7878 0.00734 -427 8200 0.01271 -427 8387 0.01612 -426 552 0.01095 -426 2190 0.00709 -426 2428 0.01673 -426 3512 0.01710 -426 5111 0.01520 -426 5538 0.01001 -426 5848 0.01325 -426 6781 0.01680 -426 6801 0.01809 -426 7208 0.00809 -426 9240 0.00553 -425 430 0.01717 -425 2059 0.01156 -425 2357 0.00822 -425 2528 0.01717 -425 3862 0.01838 -425 4163 0.00981 -425 5617 0.01837 -425 5938 0.01334 -425 6323 0.01371 -425 6811 0.01799 -425 7528 0.01726 -425 8716 0.01928 -425 9632 0.01877 -424 428 0.01736 -424 2041 0.00759 -424 2433 0.01092 -424 2749 0.01687 -424 2884 0.00280 -424 3011 0.01726 -424 3642 0.01027 -424 3828 0.01832 -424 5748 0.00968 -424 6353 0.00609 -424 7622 0.01184 -424 8396 0.00534 -424 8618 0.00516 -424 9794 0.00883 -423 1752 0.01592 -423 3033 0.01240 -423 3682 0.00744 -423 3741 0.01524 -423 5202 0.01613 -423 6996 0.00794 -423 7999 0.01545 -422 1010 0.01160 -422 1274 0.00576 -422 1709 0.01029 -422 5027 0.01620 -422 6924 0.00796 -422 7148 0.00145 -422 7695 0.01054 -422 8167 0.01007 -421 1617 0.01482 -421 2679 0.01186 -421 3002 0.01178 -421 3572 0.01857 -421 3917 0.01733 -421 4113 0.01211 -421 5069 0.01338 -421 5138 0.00376 -421 5418 0.01652 -421 5687 0.01979 -421 6132 0.01164 -421 6301 0.01281 -421 8219 0.01727 -421 8454 0.01441 -421 9298 0.01452 -420 1164 0.00910 -420 1552 0.01901 -420 2407 0.01227 -420 2592 0.01991 -420 8738 0.01882 -420 8949 0.01354 -420 9465 0.01968 -419 1590 0.01608 -419 2119 0.01874 -419 2342 0.01387 -419 5729 0.01388 -419 8974 0.01510 -419 9051 0.00329 -419 9380 0.01184 -418 2545 0.01790 -418 2675 0.01889 -418 5659 0.01545 -418 6099 0.01937 -418 6533 0.00340 -418 7032 0.01950 -418 7976 0.01929 -418 9135 0.01671 -418 9565 0.00707 -417 458 0.01154 -417 1598 0.01339 -417 2236 0.00413 -417 2483 0.00822 -417 2921 0.01817 -417 4092 0.01993 -417 5585 0.01835 -416 1153 0.01436 -416 1198 0.01270 -416 3211 0.00394 -416 4215 0.00968 -416 4873 0.01238 -416 5048 0.01001 -416 5907 0.01426 -416 5916 0.01298 -416 7195 0.00914 -416 7710 0.01708 -416 8149 0.00554 -416 8983 0.01366 -416 9761 0.01046 -415 1425 0.01190 -415 1839 0.00208 -415 2970 0.01888 -415 3078 0.01098 -415 3563 0.00673 -415 4388 0.01471 -415 4591 0.01757 -415 5443 0.01324 -415 5762 0.01554 -415 6453 0.01329 -415 7045 0.01970 -415 7437 0.01165 -415 8222 0.01218 -415 8860 0.01828 -415 9312 0.01914 -415 9411 0.01944 -414 469 0.00796 -414 2987 0.01459 -414 3369 0.01078 -414 3992 0.00291 -414 5036 0.01687 -414 5251 0.01536 -414 5499 0.01825 -414 7915 0.00218 -414 8124 0.01374 -414 8814 0.01922 -414 9592 0.00590 -414 9775 0.01791 -413 769 0.01807 -413 1503 0.01112 -413 2794 0.01101 -413 3247 0.01415 -413 3503 0.01953 -413 3612 0.01397 -413 5685 0.01842 -413 6030 0.00393 -413 9232 0.01718 -413 9382 0.01549 -412 647 0.01688 -412 1844 0.01214 -412 2355 0.01949 -412 2613 0.01663 -412 2805 0.01750 -412 4487 0.01087 -412 6157 0.01247 -412 6526 0.00896 -412 8456 0.01155 -412 9319 0.01885 -412 9381 0.01400 -411 685 0.01554 -411 1068 0.01019 -411 1583 0.01567 -411 1685 0.01411 -411 2039 0.00892 -411 3676 0.00769 -411 4079 0.01518 -411 4212 0.00808 -411 6115 0.01743 -411 7142 0.01725 -411 7251 0.01232 -411 8017 0.00505 -411 8052 0.01255 -411 8094 0.01963 -411 8561 0.01417 -411 8736 0.01718 -411 8905 0.01616 -411 9175 0.00933 -411 9858 0.01966 -410 648 0.01466 -410 1272 0.01641 -410 1509 0.01556 -410 1683 0.01847 -410 1972 0.01267 -410 2107 0.01564 -410 2443 0.01956 -410 6292 0.01717 -410 7421 0.01182 -410 7575 0.00489 -409 510 0.01232 -409 2726 0.01703 -409 4638 0.01367 -409 6274 0.01448 -409 7257 0.00948 -409 7285 0.00551 -409 7459 0.01468 -409 7625 0.01767 -409 7873 0.01870 -409 8234 0.01338 -409 8490 0.01204 -409 8913 0.01970 -409 9656 0.01824 -408 2180 0.01615 -408 2618 0.01336 -408 5328 0.00327 -408 6387 0.01809 -408 6909 0.01885 -408 9195 0.01427 -408 9351 0.00853 -407 564 0.00809 -407 3319 0.01599 -407 4318 0.01294 -407 4641 0.01218 -407 5198 0.01170 -407 6535 0.00821 -407 7037 0.01933 -407 7872 0.01853 -407 8606 0.01894 -407 9379 0.01486 -407 9483 0.01891 -407 9611 0.01338 -406 1029 0.01744 -406 1740 0.01892 -406 2607 0.00492 -406 3716 0.01944 -406 3966 0.01943 -406 5252 0.01101 -406 5901 0.00851 -406 6003 0.01990 -406 7238 0.01025 -406 7827 0.01686 -406 8508 0.01390 -406 8564 0.01748 -406 9710 0.01067 -405 1687 0.01387 -405 1955 0.01495 -405 4283 0.01730 -405 4955 0.00898 -405 5280 0.01243 -405 6965 0.00354 -405 7342 0.01817 -405 7989 0.01946 -405 9347 0.01236 -405 9772 0.01608 -404 1183 0.01685 -404 1836 0.01939 -404 2499 0.01475 -404 2969 0.00873 -404 3195 0.01794 -404 3768 0.01421 -404 4775 0.01673 -404 5134 0.01805 -404 6158 0.00780 -404 6209 0.01507 -404 7323 0.01859 -404 7395 0.01868 -404 7654 0.01106 -404 9441 0.01944 -404 9490 0.01160 -404 9715 0.01419 -403 852 0.01524 -403 1034 0.00400 -403 1207 0.01768 -403 3883 0.01779 -403 4117 0.01158 -403 4479 0.00852 -403 4752 0.01242 -403 4756 0.01704 -403 5296 0.01773 -403 6819 0.01799 -403 6832 0.00357 -403 7056 0.01698 -403 8534 0.01815 -402 1552 0.01555 -402 2407 0.01315 -402 2554 0.01651 -402 2663 0.00473 -402 3050 0.00426 -402 3288 0.00717 -402 3930 0.01606 -402 7517 0.01113 -402 7943 0.01678 -402 8303 0.01626 -402 9496 0.01159 -401 570 0.01172 -401 1702 0.01652 -401 3442 0.01248 -401 4207 0.01786 -401 5536 0.00880 -401 5883 0.01049 -401 6423 0.01592 -401 7108 0.01670 -401 7294 0.01855 -401 8381 0.01971 -401 8514 0.01140 -401 9017 0.01229 -401 9409 0.01937 -400 956 0.01062 -400 1824 0.00930 -400 2556 0.00809 -400 2722 0.01529 -400 3126 0.01960 -400 3810 0.01768 -400 4146 0.00386 -400 4818 0.01927 -400 4882 0.01609 -400 4908 0.01299 -400 5400 0.00776 -400 6794 0.00776 -400 7241 0.01374 -400 8319 0.01880 -400 8965 0.00380 -400 8984 0.01585 -400 9030 0.01578 -400 9055 0.01602 -400 9234 0.01437 -400 9437 0.01168 -399 636 0.01474 -399 1562 0.01691 -399 2539 0.01461 -399 3314 0.01126 -399 3486 0.00405 -399 4315 0.01995 -399 4356 0.01829 -399 4465 0.00914 -399 5574 0.00968 -399 6283 0.01342 -399 6319 0.01317 -399 7404 0.01890 -399 8097 0.01150 -399 9597 0.01613 -399 9687 0.00335 -399 9765 0.01427 -398 1542 0.01516 -398 2123 0.01781 -398 3287 0.00498 -398 3634 0.01549 -398 4522 0.01190 -398 5456 0.01123 -398 5834 0.01963 -398 6796 0.01343 -398 7870 0.01073 -398 9099 0.01574 -398 9242 0.00691 -397 1807 0.01365 -397 2469 0.01744 -397 3048 0.01898 -397 3578 0.01619 -397 5052 0.00709 -397 7243 0.01271 -397 7601 0.01720 -397 8551 0.01534 -397 9995 0.01863 -396 1064 0.01619 -396 1643 0.01497 -396 2180 0.01096 -396 2618 0.01311 -396 5007 0.01090 -396 5646 0.00863 -396 5655 0.01586 -396 5815 0.01928 -396 6491 0.01535 -396 6931 0.01072 -396 8868 0.01031 -396 9006 0.01618 -395 597 0.01158 -395 815 0.00628 -395 1460 0.00483 -395 1504 0.01830 -395 1925 0.01247 -395 2712 0.01088 -395 5197 0.01754 -395 5331 0.00709 -395 5337 0.00917 -395 5992 0.01544 -395 6070 0.01368 -395 6361 0.01969 -395 7583 0.01644 -395 8479 0.01546 -395 9746 0.01875 -395 9893 0.01938 -394 396 0.01813 -394 882 0.01028 -394 1064 0.01038 -394 1191 0.00883 -394 1643 0.01705 -394 2083 0.01412 -394 2796 0.01221 -394 3109 0.01686 -394 5469 0.01917 -394 5487 0.01332 -394 5646 0.01100 -394 5815 0.01705 -394 6491 0.01351 -394 6975 0.00859 -394 8538 0.01800 -394 8868 0.01741 -394 9006 0.00360 -393 486 0.01256 -393 1515 0.01060 -393 2014 0.01287 -393 2666 0.01821 -393 3733 0.01894 -393 4597 0.01250 -393 4754 0.01537 -393 5476 0.01485 -393 7133 0.01134 -393 8302 0.01962 -392 2721 0.01531 -392 3598 0.01659 -392 6175 0.01458 -392 6538 0.01758 -392 6825 0.01602 -392 7036 0.01694 -392 7684 0.01727 -392 8168 0.01893 -392 9223 0.01972 -391 1240 0.00377 -391 1860 0.01284 -391 1884 0.01768 -391 3823 0.01489 -391 3946 0.01787 -391 5622 0.01250 -391 6496 0.01828 -391 6536 0.01395 -391 8474 0.00722 -391 8553 0.01360 -391 8735 0.01663 -391 9056 0.01713 -391 9394 0.01374 -391 9663 0.01526 -390 1369 0.01886 -390 3519 0.01158 -390 4234 0.01198 -390 4880 0.00919 -390 5649 0.00849 -390 6370 0.00869 -390 7485 0.00653 -390 8299 0.00707 -390 8336 0.00656 -390 9462 0.01459 -389 445 0.01638 -389 1439 0.01119 -389 1879 0.01097 -389 2658 0.01970 -389 2956 0.01410 -389 4864 0.01439 -389 5108 0.00841 -389 5129 0.01583 -389 5554 0.01088 -389 5607 0.01535 -389 5736 0.00721 -389 6061 0.01491 -389 6684 0.01681 -389 7473 0.01946 -389 8019 0.01841 -389 8529 0.01435 -389 9383 0.01813 -389 9910 0.01945 -388 4385 0.01820 -388 4800 0.01153 -388 5519 0.01351 -388 7303 0.01894 -388 7333 0.01146 -388 7560 0.01738 -388 7835 0.01923 -387 444 0.01829 -387 1159 0.00421 -387 1608 0.01623 -387 1895 0.01094 -387 2267 0.00803 -387 2404 0.01948 -387 3264 0.00619 -387 4339 0.01974 -387 4698 0.01625 -387 4931 0.01609 -387 5753 0.00538 -387 5963 0.01112 -387 6004 0.01308 -387 6258 0.00935 -387 6414 0.01687 -387 6895 0.01460 -387 7905 0.00800 -387 9238 0.01885 -386 1372 0.01599 -386 1963 0.01476 -386 2212 0.01799 -386 2467 0.00684 -386 5908 0.00919 -386 6340 0.01779 -386 9252 0.00168 -386 9447 0.00514 -385 2381 0.01422 -385 2763 0.00871 -385 2847 0.01612 -385 3513 0.01676 -385 4004 0.01910 -385 5195 0.01843 -385 5312 0.01318 -385 7676 0.00757 -385 8686 0.01047 -385 9321 0.01897 -384 688 0.01258 -384 1167 0.01683 -384 1856 0.01901 -384 2078 0.01422 -384 2373 0.01905 -384 3102 0.01978 -384 3335 0.01950 -384 3691 0.01005 -384 3891 0.01594 -384 4536 0.00861 -384 4965 0.01553 -384 5395 0.01826 -384 6072 0.01396 -384 6792 0.01843 -384 6885 0.01588 -384 7305 0.01494 -384 7926 0.00783 -384 7972 0.01365 -384 8700 0.00565 -384 8801 0.01251 -384 9445 0.00193 -384 9626 0.00469 -384 9749 0.01168 -383 866 0.01027 -383 1487 0.01328 -383 1733 0.01973 -383 2297 0.01668 -383 2377 0.01671 -383 5451 0.01557 -383 6576 0.01010 -383 6808 0.01203 -383 9636 0.00756 -382 1026 0.01606 -382 2734 0.00104 -382 3348 0.01308 -382 3688 0.01995 -382 3984 0.01706 -382 4398 0.01719 -382 4748 0.01634 -382 5229 0.01727 -382 5435 0.01339 -382 5465 0.00962 -382 6107 0.01047 -382 7923 0.01240 -382 8556 0.00408 -381 466 0.01819 -381 2084 0.01399 -381 2147 0.00184 -381 2399 0.01706 -381 2530 0.00681 -381 3019 0.01897 -381 3707 0.01294 -381 4017 0.01503 -381 4224 0.00532 -381 4408 0.01491 -381 7858 0.01678 -381 7893 0.01530 -381 8527 0.01147 -381 8552 0.00928 -381 8676 0.00870 -381 8784 0.01243 -381 8870 0.00807 -381 9260 0.01689 -380 619 0.00102 -380 996 0.01026 -380 1307 0.01927 -380 1417 0.00078 -380 1547 0.01253 -380 1804 0.01898 -380 2807 0.01570 -380 5033 0.01428 -380 5306 0.01526 -380 8032 0.01322 -380 8040 0.00123 -380 8058 0.01435 -380 8202 0.00482 -380 8257 0.00877 -380 9212 0.01584 -379 1594 0.01765 -379 2284 0.00494 -379 3605 0.01268 -379 5474 0.01591 -379 7466 0.01548 -379 7742 0.01831 -379 7929 0.01748 -378 734 0.00204 -378 2746 0.01232 -378 3561 0.01195 -378 5120 0.01533 -378 7181 0.01766 -378 7793 0.00781 -378 9974 0.01601 -377 918 0.01346 -377 1679 0.01301 -377 3115 0.01724 -377 3744 0.00543 -377 4525 0.01384 -377 4760 0.01825 -377 5014 0.01646 -377 5145 0.01602 -377 5822 0.00782 -377 6076 0.01352 -377 6559 0.00930 -377 6625 0.01630 -377 7145 0.01705 -377 8164 0.00735 -377 8247 0.01783 -377 8977 0.01478 -377 9082 0.01577 -377 9686 0.01920 -377 9811 0.01846 -376 1597 0.00218 -376 1832 0.01824 -376 2168 0.01466 -376 2522 0.01277 -376 5033 0.01666 -376 5601 0.01118 -376 6735 0.00913 -376 7118 0.00762 -376 7573 0.01797 -376 8032 0.01860 -376 8058 0.00833 -376 8235 0.01486 -376 8257 0.01816 -376 9212 0.01790 -376 9959 0.01126 -375 406 0.01274 -375 1271 0.01413 -375 1740 0.00983 -375 1995 0.01639 -375 2607 0.01627 -375 2751 0.01771 -375 3966 0.01335 -375 4281 0.01460 -375 4956 0.01168 -375 5222 0.01716 -375 5252 0.01207 -375 5901 0.00974 -375 6003 0.01042 -375 7238 0.00305 -375 7271 0.01919 -375 8508 0.01695 -375 8564 0.01640 -375 9710 0.01954 -374 1224 0.01914 -374 1648 0.01703 -374 2333 0.01925 -374 3065 0.01910 -374 3216 0.00735 -374 3479 0.01161 -374 3530 0.01552 -374 3646 0.00396 -374 4006 0.00858 -374 5389 0.01105 -374 6857 0.01857 -374 7792 0.00606 -374 8154 0.01160 -374 9146 0.00970 -374 9157 0.01330 -373 652 0.01454 -373 911 0.01679 -373 1216 0.00211 -373 2217 0.01597 -373 2587 0.01829 -373 3651 0.01842 -373 3734 0.01797 -373 4074 0.01826 -373 4578 0.00701 -372 1444 0.01588 -372 1510 0.01215 -372 1817 0.01856 -372 2043 0.01672 -372 2934 0.00180 -372 5772 0.01603 -372 6016 0.01659 -372 6320 0.01949 -372 8475 0.01961 -372 8513 0.01279 -372 9213 0.01685 -372 9395 0.01476 -371 2248 0.01282 -371 3745 0.01432 -371 4172 0.01980 -371 4248 0.01753 -371 4342 0.01168 -371 6172 0.00832 -371 6291 0.01326 -371 9739 0.01986 -370 1826 0.01247 -370 3372 0.00626 -370 4178 0.00829 -370 4228 0.00254 -370 4433 0.01595 -370 5017 0.00706 -370 5313 0.00646 -370 5439 0.01147 -370 5464 0.00886 -370 5813 0.00999 -370 6616 0.01778 -370 6769 0.01423 -370 6932 0.01725 -370 7092 0.01392 -370 7162 0.01700 -370 7721 0.00783 -370 8178 0.01740 -370 8448 0.01536 -370 8684 0.00655 -370 9426 0.01974 -369 1282 0.01215 -369 4723 0.00583 -369 4834 0.01244 -369 4981 0.01267 -369 5203 0.01714 -369 5605 0.01460 -369 7259 0.01246 -369 7514 0.00769 -369 8722 0.00783 -369 9913 0.00257 -368 1048 0.01753 -368 1449 0.00927 -368 2792 0.01512 -368 3757 0.01910 -368 6686 0.01374 -368 7790 0.01151 -368 8353 0.01210 -367 1627 0.01999 -367 2364 0.01062 -367 3731 0.01579 -367 4738 0.01650 -367 5107 0.01479 -367 5220 0.01129 -367 5658 0.00675 -367 5671 0.00289 -367 6660 0.00894 -367 7084 0.01860 -367 9667 0.01578 -366 529 0.01074 -366 809 0.00980 -366 1292 0.01539 -366 1655 0.01656 -366 2178 0.00600 -366 2640 0.00935 -366 2928 0.00651 -366 2989 0.01672 -366 4391 0.01607 -366 4862 0.01623 -366 6238 0.01886 -366 6300 0.01568 -366 7475 0.01895 -366 7838 0.01558 -366 7969 0.00599 -366 8099 0.01557 -366 8729 0.01395 -365 477 0.01142 -365 831 0.01495 -365 1035 0.00830 -365 1280 0.01771 -365 5688 0.01730 -365 5719 0.01979 -365 6554 0.01250 -365 7754 0.01873 -365 7903 0.01217 -365 9799 0.01181 -365 9865 0.01651 -364 841 0.01636 -364 1904 0.00304 -364 3497 0.00566 -364 3807 0.01288 -364 5096 0.01446 -364 6344 0.00215 -364 6736 0.01610 -364 7297 0.00263 -364 7444 0.01921 -364 7561 0.01206 -364 8413 0.00823 -364 8687 0.00707 -364 9256 0.01998 -364 9481 0.01546 -363 449 0.00483 -363 3293 0.00555 -363 3427 0.01335 -363 3792 0.00921 -363 4404 0.01174 -363 4424 0.00728 -363 5079 0.00325 -363 7303 0.01598 -363 8900 0.01843 -363 8907 0.01921 -363 9160 0.01651 -363 9415 0.01835 -362 649 0.01922 -362 692 0.00357 -362 860 0.00979 -362 1811 0.01831 -362 2401 0.01414 -362 2652 0.01831 -362 2993 0.01969 -362 3732 0.01229 -362 4090 0.01195 -362 4190 0.01635 -362 4975 0.01675 -362 7962 0.01789 -362 8142 0.01488 -361 797 0.00863 -361 1936 0.00517 -361 3840 0.01661 -361 5433 0.00976 -361 5707 0.01928 -361 6752 0.00891 -361 8545 0.01626 -361 8651 0.00674 -361 9741 0.00686 -360 1021 0.01407 -360 2294 0.01657 -360 2764 0.00456 -360 2813 0.01138 -360 3228 0.01367 -360 3815 0.01983 -360 4542 0.01408 -360 4581 0.01860 -360 4646 0.01959 -360 5894 0.00601 -360 9600 0.00859 -360 9692 0.01576 -359 492 0.01994 -359 1668 0.01090 -359 3625 0.00975 -359 4641 0.01890 -359 4817 0.01853 -359 5463 0.01504 -359 6672 0.00783 -359 7037 0.01503 -359 8430 0.01810 -359 9483 0.01931 -359 9611 0.01676 -358 1448 0.00986 -358 1832 0.01561 -358 3265 0.01256 -358 3878 0.00420 -358 3925 0.01271 -358 4115 0.00936 -358 4946 0.00886 -358 6433 0.01332 -358 6447 0.00864 -358 6544 0.01010 -358 7062 0.01958 -358 7100 0.01595 -358 7574 0.01074 -358 8235 0.01915 -358 8809 0.01178 -358 9449 0.01997 -357 500 0.01946 -357 3844 0.01252 -357 4222 0.01683 -357 4785 0.01420 -357 6237 0.01225 -357 6454 0.01455 -357 7321 0.00574 -357 7593 0.01181 -357 7701 0.01314 -356 2275 0.01667 -356 2290 0.00370 -356 2371 0.01406 -356 4686 0.01910 -356 6031 0.01728 -356 6053 0.00720 -356 7178 0.01759 -356 7436 0.01731 -356 8238 0.01679 -356 9047 0.01032 -356 9365 0.01580 -356 9599 0.01315 -355 2277 0.01721 -355 2393 0.01123 -355 4924 0.01787 -355 7350 0.00786 -355 7625 0.01523 -355 8309 0.01622 -355 8490 0.01848 -355 8913 0.01801 -355 9310 0.00432 -355 9373 0.01907 -354 1772 0.01578 -354 1977 0.01999 -354 2704 0.00806 -354 3034 0.00910 -354 3813 0.01295 -354 4007 0.00394 -354 4716 0.01404 -354 5501 0.01367 -354 5703 0.01996 -354 6104 0.01644 -354 6662 0.00905 -354 9738 0.01964 -353 622 0.01520 -353 852 0.00672 -353 1034 0.01765 -353 2659 0.01900 -353 3883 0.01177 -353 4068 0.01039 -353 4496 0.00954 -353 4756 0.00544 -353 4977 0.01093 -353 5298 0.00805 -353 5722 0.00878 -353 6819 0.01239 -353 6832 0.01977 -353 6858 0.01433 -353 7056 0.01878 -353 8534 0.01686 -352 894 0.00463 -352 1550 0.01746 -352 1889 0.01110 -352 2411 0.01648 -352 2557 0.01814 -352 2766 0.01666 -352 4384 0.01651 -352 4905 0.01590 -352 5121 0.01640 -352 5962 0.01005 -352 6183 0.01761 -352 6712 0.00848 -352 9459 0.01662 -351 1825 0.01080 -351 3842 0.01162 -351 4366 0.01549 -351 4393 0.01848 -351 4612 0.01645 -351 6716 0.01311 -351 8044 0.01929 -351 9538 0.01322 -350 598 0.00796 -350 927 0.00262 -350 1140 0.01948 -350 1165 0.01255 -350 3174 0.01806 -350 3322 0.01251 -350 4073 0.00778 -350 4772 0.01246 -350 4814 0.01329 -350 5480 0.01204 -350 6445 0.00961 -350 6750 0.01306 -350 9711 0.00902 -349 5512 0.01316 -349 5570 0.01956 -349 6666 0.01457 -349 7878 0.01835 -349 8071 0.01640 -349 9518 0.01640 -349 9598 0.01867 -348 716 0.01100 -348 1344 0.01284 -348 2009 0.01228 -348 3818 0.01841 -348 4692 0.01180 -348 5307 0.00135 -348 6415 0.01035 -348 8725 0.01777 -348 8859 0.01024 -347 1243 0.00492 -347 3670 0.01266 -347 3930 0.01906 -347 3950 0.01025 -347 5123 0.00562 -347 5332 0.01979 -347 8303 0.01377 -347 8831 0.01408 -347 9064 0.00939 -347 9674 0.01699 -346 685 0.00665 -346 1068 0.01954 -346 1095 0.01901 -346 1522 0.01327 -346 1685 0.01810 -346 2111 0.01384 -346 3172 0.01323 -346 3193 0.00607 -346 3676 0.01875 -346 4306 0.01555 -346 6298 0.00847 -346 8017 0.01863 -346 8052 0.00948 -346 8728 0.01780 -346 9309 0.01968 -346 9618 0.01571 -346 9858 0.00214 -345 2412 0.01969 -345 4135 0.00597 -345 4854 0.00396 -345 5849 0.01701 -345 6598 0.01924 -345 9825 0.01365 -344 506 0.01056 -344 3109 0.01809 -344 4132 0.01067 -344 5702 0.00805 -344 6459 0.01969 -344 7009 0.01973 -344 8162 0.01708 -344 8881 0.01675 -343 2311 0.01713 -343 2812 0.00436 -343 3313 0.01373 -343 3453 0.01250 -343 4392 0.00975 -343 5054 0.00895 -343 5061 0.01154 -343 7549 0.01024 -343 9197 0.01743 -343 9249 0.00532 -343 9434 0.01856 -343 9934 0.01486 -343 9948 0.01268 -342 1145 0.01257 -342 1922 0.01429 -342 2243 0.01392 -342 2843 0.01765 -342 3492 0.01743 -342 5648 0.01228 -342 6035 0.01023 -342 6184 0.01086 -342 6756 0.01098 -342 8196 0.01089 -342 8565 0.01553 -342 9828 0.01140 -341 2114 0.01250 -341 2342 0.01506 -341 2662 0.00115 -341 4320 0.01786 -341 4431 0.01510 -341 5055 0.01396 -341 5385 0.01071 -341 6328 0.01067 -341 7898 0.00853 -341 9051 0.01795 -341 9295 0.00210 -340 549 0.01022 -340 1453 0.00650 -340 1569 0.01857 -340 2624 0.00507 -340 3190 0.01680 -340 3390 0.01678 -340 3664 0.01835 -340 4053 0.01952 -340 4286 0.00304 -340 6071 0.01799 -340 6845 0.01151 -340 7144 0.00364 -340 7420 0.01895 -340 8254 0.01970 -340 8865 0.00695 -340 9200 0.01953 -339 682 0.00621 -339 1317 0.01925 -339 2503 0.01669 -339 3201 0.00611 -339 3496 0.01552 -339 5272 0.01639 -339 5624 0.00534 -339 5889 0.01562 -339 6297 0.00828 -339 8022 0.01311 -339 9566 0.01928 -338 930 0.00688 -338 1082 0.00382 -338 1632 0.00595 -338 1998 0.01051 -338 2025 0.00832 -338 2384 0.01466 -338 2550 0.01457 -338 2781 0.01995 -338 4182 0.01371 -338 5491 0.00711 -338 5560 0.01433 -338 5635 0.00933 -338 7196 0.01700 -338 8682 0.01945 -338 9258 0.01961 -337 1959 0.01677 -337 2694 0.01519 -337 3347 0.00818 -337 4994 0.00143 -337 6850 0.00812 -337 7520 0.00790 -337 7837 0.00689 -337 8221 0.01587 -336 638 0.01284 -336 946 0.00954 -336 1347 0.01125 -336 1356 0.00873 -336 2268 0.01784 -336 3245 0.01634 -336 3409 0.01677 -336 3465 0.01937 -336 3789 0.01991 -336 3915 0.01884 -336 4084 0.00979 -336 4549 0.00869 -336 4593 0.00335 -336 5549 0.01250 -336 6100 0.01707 -336 6260 0.00278 -336 6695 0.00734 -336 7662 0.00854 -336 7841 0.01564 -336 8191 0.01678 -336 9815 0.01437 -335 553 0.01532 -335 3088 0.00765 -335 4350 0.01000 -335 4763 0.01100 -335 5012 0.01361 -335 6708 0.01980 -335 6863 0.01364 -335 7595 0.01716 -335 8745 0.01465 -335 9159 0.00917 -335 9722 0.01280 -334 725 0.00451 -334 1588 0.00348 -334 2862 0.01842 -334 3241 0.01376 -334 4741 0.01174 -334 5858 0.01759 -334 8095 0.01666 -334 8251 0.00895 -334 9547 0.01985 -333 1119 0.00437 -333 3024 0.01981 -333 3796 0.00866 -333 4967 0.01017 -333 5136 0.00655 -333 5186 0.00356 -333 5572 0.01684 -333 6148 0.01295 -333 6737 0.01958 -333 7163 0.01882 -333 8377 0.01944 -333 9783 0.01494 -332 1051 0.01555 -332 1182 0.01695 -332 2527 0.01941 -332 2961 0.01935 -332 3738 0.01519 -332 4476 0.01169 -332 6080 0.01066 -332 6109 0.01108 -332 6600 0.01285 -332 8182 0.01978 -332 9680 0.01329 -331 489 0.01667 -331 838 0.01439 -331 1168 0.01430 -331 1883 0.01775 -331 2419 0.01925 -331 2638 0.01820 -331 2639 0.00581 -331 2994 0.00572 -331 3318 0.01833 -331 6055 0.00743 -331 6234 0.01423 -331 6244 0.01851 -331 6829 0.00873 -331 8169 0.01976 -331 9484 0.01566 -331 9684 0.00041 -330 388 0.01415 -330 836 0.01978 -330 839 0.01578 -330 847 0.00754 -330 2689 0.01799 -330 2870 0.01798 -330 4420 0.01122 -330 4800 0.01726 -330 5519 0.00830 -330 7303 0.01704 -330 7333 0.01401 -330 7406 0.01748 -330 7835 0.00989 -330 8812 0.01461 -330 8821 0.01883 -330 9160 0.01438 -329 756 0.01973 -329 3407 0.01004 -329 4294 0.01532 -329 4349 0.01867 -329 4633 0.01349 -329 5972 0.01906 -329 6922 0.01346 -329 7066 0.01043 -329 7424 0.01524 -329 8280 0.00667 -329 8873 0.01507 -329 9539 0.00877 -328 737 0.01148 -328 1447 0.01833 -328 1477 0.01285 -328 2389 0.01989 -328 3148 0.01808 -328 4484 0.01842 -328 4653 0.01318 -328 5272 0.01540 -328 5738 0.01879 -328 6329 0.01124 -328 6615 0.01907 -328 6720 0.01084 -328 8242 0.01946 -328 8677 0.01011 -328 9566 0.01139 -327 637 0.00744 -327 988 0.00614 -327 2800 0.01886 -327 2869 0.00809 -327 3510 0.00535 -327 4515 0.01328 -327 6141 0.01106 -327 6852 0.01651 -327 7094 0.00306 -327 7604 0.00498 -327 9423 0.01629 -327 9941 0.00098 -327 9958 0.01968 -326 2496 0.01130 -326 3087 0.01450 -326 7007 0.01851 -326 7365 0.00821 -326 7716 0.00975 -326 9116 0.00883 -326 9444 0.01141 -325 1241 0.01672 -325 2811 0.00310 -325 3602 0.01246 -325 4437 0.01531 -325 4841 0.00806 -325 5553 0.01024 -325 7783 0.01900 -325 8458 0.00149 -325 9147 0.01988 -325 9419 0.00843 -324 681 0.01996 -324 752 0.01945 -324 1313 0.01494 -324 1476 0.00920 -324 1589 0.01285 -324 2538 0.00749 -324 3118 0.00519 -324 3198 0.01773 -324 4343 0.01057 -324 5632 0.01860 -324 5872 0.00881 -324 7922 0.01864 -324 8379 0.01573 -324 8411 0.01306 -323 4788 0.01922 -323 5899 0.01386 -323 6175 0.01973 -323 6436 0.01573 -323 6562 0.00973 -323 7599 0.00644 -323 7684 0.01420 -323 7690 0.01133 -323 7982 0.01946 -323 8475 0.01974 -323 8632 0.00762 -322 1561 0.00514 -322 1894 0.01689 -322 2566 0.01552 -322 2626 0.01462 -322 2707 0.01264 -322 6603 0.01298 -322 6893 0.01866 -322 8026 0.01577 -322 8567 0.01604 -322 9845 0.00441 -321 668 0.00628 -321 1371 0.01329 -321 1688 0.01193 -321 2600 0.01259 -321 2893 0.01434 -321 4569 0.01739 -321 5408 0.01450 -321 6163 0.01361 -321 6985 0.01985 -321 7044 0.01080 -321 8096 0.01450 -321 8385 0.01477 -321 8620 0.00811 -321 9743 0.01376 -320 561 0.01848 -320 1166 0.01856 -320 2206 0.01243 -320 3801 0.00682 -320 4054 0.00327 -320 4883 0.01759 -320 5154 0.01545 -320 6891 0.01673 -320 9164 0.00348 -320 9413 0.01692 -320 9712 0.00700 -320 9899 0.01019 -319 1401 0.01455 -319 1579 0.01891 -319 1599 0.01973 -319 2044 0.01978 -319 2279 0.00870 -319 3219 0.01848 -319 5128 0.01010 -319 5405 0.01336 -319 5568 0.01328 -319 5602 0.00967 -319 6601 0.01653 -319 6984 0.01876 -319 7120 0.01739 -319 7160 0.01519 -319 7190 0.00719 -319 7300 0.01424 -319 8029 0.00684 -319 8046 0.01549 -319 9378 0.01618 -319 9945 0.00527 -318 1127 0.01900 -318 1478 0.01325 -318 2090 0.00981 -318 3159 0.00736 -318 3234 0.01663 -318 3799 0.01186 -318 4133 0.01197 -318 4324 0.00832 -318 4847 0.01097 -318 5126 0.01899 -318 5979 0.01884 -318 7480 0.01917 -318 9693 0.01909 -318 9779 0.01875 -317 646 0.01715 -317 1524 0.01057 -317 1682 0.00987 -317 2198 0.01415 -317 3598 0.01306 -317 8792 0.00965 -316 2511 0.01149 -316 3839 0.00346 -316 5686 0.01952 -316 5751 0.01191 -316 8188 0.00652 -316 9014 0.01497 -315 452 0.01697 -315 3812 0.00863 -315 4526 0.01667 -315 4958 0.01123 -315 6390 0.01059 -315 7503 0.01178 -315 9190 0.00997 -315 9901 0.00965 -314 443 0.01453 -314 1393 0.01464 -314 2480 0.00721 -314 2598 0.01901 -314 2695 0.01907 -314 3218 0.01656 -314 3431 0.01588 -314 3887 0.01648 -314 4121 0.01940 -314 4159 0.01779 -314 4623 0.01816 -314 4750 0.01713 -314 5157 0.01932 -314 7026 0.01881 -314 9244 0.00513 -314 9376 0.00508 -314 9464 0.01893 -313 513 0.01280 -313 708 0.00677 -313 2647 0.01616 -313 2655 0.00966 -313 3556 0.00501 -313 4236 0.00508 -313 4622 0.01870 -313 4787 0.01652 -313 6236 0.01931 -313 6571 0.00841 -313 6751 0.01533 -313 7074 0.01221 -313 7366 0.00967 -313 7876 0.01233 -313 7985 0.01977 -313 8056 0.01913 -313 8214 0.01425 -313 8997 0.01605 -313 9621 0.01478 -313 9949 0.01059 -312 3215 0.01629 -312 3520 0.01582 -312 3568 0.01470 -312 3872 0.01693 -312 5319 0.01863 -312 6334 0.01743 -312 9145 0.01641 -311 1566 0.01925 -311 2438 0.01013 -311 3271 0.00542 -311 3312 0.01278 -311 3736 0.01937 -311 5114 0.01323 -311 5351 0.01894 -311 5640 0.00671 -311 6549 0.01630 -311 6820 0.01784 -311 6978 0.00860 -311 7441 0.01325 -311 8349 0.01735 -311 9926 0.01655 -310 364 0.01484 -310 901 0.01710 -310 1904 0.01483 -310 3363 0.01667 -310 5096 0.01838 -310 5098 0.01056 -310 5219 0.01404 -310 6344 0.01696 -310 6709 0.01939 -310 7175 0.01429 -310 7229 0.01181 -310 7297 0.01742 -310 7561 0.00592 -310 7626 0.01772 -310 8687 0.00915 -309 854 0.01730 -309 1074 0.01729 -309 1746 0.01954 -309 2106 0.01088 -309 3559 0.00760 -309 7324 0.00977 -309 7380 0.01503 -309 9766 0.01906 -308 493 0.01708 -308 633 0.01991 -308 1873 0.01251 -308 2533 0.01669 -308 2745 0.01306 -308 6594 0.01775 -308 7253 0.01108 -308 7939 0.01476 -308 9658 0.01295 -307 923 0.01789 -307 1146 0.01585 -307 1944 0.01526 -307 3494 0.01616 -307 3599 0.01075 -307 3622 0.01061 -307 5244 0.01505 -307 5732 0.01757 -307 6441 0.00328 -307 7668 0.01121 -307 8388 0.00704 -307 8461 0.01453 -307 8643 0.01228 -307 9540 0.00870 -307 9879 0.00982 -307 9951 0.00805 -306 908 0.01331 -306 1266 0.00303 -306 1411 0.01451 -306 1451 0.01656 -306 2683 0.01517 -306 3904 0.01074 -306 6927 0.00919 -306 7435 0.01219 -306 7516 0.01324 -306 7645 0.01439 -306 8175 0.01834 -306 8326 0.01170 -306 8365 0.01912 -306 8999 0.01746 -305 392 0.00634 -305 2721 0.01106 -305 6146 0.01713 -305 6175 0.01652 -305 6397 0.01578 -305 6538 0.01200 -305 6605 0.01677 -305 7036 0.01121 -305 7458 0.01736 -304 1075 0.01401 -304 4181 0.01989 -304 4460 0.01931 -304 5459 0.01347 -304 5666 0.00667 -304 6798 0.01890 -304 7011 0.01139 -304 7155 0.00756 -304 8652 0.00129 -304 8863 0.01212 -304 9182 0.01869 -304 9533 0.00608 -304 9745 0.00807 -303 1206 0.01225 -303 3001 0.01740 -303 4000 0.01417 -303 4182 0.01737 -303 4999 0.00707 -303 5019 0.01963 -303 5606 0.01779 -303 8386 0.01474 -303 8682 0.01224 -302 1023 0.01792 -302 1303 0.01899 -302 1803 0.01749 -302 2285 0.01503 -302 2981 0.01681 -302 3070 0.01298 -302 3278 0.01302 -302 3866 0.01836 -302 4656 0.01981 -302 5897 0.01876 -302 6421 0.01647 -302 6757 0.00908 -302 6785 0.01314 -302 7034 0.01497 -302 8131 0.01210 -302 8480 0.00834 -302 9231 0.01344 -302 9709 0.00548 -301 1177 0.01466 -301 1581 0.01711 -301 1730 0.01794 -301 1910 0.01491 -301 2135 0.01916 -301 3687 0.01542 -301 4599 0.01750 -301 5571 0.00902 -301 6540 0.00775 -301 6804 0.01675 -301 6826 0.01300 -301 7842 0.01080 -301 8152 0.01804 -301 8395 0.01365 -301 8724 0.00681 -301 9534 0.01734 -300 390 0.01750 -300 1595 0.01720 -300 2536 0.01187 -300 2889 0.01791 -300 3519 0.01370 -300 4100 0.01813 -300 6370 0.01601 -300 6746 0.01952 -300 7189 0.01684 -300 7485 0.01761 -300 7863 0.01278 -300 8192 0.00956 -300 8273 0.01748 -300 8375 0.01990 -300 8400 0.01790 -300 8438 0.01500 -300 9462 0.01231 -299 1560 0.00516 -299 1724 0.01713 -299 2391 0.01640 -299 2681 0.01997 -299 2937 0.00319 -299 3421 0.01012 -299 5265 0.01607 -299 5986 0.01827 -299 6629 0.01330 -299 7302 0.01174 -298 931 0.01879 -298 3067 0.01835 -298 3933 0.01366 -298 4377 0.01588 -298 4733 0.01154 -298 5961 0.01639 -298 6516 0.01314 -298 7415 0.01663 -298 7766 0.00950 -298 8346 0.01229 -298 9730 0.01714 -297 788 0.00679 -297 1004 0.01266 -297 1133 0.00457 -297 3263 0.01456 -297 3781 0.00948 -297 3994 0.01992 -297 4319 0.01525 -297 4423 0.00952 -297 5638 0.01152 -297 6251 0.01392 -297 6365 0.01604 -297 6403 0.01378 -297 8659 0.01965 -297 8780 0.01519 -296 1162 0.01925 -296 1428 0.01116 -296 3439 0.00901 -296 3969 0.00871 -296 5250 0.01741 -296 5758 0.01805 -296 6795 0.01366 -296 7014 0.01367 -296 7167 0.00656 -296 7400 0.01615 -296 8794 0.01557 -296 9787 0.01080 -295 2759 0.00931 -295 4010 0.01263 -295 5113 0.01750 -295 8373 0.01435 -295 8572 0.01657 -295 8994 0.01651 -295 9614 0.01246 -294 5002 0.01657 -294 5369 0.01587 -294 6779 0.01618 -294 8102 0.01770 -294 9708 0.00815 -293 610 0.01090 -293 2493 0.01042 -293 4389 0.01860 -293 5393 0.00830 -293 5559 0.01713 -293 5875 0.01044 -293 6290 0.01964 -293 6483 0.01781 -293 7747 0.01361 -293 7871 0.01420 -293 8833 0.01955 -293 9282 0.01845 -293 9471 0.01917 -292 640 0.01297 -292 2831 0.01741 -292 3398 0.01926 -292 4176 0.00377 -292 4669 0.01698 -292 5062 0.01404 -292 5381 0.01548 -292 5663 0.00351 -292 6990 0.01052 -292 7778 0.01525 -292 8193 0.00872 -292 8691 0.01792 -292 9522 0.01680 -291 1260 0.00911 -291 5770 0.01551 -291 6933 0.01416 -291 8600 0.01003 -291 9194 0.01117 -291 9342 0.00826 -291 9669 0.01385 -290 669 0.01134 -290 1016 0.01855 -290 2814 0.01194 -290 3310 0.01473 -290 4759 0.01555 -290 7083 0.00692 -290 7559 0.01707 -290 8035 0.01420 -290 9935 0.00792 -289 1394 0.01543 -289 2321 0.00702 -289 2832 0.01243 -289 2919 0.01247 -289 3010 0.01894 -289 4021 0.01405 -289 4416 0.00955 -289 4456 0.00297 -289 4842 0.01830 -289 6599 0.00980 -289 7457 0.00533 -289 8483 0.01019 -289 8923 0.01819 -289 9535 0.01828 -288 913 0.01936 -288 2381 0.01424 -288 2847 0.00918 -288 3353 0.00966 -288 3513 0.00864 -288 4004 0.01280 -288 4449 0.00885 -288 6908 0.01335 -288 7149 0.01822 -288 7336 0.01676 -288 7676 0.01984 -288 8329 0.00684 -288 8686 0.01673 -288 8805 0.00490 -288 9321 0.00731 -288 9937 0.01859 -287 473 0.01321 -287 3457 0.00491 -287 3962 0.01783 -287 3972 0.00587 -287 4037 0.01776 -287 4506 0.01830 -287 5187 0.00950 -287 5323 0.00735 -287 5511 0.00763 -287 5868 0.01798 -287 5968 0.01909 -287 6656 0.01405 -287 6741 0.01952 -287 6767 0.01994 -287 7076 0.00233 -287 7296 0.01311 -287 9648 0.01595 -287 9866 0.01161 -286 421 0.01675 -286 1081 0.01861 -286 1617 0.00979 -286 2679 0.00491 -286 2705 0.00626 -286 3917 0.00360 -286 5138 0.01386 -286 5687 0.01044 -286 6132 0.01808 -286 6301 0.01278 -286 7804 0.01742 -286 7832 0.00699 -286 8454 0.00239 -285 1249 0.01945 -285 2339 0.00950 -285 2967 0.01208 -285 3155 0.01674 -285 4189 0.00984 -285 4884 0.01059 -285 5045 0.00876 -285 6092 0.01264 -285 7058 0.01619 -285 8108 0.01808 -285 8796 0.00807 -285 8885 0.01623 -285 9640 0.01955 -284 1354 0.00373 -284 1931 0.01823 -284 3555 0.01905 -284 3713 0.01762 -284 3879 0.01943 -284 4808 0.01568 -284 5672 0.01864 -284 5936 0.01898 -284 6393 0.01722 -284 6583 0.01493 -284 8611 0.00748 -283 1061 0.01785 -283 1624 0.01033 -283 2659 0.01756 -283 3157 0.01680 -283 3458 0.01905 -283 3704 0.01515 -283 4496 0.01491 -283 5298 0.01491 -283 5722 0.01777 -283 7436 0.01694 -283 8755 0.01644 -282 844 0.00320 -282 910 0.01618 -282 1320 0.01654 -282 2302 0.00647 -282 2320 0.01104 -282 3002 0.01571 -282 3967 0.01642 -282 4113 0.01090 -282 4704 0.01149 -282 5069 0.01347 -282 5163 0.00751 -282 5418 0.00557 -282 6132 0.01245 -282 7027 0.01428 -282 7614 0.01822 -282 8219 0.00624 -282 9298 0.00884 -282 9473 0.00774 -282 9819 0.00166 -281 895 0.01556 -281 2252 0.01418 -281 3135 0.01951 -281 4363 0.00140 -281 4468 0.00525 -281 4519 0.01498 -281 4608 0.00223 -281 4610 0.00630 -281 5115 0.01816 -281 5292 0.00895 -281 5463 0.01413 -281 6964 0.00970 -281 7112 0.01310 -281 7477 0.00574 -281 7672 0.01363 -281 7821 0.00749 -281 9969 0.01731 -280 3616 0.00961 -280 3851 0.01939 -280 3884 0.00853 -280 4604 0.01665 -280 4727 0.01303 -279 1426 0.00842 -279 2895 0.01831 -279 2960 0.01938 -279 3125 0.01971 -279 4264 0.01937 -279 5155 0.01252 -279 5384 0.01749 -279 6713 0.00858 -279 6890 0.01493 -279 6998 0.01350 -279 7071 0.01636 -279 8421 0.01105 -279 8462 0.00562 -279 9229 0.01696 -279 9850 0.01590 -278 1069 0.00490 -278 1288 0.00941 -278 1918 0.01016 -278 2388 0.01646 -278 4015 0.01425 -278 5531 0.01680 -278 6243 0.01241 -278 6416 0.01878 -278 6667 0.00861 -278 8525 0.01816 -278 8887 0.01045 -278 8920 0.01323 -278 9104 0.01147 -277 950 0.01282 -277 1378 0.01920 -277 1529 0.00990 -277 5667 0.00786 -277 6117 0.01665 -277 6288 0.01412 -277 7070 0.01300 -277 7509 0.00142 -277 9354 0.01493 -277 9972 0.01670 -276 913 0.00502 -276 1156 0.01474 -276 1698 0.01400 -276 2515 0.00117 -276 2754 0.00544 -276 3353 0.01590 -276 3895 0.00641 -276 4449 0.01755 -276 5291 0.01533 -276 6908 0.01751 -276 7442 0.01435 -276 7522 0.00705 -276 7857 0.01906 -276 7908 0.01061 -276 8671 0.01187 -276 8686 0.01779 -276 8987 0.00594 -276 9321 0.01743 -276 9436 0.01338 -275 1365 0.01893 -275 2539 0.01518 -275 2927 0.01139 -275 3006 0.01716 -275 4407 0.00690 -275 4465 0.01982 -275 5391 0.00939 -275 5494 0.00765 -275 7643 0.01372 -275 8275 0.00900 -275 9597 0.01883 -274 355 0.01337 -274 2393 0.00408 -274 2743 0.01299 -274 7285 0.01796 -274 7625 0.00585 -274 8490 0.01170 -274 8913 0.00538 -274 9310 0.00907 -274 9373 0.01212 -273 2523 0.01050 -273 2750 0.00607 -273 4327 0.00601 -273 5150 0.00512 -273 6224 0.01904 -273 7248 0.02000 -273 8790 0.01274 -273 8823 0.01552 -273 8896 0.01404 -272 374 0.00957 -272 1348 0.01445 -272 2718 0.01262 -272 3216 0.00794 -272 3479 0.01377 -272 3646 0.01341 -272 4006 0.00105 -272 5389 0.00201 -272 6848 0.01961 -272 6857 0.01665 -272 7531 0.01713 -272 7691 0.01586 -272 7792 0.01531 -272 8047 0.01461 -272 8154 0.01974 -272 9146 0.00562 -272 9157 0.01155 -271 404 0.01020 -271 593 0.01279 -271 2499 0.01026 -271 2969 0.01437 -271 3195 0.00841 -271 4436 0.01018 -271 4458 0.01569 -271 4616 0.01226 -271 5134 0.00952 -271 5191 0.01656 -271 5225 0.01983 -271 5532 0.01946 -271 6158 0.00551 -271 6209 0.01979 -271 7323 0.00875 -271 7395 0.01815 -271 7628 0.01966 -271 7654 0.01138 -271 9441 0.01738 -271 9461 0.01188 -271 9490 0.01888 -270 645 0.01889 -270 686 0.00732 -270 1834 0.00763 -270 2011 0.00482 -270 2097 0.01857 -270 2249 0.00991 -270 2933 0.01641 -270 3281 0.01827 -270 5865 0.00869 -270 5898 0.01435 -270 7368 0.01961 -270 7724 0.00496 -270 8523 0.01541 -270 9084 0.01699 -270 9853 0.01893 -269 1132 0.01282 -269 1715 0.01557 -269 3244 0.01877 -269 4789 0.01990 -269 7487 0.01847 -269 8818 0.00558 -269 9435 0.01648 -268 1486 0.00765 -268 2385 0.01783 -268 3991 0.01469 -268 6161 0.01928 -268 7292 0.00984 -268 7718 0.01883 -267 811 0.00327 -267 983 0.01935 -267 3115 0.00481 -267 3406 0.01532 -267 3744 0.01749 -267 5510 0.01423 -267 5800 0.01822 -267 6625 0.00767 -267 7200 0.00955 -267 7445 0.01059 -267 7461 0.01976 -267 9168 0.01313 -267 9686 0.01969 -266 1138 0.00625 -266 1178 0.00378 -266 3301 0.00268 -266 4266 0.01872 -266 5140 0.01892 -266 6025 0.01955 -266 7110 0.00612 -266 7739 0.01828 -266 8015 0.01936 -266 8122 0.00894 -266 8717 0.01972 -266 9362 0.01490 -266 9790 0.01907 -265 492 0.01718 -265 1319 0.00368 -265 1815 0.00743 -265 1818 0.00748 -265 2506 0.01187 -265 4817 0.01435 -265 5162 0.00402 -265 5301 0.01031 -265 6545 0.01868 -265 7745 0.01606 -265 8418 0.01206 -265 8430 0.01817 -265 9364 0.00970 -265 9665 0.01681 -264 580 0.01627 -264 1473 0.01835 -264 1973 0.01171 -264 2226 0.01860 -264 3397 0.01938 -264 6139 0.00790 -264 6186 0.00600 -264 6923 0.00527 -264 7103 0.01655 -264 7450 0.01570 -264 7987 0.01300 -264 8623 0.01410 -264 8915 0.01346 -264 9085 0.01877 -263 497 0.01384 -263 833 0.01631 -263 1107 0.01830 -263 1728 0.01854 -263 2337 0.01187 -263 2801 0.01390 -263 4235 0.01231 -263 4828 0.01398 -263 5319 0.01602 -263 9578 0.01787 -262 341 0.01209 -262 2114 0.01584 -262 2662 0.01289 -262 3375 0.01821 -262 4320 0.01712 -262 4431 0.00338 -262 5354 0.01361 -262 5385 0.01548 -262 6328 0.00342 -262 6429 0.01887 -262 7518 0.01637 -262 7898 0.01250 -262 9295 0.01181 -261 312 0.00645 -261 3215 0.01179 -261 3520 0.01518 -261 3568 0.01910 -260 305 0.01542 -260 317 0.01852 -260 392 0.00987 -260 2198 0.01454 -260 3598 0.00701 -260 4143 0.01719 -260 5899 0.01840 -260 6825 0.00722 -260 8168 0.01029 -260 9223 0.01118 -259 1489 0.01121 -259 2408 0.01052 -259 3579 0.00879 -259 3677 0.01859 -259 5056 0.01357 -259 5247 0.01081 -259 5279 0.01616 -259 5620 0.01547 -259 7079 0.00970 -259 7230 0.01947 -259 7796 0.01951 -259 8631 0.01375 -259 8893 0.01864 -259 9018 0.01302 -258 1340 0.00951 -258 3119 0.00301 -258 3939 0.00254 -258 4735 0.01111 -258 8189 0.01641 -258 9019 0.01718 -257 1900 0.01523 -257 2178 0.01760 -257 2446 0.01964 -257 2928 0.01795 -257 3571 0.01968 -257 4862 0.01536 -257 5781 0.00689 -257 6238 0.00637 -257 6565 0.01105 -257 7475 0.01081 -257 7613 0.00294 -257 7838 0.01482 -257 7969 0.01994 -257 8888 0.01666 -256 398 0.01876 -256 540 0.01360 -256 1542 0.00845 -256 2123 0.00918 -256 3287 0.01892 -256 3634 0.00710 -256 4340 0.01732 -256 5209 0.01631 -256 5834 0.00135 -256 6796 0.00798 -256 7619 0.01351 -256 8963 0.00804 -256 9125 0.01812 -256 9235 0.01108 -256 9242 0.01563 -255 1002 0.01825 -255 1395 0.01900 -255 2913 0.01551 -255 3082 0.01648 -255 3423 0.01427 -255 4274 0.01336 -255 4362 0.00844 -255 4863 0.00949 -255 5239 0.01938 -255 5612 0.01243 -255 6696 0.01760 -255 7121 0.01185 -255 7997 0.01715 -255 8004 0.01548 -255 8921 0.00979 -254 402 0.01002 -254 574 0.01124 -254 2407 0.01999 -254 2544 0.01836 -254 2554 0.01340 -254 2663 0.00817 -254 3050 0.01252 -254 3144 0.01773 -254 3288 0.01358 -254 7517 0.00980 -254 7943 0.01260 -254 8824 0.01820 -254 9386 0.01900 -254 9496 0.00845 -254 9705 0.01838 -254 9964 0.01447 -254 9965 0.01983 -253 5510 0.01611 -253 5787 0.01024 -253 6374 0.01946 -253 6625 0.01779 -253 7145 0.00849 -253 9082 0.01179 -253 9811 0.00744 -253 9927 0.01079 -252 2690 0.01946 -252 2815 0.01705 -252 3076 0.00282 -252 3601 0.01890 -252 4694 0.00465 -252 6528 0.01021 -252 7134 0.00638 -252 8048 0.00180 -252 9303 0.00895 -251 1846 0.01768 -251 4613 0.00696 -251 5592 0.01638 -251 5820 0.01715 -251 6326 0.01226 -251 8003 0.01709 -251 8802 0.01744 -251 9042 0.01660 -251 9073 0.01757 -250 624 0.00656 -250 2561 0.01888 -250 2577 0.01304 -250 2623 0.01809 -250 3145 0.01958 -250 4563 0.00412 -250 5421 0.01707 -250 5516 0.01696 -250 5937 0.01061 -250 7571 0.01547 -250 7649 0.01804 -250 7877 0.00280 -250 8753 0.01677 -250 8972 0.01707 -249 279 0.01073 -249 514 0.01194 -249 1426 0.01619 -249 2895 0.01812 -249 2960 0.01978 -249 4264 0.01603 -249 6543 0.01969 -249 6713 0.00983 -249 6998 0.01770 -249 7807 0.01673 -249 8421 0.01392 -249 8462 0.01073 -249 9786 0.01351 -248 2188 0.01626 -248 2941 0.01038 -248 3270 0.01409 -248 3525 0.01441 -248 3838 0.01781 -248 6720 0.01737 -248 7618 0.01424 -248 8187 0.00989 -248 8242 0.01072 -248 9529 0.00250 -248 9780 0.00596 -247 330 0.01464 -247 471 0.01476 -247 839 0.01943 -247 847 0.01280 -247 4419 0.00762 -247 4420 0.00356 -247 4800 0.01763 -247 5303 0.01085 -247 6731 0.01339 -247 7333 0.01436 -247 7406 0.00739 -247 7460 0.01925 -247 7636 0.00968 -247 7835 0.00480 -247 7885 0.01076 -247 8821 0.00454 -246 277 0.01112 -246 717 0.01418 -246 950 0.01256 -246 1378 0.01675 -246 1529 0.01908 -246 2453 0.01960 -246 5667 0.01755 -246 5912 0.01912 -246 6288 0.01732 -246 6970 0.01044 -246 7070 0.00224 -246 7509 0.01191 -246 8121 0.01045 -246 9972 0.00581 -245 259 0.01432 -245 505 0.01450 -245 1489 0.00313 -245 2461 0.01252 -245 3579 0.01958 -245 5056 0.00105 -245 5308 0.00907 -245 5840 0.00802 -245 7796 0.00574 -245 9976 0.01916 -244 409 0.01709 -244 2726 0.00904 -244 4638 0.00532 -244 5371 0.01635 -244 6642 0.01967 -244 7257 0.01314 -244 7285 0.01981 -244 7459 0.01608 -244 7873 0.00703 -244 8087 0.01935 -244 9399 0.01727 -244 9778 0.00793 -243 1190 0.01925 -243 1400 0.01716 -243 1853 0.01815 -243 2509 0.00387 -243 2596 0.01681 -243 3200 0.00899 -243 3209 0.01202 -243 3778 0.00748 -243 4932 0.01686 -243 5153 0.00446 -243 6560 0.00844 -243 7377 0.00851 -243 7460 0.01784 -243 7885 0.01709 -243 8503 0.01980 -243 8989 0.00864 -243 9163 0.01312 -243 9259 0.00546 -243 9795 0.00963 -242 2027 0.00188 -242 2316 0.01998 -242 2943 0.01957 -242 3077 0.01816 -242 3918 0.01630 -242 4160 0.01880 -242 5665 0.01456 -242 5958 0.01138 -242 6164 0.00764 -242 7621 0.01578 -242 8852 0.01865 -242 9324 0.01209 -241 818 0.01831 -241 2425 0.01397 -241 2470 0.01516 -241 4184 0.01601 -241 4300 0.00783 -241 4562 0.01978 -241 5478 0.01606 -241 8312 0.00726 -241 9472 0.01699 -241 9788 0.00734 -240 612 0.01244 -240 1276 0.01737 -240 2008 0.00829 -240 2517 0.01603 -240 3261 0.00384 -240 4492 0.00477 -240 4960 0.01978 -240 6817 0.00659 -240 7023 0.01138 -240 7540 0.01309 -240 9633 0.01813 -239 2851 0.00869 -239 3092 0.01842 -239 3094 0.01615 -239 3502 0.01074 -239 5802 0.01197 -239 8195 0.01406 -239 9176 0.00982 -238 438 0.01835 -238 1600 0.01198 -238 2612 0.01371 -238 3049 0.01304 -238 3999 0.00839 -238 4005 0.01419 -238 4154 0.01354 -238 5377 0.01970 -238 6426 0.01794 -238 6688 0.01675 -238 7396 0.01451 -238 7452 0.01884 -238 8351 0.01562 -238 9660 0.00828 -238 9929 0.00945 -238 9992 0.00797 -237 436 0.01400 -237 836 0.01189 -237 839 0.00807 -237 847 0.01487 -237 1300 0.00680 -237 1610 0.01436 -237 1853 0.00426 -237 1855 0.01635 -237 2689 0.01732 -237 2870 0.01145 -237 2979 0.01858 -237 3200 0.01348 -237 3484 0.00283 -237 3896 0.01349 -237 4419 0.01946 -237 7362 0.00361 -237 7885 0.01647 -237 8503 0.00914 -237 8812 0.01529 -237 8907 0.01978 -237 9514 0.00313 -237 9795 0.01293 -236 275 0.01617 -236 399 0.01386 -236 2539 0.00760 -236 2927 0.00938 -236 3006 0.01031 -236 3486 0.01433 -236 4356 0.01745 -236 4465 0.00613 -236 5494 0.00963 -236 6319 0.00646 -236 8097 0.01727 -236 9597 0.01378 -236 9687 0.01345 -235 750 0.01919 -235 1106 0.01626 -235 2015 0.01476 -235 2269 0.00610 -235 3545 0.01717 -235 4744 0.01688 -235 5074 0.00289 -235 5496 0.01017 -235 5600 0.01109 -235 5731 0.01702 -235 5956 0.01702 -235 7798 0.00782 -235 8447 0.01702 -235 9774 0.00515 -235 9896 0.01920 -235 9930 0.01627 -234 867 0.01695 -234 1673 0.00884 -234 2902 0.01558 -234 3136 0.01856 -234 3655 0.01919 -234 3921 0.01539 -234 4129 0.01916 -234 5216 0.01009 -234 5611 0.00528 -234 6006 0.01047 -234 6096 0.01524 -234 6569 0.01790 -233 1084 0.01596 -233 1550 0.01765 -233 2581 0.01219 -233 3365 0.01701 -233 4528 0.01316 -233 4671 0.01637 -233 6859 0.01552 -233 7582 0.00699 -233 8732 0.01319 -233 9432 0.01093 -232 352 0.01645 -232 2411 0.01390 -232 2557 0.00251 -232 2766 0.00821 -232 3428 0.01937 -232 3527 0.00869 -232 5365 0.01497 -232 5680 0.01826 -232 6267 0.00905 -232 6611 0.01973 -232 7349 0.01990 -232 7407 0.01683 -232 8150 0.01988 -232 9459 0.01839 -231 502 0.01926 -231 781 0.01924 -231 1012 0.01291 -231 1199 0.01622 -231 1214 0.01287 -231 1842 0.01339 -231 2481 0.01567 -231 3776 0.01753 -231 5823 0.01951 -231 6057 0.01571 -231 7947 0.01645 -231 8384 0.01259 -231 8446 0.00955 -231 9495 0.00973 -231 9555 0.01186 -230 659 0.00980 -230 1656 0.01728 -230 1662 0.01389 -230 4064 0.00634 -230 4761 0.01472 -230 4957 0.01399 -230 5442 0.01865 -230 6488 0.00735 -230 6770 0.00763 -230 6889 0.01045 -230 8653 0.00261 -229 2849 0.01498 -229 3300 0.00718 -229 3307 0.01045 -229 3843 0.01343 -229 5044 0.01244 -229 5431 0.01556 -229 6989 0.01020 -229 7046 0.01734 -229 7594 0.00836 -229 7738 0.01872 -229 8674 0.01662 -229 9043 0.01733 -229 9214 0.01687 -229 9846 0.01475 -228 773 0.01676 -228 1741 0.00852 -228 4594 0.01528 -228 5310 0.01863 -228 7501 0.01695 -228 7974 0.00675 -228 8427 0.01103 -228 9221 0.01259 -228 9330 0.01533 -228 9486 0.01543 -227 981 0.01657 -227 3499 0.01794 -227 3948 0.01560 -227 4351 0.01362 -227 4973 0.01689 -227 8082 0.01464 -226 2715 0.01356 -226 3793 0.01447 -226 3881 0.01035 -226 4500 0.01424 -226 5461 0.01189 -226 6253 0.01413 -226 6552 0.01965 -226 7836 0.00619 -226 8090 0.00603 -226 8789 0.01080 -226 9615 0.01834 -226 9728 0.01093 -225 1945 0.00924 -225 3832 0.01164 -225 6690 0.00122 -225 6927 0.01977 -225 7435 0.01569 -225 7647 0.00588 -225 8326 0.01873 -225 8392 0.01579 -225 9277 0.01303 -225 9489 0.01202 -224 1993 0.01735 -224 3429 0.01762 -224 4851 0.00909 -224 5005 0.01400 -224 5675 0.00693 -224 6241 0.01535 -224 6691 0.01060 -224 7055 0.00919 -224 7533 0.01816 -224 8160 0.01648 -224 9233 0.01344 -223 2129 0.01537 -223 2465 0.01567 -223 2513 0.01153 -223 2879 0.01637 -223 3236 0.00355 -223 3247 0.01946 -223 3376 0.01092 -223 3464 0.01399 -223 3699 0.01982 -223 4035 0.00690 -223 4313 0.00434 -223 4527 0.01227 -223 6137 0.00650 -223 6264 0.01893 -223 7359 0.01374 -223 7781 0.01761 -223 7782 0.01074 -223 7941 0.01874 -223 8116 0.01420 -223 8278 0.01180 -223 9416 0.01074 -222 567 0.01075 -222 789 0.01287 -222 3164 0.00289 -222 4834 0.00858 -222 6113 0.01338 -222 6169 0.01167 -222 6776 0.01731 -222 7259 0.01995 -222 7514 0.01945 -222 7770 0.01812 -221 2049 0.01868 -221 2099 0.01555 -221 2741 0.01792 -221 3450 0.01594 -221 4060 0.01575 -221 4819 0.01154 -221 5100 0.00796 -221 8492 0.01732 -221 9735 0.01319 -220 3680 0.01629 -220 4657 0.01052 -220 5338 0.01723 -220 5708 0.01725 -220 6894 0.00967 -220 8020 0.01692 -220 8065 0.01026 -220 8843 0.01764 -219 430 0.01804 -219 1774 0.01780 -219 1866 0.01606 -219 2141 0.01046 -219 2346 0.00500 -219 2584 0.01186 -219 3285 0.01553 -219 4110 0.00344 -219 4480 0.01921 -219 5071 0.01749 -219 5364 0.01585 -219 5530 0.01813 -219 6261 0.01720 -219 6811 0.01632 -219 6814 0.00904 -219 6953 0.00126 -219 9897 0.01995 -218 2330 0.01398 -218 2714 0.01960 -218 5358 0.00826 -218 5588 0.01853 -218 5706 0.01582 -218 6166 0.01012 -218 7320 0.01874 -218 9065 0.01094 -218 9609 0.00717 -217 413 0.01207 -217 480 0.01983 -217 769 0.00645 -217 907 0.01452 -217 1503 0.00271 -217 1690 0.01653 -217 2777 0.01418 -217 2794 0.01738 -217 3320 0.01363 -217 6030 0.00827 -217 9382 0.01888 -216 2061 0.01405 -216 2953 0.01181 -216 3096 0.01638 -216 3617 0.00085 -216 4902 0.01778 -216 6134 0.00273 -216 6363 0.01468 -216 6754 0.01882 -216 6988 0.01839 -216 7051 0.00785 -216 7794 0.00840 -216 7891 0.01331 -216 7990 0.00774 -216 8083 0.00383 -216 8864 0.01329 -216 9241 0.01591 -215 2166 0.00774 -215 2852 0.01510 -215 2906 0.01403 -215 3346 0.01425 -215 4046 0.01146 -215 4478 0.01858 -215 4512 0.00608 -215 5756 0.00828 -215 5854 0.01947 -215 7317 0.01114 -215 8165 0.00642 -215 8843 0.01806 -215 8976 0.01926 -215 9872 0.01664 -214 655 0.01458 -214 1197 0.01925 -214 1433 0.01717 -214 1500 0.01386 -214 2167 0.01444 -214 2507 0.01693 -214 4535 0.01587 -214 4567 0.01859 -214 4822 0.01212 -214 5204 0.01089 -214 5300 0.00895 -214 5682 0.01925 -214 6505 0.01232 -214 7369 0.00764 -214 7801 0.01239 -214 9542 0.01671 -214 9997 0.01940 -213 1171 0.01280 -213 1485 0.00182 -213 1726 0.00412 -213 1761 0.00843 -213 3304 0.01781 -213 4194 0.01981 -213 5386 0.01279 -213 5789 0.00962 -213 6250 0.01192 -213 6295 0.01048 -213 6355 0.01632 -213 9054 0.00862 -212 226 0.01581 -212 670 0.01650 -212 2602 0.01664 -212 2715 0.01757 -212 3251 0.00676 -212 3793 0.00315 -212 3881 0.01567 -212 4868 0.01769 -212 5507 0.01642 -212 5945 0.01268 -212 6495 0.01515 -212 6674 0.01489 -212 7172 0.01184 -212 8054 0.01025 -212 8090 0.01967 -212 8789 0.01578 -212 9728 0.00602 -211 1777 0.01352 -211 3246 0.01638 -211 4869 0.01564 -211 4964 0.01646 -211 5488 0.01940 -211 7244 0.01567 -211 7427 0.00670 -211 8050 0.01085 -211 9313 0.01248 -211 9469 0.01814 -210 1254 0.01105 -210 3277 0.00789 -210 4206 0.01430 -210 4470 0.01804 -210 5926 0.01516 -210 6494 0.01541 -210 7946 0.01163 -210 8820 0.01122 -210 8910 0.01847 -210 9487 0.00757 -209 683 0.01832 -209 2541 0.01137 -209 5016 0.01900 -209 5201 0.00988 -209 6059 0.00808 -209 6841 0.01305 -209 7158 0.00440 -209 8670 0.01390 -209 9037 0.00884 -209 9716 0.01750 -208 706 0.01229 -208 1749 0.01399 -208 2223 0.01884 -208 2606 0.01822 -208 4466 0.01602 -208 5170 0.01349 -208 5424 0.01825 -208 7097 0.01834 -208 8744 0.01000 -208 8804 0.01602 -208 8836 0.00999 -208 9127 0.01301 -208 9267 0.01081 -207 1814 0.01491 -207 1847 0.01193 -207 2881 0.01867 -207 3152 0.00861 -207 3618 0.01303 -207 5905 0.01938 -207 7512 0.00918 -207 7634 0.01369 -207 8132 0.00911 -207 8416 0.00933 -207 8661 0.00635 -206 309 0.01647 -206 854 0.01361 -206 1028 0.01492 -206 1276 0.01221 -206 3559 0.01303 -206 5878 0.00987 -206 6194 0.01665 -206 6448 0.00392 -206 6700 0.01938 -206 7380 0.01958 -206 9766 0.00522 -205 297 0.01133 -205 545 0.01017 -205 788 0.00461 -205 1004 0.01111 -205 1133 0.00738 -205 3781 0.00815 -205 3822 0.01945 -205 3994 0.01509 -205 4203 0.01345 -205 4319 0.00866 -205 4423 0.01164 -205 5638 0.01174 -205 6251 0.00475 -205 6365 0.01188 -205 8370 0.01087 -205 8780 0.01386 -205 9032 0.01837 -205 9700 0.00985 -205 9922 0.01676 -204 267 0.01138 -204 811 0.00864 -204 983 0.00797 -204 1258 0.01781 -204 1322 0.01459 -204 1872 0.01315 -204 2154 0.01714 -204 2350 0.01100 -204 3115 0.01599 -204 4447 0.01778 -204 5486 0.01790 -204 5510 0.01630 -204 5800 0.00737 -204 6625 0.01788 -204 6903 0.01741 -204 7200 0.01731 -204 7445 0.01591 -204 7461 0.01035 -204 9168 0.01845 -204 9812 0.01223 -203 967 0.01913 -203 1508 0.01493 -203 3901 0.01296 -203 5350 0.01577 -203 5579 0.01469 -203 6699 0.01302 -203 6705 0.01797 -203 6753 0.00717 -203 7677 0.01738 -203 7708 0.01262 -203 9282 0.01891 -203 9389 0.01402 -202 1251 0.01666 -202 2012 0.01035 -202 3960 0.01102 -202 4080 0.01665 -202 5710 0.01519 -202 5712 0.00946 -202 5757 0.01830 -202 6233 0.00712 -202 8807 0.00866 -201 985 0.00299 -201 1868 0.01593 -201 3315 0.01191 -201 4188 0.01481 -201 4952 0.01354 -201 5004 0.01604 -201 5975 0.01923 -201 6316 0.00885 -201 8822 0.01412 -201 9155 0.01500 -200 300 0.01388 -200 4047 0.01971 -200 4100 0.00434 -200 5192 0.01834 -200 7712 0.01489 -200 8182 0.01958 -200 8192 0.00434 -200 8375 0.01863 -200 8400 0.00478 -200 8438 0.00556 -200 9462 0.01090 -199 1211 0.01768 -199 1796 0.00788 -199 2643 0.01163 -199 3548 0.01927 -199 5659 0.01746 -199 6768 0.01675 -199 7233 0.01189 -199 7434 0.00701 -199 7685 0.01379 -199 9135 0.01174 -198 440 0.00667 -198 500 0.01772 -198 1015 0.00806 -198 1376 0.01503 -198 1897 0.01223 -198 1996 0.01538 -198 2170 0.00234 -198 5693 0.01850 -198 7069 0.01027 -198 9115 0.00872 -197 1761 0.01850 -197 3184 0.01732 -197 3304 0.00551 -197 4204 0.01917 -197 4368 0.01467 -197 4532 0.01963 -197 7777 0.01779 -197 9054 0.01942 -196 276 0.00961 -196 913 0.01462 -196 1156 0.00631 -196 1430 0.01371 -196 1698 0.01974 -196 1891 0.01822 -196 2515 0.01052 -196 2754 0.00597 -196 3895 0.00685 -196 5291 0.01236 -196 6506 0.01429 -196 6908 0.01964 -196 7239 0.01973 -196 7442 0.00713 -196 7522 0.00787 -196 7857 0.01691 -196 7908 0.00593 -196 8671 0.01589 -196 8987 0.00374 -196 9436 0.01898 -195 551 0.00534 -195 1363 0.01894 -195 2231 0.00321 -195 3274 0.01711 -195 5833 0.01201 -195 6654 0.00952 -195 7339 0.01502 -195 8053 0.01568 -195 9246 0.01389 -194 896 0.01435 -194 1752 0.01964 -194 3033 0.01856 -194 3682 0.01312 -194 5266 0.01950 -194 7999 0.01989 -194 8297 0.01187 -194 9083 0.01026 -193 2118 0.01724 -193 3158 0.01868 -193 3754 0.01753 -193 5493 0.00716 -193 5577 0.01009 -193 6330 0.01193 -193 6744 0.01335 -193 7089 0.00876 -193 7168 0.00755 -193 8417 0.01914 -193 8646 0.01607 -193 8940 0.01237 -193 8950 0.01135 -193 9141 0.01401 -193 9359 0.00732 -193 9639 0.00814 -192 316 0.01304 -192 2511 0.00766 -192 3839 0.01621 -192 4495 0.01923 -192 5505 0.01494 -192 5546 0.01317 -192 5625 0.00974 -192 5686 0.00781 -192 8188 0.00740 -192 8903 0.01570 -192 9014 0.01061 -191 263 0.01553 -191 312 0.01979 -191 497 0.00207 -191 697 0.01628 -191 2337 0.00692 -191 2801 0.00709 -191 3568 0.01012 -191 3872 0.00741 -191 4337 0.01224 -191 5319 0.01396 -191 5462 0.01606 -191 6334 0.00698 -190 791 0.01420 -190 1651 0.01415 -190 1686 0.01082 -190 1778 0.02000 -190 2092 0.01596 -190 3970 0.01859 -190 4879 0.01189 -190 5167 0.01161 -190 6664 0.00230 -190 7086 0.00732 -190 7658 0.01914 -190 7673 0.01476 -190 9100 0.01697 -190 9126 0.00299 -190 9551 0.01993 -189 635 0.01022 -189 705 0.01899 -189 1063 0.01821 -189 1312 0.01555 -189 2070 0.00765 -189 3116 0.01600 -189 3137 0.01684 -189 3914 0.01771 -189 4220 0.01882 -189 5477 0.01685 -189 5965 0.01435 -189 6082 0.01339 -189 7633 0.01412 -189 9101 0.01498 -189 9205 0.01864 -189 9704 0.00761 -188 2787 0.01563 -188 4030 0.01232 -188 4278 0.01614 -188 7666 0.01269 -188 7675 0.01195 -188 8024 0.01755 -188 9584 0.00749 -188 9878 0.01570 -187 222 0.01716 -187 567 0.00859 -187 3164 0.01472 -187 3710 0.00920 -187 5093 0.01747 -187 5102 0.01164 -187 6113 0.00465 -187 6169 0.00926 -187 8085 0.01806 -186 498 0.01943 -186 987 0.01565 -186 2756 0.00994 -186 3140 0.01483 -186 3897 0.01462 -186 4730 0.00716 -186 5784 0.00419 -186 5971 0.01813 -186 7585 0.01713 -186 7623 0.01806 -186 8390 0.01612 -186 9301 0.00893 -186 9681 0.01086 -185 765 0.01973 -185 1062 0.01244 -185 1497 0.01628 -185 2120 0.01538 -185 2830 0.01282 -185 3913 0.01816 -185 4098 0.01783 -185 5064 0.01315 -185 6026 0.01810 -185 6800 0.01848 -184 291 0.01605 -184 658 0.00962 -184 1260 0.01392 -184 1315 0.01084 -184 1496 0.01812 -184 4296 0.01782 -184 5603 0.01411 -184 5770 0.01918 -184 6507 0.01237 -184 6933 0.00391 -184 7370 0.01251 -184 8010 0.01209 -184 9194 0.00514 -184 9315 0.01714 -184 9342 0.01757 -184 9427 0.01703 -184 9984 0.01982 -183 457 0.01485 -183 588 0.01645 -183 1202 0.01444 -183 3564 0.01541 -183 3636 0.01823 -183 4570 0.01644 -183 4600 0.01552 -183 5604 0.01207 -183 6225 0.01691 -183 6833 0.01860 -183 8307 0.01974 -183 8568 0.01622 -183 9143 0.01867 -182 956 0.01037 -182 1824 0.01733 -182 2556 0.01857 -182 2722 0.00633 -182 2740 0.01815 -182 3126 0.00499 -182 4146 0.01805 -182 6935 0.01315 -182 6986 0.01071 -182 7631 0.01788 -182 8509 0.01911 -182 8965 0.01760 -182 8984 0.00512 -181 239 0.00598 -181 2851 0.00517 -181 3092 0.01286 -181 3094 0.01299 -181 3502 0.00659 -181 5802 0.00615 -181 8195 0.00834 -181 9176 0.00424 -180 424 0.01845 -180 428 0.01310 -180 989 0.01011 -180 2057 0.01345 -180 2749 0.01499 -180 2884 0.01572 -180 3642 0.00819 -180 3828 0.01071 -180 4045 0.01974 -180 4807 0.01497 -180 8344 0.01089 -180 8618 0.01355 -180 9794 0.01459 -179 518 0.01406 -179 864 0.00515 -179 1864 0.01891 -179 3362 0.01821 -179 3685 0.01925 -179 5089 0.00055 -179 5584 0.01033 -179 5782 0.00695 -179 5861 0.01017 -179 6302 0.01897 -179 6942 0.00565 -179 7341 0.01769 -179 7635 0.01979 -179 8089 0.01752 -179 8241 0.00787 -178 1303 0.01793 -178 1803 0.01549 -178 2306 0.01703 -178 3070 0.01603 -178 3804 0.01766 -178 4980 0.01109 -178 5329 0.01700 -178 5897 0.00845 -178 6167 0.01733 -178 6382 0.01042 -178 6450 0.01002 -178 6785 0.01166 -178 6960 0.01381 -178 7034 0.00936 -178 7855 0.01423 -178 8480 0.01754 -178 9231 0.01365 -178 9851 0.01956 -177 191 0.01587 -177 263 0.00625 -177 497 0.01481 -177 833 0.01104 -177 1107 0.01802 -177 1728 0.01701 -177 2337 0.00991 -177 2801 0.01145 -177 4235 0.01856 -177 4828 0.00788 -177 5699 0.01528 -177 9578 0.01216 -177 9757 0.01738 -176 887 0.00400 -176 1071 0.01895 -176 1366 0.01116 -176 2804 0.01058 -176 3789 0.01232 -176 3803 0.01065 -176 5253 0.00433 -176 6458 0.00877 -176 7183 0.01533 -176 7455 0.01786 -176 9181 0.01702 -176 9482 0.01814 -175 871 0.01867 -175 1088 0.01962 -175 1391 0.01607 -175 1915 0.01808 -175 1994 0.01870 -175 2121 0.01172 -175 2760 0.01409 -175 2770 0.01534 -175 3389 0.01535 -175 4032 0.01600 -175 4251 0.01458 -175 5550 0.01991 -175 5628 0.01099 -175 6357 0.01292 -175 7269 0.01141 -175 7402 0.01388 -175 7864 0.01389 -175 8367 0.01446 -175 8644 0.01428 -175 8764 0.01374 -175 9723 0.01516 -174 645 0.01431 -174 678 0.01633 -174 686 0.01682 -174 1834 0.01670 -174 2097 0.01329 -174 2933 0.01437 -174 4566 0.01866 -174 5254 0.01346 -174 7523 0.01190 -174 7733 0.01489 -174 7815 0.01942 -174 8030 0.01130 -174 8523 0.01107 -174 8593 0.00230 -174 9730 0.01925 -173 2281 0.01816 -173 4116 0.01947 -173 5999 0.01232 -173 6512 0.01666 -173 6740 0.01937 -173 6954 0.00594 -172 848 0.00544 -172 1511 0.01090 -172 1549 0.01798 -172 1564 0.01498 -172 3014 0.00658 -172 4123 0.01130 -172 4598 0.01596 -172 6354 0.00907 -172 6878 0.00778 -172 7311 0.01212 -172 8146 0.01473 -172 8759 0.01817 -172 9647 0.01820 -171 873 0.00777 -171 1311 0.01448 -171 1370 0.01993 -171 2283 0.01368 -171 4111 0.01449 -171 8445 0.01830 -171 8750 0.01236 -171 8996 0.01168 -170 232 0.01941 -170 1125 0.01267 -170 2557 0.01743 -170 2617 0.01247 -170 2766 0.01176 -170 3527 0.01665 -170 5248 0.01464 -170 6611 0.00320 -170 7171 0.01774 -170 8150 0.00783 -170 9039 0.01602 -169 275 0.01131 -169 1365 0.01396 -169 2927 0.01902 -169 4407 0.01356 -169 5391 0.01383 -169 5494 0.01892 -169 6385 0.01147 -169 7643 0.00877 -169 8275 0.01483 -169 9005 0.01740 -168 2430 0.01797 -168 4554 0.01125 -168 5144 0.00163 -168 5200 0.01285 -168 5536 0.01753 -168 8819 0.01887 -167 466 0.00949 -167 592 0.01194 -167 1799 0.01586 -167 1801 0.00769 -167 2084 0.01504 -167 2938 0.01905 -167 4371 0.01883 -167 4408 0.01667 -167 4481 0.01476 -167 7858 0.01527 -167 7893 0.01922 -167 8527 0.01504 -167 8676 0.01871 -167 9931 0.01366 -166 251 0.00416 -166 1846 0.01695 -166 4613 0.00391 -166 5592 0.01275 -166 5820 0.01338 -166 6326 0.01099 -166 7559 0.01959 -166 8003 0.01686 -166 8802 0.01626 -165 1183 0.01884 -165 1692 0.01852 -165 1708 0.01916 -165 1876 0.01667 -165 3794 0.01361 -165 4592 0.01732 -165 6179 0.01697 -165 6556 0.01072 -165 7214 0.00883 -164 389 0.01369 -164 445 0.01232 -164 1439 0.01178 -164 1454 0.01287 -164 1598 0.01958 -164 2921 0.00687 -164 2956 0.00694 -164 5108 0.01663 -164 5585 0.01087 -164 5607 0.01615 -164 5736 0.01562 -164 6061 0.01722 -164 6684 0.00940 -164 8529 0.00079 -164 9383 0.01123 -163 391 0.01757 -163 1240 0.01634 -163 1860 0.01242 -163 1884 0.00186 -163 2265 0.01924 -163 2426 0.00586 -163 3823 0.01680 -163 6496 0.00758 -163 6536 0.00422 -163 7394 0.01687 -163 7948 0.01537 -163 8409 0.00462 -163 8474 0.01070 -163 8735 0.00211 -163 9957 0.01652 -162 173 0.00590 -162 2690 0.01666 -162 4116 0.01521 -162 5999 0.01577 -162 6512 0.01905 -162 6740 0.01367 -162 6954 0.00766 -161 534 0.01220 -161 1104 0.01162 -161 1236 0.00959 -161 1794 0.01179 -161 3047 0.01966 -161 3557 0.01607 -161 4340 0.01867 -161 5209 0.01803 -161 5226 0.01439 -161 5436 0.00471 -161 6685 0.00843 -161 7093 0.00727 -161 7337 0.00186 -161 7803 0.00502 -161 8243 0.01703 -161 9296 0.01018 -160 1719 0.00812 -160 1916 0.01938 -160 2926 0.00443 -160 3997 0.01522 -160 5719 0.01952 -160 5943 0.00827 -160 6787 0.00296 -160 6957 0.00715 -160 7020 0.01813 -160 7750 0.00668 -160 7754 0.01985 -160 9270 0.00685 -160 9348 0.01645 -160 9666 0.00803 -159 370 0.00938 -159 1731 0.01819 -159 1826 0.01182 -159 3252 0.01947 -159 3372 0.00897 -159 4178 0.01699 -159 4228 0.00698 -159 4270 0.01619 -159 4433 0.01531 -159 5017 0.01644 -159 5313 0.01426 -159 5439 0.00483 -159 5464 0.01758 -159 5813 0.00974 -159 7092 0.00931 -159 7590 0.01664 -159 7721 0.01621 -159 7845 0.01681 -159 8178 0.01543 -159 8684 0.01388 -159 9426 0.01222 -158 1201 0.00683 -158 2447 0.01977 -158 3054 0.00991 -158 4163 0.01834 -158 5049 0.00186 -158 6323 0.01461 -158 6710 0.00801 -158 7226 0.01178 -158 7632 0.00122 -158 8084 0.01948 -158 9548 0.00870 -158 9645 0.00738 -157 1823 0.01669 -157 1985 0.01292 -157 3507 0.01631 -157 4445 0.01521 -157 4737 0.00880 -157 4745 0.01197 -157 7490 0.01992 -157 8156 0.00219 -157 9312 0.01988 -157 9970 0.00725 -156 1255 0.01801 -156 1321 0.01725 -156 1513 0.01048 -156 2201 0.01505 -156 3437 0.01102 -156 3490 0.01969 -156 4092 0.01973 -156 4636 0.00907 -156 5482 0.01884 -156 5727 0.01310 -156 7476 0.01867 -156 8590 0.01632 -156 9834 0.00876 -156 9989 0.01577 -155 1338 0.00733 -155 3106 0.01243 -155 3378 0.00770 -155 3388 0.01360 -155 4245 0.01700 -155 4287 0.01334 -155 4439 0.01125 -155 6407 0.01553 -155 6749 0.01726 -155 8884 0.01871 -155 8944 0.00901 -155 9793 0.01074 -154 1746 0.01391 -154 2106 0.01230 -154 2428 0.01538 -154 3559 0.01907 -154 5370 0.00924 -154 7324 0.01911 -154 7479 0.01785 -154 8059 0.01784 -154 8068 0.01781 -153 157 0.01754 -153 1336 0.01709 -153 6994 0.01945 -153 7490 0.00262 -153 7705 0.01749 -153 8156 0.01659 -153 9137 0.00739 -153 9970 0.01270 -152 550 0.00816 -152 909 0.01588 -152 1666 0.01237 -152 1819 0.01529 -152 3692 0.01380 -152 3769 0.01255 -152 5325 0.01797 -152 7971 0.00701 -152 8110 0.00070 -152 9403 0.00672 -151 488 0.01005 -151 2074 0.01531 -151 3090 0.01420 -151 3562 0.01433 -151 3566 0.01820 -151 3943 0.01204 -151 4935 0.00537 -151 5182 0.01907 -151 7653 0.01748 -151 7882 0.01545 -151 9327 0.01284 -151 9631 0.01786 -151 9651 0.00794 -150 319 0.01719 -150 1392 0.01821 -150 1401 0.00614 -150 1436 0.01369 -150 1599 0.01503 -150 1779 0.01572 -150 2282 0.01877 -150 2891 0.01702 -150 3219 0.00183 -150 3539 0.01655 -150 5128 0.01603 -150 5407 0.00720 -150 5568 0.01322 -150 5602 0.01521 -150 6984 0.01856 -150 7160 0.00444 -150 7300 0.01411 -150 8075 0.01867 -150 9041 0.01657 -150 9945 0.01686 -149 225 0.01408 -149 1816 0.01210 -149 1945 0.01970 -149 3832 0.00795 -149 6690 0.01294 -149 7647 0.00838 -149 9266 0.01526 -149 9277 0.00597 -149 9489 0.00965 -148 1700 0.01322 -148 1802 0.00696 -148 2473 0.01530 -148 3351 0.01436 -148 5256 0.01967 -148 5286 0.01324 -148 5596 0.01754 -148 6014 0.01641 -148 6045 0.01792 -148 6442 0.00787 -148 6534 0.01923 -148 6999 0.00915 -148 7005 0.00835 -148 7422 0.01614 -148 7508 0.01993 -148 7639 0.01742 -148 9106 0.01775 -148 9323 0.00859 -148 9466 0.01763 -147 961 0.01807 -147 1087 0.01533 -147 1151 0.00636 -147 2527 0.01612 -147 4162 0.01969 -147 4241 0.01901 -147 4476 0.01909 -147 5099 0.01266 -147 5333 0.01328 -147 5631 0.01137 -147 5920 0.00400 -147 9110 0.00226 -146 450 0.01895 -146 771 0.01435 -146 2836 0.00975 -146 3141 0.01337 -146 3938 0.01674 -146 6074 0.01825 -146 7669 0.00228 -146 7680 0.01433 -145 256 0.00833 -145 398 0.01239 -145 540 0.01908 -145 1542 0.01116 -145 2123 0.01350 -145 3287 0.01114 -145 3634 0.01031 -145 5834 0.00862 -145 6796 0.00108 -145 7619 0.01503 -145 7870 0.01922 -145 8963 0.01619 -145 9099 0.01960 -145 9125 0.01879 -145 9235 0.01536 -145 9242 0.01235 -145 9750 0.01755 -144 749 0.01110 -144 885 0.01662 -144 4131 0.00265 -144 6197 0.00651 -144 6240 0.01899 -144 6247 0.01948 -144 6981 0.00311 -144 7264 0.01519 -144 7391 0.01389 -144 7973 0.01497 -144 8217 0.00834 -144 8829 0.01927 -144 9026 0.01911 -144 9634 0.01077 -143 220 0.00471 -143 4657 0.00882 -143 5338 0.01254 -143 5447 0.01777 -143 6894 0.00721 -143 8020 0.01860 -143 8065 0.00787 -143 8843 0.01495 -142 1032 0.01839 -142 1351 0.01520 -142 1695 0.01111 -142 2018 0.01276 -142 2110 0.01774 -142 4256 0.00651 -142 4915 0.01467 -142 5552 0.01575 -142 5715 0.01773 -142 5809 0.00769 -142 6513 0.00279 -142 6579 0.00933 -142 6939 0.00199 -142 8549 0.01715 -141 2548 0.01077 -141 3946 0.00470 -141 4513 0.01799 -141 4796 0.00560 -141 5622 0.01346 -141 6097 0.00532 -141 6424 0.00964 -141 8553 0.00867 -141 9056 0.01047 -141 9394 0.01156 -141 9663 0.01069 -140 2363 0.00716 -140 3223 0.00931 -140 3494 0.01267 -140 3583 0.01778 -140 3599 0.01903 -140 7799 0.00750 -140 8119 0.00885 -139 595 0.00800 -139 2132 0.01279 -139 3269 0.01952 -139 3963 0.00140 -139 4786 0.01075 -139 4927 0.01471 -139 5438 0.01850 -139 5642 0.00706 -139 6620 0.01656 -139 9384 0.01590 -138 695 0.00412 -138 1186 0.01083 -138 5728 0.00127 -138 5955 0.01542 -138 6369 0.01269 -138 6802 0.01000 -138 7931 0.00733 -138 7981 0.01412 -138 8001 0.01576 -138 8186 0.01290 -138 8531 0.00607 -138 9227 0.01930 -137 4122 0.01190 -137 5495 0.01796 -137 6553 0.01260 -137 7272 0.00602 -137 8595 0.01423 -136 212 0.01530 -136 472 0.01592 -136 670 0.01041 -136 2026 0.00980 -136 2602 0.00135 -136 3251 0.00969 -136 3793 0.01643 -136 4202 0.01495 -136 4868 0.00454 -136 5507 0.00566 -136 5856 0.01243 -136 5945 0.00852 -136 6495 0.01183 -136 6674 0.01489 -136 6951 0.01458 -136 7172 0.01639 -136 8054 0.00552 -136 8330 0.01502 -135 155 0.00869 -135 1338 0.00190 -135 1462 0.01876 -135 1693 0.01781 -135 3106 0.01999 -135 3378 0.01608 -135 3388 0.01510 -135 4112 0.01387 -135 4245 0.01158 -135 4287 0.01947 -135 4439 0.01031 -135 6407 0.01720 -135 8944 0.00849 -135 9793 0.01896 -134 166 0.01767 -134 251 0.01751 -134 1846 0.00375 -134 2947 0.01154 -134 3182 0.01849 -134 4501 0.01929 -134 4613 0.01480 -134 5592 0.01693 -134 5820 0.01826 -134 8003 0.00175 -134 8591 0.01636 -134 8802 0.00568 -134 8941 0.01602 -134 8975 0.00492 -133 876 0.01633 -133 2883 0.01369 -133 3690 0.01447 -133 3996 0.01722 -133 7525 0.01557 -133 7628 0.01925 -133 7955 0.01896 -133 9390 0.01716 -132 451 0.01717 -132 690 0.00968 -132 1684 0.01382 -132 7053 0.01888 -132 7548 0.01381 -132 7664 0.01758 -132 8102 0.01997 -132 9092 0.01430 -132 9817 0.00606 -131 311 0.01735 -131 2438 0.01737 -131 2669 0.01590 -131 3235 0.01445 -131 3271 0.01359 -131 3736 0.00963 -131 3932 0.00939 -131 4475 0.01368 -131 5114 0.01256 -131 5293 0.01771 -131 6820 0.01909 -131 6978 0.00878 -131 7441 0.00441 -131 7851 0.01418 -131 8021 0.00704 -131 8293 0.01784 -131 9659 0.01096 -131 9801 0.01371 -131 9926 0.01679 -130 1699 0.00065 -130 1910 0.01107 -130 2135 0.01236 -130 4179 0.01662 -130 5571 0.01711 -130 5740 0.00892 -130 6511 0.01783 -130 6804 0.01003 -130 7225 0.00502 -130 8724 0.01566 -130 9534 0.00505 -129 407 0.01808 -129 1065 0.01982 -129 1210 0.01510 -129 3751 0.01051 -129 3824 0.01841 -129 3947 0.01803 -129 4318 0.00618 -129 4641 0.01533 -129 4826 0.01720 -129 5342 0.01453 -129 5548 0.00492 -129 6027 0.01669 -129 6042 0.01834 -129 6277 0.01656 -129 6535 0.01397 -129 6734 0.01821 -129 8521 0.01368 -129 8606 0.01600 -129 8782 0.01760 -129 9379 0.01864 -129 9483 0.01839 -128 313 0.01590 -128 513 0.01727 -128 708 0.01978 -128 1207 0.00966 -128 2647 0.01654 -128 3556 0.01905 -128 4117 0.01368 -128 5296 0.00957 -128 6236 0.01209 -128 6571 0.00750 -128 6627 0.01329 -128 7056 0.01543 -128 7074 0.00884 -128 7818 0.01774 -128 7985 0.01669 -128 9621 0.01382 -127 536 0.01259 -127 936 0.01600 -127 977 0.01433 -127 1692 0.01840 -127 1793 0.00385 -127 1836 0.01738 -127 2315 0.01019 -127 3266 0.01339 -127 4592 0.01782 -127 4677 0.01491 -127 5211 0.01976 -127 5940 0.01808 -127 6211 0.01924 -127 6726 0.01663 -127 6930 0.01909 -127 9488 0.01899 -126 329 0.01827 -126 756 0.01125 -126 1845 0.00673 -126 3407 0.01205 -126 4294 0.01182 -126 4892 0.01533 -126 6333 0.01967 -126 6922 0.00555 -126 8280 0.01161 -126 8873 0.01192 -126 9539 0.01216 -126 9630 0.00924 -125 2066 0.01266 -125 2101 0.00230 -125 2281 0.01429 -125 3315 0.01960 -125 4417 0.01487 -125 5975 0.01091 -125 7364 0.01612 -125 8005 0.01961 -125 8658 0.01491 -124 608 0.01960 -124 1334 0.01227 -124 1431 0.01915 -124 1636 0.01153 -124 2228 0.01096 -124 4575 0.01641 -124 6408 0.01374 -124 6719 0.01142 -124 8675 0.01428 -124 9695 0.01882 -124 9954 0.01636 -123 362 0.00345 -123 649 0.01605 -123 692 0.00702 -123 860 0.01289 -123 1811 0.01979 -123 2401 0.01580 -123 2652 0.01534 -123 2993 0.01890 -123 3473 0.01846 -123 3732 0.01565 -123 4090 0.01107 -123 4190 0.01740 -123 4975 0.01733 -123 7890 0.01779 -123 7962 0.01504 -123 8142 0.01745 -123 8424 0.01844 -122 711 0.01091 -122 799 0.01622 -122 817 0.00952 -122 1358 0.01549 -122 2568 0.00580 -122 2950 0.01031 -122 3191 0.01988 -122 3508 0.00765 -122 3747 0.01679 -122 4714 0.01481 -122 5068 0.01152 -122 5814 0.01469 -122 6219 0.01652 -122 8207 0.01063 -122 8827 0.01457 -121 2366 0.01855 -121 2675 0.00345 -121 3402 0.00738 -121 3755 0.01732 -121 4621 0.01419 -121 5343 0.00792 -121 5382 0.00227 -121 5659 0.01228 -121 6738 0.01992 -121 7151 0.01348 -121 9135 0.01884 -120 1622 0.00548 -120 1843 0.01759 -120 2018 0.01741 -120 2131 0.01535 -120 2323 0.01629 -120 2631 0.01998 -120 2825 0.00969 -120 3181 0.00880 -120 3509 0.00343 -120 4403 0.00233 -120 6223 0.00999 -120 6579 0.01992 -120 8215 0.00392 -120 9285 0.01014 -120 9431 0.00303 -119 1450 0.00802 -119 1609 0.01321 -119 2604 0.01495 -119 2628 0.01731 -119 2664 0.00748 -119 4987 0.00943 -119 5038 0.00947 -119 5426 0.01421 -119 5991 0.01745 -119 7963 0.01417 -118 1041 0.01108 -118 2137 0.01871 -118 2456 0.00820 -118 3055 0.00687 -118 4386 0.01357 -118 5305 0.00094 -118 6379 0.00317 -118 8414 0.00407 -118 8482 0.01783 -117 228 0.01427 -117 1741 0.00754 -117 5261 0.01824 -117 5310 0.01739 -117 6624 0.01117 -117 6645 0.01591 -117 7974 0.00937 -117 9744 0.01237 -116 483 0.00721 -116 2691 0.00618 -116 3934 0.01147 -116 5615 0.01782 -116 5633 0.01046 -116 6330 0.01763 -116 6744 0.01998 -116 7089 0.01777 -116 7448 0.01624 -116 8544 0.01327 -116 8950 0.01560 -116 9359 0.01909 -116 9476 0.00499 -115 2187 0.00130 -115 2477 0.01085 -115 2615 0.01866 -115 3059 0.00668 -115 3723 0.00639 -115 3728 0.01143 -115 4421 0.01888 -115 4620 0.01561 -115 4943 0.01744 -115 5051 0.01324 -115 6844 0.01846 -114 1751 0.01396 -114 2653 0.01324 -114 3105 0.01879 -114 5630 0.00950 -114 6462 0.01039 -113 1324 0.01228 -113 1396 0.01108 -113 1785 0.01675 -113 2731 0.01540 -113 3013 0.01674 -113 3980 0.01163 -113 4027 0.00684 -113 5836 0.01529 -113 5928 0.01622 -113 6044 0.00484 -113 6229 0.01672 -113 7611 0.01051 -113 8554 0.00810 -113 9650 0.01965 -112 1471 0.00569 -112 3779 0.00729 -112 3937 0.00741 -112 4666 0.00394 -112 6371 0.00826 -112 6861 0.00943 -112 8440 0.01815 -111 222 0.01169 -111 453 0.01946 -111 567 0.01778 -111 789 0.00349 -111 2149 0.01716 -111 3164 0.01248 -111 4834 0.01411 -111 5324 0.01468 -111 5769 0.01389 -111 6776 0.00669 -111 7259 0.01968 -111 7770 0.00782 -111 8627 0.01665 -111 9777 0.01637 -111 9966 0.01567 -110 298 0.01306 -110 931 0.01949 -110 3110 0.01434 -110 4566 0.01858 -110 4733 0.01966 -110 5254 0.01005 -110 6516 0.00877 -110 7415 0.00692 -110 8030 0.01091 -110 8346 0.01980 -110 8569 0.01628 -110 9112 0.01449 -110 9730 0.00430 -109 148 0.00517 -109 1518 0.01771 -109 1700 0.00978 -109 1802 0.00519 -109 2473 0.01955 -109 3351 0.01912 -109 5256 0.01902 -109 5286 0.01775 -109 6014 0.01892 -109 6045 0.01966 -109 6442 0.00821 -109 6534 0.01701 -109 6999 0.00488 -109 7005 0.00849 -109 7422 0.01358 -109 7639 0.01682 -109 9323 0.00535 -108 293 0.01004 -108 2493 0.01871 -108 4452 0.01289 -108 5166 0.01834 -108 5393 0.01691 -108 5875 0.00693 -108 7747 0.00379 -108 7871 0.01030 -108 8270 0.01899 -107 1024 0.00915 -107 1340 0.01969 -107 2052 0.01423 -107 2761 0.01668 -107 3976 0.01754 -107 4583 0.00532 -107 5223 0.01859 -107 5425 0.00773 -106 159 0.01136 -106 370 0.01959 -106 786 0.01750 -106 1731 0.00745 -106 2534 0.01046 -106 3252 0.01436 -106 3662 0.01879 -106 4228 0.01764 -106 4270 0.01358 -106 5439 0.01413 -106 5813 0.01341 -106 7092 0.00817 -106 7389 0.01900 -106 7590 0.00533 -106 7845 0.01212 -106 8768 0.01909 -106 9426 0.00222 -106 9809 0.01493 -105 1075 0.01592 -105 4024 0.01777 -105 5477 0.01060 -105 5965 0.01010 -105 6098 0.00422 -105 7327 0.01137 -104 128 0.01997 -104 313 0.00520 -104 513 0.01142 -104 708 0.00976 -104 2647 0.01555 -104 2655 0.00463 -104 3556 0.00124 -104 4236 0.00401 -104 4622 0.01376 -104 6571 0.01278 -104 6751 0.01292 -104 7074 0.01735 -104 7366 0.00501 -104 7876 0.01564 -104 7985 0.01969 -104 8056 0.01745 -104 8214 0.01846 -104 8997 0.01851 -104 9621 0.01992 -104 9949 0.01295 -103 240 0.00915 -103 612 0.01590 -103 2008 0.01630 -103 2517 0.01128 -103 2732 0.01119 -103 3261 0.01241 -103 3607 0.01859 -103 3756 0.01745 -103 4145 0.01502 -103 4492 0.00484 -103 4960 0.01846 -103 6817 0.01574 -103 7023 0.01876 -103 7540 0.00983 -103 8354 0.01787 -103 9633 0.00906 -102 236 0.01779 -102 275 0.01188 -102 2539 0.01166 -102 2780 0.01445 -102 2927 0.01925 -102 4407 0.00812 -102 4465 0.01753 -102 5391 0.00947 -102 5494 0.00959 -102 5806 0.01402 -102 8275 0.00787 -102 9597 0.01068 -101 261 0.01350 -101 312 0.01241 -101 1362 0.01985 -101 3520 0.00461 -101 4714 0.01884 -101 5068 0.01998 -101 5811 0.01252 -101 6219 0.01879 -101 7240 0.01380 -101 9145 0.00907 -100 614 0.01853 -100 1493 0.01533 -100 2288 0.01753 -100 4588 0.01129 -100 5515 0.01183 -100 5867 0.00539 -100 5950 0.00883 -100 6036 0.00575 -100 7328 0.01928 -100 7768 0.01437 -100 8086 0.01542 -100 8575 0.01720 -100 9562 0.00883 -100 9844 0.01029 -99 483 0.01557 -99 1281 0.00839 -99 1474 0.01873 -99 3213 0.01497 -99 4369 0.01997 -99 5615 0.01151 -99 5903 0.01462 -99 6449 0.01526 -99 6728 0.01192 -99 8544 0.01002 -99 9476 0.01756 -99 9829 0.01962 -98 358 0.01617 -98 1448 0.00793 -98 1691 0.01174 -98 1832 0.01386 -98 3265 0.01330 -98 3878 0.01427 -98 3925 0.01533 -98 4946 0.01279 -98 5033 0.00905 -98 5306 0.01669 -98 5601 0.01569 -98 6433 0.00860 -98 6447 0.01610 -98 6593 0.01575 -98 7100 0.01553 -98 7574 0.00947 -98 8032 0.00893 -98 8202 0.01731 -98 8235 0.00960 -98 8257 0.01348 -98 9212 0.00708 -98 9959 0.01290 -97 356 0.01458 -97 626 0.01704 -97 755 0.01510 -97 2275 0.01197 -97 2290 0.01666 -97 5111 0.01788 -97 6053 0.00790 -97 6467 0.01706 -97 6739 0.01746 -97 6771 0.01684 -97 6801 0.01686 -97 8238 0.00969 -97 8657 0.01623 -97 9047 0.01724 -97 9599 0.01952 -97 9919 0.01541 -96 533 0.00571 -96 601 0.01173 -96 1602 0.01488 -96 2113 0.01231 -96 2238 0.00541 -96 2898 0.00517 -96 3498 0.01019 -96 3615 0.00836 -96 3739 0.01892 -96 3988 0.01414 -96 4096 0.00963 -96 6566 0.01935 -96 6881 0.01332 -96 8129 0.01577 -96 8133 0.01076 -96 9356 0.01278 -96 9688 0.01736 -95 259 0.01168 -95 1852 0.00895 -95 2408 0.00198 -95 3579 0.00367 -95 3677 0.00879 -95 5247 0.00411 -95 5620 0.01343 -95 7079 0.00774 -95 7230 0.01136 -95 7235 0.01210 -95 7624 0.01050 -95 8893 0.01479 -95 9018 0.00395 -94 921 0.01673 -94 2894 0.00829 -94 4771 0.01252 -94 6173 0.00996 -94 7637 0.00455 -94 8883 0.00369 -93 708 0.01739 -93 2711 0.01450 -93 3167 0.01541 -93 3230 0.00810 -93 3470 0.00657 -93 4787 0.01890 -93 5825 0.01747 -93 6309 0.00838 -93 7124 0.01110 -93 7876 0.01426 -93 8056 0.01150 -93 8214 0.01733 -93 8470 0.00879 -93 8997 0.00991 -93 9643 0.01902 -93 9949 0.01367 -92 520 0.01453 -92 934 0.01906 -92 1331 0.00172 -92 2148 0.01700 -92 3268 0.01642 -92 5521 0.01126 -92 5567 0.01090 -92 7504 0.01163 -92 7728 0.01712 -92 8069 0.00855 -92 8851 0.01545 -92 8943 0.01413 -92 9183 0.00307 -91 4053 0.01900 -91 4276 0.01458 -91 4668 0.01736 -91 5135 0.01565 -91 5923 0.00780 -91 7116 0.01826 -91 7469 0.00258 -91 8942 0.00760 -91 9635 0.01500 -90 282 0.01910 -90 630 0.01159 -90 753 0.00381 -90 844 0.01602 -90 1022 0.01703 -90 1320 0.00323 -90 1421 0.01681 -90 2302 0.01568 -90 2559 0.01805 -90 3500 0.00863 -90 4704 0.01301 -90 5163 0.01434 -90 5348 0.01981 -90 7027 0.00963 -90 7614 0.00744 -90 9473 0.01625 -90 9819 0.01903 -89 168 0.01442 -89 4554 0.00571 -89 5144 0.01433 -89 6972 0.01226 -88 636 0.01116 -88 938 0.01662 -88 1562 0.01673 -88 1763 0.01598 -88 1896 0.00706 -88 2660 0.00309 -88 3415 0.00112 -88 3517 0.01152 -88 4071 0.01627 -88 5574 0.01592 -88 6105 0.01949 -87 2286 0.01201 -87 3645 0.01864 -87 4927 0.01512 -87 5438 0.01230 -87 5642 0.01988 -87 7850 0.01177 -87 9102 0.01970 -87 9673 0.01558 -86 327 0.01424 -86 637 0.01990 -86 722 0.01797 -86 988 0.01384 -86 1361 0.00986 -86 1613 0.01476 -86 2800 0.01868 -86 3488 0.00961 -86 3510 0.01870 -86 3951 0.01327 -86 4515 0.00223 -86 5106 0.01127 -86 6141 0.01944 -86 7094 0.01138 -86 7604 0.01892 -86 9423 0.01260 -86 9796 0.01763 -86 9941 0.01346 -85 676 0.01844 -85 1090 0.00121 -85 2755 0.01961 -85 3066 0.01632 -85 4081 0.01204 -85 4930 0.00572 -85 5195 0.01634 -85 7041 0.00905 -84 1559 0.01470 -84 2510 0.01833 -84 2632 0.01792 -84 3052 0.00684 -84 3107 0.01576 -84 3454 0.01487 -84 3581 0.01399 -84 3771 0.00802 -84 3910 0.01018 -84 4101 0.01792 -84 4870 0.01944 -84 5316 0.01381 -84 5949 0.00475 -84 8041 0.00663 -84 8101 0.01401 -84 8237 0.01208 -84 8464 0.01648 -84 8626 0.01070 -84 8964 0.01377 -84 9334 0.01619 -83 986 0.01245 -83 1402 0.01314 -83 1458 0.01365 -83 2579 0.01623 -83 2661 0.01677 -83 3843 0.01885 -83 3900 0.00099 -83 5243 0.00807 -83 5431 0.01913 -83 6088 0.01044 -83 6563 0.01751 -83 7481 0.01544 -83 8674 0.01659 -83 8918 0.01989 -83 9245 0.00388 -83 9339 0.01843 -83 9846 0.01754 -83 9849 0.00792 -82 205 0.00679 -82 297 0.01514 -82 545 0.01101 -82 546 0.01711 -82 788 0.00987 -82 1004 0.01790 -82 1133 0.01057 -82 3546 0.01933 -82 3781 0.01483 -82 3822 0.01276 -82 4203 0.01802 -82 4319 0.01495 -82 4423 0.01816 -82 5638 0.00915 -82 6251 0.01071 -82 6365 0.00627 -82 8370 0.01424 -82 8780 0.00942 -82 9032 0.01943 -82 9700 0.00646 -81 2768 0.01229 -81 3306 0.01596 -81 4140 0.00150 -81 4267 0.00841 -81 5084 0.00231 -81 6529 0.01199 -81 6651 0.01200 -81 7537 0.00335 -81 8803 0.01505 -81 9644 0.00821 -80 629 0.01732 -80 960 0.01635 -80 1120 0.01771 -80 1423 0.01674 -80 2826 0.00437 -80 3331 0.01933 -80 3717 0.01049 -80 4629 0.00991 -80 4736 0.01848 -80 4762 0.01122 -80 5669 0.01670 -80 5684 0.00954 -80 5765 0.01421 -80 7854 0.01897 -80 8337 0.01542 -80 9982 0.00330 -79 647 0.01452 -79 1900 0.01544 -79 2175 0.01079 -79 2355 0.01369 -79 5339 0.01511 -79 5851 0.00206 -79 6095 0.01349 -79 6791 0.01179 -79 8078 0.01209 -79 8867 0.01387 -79 8888 0.01113 -78 350 0.01855 -78 1165 0.01544 -78 1987 0.01107 -78 4073 0.01278 -78 4574 0.00990 -78 5480 0.01780 -78 5757 0.01702 -78 6445 0.00896 -78 6750 0.01483 -78 7409 0.01803 -77 515 0.00499 -77 746 0.01952 -77 2136 0.00293 -77 2944 0.01159 -77 3114 0.01278 -77 3133 0.01313 -77 3414 0.01283 -77 3460 0.01244 -77 3821 0.01508 -77 4693 0.01890 -77 5326 0.01870 -77 6813 0.01160 -77 6824 0.01523 -77 7387 0.01200 -77 8954 0.01811 -77 9852 0.01680 -76 238 0.01797 -76 1600 0.00893 -76 1642 0.01687 -76 2208 0.01925 -76 2945 0.01497 -76 4154 0.01160 -76 4247 0.01776 -76 5610 0.01687 -76 6426 0.00587 -76 7396 0.00817 -76 7452 0.01447 -76 8467 0.01674 -76 9660 0.00985 -75 758 0.00652 -75 857 0.01037 -75 865 0.01686 -75 1976 0.00367 -75 2912 0.00673 -75 3942 0.00846 -75 4257 0.01649 -75 4277 0.01324 -75 4329 0.01816 -75 7715 0.01055 -74 237 0.01392 -74 247 0.01423 -74 330 0.00852 -74 836 0.01277 -74 839 0.00749 -74 847 0.00163 -74 1300 0.01239 -74 1610 0.01599 -74 1853 0.01673 -74 2689 0.01328 -74 2870 0.01091 -74 2979 0.01804 -74 3427 0.01918 -74 3484 0.01376 -74 4419 0.01826 -74 4420 0.01217 -74 5519 0.01405 -74 7362 0.01633 -74 7835 0.01107 -74 7885 0.01819 -74 8812 0.00942 -74 8821 0.01874 -74 8907 0.01595 -74 9160 0.01673 -74 9514 0.01687 -73 1056 0.00229 -73 4155 0.01745 -73 4849 0.01249 -73 5512 0.01850 -73 6677 0.01884 -73 7254 0.01967 -73 7408 0.01870 -73 8071 0.00517 -73 8105 0.00880 -73 9509 0.01502 -72 287 0.00701 -72 473 0.00621 -72 1134 0.01741 -72 3457 0.01070 -72 3727 0.01983 -72 3972 0.01070 -72 4506 0.01834 -72 5187 0.00490 -72 5323 0.01410 -72 5511 0.00562 -72 5868 0.01619 -72 6656 0.01171 -72 6741 0.01264 -72 6767 0.01955 -72 7076 0.00492 -72 7296 0.01985 -72 9648 0.01979 -72 9866 0.01039 -71 110 0.01925 -71 298 0.01365 -71 2162 0.00963 -71 2383 0.01982 -71 3067 0.01231 -71 3933 0.01963 -71 4261 0.01979 -71 4733 0.00366 -71 6516 0.01197 -71 7766 0.00861 -71 8049 0.01695 -71 9502 0.01445 -70 800 0.01462 -70 1833 0.01457 -70 2040 0.00982 -70 2860 0.00589 -70 3103 0.01846 -70 5230 0.01739 -70 7326 0.01762 -70 7583 0.01925 -70 8489 0.01347 -70 9439 0.01775 -70 9560 0.00990 -70 9746 0.01760 -69 73 0.01687 -69 940 0.01981 -69 1056 0.01643 -69 1795 0.01975 -69 2362 0.01661 -69 2417 0.01820 -69 4849 0.01906 -69 4904 0.01755 -69 5147 0.01426 -69 5884 0.01795 -69 7075 0.01583 -69 7254 0.00403 -69 7278 0.01546 -69 8105 0.01429 -69 9370 0.01968 -69 9509 0.01632 -68 1905 0.01966 -68 3091 0.01143 -68 3809 0.01915 -68 4121 0.01733 -68 5520 0.00945 -68 6005 0.01531 -68 6392 0.01555 -68 6485 0.01752 -68 7127 0.01286 -68 8450 0.01979 -68 8476 0.01966 -68 9549 0.01907 -67 455 0.00954 -67 463 0.01481 -67 903 0.01286 -67 1418 0.01054 -67 1532 0.01054 -67 2165 0.00640 -67 2288 0.01881 -67 3609 0.00566 -67 4664 0.01997 -67 6147 0.01235 -67 6515 0.00955 -67 6777 0.01288 -67 7114 0.01092 -67 7486 0.00984 -67 7934 0.01395 -67 9478 0.00685 -67 9839 0.00329 -66 282 0.01893 -66 286 0.01145 -66 421 0.01311 -66 1081 0.01406 -66 1617 0.01771 -66 2302 0.01938 -66 2320 0.01381 -66 2679 0.00963 -66 2705 0.01701 -66 3002 0.01950 -66 3917 0.01453 -66 4113 0.01552 -66 5069 0.01947 -66 5138 0.00939 -66 5418 0.01582 -66 5687 0.00738 -66 6132 0.00733 -66 6301 0.01865 -66 7832 0.01019 -66 8219 0.01269 -66 8454 0.00977 -66 9298 0.01680 -66 9473 0.01871 -66 9819 0.01787 -65 358 0.01107 -65 1448 0.01778 -65 1832 0.01057 -65 2168 0.01623 -65 3422 0.01518 -65 3878 0.01487 -65 3925 0.00665 -65 3956 0.01451 -65 4115 0.00976 -65 4946 0.00748 -65 5053 0.01644 -65 5601 0.01731 -65 6433 0.01274 -65 6447 0.01961 -65 6544 0.01470 -65 7574 0.01964 -65 8235 0.01746 -65 8809 0.01338 -65 8875 0.01281 -65 9449 0.01934 -65 9959 0.01933 -64 615 0.01384 -64 877 0.01949 -64 1126 0.01094 -64 1364 0.00769 -64 1628 0.00853 -64 2024 0.01443 -64 2205 0.01110 -64 3044 0.01744 -64 3597 0.01642 -64 4734 0.01679 -64 5039 0.01927 -64 5845 0.01414 -64 7245 0.00931 -64 7355 0.01441 -64 7586 0.00956 -64 7991 0.01245 -64 8500 0.01094 -64 9294 0.01936 -64 9847 0.01847 -63 2151 0.01535 -63 2400 0.01797 -63 4399 0.01507 -63 4687 0.01661 -63 7255 0.00851 -62 377 0.01515 -62 1679 0.01007 -62 4525 0.01894 -62 4760 0.00986 -62 5014 0.00982 -62 5822 0.00838 -62 6076 0.00186 -62 7145 0.01527 -62 8164 0.01813 -62 8247 0.00361 -62 8977 0.01420 -62 9082 0.01198 -62 9352 0.01831 -62 9811 0.01643 -62 9927 0.01836 -61 949 0.01037 -61 992 0.01143 -61 1290 0.01472 -61 2917 0.01605 -61 3672 0.00850 -61 3729 0.01209 -61 7065 0.00359 -61 7496 0.00894 -61 7687 0.01609 -60 802 0.01873 -60 2120 0.01105 -60 2791 0.01046 -60 3206 0.00479 -60 4974 0.01657 -60 5428 0.00274 -60 6026 0.01445 -60 8199 0.00448 -60 8912 0.01362 -59 1759 0.00882 -59 2196 0.01712 -59 2405 0.01847 -59 2821 0.00618 -59 4791 0.01986 -59 6135 0.01549 -59 6628 0.00978 -59 7704 0.01131 -59 7956 0.00374 -59 8316 0.01444 -59 9033 0.01748 -59 9086 0.00858 -59 9921 0.00311 -58 861 0.01085 -58 870 0.01169 -58 1912 0.01949 -58 2270 0.01951 -58 3576 0.01304 -58 4264 0.01939 -58 5165 0.01114 -58 6890 0.01735 -58 6998 0.01492 -58 8421 0.01825 -58 8519 0.01674 -58 9222 0.00736 -58 9366 0.01306 -58 9654 0.00724 -57 1326 0.00974 -57 3047 0.01372 -57 3425 0.01390 -57 5205 0.01054 -57 5929 0.01672 -57 6431 0.01799 -57 7527 0.01547 -57 8261 0.01718 -57 8431 0.01103 -57 9604 0.01810 -57 9942 0.01167 -56 444 0.01308 -56 1159 0.01642 -56 1608 0.00721 -56 2267 0.01524 -56 3264 0.01909 -56 4339 0.01233 -56 5695 0.00777 -56 6004 0.01594 -56 6414 0.01847 -56 8107 0.00451 -56 9238 0.00653 -56 9397 0.00922 -55 518 0.01526 -55 1864 0.00612 -55 2103 0.01250 -55 3179 0.00853 -55 3362 0.01317 -55 6226 0.01437 -55 7040 0.00603 -55 7318 0.01301 -55 7341 0.00873 -55 7383 0.01724 -55 8514 0.01610 -55 8819 0.01527 -55 8968 0.01493 -55 9017 0.01521 -55 9353 0.01769 -54 2096 0.01495 -54 4089 0.01498 -54 5160 0.01693 -54 5183 0.00152 -54 5334 0.00883 -54 7646 0.00300 -54 7757 0.00972 -53 1118 0.01951 -53 2324 0.00716 -53 3678 0.01065 -53 3912 0.01526 -53 4739 0.00520 -53 8535 0.01861 -53 9567 0.01263 -53 9756 0.01650 -53 9916 0.00342 -52 900 0.01001 -52 1164 0.01891 -52 2592 0.00631 -52 3968 0.01155 -52 4002 0.00522 -52 4587 0.00635 -52 4877 0.01744 -52 6997 0.01673 -52 7502 0.01416 -52 7663 0.01972 -52 8642 0.01925 -52 8949 0.01160 -52 9465 0.01487 -52 9965 0.01506 -51 429 0.01078 -51 2153 0.01084 -51 2345 0.01856 -51 2589 0.00922 -51 2841 0.01978 -51 3063 0.01526 -51 4533 0.01566 -51 5060 0.01132 -51 6737 0.00764 -51 6988 0.01462 -51 7163 0.01393 -51 7228 0.01753 -51 8579 0.01395 -51 8864 0.01535 -50 3438 0.00948 -50 5755 0.01363 -50 7000 0.01817 -50 8748 0.01571 -49 1909 0.00839 -49 1980 0.00668 -49 2181 0.00542 -49 2432 0.01057 -49 4984 0.01721 -49 6145 0.00694 -49 7607 0.00271 -49 7730 0.01079 -49 9167 0.01255 -49 9503 0.01236 -49 9591 0.00237 -49 9668 0.00530 -48 315 0.01732 -48 532 0.01911 -48 1660 0.01301 -48 1678 0.01993 -48 3812 0.01264 -48 4901 0.01407 -48 5700 0.00748 -48 8856 0.01661 -48 9421 0.01573 -47 57 0.00846 -47 517 0.01614 -47 1326 0.01086 -47 3425 0.01860 -47 5205 0.00366 -47 6431 0.01977 -47 7527 0.01089 -47 8261 0.01774 -47 8431 0.00545 -47 8501 0.01508 -47 9294 0.01564 -47 9604 0.01075 -47 9942 0.01036 -46 485 0.01491 -46 1619 0.01174 -46 2079 0.01875 -46 2254 0.01179 -46 2714 0.01739 -46 4855 0.01980 -46 6046 0.01266 -46 6399 0.01387 -46 6673 0.00792 -46 6762 0.00832 -46 7756 0.00598 -46 7775 0.00414 -46 8313 0.00472 -46 9493 0.01640 -46 9553 0.00845 -45 531 0.01018 -45 2776 0.01153 -45 3491 0.00269 -45 5901 0.01878 -45 5985 0.01273 -45 6023 0.00832 -45 6282 0.01235 -45 8508 0.01131 -45 8945 0.01137 -45 9710 0.01269 -44 939 0.01582 -44 1642 0.01818 -44 1661 0.01258 -44 2185 0.01594 -44 2244 0.01083 -44 4044 0.00500 -44 4247 0.01553 -44 4530 0.00286 -44 4607 0.00900 -44 5575 0.01857 -44 5610 0.01187 -44 5796 0.01289 -44 6386 0.01926 -44 6704 0.01237 -44 9210 0.01894 -44 9622 0.01941 -43 732 0.01976 -43 1009 0.00364 -43 1388 0.01583 -43 1467 0.01365 -43 1713 0.00786 -43 1767 0.00175 -43 3101 0.01820 -43 3224 0.01908 -43 3349 0.01583 -43 4134 0.01933 -43 4568 0.01542 -43 5010 0.01291 -43 5119 0.01723 -43 5842 0.01289 -43 8730 0.01286 -42 1751 0.01814 -42 1782 0.01593 -42 2594 0.00647 -42 3105 0.01004 -42 6160 0.01389 -42 6201 0.01979 -42 6558 0.00567 -42 8941 0.01191 -42 9042 0.01176 -42 9073 0.01413 -42 9729 0.00756 -41 364 0.01987 -41 642 0.01591 -41 3325 0.00824 -41 3363 0.01634 -41 3497 0.01798 -41 3807 0.01064 -41 3949 0.01465 -41 4497 0.00791 -41 4724 0.01802 -41 5096 0.00740 -41 5679 0.01674 -41 6062 0.00573 -41 6344 0.01941 -41 7205 0.01882 -41 7376 0.01940 -41 7626 0.01988 -41 8181 0.01151 -40 61 0.01269 -40 949 0.01351 -40 992 0.00512 -40 1290 0.01787 -40 1336 0.01530 -40 2917 0.00847 -40 3004 0.01943 -40 3729 0.01419 -40 5078 0.00898 -40 6468 0.01204 -40 6994 0.01705 -40 7065 0.01589 -40 7496 0.01520 -40 8137 0.01910 -40 8491 0.01807 -40 9280 0.01061 -39 2002 0.00988 -39 2110 0.01300 -39 2815 0.01998 -39 2872 0.00844 -39 4052 0.01256 -39 4773 0.01167 -39 5444 0.01410 -39 5715 0.01156 -39 8194 0.00969 -39 8608 0.01086 -39 9256 0.01863 -38 204 0.01780 -38 811 0.01791 -38 983 0.01942 -38 3406 0.01596 -38 3952 0.01902 -38 4307 0.01831 -38 4746 0.00877 -38 5486 0.01249 -38 6925 0.01642 -38 7200 0.01651 -38 7445 0.01310 -38 7461 0.01257 -38 9168 0.01304 -37 940 0.01703 -37 2417 0.01137 -37 2696 0.01547 -37 4242 0.00656 -37 4849 0.01780 -37 7075 0.00794 -37 7087 0.00887 -37 7215 0.00853 -37 7278 0.01159 -37 9509 0.01332 -36 240 0.01791 -36 612 0.00924 -36 2008 0.01019 -36 2378 0.01222 -36 3261 0.01434 -36 3836 0.00876 -36 4492 0.01965 -36 4787 0.01775 -36 4928 0.01076 -36 4960 0.01728 -36 5641 0.01275 -36 6151 0.01081 -36 6817 0.01513 -36 7540 0.01903 -36 8585 0.01300 -36 9643 0.01271 -36 9759 0.01875 -35 886 0.00278 -35 902 0.01559 -35 1925 0.01535 -35 3089 0.00804 -35 3412 0.01560 -35 3650 0.01825 -35 4072 0.00917 -35 5110 0.00062 -35 5197 0.01825 -35 6419 0.00700 -35 8841 0.01153 -34 123 0.01187 -34 362 0.00870 -34 692 0.00580 -34 860 0.00116 -34 2401 0.00931 -34 3732 0.00419 -34 4090 0.01422 -34 5355 0.01627 -34 8142 0.01497 -34 8216 0.01372 -33 776 0.01002 -33 1231 0.01177 -33 3009 0.01331 -33 5241 0.01771 -33 5509 0.01493 -33 6196 0.00392 -33 6793 0.01837 -33 7901 0.00172 -33 8072 0.01119 -33 8442 0.01878 -33 8469 0.01958 -33 9114 0.01269 -33 9283 0.01978 -33 9292 0.01685 -33 9554 0.01319 -32 805 0.01912 -32 2516 0.01088 -32 2523 0.01678 -32 3222 0.01728 -32 4168 0.01226 -32 4226 0.00846 -32 5122 0.01130 -32 5432 0.01728 -32 5924 0.01323 -32 6224 0.00801 -32 7019 0.01786 -32 7206 0.01901 -32 7216 0.00753 -32 7248 0.01844 -32 7608 0.01114 -32 7686 0.01135 -32 8937 0.00781 -32 9109 0.00283 -31 1452 0.01292 -31 2576 0.00965 -31 2672 0.00898 -31 3128 0.00659 -31 4832 0.00640 -31 5879 0.01336 -31 6087 0.00706 -31 7511 0.01194 -31 7769 0.00554 -31 8980 0.01480 -30 296 0.01578 -30 1044 0.01253 -30 1254 0.01142 -30 3969 0.00736 -30 4206 0.01964 -30 4470 0.01635 -30 5758 0.01097 -30 6795 0.00583 -30 7167 0.01417 -30 7400 0.01556 -30 8794 0.00262 -30 8820 0.01179 -30 9487 0.01417 -29 1419 0.01227 -29 1950 0.00111 -29 4093 0.01333 -29 4517 0.01373 -29 4816 0.00785 -29 5819 0.00818 -29 5970 0.00222 -29 8791 0.01870 -29 9028 0.01965 -29 9440 0.01441 -28 2953 0.01904 -28 4217 0.01589 -28 4627 0.01709 -28 4902 0.01346 -28 5212 0.00952 -28 7051 0.01844 -28 7891 0.01145 -28 7990 0.01798 -28 9241 0.01211 -27 74 0.01450 -27 237 0.01779 -27 247 0.00467 -27 330 0.01734 -27 471 0.01600 -27 839 0.01798 -27 847 0.01341 -27 1853 0.01700 -27 3200 0.01893 -27 3484 0.01985 -27 4419 0.00397 -27 4420 0.00754 -27 5303 0.01216 -27 6731 0.01372 -27 7333 0.01902 -27 7406 0.01143 -27 7460 0.01659 -27 7636 0.00999 -27 7835 0.00839 -27 7885 0.00618 -27 8821 0.00638 -27 9259 0.01871 -27 9795 0.01674 -26 55 0.01768 -26 518 0.00788 -26 864 0.01865 -26 1427 0.01389 -26 1864 0.01518 -26 3269 0.01982 -26 3362 0.00547 -26 5118 0.00673 -26 5782 0.01442 -26 6942 0.01565 -26 7040 0.01724 -26 7042 0.01305 -26 7318 0.00858 -26 7341 0.01094 -26 7383 0.01905 -26 9353 0.00477 -25 2182 0.01844 -25 3529 0.00971 -25 4285 0.01503 -25 4602 0.01709 -25 4933 0.01597 -25 6001 0.01033 -25 6017 0.01798 -25 6900 0.01437 -25 7052 0.01386 -25 8541 0.00870 -25 8770 0.01161 -25 9867 0.01734 -24 475 0.01025 -24 1630 0.01662 -24 2702 0.01216 -24 3117 0.01212 -24 5890 0.01484 -24 6396 0.01920 -24 6490 0.00470 -24 6671 0.01750 -24 6847 0.00214 -24 7812 0.01459 -24 9094 0.00988 -24 9192 0.00920 -24 9594 0.01505 -23 294 0.00654 -23 3674 0.01527 -23 5369 0.00939 -23 6779 0.01589 -23 8102 0.01546 -23 9092 0.01696 -23 9708 0.01461 -22 136 0.00526 -22 472 0.01066 -22 670 0.01262 -22 2026 0.00911 -22 2602 0.00392 -22 3251 0.01477 -22 4202 0.00989 -22 4868 0.00534 -22 5507 0.00763 -22 5856 0.01116 -22 5945 0.01228 -22 6495 0.01471 -22 6674 0.01814 -22 6951 0.00940 -22 8054 0.01063 -22 8330 0.01325 -21 1368 0.00455 -21 2143 0.01264 -21 6748 0.01668 -21 7085 0.01780 -20 1200 0.00731 -20 3526 0.01299 -20 5590 0.01420 -20 5989 0.01658 -20 6207 0.01654 -20 7344 0.01519 -20 8357 0.01316 -20 8452 0.01658 -20 8634 0.01400 -20 8777 0.00779 -20 9036 0.00884 -20 9856 0.01376 -19 1146 0.01678 -19 2363 0.01348 -19 2396 0.00703 -19 2542 0.00283 -19 3441 0.01020 -19 3494 0.01413 -19 4429 0.01668 -19 5244 0.01007 -19 5634 0.01234 -19 5732 0.01520 -19 5823 0.01591 -19 7246 0.01865 -19 7964 0.01271 -19 8461 0.01711 -19 9951 0.01854 -18 471 0.01726 -18 1574 0.01898 -18 2974 0.01710 -18 3657 0.00909 -18 4191 0.00625 -18 4385 0.01076 -18 4800 0.00924 -18 5303 0.01743 -18 5790 0.01396 -18 6731 0.01998 -18 7333 0.01157 -18 7406 0.01355 -18 7636 0.01998 -18 8821 0.01922 -18 9203 0.01931 -17 767 0.01546 -17 2079 0.01492 -17 2418 0.01733 -17 2729 0.00828 -17 3312 0.01723 -17 3746 0.01298 -17 4106 0.01385 -17 4855 0.01640 -17 5351 0.01702 -17 6395 0.00887 -17 6828 0.01926 -17 7802 0.01276 -17 7920 0.00794 -17 8349 0.01803 -17 8465 0.01586 -17 9438 0.01849 -17 9493 0.01601 -16 506 0.01246 -16 1643 0.00675 -16 3109 0.00891 -16 3471 0.01357 -16 3870 0.01351 -16 5702 0.01227 -16 5944 0.01441 -16 6491 0.00994 -16 8868 0.01000 -16 9006 0.01986 -15 46 0.01866 -15 1115 0.01635 -15 1619 0.01433 -15 2068 0.01183 -15 2254 0.01458 -15 2875 0.01638 -15 6762 0.01241 -15 6843 0.01527 -15 7775 0.01533 -15 8287 0.01644 -15 8313 0.01876 -14 432 0.01678 -14 2392 0.01987 -14 3661 0.01550 -14 5099 0.01564 -14 5188 0.00772 -14 5631 0.01706 -14 9703 0.01105 -13 152 0.01933 -13 550 0.01958 -13 2016 0.01889 -13 2160 0.01953 -13 2415 0.01785 -13 3769 0.01707 -13 4899 0.01114 -13 6683 0.01484 -13 7140 0.01605 -13 8110 0.01875 -13 8426 0.01885 -12 603 0.01562 -12 641 0.01344 -12 1025 0.01150 -12 1714 0.01887 -12 2494 0.01684 -12 2904 0.01873 -12 3356 0.01790 -12 3565 0.01405 -12 4338 0.00817 -12 5029 0.01306 -12 5274 0.01630 -12 5423 0.01529 -12 5969 0.01704 -12 6155 0.01006 -12 6350 0.01345 -12 7753 0.01926 -12 9572 0.01539 -12 9590 0.01143 -11 3262 0.01664 -11 6254 0.00255 -11 7159 0.01247 -11 7977 0.00658 -11 8869 0.01037 -10 608 0.01676 -10 1465 0.01125 -10 2827 0.01493 -10 2924 0.01650 -10 3503 0.01635 -10 4280 0.00518 -10 4575 0.01614 -10 4778 0.00838 -10 6668 0.00878 -10 9382 0.01033 -10 9892 0.01764 -9 1477 0.01633 -9 2563 0.01601 -9 2941 0.01712 -9 3525 0.01487 -9 4153 0.01404 -9 6205 0.01416 -9 6378 0.00693 -9 8187 0.01921 -9 8242 0.01834 -9 9029 0.01797 -8 1102 0.01695 -8 1654 0.01571 -8 2032 0.01627 -8 3632 0.01789 -8 3791 0.01283 -8 3814 0.01433 -8 3911 0.01637 -8 4355 0.01868 -8 4504 0.01871 -8 4911 0.01562 -8 6498 0.01449 -8 6830 0.01413 -8 7570 0.01625 -8 8301 0.01398 -8 8785 0.01717 -7 214 0.01121 -7 1197 0.00803 -7 1433 0.00635 -7 1500 0.01100 -7 2167 0.01379 -7 4535 0.01425 -7 4567 0.01427 -7 4585 0.01206 -7 4822 0.01967 -7 5204 0.01249 -7 5234 0.01759 -7 5300 0.01927 -7 5682 0.00934 -7 5900 0.01225 -7 6505 0.01422 -7 7369 0.00688 -7 7567 0.01687 -7 7801 0.00168 -7 7951 0.01602 -7 9542 0.00551 -7 9898 0.01742 -7 9997 0.01564 -6 223 0.01744 -6 2129 0.00386 -6 2513 0.01728 -6 3236 0.01607 -6 4313 0.01860 -6 4527 0.01931 -6 4644 0.01726 -6 4919 0.01999 -6 6137 0.01285 -6 6264 0.01361 -6 6374 0.01890 -6 7439 0.01809 -6 7781 0.01684 -6 7941 0.00643 -6 8116 0.01202 -6 8497 0.01970 -6 9613 0.01810 -5 429 0.01626 -5 1445 0.01953 -5 1539 0.00471 -5 1616 0.01520 -5 3063 0.01225 -5 3225 0.01870 -5 3295 0.01537 -5 3514 0.01488 -5 4533 0.01321 -5 5060 0.01493 -5 5340 0.01866 -5 5445 0.01342 -5 5826 0.01500 -5 6477 0.01762 -5 6853 0.01693 -5 6883 0.00438 -5 7228 0.01358 -5 7816 0.01403 -5 7867 0.01392 -5 8008 0.01440 -5 8579 0.01045 -5 9058 0.00957 -5 9188 0.01690 -4 190 0.01223 -4 1686 0.00978 -4 1960 0.01905 -4 4161 0.01950 -4 4833 0.01550 -4 4871 0.01799 -4 4879 0.01087 -4 5167 0.01812 -4 5315 0.01614 -4 6664 0.01143 -4 7030 0.01520 -4 7086 0.01853 -4 7658 0.01790 -4 8933 0.01920 -4 9126 0.01433 -3 1227 0.00718 -3 1708 0.00569 -3 1876 0.00989 -3 2076 0.00636 -3 3003 0.01180 -3 5273 0.01813 -3 6851 0.01130 -3 7810 0.00894 -2 1259 0.01510 -2 1558 0.00912 -2 3292 0.01333 -2 3830 0.01650 -2 4548 0.01202 -2 5105 0.01725 -2 5222 0.01560 -2 5359 0.01943 -2 5773 0.01745 -2 8286 0.01353 -2 9050 0.01876 -2 9095 0.01651 -2 9661 0.00405 -1 912 0.01311 -1 1342 0.01918 -1 1667 0.01267 -1 1857 0.00696 -1 3007 0.01466 -1 4609 0.00850 -1 4963 0.00958 -1 5058 0.00375 -1 6063 0.01643 -1 6168 0.00745 -1 6510 0.01984 -1 7596 0.01245 -1 8208 0.01388 -1 9022 0.00744 -1 9528 0.01848 -1 9826 0.01588 -1 9912 0.01707 -0 542 0.01806 -0 632 0.01595 -0 835 0.00491 -0 1030 0.01870 -0 1507 0.01714 -0 2293 0.01173 -0 2601 0.00505 -0 2658 0.00986 -0 3069 0.00677 -0 4292 0.01318 -0 4765 0.01017 -0 4941 0.00920 -0 5129 0.01110 -0 5736 0.01865 -0 6061 0.01510 -0 6422 0.00516 -0 7717 0.01307 -0 8441 0.00680 -0 8746 0.01896 diff --git a/DataStructureNotes/testG8.txt b/DataStructureNotes/testG8.txt deleted file mode 100644 index 35f0900..0000000 --- a/DataStructureNotes/testG8.txt +++ /dev/null @@ -1,9 +0,0 @@ -5 8 -0 1 5 -0 2 2 -0 3 6 -1 4 1 -2 1 1 -2 4 5 -2 3 3 -3 4 2 diff --git a/DataStructureNotes/testG9.txt b/DataStructureNotes/testG9.txt deleted file mode 100644 index e7a5df3..0000000 --- a/DataStructureNotes/testG9.txt +++ /dev/null @@ -1,9 +0,0 @@ -5 8 -0 1 5 -0 2 2 -0 3 6 -1 2 -4 -1 4 2 -2 4 5 -2 3 3 -4 3 -3 diff --git a/DataStructureNotes/testG_negative_circle.txt b/DataStructureNotes/testG_negative_circle.txt deleted file mode 100644 index b749038..0000000 --- a/DataStructureNotes/testG_negative_circle.txt +++ /dev/null @@ -1,10 +0,0 @@ -5 9 -0 1 5 -0 2 2 -0 3 6 -1 2 -4 -2 1 1 -1 4 2 -2 4 5 -2 3 3 -4 3 -3 diff --git a/LeetCodeSolutions/notes/pics/array/array_01.png b/LeetCodeSolutions/notes/pics/array/array_01.png deleted file mode 100644 index c7cf3d0..0000000 Binary files a/LeetCodeSolutions/notes/pics/array/array_01.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/array/array_02.png b/LeetCodeSolutions/notes/pics/array/array_02.png deleted file mode 100644 index d4aaffa..0000000 Binary files a/LeetCodeSolutions/notes/pics/array/array_02.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/array/array_03.png b/LeetCodeSolutions/notes/pics/array/array_03.png deleted file mode 100644 index 1450b10..0000000 Binary files a/LeetCodeSolutions/notes/pics/array/array_03.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/array/array_04.png b/LeetCodeSolutions/notes/pics/array/array_04.png deleted file mode 100644 index e7663a6..0000000 Binary files a/LeetCodeSolutions/notes/pics/array/array_04.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/array/array_05.png b/LeetCodeSolutions/notes/pics/array/array_05.png deleted file mode 100644 index d68a40d..0000000 Binary files a/LeetCodeSolutions/notes/pics/array/array_05.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_1.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_1.png deleted file mode 100644 index 6e1f1b5..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_1.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_10.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_10.png deleted file mode 100644 index 44aebf9..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_10.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_11.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_11.png deleted file mode 100644 index 8ed6eec..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_11.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_12.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_12.png deleted file mode 100644 index ba3163f..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_12.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_13.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_13.png deleted file mode 100644 index e2f6d4d..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_13.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_14.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_14.png deleted file mode 100644 index b6331d2..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_14.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_15.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_15.png deleted file mode 100644 index 909aeeb..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_15.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_16.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_16.png deleted file mode 100644 index 0ea9cad..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_16.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_17.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_17.png deleted file mode 100644 index 66736fe..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_17.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_18.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_18.png deleted file mode 100644 index 920e918..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_18.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_19.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_19.png deleted file mode 100644 index 3763557..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_19.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_2.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_2.png deleted file mode 100644 index f59c0c4..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_2.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_20.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_20.png deleted file mode 100644 index 58f6da7..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_20.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_21.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_21.png deleted file mode 100644 index 73142c3..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_21.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_22.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_22.png deleted file mode 100644 index 3ed5fb5..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_22.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_23.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_23.png deleted file mode 100644 index 42b7c30..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_23.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_24.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_24.png deleted file mode 100644 index 1ea5720..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_24.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_25.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_25.png deleted file mode 100644 index 888cb6c..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_25.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_26.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_26.png deleted file mode 100644 index 8c7b894..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_26.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_27.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_27.png deleted file mode 100644 index e6b9957..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_27.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_28.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_28.png deleted file mode 100644 index 3969ba1..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_28.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_3.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_3.png deleted file mode 100644 index 0036f91..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_3.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_4.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_4.png deleted file mode 100644 index 958005e..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_4.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_5.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_5.png deleted file mode 100644 index 443e3a8..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_5.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_6.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_6.png deleted file mode 100644 index cc09d8e..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_6.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_7.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_7.png deleted file mode 100644 index 29cd486..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_7.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_8.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_8.png deleted file mode 100644 index c547608..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_8.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/backtrack/backtrack_9.png b/LeetCodeSolutions/notes/pics/backtrack/backtrack_9.png deleted file mode 100644 index 0a054ea..0000000 Binary files a/LeetCodeSolutions/notes/pics/backtrack/backtrack_9.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_1.png b/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_1.png deleted file mode 100644 index 81d0427..0000000 Binary files a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_1.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_10.png b/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_10.png deleted file mode 100644 index 8fcb056..0000000 Binary files a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_10.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_11.png b/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_11.png deleted file mode 100644 index 6ed4555..0000000 Binary files a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_11.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_13.png b/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_13.png deleted file mode 100644 index 317dddf..0000000 Binary files a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_13.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_14.png b/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_14.png deleted file mode 100644 index c6d7574..0000000 Binary files a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_14.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_15.png b/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_15.png deleted file mode 100644 index fc77e5d..0000000 Binary files a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_15.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_2.png b/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_2.png deleted file mode 100644 index 73dbce0..0000000 Binary files a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_2.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_3.png b/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_3.png deleted file mode 100644 index bda5a31..0000000 Binary files a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_3.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_4.png b/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_4.png deleted file mode 100644 index 432c2b9..0000000 Binary files a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_4.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_5.png b/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_5.png deleted file mode 100644 index 7989223..0000000 Binary files a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_5.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_6.png b/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_6.png deleted file mode 100644 index d3a8c10..0000000 Binary files a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_6.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_7.png b/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_7.png deleted file mode 100644 index 43bf7d2..0000000 Binary files a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_7.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_8.png b/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_8.png deleted file mode 100644 index ea13e9a..0000000 Binary files a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_8.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_9.png b/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_9.png deleted file mode 100644 index 017952d..0000000 Binary files a/LeetCodeSolutions/notes/pics/binaryTree/binaryTree_9.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_1.png b/LeetCodeSolutions/notes/pics/dp/dp_1.png deleted file mode 100644 index 33b55e3..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_1.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_10.png b/LeetCodeSolutions/notes/pics/dp/dp_10.png deleted file mode 100644 index 1ff25c9..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_10.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_11.png b/LeetCodeSolutions/notes/pics/dp/dp_11.png deleted file mode 100644 index a5f200e..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_11.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_12.png b/LeetCodeSolutions/notes/pics/dp/dp_12.png deleted file mode 100644 index d3b94fb..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_12.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_13.png b/LeetCodeSolutions/notes/pics/dp/dp_13.png deleted file mode 100644 index 16ddd43..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_13.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_14.png b/LeetCodeSolutions/notes/pics/dp/dp_14.png deleted file mode 100644 index 1ea45c5..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_14.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_15.png b/LeetCodeSolutions/notes/pics/dp/dp_15.png deleted file mode 100644 index f4abec3..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_15.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_16.png b/LeetCodeSolutions/notes/pics/dp/dp_16.png deleted file mode 100644 index 2756995..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_16.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_17.png b/LeetCodeSolutions/notes/pics/dp/dp_17.png deleted file mode 100644 index 6dff07c..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_17.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_18.png b/LeetCodeSolutions/notes/pics/dp/dp_18.png deleted file mode 100644 index ffcd62f..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_18.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_19.png b/LeetCodeSolutions/notes/pics/dp/dp_19.png deleted file mode 100644 index 3f3c9ac..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_19.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_2.png b/LeetCodeSolutions/notes/pics/dp/dp_2.png deleted file mode 100644 index 3d9fd50..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_2.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_20.png b/LeetCodeSolutions/notes/pics/dp/dp_20.png deleted file mode 100644 index 9f49363..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_20.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_21.png b/LeetCodeSolutions/notes/pics/dp/dp_21.png deleted file mode 100644 index e4f4859..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_21.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_22.png b/LeetCodeSolutions/notes/pics/dp/dp_22.png deleted file mode 100644 index 2e4f6b4..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_22.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_23.png b/LeetCodeSolutions/notes/pics/dp/dp_23.png deleted file mode 100644 index bd3815e..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_23.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_24.png b/LeetCodeSolutions/notes/pics/dp/dp_24.png deleted file mode 100644 index 4a8e68e..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_24.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_25.gif b/LeetCodeSolutions/notes/pics/dp/dp_25.gif deleted file mode 100644 index c052288..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_25.gif and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_3.png b/LeetCodeSolutions/notes/pics/dp/dp_3.png deleted file mode 100644 index eb37b4c..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_3.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_4.png b/LeetCodeSolutions/notes/pics/dp/dp_4.png deleted file mode 100644 index 951b477..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_4.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_5.png b/LeetCodeSolutions/notes/pics/dp/dp_5.png deleted file mode 100644 index 57e1b08..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_5.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_6.png b/LeetCodeSolutions/notes/pics/dp/dp_6.png deleted file mode 100644 index b17fce4..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_6.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_7.png b/LeetCodeSolutions/notes/pics/dp/dp_7.png deleted file mode 100644 index ea11b87..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_7.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_8.png b/LeetCodeSolutions/notes/pics/dp/dp_8.png deleted file mode 100644 index 402929d..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_8.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/dp/dp_9.png b/LeetCodeSolutions/notes/pics/dp/dp_9.png deleted file mode 100644 index d1fa7e6..0000000 Binary files a/LeetCodeSolutions/notes/pics/dp/dp_9.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/find/find_1.png b/LeetCodeSolutions/notes/pics/find/find_1.png deleted file mode 100644 index 8324650..0000000 Binary files a/LeetCodeSolutions/notes/pics/find/find_1.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/greedyAlgorithms/ga_1.png b/LeetCodeSolutions/notes/pics/greedyAlgorithms/ga_1.png deleted file mode 100644 index 1ff25c9..0000000 Binary files a/LeetCodeSolutions/notes/pics/greedyAlgorithms/ga_1.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/greedyAlgorithms/ga_2.png b/LeetCodeSolutions/notes/pics/greedyAlgorithms/ga_2.png deleted file mode 100644 index 266a468..0000000 Binary files a/LeetCodeSolutions/notes/pics/greedyAlgorithms/ga_2.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_1.png b/LeetCodeSolutions/notes/pics/list/list_1.png deleted file mode 100644 index 4d24664..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_1.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_10.png b/LeetCodeSolutions/notes/pics/list/list_10.png deleted file mode 100644 index e382e8a..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_10.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_11.png b/LeetCodeSolutions/notes/pics/list/list_11.png deleted file mode 100644 index f77a2d8..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_11.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_12.png b/LeetCodeSolutions/notes/pics/list/list_12.png deleted file mode 100644 index 4a4c57d..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_12.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_13.png b/LeetCodeSolutions/notes/pics/list/list_13.png deleted file mode 100644 index 61020ab..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_13.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_14.png b/LeetCodeSolutions/notes/pics/list/list_14.png deleted file mode 100644 index a5aa664..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_14.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_15.png b/LeetCodeSolutions/notes/pics/list/list_15.png deleted file mode 100644 index 54fefaf..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_15.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_16.png b/LeetCodeSolutions/notes/pics/list/list_16.png deleted file mode 100644 index 4146c34..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_16.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_17.png b/LeetCodeSolutions/notes/pics/list/list_17.png deleted file mode 100644 index c502f04..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_17.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_18.png b/LeetCodeSolutions/notes/pics/list/list_18.png deleted file mode 100644 index d55ea3f..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_18.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_19.png b/LeetCodeSolutions/notes/pics/list/list_19.png deleted file mode 100644 index f353582..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_19.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_2.png b/LeetCodeSolutions/notes/pics/list/list_2.png deleted file mode 100644 index 2a0833b..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_2.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_20.png b/LeetCodeSolutions/notes/pics/list/list_20.png deleted file mode 100644 index e0eef68..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_20.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_21.png b/LeetCodeSolutions/notes/pics/list/list_21.png deleted file mode 100644 index 09b342d..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_21.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_22.png b/LeetCodeSolutions/notes/pics/list/list_22.png deleted file mode 100644 index 2afc066..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_22.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_23.png b/LeetCodeSolutions/notes/pics/list/list_23.png deleted file mode 100644 index f627b2a..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_23.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_24.png b/LeetCodeSolutions/notes/pics/list/list_24.png deleted file mode 100644 index edfa836..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_24.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_3.png b/LeetCodeSolutions/notes/pics/list/list_3.png deleted file mode 100644 index eaa7805..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_3.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_4.png b/LeetCodeSolutions/notes/pics/list/list_4.png deleted file mode 100644 index 2e98e4f..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_4.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_5.png b/LeetCodeSolutions/notes/pics/list/list_5.png deleted file mode 100644 index 34a2347..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_5.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_6.png b/LeetCodeSolutions/notes/pics/list/list_6.png deleted file mode 100644 index 24581d8..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_6.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_7.png b/LeetCodeSolutions/notes/pics/list/list_7.png deleted file mode 100644 index 16cc8c3..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_7.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_8.png b/LeetCodeSolutions/notes/pics/list/list_8.png deleted file mode 100644 index f44ecf7..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_8.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/list/list_9.png b/LeetCodeSolutions/notes/pics/list/list_9.png deleted file mode 100644 index 205a3bf..0000000 Binary files a/LeetCodeSolutions/notes/pics/list/list_9.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/math/math_1.png b/LeetCodeSolutions/notes/pics/math/math_1.png deleted file mode 100644 index 930382c..0000000 Binary files a/LeetCodeSolutions/notes/pics/math/math_1.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/stackQueue/stack_1.png b/LeetCodeSolutions/notes/pics/stackQueue/stack_1.png deleted file mode 100644 index b37208e..0000000 Binary files a/LeetCodeSolutions/notes/pics/stackQueue/stack_1.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/stackQueue/stack_10.png b/LeetCodeSolutions/notes/pics/stackQueue/stack_10.png deleted file mode 100644 index 0b52e1b..0000000 Binary files a/LeetCodeSolutions/notes/pics/stackQueue/stack_10.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/stackQueue/stack_11.png b/LeetCodeSolutions/notes/pics/stackQueue/stack_11.png deleted file mode 100644 index 09931d4..0000000 Binary files a/LeetCodeSolutions/notes/pics/stackQueue/stack_11.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/stackQueue/stack_12.png b/LeetCodeSolutions/notes/pics/stackQueue/stack_12.png deleted file mode 100644 index 74ef244..0000000 Binary files a/LeetCodeSolutions/notes/pics/stackQueue/stack_12.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/stackQueue/stack_2.png b/LeetCodeSolutions/notes/pics/stackQueue/stack_2.png deleted file mode 100644 index 493ff44..0000000 Binary files a/LeetCodeSolutions/notes/pics/stackQueue/stack_2.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/stackQueue/stack_3.png b/LeetCodeSolutions/notes/pics/stackQueue/stack_3.png deleted file mode 100644 index 8d683d6..0000000 Binary files a/LeetCodeSolutions/notes/pics/stackQueue/stack_3.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/stackQueue/stack_4.png b/LeetCodeSolutions/notes/pics/stackQueue/stack_4.png deleted file mode 100644 index e79cb1b..0000000 Binary files a/LeetCodeSolutions/notes/pics/stackQueue/stack_4.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/stackQueue/stack_5.png b/LeetCodeSolutions/notes/pics/stackQueue/stack_5.png deleted file mode 100644 index 2832646..0000000 Binary files a/LeetCodeSolutions/notes/pics/stackQueue/stack_5.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/stackQueue/stack_6.png b/LeetCodeSolutions/notes/pics/stackQueue/stack_6.png deleted file mode 100644 index e78336b..0000000 Binary files a/LeetCodeSolutions/notes/pics/stackQueue/stack_6.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/stackQueue/stack_7.png b/LeetCodeSolutions/notes/pics/stackQueue/stack_7.png deleted file mode 100644 index 7b6ac17..0000000 Binary files a/LeetCodeSolutions/notes/pics/stackQueue/stack_7.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/stackQueue/stack_8.png b/LeetCodeSolutions/notes/pics/stackQueue/stack_8.png deleted file mode 100644 index 5fbd2d3..0000000 Binary files a/LeetCodeSolutions/notes/pics/stackQueue/stack_8.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/stackQueue/stack_9.png b/LeetCodeSolutions/notes/pics/stackQueue/stack_9.png deleted file mode 100644 index 2fac440..0000000 Binary files a/LeetCodeSolutions/notes/pics/stackQueue/stack_9.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/string/str_1.png b/LeetCodeSolutions/notes/pics/string/str_1.png deleted file mode 100644 index 07acaaf..0000000 Binary files a/LeetCodeSolutions/notes/pics/string/str_1.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/timeComplexity/tc.png b/LeetCodeSolutions/notes/pics/timeComplexity/tc.png deleted file mode 100644 index dc99e67..0000000 Binary files a/LeetCodeSolutions/notes/pics/timeComplexity/tc.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/timeComplexity/tc_2.png b/LeetCodeSolutions/notes/pics/timeComplexity/tc_2.png deleted file mode 100644 index 6c374d3..0000000 Binary files a/LeetCodeSolutions/notes/pics/timeComplexity/tc_2.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/timeComplexity/tc_3.png b/LeetCodeSolutions/notes/pics/timeComplexity/tc_3.png deleted file mode 100644 index e1570b1..0000000 Binary files a/LeetCodeSolutions/notes/pics/timeComplexity/tc_3.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/timeComplexity/tc_4.png b/LeetCodeSolutions/notes/pics/timeComplexity/tc_4.png deleted file mode 100644 index 2755f44..0000000 Binary files a/LeetCodeSolutions/notes/pics/timeComplexity/tc_4.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/timeComplexity/tc_5.png b/LeetCodeSolutions/notes/pics/timeComplexity/tc_5.png deleted file mode 100644 index 6164148..0000000 Binary files a/LeetCodeSolutions/notes/pics/timeComplexity/tc_5.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/timeComplexity/tc_6.png b/LeetCodeSolutions/notes/pics/timeComplexity/tc_6.png deleted file mode 100644 index 34c5de2..0000000 Binary files a/LeetCodeSolutions/notes/pics/timeComplexity/tc_6.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/timeComplexity/tc_7.png b/LeetCodeSolutions/notes/pics/timeComplexity/tc_7.png deleted file mode 100644 index aff5087..0000000 Binary files a/LeetCodeSolutions/notes/pics/timeComplexity/tc_7.png and /dev/null differ diff --git a/LeetCodeSolutions/notes/pics/timeComplexity/tc_8.png b/LeetCodeSolutions/notes/pics/timeComplexity/tc_8.png deleted file mode 100644 index 6286cbe..0000000 Binary files a/LeetCodeSolutions/notes/pics/timeComplexity/tc_8.png and /dev/null differ diff --git a/LeetCodeSolutions/src/code_00_timeComplexity/Code_00_TimeComplexityTest.java b/LeetCodeSolutions/src/code_00_timeComplexity/Code_00_TimeComplexityTest.java deleted file mode 100644 index 9be4a07..0000000 --- a/LeetCodeSolutions/src/code_00_timeComplexity/Code_00_TimeComplexityTest.java +++ /dev/null @@ -1,54 +0,0 @@ -package code_00_timeComplexity; - -import org.junit.Test; - -/** - * Created by 18351 on 2018/10/27. - */ -public class Code_00_TimeComplexityTest { - //数据规模倍乘测试 - //O(n) - @Test - public void test(){ - for(int i=10;i<=26;i++){ - //2^26 <= 10^8 - int n=(int)Math.pow(2,i); - int[] arr=TimeComplextiyUtils.generateRandomArray(n,0,100000000); - long startTime=System.currentTimeMillis(); - TimeComplextiyUtils.sum(n); - long endTime=System.currentTimeMillis(); - System.out.println("data size 2^" - +i+"="+n+"\tTime cost:"+(endTime-startTime)+"ms"); - } - } - - //O(n^2) - @Test - public void test2(){ - for(int i=10;i<=23;i++){ - int n=(int)Math.pow(2,i); - int[] arr=TimeComplextiyUtils.generateRandomArray(n,0,100000000); - long startTime=System.currentTimeMillis(); - TimeComplextiyUtils.selectionSort(arr,n); - long endTime=System.currentTimeMillis(); - System.out.println("data size 2^" - +i+"="+n+"\tTime cost:"+(endTime-startTime)+"ms"); - } - } - - //O(nlogn) - @Test - public void test3(){ - for( int i = 10 ; i <= 26 ; i ++ ){ - int n = (int)Math.pow(2,i); - int[] arr = TimeComplextiyUtils.generateRandomArray(n, 0, 1000000000); - - long startTime = System.currentTimeMillis(); - TimeComplextiyUtils.mergeSort(arr,n); - long endTime = System.currentTimeMillis(); - - System.out.print("data size 2^" + i + " = " + n + "\t"); - System.out.println("Time cost: " + (endTime - startTime) + "ms"); - } - } -} diff --git a/LeetCodeSolutions/src/code_00_timeComplexity/Code_01_MyVector.java b/LeetCodeSolutions/src/code_00_timeComplexity/Code_01_MyVector.java deleted file mode 100644 index 83b6b30..0000000 --- a/LeetCodeSolutions/src/code_00_timeComplexity/Code_01_MyVector.java +++ /dev/null @@ -1,69 +0,0 @@ -package code_00_timeComplexity; - -import org.junit.Test; - -/** - * 均摊复杂度分析 - * - * 以动态数组为例 - */ -public class Code_01_MyVector { - private int[] data; - private int capacity; - //数组中可以容纳的元素的最大的元素的个数 - private int size; - //数组中的元素个数 - - //初始化该动态数组 - public Code_01_MyVector(){ - capacity=10; - data=new int[capacity]; - size=0; - } - - //均摊时间复杂度O(1) - public void push_back(int ele){ - if(size==capacity){ - //数组已经满了,这时候要为数组扩容 - resize(2*capacity); - } - data[size++]=ele; - } - - //均摊时间复杂度O(1) - public int pop_back(){ - assert size>0; - int ret=data[size-1]; - if(size==capacity/2){ - resize(capacity/2); - } - return ret; - } - - private void resize(int newCapacity) { - assert newCapacity>=size; - int[] newData=new int[newCapacity]; - for(int i=0;i= arr.length){ - throw new IllegalArgumentException("i is out of bound."); - } - - if(j < 0 || j >= arr.length){ - throw new IllegalArgumentException("j is out of bound."); - } - int temp = arr[i]; - arr[i] = arr[j]; - arr[j] = temp; - } - - // O(n) - public static int sum(int n){ - if(n < 0){ - throw new IllegalArgumentException("n should be greater or equal to zero."); - } - int ret = 0; - for(int i = 0 ; i <= n ; i ++) { - ret += i; - } - return ret; - } - - private static void reverse(int[] arr){ - int n = arr.length; - for(int i = 0 ; i < n / 2 ; i ++ ){ - swap(arr, i, n - 1 - i); - } - } - - // O(n^2) Time Complexity - public static void selectionSort(int[] arr, int n){ - for(int i = 0 ; i < n ; i ++){ - int minIndex = i; - for(int j = i + 1 ; j < n ; j ++){ - if(arr[j]target){ - r = mid - 1; - } else{ - l = mid + 1; - } - } - return -1; - } - - private static String intToString(int num){ - - StringBuilder s = new StringBuilder(""); - String sign = "+"; - if(num < 0){ - num = -num; - sign = "-"; - } - - while(num != 0){ - s.append(Character.getNumericValue('0') + num % 10); - num /= 10; - } - - if(s.length() == 0){ - s.append('0'); - } - - s.reverse(); - if(sign == "-"){ - return sign + s.toString(); - }else{ - return s.toString(); - } - } - - - // O(nlogn) - public static void hello(int n){ - - for( int sz = 1 ; sz < n ; sz += sz ){ - for( int i = 1 ; i < n ; i ++ ){ - //System.out.println("Hello, Algorithm!"); - } - } - } - - // O(NlogN) - public static void mergeSort(int[] arr, int n ){ - - int[] aux = new int[n]; - for(int i = 0 ; i < n ; i ++){ - aux[i] = arr[i]; - } - for(int sz = 1; sz < n ; sz += sz){ - for(int i = 0 ; i < n ; i += sz+sz){ - merge(arr, i, i + sz - 1, Math.min(i + sz + sz - 1, n - 1), aux); - } - } - return; - } - - private static void merge(int[] arr, int l, int mid, int r, int[] aux){ - - for(int i = l ; i <= r ; i ++){ - aux[i] = arr[i]; - } - int i = l, j = mid + 1; - for( int k = l ; k <= r; k ++ ){ - - if(i > mid) { arr[k] = aux[j]; j ++;} - else if(j > r){ arr[k] = aux[i]; i ++;} - else if(aux[i]0){ - return false; - } - } - return true; - } - - /** - * 测试sortClassName所对应的排序算法排序arr数组所得到结果的正确性和算法运行时间 - */ - public static void testSort(String sortName,Comparable[] arr){ - // 通过Java的反射机制,通过排序的类名,运行排序函数 - try { - Class sortClass=Class.forName(sortName); - Method sortedMethod=sortClass.getMethod("sort",new Class[]{Comparable[].class}); - // 排序参数只有一个,是可比较数组arr - Object[] params = new Object[]{arr}; - long startTime=System.currentTimeMillis(); - //调用排序方法 - sortedMethod.invoke(null,params); - long endTime=System.currentTimeMillis(); - - assert isSorted(arr); - //判断arr是否有序 - - System.out.println( sortClass.getSimpleName()+ " : " + (endTime-startTime) + "ms" ); - } catch (ClassNotFoundException e) { - e.printStackTrace(); - } catch (NoSuchMethodException e) { - e.printStackTrace(); - } catch (IllegalAccessException e) { - e.printStackTrace(); - } catch (InvocationTargetException e) { - e.printStackTrace(); - } - } -} - diff --git a/LeetCodeSolutions/src/code_01_array/ArrayUtils2.java b/LeetCodeSolutions/src/code_01_array/ArrayUtils2.java deleted file mode 100644 index 9124599..0000000 --- a/LeetCodeSolutions/src/code_01_array/ArrayUtils2.java +++ /dev/null @@ -1,45 +0,0 @@ -package code_01_array; - -/** - * 打印一维整型数组和二维整型数组的工具类 - */ -public class ArrayUtils2 { - /** - * 打印二维数组 - */ - public static void print2DimenArray(int[][] martix){ - int m = martix.length; - if (m==0){ - throw new IllegalArgumentException("martix error"); - } - int n=martix[0].length; - for (int i = 0; i < m; i++) { - for (int j = 0; j < n; j++) { - if (j==n-1){ - System.out.print(martix[i][j]); - }else { - System.out.print(martix[i][j]+","); - } - } - System.out.println(); - } - } - - /** - * 打印数组的工具类 - */ - public static void printArray(int[] nums){ - if (nums==null||nums.length==0){ - throw new IllegalArgumentException("array is null"); - } - System.out.print("["); - for (int i = 0; i < nums.length; i++) { - if (i!=nums.length-1){ - System.out.print(nums[i]+","); - }else { - System.out.print(nums[i]+"]"); - } - } - - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_00_BinarySearch.java b/LeetCodeSolutions/src/code_01_array/Code_00_BinarySearch.java deleted file mode 100644 index f0266c4..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_00_BinarySearch.java +++ /dev/null @@ -1,69 +0,0 @@ -package code_01_array; -import org.junit.Test; - -/** - * Created by 18351 on 2018/10/26. - */ -public class Code_00_BinarySearch { - //时间复杂度是O(n) - //空间复杂度是O(1) - public int binarySearch(Comparable[] arr,Comparable target){ - int l=0,r=arr.length-1; //在区间 [l,r]中查找target元素 - while(l<=r){ //当 l==r时,区间[l,r]仍然是有效的 - int mid=(r-l)/2+l; - int cmp=arr[mid].compareTo(target); - if(cmp==0){ - return mid; - }else if(cmp>0){ - r=mid-1; //target在[l,mid-1]中 - }else{ - l=mid+1; //target在[mid+1,r]中 - } - } - return -1; - } - - //二分查找的另一种写法 - public int binarySearch2(Comparable[] arr,Comparable target){ - int l=0,r=arr.length; //在区间 [l,r)中查找target元素 - while(l0){ - r=mid; //target在[l,mid)中 - }else{ - l=mid+1; //target在[mid+1,r)中 - } - } - return -1; - } - - /** - * 小数据量测试 - */ - @Test - public void test(){ - Integer[] arr={10,25,34,90,99,101}; - System.out.println(binarySearch(arr,25)); - } - - /** - * 大数据量测试 - */ - @Test - public void test2(){ - int n=10000000; - Integer[] arr= ArrayUtils.generateOrderedArray(n); - //ArrayUtils.generateOrderedArray(n); - - long startTime=System.currentTimeMillis(); - for(int i=0;imostWater){ - mostWater=(j-i)*h; - } - } - } - return mostWater; - } - - /** - * 对撞指针 - * 假设有左指针和右指针,且左指针指向的值小于右指针的值。 - * 假如我们将右指针左移,则右指针左移后的值和左指针指向的值相比有三种情况: - * (1)右指针指向的值大于左指针:这种情况下,容器的高取决于左指针,但是底变短了,所以容器盛水量一定变小 - * (2)右指针指向的值等于左指针:这种情况下,容器的高取决于左指针,但是底变短了,所以容器盛水量一定变小 - * (3)右指针指向的值小于左指针:这种情况下,容器的高取决于右指针,但是右指针小于左指针,且底也变短了,所以容量盛水量一定变小了 - * 反之,情况类似。 - * 综上所述,容器高度较大的一侧的移动只会造成容器盛水量减小。 - * 所以应当移动高度较小一侧的指针,并继续遍历,直至两指针相遇。 - */ - public int maxArea(int[] height) { - int i=0; - int j=height.length-1; - int mostWater=0; - while(imostWater){ - mostWater=(j-i)*h; - } - if(height[i]=0){ - maxProfit+=profit; - } - } - return maxProfit; - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_125_ValidPalindrome.java b/LeetCodeSolutions/src/code_01_array/Code_125_ValidPalindrome.java deleted file mode 100644 index d06ad08..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_125_ValidPalindrome.java +++ /dev/null @@ -1,102 +0,0 @@ -package code_01_array; - -import org.junit.Test; - -/** - * - * 125. Valid Palindrome - * Given a string, determine if it is a palindrome, considering only alphanumeric characters and ignoring cases. - * Note: For the purpose of this problem, we define empty string as valid palindrome. - * - * Example 1: - * Input: "A man, a plan, a canal: Panama" - * Output: true - - * Example 2: - * Input: "race a car" - * Output: false - */ -public class Code_125_ValidPalindrome { - public boolean isPalindrome1(String s) { - StringBuilder sb=new StringBuilder(); - for(int k=0;k='A' && s.charAt(k)<='Z'){ - sb.append((char)(s.charAt(k)+32)); - }else{ - sb.append(s.charAt(k)); - } - } - } - s=sb.toString(); - int i=0; - int j=s.length()-1; - while(i='0' && c<='9'){ - return true; - } - return false; - } - - public boolean isAlpha(char c){ - if((c>='A' && c<='Z') || (c>='a' && c<='z')){ - return true; - } - return false; - } - - @Test - public void test(){ - //boolean flag=isPalindrome("0P"); - boolean flag=isPalindrome("A man, a plan, a canal: Panama"); - System.out.println(flag); - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_153_FindMinimumInRotatedSortedArray.java b/LeetCodeSolutions/src/code_01_array/Code_153_FindMinimumInRotatedSortedArray.java deleted file mode 100644 index 48c393d..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_153_FindMinimumInRotatedSortedArray.java +++ /dev/null @@ -1,65 +0,0 @@ -package code_01_array; - -import org.junit.Test; - -/** - * 153. Find Minimum in Rotated Sorted Array - * - * Suppose an array sorted in ascending order is rotated at some pivot unknown to you beforehand. - * (i.e., [0,1,2,4,5,6,7] might become [4,5,6,7,0,1,2]). - * Find the minimum element. - * You may assume no duplicate exists in the array. - * - * Example 1: - Input: [3,4,5,1,2] - Output: 1 - - * Example 2: - Input: [4,5,6,7,0,1,2] - Output: 0 - */ -public class Code_153_FindMinimumInRotatedSortedArray { - public int findMin1(int[] nums) { - for(int i=0;inums[i+1]){ - return nums[i+1]; - } - } - return nums[0]; - } - - public int findMin(int[] nums) { - int n=nums.length; - if(n==1){ - return nums[0]; - } - if(n==2){ - return Math.min(nums[0],nums[1]); - } - //查找区间在[l,h) - int l=0; - int h=n-1; - while(l<=h){ - if(l==h){ - return nums[l]; - } - int mid=l+(h-l)/2; - if(nums[mid]>nums[mid+1]){ - return nums[mid+1]; - } - if(nums[mid]>nums[h]){ - l=mid; - }else if(nums[mid]end){ - return; - } - while(start=s){ - ret=Math.min(ret,(r-l+1)); - } - } - if(ret==n+1){ - //表示没有找到结果,使得 sum>=s - ret=0; - } - return ret; - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_215_KthLargestElementInAnArray.java b/LeetCodeSolutions/src/code_01_array/Code_215_KthLargestElementInAnArray.java deleted file mode 100644 index e6e6766..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_215_KthLargestElementInAnArray.java +++ /dev/null @@ -1,80 +0,0 @@ -package code_01_array; - -import org.junit.Test; - -/** - * - * 215. Kth Largest Element in an Array - * Find the kth largest element in an unsorted array. - * Note that it is the kth largest element in the sorted order, not the kth distinct element. - * - * Example 1: - * Input: [3,2,1,5,6,4] and k = 2 - * Output: 5 - - * Example 2: - * Input: [3,2,3,1,2,4,5,5,6] and k = 4 - * Output: 4 - * - * Note: - * You may assume k is always valid, 1 ≤ k ≤ array's length. - */ -public class Code_215_KthLargestElementInAnArray { - //根据快速排序中partion划分, - //这里找的是第k大的元素,言下之意,就是要找到第(nums.length-k+1)小的元素 - public int findKthLargest(int[] nums, int k) { - int low=0; - int high=nums.length-1; - k=nums.length-k; - while(lowk){ - high=m-1; - } - } - return nums[k]; - } - - //在[l,r]中已nums[0]为pivot进行划分 - public int partition(int[] nums,int l,int r){ - int pivot=nums[l]; - while(l=pivot){ - r--; - } - nums[l]=nums[r]; - //从右向左遍历,找出第一个>pivot的元素 - while(l=k,此时[0,k]存储是不同元素 - k++; - nums[k]=nums[i]; - } - } - return k+1; - } - - @Test - public void test(){ - int[] nums={1,2,3,4,5,5,8,8,8,8}; - System.out.println(removeDuplicates(nums)); - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_27_RemoveElement.java b/LeetCodeSolutions/src/code_01_array/Code_27_RemoveElement.java deleted file mode 100644 index 8ceaf37..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_27_RemoveElement.java +++ /dev/null @@ -1,70 +0,0 @@ -package code_01_array; - -import org.junit.Test; - -/** - * 27. Remove Element - * - * Given an array nums and a value val, remove all instances of that value in-place and return the new length. - * TODO:Do not allocate extra space for another array, you must do this by modifying the input array in-place with O(1) extra memory. - * TODO:The order of elements can be changed. It doesn't matter what you leave beyond the new length. - - * Example 1: - * Given nums = [3,2,2,3], val = 3, - * Your function should return length = 2, with the first two elements of nums being 2. - * It doesn't matter what you leave beyond the returned length. - - * Example 2: - * Given nums = [0,1,2,2,3,0,4,2], val = 2, - * Your function should return length = 5, with the first five elements of nums containing 0, 1, 3, 0, and 4. - * Note that the order of those five elements can be arbitrary. - * It doesn't matter what values are set beyond the returned length. - */ -public class Code_27_RemoveElement { - /** - * 思路1: - * 1、准备一个指针k,指向不是val的元素,保证 [0,k)都没有val元素 - * 2、[0,k)就是nums数组的前k个非val的元素,直接返回k值,就可以了 - * @param nums - * @param val - * @return - */ - public int removeElement1(int[] nums, int val) { - int k=0; - for(int num:nums){ - if(num!=val){ - nums[k++]=num; - } - } - return k; - } - - /** - * 思路二: - * 遍历数组,若和val相等,则用最后一项代替这一项,并判断代替后的值是不是和val相等。 - * @param nums - * @param val - * @return - */ - public int removeElement(int[] nums, int val) { - int last=0; - for(int i=0;i list=new ArrayList(); - for(int num:nums){ - if(num!=0){ - list.add(num); - } - } - for(int i=0;i 1 - sumRange(2, 5) -> -1 - sumRange(0, 5) -> -3 - Note: - You may assume that the array does not change. - There are many calls to sumRange function. - */ -public class Code_303_RangeSumQueryImmutable { - /** - * 思路一: - * 直接法,但是时间会超出限制 - */ - class NumArray1 { - private int[] data; - - public NumArray1(int[] nums) { - data=new int[nums.length]; - for(int i=0;i= sums.length)|| - (j<0 || j>=sums.length) || (i>j)){ - return 0; - } - return sums[j]-sums[i-1]; - } - } - - @Test - public void test(){ - int[] nums={-2, 0, 3, -5, 2, -1}; - NumArray numArray=new NumArray(nums); - System.out.println(numArray.sumRange(0,2)); - System.out.println(numArray.sumRange(2,5)); - System.out.println(numArray.sumRange(0,5)); - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_33_SearchInRotatedSortedArray.java b/LeetCodeSolutions/src/code_01_array/Code_33_SearchInRotatedSortedArray.java deleted file mode 100644 index aa758d4..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_33_SearchInRotatedSortedArray.java +++ /dev/null @@ -1,63 +0,0 @@ -package code_01_array; - -import org.junit.Test; - -/** - * 33. Search in Rotated Sorted Array - * - * Suppose an array sorted in ascending order is rotated at some pivot unknown to you beforehand. - (i.e., [0,1,2,4,5,6,7] might become [4,5,6,7,0,1,2]). - You are given a target value to search. If found in the array return its index, otherwise return -1. - You may assume no duplicate exists in the array. - Your algorithm's runtime complexity must be in the order of O(log n). - - * Example 1: - Input: nums = [4,5,6,7,0,1,2], target = 0 - Output: 4 - - * Example 2: - Input: nums = [4,5,6,7,0,1,2], target = 3 - Output: -1 - */ -public class Code_33_SearchInRotatedSortedArray { - public int search(int[] nums, int target) { - int index=0; - int i=1; - while(itarget){ - hi= mid; - }else{ - low=mid+1; - } - } - return -1; - } - - @Test - public void test(){ - int[] nums={4,5,6,7,0,1,2}; - //int target = 0; - int target = 3; - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_344_ReverseString.java b/LeetCodeSolutions/src/code_01_array/Code_344_ReverseString.java deleted file mode 100644 index 630670f..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_344_ReverseString.java +++ /dev/null @@ -1,37 +0,0 @@ -package code_01_array; - -import org.junit.Test; - -/** - * 344. Reverse String - * Write a function that takes a string as input and returns the string reversed. - * - * Example 1: - * Input: "hello" - * Output: "olleh" - * - * Example 2: - * Input: "A man, a plan, a canal: Panama" - * Output: "amanaP :lanac a ,nalp a ,nam A" - */ -public class Code_344_ReverseString { - public String reverseString(String s) { - int i=0; - int j=s.length()-1; - char[] chs=s.toCharArray(); - while(i=target) { - hi = mid - 1; - }else{ - low=mid+1; - } - if(nums[mid]==target){ - //不断res,一直到其是第一个target的下标 - res=mid; - } - } - return res; - } - - //注意:这里是查找元素是target的最后一个下标的二分查找 - private int binarySearchLast(int[] nums,int target){ - int low=0; - int hi=nums.length-1; - int res=-1; - while(low<=hi){ - int mid=low+(hi-low)/2; - //mid+1是关键 - if(nums[mid]<=target) { - low= mid+1; - }else{ - hi = mid - 1; - } - if(nums[mid]==target){ - //不断res,一直到其是最后一个target的下标 - res=mid; - } - } - return res; - } - - @Test - public void test(){ - int[] nums={5,7,7,8,8,10}; - int target = 8; - //int target=6; - int[] res=searchRange(nums,target); - for(int i:res){ - System.out.println(i); - } - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_36_ValidSudoku.java b/LeetCodeSolutions/src/code_01_array/Code_36_ValidSudoku.java deleted file mode 100644 index 7e918dd..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_36_ValidSudoku.java +++ /dev/null @@ -1,44 +0,0 @@ -package code_01_array; - -/** - * 36. Valid Sudoku - * - * Determine if a 9x9 Sudoku board is valid. Only the filled cells need to be validated according to the following rules: - - * Each row must contain the digits 1-9 without repetition. - * Each column must contain the digits 1-9 without repetition. - * Each of the 9 3x3 sub-boxes of the grid must contain the digits 1-9 without repetition. - */ -public class Code_36_ValidSudoku { - public boolean isValidSudoku(char[][] board) { - for(int i=0;i<9;i++){ - //查看每行是否有重复元素 - boolean[] row = new boolean[10]; - //查看每列是否有重复元素 - boolean[] col = new boolean[10]; - //查看每个九宫格是否有重复元素 - boolean[] block = new boolean[10]; - for(int j=0;j<9;j++){ - if(board[i][j]!='.'){ - if(row[board[i][j]-'0']==true){ - return false; - } - row[board[i][j]-'0']=true; - } - if(board[j][i]!='.'){ - if(col[board[j][i]-'0']==true){ - return false; - } - col[board[j][i]-'0']=true; - } - if(board[i/3*3+j/3][i%3*3+j%3]!='.'){ - if(block[board[i/3*3+j/3][i%3*3+j%3]-'0']==true){ - return false; - } - block[board[i/3*3+j/3][i%3*3+j%3]-'0']=true; - } - } - } - return true; - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_374_GuessNumberHigherOrLower.java b/LeetCodeSolutions/src/code_01_array/Code_374_GuessNumberHigherOrLower.java deleted file mode 100644 index a17c47b..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_374_GuessNumberHigherOrLower.java +++ /dev/null @@ -1,42 +0,0 @@ -package code_01_array; - -/** - * We are playing the Guess Game. The game is as follows: - * I pick a number from 1 to n. You have to guess which number I picked. - * Every time you guess wrong, I'll tell you whether the number is higher or lower. - * You call a pre-defined API guess(int num) which returns 3 possible results (-1, 1, or 0): - * - * Example : - Input: n = 10, pick = 6 - Output: 6 - */ -public class Code_374_GuessNumberHigherOrLower { - public int guessNumber(int n) { - /* - The guess API is defined in the parent class GuessGame. - @param num, your guess - @return -1 if my number is lower, 1 if my number is higher, otherwise return 0 - int guess(int num); - */ - //[1...n]之间进行二分查找 - int low=1; - int hi=n; - while(low<=hi){ - int mid=low+(hi-low)/2; - int tmp=guess(mid); - if(tmp==0){ - return mid; - }else if(tmp==1){ - //myNumber大了,即mid findAnagrams1(String s, String p) { - List ret=new ArrayList<>(); - if(s==null || s==""){ - return ret; - } - int l=0; - int r=l+p.length()-1; - while(l<=r && r findAnagrams(String s, String p) { - List ret = new ArrayList<>(); - if (s == null || s == "") { - return ret; - } - //统计字符串p中出现的小写字符的频率 - int[] pFreq=new int[256]; - //count是p中的字符数 - int count=p.length(); - - for(int i=0;i=1){ - //每次有一个p中字符进入窗口,扩展窗口,并且count–1 - count--; - } - if(count==0){ - //当count == 0的时候,表明我们的窗口中包含了p中的全部字符,得到一个结果。 - ret.add(l); - } - - if (r-l == p.length()) { - //当窗口包含一个结果以后,为了进一步遍历,我们需要缩小窗口使窗口不再包含全部的p, - //同样,如果pFreq[char]>=0,表明一个在p中的字符就要从窗口移动到p字符串中,那么count ++ - if (pFreq[s.charAt(l++)]++ >= 0) { - count++; // one more needed to match - } - } - } - return ret; - } - - @Test - public void test(){ - String s="cbaebabacd"; - String p="abc"; - //String s="abab"; - //String p="ab"; - - //String s="acdcaeccde"; - //String p="c"; - List list=findAnagrams(s,p); - System.out.println(list); - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_485_MaxConsecutiveOnes.java b/LeetCodeSolutions/src/code_01_array/Code_485_MaxConsecutiveOnes.java deleted file mode 100644 index 9ed8ee9..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_485_MaxConsecutiveOnes.java +++ /dev/null @@ -1,46 +0,0 @@ -package code_01_array; - -import org.junit.Test; - -/** - * 485. Max Consecutive Ones - * - * Given a binary array, find the maximum number of consecutive 1s in this array. - * - * Example 1: - Input: [1,1,0,1,1,1] - Output: 3 - Explanation: The first two digits or the last three digits are consecutive 1s. - The maximum number of consecutive 1s is 3. - - * Note: - The input array will only contain 0 and 1. - The length of input array is a positive integer and will not exceed 10,000 - */ -public class Code_485_MaxConsecutiveOnes { - public int findMaxConsecutiveOnes(int[] nums) { - int n=nums.length; - if(n==0){ - return 0; - } - - int res=0; - //count记录连续出现1的个数 - int count=0; - for(int i=0;i [0][3] - [0][3] --> [3][3] - [3][3] --> [3][0] - [3][0] --> [0][0] - 这是矩阵四个角的4个元素归为了一组,旋转图像就是它们的位置互换。 - 我们可以利用这个规律,让矩阵一次把一组4个元素的位置全部换完,然后再进行下一组4个元素。 - * 四个元素下标: - * [n-1-j][i] - * [j][n-1-i] - * [n-1-i][n-1-j] - * [i][j] - */ - public void rotate(int[][] matrix) { - int n = matrix.length; - if (n <= 1) { - return; - } - for (int i = 0; i <= n / 2; i++){ - for (int j = i; j < n - 1 - i; j++) { - int t = matrix[i][j]; - matrix[i][j] = matrix[n - 1 - j][i]; - matrix[n - 1 - j][i] = matrix[n - 1 - i][n - 1 - j]; - matrix[n - 1 - i][n - 1 - j] = matrix[j][n - 1 - i]; - matrix[j][n - 1 - i] = t; - } - } - } - - private void swap(int[][] matrix,int i1,int j1,int i2,int j2){ - int tmp=matrix[i1][j1]; - matrix[i1][j1]=matrix[i2][j2]; - matrix[i2][j2]=tmp; - } - - private void revers(int[] arr,int start,int end){ - while(start<=end){ - int tmp=arr[start]; - arr[start]=arr[end]; - arr[end]=tmp; - start++; - end--; - } - } - - @Test - public void test(){ - /* int[][] matrix={ - {1,2,3}, - {4,5,6}, - {7,8,9} - };*/ - int[][] matrix={ - {5, 1, 9,11}, - {2, 4, 8,10}, - {13, 3, 6, 7}, - {15,14,12,16} - }; - rotate(matrix); - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_498_DiagonalTraverse.java b/LeetCodeSolutions/src/code_01_array/Code_498_DiagonalTraverse.java deleted file mode 100644 index b132e2f..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_498_DiagonalTraverse.java +++ /dev/null @@ -1,92 +0,0 @@ -package code_01_array; - -import org.junit.Test; - -/** - * 498. Diagonal Traverse(对角线遍历) - * - * Given a matrix of M x N elements (M rows, N columns), - * return all elements of the matrix in diagonal order as shown in the below image. - * - * Input: - [ - [ 1, 2, 3 ], - [ 4, 5, 6 ], - [ 7, 8, 9 ] - ] - Output: [1,2,4,7,5,3,6,8,9] - */ -public class Code_498_DiagonalTraverse { - //记录该二维数组的长度和宽度 - private int m; - private int n; - - private boolean inArea(int x,int y){ - return ((x>=0 && x=0 && y spiralOrder(int[][] matrix) { - List res=new ArrayList<>(); - int m=matrix.length; - if(m==0){ - return res; - } - int n=matrix[0].length; - - int top=0; - int down=m-1; - int left=0; - int right=n-1; - while (top <= down && left <= right) { - //向从左向右遍历 - for(int j=left;j<=right;j++){ - res.add(matrix[top][j]); - } - top++; - - //从上向下遍历 - for(int i=top;i<=down;i++){ - res.add(matrix[i][right]); - } - right--; - - //从右向左遍历 - if(down-top>=0){ - //top此时已经是下一行了,down-top==0,说明top行和down重合了 - for(int j=right;j>=left;j--){ - res.add(matrix[down][j]); - } - } - down--; - - //从下往上遍历 - if(right-left>=0){ - for(int i=down;i>=top;i--){ - res.add(matrix[i][left]); - } - } - left++; - } - return res; - } - - @Test - public void test() { - int[][] arr = { - {1, 2, 3, 4}, - {5, 6, 7, 8}, - {9, 10, 11, 12} - }; - List res=spiralOrder(arr); - System.out.println(res); - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_56_MergeIntervals.java b/LeetCodeSolutions/src/code_01_array/Code_56_MergeIntervals.java deleted file mode 100644 index 2ff8922..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_56_MergeIntervals.java +++ /dev/null @@ -1,71 +0,0 @@ -package code_01_array; - -import org.junit.Test; - -import java.util.*; - -/** - * 56. Merge Intervals - * - * Given a collection of intervals, merge all overlapping(重叠) intervals. - * - * Example 1: - Input: [[1,3],[2,6],[8,10],[15,18]] - Output: [[1,6],[8,10],[15,18]] - Explanation: Since intervals [1,3] and [2,6] overlaps, merge them into [1,6]. - - * Example 2: - Input: [[1,4],[4,5]] - Output: [[1,5]] - Explanation: Intervals [1,4] and [4,5] are considered overlapping. - */ -public class Code_56_MergeIntervals { - public List merge(List intervals) { - List res=new ArrayList<>(); - if(intervals.size()==0){ - return res; - } - //按照区间的开始值进行排序 - Collections.sort(intervals, new Comparator() { - @Override - public int compare(Interval o1, Interval o2) { - int num=o1.start-o2.start; - int num2=(num==0)?o1.end-o2.end:num; - return num2; - } - }); - - int start=intervals.get(0).start; - int end=intervals.get(0).end; - for(int i=1;i list=new ArrayList<>(); - Interval i1=new Interval(1,3); - Interval i2=new Interval(2,6); - Interval i3=new Interval(8,10); - Interval i4=new Interval(15,18); - list.add(i1); - list.add(i2); - list.add(i3); - list.add(i4); - List res=merge(list); - for(Interval interval:res){ - System.out.println("["+interval.start+","+interval.end+"]"); - } - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_598_RangeAdditionII.java b/LeetCodeSolutions/src/code_01_array/Code_598_RangeAdditionII.java deleted file mode 100644 index 9b630e9..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_598_RangeAdditionII.java +++ /dev/null @@ -1,83 +0,0 @@ -package code_01_array; - -import org.junit.Test; - -/** - * 598. Range Addition II - * - * Given an m * n matrix M initialized with all 0's and several update operations. - * Operations are represented by a 2D array, and each operation is represented by an array with - * two positive integers a and b, which means M[i][j] should be added by one for all 0 <= i < a and 0 <= j < b. - * You need to count and return the number of maximum integers in the matrix after performing all the operations. - * - * - */ -public class Code_598_RangeAdditionII { - /** - * 思路一: - * 暴力解法 - * 但是超出时间限制 - */ - public int maxCount1(int m, int n, int[][] ops) { - if(m==0 || n==0){ - return 0; - } - int[][] matrix=new int[m][n]; - int operations=ops.length; - for(int k=0;k=0){ - for(int j=right;j>=left;j--){ - res[down][j]=ele; - ele++; - } - } - down--; - - //从下向上遍历,进行赋值 - if(right-left>=0){ - for(int i=down;i>=top;i--){ - res[i][left]=ele; - ele++; - } - } - left++; - } - return res; - } - - @Test - public void test(){ - int n=3; - int[][] arr=generateMatrix(n); - ArrayUtils2.print2DimenArray(arr); - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_674_LongestContinuousIncreasingSubsequence.java b/LeetCodeSolutions/src/code_01_array/Code_674_LongestContinuousIncreasingSubsequence.java deleted file mode 100644 index 60aff38..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_674_LongestContinuousIncreasingSubsequence.java +++ /dev/null @@ -1,44 +0,0 @@ -package code_01_array; - -/** - * 674. Longest Continuous Increasing Subsequence - * - * Given an unsorted array of integers, find the length of longest continuous increasing subsequence (subarray). - * - * Example 1: - Input: [1,3,5,4,7] - Output: 3 - Explanation: The longest continuous increasing subsequence is [1,3,5], its length is 3. - Even though [1,3,5,7] is also an increasing subsequence, it's not a continuous one where 5 and 7 are separated by 4. - - * Example 2: - Input: [2,2,2,2,2] - Output: 1 - Explanation: The longest continuous increasing subsequence is [2], its length is 1. - Note: Length of the array will not exceed 10,000. - */ -public class Code_674_LongestContinuousIncreasingSubsequence { - /** - * 思路: - * 找递增的数列,遇到非递增的情况就把计数值重新值1, - * 然后比较一下当前计数值和max的大小得到新的max - */ - public int findLengthOfLCIS(int[] nums) { - int n=nums.length; - if(n<=1){ - return n; - } - int maxLen = 0; - //连续递增区间的长度 - int continuousLen = 1; - for (int i = 1; i < nums.length; i++) { - if (nums[i - 1] >= nums[i]) { - maxLen = Math.max(maxLen, continuousLen); - continuousLen = 1; - } else { - continuousLen++; - } - } - return Math.max(maxLen, continuousLen); - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_69_Sqrt.java b/LeetCodeSolutions/src/code_01_array/Code_69_Sqrt.java deleted file mode 100644 index fafa802..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_69_Sqrt.java +++ /dev/null @@ -1,32 +0,0 @@ -package code_01_array; - -/** - * Implement int sqrt(int x). - Compute and return the square root of x, where x is guaranteed to be a non-negative integer. - - Since the return type is an integer, the decimal digits are truncated and only the integer part of the result is returned. - - Example 1: - Input: 4 - Output: 2 - */ -public class Code_69_Sqrt { - public int mySqrt(int x) { - if (x <= 1) { - return x; - } - int l = 1, h = x; - while (l <= h) { - int mid = l + (h - l) / 2; - int sqrt = x / mid; - if (sqrt == mid) { - return mid; - } else if (mid > sqrt) { - h = mid - 1; - } else { - l = mid + 1; - } - } - return h; - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_704_BinarySearch.java b/LeetCodeSolutions/src/code_01_array/Code_704_BinarySearch.java deleted file mode 100644 index 4940900..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_704_BinarySearch.java +++ /dev/null @@ -1,25 +0,0 @@ -package code_01_array; - -/** - * 704. Binary Search - * - * Given a sorted (in ascending order) integer array nums of n elements and a target value, - * write a function to search target in nums. If target exists, then return its index, otherwise return -1. - */ -public class Code_704_BinarySearch { - public int search(int[] nums, int target) { - int start=0; - int end=nums.length-1; - while(start<=end){ - int mid=start+(end-start)/2; - if(target==nums[mid]){ - return mid; - }else if(target=k){ - product/=nums[l]; - l++; - } - //r-l+1表示的就是[l...r]窗口的长度 - res+=(r-l+1); - r++; - } - return res; - } - - @Test - public void test(){ - int[] arr= {10, 5, 2, 6}; - int k = 100; - System.out.println(numSubarrayProductLessThanK(arr,k)); - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_717_1_bitAnd2_bitCharacters.java b/LeetCodeSolutions/src/code_01_array/Code_717_1_bitAnd2_bitCharacters.java deleted file mode 100644 index 748e1bf..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_717_1_bitAnd2_bitCharacters.java +++ /dev/null @@ -1,56 +0,0 @@ -package code_01_array; - -import org.junit.Test; - -/** - * 717. 1-bit and 2-bit Characters - * - * We have two special characters. - * The first character can be represented by one bit 0. - * The second character can be represented by two bits (10 or 11). - * - * Now given a string represented by several bits. - * Return whether the last character must be a one-bit character or not. - * The given string will always end with a zero. - * - * Example 1: - Input: - bits = [1, 0, 0] - Output: True - Explanation: - The only way to decode it is two-bit character and one-bit character. So the last character is one-bit character. - - * Note: - 1 <= len(bits) <= 1000. - bits[i] is always 0 or 1. - */ -public class Code_717_1_bitAnd2_bitCharacters { - /** - * 思路: - * 2-bit都是1开头的,则只要遇到bits[i]==1时,就移动两位 - * 然后看看最后一位是否是1-bit(有可能最后一位和前一位共同组成2-bit,那就返回false) - */ - public boolean isOneBitCharacter(int[] bits) { - int n=bits.length; - if(n==1){ - return bits[0]==0; - } - for(int i=0;i selfDividingNumbers(int left, int right) { - List res=new ArrayList<>(); - if(left>right){ - return res; - } - for(int i=left;i<=right;i++){ - if(isValid(i)){ - res.add(i); - } - } - return res; - } - - private boolean isValid(int num){ - int Num=num; - //获取num的各位上的数字 - while(num!=0){ - int tmp=num%10; - if(tmp==0){ - return false; - } - if(Num%tmp!=0){ - return false; - } - num=num/10; - } - return true; - } - - @Test - public void test(){ - int left = 1, right = 22; - System.out.println(selfDividingNumbers(left,right)); - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_739_DailyTemperatures.java b/LeetCodeSolutions/src/code_01_array/Code_739_DailyTemperatures.java deleted file mode 100644 index 99eaeba..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_739_DailyTemperatures.java +++ /dev/null @@ -1,73 +0,0 @@ -package code_01_array; - -import org.junit.Test; - -import java.util.Stack; - -/** - * 739. Daily Temperatures - * - * Given a list of daily temperatures T, return a list such that, - * for each day in the input, tells you how many days you would have to wait until a warmer temperature. - * If there is no future day for which this is possible, put 0 instead. - * For example, given the list of temperatures T = [73, 74, 75, 71, 69, 72, 76, 73], - * your output should be [1, 1, 4, 2, 1, 1, 0, 0]. - - * Note: The length of temperatures will be in the range [1, 30000]. - * Each temperature will be an integer in the range [30, 100] - */ -public class Code_739_DailyTemperatures { - /** - * 思路一:暴力解法 - * t通过break,缩短循环的执行时间 - */ - public int[] dailyTemperatures1(int[] T) { - if(T.length==1){ - return new int[]{0}; - } - int[] res=new int[T.length]; - for(int i=0;i stack=new Stack<>(); - int[] res=new int[T.length]; - for(int i=0;iT[stack.peek()]){ - int top=stack.pop(); - res[top]=i-top; - } - stack.push(i); - } - return res; - } - - @Test - public void test(){ - int[] T={73, 74, 75, 71, 69, 72, 76, 73}; - int[] arr=dailyTemperatures(T); - for(int i:arr){ - System.out.println(i); - } - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_747_LargestNumberAtLeastTwiceofOthers.java b/LeetCodeSolutions/src/code_01_array/Code_747_LargestNumberAtLeastTwiceofOthers.java deleted file mode 100644 index fc69e81..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_747_LargestNumberAtLeastTwiceofOthers.java +++ /dev/null @@ -1,61 +0,0 @@ -package code_01_array; - -import org.junit.Test; - -import java.util.Arrays; - -/** - * 747. Largest Number At Least Twice of Others - * - * In a given integer array nums, there is always exactly one largest element. - * Find whether the largest element in the array is at least twice as much as every other number in the array. - * If it is, return the index of the largest element, otherwise return -1. - * - * Example 1: - Input: nums = [3, 6, 1, 0] - Output: 1 - Explanation: 6 is the largest integer, and for every other number in the array x, - 6 is more than twice as big as x. The index of value 6 is 1, so we return 1. - -* Example 2: - Input: nums = [1, 2, 3, 4] - Output: -1 - Explanation: 4 isn't at least as big as twice the value of 3, so we return -1. - - - * Note: - nums will have a length in the range [1, 50]. - Every nums[i] will be an integer in the range [0, 99]. - */ -public class Code_747_LargestNumberAtLeastTwiceofOthers { - public int dominantIndex(int[] nums) { - int n=nums.length; - if(n==1){ - return 0; - } - int maxIndex=getMaxIndex(nums); - Arrays.sort(nums); - if(2*nums[n-2]>nums[n-1]){ - return -1; - } - return maxIndex; - } - - private int getMaxIndex(int[] nums){ - int max=nums[0]; - int index=0; - for(int i=1;imax){ - max=nums[i]; - index=i; - } - } - return index; - } - - @Test - public void test(){ - int[] nums={3, 6, 1, 0}; - System.out.println(getMaxIndex(nums)); - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_75_SortColors.java b/LeetCodeSolutions/src/code_01_array/Code_75_SortColors.java deleted file mode 100644 index c6cb2db..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_75_SortColors.java +++ /dev/null @@ -1,89 +0,0 @@ -package code_01_array; - -import org.junit.Test; - -/** - * 75 Sort Colors - - * Given an array with n objects colored red, white or blue, sort them in-place so that objects of the same color are adjacent, with the colors in the order red, white and blue. - * Here, we will use the integers 0, 1, and 2 to represent the color red, white, and blue respectively. - * Note: You are not suppose to use the library's sort function for this problem. - * - * Example: - * Input: [2,0,2,1,1,0] - * Output: [0,0,1,1,2,2] - */ -public class Code_75_SortColors { - /** - * 思路一: - 分别统计0,1,2元素个数,然后再对数组重新赋值 - 时间复杂度:O(n) - 空间复杂度:O(k),k是nums元素的最大值 - * @param nums - */ - public void sortColors1(int[] nums) { - int[] count=new int[3]; - //存放0,1,2元素的频率 - for(int i=0;i map=new HashMap<>(); - for(int i=0;i=0){ - count++; - } - //s中出现的字符数刚好包含了t中所有的字符 - while (count == t.length()) { - //[l...r]窗口就是最字符串短 - if (r - l + 1 < minLen) { - minLen = r - l + 1; - ret = s.substring(l, r + 1); - } - //缩小窗口 - if (map.containsKey(s.charAt(l))) { - int sfreq = map.get(s.charAt(l)); - map.put(s.charAt(l), ++sfreq); - if (sfreq > 0) { - --count; - } - } - ++l; - } - } - r++; - } - return ret; - } - - @Test - public void test(){ - String S = "ADOBECODEBANC"; - String T = "ABC"; - System.out.println(minWindow(S,T)); - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_794_ValidTic_Tac_ToeState.java b/LeetCodeSolutions/src/code_01_array/Code_794_ValidTic_Tac_ToeState.java deleted file mode 100644 index 4920230..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_794_ValidTic_Tac_ToeState.java +++ /dev/null @@ -1,116 +0,0 @@ -package code_01_array; - -/** - * 794. Valid Tic-Tac-Toe State - * - * A Tic-Tac-Toe board is given as a string array board. - * Return True if and only if it is possible to reach this board position - * during the course of a valid tic-tac-toe game. - * (玩家有可能将字符放置成游戏板所显示的状态时,才返回 true。) - * - * The board is a 3 x 3 array, and - * consists of characters " ", "X", and "O". The " " character represents an empty square. - - * Here are the rules of Tic-Tac-Toe: - Players take turns placing characters into empty squares (" "). - The first player always places "X" characters, while the second player always places "O" characters. - "X" and "O" characters are always placed into empty squares, never filled ones. - The game ends when there are 3 of the same (non-empty) character filling any row, column, or diagonal. - The game also ends if all squares are non-empty. - No more moves can be played if the game is over. - - * Note: - board is a length-3 array of strings, where each string board[i] has length 3. - Each board[i][j] is a character in the set {" ", "X", "O"}. - - * Example 1: - Input: board = ["O ", " ", " "] - Output: false - Explanation: The first player always plays "X". - - * Example 2: - Input: board = ["XOX", " X ", " "] - Output: false - Explanation: Players take turns making moves. - - * Example 3: - Input: board = ["XXX", " ", "OOO"] - Output: false - - * Example 4: - Input: board = ["XOX", "O O", "XOX"] - Output: true - */ -public class Code_794_ValidTic_Tac_ToeState { - public boolean validTicTacToe(String[] board) { - //统计board上的X和O的数目 - int Onum=0; - int Xnum=0; - for(int i=0;i<3;i++){ - for (int j=0;j<3;j++){ - if(board[i].charAt(j)=='O'){ - Onum++; - } - if(board[i].charAt(j)=='X'){ - Xnum++; - } - } - } - - //Xnum==Onum或者Xnum=Onum+1才是可以的 - if(Math.abs(Onum-Xnum)>=2){ - return false; - } - - boolean Xwin=win(board,'X'); - boolean Owin=win(board,'O'); - if(Xwin && Owin){ - return false; - }else if(Xwin && !Owin){ - return Xnum>Onum; - }else if(!Xwin && Owin){ - return Xnum==Onum; - }else{ - //!Xwin && !Owin - return Xnum>=Onum; - } - } - - //ch 表示是 'X' 'O' - //本函数检查是画'X'的赢还是画'O'的赢 - //The game ends when there are 3 of the same (non-empty) character filling any row, column, or diagonal(对角线) - private boolean win(String[] board,char ch){ - //有一行相同,就赢了 - /* for(int i=0;i<3;i++){ - if(board[i].charAt(0)==ch && board[i].charAt(1)==ch && board[i].charAt(2)==ch){ - return true; - } - } - //有一列相同就赢了 - for(int j=0;j<3;j++){ - if(board[0].charAt(j)==ch && board[1].charAt(j)==ch && board[2].charAt(j)==ch){ - return true; - } - }*/ - //改进版 - for(int i=0;i<3;i++){ - //有一行相同,就赢了 - if(board[i].charAt(0)==ch && board[i].charAt(1)==ch && board[i].charAt(2)==ch){ - return true; - } - //有一列相同就赢了 - if(board[0].charAt(i)==ch && board[1].charAt(i)==ch && board[2].charAt(i)==ch){ - return true; - } - } - - //对角线相同就赢了 - if(board[0].charAt(0)==ch && board[1].charAt(1)==ch && board[2].charAt(2)==ch){ - return true; - } - if(board[2].charAt(0)==ch && board[1].charAt(1)==ch && board[0].charAt(2)==ch){ - return true; - } - return false; - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_807_MaxIncreaseToKeepCitySkyline.java b/LeetCodeSolutions/src/code_01_array/Code_807_MaxIncreaseToKeepCitySkyline.java deleted file mode 100644 index 23a4d73..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_807_MaxIncreaseToKeepCitySkyline.java +++ /dev/null @@ -1,116 +0,0 @@ -package code_01_array; - -import org.junit.Test; - -/** - * 807. Max Increase to Keep City Skyline - * - * In a 2 dimensional array grid, each value grid[i][j] represents the height of a building located there. - * We are allowed to increase the height of any number of buildings, - * by any amount (the amounts can be different for different buildings). - * Height 0 is considered to be a building as well. - * - * At the end, the "skyline" when viewed from all four directions of the grid, - * i.e. top, bottom, left, and right, must be the same as the skyline of the original grid. - * A city's skyline is the outer contour of the rectangles formed by all the buildings when viewed from a distance. - * (城市的天际线是从远处观看时由所有建筑物形成的矩形的外部轮廓) - * See the following example. - - * What is the maximum total sum that the height of the buildings can be increased? - * - * Example: - Input: grid = [[3,0,8,4],[2,4,5,7],[9,2,6,3],[0,3,1,0]] - Output: 35 - Explanation: - The grid is: - [ [3, 0, 8, 4], - [2, 4, 5, 7], - [9, 2, 6, 3], - [0, 3, 1, 0] ] - - The skyline viewed from top or bottom is: [9, 4, 8, 7] - The skyline viewed from left or right is: [8, 7, 9, 3] - - The grid after increasing the height of buildings without affecting skylines is: - gridNew = [ - [8, 4, 8, 7], - [7, 4, 7, 7], - [9, 4, 8, 7], - [3, 3, 3, 3] ] - -* Notes: - 1 < grid.length = grid[0].length <= 50. - All heights grid[i][j] are in the range [0, 100]. - All buildings in grid[i][j] occupy the entire grid cell: that is, they are a 1 x 1 x grid[i][j] rectangular prism. - */ -public class Code_807_MaxIncreaseToKeepCitySkyline { - /** - * 思路: - * 求出skyline viewed from top or bottom - * 然后再求出skyline viewed from left or right - */ - public int maxIncreaseKeepingSkyline(int[][] grid) { - int n=grid.length; - if(n==0){ - return 0; - } - int[] topOrButtom=new int[n]; - int[] leftOrRight=new int[n]; - //求出skyline viewed from top or bottom - for(int j=0;j= 3) - There exists some 0 < i < A.length - 1 such that A[0] < A[1] < ... A[i-1] < A[i] > A[i+1] > ... > A[A.length - 1] - Given an array that is definitely a mountain, - return any i such that A[0] < A[1] < ... A[i-1] < A[i] > A[i+1] > ... > A[A.length - 1]. - -* Note: - 3 <= A.length <= 10000 - 0 <= A[i] <= 10^6 - A is a mountain, as defined above. - */ -public class Code_852_PeakIndexInAMountainArray { - /** - * 思路一: - * 寻找第一个下降位置的前一个位置 - * 时间复杂度:O(n) - */ - public int peakIndexInMountainArray1(int[] A) { - //寻找第一个下降位置 - for(int i=0;iA[i+1]){ - return i; - } - } - return -1; - } - - /** - * 思路二:使用二分查找 - * 找出某个位置使得其左边递增同时其右边递减。 - 会有三种情况: - (1)A[mid-1] < A[mid] && A[mid] < A[mid+1] - (2)A[mid-1] > A[mid] && A[mid] > A[mid+1] - (3)A[mid-1] < A[mid] && A[mid] > A[mid+1] - */ - public int peakIndexInMountainArray(int[] A) { - int l=0; - int r=A.length-1; - while(l<=r){ - int mid=l+(r-l)/2; - if(A[mid-1]A[mid+1]){ - return mid; - }else if(A[mid-1] < A[mid] && A[mid] < A[mid+1]){ - l=mid+1; - }else if(A[mid-1] > A[mid] && A[mid] > A[mid+1]){ - r=mid-1; - } - } - return -1; - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_853_CarFleet.java b/LeetCodeSolutions/src/code_01_array/Code_853_CarFleet.java deleted file mode 100644 index da44529..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_853_CarFleet.java +++ /dev/null @@ -1,89 +0,0 @@ -package code_01_array; - -import org.junit.Test; - -import java.util.Arrays; - -/** - * 853. Car Fleet - * - * N cars are going to the same destination along a one lane road. - * The destination is target miles away. - * Each car i has a constant speed speed[i] (in miles per hour), - * and initial position position[i] miles towards the target along the road. - * - * A car can never pass another car ahead of it, but it can catch up to it, and drive bumper to bumper at the same speed. - * The distance between these two cars is ignored - they are assumed to have the same position. - - * A car fleet is some non-empty set of cars driving at the same position and same speed. - * Note that a single car is also a car fleet. - * If a car catches up to a car fleet right at the destination point, it will still be considered as one car fleet. - - - * How many car fleets will arrive at the destination? - * - * Example 1: - Input: target = 12, position = [10,8,0,5,3], speed = [2,4,1,1,3] - Output: 3 - Explanation: - The cars starting at 10 and 8 become a fleet, meeting each other at 12. - The car starting at 0 doesn't catch up to any other car, so it is a fleet by itself. - The cars starting at 5 and 3 become a fleet, meeting each other at 6. - Note that no other cars meet these fleets before the destination, so the answer is 3. - */ -public class Code_853_CarFleet { - private class Car implements Comparable{ - int position; - int speed; - //到达终点所用的时间 - double time; - - public Car(int position,int speed,double time){ - this.position=position; - this.speed=speed; - this.time=time; - } - - //按照起始位置进行降序排列 - @Override - public int compareTo(Car car) { - return car.position-this.position; - } - } - - /** - * 思路: - * 按照 position位置对车进行排序(降序) - * 两辆车相撞的条件就是一辆车在前面并且到达结束位置的时在前的车用时较长。 - */ - public int carFleet(int target, int[] position, int[] speed) { - if(position.length==0){ - return 0; - } - Car[] cars=new Car[position.length]; - for(int i=0;i 前一辆车到达目的地所用的时间,这两辆车是不同车队的。 - res ++; - } - - } - return res; - } - - @Test - public void test(){ - int target=12; - int[] position = {10,8,0,5,3}; - int[] speed = {2,4,1,1,3}; - System.out.println(carFleet(target,position,speed)); - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_867_TransposeMatrix.java b/LeetCodeSolutions/src/code_01_array/Code_867_TransposeMatrix.java deleted file mode 100644 index e05d87e..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_867_TransposeMatrix.java +++ /dev/null @@ -1,45 +0,0 @@ -package code_01_array; - -import org.junit.Test; - -/** - * 867. Transpose Matrix - * - * Given a matrix A, return the transpose(专职) of A. - * The transpose of a matrix is the matrix flipped over it's main diagonal(主对角线), - * switching the row and column indices of the matrix. - * - * Example 1: - Input: [[1,2,3],[4,5,6],[7,8,9]] - Output: [[1,4,7],[2,5,8],[3,6,9]] - - * Example 2: - Input: [[1,2,3],[4,5,6]] - Output: [[1,4],[2,5],[3,6]] - */ -public class Code_867_TransposeMatrix { - public int[][] transpose(int[][] A) { - int m=A.length; - if(m==0){ - return new int[0][0]; - } - int n=A[0].length; - int[][] res=new int[n][m]; - for(int i=0;i>1; - } - return res; - } - - @Test - public void test(){ - int N=6; - System.out.println(binaryGap(N)); - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_875_KokoEatingBananas.java b/LeetCodeSolutions/src/code_01_array/Code_875_KokoEatingBananas.java deleted file mode 100644 index da51c70..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_875_KokoEatingBananas.java +++ /dev/null @@ -1,83 +0,0 @@ -package code_01_array; - -import org.junit.Test; - -/** - * - * 875. Koko Eating Bananas - * - * Koko loves to eat bananas. There are N piles of bananas, the i-th pile has piles[i] bananas. - * The guards have gone and will come back in H hours. - * - * Koko can decide her bananas-per-hour eating speed of K. - * Each hour, she chooses some pile of bananas, and eats K bananas from that pile. - * If the pile has less than K bananas, she eats all of them instead, and won't eat any more bananas during this hour. - * Koko likes to eat slowly, but still wants to finish eating all the bananas before the guards come back. - * Return the minimum integer K such that she can eat all the bananas within H hours. - * - * Example 1: - Input: piles = [3,6,7,11], H = 8 - Output: 4 - - * Example 2: - Input: piles = [30,11,23,4,20], H = 5 - Output: 30 - - * Example 3: - Input: piles = [30,11,23,4,20], H = 6 - Output: 23 - - Note: - 1 <= piles.length <= 10^4 - piles.length <= H <= 10^9 - 1 <= piles[i] <= 10^9 - */ -public class Code_875_KokoEatingBananas { - public int minEatingSpeed(int[] piles, int H) { - if (piles.length > H ) { - return -1; - } - //maxSpeed KOKO吃香蕉的最快速度 - int maxSpeed=piles[0]; - for(int i=0;iH说明吃的慢了,速度要快起来 - l=mid+1; - } - } - return l; - } - - //以spped速度吃香蕉所花费的时间 - private int hours(int[] piles,int speed){ - int time=0; - for(int pile:piles){ - if(pile%speed==0){ - time+=pile/speed; - }else{ - time+=(pile/speed+1); - } - } - return time; - } - - @Test - public void test(){ - int[] piles={30,11,23,4,20}; - int H=6; - System.out.println(minEatingSpeed(piles,H)); - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_883_ProjectionAreaof3DShapes.java b/LeetCodeSolutions/src/code_01_array/Code_883_ProjectionAreaof3DShapes.java deleted file mode 100644 index 7f1a6a7..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_883_ProjectionAreaof3DShapes.java +++ /dev/null @@ -1,75 +0,0 @@ -package code_01_array; - -import org.junit.Test; - -/** - * 883. Projection Area(投影面积) of 3D Shapes - * - * On a N * N grid, - * we place some 1 * 1 * 1 cubes(立方) that are axis-aligned with the x, y, and z axes. - * Each value v = grid[i][j] represents a tower of v cubes placed on top of grid cell (i, j). - * Now we view the projection of these cubes onto the xy, yz, and zx planes. - * A projection is like a shadow, that maps our 3 dimensional figure to a 2 dimensional plane. - * Here, we are viewing the "shadow" when looking at the cubes from the top, the front, and the side. - * Return the total area of all three projections. - * - * Note: - 1 <= grid.length = grid[0].length <= 50 - 0 <= grid[i][j] <= 50 - */ -public class Code_883_ProjectionAreaof3DShapes { - public int projectionArea(int[][] grid) { - //s1表示俯视图的面积 - int s1=0; - //s2表示正视图的面积 - int s2=0; - //说表示左视图的面积 - int s3=0; - - int m=grid.length; - int n=grid[0].length; - for(int i=0;i=0 && x=0 && y=0 && j>=0){ - if(nums1[i]>nums2[j]){ - nums1[index--]=nums1[i--]; - }else{ - nums1[index--]=nums2[j--]; - } - } - //nums2仍然有剩余元素,且是最小的那部分元素,将这些元素直接复制到num1的前面 - while(j>=0){ - nums1[index--]=nums2[j--]; - } - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Code_892_SurfaceAreaOf3DShapes.java b/LeetCodeSolutions/src/code_01_array/Code_892_SurfaceAreaOf3DShapes.java deleted file mode 100644 index d7e5249..0000000 --- a/LeetCodeSolutions/src/code_01_array/Code_892_SurfaceAreaOf3DShapes.java +++ /dev/null @@ -1,58 +0,0 @@ -package code_01_array; - -/** - * 892. Surface Area of 3D Shapes - * - * On a N * N grid, we place some 1 * 1 * 1 cubes. - * Each value v = grid[i][j] represents a tower of v cubes placed on top of grid cell (i, j). - * Return the total surface area of the resulting shapes. - * - * Example 1: - Input: [[2]] - Output: 10 - - * Example 2: - Input: [[1,2],[3,4]] - Output: 34 - - * Example 3: - Input: [[1,0],[0,2]] - Output: 16 - - * Example 4: - Input: [[1,1,1],[1,0,1],[1,1,1]] - Output: 32 - - * Example 5: - Input: [[2,2,2],[2,1,2],[2,2,2]] - Output: 46 - */ -public class Code_892_SurfaceAreaOf3DShapes { - /** - * 计算每个cube的表面积,然后减去他们重合的部分 - */ - public int surfaceArea(int[][] grid) { - int m=grid.length; - if(m==0){ - return 0; - } - int n=grid[0].length; - int res=0; - for(int i=0;i= A[j]. - * Return true if and only if the given array A is monotonic. - * - * Example 1: - Input: [1,2,2,3] - Output: true - - * Example 2: - Input: [6,5,4,4] - Output: true - - * Example 3: - Input: [1,3,2] - Output: false - - * Example 4: - Input: [1,2,4,5] - Output: true - - * Example 5: - Input: [1,1,1] - Output: true - - * Note: - 1 <= A.length <= 50000 - -100000 <= A[i] <= 100000 - */ -public class Code_896_MonotonicArray { - /** - * 思路一:暴力法 - * @param A - * @return - */ - public boolean isMonotonic1(int[] A) { - if(A.length==1){ - return true; - } - int k=1; - while(kA[i]){ - return false; - } - } - }else if(A[k-1]>=A[k]){ - //递增序列 - for(int i=1;iA[i+1]){ - if(flag==0){ - flag=-1; - }else if(flag==1){ - return false; - } - } - } - return true; - } - - @Test - public void test(){ - int[] A={4,4,4}; - System.out.println(isMonotonic(A)); - } -} diff --git a/LeetCodeSolutions/src/code_01_array/Interval.java b/LeetCodeSolutions/src/code_01_array/Interval.java deleted file mode 100644 index 11621dc..0000000 --- a/LeetCodeSolutions/src/code_01_array/Interval.java +++ /dev/null @@ -1,11 +0,0 @@ -package code_01_array; - -/** - * Created by DHA on 2018/12/8. - */ -public class Interval { - public int start; - public int end; - public Interval() { start = 0; end = 0; } - public Interval(int s, int e) { start = s; end = e; } -} diff --git a/LeetCodeSolutions/src/code_02_find/Code_01_TwoSum.java b/LeetCodeSolutions/src/code_02_find/Code_01_TwoSum.java deleted file mode 100644 index 6cf1a4f..0000000 --- a/LeetCodeSolutions/src/code_02_find/Code_01_TwoSum.java +++ /dev/null @@ -1,38 +0,0 @@ -package code_02_find; - -import java.util.HashMap; -import java.util.Map; - -/** - * 1. Two Sum - * - * Given an array of integers, return indices of the two numbers such that they add up to a specific target. - * - * You may assume that each input would have exactly one solution, and you may not use the same element twice. - * - * Example: - * - * Given nums = [2, 7, 11, 15], target = 9, - * - * Because nums[0] + nums[1] = 2 + 7 = 9. - * - * return [0, 1]. - */ -public class Code_01_TwoSum { - public int[] twoSum(int[] nums, int target) { - if(nums.length<=1){ - return null; - } - Map map=new HashMap<>(); - //HashMap,键存储的是该元素的值,值存储的是该元素的下标. - for(int i=0;i map=new HashMap<>(); - for(int i=0;i - 0 1 2 3 4 - * Input: [[1,1],[3,2],[5,3],[4,1],[2,3],[1,4]] - * - * Output: 4 - * - * ^ - | - | o - | o o - | o - | o o - +-------------------> - 0 1 2 3 4 5 6 - */ -class Point { - int x; - int y; - Point() { - x = 0; - y = 0; - } - Point(int a, int b) { - x = a; - y = b; - } - } - -public class Code_149_MaxPointsOnALine { - public int maxPoints(Point[] points) { - if(points==null || points.length==0){ - return 0; - } - if(points.length==1){ - return 1; - } - int ret=0; - for(int i=0;i map=new HashMap(); - //map存储的是斜率与点出现的频率 - int same=1; - //记录出现相同的点的个数 - for(int j=0;j=0.9999999894638303){ - ret-=1; - } - } - } - } - return ret; - } - - //判断两点是否是相同点 - public boolean isSamePoint(Point p1,Point p2){ - if((p1.x==p2.x) && (p1.y==p2.y)){ - return true; - } - return false; - } - - //计算两点所在直线的斜率 - public double getSlope(Point p1,Point p2){ - if(p1.x==p2.x){ - return Double.MAX_VALUE; - } - return (double)(p1.y-p2.y)/(p1.x-p2.x); - } - - @Test - public void test(){ - //[[2,3],[3,3],[-5,3]] - //针对这种情况,无能为力了:[[0,0],[94911151,94911150],[94911152,94911151]] - Point[] points= - {new Point(0,0),new Point(94911151,94911150),new Point(94911152,94911151)}; - System.out.println(maxPoints(points)); - } -} diff --git a/LeetCodeSolutions/src/code_02_find/Code_15_3Sum.java b/LeetCodeSolutions/src/code_02_find/Code_15_3Sum.java deleted file mode 100644 index 2d9b9d9..0000000 --- a/LeetCodeSolutions/src/code_02_find/Code_15_3Sum.java +++ /dev/null @@ -1,83 +0,0 @@ -package code_02_find; - -import org.junit.Test; - -import java.util.*; - -/** - * 15. 3Sum - * - * Given an array nums of n integers, are there elements a, b, c in nums such that a + b + c = 0? Find all unique triplets in the array which gives the sum of zero. - * - * Note: - * - * The solution set must not contain duplicate triplets. - * - * Example: - * Given array nums = [-1, 0, 1, 2, -1, -4],、 - * A solution set is:[[-1, 0, 1],[-1, -1, 2]] - */ -public class Code_15_3Sum { - /** - * 思路: - * 类比twoSum中方法 - * - * @param nums - * @return - */ - public List> threeSum(int[] nums) { - List> ret=new ArrayList<>(); - if(nums.length<3){ - return ret; - } - Map map=new HashMap<>(); - //HashMap,键存储的是该元素的值,值存储的是该元素出现的次数 - for(int num:nums){ - int freq=map.get(num)==null?0:map.get(num); - map.put(num,++freq); - } - Set keySet=map.keySet(); - for(Integer num:keySet){ - //num 表示数组中的元素值 - //numCount为该元素出现的次数 - int numCount=map.get(num); - - //三个相同元素相加的情况 - if(numCount>=3){ - //num元素出现3次以上的,用该元素值相加和为0,只能是0了。 - if(num==0){ - ret.add(Arrays.asList(0,0,0)); - } - } - - //两个相同元素和另外一个元素相加的情况 - if(numCount>=2){ - //num元素出现次数为2,用该元素之和另外一个元素和为0, - int target=0-2*num; - if(map.containsKey(target) && target!=0){ - //如果map中存在target值,则说明(num,num,target)是一组解 - //target如果是0,那么就变成了(0,0,0)三个相同元素之和了 - ret.add(Arrays.asList(num,num,target)); - } - } - - //三个不同元素相加的情况 - for(Integer num2:keySet){ - int num3=0-num-num2; - //假设 [num,num2,num3]是有序的并且num=num2 || num2>=num3 || map.get(num3)==null){ - continue; - } - ret.add(Arrays.asList(num,num2,num3)); - } - } - return ret; - } - - @Test - public void test(){ - int[] arr={-1, 0, 1, 2, -1, -4}; - List> list=threeSum(arr); - System.out.println(list); - } -} diff --git a/LeetCodeSolutions/src/code_02_find/Code_16_3SumClosest.java b/LeetCodeSolutions/src/code_02_find/Code_16_3SumClosest.java deleted file mode 100644 index f67ca7d..0000000 --- a/LeetCodeSolutions/src/code_02_find/Code_16_3SumClosest.java +++ /dev/null @@ -1,56 +0,0 @@ -package code_02_find; - -import org.junit.Test; - -import java.util.*; - -/** - * 16.3Sum Closest - * Given an array nums of n integers and an integer target, - * find three integers in nums such that the sum is closest to target. - * Return the sum of the three integers. - * You may assume that each input would have exactly one solution. - - * Example: - * Given array nums = [-1, 2, 1, -4], and target = 1. - * The sum that is closest to the target is 2. (-1 + 2 + 1 = 2). - */ -public class Code_16_3SumClosest { - //时间复杂度 O(n^2) - public int threeSumClosest(int[] nums, int target) { - if(nums.length<3){ - return 0; - } - Arrays.sort(nums); - int ret=0; - int closet=Integer.MAX_VALUE; - for(int i=0;itarget){ - end--; - }else{ - //tmp==target当然就是最接近的了 - return target; - } - } - } - return ret; - } - - @Test - public void test(){ - int[] arr={-1, 2, 1, -4}; - int target = 1; - System.out.println(threeSumClosest(arr,target)); - } -} diff --git a/LeetCodeSolutions/src/code_02_find/Code_18_4Sum.java b/LeetCodeSolutions/src/code_02_find/Code_18_4Sum.java deleted file mode 100644 index ee0b9f4..0000000 --- a/LeetCodeSolutions/src/code_02_find/Code_18_4Sum.java +++ /dev/null @@ -1,173 +0,0 @@ -package code_02_find; - -import org.junit.Test; - -import java.util.*; - -/** - * Given an array nums of n integers and an integer target, are there elements a, b, c, and d in nums - * such that a + b + c + d = target? - * Find all unique quadruplets in the array which gives the sum of target. - * - * Given array nums = [1, 0, -1, 0, -2, 2], and target = 0. - * - * A solution set is: - * [ - * [-1, 0, 0, 1], - * [-2, -1, 1, 2], - * [-2, 0, 0, 2] - * ] - * - * Note:The solution set must not contain duplicate quadruplets. - */ -public class Code_18_4Sum { - //返回的结果存在一些重复的解的情况,惭愧! - public List> fourSum1(int[] nums, int target) { - List> ret=new ArrayList<>(); - if(nums.length<4){ - return ret; - } - - Map map=new HashMap<>(); - //HashMap,键存储的是该元素的值,值存储的是该元素出现的次数 - for(int num:nums){ - int freq=map.get(num)==null?0:map.get(num); - map.put(num,++freq); - } - - Set keySet=map.keySet(); - for(Integer num:keySet){ - //numCount就是num元素出现的次数 - int numCount=map.get(num); - if(numCount>=4){ - //如果该元素出现的次数>=4,如果存在 4*num==target的情况,(num,num,num,num)就是其中的一个解 - if(4*num==target){ - ret.add(Arrays.asList(num,num,num,num)); - } - } - if(numCount>=3){ - //如果该元素出现的次数>=3, - int num2=target-3*num; - if(num!=num2 && map.containsKey(num2)){ - //num!=num2,防止出现(num,num,num,num)的情况 - ret.add(Arrays.asList(num,num,num,num2)); - } - } - if(numCount>=2){ - for (int num2:map.keySet()){ - if(num!=num2){ - int num3 = target - 2 * num - num2; - //这里要保证 num!=num2 并且 num!=num3 并且num!=num2 - if (num2 < num3 && map.containsKey(num2) && map.containsKey(num3)) { - ret.add(Arrays.asList(num, num, num2, num3)); - } - if(num2==num3 && num=2){ - ret.add(Arrays.asList(num, num, num2, num3)); - } - } - } - } - for(int num2:map.keySet()){ - if(num!=num2){ - for(int num3:map.keySet()){ - if(num2!=num3){ - int num4=target-num-num2-num3; - //这里要保证 num=num2 || num2>=num3 || num3>=num4 || !map.containsKey(num4)){ - continue; - } - ret.add(Arrays.asList(num,num2,num3,num4)); - } - } - } - } - } - return ret; - } - - //思路二:对撞指针思路 - public List> fourSum(int[] nums, int target) { - List> ret=new ArrayList<>(); - if(nums.length<=3){ - return ret; - } - Arrays.sort(nums); - - //从第一个元素开始遍历,一直到倒数第四个元素 - for(int i=0;i0 && nums[i-1]==nums[i]){ - continue; - } - if(nums[i]*4>target) { - // Too Big!!太大了,后续只能更大(因为数组是按照升序排列的),可以直接结束循环 - break; - } - if(nums[i]+3*nums[nums.length-1]i+1&&nums[j]==nums[j-1]){ - continue; - } - if(nums[j]*3>target-nums[i]){ - //Too Big! 注意此时不能结束i的循环,因为j是移动的 当j移动到后面的时候继续i循环也sum可能变小 - break; - } - if(nums[j]+2*nums[nums.length-1]> list=fourSum(arr,target); - System.out.println(list); - } -} diff --git a/LeetCodeSolutions/src/code_02_find/Code_202_HappyNumber.java b/LeetCodeSolutions/src/code_02_find/Code_202_HappyNumber.java deleted file mode 100644 index e40cab1..0000000 --- a/LeetCodeSolutions/src/code_02_find/Code_202_HappyNumber.java +++ /dev/null @@ -1,50 +0,0 @@ -package code_02_find; - -import java.util.HashSet; -import java.util.Set; - -/** - * - * 202. Happy Number - * Write an algorithm to determine if a number is "happy". - * - * A happy number is a number defined by the following process: - * Starting with any positive integer, replace the number by the sum of the squares of its digits, - * and repeat the process until the number equals 1 (where it will stay), or it loops endlessly in a cycle which does not include 1. - * Those numbers for which this process ends in 1 are happy numbers. - * - * Example: - * - * Input: 19 - * Output: true - * Explanation: - * 1^2 + 9^2 = 82 - * 8^2 + 2^2 = 68 - * 6^2 + 8^2 = 100 - * 1^2 + 0^2 + 0^2 = 1 - */ -public class Code_202_HappyNumber { - public int getNumber(int n){ - int sum=0; - while(n>0){ - sum+=(n%10)*(n%10); - n/=10; - } - return sum; - } - - public boolean isHappy(int n) { - Set set=new HashSet<>(); - //set存储运算过程中的数字(不重复) - while(n!=1){ - if(set.contains(n)){ - //说明运算过程中出现重复元素,则肯定不是幸运数字 - return false; - }else{ - set.add(n); - n=getNumber(n); - } - } - return true; - } -} diff --git a/LeetCodeSolutions/src/code_02_find/Code_205_IsomorphicStrings.java b/LeetCodeSolutions/src/code_02_find/Code_205_IsomorphicStrings.java deleted file mode 100644 index 4ebb079..0000000 --- a/LeetCodeSolutions/src/code_02_find/Code_205_IsomorphicStrings.java +++ /dev/null @@ -1,46 +0,0 @@ -package code_02_find; - -import java.util.HashMap; -import java.util.Map; - -/** - * 205. Isomorphic Strings - * - * Given two strings s and t, determine if they are isomorphic. - * Two strings are isomorphic if the characters in s can be replaced to get t. - * All occurrences of a character must be replaced with another character while preserving the order of characters. No two characters may map to the same character but a character may map to itself. - * - * Example 1: - * Input: s = "egg", t = "add" - * Output: true - * - * Example 2: - * Input: s = "foo", t = "bar" - * Output: false - - * Example 3: - * Input: s = "paper", t = "title" - * Output: true - - * Note: - * You may assume both s and t have the same length. - */ -public class Code_205_IsomorphicStrings { - public boolean isIsomorphic(String s, String t) { - Map map=new HashMap(); - for(int i=0;i set=new HashSet<>(); - for(int i=0;i set=new HashSet<>(); - //set存储的是滑动窗口中的元素 - for(int i=0;i set=new TreeSet<>(); - //采用Long类型是为了防止整型溢出 - for(int i=0;i s = set.subSet((long) nums[i] - t, (long) nums[i] + t + 1); - //左闭右开,所以 nums[i]+t要+1 - //s存储[nums[i]-t,nums[i]+t]之间的元素 - if(!s.isEmpty()){ - return true; - } - set.add((long)nums[i]); - if(set.size()==k+1){ - set.remove((long)nums[i-k]); - } - } - return false; - } - - @Test - public void test(){ - int[] nums = {1,5,9,1,5,9}; - int k = 2; - int t = 3; - System.out.println(containsNearbyAlmostDuplicate(nums,k,t)); - } -} diff --git a/LeetCodeSolutions/src/code_02_find/Code_242_ValidAnagram.java b/LeetCodeSolutions/src/code_02_find/Code_242_ValidAnagram.java deleted file mode 100644 index 25a7a97..0000000 --- a/LeetCodeSolutions/src/code_02_find/Code_242_ValidAnagram.java +++ /dev/null @@ -1,70 +0,0 @@ -package code_02_find; - -import java.util.HashMap; -import java.util.Map; - -/** - * 242. Valid Anagram - * - * Given two strings s and t , write a function to determine if t is an anagram of s. - * - * Example 1: - * Input: s = "anagram", t = "nagaram" - * Output: true - * - * Example 2: - * Input: s = "rat", t = "car" - * Output: false - - * Note: - * You may assume the string contains only lowercase alphabets. - */ -public class Code_242_ValidAnagram { - public boolean isAnagram1(String s, String t) { - if(s.length()!=t.length()){ - return false; - } - int[] freq=new int[26]; - for(int i=0;i map=new HashMap<>(); - for(int i=0;i map=new HashMap<>(); - //题目要求str是非空的 - String[] strs=null; - if(str!=null){ - strs = str.split(" "); - } - if(pattern.length() != strs.length){ - return false; - } - - for(int i=0;i set=new HashSet<>(); - for(int i=0;i< nums1.length;i++){ - set.add(nums1[i]); - } - Set retSet=new HashSet<>(); - for(int i=0;i map=new HashMap<>(); - //map记录元素出现的次数 - for(int i=0;i list=new ArrayList<>(); - for (int j = 0; j < nums2.length; j++) { - int c=map.get(nums2[j])==null?0:map.get(nums2[j]); - //c=0,说明nums2[j]不是公共元素 - if(c>0){ - list.add(nums2[j]); - map.put(nums2[j],map.get(nums2[j])-1); - //map对应的键值频率要减1,相当于从nums1[]数组中取出一个值为nums2[j]的元素 - } - } - - int[] result = new int[list.size()]; - for (int k = 0; k < list.size(); k++) { - result[k] = list.get(k); - } - return result; - } - - @Test - public void test(){ - int[] nums={1,2,2,3,3}; - intersect(nums,nums); - } -} diff --git a/LeetCodeSolutions/src/code_02_find/Code_447_NumberOfBoomerangs.java b/LeetCodeSolutions/src/code_02_find/Code_447_NumberOfBoomerangs.java deleted file mode 100644 index 219befe..0000000 --- a/LeetCodeSolutions/src/code_02_find/Code_447_NumberOfBoomerangs.java +++ /dev/null @@ -1,52 +0,0 @@ -package code_02_find; - -import java.util.HashMap; -import java.util.Map; -import java.util.Set; - -/** - * Given n points in the plane that are all pairwise distinct, a "boomerang" is a tuple of points (i, j, k) such that the distance between i and j equals the distance between i and k (the order of the tuple matters). - * Find the number of boomerangs. You may assume that n will be at most 500 and coordinates of points are all in the range [-10000, 10000] (inclusive). - - * Example: - *Input: - *[[0,0],[1,0],[2,0]] - * Output: - * 2 - - * Explanation: - * The two boomerangs are [[1,0],[0,0],[2,0]] and [[1,0],[2,0],[0,0]] - */ -public class Code_447_NumberOfBoomerangs { - public int numberOfBoomerangs(int[][] points) { - //points 表示 [[0,0],[1,0],[2,0]],实际上就是 points[points.length][2] - int res=0; - //存储返回的结果 - for(int i=0;i map=new HashMap(); - //距离到i距离相同的点出现的次数 - for(int j=0;j=2(假设为n),则有n*(n-1)种可能 - Set set=map.keySet(); - for(Integer key:set){ - int value=map.get(key); - if(value>=2){ - res+=value*(value-1); - } - } - } - return res; - } - - //计算点i到点j的距离 - public int distance(int[][] points,int i,int j){ - return (points[i][0]-points[j][0])*(points[i][0]-points[j][0])+ - (points[i][1]-points[j][1])*(points[i][1]-points[j][1]); - } -} diff --git a/LeetCodeSolutions/src/code_02_find/Code_451_SortCharactersByFrequency.java b/LeetCodeSolutions/src/code_02_find/Code_451_SortCharactersByFrequency.java deleted file mode 100644 index 240106c..0000000 --- a/LeetCodeSolutions/src/code_02_find/Code_451_SortCharactersByFrequency.java +++ /dev/null @@ -1,78 +0,0 @@ -package code_02_find; - -import org.junit.Test; - -import java.util.*; - -/** - * 451. Sort Characters By Frequency - * - * Given a string, sort it in decreasing order based on the frequency of characters. - * - * Example 1: - * Input: - * "tree" - * Output: - * "eert" - * Explanation: - * 'e' appears twice while 'r' and 't' both appear once. - * So 'e' must appear before both 'r' and 't'. Therefore "eetr" is also a valid answer. - - * Example 2: - * Input: - * "cccaaa" - * Output: - * "cccaaa" - * Explanation: - * Both 'c' and 'a' appear three times, so "aaaccc" is also a valid answer. - * Note that "cacaca" is incorrect, as the same characters must be together. - - * Example 3: - * Input: - * "Aabb" - - * Output: - * "bbAa" - - * Explanation: - * "bbaA" is also a valid answer, but "Aabb" is incorrect. - * Note that 'A' and 'a' are treated as two different characters. - */ -public class Code_451_SortCharactersByFrequency { - //字母区分大小写吗?区分 - //相同字母的顺序与小大写有关吗?无关 - public String frequencySort(String s) { - //map存储字符及其出现的频率 - Map map=new HashMap<>(); - - for(int i=0;i> priorityQueue= - new PriorityQueue<>(new Comparator>() { - @Override - public int compare(Map.Entry o1, Map.Entry o2) { - return o2.getValue()-o1.getValue(); - } - }); - priorityQueue.addAll(map.entrySet()); - - StringBuilder builder=new StringBuilder(); - while(!priorityQueue.isEmpty()){ - Map.Entry e=priorityQueue.poll(); - for(int i=0;i A[0] + B[0] + C[0] + D[1] = 1 + (-2) + (-1) + 2 = 0 - *2. (1, 1, 0, 0) -> A[1] + B[1] + C[0] + D[0] = 2 + (-1) + (-1) + 0 = 0 - */ -public class Code_454_4SumII { - //准备将C+D数组的每一种可能放入查找表中 - public int fourSumCount(int[] A, int[] B, int[] C, int[] D) { - Map map=new HashMap<>(); - for(int i=0;i> map=new HashMap<>(); - //map存储的是<字符串的字母按照字母排序后得到的字符串,与之相应的anagram> - for(int i=0;i()); - } - map.get(sortStr).add(strs[i]); - } - return new ArrayList<>(map.values()); - } -} diff --git a/LeetCodeSolutions/src/code_02_find/Code_697_DegreeOfAnArray.java b/LeetCodeSolutions/src/code_02_find/Code_697_DegreeOfAnArray.java deleted file mode 100644 index ff3b007..0000000 --- a/LeetCodeSolutions/src/code_02_find/Code_697_DegreeOfAnArray.java +++ /dev/null @@ -1,93 +0,0 @@ -package code_02_find; - -import org.junit.Test; - -import java.util.HashMap; -import java.util.Map; - -/** - * 697. Degree of an Array - * - * Given a non-empty array of non-negative integers nums, - * TODO:the degree of this array is defined as the maximum frequency of any one of its elements. - * Your task is to find the smallest possible length of a (contiguous) subarray of nums, - * that has the same degree as nums. - * - * Example 1: - Input: [1, 2, 2, 3, 1] - Output: 2 - Explanation: - The input array has a degree of 2 because both elements 1 and 2 appear twice. - Of the subarrays that have the same degree: - [1, 2, 2, 3, 1], [1, 2, 2, 3], [2, 2, 3, 1], [1, 2, 2], [2, 2, 3], [2, 2] - The shortest length is 2. So return 2. - -* Example 2: - Input: [1,2,2,3,1,4,2] - Output: 6 - -* Note: - nums.length will be between 1 and 50,000. - nums[i] will be an integer between 0 and 49,999. - */ -public class Code_697_DegreeOfAnArray { - //pos记录元素的起始位置和终止位置(中间可能包含其他元素) - //比如 [2,2,1,2]中2元素的起始位置是0,终止位置是3(这中间包括了1元素) - private class Pos{ - int start; - int end; - public Pos(int start,int end){ - this.start=start; - this.end=end; - } - - @Override - public String toString() { - StringBuilder builder=new StringBuilder(); - builder.append("[").append(start+","+end).append("]"); - return builder.toString(); - } - } - - public int findShortestSubArray(int[] nums) { - if(nums.length<=1){ - return nums.length; - } - //记录元素及其出现的频率 - Map freq=new HashMap<>(); - //记录该元素的起始位置和终止位置 - Map pos=new HashMap<>(); - for(int i=0;i data; - - //检查这两个事件是否会重叠 - private boolean overlapped(Event e1,Event e2){ - return e1.starte2.start; - } - - public MyCalendar1() { - data=new ArrayList<>(); - } - - public boolean book(int start, int end) { - Event newEvent=new Event(start,end); - for(Event e:data){ - if(overlapped(e,newEvent)){ - return false; - } - } - data.add(newEvent); - return true; - } - - private class Event{ - int start; - int end; - public Event(int start,int end){ - this.start=start; - this.end=end; - } - } - } - - class MyCalendar { - private Map data; - - public MyCalendar() { - data = new TreeMap<>(); - } - - public boolean book(int start, int end) { - data.put(start,data.getOrDefault(start,0)+1); - data.put(end,data.getOrDefault(end,0)-1); - int c=0; - for(Integer k: data.keySet()){ - c+=data.get(k); - if(c>1){ - data.put(start,data.getOrDefault(start,0)-1); - data.put(end,data.getOrDefault(end,0)+1); - return false; - } - } - return true; - } - } - - @Test - public void test(){ - MyCalendar obj = new MyCalendar(); - boolean param_1 = obj.book(10,20); - System.out.println(param_1); - boolean param_2 = obj.book(15,25); - System.out.println(param_2); - boolean param_3 = obj.book(20,30); - System.out.println(param_3); - } -} diff --git a/LeetCodeSolutions/src/code_02_find/Code_731_MyCalendarII.java b/LeetCodeSolutions/src/code_02_find/Code_731_MyCalendarII.java deleted file mode 100644 index d33b08f..0000000 --- a/LeetCodeSolutions/src/code_02_find/Code_731_MyCalendarII.java +++ /dev/null @@ -1,54 +0,0 @@ -package code_02_find; - -import java.util.HashSet; -import java.util.Set; - -/** - * 731. My Calendar II - * - * - */ -public class Code_731_MyCalendarII { - class MyCalendarTwo { - //直接记录区间 - Set calendar; - - //记录交叉的区间 - Set overlap; - - //检查这两个事件是否会重叠 - private boolean overlapped(Event e1, Event e2){ - return e1.starte2.start; - } - - public MyCalendarTwo() { - calendar=new HashSet<>(); - overlap=new HashSet<>(); - } - - public boolean book(int start, int end) { - Event newEvent=new Event(start,end); - for(Event schedule:overlap){ - if(overlapped(schedule,newEvent)){ - return false; - } - } - for(Event schedule:calendar){ - if(overlapped(schedule,newEvent)){ - overlap.add(new Event(Math.max(schedule.start,newEvent.start),Math.min(schedule.end,newEvent.end))); - } - } - calendar.add(newEvent); - return true; - } - - private class Event{ - int start; - int end; - public Event(int start,int end){ - this.start=start; - this.end=end; - } - } - } -} diff --git a/LeetCodeSolutions/src/code_02_find/Code_804_UniqueMorseCodeWords.java b/LeetCodeSolutions/src/code_02_find/Code_804_UniqueMorseCodeWords.java deleted file mode 100644 index 15cdf3a..0000000 --- a/LeetCodeSolutions/src/code_02_find/Code_804_UniqueMorseCodeWords.java +++ /dev/null @@ -1,63 +0,0 @@ -package code_02_find; - -import org.junit.Test; - -import java.util.HashSet; -import java.util.Set; - -/** - * 804. Unique Morse Code Words - * - * International Morse Code defines a standard encoding where each letter - * is mapped to a series of dots and dashes, as follows: - * "a" maps to ".-", - * "b" maps to "-...", - * "c" maps to "-.-.", and so on. - * - * For convenience, the full table for the 26 letters of the English alphabet is given below: - * - * [".-","-...","-.-.","-..",".","..-.","--.","....","..",".---","-.-",".-..","--","-.","---",".--.","--.-",".-.","...","-","..-","...-",".--","-..-","-.--","--.."] - * - * Example: - Input: words = ["gin", "zen", "gig", "msg"] - Output: 2 - Explanation: - The transformation of each word is: - "gin" -> "--...-." - "zen" -> "--...-." - "gig" -> "--...--." - "msg" -> "--...--." - There are 2 different transformations, "--...-." and "--...--.". - - * Note: - The length of words will be at most 100. - Each words[i] will have length in range [1, 12]. - words[i] will only consist of lowercase letters. - */ -public class Code_804_UniqueMorseCodeWords { - private String[] morseCode={ - ".-","-...","-.-.","-..",".","..-.","--.","....","..",".---","-.-",".-..","--","-.","---",".--.","--.-",".-.","...","-","..-","...-",".--","-..-","-.--","--.." - }; - - public int uniqueMorseRepresentations(String[] words) { - if(words==null || words.length==0){ - return 0; - } - - Set set=new HashSet<>(); - for(String word:words){ - StringBuilder builder=new StringBuilder(); - for(int i=0;i subdomainVisits(String[] cpdomains) { - List res=new ArrayList<>(); - if(cpdomains==null || cpdomains.length==0){ - return res; - } - - //存储域名和数字 - Map map=new HashMap<>(); - for(String cpdomain:cpdomains){ - String[] arr=cpdomain.split(" "); - if(arr!=null){ - Integer num=Integer.parseInt(arr[0]); - String domain=arr[1]; - map.put(domain,num+ map.getOrDefault(domain,0)); - while(true){ - int index=domain.indexOf("."); - if(index<0){ - break; - } - domain=domain.substring(index+1); - map.put(domain,num+map.getOrDefault(domain,0)); - } - } - } - for(String domain: map.keySet()){ - Integer num=map.get(domain); - res.add(num+" "+domain); - } - return res; - } - - @Test - public void test(){ - //String[] s={"900 google.mail.com", "50 yahoo.com", "1 intel.mail.com", "5 wiki.org"}; - String[] s={"9001 discuss.leetcode.com"}; - System.out.println(subdomainVisits(s)); - } -} diff --git a/LeetCodeSolutions/src/code_02_find/Code_819_MostCommonWord.java b/LeetCodeSolutions/src/code_02_find/Code_819_MostCommonWord.java deleted file mode 100644 index 1d0a33f..0000000 --- a/LeetCodeSolutions/src/code_02_find/Code_819_MostCommonWord.java +++ /dev/null @@ -1,97 +0,0 @@ -package code_02_find; - -import org.junit.Test; - -import java.util.HashMap; -import java.util.HashSet; -import java.util.Map; -import java.util.Set; - -/** - * 819. Most Common Word - * - * Given a paragraph and a list of banned words, - * return the most frequent word that is not in the list of banned words. - * It is guaranteed there is at least one word that isn't banned, and that the answer is unique. - * Words in the list of banned words are given in lowercase, and free of punctuation. - * Words in the paragraph are not case sensitive. The answer is in lowercase. - * - * Example: - Input: - paragraph = "Bob hit a ball, the hit BALL flew far after it was hit." - banned = ["hit"] - Output: "ball" - Explanation: - "hit" occurs 3 times, but it is a banned word. - "ball" occurs twice (and no other word does), so it is the most frequent non-banned word in the paragraph. - Note that words in the paragraph are not case sensitive, - that punctuation is ignored (even if adjacent to words, such as "ball,"), - and that "hit" isn't the answer even though it occurs more because it is banned. - - * Note: - 1 <= paragraph.length <= 1000. - 1 <= banned.length <= 100. - 1 <= banned[i].length <= 10. - The answer is unique, and written in lowercase (even if its occurrences in paragraph may have uppercase symbols, and even if it is a proper noun.) - paragraph only consists of letters, spaces, or the punctuation symbols !?',;. - There are no hyphens(连字符) or hyphenated words(连词). - Words only consist of letters, never apostrophes or other punctuation symbols. - */ -public class Code_819_MostCommonWord { - public String mostCommonWord(String paragraph, String[] banned) { - //存储--禁止单词,方便检查paragraph中是否有“禁止单词” - Set bannedSet=new HashSet<>(); - for(String word:banned){ - bannedSet.add(word); - } - - //存储单词和单词出现的频率 - Map map=new HashMap<>(); - int start=getFirstLetter(paragraph,0); - for(int i=start+1;i<=paragraph.length();){ - if(i==paragraph.length() || !Character.isLetter(paragraph.charAt(i))){ - //!Character.isLetter(paragraph.charAt(i) i位置不是字符就要截取 - String word=paragraph.substring(start,i); - //将该单词中字母都转化为小写 - word=word.toLowerCase(); - if(!bannedSet.contains(word)){ //word不能是“禁止单词” - int freq=map.getOrDefault(word,0); - map.put(word,++freq); - } - start=getFirstLetter(paragraph,i+1); - i=start+1; - }else{ - i++; - } - } - String res=""; - int maxFreq=0; - for(String word:map.keySet()){ - if(map.get(word)>maxFreq){ - res=word; - maxFreq=map.get(word); - } - } - return res; - } - - //获取字符串s的首字母的下标 - private int getFirstLetter(String s,int start){ - for(int i=start;i null - seat() -> 0, no one is in the room, then the student sits at seat number 0. - seat() -> 9, the student sits at the last seat number 9. - seat() -> 4, the student sits at the last seat number 4. - seat() -> 2, the student sits at the last seat number 2. - leave(4) -> null - seat() -> 5, the student sits at the last seat number 5. - - * Note: - 1 <= N <= 10^9 - ExamRoom.seat() and ExamRoom.leave() will be called at most 10^4 times across all test cases. - Calls to ExamRoom.leave(p) are guaranteed to have a student currently sitting in seat number p. - */ -public class Code_855_ExamRoom { - /** - * 思路: - * 题目要求明确,新建一个容量为N的考试房间,每次向里放人或者向外赶人, - * 放人要求必须放在离其他人最远的位置,这个数据结构的放置范围在1∼10~9, - * 不能使用数组,可以使用List代替数组,存储学生座位位置 - * 每次先检查0和最后一个位置是否坐了人,毕竟这两个位置只需要考虑一边, - * 而其它位置的的选取则必然是在两个座位中间选取。 - * maxDis变量记录最长的距离, - * idx记录上一个同学的位置,遍历即可 - * 删除根据下标进行删除。 - */ - class ExamRoom { - //存储学生座位位置 - private List seats; - //座位总数 - private int n; - - public ExamRoom(int N) { - seats=new ArrayList<>(); - n=N; - } - - public int seat() { - //一开始没有人,第一个人直接坐到0位置 - if(seats.isEmpty()){ - seats.add(0); - return 0; - } - //res就是要坐的位置 - int res = 0; - //idx记录上一个同学的位置 - int idx = 0; - int maxDis = 0; - //0位置有人 - if(seats.contains(0)){ - maxDis=seats.get(0)-0; - res=0; - } - for(int i=0;imaxDis){ - maxDis=dis; - res=(seats.get(i)+idx)/2; - } - idx=seats.get(i); - } - //最后一个位置是否还有人 - if(seats.contains(n-1)){ - int dis = n - 1 - seats.get(seats.size()-1); - if (dis > maxDis) { - maxDis=dis; - res = n - 1; - } - } - return res; - } - - public void leave(int p) { - for(int i=0;i列举N重排序后的所有可能结果 - */ - public boolean reorderedPowerOf21(int N) { - char[] digits=(N+"").toCharArray(); - return generatePermutation(digits,0); - } - - private boolean generatePermutation(char[] digits, int index){ - if(index==digits.length){ - return isPowerOf2(new String(digits)); - } - for(int i=index;i0 || (digits[i]-'0')>0){ - swap(digits,index,i); - if(generatePermutation(digits,index+1)){ - return true; - } - swap(digits,index,i); - } - } - return false; - } - - //判定一个数字是否是2的幂 - private boolean isPowerOf2(String digits) { - int N=Integer.parseInt(digits); - if((N & (N-1))==0){ - return true; - } - return false; - } - - private void swap(char[] digits,int i,int j){ - char tmp=digits[i]; - digits[i]=digits[j]; - digits[j]=tmp; - } - - /** - * 思路二: - * 先把int范围下的2的N幂算出来,然后一个一个验证给出的数能不能拼成。 - */ - public boolean reorderedPowerOf2(int N) { - int[] cnt=count(N); - for(int i=0;i<31;i++){ - if(Arrays.equals(cnt,count(1<0){ - int index=num%10; - res[index]++; - num/=10; - } - return res; - } - - @Test - public void test(){ - int[] digits={1,2,3,0,9}; - int N=0; - int p=1; - for(int i=digits.length-1;i>=0;i--){ - N+=digits[i]*p; - p*=10; - } - System.out.println(N); - } -} diff --git a/LeetCodeSolutions/src/code_02_find/Code_874_WalkingRobotSimulation.java b/LeetCodeSolutions/src/code_02_find/Code_874_WalkingRobotSimulation.java deleted file mode 100644 index 403a1c7..0000000 --- a/LeetCodeSolutions/src/code_02_find/Code_874_WalkingRobotSimulation.java +++ /dev/null @@ -1,73 +0,0 @@ -package code_02_find; - -import java.util.HashSet; -import java.util.Set; - -/** - * 874. Walking Robot Simulation - * - * A robot on an infinite grid starts at point (0, 0) and faces north. - * The robot can receive one of three possible types of commands: - * -2: turn left 90 degrees - * -1: turn right 90 degrees - * 1 <= x <= 9: move forward x units - * Some of the grid squares are obstacles. - * - * The i-th obstacle is at grid point (obstacles[i][0], obstacles[i][1]) - * If the robot would try to move onto them, the robot stays on the previous grid square instead - * (but still continues following the rest of the route.) - * Return the square of the maximum Euclidean distance(欧式距离) that the robot will be from the origin. - * - * Example 1: - Input: commands = [4,-1,3], obstacles = [] - Output: 25 - Explanation: robot will go to (3, 4) - - * Example 2: - Input: commands = [4,-1,4,-2,4], obstacles = [[2,4]] - Output: 65 - Explanation: robot will be stuck at (1, 4) before turning left and going to (1, 8) - */ -public class Code_874_WalkingRobotSimulation { - private int[][] d={{0,1},{1,0},{0,-1},{-1,0}}; - //表示机器人向上、右、下、左四个方向移动一个单元格 - - public int robotSim(int[] commands, int[][] obstacles) { - //set存储的是障碍物的下标 - Set set=new HashSet<>(); - for(int i=0;i map=new HashMap<>(); - if(A.length()!=0){ - String[] arr=A.split(" "); - for(String s:arr){ - map.put(s,map.getOrDefault(s,0)+1); - } - } - if(B.length()!=0){ - String[] arr=B.split(" "); - for(String s:arr){ - map.put(s,map.getOrDefault(s,0)+1); - } - } - for(String s:map.keySet()){ - Integer num=map.get(s); - if(num==1){ - res.append(s).append(" "); - } - } - //res为空,说明没有解,则直接返回空字符串数组 - if(res.length()==0){ - return new String[]{}; - } - return res.toString().split(" "); - } - - @Test - public void test(){ - String A="this apple is sweet"; - String B="this apple is sour"; - String[] arr=uncommonFromSentences(A,B); - for(String s:arr){ - System.out.println(s); - } - } -} diff --git a/LeetCodeSolutions/src/code_02_find/Code_888_FairCandySwap.java b/LeetCodeSolutions/src/code_02_find/Code_888_FairCandySwap.java deleted file mode 100644 index 6ff68ae..0000000 --- a/LeetCodeSolutions/src/code_02_find/Code_888_FairCandySwap.java +++ /dev/null @@ -1,126 +0,0 @@ -package code_02_find; - -import org.junit.Test; - -import java.util.HashSet; -import java.util.Set; - -/** - * 888. Fair Candy Swap - * - * Alice and Bob have candy bars of different sizes: - * A[i] is the size of the i-th bar of candy that Alice has, - * and B[j] is the size of the j-th bar of candy that Bob has. - * Since they are friends, they would like to exchange one candy bar each so that after the exchange, - * they both have the same total amount of candy. - * (The total amount of candy a person has is the sum of the sizes of candy bars they have.) - * - * Return an integer array ans where ans[0] is the size of the candy bar that Alice must exchange, - * and ans[1] is the size of the candy bar that Bob must exchange. - * - * If there are multiple answers, you may return any one of them. It is guaranteed an answer exists. - * - * Example 1: - Input: A = [1,1], B = [2,2] - Output: [1,2] - - * Example 2: - Input: A = [1,2], B = [2,3] - Output: [1,2] - - * Example 3: - Input: A = [2], B = [1,3] - Output: [2,3] - - * Example 4: - Input: A = [1,2,5], B = [2,4] - Output: [5,4] - - * Note: - 1 <= A.length <= 10000 - 1 <= B.length <= 10000 - 1 <= A[i] <= 100000 - 1 <= B[i] <= 100000 - It is guaranteed that Alice and Bob have different total amounts of candy. - It is guaranteed there exists an answer. - */ -public class Code_888_FairCandySwap { - /** - * 思路一:暴力法 - * 但是会超出时间限制 - */ - public int[] fairCandySwap1(int[] A, int[] B) { - int[] res=new int[2]; - int sum=0; - for(int i=0;i setA=new HashSet<>(); - Set setB=new HashSet<>(); - int sumA=0; - int sumB=0; - for(int i=0;i m, b -> e, ...}. - "ccc" does not match the pattern because {a -> c, b -> c, ...} is not a permutation, - since a and b map to the same letter. - */ -public class Code_890_FindAndReplacePattern { - public List findAndReplacePattern(String[] words, String pattern) { - List res=new ArrayList<>(); - for(String word:words){ - if(ok(word,pattern)){ - res.add(word); - } - } - return res; - } - - /* private boolean ok(String word,String pattern){ - if(word.length()!=pattern.length()){ - return false; - } - //用于存储映射关系的Map - Map map = new HashMap<>(); - for(int i=0;i wordMap = new HashMap(); - //记录pattern中字符和word中字符的映射关系 - Map patternMap = new HashMap(); - //如果匹配,则 wordMap、patternMap中映射关系都要全部满足 - - for(int i = 0; i < word.length(); i ++) { - char c = word.charAt(i); - char p = pattern.charAt(i); - - if(wordMap.containsKey(c)) { - if(p != wordMap.get(c)) { - return false; - } - } else { - wordMap.put(c, p); - } - if(patternMap.containsKey(p)) { - if(c != patternMap.get(p)) { - return false; - } - } else { - patternMap.put(p, c); - } - } - return true; - } - - @Test - public void test(){ - String[] words={"abc","deq","mee","aqq","dkd","ccc"}; - String pattern="abb"; - System.out.println(findAndReplacePattern(words,pattern)); - } -} diff --git a/LeetCodeSolutions/src/code_02_find/Code_893_GroupsOfSpecial_EquivalentStrings.java b/LeetCodeSolutions/src/code_02_find/Code_893_GroupsOfSpecial_EquivalentStrings.java deleted file mode 100644 index b2c34a4..0000000 --- a/LeetCodeSolutions/src/code_02_find/Code_893_GroupsOfSpecial_EquivalentStrings.java +++ /dev/null @@ -1,82 +0,0 @@ -package code_02_find; - -import org.junit.Test; - -import java.util.HashSet; -import java.util.Set; - -/** - * 893. Groups of Special-Equivalent Strings - * - * You are given an array A of strings. - * Two strings S and T are special-equivalent if after any number of moves, S == T. - * A move consists of choosing two indices i and j with i % 2 == j % 2, and swapping S[i] with S[j]. - * Now, a group of special-equivalent strings from A is a non-empty subset S of A - * such that any string not in S is not special-equivalent with any string in S. - * Return the number of groups of special-equivalent strings from A. - * - * Example 1: - Input: ["a","b","c","a","c","c"] - Output: 3 - Explanation: 3 groups ["a","a"], ["b"], ["c","c","c"] - - * Example 2: - Input: ["aa","bb","ab","ba"] - Output: 4 - Explanation: 4 groups ["aa"], ["bb"], ["ab"], ["ba"] - - * Example 3: - Input: ["abc","acb","bac","bca","cab","cba"] - Output: 3 - Explanation: 3 groups ["abc","cba"], ["acb","bca"], ["bac","cab"] - - * Example 4: - Input: ["abcd","cdab","adcb","cbad"] - Output: 1 - Explanation: 1 group ["abcd","cdab","adcb","cbad"] - */ -public class Code_893_GroupsOfSpecial_EquivalentStrings { - public int numSpecialEquivGroups(String[] A) { - Set set=new HashSet<>(); - for(String s:A){ - set.add(getHashCode(s)); - } - return set.size(); - } - - private String getHashCode(String s){ - //0-25统计s的偶数下标的字符频率 - //26-52统计s的奇数下标的字符频率 - int[] freq=new int[52]; - for(int i=0;i2->3->4, reorder it to 1->4->2->3. - * - * Example 2: - * Given 1->2->3->4->5, reorder it to 1->5->2->4->3. - */ -public class Code_143_ReorderList { - public void reorderList(ListNode head) { - if(head==null || head.next==null){ - return; - } - - //先将该链表拆成两个部分: - // L0→L1→...→L(n/2) ==> head1 - // L(n/2+1)→L1→...→L(n) ==> head2 - ListNode slow=head; - ListNode fast=head; - while(slow!=null && fast.next!=null && fast.next.next!=null){ - slow=slow.next; - fast=fast.next.next; - } - - ListNode head2=slow.next; - slow.next=null; - ListNode head1=head; - - //先反转head2链表 - head2=reverseList(head2); - - //合并这两张表 - ListNode p=head1; - ListNode q=head2; - while(p!=null && q!=null){ - ListNode next1=p.next; - ListNode next2=q.next; - q.next=next1; - p.next=q; - p=next1; - q=next2; - } - head=head1; - } - - //反转链表 - public ListNode reverseList(ListNode head) { - ListNode pre=null; - ListNode cur=head; - - while(cur!=null){ - ListNode next=cur.next; - cur.next=pre; - pre=cur; - cur=next; - } - return pre; - } - - @Test - public void test(){ - int[] arr={1,2,3,4}; - ListNode head=LinkedListUtils.createLinkedList(arr); - LinkedListUtils.printList(head); - //head=reverseList(head); - //LinkedListUtils.printList(head); - - reorderList(head); - LinkedListUtils.printList(head); - } -} diff --git a/LeetCodeSolutions/src/code_03_list/Code_147_InsertionSortList.java b/LeetCodeSolutions/src/code_03_list/Code_147_InsertionSortList.java deleted file mode 100644 index 1f28f28..0000000 --- a/LeetCodeSolutions/src/code_03_list/Code_147_InsertionSortList.java +++ /dev/null @@ -1,84 +0,0 @@ -package code_03_list; - -import org.junit.Test; - -/** - * 147. Insertion Sort List - * - * Sort a linked list using insertion sort. - * - * Algorithm of Insertion Sort: - * - * Insertion sort iterates, consuming one input element each repetition, and growing a sorted output list. - * At each iteration, insertion sort removes one element from the input data, finds the location it belongs within the sorted list, and inserts it there. - * It repeats until no input elements remain. - * - * Example 1: - * Input: 4->2->1->3 - * Output: 1->2->3->4 - * - * Example 2: - * Input: -1->5->3->4->0 - * Output: -1->0->3->4->5 - */ -public class Code_147_InsertionSortList { - //时间复杂度O(n^2) - //空间复杂度O(1) - public ListNode insertionSortList(ListNode head) { - if(head==null || head.next==null){ - return head; - } - - ListNode dummyHead=new ListNode(-1); - - ListNode pre=dummyHead; - //pre始终指向要插入节点的前一个节点 - - ListNode cur=head; - - while(cur!=null){ - pre=dummyHead; - //每次循环,都要将pre初始化,方便定位要插入的节点的前一个位置 - while(pre.next!=null && pre.next.valpre.next之间插入 - cur.next=pre.next; - pre.next=cur; - cur=tmp; - } - - ListNode retNode=dummyHead.next; - dummyHead=null; - - return retNode; - } - - public void insertSort(int[] arr){ - int n=arr.length; - for(int i=1;i0;j--){ - if(arr[j-1]>arr[j]){ - swap(arr,j-1,j); - } - } - } - } - - public void swap(int[] arr,int i,int j){ - int tmp=arr[i]; - arr[i]=arr[j]; - arr[j]=tmp; - } - - @Test - public void test(){ - int[] arr={3,2,1,4,5,-1,0}; - insertSort(arr); - for(int i:arr){ - System.out.println(i); - } - } -} diff --git a/LeetCodeSolutions/src/code_03_list/Code_148_SortList.java b/LeetCodeSolutions/src/code_03_list/Code_148_SortList.java deleted file mode 100644 index f67cca3..0000000 --- a/LeetCodeSolutions/src/code_03_list/Code_148_SortList.java +++ /dev/null @@ -1,108 +0,0 @@ -package code_03_list; - -/** - * 148. Sort List - * - * Sort a linked list in O(n log n) time using constant space complexity. - - * Example 1: - * Input: 4->2->1->3 - * Output: 1->2->3->4 - * - * Example 2: - * Input: -1->5->3->4->0 - * Output: -1->0->3->4->5 - */ -public class Code_148_SortList { - //时间复杂度O(n^2) - public ListNode sortList1(ListNode head) { - if(head==null || head.next==null){ - return head; - } - - ListNode dummyHead=new ListNode(-1); - ListNode pre=dummyHead; - ListNode cur=head; - while(cur!=null){ - pre=dummyHead; - while(pre.next!=null && pre.next.val...->midNode的前一个节点 - // midNOde->..->NULL - return mergeTwoSortedList(sortList(head),sortList(midNode)); - } - - //获取链表中间节点,将两个子链表分离 - private ListNode getMidOfList(ListNode head){ - //这里保证了至少有两个节点 - ListNode slow=head; - ListNode fast=head; - ListNode pre=head; - while(slow!=null && fast!=null){ - pre=slow; - slow=slow.next; - fast=fast.next; - //注意fast是快指针,每次走两步,但是当链表中节点数是奇数时,就会有问题, - //所以走第二步时,要先进行判断 - if(fast!=null){ - fast=fast.next; - }else{ - break; - } - } - pre.next=null; - return slow; - } - - //合并两个有序的链表 - private ListNode mergeTwoSortedList(ListNode head1,ListNode head2){ - if(head1==null){ - return head2; - } - if(head2==null){ - return head1; - } - ListNode dummyHead=new ListNode(-1); - ListNode cur=dummyHead; - while(head1!=null && head2!=null){ - if(head1.val2->3->4->5, and n = 2. - * After removing the second node from the end, the linked list becomes 1->2->3->5. - * - * Note: - * Given n will always be valid. - */ -public class Code_19_RemoveNthNodeFromEndOfList { - public ListNode removeNthFromEnd(ListNode head, int n) { - if(n<0){ - return head; - } - - ListNode dummyHead=new ListNode(0); - dummyHead.next=head; - - ListNode p=dummyHead; - ListNode q=dummyHead; - //q指向的是p后面的第(n+1)个节点 - for(int i=0;i2->6->3->4->5->6, val = 6 - * Output: 1->2->3->4->5 - */ -public class Code_203_RemoveLinkedListElements { - public ListNode removeElements(ListNode head, int val) { - if(head==null){ - return head; - } - //创建一个虚拟的头结点 - ListNode dummyHead=new ListNode(0); - dummyHead.next=head; - - ListNode cur=dummyHead; - while(cur.next!=null){ - //cur指向被删除元素的前一个元素,cur.next就是要删除的元素 - if(cur.next.val==val){ - ListNode delNode=cur.next; - cur.next=delNode.next; - //删除该节点,直接赋值为null,让JVM进行垃圾回收就行了 - delNode.next=null; - }else{ - cur=cur.next; - } - } - - ListNode retNode=dummyHead.next; - dummyHead.next=null; - return retNode; - } -} diff --git a/LeetCodeSolutions/src/code_03_list/Code_206_ReverseLinkedList.java b/LeetCodeSolutions/src/code_03_list/Code_206_ReverseLinkedList.java deleted file mode 100644 index 842e020..0000000 --- a/LeetCodeSolutions/src/code_03_list/Code_206_ReverseLinkedList.java +++ /dev/null @@ -1,48 +0,0 @@ -package code_03_list; - -import org.junit.Test; - -/** - * Reverse a singly linked list. - * Example: - * Input: 1->2->3->4->5->NULL - * Output: 5->4->3->2->1->NULL - * - * Follow up: - * A linked list can be reversed either iteratively or recursively. Could you implement both? - */ -public class Code_206_ReverseLinkedList { - public ListNode reverseList1(ListNode head) { - ListNode pre=null; - ListNode cur=head; - - while(cur!=null){ - ListNode next=cur.next; - cur.next=pre; - pre=cur; - cur=next; - } - return pre; - } - - public ListNode reverseList(ListNode head) { - if(head==null || head.next==null){ - return head; - } - - ListNode next=head.next; - head.next=null; - ListNode newNode=reverseList(next); - next.next=head; - return newNode; - } - - @Test - public void test(){ - int[] arr={1,2,3,4,5}; - ListNode head=LinkedListUtils.createLinkedList(arr); - LinkedListUtils.printList(head); - head=reverseList(head); - LinkedListUtils.printList(head); - } -} diff --git a/LeetCodeSolutions/src/code_03_list/Code_21_MergeTwoSortedLists.java b/LeetCodeSolutions/src/code_03_list/Code_21_MergeTwoSortedLists.java deleted file mode 100644 index 923cc5c..0000000 --- a/LeetCodeSolutions/src/code_03_list/Code_21_MergeTwoSortedLists.java +++ /dev/null @@ -1,61 +0,0 @@ -package code_03_list; - -import org.junit.Test; - -/** - * Merge two sorted linked lists and return it as a new list. The new list should be made by splicing together the nodes of the first two lists. - - * Example: - * - * Input: 1->2->4, 1->3->4 - * Output: 1->1->2->3->4->4 - */ -public class Code_21_MergeTwoSortedLists { - //时间复杂度 O(n) - //空间复杂度 O(1) - public ListNode mergeTwoLists(ListNode l1, ListNode l2) { - if(l1==null){ - return l2; - } - if(l2 ==null){ - return l1; - } - - ListNode dummyHead=new ListNode(0); - - ListNode cur1=l1; - ListNode cur2=l2; - ListNode cur=dummyHead; - while(cur1!=null && cur2!=null){ - if(cur1.val 2 - * Output: false - * - * Example 2: - * Input: 1->2->2->1 - * Output: true - * - * Follow up: - * Could you do it in O(n) time and O(1) space? - */ -public class Code_234_PalindromeLinkedList { - public boolean isPalindrome(ListNode head) { - if(head==null || head.next==null){ - return true; - } - ListNode fast=head; - ListNode slow=head; - while(slow!=null && fast.next!=null && fast.next.next!=null){ - slow=slow.next; - fast=fast.next.next; - } - - ListNode head1=head; - ListNode head2=slow.next; - slow.next=null; - head2=reverseList(head2); - - while(head1!=null && head2!=null){ - if(head1.val!=head2.val){ - return false; - } - head1=head1.next; - head2=head2.next; - } - return true; - } - - //反转链表 - public ListNode reverseList(ListNode head) { - ListNode pre=null; - ListNode cur=head; - - while(cur!=null){ - ListNode next=cur.next; - cur.next=pre; - pre=cur; - cur=next; - } - return pre; - } -} diff --git a/LeetCodeSolutions/src/code_03_list/Code_237_DeleteNodeInALinkedList.java b/LeetCodeSolutions/src/code_03_list/Code_237_DeleteNodeInALinkedList.java deleted file mode 100644 index 2fc5244..0000000 --- a/LeetCodeSolutions/src/code_03_list/Code_237_DeleteNodeInALinkedList.java +++ /dev/null @@ -1,39 +0,0 @@ -package code_03_list; - -/** - * 237. Delete Node in a Linked List - * - * Write a function to delete a node (except the tail) in a singly linked list, given only access to that node. - * Given linked list -- head = [4,5,1,9], which looks like following: - * - * 4 -> 5 -> 1 -> 9 - - * Example 1: - * Input: head = [4,5,1,9], node = 5 - * Output: [4,1,9] - * Explanation: You are given the second node with value 5, the linked list - * should become 4 -> 1 -> 9 after calling your function. - - * Example 2: - * Input: head = [4,5,1,9], node = 1 - * Output: [4,5,9] - * Explanation: You are given the third node with value 1, the linked list - * should become 4 -> 5 -> 9 after calling your function. - */ -public class Code_237_DeleteNodeInALinkedList { - public void deleteNode(ListNode node) { - if(node==null){ - return; - } - - if(node.next==null){ - //说明node是最后一个节点,直接删除即可 - node=null; - return; - } - node.val=node.next.val; - ListNode delNode=node.next; - node.next=delNode.next; - delNode.next=null; - } -} diff --git a/LeetCodeSolutions/src/code_03_list/Code_24_SwapNodesInPairs.java b/LeetCodeSolutions/src/code_03_list/Code_24_SwapNodesInPairs.java deleted file mode 100644 index 67056ce..0000000 --- a/LeetCodeSolutions/src/code_03_list/Code_24_SwapNodesInPairs.java +++ /dev/null @@ -1,55 +0,0 @@ -package code_03_list; - -import org.junit.Test; - -/** - * 24. Swap Nodes in Pairs - * - * Given a linked list, swap every two adjacent nodes and return its head. - * - * Example: - * - * Given 1->2->3->4, you should return the list as 2->1->4->3. - * - * Note: - * Your algorithm should use only constant extra space. - * You may not modify the values in the list's nodes, only nodes itself may be changed. - */ -public class Code_24_SwapNodesInPairs { - public ListNode swapPairs(ListNode head) { - if(head==null || head.next==null){ - return head; - } - ListNode dummyHead=new ListNode(0); - dummyHead.next=head; - - ListNode p=dummyHead; - while(p.next!=null && p.next.next!=null){ - //保证有要交换的两个节点 - ListNode node1=p.next; - ListNode node2=node1.next; - ListNode next=node2.next; - - node2.next=node1; - node1.next=next; - p.next=node2; - - p=node1; - } - - ListNode retNode=dummyHead.next; - dummyHead.next=null; - - return retNode; - } - - @Test - public void test(){ - int[] arr={1,2,3,4}; - ListNode head=LinkedListUtils.createLinkedList(arr); - LinkedListUtils.printList(head); - - head=swapPairs(head); - LinkedListUtils.printList(head); - } -} diff --git a/LeetCodeSolutions/src/code_03_list/Code_25_ReverseNodesInK_Group.java b/LeetCodeSolutions/src/code_03_list/Code_25_ReverseNodesInK_Group.java deleted file mode 100644 index 73105d6..0000000 --- a/LeetCodeSolutions/src/code_03_list/Code_25_ReverseNodesInK_Group.java +++ /dev/null @@ -1,74 +0,0 @@ -package code_03_list; - -import org.junit.Test; - -/** - * 25. Reverse Nodes in k-Group - * - * Given a linked list, - * reverse the nodes of a linked list k at a time and return its modified list. - * k is a positive integer and is less than or equal to the length of the linked list. - * If the number of nodes is not a multiple of k then left-out nodes in the end should remain as it is. - * 给出一个链表,将这个链表以k个结点为一组进行翻转,不够k个的部分就保持原样不进行翻转。 - * - * Example: - * Given this linked list: 1->2->3->4->5 - * For k = 2, you should return: 2->1->4->3->5 - * For k = 3, you should return: 3->2->1->4->5 - * - * Note: - * Only constant extra memory is allowed. - * You may not alter the values in the list's nodes, only nodes itself may be changed. - */ -public class Code_25_ReverseNodesInK_Group { - public ListNode reverseKGroup(ListNode head, int k) { - if(k==1){ - return head; - } - ListNode root = new ListNode(-1); - root.next=head; - ListNode dummyHead=root; - - int n=0; - //统计链表中节点数 - ListNode cur=head; - while(cur!=null){ - n++; - cur=cur.next; - } - //root.next指向子链表里的第一个节点, - //head为第一个节点,反转一次即变成第二个节点,从而保证他后面的节点就是下一个将被放到前面的节点。 - //head始终指向子链表的第一个节点 - //root始终指向子链表的第一个节点的前一个节点 - while(n>=k){ - //这样循环的巧妙之处,就是循环的次数。 - //反转 后面的(k-1)个元素 - for(int j = 0 ; j < k-1; j++){ - ListNode node = root.next; - - root.next = head.next; - head.next = root.next.next; - root.next.next = node; - } - root = head; - head = head.next; - n-=k; - } - - ListNode retNode=dummyHead.next; - dummyHead=null; - - return retNode; - } - - @Test - public void test(){ - int[] arr={1,2,3,4,5}; - ListNode head=LinkedListUtils.createLinkedList(arr); - LinkedListUtils.printList(head); - - int k=3; - head=reverseKGroup(head,k); - LinkedListUtils.printList(head); - } -} diff --git a/LeetCodeSolutions/src/code_03_list/Code_287_FindTheDuplicateNumber.java b/LeetCodeSolutions/src/code_03_list/Code_287_FindTheDuplicateNumber.java deleted file mode 100644 index e5b78b2..0000000 --- a/LeetCodeSolutions/src/code_03_list/Code_287_FindTheDuplicateNumber.java +++ /dev/null @@ -1,52 +0,0 @@ -package code_03_list; - -/** - * 287. Find the Duplicate Number - * - * Given an array nums containing n + 1 integers where each integer is between 1 and n (inclusive), - * prove that at least one duplicate number must exist. - * Assume that there is only one duplicate number, find the duplicate one. - * - * Example 1: - Input: [1,3,4,2,2] - Output: 2 - - * Example 2: - Input: [3,1,3,4,2] - Output: 3 - - Note: - You must not modify the array (assume the array is read only). - You must use only constant, O(1) extra space. - Your runtime complexity should be less than O(n2). - There is only one duplicate number in the array, but it could be repeated more than once. - */ -public class Code_287_FindTheDuplicateNumber { - /** - * 思路: - * 链表快指针与慢指针的应用 - * 将数组抽象为一条线和一个圆环,因为1~n 之间有n+1个数,所以一定有重复数字出现,所以重复的数字即是圆环与线的交汇点。 - * 然后设置两个指针,一个快指针一次走两步,一个慢指针一次走一步。 - * 当两个指针第一次相遇时: - * 令快指针回到原点(0)且也变成一次走一步, - * 慢指针则继续前进,再次会合时即是线与圆环的交汇点。 - */ - public int findDuplicate(int[] nums) { - if(nums.length<=1){ - //返回值不在[1...nums.length]之间即可 - return 0; - } - int slow=nums[0]; - int fast=nums[nums[0]]; - while(slow!=fast){ - slow=nums[slow]; - fast=nums[nums[fast]]; - } - fast=0; - while(fast!=slow){ - slow=nums[slow]; - fast=nums[fast]; - } - return slow; - } -} diff --git a/LeetCodeSolutions/src/code_03_list/Code_2_AddTwoNumbers.java b/LeetCodeSolutions/src/code_03_list/Code_2_AddTwoNumbers.java deleted file mode 100644 index b3f80bb..0000000 --- a/LeetCodeSolutions/src/code_03_list/Code_2_AddTwoNumbers.java +++ /dev/null @@ -1,110 +0,0 @@ -package code_03_list; - -import org.junit.Test; - -/** - * 2. Add Two Numbers - * - * You are given two non-empty linked lists representing two non-negative integers. - * The digits are stored in reverse order and each of their nodes contain a single digit. - * Add the two numbers and return it as a linked list. - * - * You may assume the two numbers do not contain any leading zero, except the number 0 itself. - * - * Example: - * Input: (2 -> 4 -> 3) + (5 -> 6 -> 4) - * Output: 7 -> 0 -> 8 - * Explanation: 342 + 465 = 807. - * - */ -public class Code_2_AddTwoNumbers { - //这里针对的是 两个链表相加,不超过节点数的情况 - //未能通过 - public ListNode addTwoNumbers1(ListNode l1, ListNode l2) { - ListNode dummyHead=new ListNode(-1); - ListNode tail=dummyHead; - - while(l1!=null && l2!=null){ - int sum=l1.val+l2.val; - if(sum>=10){ - sum-=10; - if(getLen(l1)>getLen(l2)){ - if(l1.next!=null){ - l1.next.val+=1; - } - }else{ - if(l2.next!=null){ - l2.next.val+=1; - } - } - } - ListNode newNode=new ListNode(sum); - tail.next=newNode; - tail=newNode; - l1=l1.next; - l2=l2.next; - } - if(l1!=null){ - tail.next=l1; - } - if(l2!=null){ - tail.next=l2; - } - return dummyHead.next; - } - - //计算链表的长度 - private int getLen(ListNode head){ - int len=0; - while(head!=null){ - len++; - head=head.next; - } - return len; - } - - public ListNode addTwoNumbers(ListNode l1, ListNode l2) { - //使用尾插法创建链表 - ListNode dummyHead=new ListNode(-1); - ListNode tail=dummyHead; - - int tmp=0; - while(l1!=null || l2!=null){ - if(l1!=null){ - tmp+=l1.val; - l1=l1.next; - } - if(l2!=null){ - tmp+=l2.val; - l2=l2.next; - } - ListNode newNode=new ListNode(tmp%10); - tail.next=newNode; - tail=newNode; - tmp/=10; - } - if(tmp==1){ - ListNode newNode=new ListNode(1); - tail.next=newNode; - tail=newNode; - } - - ListNode retNode=dummyHead.next; - dummyHead=null; - return retNode; - } - - @Test - public void test(){ - int[] arr1={2,4,9,9}; - int[] arr2={5,6,4,8}; - - ListNode l1=LinkedListUtils.createLinkedList(arr1); - ListNode l2=LinkedListUtils.createLinkedList(arr2); - LinkedListUtils.printList(l1); - LinkedListUtils.printList(l2); - - ListNode head=addTwoNumbers(l1,l2); - LinkedListUtils.printList(head); - } -} diff --git a/LeetCodeSolutions/src/code_03_list/Code_328_OddEvenLinkedList.java b/LeetCodeSolutions/src/code_03_list/Code_328_OddEvenLinkedList.java deleted file mode 100644 index 053b588..0000000 --- a/LeetCodeSolutions/src/code_03_list/Code_328_OddEvenLinkedList.java +++ /dev/null @@ -1,66 +0,0 @@ -package code_03_list; - -import org.junit.Test; - -/** - * 328. Odd Even Linked List - * Given a singly linked list, group all odd nodes(奇数) together followed by the even nodes(偶数). - * TODO:Please note here we are talking about the node number and not the value in the nodes. - * You should try to do it in place. The program should run in O(1) space complexity and O(nodes) time complexity. - * - * Example 1: - * Input: 1->2->3->4->5->NULL - * Output: 1->3->5->2->4->NULL - * - * Example 2: - * Input: 2->1->3->5->6->4->7->NULL - * Output: 2->3->6->7->1->5->4->NULL - * - * Note: - * The relative order inside both the even and odd groups should remain as it was in the input. - * The first node is considered odd, the second node even and so on ... - */ -public class Code_328_OddEvenLinkedList { - //node的num是从1开始编号的 - public ListNode oddEvenList(ListNode head) { - if(head==null || head.next==null){ - return head; - } - ListNode oddHead=new ListNode(-1); - ListNode evenHead=new ListNode(-1); - int num=1; - ListNode cur=head; - ListNode odd=oddHead; - ListNode even=evenHead; - while(cur!=null){ - if(num%2==1){ - odd.next=cur; - odd=odd.next; - }else{ - even.next=cur; - even=even.next; - } - cur=cur.next; - num++; - } - - odd.next=evenHead.next; - even.next=null; - - evenHead.next=null; - ListNode retNode=oddHead.next; - oddHead.next=null; - return retNode; - } - - @Test - public void test(){ - //int[] arr={1,2,3,4,5}; - int[] arr={2,1,3,5,6,4,7}; - ListNode head=LinkedListUtils.createLinkedList(arr); - LinkedListUtils.printList(head); - - head=oddEvenList(head); - LinkedListUtils.printList(head); - } -} diff --git a/LeetCodeSolutions/src/code_03_list/Code_445_AddTwoNumbersII.java b/LeetCodeSolutions/src/code_03_list/Code_445_AddTwoNumbersII.java deleted file mode 100644 index a102992..0000000 --- a/LeetCodeSolutions/src/code_03_list/Code_445_AddTwoNumbersII.java +++ /dev/null @@ -1,87 +0,0 @@ -package code_03_list; - -import org.junit.Test; - -import java.util.Stack; - -/** - * - * 445. Add Two Numbers II - * - *You are given two non-empty linked lists representing two non-negative integers. - * The most significant digit comes first and each of their nodes contain a single digit. - * Add the two numbers and return it as a linked list. - * You may assume the two numbers do not contain any leading zero, except the number 0 itself. - * - * Follow up: - * What if you cannot modify the input lists? In other words, reversing the lists is not allowed. - * - * Example: - * Input: (7 -> 2 -> 4 -> 3) + (5 -> 6 -> 4) - * Output: 7 -> 8 -> 0 -> 7 - */ -public class Code_445_AddTwoNumbersII { - public ListNode addTwoNumbers(ListNode l1, ListNode l2) { - if(l1==null){ - return l2; - } - if(l2==null){ - return l1; - } - //题目要求不能直接反转链表,那么只能借助栈来实现链表的反转 - Stack stack1=new Stack<>(); - Stack stack2=new Stack<>(); - - //实现链表l1的反转 - while(l1!=null){ - stack1.push(l1.val); - l1=l1.next; - } - //实现链表l2的反转 - while(l2!=null){ - stack2.push(l2.val); - l2=l2.next; - } - - ListNode dummyHead=new ListNode(-1); - - //模仿Code_2_AddTwoNumbers的剧情了!!!!,但是这里创建链表采用头插法 - int tmp=0; - while(!stack1.empty() || !stack2.empty()){ - if(!stack1.empty()){ - tmp+=stack1.pop(); - } - if(!stack2.empty()){ - tmp+=stack2.pop(); - } - ListNode newNode=new ListNode(tmp%10); - newNode.next=dummyHead.next; - dummyHead.next=newNode; - tmp/=10; - } - if(tmp==1){ - ListNode newNode=new ListNode(1); - newNode.next=dummyHead.next; - dummyHead.next=newNode; - } - - ListNode retNode=dummyHead.next; - dummyHead=null; - - return retNode; - } - - @Test - public void test(){ - int[] arr1={7,2,4,3}; - int[] arr2={5,6,4}; - - ListNode l1=LinkedListUtils.createLinkedList(arr1); - ListNode l2=LinkedListUtils.createLinkedList(arr2); - LinkedListUtils.printList(l1); - LinkedListUtils.printList(l2); - - ListNode head=addTwoNumbers(l1,l2); - LinkedListUtils.printList(head); - } -} diff --git a/LeetCodeSolutions/src/code_03_list/Code_61_RotateList.java b/LeetCodeSolutions/src/code_03_list/Code_61_RotateList.java deleted file mode 100644 index c7f5f8f..0000000 --- a/LeetCodeSolutions/src/code_03_list/Code_61_RotateList.java +++ /dev/null @@ -1,93 +0,0 @@ -package code_03_list; - -/** - * 61. Rotate List - * - * Given a linked list, rotate the list to the right by k places, where k is non-negative. - * - * Example 1: - * Input: 1->2->3->4->5->NULL, k = 2 - * Output: 4->5->1->2->3->NULL - * - * Explanation: - * rotate 1 steps to the right: 5->1->2->3->4->NULL - * rotate 2 steps to the right: 4->5->1->2->3->NULL - * - * Example 2: - * Input: 0->1->2->NULL, k = 4 - * Output: 2->0->1->NULL - * Explanation: - * rotate 1 steps to the right: 2->0->1->NULL - * rotate 2 steps to the right: 1->2->0->NULL - * rotate 3 steps to the right: 0->1->2->NULL - * rotate 4 steps to the right: 2->0->1->NULL - */ -public class Code_61_RotateList { - public ListNode rotateRight1(ListNode head, int k) { - int len=0; - ListNode cur=head; - while(cur!=null){ - len++; - cur=cur.next; - } - if(len==0){ - return head; - } - k=k%len; - if(k==0){ - return head; - } - - ListNode dummyHead=new ListNode(-1); - dummyHead.next=head; - - ListNode p=dummyHead; - ListNode preq=null; //始终指向q节点的前一个节点 - ListNode q=dummyHead; - //先定位q指向(k+1)位置 - for(int i=0;i2->3->4, k = 5 // 5 equal parts [ [1], [2], [3], [4], null ] - - * Example 1: - Input: - root = [1, 2, 3], k = 5 - Output: [[1],[2],[3],[],[]] - Explanation: - The input and each element of the output are ListNodes, not arrays. - For example, the input root has root.val = 1, root.next.val = 2, \root.next.next.val = 3, and root.next.next.next = null. - The first element output[0] has output[0].val = 1, output[0].next = null. - The last element output[4] is null, but it's string representation as a ListNode is []. - - * Example 2: - Input: - root = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10], k = 3 - Output: [[1, 2, 3, 4], [5, 6, 7], [8, 9, 10]] - Explanation: - The input has been split into consecutive parts with size difference at most 1, and earlier parts are a larger size than the later parts - */ -public class Code_725_SplitLinkedListInParts { - /** - * 思路: - * cnt/k:每段链表的最短长度 - * mod=cnt%k:链表的修正长度,就是长度不能被k整除后,所得的余数分散到前mod个链表中 - */ - public ListNode[] splitListToParts(ListNode root, int k) { - ListNode[] res=new ListNode[k]; - - //len数组记录苏分割的相应的链表的长度 - int[] len=new int[k]; - - int cnt=getCount(root); - - //每段链表的最短长度 - int perLen=cnt/k; - //链表的修正长度,就是长度不能被k整除后,所得的余数分散到前mod个链表中 - int mod=cnt%k; - for(int i=0;i0){ - len[i]++; - mod--; - } - } - - for(int i=0;i0){ - root=root.next; - size--; - } - ListNode res=root; - if(res!=null){ - res=res.next; - } - //root此时是上一个节点的尾节点 - if(root!=null){ - root.next=null; - } - return res; - } - - @Test - public void test(){ - int[] arr={1,2,3}; - ListNode list=LinkedListUtils.createLinkedList(arr); - ListNode[] listNodes=splitListToParts(list,5); - for(int i=0;i1->2->3 - G = [0, 1, 3] - Output: 2 - Explanation: - 0 and 1 are connected, so [0, 1] and [3] are the two connected components. - -* Example 2: - Input: - head: 0->1->2->3->4 - G = [0, 3, 1, 4] - Output: 2 - Explanation: - 0 and 1 are connected, 3 and 4 are connected, so [0, 1] and [3, 4] are the two connected components. - - * Note: - If N is the length of the linked list given by head, 1 <= N <= 10000. - - The value of each node in the linked list will be in the range [0, N - 1]. - - 1 <= G.length <= 10000. - - G is a subset of all values in the linked list. - */ -public class Code_817_LinkedListComponents { - /** - * 思路: - * 我们顺次检查链表中的节点是否出现在G中,如果出现了, - * 则增加一个统计,并连续跟踪直到当前的连续序列结束。 - * 这样遍历完成一遍列表,就可以获得预期答案。 - */ - public int numComponents(ListNode head, int[] G) { - Set set=new HashSet<>(); - int res=0; - - for(int i=0;i2->3->3->4->4->5 - * Output: 1->2->5 - * - * Example 2: - * Input: 1->1->1->2->3 - * Output: 2->3 - */ -public class Code_82_RemoveDuplicatesFromSortedListII { - public ListNode deleteDuplicates(ListNode head) { - if(head==null || head.next==null){ - return head; - } - - ListNode dummyHead=new ListNode(0); - dummyHead.next=head; - - ListNode pre=dummyHead;//指向相同元素的前一个元素 - ListNode cur=pre.next; //指向当前元素 - - while(cur.next!=null){ - if(cur.val!=cur.next.val){ - if(pre.next==cur){ - pre=cur; - }else{ - //删除cur元素 - pre.next=cur.next; - } - } - cur=cur.next; - } - //cur此时是最后一个元素, - //如果pre.next不是最后一个元素,这就说明最后一个元素是重复元素,被删除了, - //则pre就是最后一个元素了 - if(pre.next!=cur){ - pre.next=null; - } - - ListNode retNode=dummyHead.next; - dummyHead.next=null; - - return retNode; - } - - @Test - public void test(){ - int[] arr={1,2,3,3,4,4,5}; - ListNode head=LinkedListUtils.createLinkedList(arr); - LinkedListUtils.printList(head); - - head=deleteDuplicates(head); - LinkedListUtils.printList(head); - } -} diff --git a/LeetCodeSolutions/src/code_03_list/Code_83_RemoveDuplicatesFromSortedList.java b/LeetCodeSolutions/src/code_03_list/Code_83_RemoveDuplicatesFromSortedList.java deleted file mode 100644 index ee132ca..0000000 --- a/LeetCodeSolutions/src/code_03_list/Code_83_RemoveDuplicatesFromSortedList.java +++ /dev/null @@ -1,49 +0,0 @@ -package code_03_list; - -import org.junit.Test; - -/** - * - * given a sorted linked list, delete all duplicates such that each element appear only once. - * - * Example 1: - * Input: 1->1->2 - * Output: 1->2 - * - * Example 2: - * Input: 1->1->2->3->3 - * Output: 1->2->3 - */ -public class Code_83_RemoveDuplicatesFromSortedList { - public ListNode deleteDuplicates(ListNode head) { - if(head==null || head.next==null){ - return head; - } - ListNode cur=head; - ListNode newCur=head.next; - - while(newCur!=null){ - //ListNode next=cur.next; - if(cur.val==newCur.val){ - //如果相邻元素是相等的话,删除后者 - cur.next=newCur.next; - }else{ - cur=newCur; - } - newCur=newCur.next; - } - return head; - } - - @Test - public void test(){ - //int[] arr={1,1,2}; - //int[] arr={1,1,2,3,3}; - int[] arr={1,1,1,1,1}; - ListNode head=LinkedListUtils.createLinkedList(arr); - LinkedListUtils.printList(head); - - head=deleteDuplicates(head); - LinkedListUtils.printList(head); - } -} diff --git a/LeetCodeSolutions/src/code_03_list/Code_86_PartitionList.java b/LeetCodeSolutions/src/code_03_list/Code_86_PartitionList.java deleted file mode 100644 index a38f6a2..0000000 --- a/LeetCodeSolutions/src/code_03_list/Code_86_PartitionList.java +++ /dev/null @@ -1,64 +0,0 @@ -package code_03_list; - -import org.junit.Test; - -/** - * 86. Partition List - * - * Given a linked list and a value x, - * partition it such that all nodes less than x come before nodes greater than or equal to x. - * You should preserve the original relative order of the nodes in each of the two partitions. - * - * Example: - * Input: head = 1->4->3->2->5->2, x = 3 - * Output: 1->2->2->4->3->5 - */ -public class Code_86_PartitionList { - //注意:要保留元素相对位置 - //准备两个链表,分别指向 =x的元素 - //然后将这两个链表合并 - public ListNode partition(ListNode head, int x) { - if(head==null || head.next==null){ - return head; - } - ListNode lessHead=new ListNode(0); - ListNode moreOrEqualHead=new ListNode(0); - - ListNode less=lessHead;// 存储=x的元素 - ListNode cur=head; - while(cur!=null){ - if(cur.val2->3->4->5->NULL, m = 2, n = 4 - * Output: 1->4->3->2->5->NULL - */ -public class Code_92_ReverseLinkedListII { - public ListNode reverseBetween(ListNode head, int m, int n) { - if(m>=n){ - return head; - } - if(head==null || head.next==null){ - return head; - } - - ListNode newHead=new ListNode(0); - newHead.next=head; - head=newHead; - ListNode preNode=head; - //保存的是指向m位置的前一个节点,也就是(m-1)位置 - for(int i=0;i"); - curNode=curNode.next; - } - System.out.println("NULL"); - } -} diff --git a/LeetCodeSolutions/src/code_03_list/ListNode.java b/LeetCodeSolutions/src/code_03_list/ListNode.java deleted file mode 100644 index 9824562..0000000 --- a/LeetCodeSolutions/src/code_03_list/ListNode.java +++ /dev/null @@ -1,12 +0,0 @@ -package code_03_list; - -/** - * Created by 18351 on 2018/11/2. - */ -public class ListNode { - int val; - ListNode next; - ListNode(int x) { - val = x; - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_102_BinaryTreeLevelOrderTraversal.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_102_BinaryTreeLevelOrderTraversal.java deleted file mode 100644 index 2e73c91..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_102_BinaryTreeLevelOrderTraversal.java +++ /dev/null @@ -1,61 +0,0 @@ -package code_04_stackQueue; - -import javafx.util.Pair; - -import java.util.ArrayList; -import java.util.LinkedList; -import java.util.List; -import java.util.Queue; - -/** - * - * 102. Binary Tree Level Order Traversal - * - * Given a binary tree, return the level order traversal of its nodes' values. (ie, from left to right, level by level). - - * For example: - * Given binary tree [3,9,20,null,null,15,7], - 3 - / \ - 9 20 - / \ - 15 7 - * return its level order traversal as: - [ - [3], - [9,20], - [15,7] - ] - */ -public class Code_102_BinaryTreeLevelOrderTraversal { - public List> levelOrder(TreeNode root) { - List> ret=new ArrayList<>(); - if(root==null){ - return ret; - } - - Queue> queue=new LinkedList<>(); - queue.add(new Pair(root,0)); - //root结点对应的是0层 - while(!queue.isEmpty()){ - Pair pair=queue.poll(); - TreeNode node= (TreeNode) pair.getKey(); - int level= (int) pair.getValue(); - - if(level==ret.size()){ - //因为level是从0开始的,当level=ret.size()表示需要新创建 List,来存储level层的元素 - ret.add(new ArrayList<>()); - } - //ret.get(level)表示的是level层 - ret.get(level).add(node.val); - - if(node.left!=null){ - queue.add(new Pair(node.left,level+1)); - } - if(node.right!=null){ - queue.add(new Pair(node.right,level+1)); - } - } - return ret; - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_103_BinaryTreeZigzagLevelOrderTraversal.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_103_BinaryTreeZigzagLevelOrderTraversal.java deleted file mode 100644 index 128e39b..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_103_BinaryTreeZigzagLevelOrderTraversal.java +++ /dev/null @@ -1,65 +0,0 @@ -package code_04_stackQueue; - -import javafx.util.Pair; - -import java.util.*; - -/** - *Given a binary tree, return the zigzag level order traversal of its nodes' values. - * (ie, from left to right, then right to left for the next level and alternate between). - * - * For example: - * Given binary tree [3,9,20,null,null,15,7], - 3 - / \ - 9 20 - / \ - 15 7 - * return its zigzag level order traversal as: - [ - [3], - [20,9], - [15,7] - ] - - */ -public class Code_103_BinaryTreeZigzagLevelOrderTraversal { - public List> zigzagLevelOrder(TreeNode root) { - List> ret=new ArrayList<>(); - if(root==null){ - return ret; - } - - Queue> queue=new LinkedList<>(); - queue.add(new Pair(root,0)); - //root结点对应的是0层 - while(!queue.isEmpty()){ - Pair pair=queue.poll(); - TreeNode node= (TreeNode) pair.getKey(); - int level= (int) pair.getValue(); - - if(level==ret.size()){ - //因为level是从0开始的,当level=ret.size()表示需要新创建 List,来存储level层的元素 - ret.add(new ArrayList<>()); - } - //ret.get(level)表示的是level层 - ret.get(level).add(node.val); - - if(node.left!=null){ - queue.add(new Pair(node.left,level+1)); - } - if(node.right!=null){ - queue.add(new Pair(node.right,level+1)); - } - } - //进行层次遍历后,对于偶数层的数据,进行逆序处理 - int cnt=0; - for(List list:ret){ - if(cnt%2==1){ - Collections.reverse(list); - } - cnt++; - } - return ret; - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_107_BinaryTreeLevelOrderTraversalII.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_107_BinaryTreeLevelOrderTraversalII.java deleted file mode 100644 index 7e6962a..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_107_BinaryTreeLevelOrderTraversalII.java +++ /dev/null @@ -1,55 +0,0 @@ -package code_04_stackQueue; - -import javafx.util.Pair; - -import java.util.*; - -/** - * 107. Binary Tree Level Order Traversal II - * - * Given a binary tree, return the bottom-up level order traversal of its nodes' values. - * (ie, from left to right, level by level from leaf to root). - - * For example: - Given binary tree [3,9,20,null,null,15,7], - 3 - / \ - 9 20 - / \ - 15 7 - return its bottom-up level order traversal as: - [ - [15,7], - [9,20], - [3] - ] - */ -public class Code_107_BinaryTreeLevelOrderTraversalII { - public List> levelOrderBottom(TreeNode root) { - List> ret=new ArrayList<>(); - if(root==null){ - return new ArrayList<>(); - } - Queue> queue=new LinkedList<>(); - queue.add(new Pair(root,0)); - while(!queue.isEmpty()){ - Pair pair=queue.poll(); - TreeNode node=(TreeNode) pair.getKey(); - int level=(int)pair.getValue(); - if(level==ret.size()){ - ret.add(new ArrayList<>()); - } - ret.get(level).add(node.val); - - if(node.left!=null){ - queue.add(new Pair(node.left,level+1)); - } - if(node.right!=null){ - queue.add(new Pair(node.right,level+1)); - } - } - Collections.reverse(ret); - - return ret; - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_126_WordLadderII.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_126_WordLadderII.java deleted file mode 100644 index cfea043..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_126_WordLadderII.java +++ /dev/null @@ -1,24 +0,0 @@ -package code_04_stackQueue; - -import java.util.*; - -/** - * 126. Word Ladder II - * - * Given two words (beginWord and endWord), and a dictionary's word list, - * find all shortest transformation sequence(s) from beginWord to endWord, such that: - * Only one letter can be changed at a time - * Each transformed word must exist in the word list. Note that beginWord is not a transformed word. - * - * Note: - Return an empty list if there is no such transformation sequence. - All words have the same length. - All words contain only lowercase alphabetic characters. - You may assume no duplicates in the word list. - You may assume beginWord and endWord are non-empty and are not the same. - */ -public class Code_126_WordLadderII { - public List> findLadders(String beginWord, String endWord, List wordList) { - return null; - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_127_WordLadder.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_127_WordLadder.java deleted file mode 100644 index c1e008d..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_127_WordLadder.java +++ /dev/null @@ -1,109 +0,0 @@ -package code_04_stackQueue; - -import java.util.*; - -/** - * 127. Word Ladder - * Given two words (beginWord and endWord), and a dictionary's word list, - * find the length of shortest transformation sequence from beginWord to endWord, such that: - * 1.Only one letter can be changed at a time. - * 2.Each transformed word must exist in the word list. Note that beginWord is not a transformed word. - * - * Note: - Return 0 if there is no such transformation sequence. - All words have the same length. - All words contain only lowercase alphabetic characters. - You may assume no duplicates in the word list. - You may assume beginWord and endWord are non-empty and are not the same. - * - * - * Example 1: - Input: - beginWord = "hit", - endWord = "cog", - wordList = ["hot","dot","dog","lot","log","cog"] - Output: 5 - Explanation: As one shortest transformation is "hit" -> "hot" -> "dot" -> "dog" -> "cog", - return its length 5. - - * Example 2: - Input: - beginWord = "hit" - endWord = "cog" - wordList = ["hot","dot","dog","lot","log"] - Output: 0 - Explanation: The endWord "cog" is not in wordList, therefore no possible transformation. - * - */ -public class Code_127_WordLadder { - /** - * BFS - * 将这个问题看成图问题: - * word1-->word2 的路径就是word1和word2 "相似"(word1和wordd2根据题目规则可以相互转化) - * 最后从beginWord走到endWord. - */ - public int ladderLength(String beginWord, String endWord, List wordList) { - //使用set去除重复元素-->BFS更高效 - Set wordSet=new HashSet<>(); - for(String word:wordList){ - wordSet.add(word); - } - - //存储已经访问过的节点,保证下次不会再走了 - Set visited = new HashSet<>(); - - //从beginWord开始进行BFS - Queue q=new LinkedList<>(); - //从 begin开始,走的是第一步 - q.add(new Pair(beginWord,1)); - while (!q.isEmpty()){ - Pair p=q.poll(); - //访问当前节点 - String curWord=p.word; - int curStep=p.step; - visited.clear(); - //看下一个节点的情况 - for(String word:wordSet){ - if(isSimilar(curWord,word)){ //isSimilar(curWord,word) 说明beginWod-->word有路径 - if(word.equals(endWord)){ - return curStep+1; - } - //将word加入队列,即访问了word - q.add(new Pair(word,curStep+1)); - visited.add(word); - } - } - //删除已经访问过的节点 - for(String w:visited){ - wordSet.remove(w); - } - } - return 0; - } - - private class Pair{ - String word; - int step; - Pair(String word,int step){ - this.word=word; - this.step=step; - } - } - - //判断word1和word2是否相似,即word1和word是否可以相互转化 - private boolean isSimilar(String word1,String word2){ - if(word1.length()!=word2.length() || word1.equals(word2)){ - return false; - } - int diff=0; - for(int i=0;i1){ - return false; - } - } - return true; - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_133_CloneGraph.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_133_CloneGraph.java deleted file mode 100644 index 9496b76..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_133_CloneGraph.java +++ /dev/null @@ -1,86 +0,0 @@ -package code_04_stackQueue; - -import java.util.*; - -/** - * 133. Clone Graph - * - * Given the head of a graph, return a deep copy (clone) of the graph. Each node in the graph contains a label (int) and a list (List[UndirectedGraphNode]) of its neighbors. There is an edge between the given node and each of the nodes in its neighbors. - - - OJ's undirected graph serialization (so you can understand error output): - Nodes are labeled uniquely. - - We use # as a separator for each node, and , as a separator for node label and each neighbor of the node. - - - As an example, consider the serialized graph {0,1,2#1,2#2,2}. - - The graph has a total of three nodes, and therefore contains three parts as separated by #. - - 1.First node is labeled as 0. Connect node 0 to both nodes 1 and 2. - 2.Second node is labeled as 1. Connect node 1 to node 2. - 3.Third node is labeled as 2. Connect node 2 to node 2 (itself), thus forming a self-cycle. - - * Visually, the graph looks like the following: - - 1 - / \ - / \ - 0 --- 2 - / \ - \_/ - * Note: The information about the tree serialization is only meant - * so that you can understand error output if you get a wrong answer. - * You don't need to understand the serialization to solve the problem. - */ -public class Code_133_CloneGraph { - /** - * 思路一:DFS - */ - //存储一条边上的两个结点 - /*Map map= - new HashMap(); - public UndirectedGraphNode cloneGraph(UndirectedGraphNode node) { - if(node==null){ - return null; - } - //不访问重复的顶点 - if(map.containsKey(node)){ - return map.get(node); - } - UndirectedGraphNode newNode=new UndirectedGraphNode(node.label); - map.put(node,newNode); - for(UndirectedGraphNode neighbor: node.neighbors){ - newNode.neighbors.add(cloneGraph(neighbor)); - } - return newNode; - }*/ - public UndirectedGraphNode cloneGraph(UndirectedGraphNode node) { - if(node==null){ - return null; - } - Map map= - new HashMap(); - Queue q=new LinkedList<>(); - UndirectedGraphNode newNode=new UndirectedGraphNode(node.label); - map.put(node,newNode); - q.add(node); - while(!q.isEmpty()){ - UndirectedGraphNode curNode=q.poll(); - List curNeightbors=curNode.neighbors; - for(UndirectedGraphNode neighbor:curNeightbors){ - if(map.containsKey(neighbor)){ - map.get(curNode).neighbors.add(map.get(neighbor)); - }else{ - UndirectedGraphNode newNode2=new UndirectedGraphNode(neighbor.label); - map.put(neighbor,newNode2); - map.get(curNode).neighbors.add(newNode2); - q.add(neighbor); - } - } - } - return newNode; - } - -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_144_BinaryTreePreorderTraversal.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_144_BinaryTreePreorderTraversal.java deleted file mode 100644 index 1c5d4f3..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_144_BinaryTreePreorderTraversal.java +++ /dev/null @@ -1,48 +0,0 @@ -package code_04_stackQueue; - -import java.util.ArrayList; -import java.util.List; -import java.util.Stack; - -/** - * 144. Binary Tree Preorder Traversal - */ - - -public class Code_144_BinaryTreePreorderTraversal { - private enum Command{GO,PRINT}; - - private class StackNode{ - Command command; - TreeNode node; - StackNode(Command command,TreeNode node){ - this.command=command; - this.node=node; - } - } - - public List preorderTraversal(TreeNode root) { - List ret=new ArrayList<>(); - if(root==null){ - return ret; - } - Stack stack=new Stack<>(); - stack.push(new StackNode(Command.GO,root)); - while(!stack.empty()){ - StackNode stackNode=stack.pop(); - Command command=stackNode.command; - if(command== Command.PRINT){ - ret.add(stackNode.node.val); - }else{ - if(stackNode.node.right!=null){ - stack.push(new StackNode(Command.GO,stackNode.node.right)); - } - if(stackNode.node.left!=null){ - stack.push(new StackNode(Command.GO,stackNode.node.left)); - } - stack.push(new StackNode(Command.PRINT,stackNode.node)); - } - } - return ret; - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_145_BinaryTreePostorderTraversal.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_145_BinaryTreePostorderTraversal.java deleted file mode 100644 index 5605674..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_145_BinaryTreePostorderTraversal.java +++ /dev/null @@ -1,46 +0,0 @@ -package code_04_stackQueue; - -import java.util.ArrayList; -import java.util.List; -import java.util.Stack; - -/** - * 145. Binary Tree Postorder Traversal - */ -public class Code_145_BinaryTreePostorderTraversal { - private enum Command{GO,PRINT}; - - private class StackNode{ - Command command; - TreeNode node; - StackNode(Command command,TreeNode node){ - this.command=command; - this.node=node; - } - } - - public List postorderTraversal(TreeNode root) { - List ret=new ArrayList<>(); - if(root==null){ - return ret; - } - Stack stack=new Stack<>(); - stack.push(new StackNode(Command.GO,root)); - while(!stack.empty()){ - StackNode stackNode=stack.pop(); - Command command=stackNode.command; - if(command== Command.PRINT){ - ret.add(stackNode.node.val); - }else{ - stack.push(new StackNode(Command.PRINT,stackNode.node)); - if(stackNode.node.right!=null){ - stack.push(new StackNode(Command.GO,stackNode.node.right)); - } - if(stackNode.node.left!=null){ - stack.push(new StackNode(Command.GO,stackNode.node.left)); - } - } - } - return ret; - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_150_EvaluateReversePolishNotation.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_150_EvaluateReversePolishNotation.java deleted file mode 100644 index d8db7b1..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_150_EvaluateReversePolishNotation.java +++ /dev/null @@ -1,85 +0,0 @@ -package code_04_stackQueue; - -import org.junit.Test; - -import java.util.Stack; - -/** - * 150. Evaluate Reverse Polish Notation - * - * Evaluate the value of an arithmetic expression in Reverse Polish Notation. - * Valid operators are +, -, *, /. Each operand may be an integer or another expression. - * - * Note: - * Division between two integers should truncate toward zero. - * The given RPN expression is always valid. That means the expression would always evaluate to a result and there won't be any divide by zero operation. - * - * Example 1: - * Input: ["2", "1", "+", "3", "*"] - * Output: 9 - * Explanation: ((2 + 1) * 3) = 9 - * - * Example 2: - * Input: ["4", "13", "5", "/", "+"] - * Output: 6 - * Explanation: (4 + (13 / 5)) = 6 - * - * Example 3: - * Input: ["10", "6", "9", "3", "+", "-11", "*", "/", "*", "17", "+", "5", "+"] - * Output: 22Explanation: - * - ((10 * (6 / ((9 + 3) * -11))) + 17) + 5 - = ((10 * (6 / (12 * -11))) + 17) + 5 - = ((10 * (6 / -132)) + 17) + 5 - = ((10 * 0) + 17) + 5 - = (0 + 17) + 5 - = 17 + 5 - = 22 - */ -public class Code_150_EvaluateReversePolishNotation { - public int evalRPN(String[] tokens) { - if(tokens.length==1){ - return Integer.parseInt(tokens[0]); - } - Stack stack=new Stack<>(); - for(String ele : tokens) { - switch (ele){ - case "+": - String num1 = stack.pop(); - String num2 = stack.pop(); - String num3 = Integer.parseInt(num2) + Integer.parseInt(num1) + ""; - stack.push(num3); - break; - case "-": - String num4 = stack.pop(); - String num5 = stack.pop(); - String num6 = Integer.parseInt(num5) - Integer.parseInt(num4) + ""; - stack.push(num6); - break; - case "*": - String num7 = stack.pop(); - String num8 = stack.pop(); - String num9 = Integer.parseInt(num8) * Integer.parseInt(num7) + ""; - stack.push(num9); - break; - case "/": - String num10 = stack.pop(); - String num11 = stack.pop(); - String num12 = Integer.parseInt(num11) / Integer.parseInt(num10) + ""; - stack.push(num12); - break; - default: - stack.push(ele); - break; - } - } - return Integer.parseInt(stack.pop()); - } - - @Test - public void test(){ - String[] tokens={"10", "6", "9", "3", "+", "-11", "*", "/", "*", "17", "+", "5", "+"}; - int val=evalRPN(tokens); - System.out.println(val); - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_199_BinaryTreeRightSideView.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_199_BinaryTreeRightSideView.java deleted file mode 100644 index 4231d10..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_199_BinaryTreeRightSideView.java +++ /dev/null @@ -1,64 +0,0 @@ -package code_04_stackQueue; - -import java.util.ArrayList; -import java.util.LinkedList; -import java.util.List; -import java.util.Queue; - -/** - * 199. Binary Tree Right Side View - * - * Given a binary tree, imagine yourself standing on the right side of it, return the values of the nodes you can see ordered from top to bottom. - * - * Example1: - * Input: [1,2,3,null,5,null,4] - * Output: [1, 3, 4] - * Explanation: - - 1 <--- - / \ - 2 3 <--- - \ \ - 5 4 <--- - - * Example1: - * Input: [1,2,3,4] - * Output: [1, 3, 4] - * Explanation: - 1 <--- - / \ - 2 3 <--- - / - 4 <-- - */ -public class Code_199_BinaryTreeRightSideView { - public List rightSideView(TreeNode root) { - List ret=new ArrayList<>(); - if(root==null){ - return ret; - } - Queue queue=new LinkedList<>(); - queue.add(root); - - while(!queue.isEmpty()){ - //nodeNumsEachLevel表示每层的节点数 - int nodeNumsEachLevel=queue.size(); - while(nodeNumsEachLevel>0){ - TreeNode tmp=queue.poll(); - if(tmp.left!=null){ - queue.add(tmp.left); - } - if(tmp.right!=null){ - queue.add(tmp.right); - } - //每出队一次,该层就减少一个节点 - nodeNumsEachLevel--; - //nodeNumsEachLevel==0,该层的最右侧节点 - if(nodeNumsEachLevel==0){ - ret.add(tmp.val); - } - } - } - return ret; - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_20_ValidParentheses.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_20_ValidParentheses.java deleted file mode 100644 index e128a72..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_20_ValidParentheses.java +++ /dev/null @@ -1,82 +0,0 @@ -package code_04_stackQueue; - -import java.util.Stack; - -/** - * Given a string containing just the characters '(', ')', '{', '}', '[' and ']', determine if the input string is valid. - * - * An input string is valid if: - * Open brackets must be closed by the same type of brackets. - * Open brackets must be closed in the correct order. - * Note that an empty string is also considered valid. - * - * Example 1: - * Input: "()" - * Output: true - * - * Example 2: - * Input: "()[]{}" - * Output: true - - * Example 3: - * Input: "(]" - * Output: false - - * Example 4: - * Input: "([)]" - * Output: false - - * Example 5: - * Input: "{[]}" - * Output: true - */ -public class Code_20_ValidParentheses { - public boolean isValid(String s) { - Stack stack=new Stack<>(); - for(int i=0;i stack=new Stack<>();; - - //"351"这样的字符串,使用num保存各位数据 - int num=0; - char op='+'; - //用一个符号变量记录前一个符号 - for(int i=0;i s; - - /** Initialize your data structure here. */ - public MyQueue1() { - s=new Stack<>(); - } - - /** Push element x to the back of queue. */ - public void push(int x) { - Stack s2=new Stack<>(); - //先将s中元素放入s2中 - while(!s.isEmpty()){ - s2.push(s.pop()); - } - s.push(x); - //再将s2中元素放入s中 - while(!s2.isEmpty()){ - s.push(s2.pop()); - } - } - - /** Removes the element from in front of queue and returns that element. */ - public int pop() { - return s.pop(); - } - - /** Get the front element. */ - public int peek() { - return s.peek(); - } - - /** Returns whether the queue is empty. */ - public boolean empty() { - return s.isEmpty(); - } - } - - /** - * 思路二: - * 准备两个栈 - * 一个栈s1用于入队操作,若栈为空,此时进入的元素就是队首元素 - * 一个栈s2用于出队操作,若栈为空,则将s1中元素压入s2中,弹出s2的栈顶元素即可 - * 和一个front存储队列头元素 - */ - class MyQueue { - //入队操作使用 - private Stack s1; - //出队操作是使用 - private Stack s2; - //存储队列头元素 - private int front; - - /** Initialize your data structure here. */ - public MyQueue() { - s1=new Stack<>(); - s2=new Stack<>(); - } - - /** Push element x to the back of queue. */ - public void push(int x) { - //方便后面的peek操作 - if(s1.isEmpty()){ - front=x; - } - s1.push(x); - } - - /** Removes the element from in front of queue and returns that element. */ - public int pop() { - if(s2.isEmpty()){ - while(!s1.isEmpty()){ - s2.push(s1.pop()); - } - } - return s2.pop(); - } - - /** Get the front element. */ - public int peek() { - if(!s2.isEmpty()){ - return s2.peek(); - } - return front; - } - - /** Returns whether the queue is empty. */ - public boolean empty() { - return (s1.isEmpty() && s2.isEmpty()); - } - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_23_MergeKSortedLists.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_23_MergeKSortedLists.java deleted file mode 100644 index 01e68cf..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_23_MergeKSortedLists.java +++ /dev/null @@ -1,114 +0,0 @@ -package code_04_stackQueue; - -import java.util.Comparator; -import java.util.PriorityQueue; - -/** - * 23. Merge k Sorted Lists - * - * Merge k sorted linked lists and return it as one sorted list. Analyze and describe its complexity. - * - * Example: - * Input: - [ - 1->4->5, - 1->3->4, - 2->6 - ] - * Output: - * 1->1->2->3->4->4->5->6 - */ -public class Code_23_MergeKSortedLists { - //思路一:逐步合并有序链表,n是数组长度,K是数组中的链表平均长度 - //时间复杂度:O(n*K) - //空间复杂度:O(1) - public ListNode mergeKLists1(ListNode[] lists) { - if(lists==null || lists.length==0){ - return null; - } - - //将该数组中元素逐步合并 - ListNode head=lists[0]; - for(int i=1;i< lists.length;i++){ - head=mergeTwoLists(head,lists[i]); - } - return head; - } - - private ListNode mergeTwoLists(ListNode l1, ListNode l2) { - if(l1==null){ - return l2; - } - if(l2 ==null){ - return l1; - } - - ListNode dummyHead=new ListNode(0); - - ListNode cur1=l1; - ListNode cur2=l2; - ListNode cur=dummyHead; - while(cur1!=null && cur2!=null){ - if(cur1.val queue = new PriorityQueue<>(new Comparator() { - public int compare(ListNode o1, ListNode o2) { - return o1.val - o2.val; - } - }); - for (int i = 0; i < lists.length; i++) { - //这里只是加了每个链表的头结点 - if (lists[i] != null) queue.add(lists[i]); - } - - ListNode dummyHead=new ListNode(-1); - ListNode cur=dummyHead; - - while(!queue.isEmpty()){ - ListNode tmp=queue.poll(); - cur.next=tmp; - cur=tmp; - //看看该结点是否有下一个结点,这样就确保所有的元素都加入优先队列中了。 - if (tmp.next != null){ - queue.add(tmp.next); - } - } - cur.next=null; - - ListNode retNode=dummyHead.next; - dummyHead=null; - - return retNode; - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_279_PerfectSquares.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_279_PerfectSquares.java deleted file mode 100644 index 86cdf53..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_279_PerfectSquares.java +++ /dev/null @@ -1,61 +0,0 @@ -package code_04_stackQueue; - -import java.util.LinkedList; -import java.util.Queue; - -/** - * 279. Perfect Squares - * - * Given a positive integer n, find the least number of perfect square numbers (for example, 1, 4, 9, 16, ...) which sum to n. - * - * Example 1: - * Input: n = 12 - * Output: 3 - * Explanation: 12 = 4 + 4 + 4. - * - * Example 2: - * Input: n = 13 - * Output: 2 - * Explanation: 13 = 4 + 9. - */ -public class Code_279_PerfectSquares { - private class Pair{ - int num; - //记录节点的数值 - int steps; - //记录num数值该走几步 - Pair(int num,int steps){ - this.num=num; - this.steps=steps; - } - } - - public int numSquares(int n) { - Queue queue=new LinkedList<>(); - queue.add(new Pair(n,0)); - - boolean[] isVisited=new boolean[n+1]; - isVisited[n]=true; - - while(!queue.isEmpty()){ - Pair pair=queue.poll(); - int num=pair.num; - int steps=pair.steps; - for(int i=1;;i++){ - int tmp=num-i*i; - if(tmp<0){ - break; - } - if(tmp==0){ - return steps+1; - } - if(!isVisited[tmp]){ - queue.add(new Pair(tmp,steps+1)); - isVisited[tmp]=true; - } - } - } - //如果结果不存在,就返回0 - return 0; - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_341_FlattenNestedListIterator.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_341_FlattenNestedListIterator.java deleted file mode 100644 index 2645d7b..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_341_FlattenNestedListIterator.java +++ /dev/null @@ -1,65 +0,0 @@ -package code_04_stackQueue; - -import java.util.Iterator; -import java.util.List; -import java.util.Stack; - -/** - * 341. Flatten Nested List Iterator - * - * Given a nested list of integers(嵌套的整型列表), implement an iterator to flatten it. - * Each element is either an integer, or a list -- whose elements may also be integers or other lists. - * - * Example 1: - * Input: [[1,1],2,[1,1]] - * Output: [1,1,2,1,1] - * Explanation: By calling next repeatedly until hasNext returns false,(通过重复调用 next 直到 hasNext 返回false) - * the order of elements returned by next should be: [1,1,2,1,1]. - * - * Example 2: - * Input: [1,[4,[6]]] - * Output: [1,4,6] - * Explanation: By calling next repeatedly until hasNext returns false, - * the order of elements returned by next should be: [1,4,6]. - */ -public class Code_341_FlattenNestedListIterator { - /** - * 思路: - * 先把list中所有的元素都倒序push进stack, - * 然后每次遇到不是integer的,就重复第一个过程,把list里的元素按照倒序push进stack,直到stack为空。 - */ - class NestedIterator implements Iterator { - Stack stack; - - public NestedIterator(List nestedList) { - stack=new Stack<>(); - for(int i=nestedList.size()-1;i>=0;i--){ - NestedInteger tmp=nestedList.get(i); - stack.push(tmp); - } - } - - @Override - public Integer next() { - return stack.pop().getInteger(); - } - - @Override - public boolean hasNext() { - while (!stack.isEmpty()){ - NestedInteger cur=stack.peek(); - if(cur.isInteger()){ - return true; - }else{ - //将该cur出栈 - stack.pop(); - List tmpList=cur.getList(); - for(int i=tmpList.size()-1;i>=0;i--){ - stack.push(tmpList.get(i)); - } - } - } - return false; - } - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_347_TopKFrequentElements.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_347_TopKFrequentElements.java deleted file mode 100644 index 03f1e3a..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_347_TopKFrequentElements.java +++ /dev/null @@ -1,64 +0,0 @@ -package code_04_stackQueue; - -import java.util.*; - -/** - * Given a non-empty array of integers, return the k most frequent elements. - * - * Example 1: - * Input: nums = [1,1,1,2,2,3], k = 2 - * Output: [1,2] - * - * Example 2: - * Input: nums = [1], k = 1 - * Output: [1] - * - * Note: - * You may assume k is always valid, 1 ≤ k ≤ number of unique elements. - * Your algorithm's time complexity must be better than O(n log n), where n is the array's size. - */ -public class Code_347_TopKFrequentElements { - private class Pair implements Comparable { - int numFreq; - int num; - Pair(int numFreq,int num){ - this.numFreq=numFreq; - this.num=num; - } - - @Override - public int compareTo(Pair o) { - return this.numFreq-o.numFreq; - } - } - - public List topKFrequent(int[] nums, int k) { - //统计数字出现的频率 - Map map=new HashMap<>(); - for(int num:nums){ - int freq=map.get(num)==null?0:map.get(num); - map.put(num,++freq); - } - - //维护一个优先队列,最小堆,维护当前频率最高的元素 - PriorityQueue priorityQueue=new PriorityQueue<>(); - //pair存的是(频率,元素)的形式 - for(Integer num:map.keySet()){ - int numFreq=map.get(num); - if(priorityQueue.size()==k){ - if(numFreq>priorityQueue.peek().numFreq){ - priorityQueue.poll(); - priorityQueue.add(new Pair(numFreq,num)); - } - }else{ - priorityQueue.add(new Pair(numFreq,num)); - } - } - - List ret=new ArrayList<>(); - while(!priorityQueue.isEmpty()){ - ret.add(priorityQueue.poll().num); - } - return ret; - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_388_LongestAbsoluteFilePath.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_388_LongestAbsoluteFilePath.java deleted file mode 100644 index 54621e2..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_388_LongestAbsoluteFilePath.java +++ /dev/null @@ -1,98 +0,0 @@ -package code_04_stackQueue; - -import org.junit.Test; - -import java.util.HashMap; -import java.util.Map; - -/** - * 388. Longest Absolute File Path - * - * Suppose we abstract our file system by a string in the following manner: - * The string "dir\n\tsubdir1\n\tsubdir2\n\t\tfile.ext" represents: - * dir - |--subdir1 - |--subdir2 - |-- file.ext - * The directory dir contains an empty sub-directory subdir1 and a sub-directory subdir2 containing a file file.ext. - * - * The string "dir\n\tsubdir1\n\t\tfile1.ext\n\t\tsubsubdir1\n\tsubdir2\n\t\tsubsubdir2\n\t\t\tfile2.ext" represents: - * dir - |--subdir1 - |--file1.ext - |--subsubdir1 - |--subdir2 - |--subsubdir2 - |--file2.ext - * The directory dir contains two sub-directories subdir1 and subdir2. subdir1 contains a file file1.ext - * and an empty second-level sub-directory subsubdir1. - * subdir2 contains a second-level sub-directory subsubdir2 containing a file file2.ext. - * - * We are interested in finding the longest (number of characters) - * absolute path to a file within our file system. - * For example, in the second example above, the longest absolute path is "dir/subdir2/subsubdir2/file2.ext", - * and its length is 32 (not including the double quotes). - * - * Given a string representing the file system in the above format, - * return the length of the longest absolute path to file in the abstracted file system. - * If there is no file in the system, return 0. - * - * Note: - The name of a file contains at least a . and an extension. - The name of a directory or sub-directory will not contain a .. - Time complexity required: O(n) where n is the size of the input string. - - * Notice that a/aa/aaa/file1.txt is not the longest file path, if there is another path aaaaaaaaaaaaaaaaaaaaa/sth.png. - */ -public class Code_388_LongestAbsoluteFilePath { - /** - * 思路: - * 该字符串中包含\n和\t这种表示回车和空格的特殊字符,让我们找到某一个最长的绝对文件路径。 - * 要注意的是,最长绝对文件路径不一定是要最深的路径。 - * 我们可以用哈希表来建立深度和当前深度的绝对路径长度之间的映射, - * 那么当前深度下的文件的绝对路径长度就是文件名长度加上哈希表中当前深度对应的长度, - * 我们的思路是遍历整个字符串,遇到\n或者\t就停下来,然后我们判断, - * 如果遇到的是回车: - * 我们把这段文件名提取出来,如果里面包含".",说明是文件,我们更新res长度, - * 如果不包含点“.”,说明是文件夹,我们深度level自增1,然后建立当前深度和总长度之间的映射,然后我们将深度level重置为0。 - * - * 如果遇到的是空格\t, - * 那么我们深度加1, - * 通过累加\t的个数,我们可以得知当前文件或文件夹的深度,然后做对应的处理。 - */ - public int lengthLongestPath(String input) { - int res = 0; - //<深度,当前深度的绝对路径长度> - Map map = new HashMap<>(); - map.put(0, 0); - //根据\n切分文件 - String[] arr=input.split("\n"); - //以"dir\n\tsubdir1\n\t\tfile1.ext\n\t\tsubsubdir1\n\tsubdir2\n\t\tsubsubdir2\n\t\t\tfile2.ext"为例 - //arr={"dir","\tsubdir1","\t\tfile1.ext","\t\tsubsubdir1","\tsubdir2","\t\tsubsubdir2","\t\t\tfile2.ext"} - if(arr!=null){ - for (String s : arr) { - //根据 \t的位置看看有几层 - int level = s.lastIndexOf("\t") + 1; - //s.substring(level)-->s就是文件夹或者我呢见 - int len = s.substring(level).length(); - if (s.contains(".")) { - //包含“.”,说明是文件,那么就要更新最大值-->说明到达该层的文件 - //get(level)是该文件前一层的绝对路径长度 - //len是文件路径长度 - res = Math.max(res, map.get(level) + len); - } else { - //+1是算上"/"的长度 - map.put(level + 1, map.get(level) + len + 1); - } - } - } - return res; - } - - @Test - public void test(){ - String input="dir\n\tsubdir1\n\t\tfile1.ext\n\t\tsubsubdir1\n\tsubdir2\n\t\tsubsubdir2\n\t\t\tfile2.ext"; - //结果dir/subdir2/subsubdir2/file2.ext - System.out.println(lengthLongestPath(input)); - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_622_DesignCircularQueue.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_622_DesignCircularQueue.java deleted file mode 100644 index 68a7993..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_622_DesignCircularQueue.java +++ /dev/null @@ -1,107 +0,0 @@ -package code_04_stackQueue; - -/** - * 622. Design Circular Queue - * - * Design your implementation of the circular queue. The circular queue is a linear data structure in which the operations are performed based on FIFO (First In First Out) principle and the last position is connected back to the first position to make a circle. It is also called "Ring Buffer". - - One of the benefits of the circular queue is that we can make use of the spaces in front of the queue. In a normal queue, once the queue becomes full, we cannot insert the next element even if there is a space in front of the queue. But using the circular queue, we can use the space to store new values. - - * Your implementation should support following operations: - - MyCircularQueue(k): Constructor, set the size of the queue to be k. - Front: Get the front item from the queue. If the queue is empty, return -1. - Rear: Get the last item from the queue. If the queue is empty, return -1. - enQueue(value): Insert an element into the circular queue. Return true if the operation is successful. - deQueue(): Delete an element from the circular queue. Return true if the operation is successful. - isEmpty(): Checks whether the circular queue is empty or not. - isFull(): Checks whether the circular queue is full or not. - - * Note: - All values will be in the range of [0, 1000]. - The number of operations will be in the range of [1, 1000]. - Please do not use the built-in Queue library. - */ -public class Code_622_DesignCircularQueue { - static class MyCircularQueue { - private int[] data; - - //front==tail 队列为空 - //(tail+1)/data.length==front队列为空 - private int front,tail; - private int size; - - /** Initialize your data structure here. Set the size of the queue to be k. */ - public MyCircularQueue(int k) { - //损失一个1单位,用来区分队列是满的还是空的 - data=new int[k+1]; - front=0; - tail=0; - size=0; - } - - /** Insert an element into the circular queue. Return true if the operation is successful. */ - public boolean enQueue(int value) { - //先判断队列是否满了 - if(isFull()){ - return false; - } - data[tail]=value; - tail=(tail+1)%data.length; - size++; - return true; - } - - /** Delete an element from the circular queue. Return true if the operation is successful. */ - public boolean deQueue() { - if(isEmpty()){ - return false; - } - //E保存出队的元素 - int E=data[front]; - front=(front+1)%data.length; - size--; - return true; - } - - /** Get the front item from the queue. */ - public int Front() { - if(isEmpty()){ - return -1; - } - return data[front]; - } - - /** Get the last item from the queue. */ - public int Rear() { - if(isEmpty()) { - return -1; - } - //注意这是循环队列,tail的值是循环变化的 - return data[(tail+data.length-1)%data.length]; - } - - /** Checks whether the circular queue is empty or not. */ - public boolean isEmpty() { - return front==tail; - } - - /** Checks whether the circular queue is full or not. */ - public boolean isFull() { - return (tail+1)%data.length==front; - } - } - - public static void main(String[] args) { - MyCircularQueue queue=new MyCircularQueue(3); - System.out.println(queue.enQueue(1)); - System.out.println(queue.enQueue(2)); - System.out.println(queue.enQueue(3)); - System.out.println(queue.enQueue(4)); - System.out.println(queue.Rear()); - System.out.println(queue.isFull()); - System.out.println(queue.deQueue()); - System.out.println(queue.enQueue(4)); - System.out.println(queue.Rear()); - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_637_AverageOfLevelsInBinaryTree.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_637_AverageOfLevelsInBinaryTree.java deleted file mode 100644 index 77ef1df..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_637_AverageOfLevelsInBinaryTree.java +++ /dev/null @@ -1,87 +0,0 @@ -package code_04_stackQueue; - -import org.junit.Test; - -import java.util.ArrayList; -import java.util.LinkedList; -import java.util.List; -import java.util.Queue; - -/** - * 637. Average of Levels in Binary Tree - * Given a non-empty binary tree, return the average value of the nodes on each level in the form of an array. - * - * Given a non-empty binary tree, return the average value of the nodes on each level in the form of an array. - * Example 1: - Input: - 3 - / \ - 9 20 - / \ - 15 7 - Output: [3, 14.5, 11] - Explanation: - The average value of nodes on level 0 is 3, on level 1 is 14.5, and on level 2 is 11. Hence return [3, 14.5, 11]. - */ -public class Code_637_AverageOfLevelsInBinaryTree { - public List averageOfLevels(TreeNode root) { - //存储层序遍历各层的元素 - List> list=new ArrayList<>(); - Queue q=new LinkedList<>(); - q.add(new Pair(root,0)); - while(!q.isEmpty()){ - Pair pair=q.poll(); - TreeNode treeNode=pair.treeNode; - int level=pair.level; - if(level==list.size()){ - list.add(new ArrayList<>()); - } - list.get(level).add(treeNode.val); - if(treeNode.left!=null){ - q.add(new Pair(treeNode.left,level+1)); - } - if(treeNode.right!=null){ - q.add(new Pair(treeNode.right,level+1)); - } - } - - List res=new ArrayList<>(); - if(list.size()==0){ - return res; - } - int sum=0; - for(List tmp:list){ - res.add(getAverage(tmp)); - } - return res; - } - - private double getAverage(List list){ - //这里要注意 节点值为2147483647相加的情况 - long sum=0L; - for(Integer num:list){ - sum+=num; - //[2147483647.0,2147483647.0] - } - return (sum*1.0)/list.size(); - } - - private class Pair{ - TreeNode treeNode; - int level; - Pair(TreeNode treeNode,int level){ - this.treeNode=treeNode; - this.level=level; - } - } - - @Test - public void test(){ - TreeNode node=new TreeNode(2147483647); - TreeNode node2=new TreeNode(2147483647); - TreeNode node3=new TreeNode(2147483647); - node.left=node2; - node.right=node3; - System.out.println(averageOfLevels(node)); - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_692_TopKFrequentWords.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_692_TopKFrequentWords.java deleted file mode 100644 index a7f94f0..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_692_TopKFrequentWords.java +++ /dev/null @@ -1,80 +0,0 @@ -package code_04_stackQueue; - -import org.junit.Test; - -import java.util.*; - -/** - * 692. Top K Frequent Words - * - * Example 1: - Input: ["i", "love", "leetcode", "i", "love", "coding"], k = 2 - Output: ["i", "love"] - Explanation: "i" and "love" are the two most frequent words. - Note that "i" comes before "love" due to a lower alphabetical order. - - * Example 2: - Input: ["the", "day", "is", "sunny", "the", "the", "the", "sunny", "is", "is"], k = 4 - Output: ["the", "is", "sunny", "day"] - Explanation: "the", "is", "sunny" and "day" are the four most frequent words, - with the number of occurrence being 4, 3, 2 and 1 respectively. - - * Note: - You may assume k is always valid, 1 ≤ k ≤ number of unique elements. - Input words contain only lowercase letters. - */ -public class Code_692_TopKFrequentWords { - public List topKFrequent(String[] words, int k) { - List res=new ArrayList<>(); - PriorityQueue pq=new PriorityQueue<>(new Comparator() { - @Override - public int compare(Pair p1, Pair p2) { - //先按照词频进行升序排列 - int num=p1.freq-p2.freq; - //再按照word种地字母顺序进行排序 - int num2=(num==0)?p2.word.compareTo(p1.word):num; - return num2; - } - }); - - //统计单词及词频 - HashMap map=new HashMap<>(); - for(String word:words){ - int freq=map.getOrDefault(word,0); - map.put(word,++freq); - } - - for(String word:map.keySet()){ - pq.add(new Pair(word,map.get(word))); - if (pq.size() > k){ - pq.poll(); - } - } - - while(!pq.isEmpty()){ - Pair p=pq.poll(); - res.add(p.word); - } - Collections.reverse(res); - return res; - } - - //封装单词和对应的词频 - private class Pair{ - String word; - int freq; - public Pair(String word,int freq){ - this.word=word; - this.freq=freq; - } - } - - @Test - public void test(){ - String[] arr={"i", "love", "leetcode", "i", "love", "coding"}; - int k = 1; - //String[] arr={"the", "day", "is", "sunny", "the", "the", "the", "sunny", "is", "is"}; - //int k = 4; - System.out.println(topKFrequent(arr,k)); - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_71_SimplifyPath.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_71_SimplifyPath.java deleted file mode 100644 index 51bdd54..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_71_SimplifyPath.java +++ /dev/null @@ -1,55 +0,0 @@ -package code_04_stackQueue; - -import java.util.Stack; - -/** - * 71. Simplify Path - * - * Given an absolute path for a file (Unix-style), simplify it. - * - * For example, - * path = "/home/", => "/home" - * path = "/a/./b/../../c/", => "/c" - * path = "/a/../../b/../c//.//", => "/c" - * path = "/a//b////c/d//././/..", => "/a/b/c" - * - * In a UNIX-style file system, a period ('.') refers to the current directory, - * so it can be ignored in a simplified path. Additionally, a double period ("..") moves up a directory, - * so it cancels out whatever the last directory was. For more information, look here: https://en.wikipedia.org/wiki/Path_(computing)#Unix_style - - * Corner Cases: - * Did you consider the case where path = "/../"? - * In this case, you should return "/". - * - * Another corner case is the path might contain multiple slashes '/' together, such as "/home//foo/". - * In this case, you should ignore redundant slashes and return "/home/foo". - */ -public class Code_71_SimplifyPath { - /** - * 思路: - * 字符串处理,由于".."是返回上级目录(如果是根目录则不处理),因此可以考虑用栈记录路径名,以便于处理。 - * 需要注意几个细节: - *1、何时出栈? - * "../ "代表回上一级目录,那么把栈定元素出栈 - * - * 2、何时 - * 如果遇到不是 ".",也不是"",不是"..",那么进栈 - * "" 针对的是 // 这种情况。 - */ - public String simplifyPath(String path) { - String[] paths=path.split("/"); - - Stack stack=new Stack<>(); - for(String p:paths){ - //出栈的时候要保证栈是非空的 - if("..".equals(p) && !stack.empty()){ - stack.pop(); - } - //注意条件是使用 && 进行连接的 - if(! "..".equals(p) && !"".equals(p) && !".".equals(p)){ - stack.push(p); - } - } - return "/"+String.join("/",stack); - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_735_AsteroidCollision.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_735_AsteroidCollision.java deleted file mode 100644 index 94c263b..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_735_AsteroidCollision.java +++ /dev/null @@ -1,120 +0,0 @@ -package code_04_stackQueue; - -import org.junit.Test; - -import java.util.Stack; - -/** - *735. Asteroid Collision - * - * We are given an array asteroids(小行星) of integers representing asteroids in a row. - * For each asteroid, the absolute value represents its size, - * and the sign represents its direction (positive meaning right, negative meaning left). - * Each asteroid moves at the same speed. - * - * Find out the state of the asteroids after all collisions. - * If two asteroids meet, the smaller one will explode. - * If both are the same size, both will explode. - * Two asteroids moving in the same direction will never meet. - * - * Example 1: - Input: - asteroids = [5, 10, -5] - Output: [5, 10] - Explanation: - The 10 and -5 collide resulting in 10. The 5 and 10 never collide. - - * Example 2: - Input: - asteroids = [8, -8] - Output: [] - Explanation: - The 8 and -8 collide exploding each other. - - * Example 3: - Input: - asteroids = [10, 2, -5] - Output: [10] - Explanation: - The 2 and -5 collide resulting in -5. The 10 and -5 collide resulting in 10. - - * Example 4: - Input: - asteroids = [-2, -1, 1, 2] - Output: [-2, -1, 1, 2] - Explanation: - The -2 and -1 are moving left, while the 1 and 2 are moving right. - Asteroids moving the same direction never meet, so no asteroids will meet each other. - - * Note: - The length of asteroids will be at most 10000. - Each asteroid will be a non-zero integer in the range [-1000, 1000].. - */ -public class Code_735_AsteroidCollision { - /** - * 思路: - * 利用stack存储,每次对比栈顶元素(相同的话就放入栈中),否则就对比,直至栈顶相同为止 - * 注意:当栈顶为负数时,直接进栈。 - * 只有当栈顶为正数才需要发生碰撞 - */ - public int[] asteroidCollision(int[] asteroids) { - if(asteroids==null || asteroids.length==0){ - return new int[]{}; - } - if(asteroids.length==1){ - return new int[]{asteroids[0]}; - } - Stack stack=new Stack<>(); - for(int i=0;i 0则直接加入栈中 - if(stack.isEmpty() || asteroids[i]>0){ - stack.push(asteroids[i]); - continue; - } - //处理 asteroids[i]<0的情况 - while(true){ - //获取栈顶元素 - int top=stack.peek(); - //栈顶元素<0,那么就不会碰撞,直接入栈即可 - if(top<0){ - stack.push(asteroids[i]); - break; - } - //栈顶元素>0的情况 - if(top==-asteroids[i]){ - //相等,则碰撞后,两颗行星都会消失:asteroids[i]不能插入,栈顶元素出栈 - stack.pop(); - break; - }else if(top>-asteroids[i]){ - //相撞后,top方向质量更大:asteroids[i]不能插入 - break; - }else{ - //相撞后,asteroids[i]方向质量更大:将top出栈,将asteroids[i]插入 - stack.pop(); - if(stack.isEmpty()){ - //栈为空说明asteroids[i]是质量最大的 - stack.push(asteroids[i]); - break; - } - } - } - } - - int [] res=new int[stack.size()]; - int i=stack.size()-1; - while(!stack.empty()){ - res[i--]=stack.pop(); - } - return res; - } - - @Test - public void test(){ - //int[] as={-2, -1, 1, 2}; - int[] as={10, 2, -5}; - int[] res=asteroidCollision(as); - for(int i:res){ - System.out.println(i); - } - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_752_OpenTheLock.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_752_OpenTheLock.java deleted file mode 100644 index b1f86ef..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_752_OpenTheLock.java +++ /dev/null @@ -1,120 +0,0 @@ -package code_04_stackQueue; - -import org.junit.Test; - -import java.util.HashSet; -import java.util.LinkedList; -import java.util.Queue; -import java.util.Set; - -/** - * 752. Open the Lock - * - * You have a lock in front of you with 4 circular wheels. - * Each wheel has 10 slots: '0', '1', '2', '3', '4', '5', '6', '7', '8', '9'. - * The wheels can rotate freely and wrap around: - * for example we can turn '9' to be '0', or '0' to be '9'. Each move consists of turning one wheel one slot. - * The lock initially starts at '0000', a string representing the state of the 4 wheels. - * - * You are given a list of deadends dead ends, - * meaning if the lock displays any of these codes, the wheels of the lock will stop turning and you will be unable to open it. - * Given a target representing the value of the wheels that will unlock the lock, - * return the minimum total number of turns required to open the lock, or -1 if it is impossible. - * - * Example 1: - Input: deadends = ["0201","0101","0102","1212","2002"], target = "0202" - Output: 6 - Explanation: - A sequence of valid moves would be "0000" -> "1000" -> "1100" -> "1200" -> "1201" -> "1202" -> "0202". - Note that a sequence like "0000" -> "0001" -> "0002" -> "0102" -> "0202" would be invalid, - because the wheels of the lock become stuck after the display becomes the dead end "0102". - - * Example 2: - Input: deadends = ["8888"], target = "0009" - Output: 1 - Explanation: - We can turn the last wheel in reverse to move from "0000" -> "0009". - -* Example 3: - Input: deadends = ["8887","8889","8878","8898","8788","8988","7888","9888"], target = "8888" - Output: -1 - Explanation: - We can't reach the target without getting stuck. - */ -public class Code_752_OpenTheLock { - /** - * 思路: - * 将每次得到的锁都看成节点, - * 锁1到锁2的路径就是从当前锁转动后得到的新的锁的值。 - * 一直进行BFS即可。 - */ - public int openLock(String[] deadends, String target) { - Set deadSet=new HashSet<>(); - for(String deadend:deadends){ - deadSet.add(deadend); - } - - if(deadSet.contains(target) || deadSet.contains("0000")){ - return -1; - } - - Set visited=new HashSet<>(); - Queue q=new LinkedList<>(); - q.add(new Pair("0000",0)); - visited.add("0000"); - while(!q.isEmpty()){ - Pair p=q.poll(); - String curS=p.s; - int curTurn=p.turn; - Set next=getNextLock(curS,deadSet); - for(String lock:next){ - if(!visited.contains(lock)){ - if(target.equals(lock)){ - return curTurn+1; - } - visited.add(lock); - q.add(new Pair(lock,curTurn+1)); - } - } - } - return -1; - } - - //锁的密码是s时,获取下一个有可能的锁密码 - private Set getNextLock(String s,Set deadends){ - Set res=new HashSet<>(); - assert s.length()==4; - for(int i=0;i<4;i++){ - int num = s.charAt(i)- '0'; - int d = num + 1; - if(d > 9) d = 0; - String t=s.substring(0,i)+((char) (d+'0'))+s.substring(i+1,4); - if(!deadends.contains(t)){ - res.add(t); - } - d=num-1; - if(d < 0) d = 9; - t=s.substring(0,i)+((char) (d+'0'))+s.substring(i+1,4); - if(!deadends.contains(t)){ - res.add(t); - } - } - return res; - } - - private class Pair{ - String s; - int turn; - Pair(String s,int turn){ - this.s=s; - this.turn=turn; - } - } - - @Test - public void test(){ - String[] arr={"0201","0101","0102","1212","2002"}; - String target="0202"; - System.out.println(openLock(arr,target)); - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_856_ScoreofParentheses.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_856_ScoreofParentheses.java deleted file mode 100644 index 25a36b7..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_856_ScoreofParentheses.java +++ /dev/null @@ -1,102 +0,0 @@ -package code_04_stackQueue; - -import org.junit.Test; - -import java.util.Stack; - -/** - * 856. Score of Parentheses - * - * Given a balanced parentheses string S, compute the score of the string based on the following rule: - - () has score 1 - - AB has score A + B, where A and B are balanced parentheses strings. - - (A) has score 2 * A, where A is a balanced parentheses string. - - * Example 1: - Input: "()" - Output: 1 - - * Example 2: - Input: "(())" - Output: 2 - - * Example 3: - Input: "()()" - Output: 2 - - * Example 4: - Input: "(()(()))" - Output: 6 - - * Note: - S is a balanced parentheses string, containing only ( and ). - 2 <= S.length <= 50 - */ -public class Code_856_ScoreofParentheses { - /** - * 思路一: - * 用栈解决的话,如果遇到左括号,则入栈。 - * 如果遇到右括号,判断栈顶是不是右括号,如果是则说明是(),出栈并压数字1; - * 否则说明是(A)型,将内部数字全部加起来的和*2,得到的结果再次入栈。 - * 最后栈内是各种数字,加起来就可以了。 - */ - public int scoreOfParentheses1(String S) { - int res=0; - Stack s=new Stack<>(); - for(int i=0;i转化为:"(())"+"((()))" --> 计算 2^(2-1) + 2^(3-1) - * "(()(()()))" --> 转换为:"(())"+"((()))"+"((())))" --> 计算 2^(2-1)+2^(3-1)+2^(3-1) - */ - public int scoreOfParentheses(String S) { - int res = 0; - //记录"("的数量 - int balance = 0; - for(int i=0;i> stack; - - public StockSpanner() { - stack=new Stack<>(); - } - - public int next(int price) { - if(stack.isEmpty() || stack.peek().getKey()>price){ - stack.push(new Pair<>(price,1)); - return 1; - } - int cnt=1; - while(!stack.isEmpty() && stack.peek().getKey()<=price){ - cnt+=stack.pop().getValue(); - } - stack.push(new Pair<>(price,cnt)); - return cnt; - } - } - - @Test - public void test(){ - StockSpanner obj = new StockSpanner(); - int param_1 = obj.next(100); - int param_2 = obj.next(80); - int param_3 = obj.next(60); - int param_4 = obj.next(70); - int param_5 = obj.next(60); - int param_6 = obj.next(75); - int param_7 = obj.next(85); - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/Code_94_BinaryTreeInorderTraversal.java b/LeetCodeSolutions/src/code_04_stackQueue/Code_94_BinaryTreeInorderTraversal.java deleted file mode 100644 index f744288..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/Code_94_BinaryTreeInorderTraversal.java +++ /dev/null @@ -1,47 +0,0 @@ -package code_04_stackQueue; - -import java.util.ArrayList; -import java.util.List; -import java.util.Stack; - -/** - * Created by 18351 on 2018/11/8. - */ -public class Code_94_BinaryTreeInorderTraversal { - private enum Command{GO,PRINT}; - - private class StackNode{ - Command command; - TreeNode node; - StackNode(Command command, TreeNode node){ - this.command=command; - this.node=node; - } - } - - public List inorderTraversal(TreeNode root) { - List ret=new ArrayList<>(); - if(root==null){ - return ret; - } - - Stack stack=new Stack<>(); - stack.push(new StackNode(Command.GO,root)); - while(!stack.empty()){ - StackNode stackNode=stack.pop(); - Command command=stackNode.command; - if(command== Command.PRINT){ - ret.add(stackNode.node.val); - }else{ - if(stackNode.node.right!=null){ - stack.push(new StackNode(Command.GO,stackNode.node.right)); - } - stack.push(new StackNode(Command.PRINT,stackNode.node)); - if(stackNode.node.left!=null){ - stack.push(new StackNode(Command.GO,stackNode.node.left)); - } - } - } - return ret; - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/ListNode.java b/LeetCodeSolutions/src/code_04_stackQueue/ListNode.java deleted file mode 100644 index 387991c..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/ListNode.java +++ /dev/null @@ -1,12 +0,0 @@ -package code_04_stackQueue; - -/** - * Created by 18351 on 2018/11/12. - */ -public class ListNode { - int val; - ListNode next; - ListNode(int x) { - val = x; - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/NestedInteger.java b/LeetCodeSolutions/src/code_04_stackQueue/NestedInteger.java deleted file mode 100644 index c425394..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/NestedInteger.java +++ /dev/null @@ -1,20 +0,0 @@ -package code_04_stackQueue; - -import java.util.List; - -/** - * // This is the interface that allows for creating nested lists. - * // You should not implement it, or speculate about its implementation - */ -public interface NestedInteger { - // @return true if this NestedInteger holds a single integer, rather than a nested list. - public boolean isInteger(); - - // @return the single integer that this NestedInteger holds, if it holds a single integer - // Return null if this NestedInteger holds a nested list - public Integer getInteger(); - - // @return the nested list that this NestedInteger holds, if it holds a nested list - // Return null if this NestedInteger holds a single integer - public List getList(); -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/PriorityQueueUsing.java b/LeetCodeSolutions/src/code_04_stackQueue/PriorityQueueUsing.java deleted file mode 100644 index a04e45e..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/PriorityQueueUsing.java +++ /dev/null @@ -1,69 +0,0 @@ -package code_04_stackQueue; - -import java.util.Comparator; -import java.util.PriorityQueue; -import java.util.Random; - -/** - * 优先队列的底层实现是堆 - */ -public class PriorityQueueUsing { - public static void main(String[] args) { - Random random=new Random(); - - //Java语言,默认情况下是最小堆 - PriorityQueue pq=new PriorityQueue<>(); - for(int i=0;i<10;i++){ - int num=random.nextInt(100)+1; - //产生[1,100]之间的随机数 - System.out.println("insert "+num+" into priority queue."); - pq.add(num); - } - while(!pq.isEmpty()){ - int num=pq.poll(); - System.out.print(num+" "); - } - System.out.println(); - - //底层使用最小堆 - PriorityQueue pq2=new PriorityQueue<>(new Comparator() { - @Override - public int compare(Integer o1, Integer o2) { - int num=o2-o1; - return num; - } - }); - for(int i=0;i<10;i++){ - int num=random.nextInt(100)+1; - //产生[1,100]之间的随机数 - System.out.println("insert "+num+" into priority queue."); - pq2.add(num); - } - while(!pq2.isEmpty()){ - int num=pq2.poll(); - System.out.print(num+" "); - } - System.out.println(); - - //自定义Comparator的优先队列 - PriorityQueue pq3=new PriorityQueue<>(new Comparator() { - @Override - public int compare(Integer o1, Integer o2) { - int num=o2%10-o1%10; - //这里是按照个位上的数字,得到的最大堆 - return num; - } - }); - for(int i=0;i<10;i++){ - int num=random.nextInt(100)+1; - //产生[1,100]之间的随机数 - System.out.println("insert "+num+" into priority queue."); - pq3.add(num); - } - while(!pq3.isEmpty()){ - int num=pq3.poll(); - System.out.print(num+" "); - } - System.out.println(); - } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/TreeNode.java b/LeetCodeSolutions/src/code_04_stackQueue/TreeNode.java deleted file mode 100644 index 30789f0..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/TreeNode.java +++ /dev/null @@ -1,11 +0,0 @@ -package code_04_stackQueue; - -/** - * Created by 18351 on 2018/11/8. - */ -public class TreeNode { - int val; - TreeNode left; - TreeNode right; - TreeNode(int x) { val = x; } -} diff --git a/LeetCodeSolutions/src/code_04_stackQueue/UndirectedGraphNode.java b/LeetCodeSolutions/src/code_04_stackQueue/UndirectedGraphNode.java deleted file mode 100644 index d7b4337..0000000 --- a/LeetCodeSolutions/src/code_04_stackQueue/UndirectedGraphNode.java +++ /dev/null @@ -1,16 +0,0 @@ -package code_04_stackQueue; - -import java.util.ArrayList; -import java.util.List; - -/** - * Created by 18351 on 2018/12/24. - */ -public class UndirectedGraphNode{ - public int label; - public List neighbors; - public UndirectedGraphNode(int x) { - label = x; - neighbors = new ArrayList(); - } -} \ No newline at end of file diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_100_SameTree.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_100_SameTree.java deleted file mode 100644 index 3214ad6..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_100_SameTree.java +++ /dev/null @@ -1,56 +0,0 @@ -package code_05_binaryTree; - -/** - * Given two binary trees, write a function to check if they are the same or not. - - Two binary trees are considered the same if they are structurally identical and the nodes have the same value. - - Example 1: - - Input: - 1 1 - / \ / \ - 2 3 2 3 - - [1,2,3], [1,2,3] - - Output: true - Example 2: - - Input: - 1 1 - / \ - 2 2 - - [1,2], [1,null,2] - - Output: false - Example 3: - - Input: - 1 1 - / \ / \ - 2 1 1 2 - - [1,2,1], [1,1,2] - - Output: false - */ -public class Code_100_SameTree { - public boolean isSameTree(TreeNode p, TreeNode q) { - if(p==null && q==null){ - return true; - } - if(p==null && q!=null){ - return false; - } - if(p!=null && q==null){ - return false; - } - //注意p.q是对象,比较的是节点的值 - if(p.val!=q.val){ - return false; - } - return isSameTree(p.left,q.left) && isSameTree(p.right,q.right); - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_101_SymmetricTree.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_101_SymmetricTree.java deleted file mode 100644 index e623ee4..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_101_SymmetricTree.java +++ /dev/null @@ -1,48 +0,0 @@ -package code_05_binaryTree; - -/** - * Given a binary tree, check whether it is a mirror of itself (ie, symmetric around its center). - * - * For example, this binary tree [1,2,2,3,4,4,3] is symmetric: - - 1 - / \ - 2 2 - / \ / \ - 3 4 4 3 - But the following [1,2,2,null,3,null,3] is not: - 1 - / \ - 2 2 - \ \ - 3 3 - Note: - Bonus points if you could solve it both recursively and iteratively. - */ -public class Code_101_SymmetricTree { - public boolean isSymmetric(TreeNode root) { - if(root==null){ - return true; - } - return isSymmetric(root.left,root.right); - } - - //判断两棵树是否对称 - private boolean isSymmetric(TreeNode p,TreeNode q){ - if(p==null && q==null){ - return true; - } - if(p==null && q!=null){ - return false; - } - if(p!=null && q==null){ - return false; - } - //注意p.q是对象,比较的是节点的值 - if(p.val!=q.val){ - return false; - } - - return isSymmetric(p.left,q.right) && isSymmetric(p.right,q.left); - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_104_MaximumDepthOfBinaryTree.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_104_MaximumDepthOfBinaryTree.java deleted file mode 100644 index 5581fba..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_104_MaximumDepthOfBinaryTree.java +++ /dev/null @@ -1,29 +0,0 @@ -package code_05_binaryTree; - -/** - * 104. Maximum Depth of Binary Tree - * - * Given a binary tree, find its maximum depth. - * The maximum depth is the number of nodes along the longest path from the root node down to the farthest leaf node. - * - * Note: - * A leaf is a node with no children. - * - * Example: - * Given binary tree [3,9,20,null,null,15,7], - - 3 - / \ - 9 20 - / \ - 15 7 - * return its depth = 3. - */ -public class Code_104_MaximumDepthOfBinaryTree { - public int maxDepth(TreeNode root) { - if(root==null){ - return 0; - } - return Math.max(maxDepth(root.left),maxDepth(root.right))+1; - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_105_ConstructBinaryTreefromPreorderandInorderTraversal.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_105_ConstructBinaryTreefromPreorderandInorderTraversal.java deleted file mode 100644 index 1919e6b..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_105_ConstructBinaryTreefromPreorderandInorderTraversal.java +++ /dev/null @@ -1,27 +0,0 @@ -package code_05_binaryTree; - -/** - * Created by 18351 on 2019/1/4. - */ -public class Code_105_ConstructBinaryTreefromPreorderandInorderTraversal { - public TreeNode buildTree(int[] preorder, int[] inorder) { - return buildTree(preorder,inorder,0,preorder.length-1,0,inorder.length-1); - } - - private TreeNode buildTree(int[] preorder,int[] inorder,int preStart,int preEnd,int inStart,int inEnd){ - if(preStart>preEnd || inStart>inEnd){ - return null; - } - TreeNode root=new TreeNode(preorder[preStart]); - int mid=0; - for(int i=inStart;i<=inEnd;i++){ - if(inorder[i]==preorder[preStart]){ - mid=i; - break; - } - } - root.left=buildTree(preorder,inorder,preStart+1,preStart+(mid-inStart),inStart,mid-1); - root.right=buildTree(preorder,inorder,preStart+(mid-inStart)+1,preEnd,mid+1,inEnd); - return root; - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_106_ConstructBinaryTreefromInorderAndPostorderTraversal.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_106_ConstructBinaryTreefromInorderAndPostorderTraversal.java deleted file mode 100644 index 2c4157a..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_106_ConstructBinaryTreefromInorderAndPostorderTraversal.java +++ /dev/null @@ -1,27 +0,0 @@ -package code_05_binaryTree; - -/** - * Created by 18351 on 2019/1/4. - */ -public class Code_106_ConstructBinaryTreefromInorderAndPostorderTraversal { - public TreeNode buildTree(int[] inorder, int[] postorder) { - return buildTree(inorder,postorder,0,inorder.length-1,0,postorder.length-1); - } - - private TreeNode buildTree(int[] inorder,int[] postorder,int inStart,int inEnd,int postStart,int postEnd){ - if(inStart>inEnd || postStart>postEnd){ - return null; - } - TreeNode root=new TreeNode(postorder[postEnd]); - int mid=0; - for(int i=inStart;i<=inEnd;i++){ - if(inorder[i]==postorder[postEnd]){ - mid=i; - break; - } - } - root.left=buildTree(inorder,postorder,inStart,mid-1,postStart,postStart+(mid-inStart)-1); - root.right=buildTree(inorder,postorder,mid+1,inEnd,postStart+(mid-inStart),postEnd-1); - return root; - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_108_ConvertSortedArrayToBinarySearchTree.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_108_ConvertSortedArrayToBinarySearchTree.java deleted file mode 100644 index 830d5b7..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_108_ConvertSortedArrayToBinarySearchTree.java +++ /dev/null @@ -1,28 +0,0 @@ -package code_05_binaryTree; - -/** - * 108. Convert Sorted Array to Binary Search Tree - * - * Given an array where elements are sorted in ascending order, convert it to a height balanced BST. - * For this problem, a height-balanced binary tree is defined as a binary tree in which the depth of the two subtrees of every node - * never differ by more than 1. - */ -public class Code_108_ConvertSortedArrayToBinarySearchTree { - public TreeNode sortedArrayToBST(int[] nums) { - return sortedArrayToBST(nums,0,nums.length-1); - } - - private TreeNode sortedArrayToBST(int[] nums,int start,int end) { - if(start>end){ - return null; - } - int mid=start+(end-start)/2; - TreeNode root=new TreeNode(nums[mid]); - if(start==end){ - return root; - } - root.left=sortedArrayToBST(nums,start,mid-1); - root.right=sortedArrayToBST(nums,mid+1,end); - return root; - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_109_ConvertSortedListtoBinarySearchTree.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_109_ConvertSortedListtoBinarySearchTree.java deleted file mode 100644 index 16b6570..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_109_ConvertSortedListtoBinarySearchTree.java +++ /dev/null @@ -1,127 +0,0 @@ -package code_05_binaryTree; - -import org.junit.Test; - -/** - * 109. Convert Sorted List to Binary Search Tree - * - * Given a singly linked list where elements are sorted in ascending order, - * convert it to a height balanced BST. - * For this problem, a height-balanced binary tree is - * defined as a binary tree in which the depth of the two subtrees of every node never differ by more than 1. - * - * Example: - - Given the sorted linked list: [-10,-3,0,5,9], - - One possible answer is: [0,-3,9,-10,null,5], which represents the following height balanced BST: - - 0 - / \ - -3 9 - / / - -10 5 - */ -public class Code_109_ConvertSortedListtoBinarySearchTree { - /** - * 思路二:局部从下往上构造BST - */ - private ListNode cur; - public TreeNode sortedListToBST(ListNode head) { - if (head == null) { - return null; - } - cur=head; - return buildBST(0,getLength(head)-1); - } - - private TreeNode buildBST(int start,int end){ - if(start>end){ - return null; - } - int mid=start+(end-start)/2; - TreeNode left=buildBST(start,mid-1); - - TreeNode root=new TreeNode(cur.val); - cur=cur.next; - - TreeNode right=buildBST(mid+1,end); - - root.left=left; - root.right=right; - return root; - } - - /** - * 思路一:108题思路 - */ - public TreeNode sortedListToBST1(ListNode head) { - if(head==null){ - return null; - } - return sortedListToBST(head,0,getLength(head)-1); - } - - private TreeNode sortedListToBST(ListNode head,int start,int end){ - if(start>end){ - return null; - } - int mid=start+(end-start)/2; - TreeNode root=new TreeNode(getElement(head,mid)); - if(start==end){ - return root; - } - root.left=sortedListToBST(head,start,mid-1); - root.right=sortedListToBST(head,mid+1,end); - return root; - } - - private int getLength(ListNode head){ - int count=0; - ListNode cur=head; - while(cur!=null){ - count++; - cur=cur.next; - } - return count; - } - - //按照index获取链表中数据 - private int getElement(ListNode head,int index){ - int i=0; - ListNode cur=head; - while(cur!=null && i!=index){ - cur=cur.next; - i++; - } - return cur.val; - } - - public void preOrder(TreeNode root){ - if(root==null){ - return; - } - System.out.println(root.val); - preOrder(root.left); - preOrder(root.right); - } - - public void inOrder(TreeNode root){ - if(root==null){ - return; - } - inOrder(root.left); - System.out.println(root.val); - inOrder(root.right); - } - - @Test - public void test(){ - int[] arr={-10,-3,0,5,9}; - ListNode head=LinkedListUtils.createLinkedList(arr); - TreeNode root=sortedListToBST(head); - preOrder(root); - System.out.println("================="); - inOrder(root); - } -} \ No newline at end of file diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_110_BalancedBinaryTree.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_110_BalancedBinaryTree.java deleted file mode 100644 index e0fd098..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_110_BalancedBinaryTree.java +++ /dev/null @@ -1,35 +0,0 @@ -package code_05_binaryTree; - -/** - * 110. Balanced Binary Tree - * - * Given a binary tree, determine if it is height-balanced. - * - * For this problem, a height-balanced binary tree is defined as: - * a binary tree in which the depth of the two subtrees of every node never differ by more than 1. - */ -public class Code_110_BalancedBinaryTree { - public boolean isBalanced(TreeNode root) { - if(root==null){ - return true; - } - if(root.left==null && root.right==null){ - return true; - } - //获取该树的左右子树的深度 - int l=getTreeDepth(root.left); - int r=getTreeDepth(root.right); - if(Math.abs(l-r)>1){ - return false; - } - return isBalanced(root.left) && isBalanced(root.right); - } - - //得到一棵树的深度 - private int getTreeDepth(TreeNode root){ - if(root==null){ - return 0; - } - return Math.max(getTreeDepth(root.left),getTreeDepth(root.right))+1; - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_111_MinimumDepthOfBinaryTree.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_111_MinimumDepthOfBinaryTree.java deleted file mode 100644 index 097f6a6..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_111_MinimumDepthOfBinaryTree.java +++ /dev/null @@ -1,46 +0,0 @@ -package code_05_binaryTree; - -/** - * 111. Minimum Depth of Binary Tree - * Given a binary tree, find its minimum depth. - * The minimum depth is the number of nodes along the shortest path from the root node down to the nearest leaf node. - - * Note: A leaf is a node with no children. - - * Example: Given binary tree [3,9,20,null,null,15,7], - - 3 - / \ - 9 20 - / \ - 15 7 - * return its minimum depth = 2. - */ -public class Code_111_MinimumDepthOfBinaryTree { - public int minDepth(TreeNode root) { - if(root==null) { - return 0; - } - /** - * 针对 - * 1 - * \ - * 2 - * 的情况 - */ - if(root.left==null){ - return minDepth(root.right)+1; - } - /** - * 针对 - * 1 - * / - * 2 - * 的情况 - */ - if(root.right==null){ - return minDepth(root.left)+1; - } - return Math.min(minDepth(root.left),minDepth(root.right))+1; - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_112_PathSum.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_112_PathSum.java deleted file mode 100644 index fd6ac08..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_112_PathSum.java +++ /dev/null @@ -1,32 +0,0 @@ -package code_05_binaryTree; - -/** - * Given a binary tree and a sum, determine if the tree has a root-to-leaf path such that adding up all the values along the path equals the given sum. - * Note: A leaf is a node with no children. - * - * Example: - * Given the below binary tree and sum = 22, - - 5 - / \ - 4 8 - / / \ - 11 13 4 - / \ \ - 7 2 1 - return true, as there exist a root-to-leaf path 5->4->11->2 which sum is 22. - */ -public class Code_112_PathSum { - public boolean hasPathSum(TreeNode root, int sum) { - //注意递归结束的条件 - if(root==null){ - //如果是一个空树,那么是不可能有路径的 - return false; - } - if(root.left==null && root.right==null){ - //如果根节点是叶子节点 - return root.val==sum; - } - return hasPathSum(root.left,sum-root.val) || hasPathSum(root.right,sum-root.val); - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_113_PathSumII.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_113_PathSumII.java deleted file mode 100644 index f614381..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_113_PathSumII.java +++ /dev/null @@ -1,97 +0,0 @@ -package code_05_binaryTree; - -import org.junit.Test; - -import java.util.*; - -/** - * Given a binary tree and a sum, find all root-to-leaf paths where each path's sum equals the given sum. - * Note: A leaf is a node with no children. - * - * Example: - * Given the below binary tree and sum = 22, - 5 - / \ - 4 8 - / / \ - 11 13 4 - / \ / \ - 7 2 5 1 - - * Return: - [ - [5,4,11,2], - [5,8,4,5] - ] - */ -public class Code_113_PathSumII { - private List> res; - - public List> pathSum(TreeNode root, int sum) { - res=new ArrayList<>(); - if(root==null){ - return res; - } - List p=new ArrayList<>(); - dfs(root,0,sum,p); - return res; - } - - private void dfs(TreeNode node,int tSum, int sum,List p){ - if(node==null){ - return; - } - p.add(node.val); - tSum+=node.val; - - //到达叶子节点并且路径值和为sum,这说明找到了一条路径,将值存入 - if(node.left==null && node.right==null){ - if(tSum==sum){ - res.add(new ArrayList<>(p)); - } - }else{ - if(node.left!=null){ - dfs(node.left,tSum,sum,p); - } - if(node.right!=null){ - dfs(node.right,tSum,sum,p); - } - } - p.remove(p.size()-1); - tSum-=node.val; - return; - } - - //找从根节点到叶子节点的路径和为sum的路径 - private List findPath(TreeNode root,int sum){ - List paths = new ArrayList<>(); - if(root == null){ - return paths; - } - if(root.left == null && root.right == null){ - if(root.val==sum){ - paths.add(root.val+""); - return paths; - } - } - List leftPath=findPath(root.left,sum-root.val); - for (String path : leftPath) { - paths.add(root.val + "->" + path); - } - List rightPath=findPath(root.right,sum-root.val); - for (String path : rightPath) { - paths.add(root.val + "->" + path); - } - return paths; - } - - @Test - public void test(){ - int[] pre={5,4,11,7,2,8,13,4,5,1}; - int[] in={7,11,2,4,5,13,8,5,4,1}; - TreeNode root=TreeNodeUtils.ConstructBinaryTree(pre,in); - List ret=findPath(root,22); - System.out.println(ret); - System.out.println(pathSum(root,22)); - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_129_SumRootToLeafNumbers.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_129_SumRootToLeafNumbers.java deleted file mode 100644 index 5169a8e..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_129_SumRootToLeafNumbers.java +++ /dev/null @@ -1,71 +0,0 @@ -package code_05_binaryTree; - -import org.junit.Test; - -import java.util.ArrayList; -import java.util.List; - -/** - * 129. Sum Root to Leaf Numbers - * - * Given a binary tree containing digits from 0-9 only, each root-to-leaf path could represent a number. - * An example is the root-to-leaf path 1->2->3 which represents the number 123. - * Find the total sum of all root-to-leaf numbers. - * - * Note: A leaf is a node with no children. - * - * Example: - * Input: [1,2,3] - 1 - / \ - 2 3 - * Output: 25 - * Explanation: - * The root-to-leaf path 1->2 represents the number 12. - * The root-to-leaf path 1->3 represents the number 13. - * Therefore, sum = 12 + 13 = 25. - */ -public class Code_129_SumRootToLeafNumbers { - public int sumNumbers(TreeNode root) { - List ret=findPath(root); - int sum=0; - for(String ele:ret){ - Integer i=Integer.parseInt(ele); - sum+=i; - } - return sum; - } - - //查找所有到叶子结点的路径 - private List findPath(TreeNode root){ - List ret=new ArrayList<>(); - if(root==null){ - return ret; - } - if(root.left==null && root.right==null){ - ret.add(root.val+""); - return ret; - } - List leftPath=findPath(root.left); - for(String path:leftPath){ - ret.add(root.val+""+path); - } - List rightPath=findPath(root.right); - for(String path:rightPath){ - ret.add(root.val+""+path); - } - return ret; - } - - @Test - public void test(){ - /*int[] pre={1,2,3}; - int[] in={2,1,3}; - TreeNode root=TreeNodeUtils.ConstructBinaryTree(pre,in); - System.out.println(findPath(root));*/ - int[] pre={4,9,5,1,0}; - int[] in={5,9,1,4,0}; - TreeNode root=TreeNodeUtils.ConstructBinaryTree(pre,in); - System.out.println(findPath(root)); - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_173_BinarySearchTreeIterator.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_173_BinarySearchTreeIterator.java deleted file mode 100644 index 4693024..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_173_BinarySearchTreeIterator.java +++ /dev/null @@ -1,87 +0,0 @@ -package code_05_binaryTree; - -import java.util.ArrayList; -import java.util.List; -import java.util.Stack; - -/** - * 173. Binary Search Tree Iterator - * - * Implement an iterator over a binary search tree (BST). - * Your iterator will be initialized with the root node of a BST. - * Calling next() will return the next smallest number in the BST. - */ -public class Code_173_BinarySearchTreeIterator { - /** - * 思路一: - * 就是利用BST的中序遍历性质(递归思路) - * 空间复杂度:O(n) - * 时间复杂度: next() --> O(1) - * hasNext() --> O(1) - */ - class BSTIterator1 { - private List data=new ArrayList<>(); - private int nextIndex; - - public BSTIterator1(TreeNode root) { - inOrder(root); - nextIndex=0; - } - - private void inOrder(TreeNode root){ - if(root==null){ - return; - } - inOrder(root.left); - data.add(root.val); - inOrder(root.right); - } - - /** @return the next smallest number */ - public int next() { - return data.get(nextIndex++); - } - - /** @return whether we have a next smallest number */ - public boolean hasNext() { - return nextIndex O(1) - * hasNext() --> O(h) - */ - class BSTIterator{ - private Stack myStack; - - public BSTIterator(TreeNode root) { - myStack=new Stack<>(); - TreeNode node = root; - while(node != null){ - myStack.push(node); - node = node.left; - } - } - - /** @return the next smallest number */ - public int next() { - assert(hasNext()); - TreeNode retNode = myStack.pop(); - - TreeNode node = retNode.right; - while(node != null){ - myStack.push(node); - node = node.left; - } - return retNode.val; - } - - /** @return whether we have a next smallest number */ - public boolean hasNext() { - return !myStack.isEmpty(); - } - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_222_CountCompleteTreeNodes.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_222_CountCompleteTreeNodes.java deleted file mode 100644 index 96087d2..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_222_CountCompleteTreeNodes.java +++ /dev/null @@ -1,56 +0,0 @@ -package code_05_binaryTree; - -/** - * 222. Count Complete Tree Nodes - * - * Given a complete binary tree, count the number of nodes. - * - * Note: - * Definition of a complete binary tree from Wikipedia: - * In a complete binary tree every level, except possibly the last, is completely filled, and all nodes in the last level are as far left as possible. - * It can have between 1 and 2^h nodes inclusive at the last level h. - */ -public class Code_222_CountCompleteTreeNodes { - /** - * 思路: - * 如果用常规的解法一个个遍历,就是O(n)时间复杂度 ,会不通过。 - * 因为是完全二叉树,满二叉树有一个性质是节点数等于2^h-1,h为高度, - * 所以可以这样判断节点的左右高度是不是一样,如果是一样说明是满二叉树, - */ - public int countNodes(TreeNode root) { - //空树 - if(root==null){ - return 0; - } - //只有一个节点 - if(root.left==null && root.right==null){ - return 1; - } - int l=getLeftHeight(root); - int r=getRightHeight(root); - if(l==r){ - return (1<root.val && q.val>root.val){ - return lowestCommonAncestor(root.right,p,q); - } - return root; - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_236_LowestCommonAncestorOfABinaryTree.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_236_LowestCommonAncestorOfABinaryTree.java deleted file mode 100644 index c2322a6..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_236_LowestCommonAncestorOfABinaryTree.java +++ /dev/null @@ -1,43 +0,0 @@ -package code_05_binaryTree; - -/** - * 236. Lowest Common Ancestor of a Binary Tree - * - * Given a binary tree, find the lowest common ancestor (LCA) of two given nodes in the tree. - * - * According to the definition of LCA on Wikipedia: - * “The lowest common ancestor is defined between two nodes p and q as the lowest node in T that has both p and q as descendants - * (where we allow a node to be a descendant of itself).” - */ -public class Code_236_LowestCommonAncestorOfABinaryTree { - // 在root中寻找p和q - // 如果p和q都在root所在的二叉树中, 则返回LCA - // 如果p和q只有一个在root所在的二叉树中, 则返回p或者q - // 如果p和q均不在root所在的二叉树中, 则返回NULL - public TreeNode lowestCommonAncestor(TreeNode root, TreeNode p, TreeNode q) { - if(root==null){ - return null; - } - //根节点是p或者q,则就返回该根节点就可以了 - if(root==p || root==q){ - return root; - } - //看看root的最子树是否包含p,q - TreeNode left=lowestCommonAncestor(root.left,p,q); - TreeNode right=lowestCommonAncestor(root.right,p,q); - //p,q的最小公共祖先 - //要么是root - //要么是在root的左子树 - //要么是在root的右子树 - if(left!=null && right!=null){ - return root; - } - if(left!=null){ - return left; - } - if(right!=null){ - return right; - } - return null; - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_257_BinaryTreePaths.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_257_BinaryTreePaths.java deleted file mode 100644 index 407a07e..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_257_BinaryTreePaths.java +++ /dev/null @@ -1,44 +0,0 @@ -package code_05_binaryTree; - -import java.util.ArrayList; -import java.util.List; - -/** - * 257. Binary Tree Paths - * - * Given a binary tree, return all root-to-leaf paths. - * Note: A leaf is a node with no children. - * - * Example: - * Input: - - 1 - / \ - 2 3 - \ - 5 - - * Output: ["1->2->5", "1->3"] - * Explanation: All root-to-leaf paths are: 1->2->5, 1->3 - */ -public class Code_257_BinaryTreePaths { - public List binaryTreePaths(TreeNode root) { - List ret=new ArrayList<>(); - if(root==null){ - return ret; - } - if(root.left==null && root.right==null){ - ret.add(root.val+""); - return ret; - } - List leftS=binaryTreePaths(root.left); - for(String s:leftS){ - ret.add(root.val+"->"+s); - } - List rightS=binaryTreePaths(root.right); - for(String s:rightS){ - ret.add(root.val+"->"+s); - } - return ret; - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_404_SumOfLeftLeaves.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_404_SumOfLeftLeaves.java deleted file mode 100644 index 11535a7..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_404_SumOfLeftLeaves.java +++ /dev/null @@ -1,25 +0,0 @@ -package code_05_binaryTree; - -/** - * Find the sum of all left leaves in a given binary tree. - * Example: - - 3 - / \ - 9 20 - / \ - 15 7 - - * There are two left leaves in the binary tree, with values 9 and 15 respectively. Return 24. - */ -public class Code_404_SumOfLeftLeaves { - public int sumOfLeftLeaves(TreeNode root) { - if(root==null){ - return 0; - } - if(root.left!=null && (root.left.left==null && root.left.right==null)){ - return root.left.val+sumOfLeftLeaves(root.right); - } - return sumOfLeftLeaves(root.left)+sumOfLeftLeaves(root.right); - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_437_PathSumIII.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_437_PathSumIII.java deleted file mode 100644 index 4cefbdd..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_437_PathSumIII.java +++ /dev/null @@ -1,55 +0,0 @@ -package code_05_binaryTree; - -/** - * 437. Path Sum III - * - * You are given a binary tree in which each node contains an integer value. - * Find the number of paths that sum to a given value. - * The path does not need to start or end at the root or a leaf, but it must go downwards (traveling only from parent nodes to child nodes). - * The tree has no more than 1,000 nodes and the values are in the range -1,000,000 to 1,000,000. - * - * Example: - * - * root = [10,5,-3,3,2,null,11,3,-2,null,1], sum = 8 - - 10 - / \ - 5 -3 - / \ \ - 3 2 11 - / \ \ - 3 -2 1 - - * Return 3. The paths that sum to 8 are: - * 1. 5 -> 3 - * 2. 5 -> 2 -> 1 - * 3. -3 -> 11 - - */ -public class Code_437_PathSumIII { - //以root为根节点的二叉树中,寻找和为sum的路径,返回这样的路径的个数 - public int pathSum(TreeNode root, int sum) { - if(root==null){ - return 0; - } - int res=findPath(root,sum); - res+=pathSum(root.left,sum); - res+=pathSum(root.right,sum); - return res; - } - - //以node为根节点的二叉树中,寻找包含node的路径,和为sum - //返回这样的路径个数 - private int findPath(TreeNode node,int sum){ - if(node==null){ - return 0; - } - int res=0; - if(node.val==sum){ - res+=1; - } - res+=findPath(node.left,sum-node.val); - res+=findPath(node.right,sum-node.val); - return res; - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_450_DeleteNodeInABST.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_450_DeleteNodeInABST.java deleted file mode 100644 index 9f8545e..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_450_DeleteNodeInABST.java +++ /dev/null @@ -1,53 +0,0 @@ -package code_05_binaryTree; - -import org.junit.Test; - -/** - * 450. Delete Node in a BST - * - * Given a root node reference of a BST and a key, delete the node with the given key in the BST. Return the root node reference (possibly updated) of the BST. - * Basically, the deletion can be divided into two stages: - * - * Search for a node to remove. - * If the node is found, delete the node. - * - * Note: Time complexity should be O(height of tree). - */ -public class Code_450_DeleteNodeInABST { - public TreeNode deleteNode(TreeNode root, int key) { - if (root == null){ - return root; - } - //删除的是根结点 - if(root.val==key){ - //右子树为空,那么就直接删除该根节点,返回右子树 - if(root.right==null){ - TreeNode node=root.left; - root=node; - return root; - }else{ - //右子树不为空,则将该右子树的最小值,代替根结点的值 - TreeNode right=root.right; - while(right.left!=null){ - right=right.left; - } - int tmp=root.val; - root.val=right.val; - right.val=tmp; - } - } - root.left=deleteNode(root.left,key); - root.right=deleteNode(root.right,key); - return root; - } - - @Test - public void test(){ - int[] pre={5,3,2,4,6,7}; - int[] in={2,3,4,5,6,7}; - TreeNode root=TreeNodeUtils.ConstructBinaryTree(pre,in); - System.out.println(TreeNodeUtils.inorderTraversal(root)); - root=deleteNode(root,3); - System.out.println(TreeNodeUtils.inorderTraversal(root)); - } -} \ No newline at end of file diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_783_MinimumDistanceBetweenBSTNodes.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_783_MinimumDistanceBetweenBSTNodes.java deleted file mode 100644 index 077a7df..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_783_MinimumDistanceBetweenBSTNodes.java +++ /dev/null @@ -1,64 +0,0 @@ -package code_05_binaryTree; - -import org.junit.Test; - -import java.util.ArrayList; -import java.util.List; - -/** - * 783. Minimum Distance Between BST Nodes - * - * Given a Binary Search Tree (BST) with the root node root, - * return the minimum difference between the values of any two different nodes in the tree. - * - * Example : - * Input: root = [4,2,6,1,3,null,null] - * Output: 1 - * Explanation: - * Note that root is a TreeNode object, not an array. - * The given tree [4,2,6,1,3,null,null] is represented by the following diagram: - 4 - / \ - 2 6 - / \ - 1 3 - * while the minimum difference in this tree is 1, it occurs between node 1 and node 2, also between node 3 and node 2. - * Note: - * The size of the BST will be between 2 and 100. - * The BST is always valid, each node's value is an integer, and each node's value is different. - */ -public class Code_783_MinimumDistanceBetweenBSTNodes { - /** - * 思路: - * 利用BST的中序遍历的特性, - * 计算相邻元素的差值 - */ - public int minDiffInBST(TreeNode root) { - inOrder(root); - int min=Integer.MAX_VALUE; - for(int i=0;i inOrder=new ArrayList<>(); - private void inOrder(TreeNode root){ - if(root==null){ - return; - } - inOrder(root.left); - inOrder.add(root.val); - inOrder(root.right); - } - - @Test - public void test(){ - int[] pre={4,2,1,3,6}; - int[] in={1,2,3,4,6}; - TreeNode treeNode=TreeNodeUtils.ConstructBinaryTree(pre,in); - System.out.println(minDiffInBST(treeNode)); - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_785_IsGraphBipartite.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_785_IsGraphBipartite.java deleted file mode 100644 index 97fbc26..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_785_IsGraphBipartite.java +++ /dev/null @@ -1,81 +0,0 @@ -package code_05_binaryTree; - -/** - * 785. Is Graph Bipartite?(二分图) - * - * Given an undirected graph, return true if and only if it is bipartite(双向的). - * Recall that a graph is bipartite if we can split it's set of nodes into two independent subsets A and B - * such that every edge in the graph has one node in A and another node in B. - - * The graph is given in the following form: - * graph[i] is a list of indexes j for which the edge between nodes i and j exists. - * Each node is an integer between 0 and graph.length - 1. - * There are no self edges or parallel edges: graph[i] does not contain i, and it doesn't contain any element twice. - - * Example 1: - Input: [[1,3], [0,2], [1,3], [0,2]] - Output: true - Explanation: - The graph looks like this: - 0----1 - | | - | | - 3----2 - We can divide the vertices into two groups: {0, 2} and {1, 3}. - - * Example 2: - Input: [[1,2,3], [0,2], [0,1,3], [0,2]] - Output: false - Explanation: - The graph looks like this: - 0----1 - | \ | - | \ | - 3----2 - We cannot find a way to divide the set of nodes into two independent subsets. - */ -public class Code_785_IsGraphBipartite { - /** - * 思路: - * 首先检查该结点是否已经被检查,如果是,则看看是否能满足要求; - * 否则就给结点分组,并且采用DFS的策略对和其直接或者间接相连的所有结点进行分组。 - * 整个过程中如果发现冲突就提前返回false;否则在最后返回true。 - */ - private int[] checked; - - public boolean isBipartite(int[][] graph) { - checked=new int[graph.length]; - for(int i=0;i[] G; - - //用于判断图中某一个结点,是否被访问 - private boolean[] isVisited; - - //通过dfs操作将该二叉树,转化为一个无向图 - private void dfs(TreeNode root){ - if(root==null){ - return; - } - int v=root.val; - if(root.left!=null){ - int w=root.left.val; - G[v].add(w); - G[w].add(v); - dfs(root.left); - } - if(root.right!=null){ - int w=root.right.val; - G[v].add(w); - G[w].add(v); - dfs(root.right); - } - } - - public List distanceK(TreeNode root, TreeNode target, int K) { - List res=new ArrayList<>(); - if(root==null){ - return res; - } - if(K==0){ - res.add(target.val); - return res; - } - G=(Vector[])new Vector[1005]; - for(int i=0;i<1005;i++){ - G[i]=new Vector<>(); - } - isVisited=new boolean[1005]; - //将二叉树转化为获取图 - dfs(root); - - //从target开始对图进行广度优先遍历 - //Pair存的是<顶点,从target到该顶点的距离> - Queue> queue=new LinkedList<>(); - queue.add(new Pair<>(target.val,0)); - isVisited[target.val]=true; - while(!queue.isEmpty()){ - Pair pair=queue.poll(); - int v=pair.getKey(); - int distance=pair.getValue(); - if(distance==K){ - res.add(v); - continue; - } - //遍历与v相邻的顶点 - for(Integer w:G[v]){ - if(!isVisited[w]){ - queue.add(new Pair<>(w,distance+1)); - isVisited[w]=true; - } - } - } - return res; - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_865_SmallestSubtreeWithAllTheDeepestNodes.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_865_SmallestSubtreeWithAllTheDeepestNodes.java deleted file mode 100644 index 0493af6..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_865_SmallestSubtreeWithAllTheDeepestNodes.java +++ /dev/null @@ -1,59 +0,0 @@ -package code_05_binaryTree; - -import javafx.util.Pair; - -/** - * 865. Smallest Subtree with all the Deepest Nodes - * - * Given a binary tree rooted at root, - * the depth of each node is the shortest distance to the root. - * A node is deepest if it has the largest depth possible among any node in the entire tree. - * The subtree of a node is that node, plus the set of all descendants(后代) of that node. - * Return the node with the largest depth such that it contains all the deepest nodes in its subtree. - * - * Example 1: - * Input: [3,5,1,6,2,0,8,null,null,7,4] - * Output: [2,7,4] - */ -public class Code_865_SmallestSubtreeWithAllTheDeepestNodes { - /** - * 思路: - * 这个题的模型其实比较左右子树的高度,如果左右子树的高度相等,说明当前节点就是要求的。 - * 这个解释是这样的:必须包含所有的最大高度的叶子,左右叶子高度相等,所以必须包含当前节点。 - * - * 当左子树高度>右子树高度的时候,要求的节点在左边;反之,在右边。 - * 所以,递归思路 + 一个pair。这个pair的思路是,保存了当前节点的深度和当前节点的最深子树节点。 - * pair就是< 当前节点的深度,当前节点的最深子树节点> - */ - public TreeNode subtreeWithAllDeepest(TreeNode root) { - if(root==null){ - return null; - } - return getNode(root).getValue(); - } - - private Pair getNode(TreeNode root){ - if(root==null){ - return new Pair<>(-1,null); - } - Pair l=getNode(root.left); - Pair r=getNode(root.right); - int leftChildDepth=l.getKey(); - int rightChildDepth=r.getKey(); - int depth=Math.max(leftChildDepth,rightChildDepth)+1; - /** - * 如果左右子树的高度相等,说明当前节点就是要求的。 - * 这个解释是这样的:必须包含所有的最大高度的叶子,左右叶子高度相等,所以必须包含当前节点。 - */ - TreeNode node= null; - if(leftChildDepth==rightChildDepth){ - node = root; - }else if(leftChildDepth>rightChildDepth){ - //当左子树高度>右子树高度的时候,要求的节点在左边;反之,在右边。 - node = l.getValue(); - }else if(leftChildDepth(depth,node); - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_872_Leaf_SimilarTrees.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_872_Leaf_SimilarTrees.java deleted file mode 100644 index 5b564e8..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_872_Leaf_SimilarTrees.java +++ /dev/null @@ -1,56 +0,0 @@ -package code_05_binaryTree; - -import org.junit.Test; - -import java.util.ArrayList; -import java.util.Arrays; -import java.util.Collections; -import java.util.List; - -/** - * 872. Leaf-Similar Trees - * - * Consider all the leaves of a binary tree. - * From left to right order, the values of those leaves form a leaf value sequence. - * - * Note: - * Both of the given trees will have between 1 and 100 nodes. - */ -public class Code_872_Leaf_SimilarTrees { - /** - * 思路:直接求出叶子节点,放入指定集合中即可,然后进行比较 - */ - public boolean leafSimilar(TreeNode root1, TreeNode root2) { - List res1=new ArrayList<>(); - List res2=new ArrayList<>(); - getLeaves(root1,res1); - getLeaves(root2,res2); - if(res1.equals(res2)){ - return true; - } - return false; - } - - private void getLeaves(TreeNode root,List res){ - if(root==null){ - return; - } - if(root.left==null && root.right==null){ - res.add(root.val); - } - getLeaves(root.left,res); - getLeaves(root.right,res); - } - - @Test - public void test() { - int[] pre={1,2,3}; - int[] in={3,2,1}; - TreeNode root=TreeNodeUtils.ConstructBinaryTree(pre,in); - - int[] pre2={1,3,2}; - int[] in2={2,3,1}; - TreeNode root2=TreeNodeUtils.ConstructBinaryTree(pre2,in2); - System.out.println(leafSimilar(root,root2)); - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_889_ConstructBinaryTreeFromPreorderAndPostorderTraversal.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_889_ConstructBinaryTreeFromPreorderAndPostorderTraversal.java deleted file mode 100644 index 680efac..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_889_ConstructBinaryTreeFromPreorderAndPostorderTraversal.java +++ /dev/null @@ -1,45 +0,0 @@ -package code_05_binaryTree; - -import com.sun.org.apache.regexp.internal.RE; -import org.junit.Test; - -/** - * 889. Construct Binary Tree from Preorder and Postorder Traversal - * - * Return any binary tree that matches the given preorder and postorder traversals. - * Values in the traversals pre and post are distinct positive integers. - */ -public class Code_889_ConstructBinaryTreeFromPreorderAndPostorderTraversal { - public TreeNode constructFromPrePost(int[] pre, int[] post) { - return constructFromPrePost(pre,post,0,pre.length-1,0,post.length-1); - } - - private TreeNode constructFromPrePost(int[] pre, int[] post,int preStart,int preEnd,int postStart,int postEnd){ - if(preStart>preEnd || postStart>postEnd){ - return null; - } - TreeNode root=new TreeNode(pre[preStart]); - if(preStart==preEnd){ - return root; - } - - //左子树根结点 - int k; - for(k=postStart;k allPossibleFBT1(int N) { - List res=new ArrayList<>(); - if(N==0){ - return res; - } - if(N==1){ - res.add(new TreeNode(0)); - return res; - } - //一个结点只允许两种情况:无节点或者两个节点 - for(int i=1;i<=N-1;i+=2){ - List leftChild=allPossibleFBT1(i); - List rightChild=allPossibleFBT1(N-1-i); - for(TreeNode leftNode:leftChild){ - for(TreeNode rightNode:rightChild){ - TreeNode root=new TreeNode(0); - root.left=leftNode; - root.right=rightNode; - res.add(root); - } - } - } - return res; - } - - /** - * 使用记忆化搜索方式进行改进 - */ - public List allPossibleFBT(int N) { - if (N % 2 == 0) { - return new ArrayList<>(); - } - //记录<节点数,以该结点数所构造的二叉树的所有可能> - List[] memo=new ArrayList[N+1]; - for(int i=0;i(); - } - return allPossibleFBT(N,memo); - } - - private List allPossibleFBT(int N,List[] memo){ - if(memo[N].size()!=0){ - return memo[N]; - } - if(N==1){ - memo[1]=new ArrayList<>(Arrays.asList(new TreeNode(0))); - return memo[1]; - } - for(int i=1;i leftChild=allPossibleFBT(i); - List rightChild=allPossibleFBT(N-1-i); - for(TreeNode leftNode:leftChild){ - for(TreeNode rightNode:rightChild){ - TreeNode root=new TreeNode(0); - root.left=leftNode; - root.right=rightNode; - memo[N].add(root); - } - } - } - return memo[N]; - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_897_IncreasingOrderSearchTree.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_897_IncreasingOrderSearchTree.java deleted file mode 100644 index c4cdfde..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_897_IncreasingOrderSearchTree.java +++ /dev/null @@ -1,72 +0,0 @@ -package code_05_binaryTree; - -/** - * 897. Increasing Order Search Tree - * - * Given a tree, - * rearrange the tree in in-order so that the leftmost node in the tree is now the root of the tree, - * and every node has no left child and only 1 right child. - * - * Note: - The number of nodes in the given tree will be between 1 and 100. - Each node will have a unique integer value from 0 to 1000. - */ -public class Code_897_IncreasingOrderSearchTree { - /** - * 思路一: - */ - private int[] inorder=new int[200]; - private int index; - - public TreeNode increasingBST1(TreeNode root) { - if(root==null){ - return null; - } - inOrder(root); - return buildBST(inorder,0,index-1); - } - - private TreeNode buildBST(int[] arr,int start,int end){ - if(arr==null || arr.length==0 || start>end){ - return null; - } - TreeNode root=new TreeNode(arr[start]); - root.left=null; - root.right=buildBST(arr,start+1,end); - return root; - } - - private void inOrder(TreeNode root){ - if(root==null){ - return; - } - inOrder(root.left); - inorder[index++]=root.val; - inOrder(root.right); - } - - private TreeNode cur; - - public TreeNode increasingBST(TreeNode root) { - if(root==null){ - return null; - } - TreeNode dummyNode=new TreeNode(-1); - cur=dummyNode; - inorder(root); - return dummyNode.right; - } - - private void inorder(TreeNode root){ - if(root==null){ - return; - } - inorder(root.left); - - cur.right=root; - cur=root; - cur.left=null; - - inorder(root.right); - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_95_UniqueBinarySearchTreesII.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_95_UniqueBinarySearchTreesII.java deleted file mode 100644 index 89ec7fb..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_95_UniqueBinarySearchTreesII.java +++ /dev/null @@ -1,59 +0,0 @@ -package code_05_binaryTree; - -import java.util.ArrayList; -import java.util.Arrays; -import java.util.List; - -/** - * Given an integer n, generate all structurally - * unique BST's (binary search trees) that store values 1 ... n. - */ -public class Code_95_UniqueBinarySearchTreesII { - /** - * 使用回溯法:穷举 - */ - public List generateTrees(int n) { - if(n<=0){ - return new ArrayList<>(); - } - return genenateTree(1,n); - } - - //[start,end]的数据产生二叉树 - private List genenateTree(int start,int end){ - List res=new ArrayList<>(); - if(start>end){ - res.add(null); - return res; - } - - for(int i=start;i<=end;i++){ - List left=genenateTree(start,i-1); - List right=genenateTree(i+1,end); - for(TreeNode leftNode:left){ - for(TreeNode rightNode:right){ - TreeNode root=new TreeNode(i); - root.left=leftNode; - root.right=rightNode; - res.add(root); - } - } - } - return res; - } - - - //向以node为根节点的BST树种插入元素e - //返回插入新元素后该BST的根 - private TreeNode add(TreeNode node,int e){ - if(node==null){ - return new TreeNode(e); - } - if(enode.val){ - node.right=add(node.right,e); - } - return node; - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/Code_98_ValidateBinarySearchTree.java b/LeetCodeSolutions/src/code_05_binaryTree/Code_98_ValidateBinarySearchTree.java deleted file mode 100644 index 7a50e8f..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/Code_98_ValidateBinarySearchTree.java +++ /dev/null @@ -1,30 +0,0 @@ -package code_05_binaryTree; - -/** - * Given a binary tree, determine if it is a valid binary search tree (BST). - * - * Assume a BST is defined as follows: - * The left subtree of a node contains only nodes with keys less than the node's key. - * The right subtree of a node contains only nodes with keys greater than the node's key. - * Both the left and right subtrees must also be binary search trees. - */ -public class Code_98_ValidateBinarySearchTree { - //注意数值范围的问题,有的节点的值超过了int类型的范围 - public boolean isValidBST(TreeNode root) { - return isValid(root,Long.MIN_VALUE,Long.MAX_VALUE); - } - - //判断左子树最大值为leftMax,右子树最小值为rightMin的树是否是BST - public boolean isValid(TreeNode root,long leftMax,long rightMin){ - if(root==null){ - return true; - } - if(root.left==null && root.right==null){ - return true; - } - if(root.val<=leftMax || root.val>=rightMin){ - return false; - } - return isValid(root.left,leftMax,root.val) && isValid(root.right,root.val,rightMin); - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/LinkedListUtils.java b/LeetCodeSolutions/src/code_05_binaryTree/LinkedListUtils.java deleted file mode 100644 index 10f22e4..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/LinkedListUtils.java +++ /dev/null @@ -1,29 +0,0 @@ -package code_05_binaryTree; - -/** - * Created by 18351 on 2018/11/3. - */ -public class LinkedListUtils { - public static ListNode createLinkedList(int[] arr){ - if(arr.length==0){ - return null; - } - ListNode head=new ListNode(arr[0]); - - ListNode curNode=head; - for(int i=1;i"); - curNode=curNode.next; - } - System.out.println("NULL"); - } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/ListNode.java b/LeetCodeSolutions/src/code_05_binaryTree/ListNode.java deleted file mode 100644 index 702c95e..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/ListNode.java +++ /dev/null @@ -1,10 +0,0 @@ -package code_05_binaryTree; - -/** - * Created by 18351 on 2019/1/1. - */ -public class ListNode { - int val; - ListNode next; - ListNode(int x) { val = x; } -} \ No newline at end of file diff --git a/LeetCodeSolutions/src/code_05_binaryTree/TreeNode.java b/LeetCodeSolutions/src/code_05_binaryTree/TreeNode.java deleted file mode 100644 index d16d63d..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/TreeNode.java +++ /dev/null @@ -1,11 +0,0 @@ -package code_05_binaryTree; - -/** - * Created by 18351 on 2018/11/13. - */ -public class TreeNode { - public int val; - public TreeNode left; - public TreeNode right; - public TreeNode(int x) { val = x; } -} diff --git a/LeetCodeSolutions/src/code_05_binaryTree/TreeNodeUtils.java b/LeetCodeSolutions/src/code_05_binaryTree/TreeNodeUtils.java deleted file mode 100644 index 64c5f2e..0000000 --- a/LeetCodeSolutions/src/code_05_binaryTree/TreeNodeUtils.java +++ /dev/null @@ -1,181 +0,0 @@ -package code_05_binaryTree; - -import javafx.util.Pair; - -import java.util.*; - -/** - * 创建二叉树的工具类 - */ -public class TreeNodeUtils { - /** - * 根据前序遍历和中序遍历创建二叉树 - */ - public static TreeNode ConstructBinaryTree(int [] pre,int [] in) { - return ConstructBinaryTree(pre,in,0,pre.length-1,0,in.length-1); - } - - private static TreeNode ConstructBinaryTree(int [] pre,int [] in,int preStart,int preEnd,int inStart,int inEnd){ - if(preStart>preEnd || inStart>inEnd){ - return null; - } - TreeNode root=new TreeNode(pre[preStart]); - //前序遍历的第一个元素就是根节点 - int find=0; - //find就是根节点在中序遍历所得的数组中的位置 - for(int i=inStart;i<=inEnd;i++){ - if(in[i]==pre[preStart]) { - find=i; - break; - } - } - //画图解决 - root.left=ConstructBinaryTree(pre,in,preStart+1,preStart+(find-inStart),inStart,find-1); - root.right=ConstructBinaryTree(pre,in,preStart+(find-inStart)+1,preEnd,find+1,inEnd); - return root; - } - - /** - * 根据中序遍历和后序遍历创建二叉树 - */ - public TreeNode reConstructBinaryTree(int [] in,int [] post) { - return reConstructBinaryTree(in,post,0,in.length-1,0,post.length-1); - } - - private TreeNode reConstructBinaryTree(int[] in,int[] post,int inStart,int inEnd,int postStart,int postEnd){ - if(inStart>inEnd || postStart>postEnd){ - return null; - } - TreeNode root=new TreeNode(post[postEnd]); - int find=0; - for(int i=inStart;i<=inEnd;i++){ - if(in[i]==post[postEnd]){ - find=i; - break; - } - } - root.left=reConstructBinaryTree(in,post,inStart,find-1,postStart,postStart+(find-inStart)-1); - root.right=reConstructBinaryTree(in,post,find+1,inEnd,postStart+(find-inStart),postEnd-1); - //因为最后一位是根节点,所以要减1 - return root; - } - - private enum Command{GO,PRINT}; - private static class StackNode{ - Command command; - TreeNode node; - StackNode(Command command,TreeNode node){ - this.command=command; - this.node=node; - } - } - - //前序遍历 - public static List preorderTraversal(TreeNode root) { - List ret=new ArrayList<>(); - if(root==null){ - return ret; - } - Stack stack=new Stack<>(); - stack.push(new StackNode(Command.GO,root)); - while(!stack.empty()){ - StackNode stackNode=stack.pop(); - Command command=stackNode.command; - if(command== Command.PRINT){ - ret.add(stackNode.node.val); - }else{ - if(stackNode.node.right!=null){ - stack.push(new StackNode(Command.GO,stackNode.node.right)); - } - if(stackNode.node.left!=null){ - stack.push(new StackNode(Command.GO,stackNode.node.left)); - } - stack.push(new StackNode(Command.PRINT,stackNode.node)); - } - } - return ret; - } - - public static List inorderTraversal(TreeNode root) { - List ret=new ArrayList<>(); - if(root==null){ - return ret; - } - Stack stack=new Stack<>(); - stack.push(new StackNode(Command.GO,root)); - while(!stack.empty()){ - StackNode stackNode=stack.pop(); - Command command=stackNode.command; - if(command== Command.PRINT){ - ret.add(stackNode.node.val); - }else{ - if(stackNode.node.right!=null){ - stack.push(new StackNode(Command.GO,stackNode.node.right)); - } - stack.push(new StackNode(Command.PRINT,stackNode.node)); - if(stackNode.node.left!=null){ - stack.push(new StackNode(Command.GO,stackNode.node.left)); - } - } - } - return ret; - } - - public static List postorderTraversal(TreeNode root) { - List ret=new ArrayList<>(); - if(root==null){ - return ret; - } - Stack stack=new Stack<>(); - stack.push(new StackNode(Command.GO,root)); - while(!stack.empty()){ - StackNode stackNode=stack.pop(); - Command command=stackNode.command; - if(command== Command.PRINT){ - ret.add(stackNode.node.val); - }else{ - stack.push(new StackNode(Command.PRINT,stackNode.node)); - if(stackNode.node.right!=null){ - stack.push(new StackNode(Command.GO,stackNode.node.right)); - } - if(stackNode.node.left!=null){ - stack.push(new StackNode(Command.GO,stackNode.node.left)); - } - } - } - return ret; - } - - //层序遍历 - public static List> levelOrder(TreeNode root) { - List> ret=new ArrayList<>(); - if(root==null){ - return ret; - } - - Queue> queue=new LinkedList<>(); - queue.add(new Pair(root,0)); - //root结点对应的是0层 - while(!queue.isEmpty()){ - Pair pair=queue.poll(); - TreeNode node= (TreeNode) pair.getKey(); - int level= (int) pair.getValue(); - - if(level==ret.size()){ - //因为level是从0开始的,当level=ret.size()表示需要新创建 List,来存储level层的元素 - ret.add(new ArrayList<>()); - } - //ret.get(level)表示的是level层 - ret.get(level).add(node.val); - - if(node.left!=null){ - queue.add(new Pair(node.left,level+1)); - } - if(node.right!=null){ - queue.add(new Pair(node.right,level+1)); - } - } - return ret; - } - -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/BackTrackTest.java b/LeetCodeSolutions/src/code_06_backtrack/BackTrackTest.java deleted file mode 100644 index 2b9e9b1..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/BackTrackTest.java +++ /dev/null @@ -1,65 +0,0 @@ -package code_06_backtrack; - -import org.junit.Test; - -import java.util.ArrayList; -import java.util.List; - -/** - * 回溯法测试 - */ -public class BackTrackTest { - //注意:0和1是不表示字母的 - private String[] letterMap={ - " ", - "", - "abc",//2 - "def",//3 - "ghi",//4 - "jkl",//5 - "mno",//6 - "pqrs",//7 - "tuv",//8 - "wxyz"//9 - }; - - private ArrayList res; - - //s中保存从digits[0...index-1]翻译得到的一个字母字符串 - //寻找和digits[index]匹配的字母,获得digits[0...index]翻译得到的字符串 - private void findCombination(String digits,int index,String s){ - System.out.println(index+":"+s); - //递归结束条件 - if(index==digits.length()){ - //保存s - res.add(s); - System.out.println("get "+s+" ,return"); - return; - } - // c表示digits的index位置的数字 - char c=digits.charAt(index); - assert c>='0' && c<='9'&& c!='0'; - String letters=letterMap[c-'0']; - for(int i=0;i letterCombinations(String digits) { - res=new ArrayList<>(); - //当digit为空字符串时,返回的是空集合 - if("".equals(digits)){ - return res; - } - findCombination(digits,0,""); - return res; - } - - @Test - public void test(){ - List res=letterCombinations("23"); - System.out.println(res); - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_130_SurroundedRegions.java b/LeetCodeSolutions/src/code_06_backtrack/Code_130_SurroundedRegions.java deleted file mode 100644 index fb9e278..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_130_SurroundedRegions.java +++ /dev/null @@ -1,132 +0,0 @@ -package code_06_backtrack; - -import javafx.util.Pair; -import org.junit.Test; - -import java.util.LinkedList; -import java.util.Queue; - -/** - * Given a 2D board containing 'X' and 'O' (the letter O), capture all regions surrounded by 'X'. - * A region is captured by flipping all 'O's into 'X's in that surrounded region. - - * Example: - X X X X - X O O X - X X O X - X O X X - - * After running your function, the board should be: - X X X X - X X X X - X X X X - X O X X - - * Explanation: - - Surrounded regions shouldn’t be on the border, which means that any 'O' on the border of the board are not flipped to 'X'. - Any 'O' that is not on the border and it is not connected to an 'O' on the border will be flipped to 'X'. - Two cells are connected if they are adjacent cells connected horizontally or vertically. - */ -public class Code_130_SurroundedRegions { - private int m; - private int n; - - //标记边界上的元素是否是'O' - private boolean[][] isBoardO; - - private int[][] d={{-1,0},{0,1},{1,0},{0,-1}}; - - private boolean isArea(int x,int y){ - return (x>=0 && x=0 && y> q=new LinkedList<>(); - q.add(new Pair<>(x,y)); - while(!q.isEmpty()){ - Pair p=q.poll(); - x=p.getKey(); - y=p.getValue(); - for(int i=0;i<4;i++){ - int newx=x+d[i][0]; - int newy=y+d[i][1]; - if(isArea(newx,newy) && board[newx][newy]=='O' && isBoardO[newx][newy]==false){ - q.add(new Pair<>(newx,newy)); - isBoardO[newx][newy]=true; - } - } - } - } - - /** - * 思路: - * 除了和边界有接触的’O'的区域,其他的‘O'的区域都会变成'X'。 - * 所以扫描一遍边界,对于在边界上的’O', 通过BFS标记与它相邻的'O'。 - */ - public void solve(char[][] board) { - m=board.length; - if(m==0){ - return; - } - n=board[0].length; - isBoardO= new boolean[m][n]; - //对边界进行广度优先遍历,标记‘O’ - for(int j=0;j> res; - public List> partition(String s) { - res=new ArrayList<>(); - if(s.length()==0){ - return res; - } - List p=new ArrayList<>(); - findPalindrome(s,0,p); - return res; - } - - private void findPalindrome(String s,int index,List p){ - if(index==s.length()){ - res.add(new ArrayList<>(p)); - return; - } - for(int i=index;i> res=partition(s); - System.out.println(res); - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_17_LetterCombinationsOfAPhoneNumber.java b/LeetCodeSolutions/src/code_06_backtrack/Code_17_LetterCombinationsOfAPhoneNumber.java deleted file mode 100644 index 8c36fb4..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_17_LetterCombinationsOfAPhoneNumber.java +++ /dev/null @@ -1,63 +0,0 @@ -package code_06_backtrack; - -import java.util.ArrayList; -import java.util.List; - -/** - * 17. Letter Combinations of a Phone Number - * - * Given a string containing digits from 2-9 inclusive, return all possible letter combinations that the number could represent. - * A mapping of digit to letters (just like on the telephone buttons) is given below. Note that 1 does not map to any letters. - * - * Example: - * Input: "23" - *Output: ["ad", "ae", "af", "bd", "be", "bf", "cd", "ce", "cf"]. - * - * Note: - * Although the above answer is in lexicographical order, your answer could be in any order you want. - */ -public class Code_17_LetterCombinationsOfAPhoneNumber { - //注意:0和1是不表示字母的 - private String[] letterMap={ - " ", - "", - "abc",//2 - "def",//3 - "ghi",//4 - "jkl",//5 - "mno",//6 - "pqrs",//7 - "tuv",//8 - "wxyz"//9 - }; - - private ArrayList res; - - //s中保存从digits[0...index-1]翻译得到的一个字母字符串 - //寻找和digits[index]匹配的字母,获得digits[0...index]翻译得到的字符串 - private void findCombination(String digits,int index,String s){ - //递归结束条件 - if(index==digits.length()){ - //保存s - res.add(s); - return; - } - // c表示digits的index位置的数字 - char c=digits.charAt(index); - assert c>='0' && c<='9'&& c!='0'; - String letters=letterMap[c-'0']; - for(int i=0;i letterCombinations(String digits) { - res=new ArrayList<>(); - //当digit为空字符串时,返回的是空集合 - if("".equals(digits)){ - return res; - } - findCombination(digits,0,""); - return res; - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_200_NumberOfIslands.java b/LeetCodeSolutions/src/code_06_backtrack/Code_200_NumberOfIslands.java deleted file mode 100644 index ba052fd..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_200_NumberOfIslands.java +++ /dev/null @@ -1,81 +0,0 @@ -package code_06_backtrack; - -/** - * 200. Number of Islands - * - * Given a 2d grid map of '1's (land) and '0's (water), count the number of islands. - * An island is surrounded by water and is formed by connecting adjacent lands horizontally or vertically. - * You may assume all four edges of the grid are all surrounded by water. - * - * Example 1: - * Input: - 11110 - 11010 - 11000 - 00000 - * Output: 1 - - * Example 2: - * Input: - 11000 - 11000 - 00100 - 00011 - * Output: 3 - * - */ -public class Code_200_NumberOfIslands { - private int m; - private int n; - - //用来标记是否是同一个岛屿 - private boolean[][] visited; - - //TODO:二维数组四个方向查找的小技巧 - private int[][] d={{-1,0},{0,1},{1,0},{0,-1}}; - - private boolean isArea(int x,int y){ - return (x>=0 && x=0 && y> res; - - public List> combinationSum3(int k, int n) { - res=new ArrayList<>(); - if(k>n || k==0){ - return res; - } - List p=new ArrayList<>(); - //数值是从1开始的 - findCombination(k,n,1,p); - return res; - } - - private void findCombination(int k,int n,int num,List p){ - if(k==0 && n==0){ - res.add(new ArrayList<>(p)); - return; - } - for(int i=num;i<=9;i++){ - if(n>=i){ - p.add(i); - findCombination(k-1,n-i,i+1,p); - p.remove(p.size()-1); - } - } - } - - @Test - public void test(){ - int k=3; - int n=7; - List> res=combinationSum3(k,n); - System.out.println(res); - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_37_SudokuSolver.java b/LeetCodeSolutions/src/code_06_backtrack/Code_37_SudokuSolver.java deleted file mode 100644 index 83751cd..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_37_SudokuSolver.java +++ /dev/null @@ -1,91 +0,0 @@ -package code_06_backtrack; - -import org.junit.Test; - -/** - * 37. Sudoku Solver - */ -public class Code_37_SudokuSolver { - private boolean canPutNum(char[][] board,int pos, - boolean[][] row, boolean[][] col, boolean[][] block){ - if(pos==81){ - return true; - } - //next位置为pos位置后下一个要填写的位置 - int next = pos + 1; - for(; next < 81; next ++){ - if(board[next / 9][next % 9] == '.'){ - break; - } - } - - //pos的位置在表格中是[x,y] - int x = pos / 9; - int y = pos % 9; - - //pos位置要填写的是数字[1...9] - for(int i = 1; i <= 9; i ++){ - if(row[x][i]==false && col[y][i]==false && block[x/3*3+y/3][i]==false){ - row[x][i]=true; - col[y][i]=true; - block[x/3*3+y/3][i]=true; - board[x][y]=(char)(i+'0'); - if(canPutNum(board,next,row,col,block)){ - return true; - } - block[x/3*3+y/3][i]=false; - col[y][i]=false; - row[x][i]=false; - board[x][y]='.'; - } - } - return false; - } - - public void solveSudoku(char[][] board) { - boolean[][] row = new boolean[9][10]; - boolean[][] col = new boolean[9][10]; - boolean[][] block = new boolean[9][10]; - - //对于表格中已经有的数据,设置成true - for (int i = 0; i < 9; i++) { - for (int j = 0; j < 9; j++) { - if (board[i][j] != '.') { - int num = board[i][j] - '0'; - row[i][num] = true; - col[j][num] = true; - block[i / 3 * 3 + j / 3][num] = true; - } - } - } - for(int i=0;i<81;i++){ - if(board[i/9][i%9]=='.'){ - if(canPutNum(board,i,row,col,block)==false){ - continue; - } - } - } - } - - @Test - public void test(){ - char[][] board={ - {'5','3','.','.','7','.','.','.','.'}, - {'6','.','.','1','9','5','.','.','.'}, - {'.','9','8','.','.','.','.','6','.'}, - {'8','.','.','.','6','.','.','.','3'}, - {'4','.','.','8','.','3','.','.','.'}, - {'7','.','.','.','2','.','.','.','.'}, - {'.','6','.','.','.','.','2','8','.'}, - {'.','.','.','4','1','9','.','.','5'}, - {'.','.','.','.','8','.','.','7','9'} - }; - solveSudoku(board); - for(int i=0;i<9;i++){ - for (int j=0;j<9;j++){ - System.out.print(board[i][j]+" "); - } - System.out.println(); - } - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_39_CombinationSum.java b/LeetCodeSolutions/src/code_06_backtrack/Code_39_CombinationSum.java deleted file mode 100644 index b2d4168..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_39_CombinationSum.java +++ /dev/null @@ -1,50 +0,0 @@ -package code_06_backtrack; - -import java.util.ArrayList; -import java.util.List; - -/** - * 39. Combination Sum - * - * Given a set of candidate numbers (candidates) (without duplicates) and a target number (target), - * find all unique combinations in candidates where the candidate numbers sums to target. - * The same repeated number may be chosen from candidates unlimited number of times. - * - * Note: - * All numbers (including target) will be positive integers. - * The solution set must not contain duplicate combinations. - * Example 1: - * - * Input: candidates = [2,3,6,7], target = 7, - * A solution set is: - [ - [7], - [2,2,3] - ] - */ -public class Code_39_CombinationSum { - private List> res; - - public List> combinationSum(int[] candidates, int target) { - res=new ArrayList<>(); - if(candidates.length==0){ - return res; - } - List p=new ArrayList<>(); - solve(candidates,0,target,p); - return res; - } - - private void solve(int[] candidates,int startIndex,int target,List p){ - if(target==0){ - res.add(new ArrayList<>(p)); - } - for(int i=startIndex;i=candidates[i]){ - p.add(candidates[i]); - solve(candidates,i,target-candidates[i],p); - p.remove(p.size()-1); - } - } - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_401_BinaryWatch.java b/LeetCodeSolutions/src/code_06_backtrack/Code_401_BinaryWatch.java deleted file mode 100644 index 28f178d..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_401_BinaryWatch.java +++ /dev/null @@ -1,78 +0,0 @@ -package code_06_backtrack; - -import java.util.ArrayList; -import java.util.List; - -/** - * A binary watch has 4 LEDs on the top which represent the hours (0-11), - * and the 6 LEDs on the bottom represent the minutes (0-59). - * Each LED represents a zero or one, with the least significant bit on the right. - * - * Example: - * Input: n = 1 - * Return: ["1:00", "2:00", "4:00", "8:00", "0:01", "0:02", "0:04", "0:08", "0:16", "0:32"] - * - * Note: - * The order of output does not matter. - * The hour must not contain a leading zero, for example "01:00" is not valid, it should be "1:00". - * The minute must be consist of two digits and may contain a leading zero, for example "10:2" is not valid, it should be "10:02". - */ -public class Code_401_BinaryWatch { - public List readBinaryWatch1(int num) { - List res=new ArrayList<>(); - if(num<0){ - return res; - } - for(int h=0;h<12;h++){ - for(int m=0;m<60;m++){ - //统计h在二进制下“1”的数量 - //h=5 --> 转化为二进制(101)-->结果为2 - if(Integer.bitCount(h)+Integer.bitCount(m)==num){ - res.add(String.format("%d:%02d",h,m)); - } - } - } - return res; - } - - //表示小时的灯 - int[] hour={1,2,4,8}; - //表示分钟的灯 - int[] minute={1,2,4,8,16,32}; - - private List res; - - //num表示还需要点亮的LED数 - //index表示所点的表示小时的LED的下标 - private void solve(int num,int index,int[] watch){ - if(num==0){ - int h=0; - int m=0; - for(int i=0;i11 和 min>59的情况舍去 - if(!((watch[2]==1 && watch[3]==1)||(watch[6]==1 && watch[7]==1 && watch[8]==1 && watch[9]==1))){ - solve(num-1,index+1,watch); - } - watch[index]=0; - index++; - } - } - - public List readBinaryWatch(int num) { - res=new ArrayList<>(); - //表示手表的10个LED灯,0:表示灯为开启,1表示灯开了 - int[] watch=new int[10]; - solve(num,0,watch); - return res; - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_40_CombinationSumII.java b/LeetCodeSolutions/src/code_06_backtrack/Code_40_CombinationSumII.java deleted file mode 100644 index 0e40a8a..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_40_CombinationSumII.java +++ /dev/null @@ -1,57 +0,0 @@ -package code_06_backtrack; - -import java.util.ArrayList; -import java.util.Arrays; -import java.util.List; - -/** - * 40. Combination Sum II - * - * Given a collection of candidate numbers (candidates) and a target number (target), find all unique combinations in candidates where the candidate numbers sums to target. - * Each number in candidates may only be used once in the combination. - * - * Note: - * All numbers (including target) will be positive integers. - * The solution set must not contain duplicate combinations. - * - * Example 1: - * Input: candidates = [10,1,2,7,6,1,5], target = 8, - * A solution set is: - [ - [1, 7], - [1, 2, 5], - [2, 6], - [1, 1, 6] - ] - */ -public class Code_40_CombinationSumII { - private List> res; - - public List> combinationSum2(int[] candidates, int target) { - res=new ArrayList<>(); - if(candidates.length==0){ - return res; - } - Arrays.sort(candidates); - List p=new ArrayList<>(); - solve(candidates,0,target,p); - return res; - } - - private void solve(int[] candidates,int startIndex,int target,List p){ - if(target==0){ - res.add(new ArrayList<>(p)); - return; - } - for(int i=startIndex;i startIndex && candidates[i] == candidates[i-1]) - continue; - if(target>=candidates[i]){ - p.add(candidates[i]); - solve(candidates,i+1,target-candidates[i],p); - p.remove(p.size()-1); - } - } - return; - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_417_PacificAtlanticWaterFlow.java b/LeetCodeSolutions/src/code_06_backtrack/Code_417_PacificAtlanticWaterFlow.java deleted file mode 100644 index c5a03fb..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_417_PacificAtlanticWaterFlow.java +++ /dev/null @@ -1,81 +0,0 @@ -package code_06_backtrack; - -import java.util.ArrayList; -import java.util.List; - -/** - * 417. Pacific Atlantic Water Flow - * - * 给定一个 m x n 的非负整数矩阵来表示一片大陆上各个单元格的高度。 - * “太平洋”处于大陆的左边界和上边界,而“大西洋”处于大陆的右边界和下边界。 - * 规定水流只能按照上、下、左、右四个方向流动, - * TODO:且只能从高到低或者在同等高度上流动。 - * 请找出那些水流既可以流动到“太平洋”,又能流动到“大西洋”的陆地单元的坐标。 - * Given the following 5x5 matrix: - - Pacific - ~ ~ ~ ~ ~ - ~ 1 2 2 3 (5) * - ~ 3 2 3 (4) (4) * - ~ 2 4 (5) 3 1 * - ~ (6) (7) 1 4 5 * - ~ (5) 1 1 2 4 * - * * * * * Atlantic - */ -public class Code_417_PacificAtlanticWaterFlow { - private int m; - private int n; - - private boolean[][] pacific; - private boolean[][] atlantic; - - - //TODO:二维数组四个方向查找的小技巧 - private int[][] d={{-1,0},{0,1},{1,0},{0,-1}}; - - private boolean isArea(int x,int y){ - return (x>=0 && x=0 && y=matrix[x][y])){ - dfs(matrix,visited,newx,newy); - } - } - } - } - - public List pacificAtlantic(int[][] matrix) { - List res=new ArrayList<>(); - m=matrix.length; - if(m==0){ - return res; - } - n=matrix[0].length; - pacific=new boolean[m][n]; - atlantic=new boolean[m][n]; - - for(int i=0;i> res; - - //用来去除已经访问过的元素,该数组长度为nums.lenth,其下标表示的元素和nums的下标表示的元素相同 - private boolean[] visitecd; - - //p中保存一个有index的元素的排列 - //向这个排列的末尾添加第(index+1)个元素,获的有(index+1)个元素的排列 - private void generatePermutation(int[] nums,int index,List p){ - if(index==nums.length){ - //这里要尤其注意,p传过来的是引用 - res.add(new ArrayList<>(p)); - return; - } - for(int i=0;i> permute(int[] nums) { - res=new ArrayList<>(); - if(nums.length==0){ - return res; - } - visitecd=new boolean[nums.length]; - List p=new ArrayList<>(); - generatePermutation(nums,0,p); - return res; - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_473_MatchsticksToSquare.java b/LeetCodeSolutions/src/code_06_backtrack/Code_473_MatchsticksToSquare.java deleted file mode 100644 index dfedd45..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_473_MatchsticksToSquare.java +++ /dev/null @@ -1,119 +0,0 @@ -package code_06_backtrack; - -import org.junit.Test; - -/** - * 473. Matchsticks to Square - * - * Remember the story of Little Match Girl? By now, you know exactly what matchsticks the little match girl has, - * please find out a way you can make one square by using up all those matchsticks. - * You should not break any stick, but you can link them up, and each matchstick must be used exactly one time. - * Your input will be several matchsticks the girl has, represented with their stick length. - * Your output will either be true or false, - * to represent whether you could make one square using all the matchsticks the little match girl has. - * (是否能用所有的火柴拼成正方形) - * - * Example 1: - Input: [1,1,2,2,2] - Output: true - Explanation: You can form a square with length 2, one side of the square came two sticks with length 1. - - * Example 2: - Input: [3,3,3,3,4] - Output: false - Explanation: You cannot find a way to form a square with all the matchsticks. - - * Note: - The length sum of the given matchsticks is in the range of 0 to 10^9. - The length of the given matchstick array will not exceed 15. - */ -public class Code_473_MatchsticksToSquare { - /** - * 思路: - * 建立一个长度为4的数组sums来保四条的长度和,我们希望每条边都等于target=sum/4。 - * 所有火柴总长度必须是4的倍数,否则不能构成正方形。 - * 每根火柴必须用到,这里通过递归深度优先的方法逐个遍历所有火柴, - * 依次将其加入到四条边上之后进行下一层遍历, - * 如果最终四条边长度都达到边长长度则返回true,否则遍历完所有情况后返回false。 - */ - public boolean makesquare(int[] nums) { - if (nums == null || nums.length < 4) { - return false; - } - int sum=0; - for(int num:nums){ - sum+=num; - } - if(sum%4!=0){ - return false; - } - int[] sums=new int[4]; - int target=sum/4; - return canPutMatchSticks(nums,sums,0,target); - } - - /** - * @param nums 火柴长度数组 - * @param sums 存储四条边的长度之和 - * @param step 每次放一根火柴棒的步数 - * @param target 目标正方形的边长 - */ - private boolean canPutMatchSticks1(int[] nums,int[] sums,int step,int target){ - if(step==nums.length){ - //这里在结束才作判断,效率是不高的,要想办法进行再深度遍历的时候进行剪枝 - if(sums[0]==target && sums[1]==target && - sums[2]==target && sums[3]==target){ - return true; - }else{ - return false; - } - } - for(int i=0;i<4;i++){ - //sum[i]表示该正方形某一边的长度 nums[step]第step步放入火柴 - //sums[i]+nums[step] 就表示在step步将火柴放入长度为sum[i]的边上 - if(sums[i]+nums[step]>target) { - continue; - } - sums[i]+=nums[step]; - if(canPutMatchSticks1(nums,sums,step+1,target)){ - return true; - } - sums[i]-=nums[step]; - } - return false; - } - - /** - * @param nums 火柴长度数组 - * @param sums 存储四条边的长度之和 - * @param step 每次放一根火柴棒的步数 - * @param target 目标正方形的边长 - */ - private boolean canPutMatchSticks(int[] nums,int[] sums,int step,int target){ - if(step==nums.length){ - return true; - } - for(int i=0;i<4;i++){ - //sum[i]表示该正方形某一边的长度 nums[step]第step步放入火柴 - //sums[i]+nums[step] 就表示在step步将火柴放入长度为sum[i]的边上 - if(sums[i]+nums[step]>target) { - continue; - } - if(step<4 && i>step){ - break; - } - sums[i]+=nums[step]; - if(canPutMatchSticks(nums,sums,step+1,target)){ - return true; - } - sums[i]-=nums[step]; - } - return false; - } - - @Test - public void test(){ - int[] nums={3,3,3,3,3,3,2}; - makesquare(nums); - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_47_PermutationsII.java b/LeetCodeSolutions/src/code_06_backtrack/Code_47_PermutationsII.java deleted file mode 100644 index 80105fb..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_47_PermutationsII.java +++ /dev/null @@ -1,67 +0,0 @@ -package code_06_backtrack; - -import java.util.ArrayList; -import java.util.Arrays; -import java.util.List; - -/** - * 47. Permutations II - * - * Given a collection of numbers that might contain duplicates, return all possible unique permutations. - * - * Example: - * Input: [1,1,2] - * Output: - [ - [1,1,2], - [1,2,1], - [2,1,1] - ] - */ -public class Code_47_PermutationsII { - private List> res; - - private boolean[] vistied; - - private void generatePermutation(int[] nums,int index,List p){ - if(nums.length==index){ - res.add(new ArrayList<>(p)); - return; - } - for(int i=0;i0 && nums[i]==nums[i-1] && vistied[i-1]==false){ - continue; - } - //要加入的元素,与前一个元素不能相同 - p.add(nums[i]); - vistied[i]=true; - - generatePermutation(nums,index+1,p); - - p.remove(p.size()-1); - vistied[i]=false; - } - } - return; - } - - /** - * 思路: - * 看到重复元素,首先要想到能否使用排序。 - * 这里如果已经访问过的数字如果是重复元素,排序后,相邻元素相同,则该元素是重复元素 - */ - public List> permuteUnique(int[] nums) { - res=new ArrayList<>(); - if(nums.length==0){ - return res; - } - //先对数组进行排序,方便后面的 - Arrays.sort(nums); - List p=new ArrayList<>(); - vistied=new boolean[nums.length]; - generatePermutation(nums,0,p); - return res; - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_51_NQueens.java b/LeetCodeSolutions/src/code_06_backtrack/Code_51_NQueens.java deleted file mode 100644 index 31395c0..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_51_NQueens.java +++ /dev/null @@ -1,94 +0,0 @@ -package code_06_backtrack; - -import org.junit.Test; - -import java.util.ArrayList; -import java.util.List; - -/** - * 51. N-Queens - * The n-queens puzzle is the problem of placing n queens on an n×n chessboard such that no two queens attack each other. - * Given an integer n, return - * - * TODO: all distinct solutions to the n-queens puzzle. - - * Each solution contains a distinct board configuration of the n-queens' placement, - * where 'Q' and '.' both indicate a queen and an empty space respectively. - */ -public class Code_51_NQueens { - private List> res; - - //用于判断是否在同一竖线上,因为index表示行数,是变化的,所以不用判断是否在相同行 - private boolean col[]; - //判断是是否在1类对角线上 - private boolean dia1[]; - //判断是是否在2类对角线上 - private boolean dia2[]; - - //在 n*n 棋盘的index行上放皇后 - //row用于存储在index行能够放皇后的位置 - private void putQueuen(int n,int index,List row){ - if(index==n){ - //generateBoard(n,row)用于产生棋盘 - res.add(generateBoard(n,row)); - return; - } - for(int j=0;j generateBoard(int n,List row){ - char[][] board=new char[n][n]; - for(int i=0;i list=new ArrayList<>(); - for(int i=0;i> solveNQueens(int n) { - res=new ArrayList<>(); - if(n==0){ - return res; - } - col=new boolean[n]; - dia1=new boolean[2*n-1]; - dia2=new boolean[2*n-1]; - List row=new ArrayList<>(); - putQueuen(n,0,row); - return res; - } - - @Test - public void test(){ - List> list=solveNQueens(4); - for(List l:list){ - System.out.println(l); - } - - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_52_NQueensII.java b/LeetCodeSolutions/src/code_06_backtrack/Code_52_NQueensII.java deleted file mode 100644 index 53a47e7..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_52_NQueensII.java +++ /dev/null @@ -1,49 +0,0 @@ -package code_06_backtrack; - -import java.util.ArrayList; -import java.util.List; - -/** - * 52. N-Queens II - * - * The n-queens puzzle is the problem of placing n queens on an n×n chessboard such that no two queens attack each other. - * Given an integer n, return the number of distinct solutions to the n-queens puzzle. - */ -public class Code_52_NQueensII { - private int num=0; - - private boolean[] col; - private boolean[] dia1; - private boolean[] dia2; - - //在 n*n 棋盘的index行上放皇后 - //row用于存储在index行能够放皇后的位置 - private void putQuenen(int n,int index,List row){ - if(index==n){ - num++; - return; - } - for(int j=0;j row=new ArrayList<>(); - putQuenen(n,0,row); - return num; - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_690_EmployeeImportance.java b/LeetCodeSolutions/src/code_06_backtrack/Code_690_EmployeeImportance.java deleted file mode 100644 index d944021..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_690_EmployeeImportance.java +++ /dev/null @@ -1,82 +0,0 @@ -package code_06_backtrack; - -import org.junit.Test; - -import java.util.*; - -/** - * 690. Employee Importance - * You are given a data structure of employee information, - * which includes the employee's unique id, his importance value and - * his direct subordinates'(subordinate,下属) id. - - * For example, employee 1 is the leader of employee 2, - * and employee 2 is the leader of employee 3. They have importance value 15, 10 and 5, respectively. - * Then - * employee 1 has a data structure like [1, 15, [2]], and - * employee 2 has [2, 10, [3]], and - * employee 3 has [3, 5, []]. - * Note that although employee 3 is also a subordinate of employee 1, the relationship is not direct. - - * Now given the employee information of a company, - * and an employee id, you need to return the total importance value of this employee and all his subordinates. - * - * Example: - Input: [[1, 5, [2, 3]], [2, 3, []], [3, 3, []]], 1 - Output: 11 - Explanation: - Employee 1 has importance value 5, and he has two direct subordinates: employee 2 and employee 3. - They both have importance value 3. - So the total importance value of employee 1 is 5 + 3 + 3 = 11. - */ -public class Code_690_EmployeeImportance { - public int getImportance1(List employees, int id) { - int res=0; - for(Employee e:employees){ - if(e.id==id){ - res=e.importance; - List subordinates=e.subordinates; - if(subordinates!=null || subordinates.size()!=0){ - for(Integer subIds:subordinates){ - res+=getImportance1(employees,subIds); - } - } - } - } - return res; - } - - public int getImportance(List employees, int id) { - Map map = new HashMap(); - for(int i=0;i queue = new LinkedList(); - queue.add(map.get(id)); - while(!queue.isEmpty()){ - Employee employee=queue.poll(); - res+=employee.importance; - List subordinates=employee.subordinates; - for(Integer subId:subordinates){ - queue.add(map.get(subId)); - } - } - return res; - } - - @Test - public void test(){ - List list1=new ArrayList<>(); - list1.add(2); - list1.add(3); - Employee e1=new Employee(1,5,list1); - Employee e2=new Employee(2,3,new ArrayList<>()); - Employee e3=new Employee(3,3,new ArrayList<>()); - - List employees=new ArrayList<>(); - employees.add(e1); - employees.add(e2); - employees.add(e3); - System.out.println(getImportance(employees,1)); - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_695_MaxAreaOfIsland.java b/LeetCodeSolutions/src/code_06_backtrack/Code_695_MaxAreaOfIsland.java deleted file mode 100644 index b1a72c6..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_695_MaxAreaOfIsland.java +++ /dev/null @@ -1,112 +0,0 @@ -package code_06_backtrack; - -import org.junit.Test; - -/** - * - * 695. Max Area of Island - * - * Given a non-empty 2D array grid of 0's and 1's, an island is a group of 1's (representing land) - * connected 4-directionally (horizontal or vertical.) You may assume all four edges of the grid are surrounded by water. - * Find the maximum area of an island in the given 2D array. (If there is no island, the maximum area is 0.) - - Example 1: - [[0,0,1,0,0,0,0,1,0,0,0,0,0], - [0,0,0,0,0,0,0,1,1,1,0,0,0], - [0,1,1,0,1,0,0,0,0,0,0,0,0], - [0,1,0,0,1,1,0,0,1,0,1,0,0], - [0,1,0,0,1,1,0,0,1,1,1,0,0], - [0,0,0,0,0,0,0,0,0,0,1,0,0], - [0,0,0,0,0,0,0,1,1,1,0,0,0], - [0,0,0,0,0,0,0,1,1,0,0,0,0]] - Given the above grid, return 6. Note the answer is not 11, because the island must be connected 4-directionally. - - Example 2: - [[0,0,0,0,0,0,0,0]] - Given the above grid, return 0. - Note: The length of each dimension in the given grid does not exceed 50. - */ -public class Code_695_MaxAreaOfIsland { - private int m; - private int n; - - //用来标记是否是同一个岛屿 - private boolean[][] visited; - - //TODO:二维数组四个方向查找的小技巧 - private int[][] d={{-1,0},{0,1},{1,0},{0,-1}}; - - private boolean isArea(int x,int y){ - return (x>=0 && x=0 && ytarget){ - continue; - } - if(indexindex){ - break; - } - sums[i]+=nums[index]; - if(canPartition(nums,sums,k,index+1,target)){ - return true; - } - sums[i]-=nums[index]; - } - return false; - } - - @Test - public void test(){ - int[] arr={4, 3, 2, 3, 5, 2, 1}; - int k=4; - System.out.println(canPartitionKSubsets(arr,k)); - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_733_FloodFill.java b/LeetCodeSolutions/src/code_06_backtrack/Code_733_FloodFill.java deleted file mode 100644 index 40244e7..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_733_FloodFill.java +++ /dev/null @@ -1,80 +0,0 @@ -package code_06_backtrack; - -import org.junit.Test; - -/** - * 733. Flood Fill - * - * An image is represented by a 2-D array of integers, - * each integer representing the pixel value of the image (from 0 to 65535). - * - * Given a coordinate (sr, sc) representing the starting pixel (row and column) of the flood fill, - * and a pixel value newColor, "flood fill" the image. - - To perform a "flood fill", consider the starting pixel, plus any pixels connected 4-directionally - to the starting pixel of the same color as the starting pixel, - plus any pixels connected 4-directionally to those pixels (also with the same color as the starting pixel), - and so on. Replace the color of all of the aforementioned pixels with the newColor. - At the end, return the modified image. - */ -public class Code_733_FloodFill { - private int m; - private int n; - - //用来标记是否是同一中颜色 - private boolean[][] visited; - - //TODO:二维数组四个方向查找的小技巧 - private int[][] d={{-1,0},{0,1},{1,0},{0,-1}}; - - private boolean isArea(int x,int y){ - return (x>=0 && x=0 && y> res; - - //c存储已经找到的组合 - //从start开始搜索新的元素 - private void findCombination(int n,int k,int start,List c){ - //递归结束条件,这里就是c中有k个元素 - if(k==c.size()){ - res.add(new ArrayList<>(c)); - return; - } - for(int i=start;i<=n-(k-c.size())+1;i++){ - c.add(i); - findCombination(n,k,i+1,c); - c.remove(c.size()-1); - } - /*for(int i=start;i<=n;i++){ - c.add(i); - findCombination(n,k,i+1,c); - c.remove(c.size()-1); - }*/ - } - - public List> combine(int n, int k) { - res=new ArrayList<>(); - if(n<=0 || k<=0 || k>n){ - return res; - } - List c=new ArrayList<>(); - findCombination(n,k,1,c); - return res; - } - - @Test - public void test(){ - System.out.println(combine(4,2)); - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_784_LetterCasePermutation.java b/LeetCodeSolutions/src/code_06_backtrack/Code_784_LetterCasePermutation.java deleted file mode 100644 index c43ffe3..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_784_LetterCasePermutation.java +++ /dev/null @@ -1,67 +0,0 @@ -package code_06_backtrack; - -import org.junit.Test; - -import java.util.ArrayList; -import java.util.List; - -/** - * 784. Letter Case Permutation - * - * Given a string S, we can transform every letter individually to be - * lowercase or uppercase to create another string. - * Return a list of all possible strings we could create. - * - * Examples: - Input: S = "a1b2" - Output: ["a1b2", "a1B2", "A1b2", "A1B2"] - - Input: S = "3z4" - Output: ["3z4", "3Z4"] - - Input: S = "12345" - Output: ["12345"] - - Note: - - S will be a string with length between 1 and 12. - S will consist only of letters or digits. - */ -public class Code_784_LetterCasePermutation { - private List res; - - //处理index位置的字符 - private void replace(int index,StringBuilder builder){ - if(index==builder.length()){ - res.add(builder.toString()); - return; - } - char ch=builder.charAt(index); - if(Character.isLetter(ch)){ - builder.setCharAt(index,Character.toLowerCase(ch)); - replace(index+1,builder); - builder.setCharAt(index,Character.toUpperCase(ch)); - replace(index+1,builder); - }else{ - replace(index+1,builder); - } - } - - public List letterCasePermutation(String S) { - res=new ArrayList<>(); - if(S.length()==0){ - res.add(""); - return res; - } - StringBuilder builder=new StringBuilder(S); - replace(0,builder); - return res; - } - - @Test - public void test(){ - String S="a1b2"; - //String S="12345"; - System.out.println(letterCasePermutation(S)); - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_78_Subsets.java b/LeetCodeSolutions/src/code_06_backtrack/Code_78_Subsets.java deleted file mode 100644 index d320724..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_78_Subsets.java +++ /dev/null @@ -1,65 +0,0 @@ -package code_06_backtrack; - -import org.junit.Test; - -import java.util.ArrayList; -import java.util.List; - -/** - * 78. Subsets - * - * Given a set of distinct integers, nums, return all possible subsets (the power set). - * Note: The solution set must not contain duplicate subsets. - * - * Example: - * - * Input: nums = [1,2,3] - * Output: - [ - [3], - [1], - [2], - [1,2,3], - [1,3], - [2,3], - [1,2], - [] - ] - */ -public class Code_78_Subsets { - private List> res; - - private void findSubset(int[] nums,int index,List p){ - //这里不需要递归的结束条件 - //因为当index==nums.length之后,就会自动终止递归 - //为什么自己不递归?这样会导致解缺失的情况 - //if(index==nums.length){ - // res.add(new ArrayList<>(p)); - //return; - //} - //结果:[[1, 2, 3], [1, 3], [2, 3], [3]] - //因为每次递归对数组长度是没有要求的,加上条件后,每次只能获取定长的数据 - res.add(new ArrayList<>(p)); - for(int i=index;i> subsets(int[] nums) { - res=new ArrayList<>(); - if(nums.length==0){ - return res; - } - List p=new ArrayList<>(); - findSubset(nums,0,p); - return res; - } - - @Test - public void test(){ - int[] arr={1,2,3}; - System.out.println(subsets(arr)); - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_797_AllPathsFromSourcetoTarget.java b/LeetCodeSolutions/src/code_06_backtrack/Code_797_AllPathsFromSourcetoTarget.java deleted file mode 100644 index e6952cb..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_797_AllPathsFromSourcetoTarget.java +++ /dev/null @@ -1,82 +0,0 @@ -package code_06_backtrack; - -import org.junit.Test; - -import java.util.ArrayList; -import java.util.List; - -/** - * 797. All Paths From Source to Target - * - * Given a directed, acyclic graph of N nodes. - * Find all possible paths from node 0 to node N-1, and return them in any order. - * The graph is given as follows: - * the nodes are 0, 1, ..., graph.length - 1. - * graph[i] is a list of all nodes j for which the edge (i, j) exists. - * - * Example: - Input: [[1,2], [3], [3], []] - Output: [[0,1,3],[0,2,3]] - Explanation: The graph looks like this: - 0--->1 - | | - v v - 2--->3 - 这里面graph是使用的二维数组表示的 - [[1,2], [3], [3], []]可以使用矩阵这样表示 - - There are two paths: 0 -> 1 -> 3 and 0 -> 2 -> 3. - - Note: - The number of nodes in the graph will be in the range [2, 15]. - You can print different paths in any order, but you should keep the order of nodes inside one path. - */ -public class Code_797_AllPathsFromSourcetoTarget { - private List> res; - - /** - * 思路: - * 分析可知解集是子集树 - */ - public List> allPathsSourceTarget(int[][] graph) { - res=new ArrayList<>(); - int n=graph.length; - if(n==0){ - return res; - } - List p=new ArrayList<>(); - p.add(0); - findPath(graph,0,n-1,p); - return res; - } - - //p保存的是[start...end]点的路径 - private void findPath(int[][] graph,int start,int end,List p){ - if(start==end){ - res.add(new ArrayList<>(p)); - return; - } - - //(index,nodes[i])表示一条边 - int[] vertexs=graph[start]; - if(vertexs.length!=0){ - for(int vertex:vertexs){ - p.add(vertex); - //查找到vertex顶点接着向下寻找 - findPath(graph,vertex,end,p); - p.remove(p.size()-1); - } - } - } - - @Test - public void test(){ - int[][] g={{1,2}, - {3}, - {3}, - {} - }; - System.out.println(g.length); - System.out.println(allPathsSourceTarget(g)); - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_79_WordSearch.java b/LeetCodeSolutions/src/code_06_backtrack/Code_79_WordSearch.java deleted file mode 100644 index 2a5d4a3..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_79_WordSearch.java +++ /dev/null @@ -1,77 +0,0 @@ -package code_06_backtrack; - -/** - * 79. Word Search - * - * Given a 2D board and a word, find if the word exists in the grid. - * The word can be constructed from letters of sequentially adjacent cell, - * where "adjacent" cells are those horizontally or vertically neighboring. - * The same letter cell may not be used more than once. - * - * Example: - board = - [ - ['A','B','C','E'], - ['S','F','C','S'], - ['A','D','E','E'] - ] - - * Given word = "ABCCED", return true. - * Given word = "SEE", return true. - * Given word = "ABCB", return false. - */ -public class Code_79_WordSearch { - //TODO:使用一个数组来表示要查找的方向,这是一个小技巧 - private int[][] d={{-1,0},{0,1},{1,0},{0,-1}}; - - //因为要求在一次查找中字符只能出现一次 - private boolean[][] visited; - - //m,n分别表示该维数组的行和列 - private int m; - private int n; - - //从board[startx][starty]开始寻找word[index...word.ength()] - private boolean searchBoard(char[][] board, String word,int index,int startx,int starty){ - if(index==word.length()-1){ - //递归到最后一个字符,看看从[startx,starty]位置开始,是否有该字符 - return board[startx][starty]==word.charAt(index); - } - if(board[startx][starty]==word.charAt(index)){ - visited[startx][starty]=true; - //从[startx,starty]位置开始,向四个方向查找下一元素 - for(int i=0;i<4;i++){ - //TODO:对四个方向都进行查找 - int newx=startx+d[i][0]; - int newy=starty+d[i][1]; - if(inArea(newx,newy) && visited[newx][newy]==false){ - //从board[newx][newy]开始寻找word[index+1...word.ength()] - if(searchBoard(board,word,index+1,newx,newy)){ - return true; - } - } - } - visited[startx][starty]=false; - } - return false; - } - - private boolean inArea(int x,int y){ - return (x>=0 && x=0 && y0; - n=board[0].length; - visited=new boolean[m][n]; - for(int i=0;i> res; - - private void findSubsets(int[] nums,int index,List p){ - res.add(new ArrayList<>(p)); - for(int i=index;i0 && nums[i-1]==nums[i]) 相邻的重复元素 - //i==index 表示在同一层 - if(i!=index && (i>0 && nums[i-1]==nums[i])){ - continue; - } - p.add(nums[i]); - findSubsets(nums,i+1,p); - p.remove(p.size()-1); - } - } - - public List> subsetsWithDup(int[] nums) { - res=new ArrayList<>(); - if(nums.length==0){ - return res; - } - Arrays.sort(nums); - List p=new ArrayList<>(); - findSubsets(nums,0,p); - return res; - } - - @Test - public void test(){ - int[] nums={1,2,2}; - System.out.println(subsetsWithDup(nums)); - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Code_93_RestoreIPAddresses.java b/LeetCodeSolutions/src/code_06_backtrack/Code_93_RestoreIPAddresses.java deleted file mode 100644 index 61a90c4..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Code_93_RestoreIPAddresses.java +++ /dev/null @@ -1,82 +0,0 @@ -package code_06_backtrack; - -import org.junit.Test; - -import java.util.ArrayList; -import java.util.List; - -/** - * 93. Restore IP Addresses - * - * Given a string containing only digits, restore it by returning all possible valid IP address combinations. - * - * Example: - * Input: "25525511135" - * Output: ["255.255.11.135", "255.255.111.35"] - - */ -public class Code_93_RestoreIPAddresses { - /** - * 在输入字符串中加入三个点,将字符串分为四段,每一段必须合法,求所有可能的情况。 - * 我们用k来表示当前还需要分的段数,如果k = 0,则表示三个点已经加入完成,四段已经形成,若这时字符串刚好为空,则将当前分好的结果保存。 - * 若k != 0, - * 则对于每一段,我们分别用一位,两位,三位来尝试,分别判断其合不合法,如果合法,则调用递归继续分剩下的字符串,最终和求出所有合法组合。 - * @param s - * @return - */ - public List restoreIpAddresses(String s){ - List res=new ArrayList<>(); - if(s.length()<4 || s.length()>12){ - return res; - } - restore(s,1,"",res); - return res; - } - - //count表示的是取的是第count段 - //p存储的前段的IP地址 - //s表示的每一段的IP地址 - private void restore(String s,int count,String p,List res){ - System.out.println("s:"+s); - if(count==4 && isValid(s)){ - res.add(p+s); - return; - } - //Math.min(4, s.length())后面几位少于4的情况比如,0000 - for(int i=1;i< Math.min(4,s.length());i++){ - String cur=s.substring(0,i); - if(isValid(cur)){ - System.out.println("p:"+p); - System.out.println("cur:"+cur); - System.out.println(); - restore(s.substring(i),count+1 ,p+cur+".",res); - System.out.println("count="+count); - } - } - return; - } - - /** - * IP地址总共有四段, - * 每一段可能有一位,两位或者三位,范围是[0, 255], - * 题目明确指出输入字符串只含有数字,所以当某段是三位时,我们要判断其是否越界(>255), - * 还有一点很重要的是,当只有一位时,0可以成某一段, - * 如果有两位或三位时,像 00, 01, 001, 011, 000等都是不合法的, - * 所以我们还是需要有一个判定函数来判断某个字符串是否合法。 - */ - private boolean isValid(String s){ - //该字符串的第一个元素是0,则该字符串要合法的话,就只能是0 - if(s.charAt(0)=='0'){ - return "0".equals(s); - } - int num=Integer.parseInt(s); - return num>0 && num<256; - } - - @Test - public void test(){ - String s="234255123"; - List list=restoreIpAddresses(s); - //System.out.println(list); - } -} diff --git a/LeetCodeSolutions/src/code_06_backtrack/Employee.java b/LeetCodeSolutions/src/code_06_backtrack/Employee.java deleted file mode 100644 index f00d41c..0000000 --- a/LeetCodeSolutions/src/code_06_backtrack/Employee.java +++ /dev/null @@ -1,22 +0,0 @@ -package code_06_backtrack; - -import java.util.List; - -/** - * Created by DHA on 2018/12/3. - */ -public class Employee { - // It's the unique id of each node; - // unique id of this employee - public int id; - // the importance value of this employee - public int importance; - // the id of direct subordinates - public List subordinates; - - public Employee(int id, int importance, List subordinates) { - this.id = id; - this.importance = importance; - this.subordinates = subordinates; - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/Code_118_Pascal_sTriangle.java b/LeetCodeSolutions/src/code_07_dp/Code_118_Pascal_sTriangle.java deleted file mode 100644 index 44a52bc..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Code_118_Pascal_sTriangle.java +++ /dev/null @@ -1,37 +0,0 @@ -package code_07_dp; - -import org.junit.Test; - -import java.util.ArrayList; -import java.util.List; - -/** - * 118. Pascal's Triangle - * - * Given a non-negative integer numRows, generate the first numRows of Pascal's triangle. - */ -public class Code_118_Pascal_sTriangle { - public List> generate(int numRows) { - List> res=new ArrayList<>(); - if(numRows==0) { - return res; - } - for(int i=0;i list = new ArrayList<>(); - for (int j = 0; j < i+1; j++) { - if(j==0 || j==i){ - list.add(1); - }else{ - list.add(res.get(i - 1).get(j - 1) + res.get(i - 1).get(j)); - } - } - res.add(list); - } - return res; - } - - @Test - public void test(){ - System.out.println(generate(5)); - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/Code_120_Triangle.java b/LeetCodeSolutions/src/code_07_dp/Code_120_Triangle.java deleted file mode 100644 index b5c6d42..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Code_120_Triangle.java +++ /dev/null @@ -1,121 +0,0 @@ -package code_07_dp; - -import org.junit.Test; - -import java.util.ArrayList; -import java.util.Arrays; -import java.util.Collections; -import java.util.List; - -/** - * 120. Triangle - * - * Given a triangle, find the minimum path sum from top to bottom. - * Each step you may move to adjacent numbers on the row below. - * For example, given the following triangle - - [ - [2], - [3,4], - [6,5,7], - [4,1,8,3] - ] - * The minimum path sum from top to bottom is 11 (i.e., 2 + 3 + 5 + 1 = 11). - - * Note: - * Bonus point if you are able to do this using only O(n) extra space, - * where n is the total number of rows in the triangle. - */ -public class Code_120_Triangle { - //状态转移方程 - //f(0,0)=tri[0][0] - //f(i,0)=tri[i][0]+f(i-1,0) (i>0) - //f(i,i)=tri[i][i]+f(i-1,i-1)(i>=1) - //f(i,j)=tri[i][j]+min{f(i-1,j-1),f(i-1,j)} - - //空间复杂度O(n^2),不符合题目要求,要进行优化 - public int minimumTotal1(List> triangle) { - int n = triangle.size(); - - int[][] memo=new int[n][]; - for(int i=0;i> triangle) { - int n = triangle.size(); - int[] memo=new int[n]; - - for(int j=0;j=0 ; i --){ - for(int j = 0 ; j <= i ; j ++){ - memo[j]=triangle.get(i).get(j)+Math.min(memo[j],memo[j+1]); - } - } - return memo[0]; - } - - /** - * 思路:典型的动态规划问题 - * (1)存在最有子结构 - * (2)子问题存在大量的重复计算 - * @param triangle - * @return - */ - public int minimumTotal3(List> triangle) { - int n = triangle.size(); - for(int i = 1 ; i < n ; i ++){ - triangle.get(i).set(0,triangle.get(i).get(0)+triangle.get(i-1).get(0)); - triangle.get(i).set(i,triangle.get(i).get(i)+triangle.get(i-1).get(i-1)); - for(int j = 1 ; j < i ; j ++) - triangle.get(i).set(j,triangle.get(i).get(j)+Math.min(triangle.get(i-1).get(j-1),triangle.get(i-1).get(j))); - } - Collections.sort(triangle.get(n-1)); - return triangle.get(n-1).get(0); - } - - - - @Test - public void test(){ - List l1=new ArrayList<>(); - l1.add(2); - - List l2=new ArrayList<>(); - l2.add(3); - l2.add(4); - - List l3=new ArrayList<>(); - l3.add(6); - l3.add(5); - l3.add(7); - - List l4=new ArrayList<>(); - l4.add(4); - l4.add(1); - l4.add(8); - l4.add(3); - - List> list=new ArrayList<>(); - list.add(l1); - list.add(l2); - list.add(l3); - list.add(l4); - - System.out.println(minimumTotal2(list)); - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/Code_121_BestTimeToBuyAndSellStock.java b/LeetCodeSolutions/src/code_07_dp/Code_121_BestTimeToBuyAndSellStock.java deleted file mode 100644 index 6770626..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Code_121_BestTimeToBuyAndSellStock.java +++ /dev/null @@ -1,70 +0,0 @@ -package code_07_dp; - -import org.junit.Test; - -/** - * 121. Best Time to Buy and Sell Stock - * - * Say you have an array for which the ith element is the price of a given stock on day i. - * If you were only permitted to complete at most one transaction - * (i.e., buy one and sell one share of the stock), design an algorithm to find the maximum profit. - * Note that you cannot sell a stock before you buy one. - * - * Example 1: - Input: [7,1,5,3,6,4] - Output: 5 - Explanation: Buy on day 2 (price = 1) and sell on day 5 (price = 6), profit = 6-1 = 5. - Not 7-1 = 6, as selling price needs to be larger than buying price. - - * Example 2: - Input: [7,6,4,3,1] - Output: 0 - Explanation: In this case, no transaction is done, i.e. max profit = 0. - */ -public class Code_121_BestTimeToBuyAndSellStock { - /** - * 思路一: - * 遍历数组,找出(后面元素-当前元素)最大值 - * (因为要求先买入,然后再卖出,所以要求后面元素减去前面元素) - */ - public int maxProfit1(int[] prices) { - int n=prices.length; - if(n==0 || n==1){ - return 0; - } - int res=0; - for(int i=0;i=0;i--){ - maxForward[i]=Math.max(maxForward[i+1],maxValue-prices[i]); - maxValue=Math.max(maxValue,prices[i]); - } - - //枚举断点,maxBackward[cnt-1]是可以取到maxBackward[0]的 - int ret=maxForward[0]; - for(int cut=1;cut wordDict) { - int n=s.length(); - boolean[] memo=new boolean[n+1]; - memo[0]=true; - for (int i = 1; i <= n; i++){ - for (int j = 0; j < i; j++) { - // 注意substring是前闭后开 - String tmp = s.substring(j, i); - if (memo[j] && wordDict.contains(tmp)) { - memo[i] = true; - break; - } - } - } - return memo[n]; - } - - @Test - public void test(){ - //String s="catsandog"; - String s="applepenapple"; - List wordDict=new ArrayList<>(); - /* wordDict.add("cats"); - wordDict.add("dog"); - wordDict.add("sand"); - wordDict.add("and"); - wordDict.add("cat");*/ - wordDict.add("apple"); - wordDict.add("pen"); - System.out.println(wordBreak(s,wordDict)); - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/Code_188_BestTimeToBuyAndSellStockIV.java b/LeetCodeSolutions/src/code_07_dp/Code_188_BestTimeToBuyAndSellStockIV.java deleted file mode 100644 index c195773..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Code_188_BestTimeToBuyAndSellStockIV.java +++ /dev/null @@ -1,75 +0,0 @@ -package code_07_dp; - -import org.junit.Test; - -/** - * 188. Best Time to Buy and Sell Stock IV - * - * Say you have an array for which the ith element is the price of a given stock on day i. - * Design an algorithm to find the maximum profit. You may complete at most k transactions. - * - * Example 1: - Input: [2,4,1], k = 2 - Output: 2 - Explanation: Buy on day 1 (price = 2) and sell on day 2 (price = 4), profit = 4-2 = 2. - Example 2: - - Input: [3,2,6,5,0,3], k = 2 - Output: 7 - Explanation: Buy on day 2 (price = 2) and sell on day 3 (price = 6), profit = 6-2 = 4. - Then buy on day 5 (price = 0) and sell on day 6 (price = 3), profit = 3-0 = 3. - */ -public class Code_188_BestTimeToBuyAndSellStockIV { - public int maxProfit(int k, int[] prices) { - int n=prices.length; - if(k<=0){ - return 0; - } - if(k>=n/2){ - return maxProfit(prices); - } - //buy[i]表示完成第i笔交易的买入动作时的最大收益 - //sell[i]表示完成第i笔交易的卖出动作时的最大收益 - int[] buy=new int[k+1]; - int[] sell=new int[k+1]; - for(int i=0;i=1] - //第i次买入动作的最大收益=max{第i次买入动作是的最大收益,第(i-1)次卖出动作的最大收益-今天买入} - //sell[i] = max(sell[i], buy[i]+prices) - //第i次卖出动作的最大收益=max{第i次卖出动作的最大收益,第i次买入动作的最大收益+今天卖出} - for(int price: prices){ - for(int i=k;i>=1;i--){ - buy[i]=Math.max(buy[i],sell[i-1]-price); - sell[i]=Math.max(sell[i],buy[i]+price); - } - } - return sell[k]; - } - - //k>=n/2,只要有利润,就可以买入 - private int maxProfit(int[] prices){ - int n=prices.length; - if(n<=1){ - return 0; - } - int res=0; - for(int i=1;iprices[i-1]){ - res+=(prices[i]-prices[i-1]); - } - } - return res; - } - - @Test - public void test(){ - //int[] nums={3,2,6,5,0,3}; - //int[] nums={2,4,1}; - // int[] nums={3,3,5,0,0,3,1,4}; - int[] nums={6,1,6,4,3,0,2}; - int k = 1; - System.out.println(maxProfit(k,nums)); - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/Code_198_HouseRobber.java b/LeetCodeSolutions/src/code_07_dp/Code_198_HouseRobber.java deleted file mode 100644 index f8bb7ba..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Code_198_HouseRobber.java +++ /dev/null @@ -1,98 +0,0 @@ -package code_07_dp; - -/** - * 198. House Robber - * - * You are a professional robber planning to rob houses along a street. Each house has a certain amount of money stashed, the only constraint stopping you from robbing each of them is that adjacent houses have security system connected and it will automatically contact the police if two adjacent houses were broken into on the same night. - * Given a list of non-negative integers representing the amount of money of each house, determine the maximum amount of money you can rob tonight without alerting the police. - * - * Example 1: - Input: [1,2,3,1] - Output: 4 - * Explanation: Rob house 1 (money = 1) and then rob house 3 (money = 3). - * Total amount you can rob = 1 + 3 = 4. - */ -public class Code_198_HouseRobber { - private int[] memo1; - - //考虑抢劫nums[index...nums.length-1]者个范围内的所有房子 - private int tryRob(int[] nums,int index){ - if(index>=nums.length){ - return 0; - } - if(memo1[index]!=-1){ - return memo1[index]; - } - int res=-1; - for(int i=index;i< nums.length;i++){ - res=Math.max(res,nums[i]+tryRob(nums,i+2)); - } - memo1[index]=res; - return res; - } - - public int rob1(int[] nums) { - int n=nums.length; - //房子的编号在[0...nums.length-1],所以memo长度是nums.length即可 - memo1=new int[n]; - for(int i=0;i=1 - for(int i=n-2;i>=0;i--){ - // 抢劫[i...n]中的房子 - for(int j=i;j=1 - for(int i=1;i=0;j--){ - //nums[j] 编号为j的房子下标 - //memo[j+2]抢劫 [j+2...n-1]的最大收益 - memo[i]=Math.max(memo[i],nums[j]+(j-2>=0? memo[j-2]:0)); - } - } - return memo[n-1]; - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/Code_213_HouseRobberII.java b/LeetCodeSolutions/src/code_07_dp/Code_213_HouseRobberII.java deleted file mode 100644 index fec05ce..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Code_213_HouseRobberII.java +++ /dev/null @@ -1,58 +0,0 @@ -package code_07_dp; - -/** - * 213. House Robber II - - * You are a professional robber planning to rob houses along a street. - * Each house has a certain amount of money stashed. All houses at this place are arranged in a circle. - * That means the first house is the neighbor of the last one. - * Meanwhile, adjacent houses have security system connected - * and it will automatically contact the police if two adjacent houses were broken into on the same night. - * - * Given a list of non-negative integers representing the amount of money of each house, - * determine the maximum amount of money you can rob tonight without alerting the police. - * - * Example 1: - * Input: [2,3,2] - * Output: 3 - * Explanation: You cannot rob house 1 (money = 2) and then rob house 3 (money = 2),because they are adjacent houses. - * - * Example 2: - * Input: [1,2,3,1] - * Output: 4 - * Explanation: Rob house 1 (money = 1) and then rob house 3 (money = 3).Total amount you can rob = 1 + 3 = 4. - * - */ -public class Code_213_HouseRobberII { - //偷在[start,end]之间的房子 - private int rob(int[] nums,int start,int end){ - //偷取start位置 - int preMax=nums[start]; - - //偷取start+1位置 - int curMax=Math.max(preMax,nums[start+1]); - //curMax表示偷取 start或者(start+1)的最大值 - - for(int i=start+2;i<=end;i++){ - int tmp=curMax; - //偷取编号为i的房子 - curMax=Math.max(curMax,nums[i]+preMax); - preMax=tmp; - } - return curMax; - } - - public int rob(int[] nums) { - int n = nums.length; - if (n == 0) { - return 0; - } - if(n==1){ - return nums[0]; - } - if(n==2){ - return Math.max(nums[0],nums[1]); - } - return Math.max(rob(nums,0,nums.length-2),rob(nums,1,nums.length-1)); - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/Code_279_PerfectSquares.java b/LeetCodeSolutions/src/code_07_dp/Code_279_PerfectSquares.java deleted file mode 100644 index 7597f4c..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Code_279_PerfectSquares.java +++ /dev/null @@ -1,60 +0,0 @@ -package code_07_dp; - -/** - * 279. Perfect Squares - * Given a positive integer n, find the least number of perfect square numbers (for example, 1, 4, 9, 16, ...) which sum to n. - * Example 1: - * - * Input: n = 12 - * Output: 3 - * Explanation: 12 = 4 + 4 + 4. - * - * Example 2: - * Input: n = 13 - * Output: 2 - * Explanation: 13 = 4 + 9. - */ -public class Code_279_PerfectSquares { - private int[] memo; - private int findNumSquare(int n){ - if(n==0){ - return 0; - } - if(memo[n]!=-1){ - return memo[n]; - } - int min=Integer.MAX_VALUE; - for(int j=1;n-j*j>=0;j++){ - min=Math.min(min,1+findNumSquare(n-j*j)); - } - memo[n]=min; - return memo[n]; - } - - public int numSquares(int n) { - memo=new int[n+1]; - for(int i=0;in个数进行遍历 - for(int i=1;i<=n;i++){ - for(int j=1;i-j*j>=0;j++){ - memo[i]=Math.min(memo[i],1+memo[i-j*j]); - } - } - return memo[n]; - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/Code_300_LongestIncreasingSubsequence.java b/LeetCodeSolutions/src/code_07_dp/Code_300_LongestIncreasingSubsequence.java deleted file mode 100644 index 12ff8dc..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Code_300_LongestIncreasingSubsequence.java +++ /dev/null @@ -1,42 +0,0 @@ -package code_07_dp; - -/** - * 300. Longest Increasing Subsequence - * - * Given an unsorted array of integers, find the length of longest increasing subsequence. - * - * Example: - * Input: [10,9,2,5,3,7,101,18] - * Output: 4 - * Explanation: The longest increasing subsequence is [2,3,7,101], therefore the length is 4. - * - * Note: - * There may be more than one LIS combination, it is only necessary for you to return the length. - * Your algorithm should run in O(n^2) complexity. - */ -public class Code_300_LongestIncreasingSubsequence { - public int lengthOfLIS(int[] nums) { - int n=nums.length; - if(n==0){ - return 0; - } - int[] memo=new int[n]; - for(int i=0;inums[j]){ - memo[i]=Math.max(memo[i],1+memo[j]); - } - } - } - - int res=1; - for(int i=0;i2)?Math.max(memo[i-1],unmemo[i-2]-prices[i]):Math.max(memo[i-1],-prices[i]); - } - return unmemo[n-1]; - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/Code_322_CoinChange.java b/LeetCodeSolutions/src/code_07_dp/Code_322_CoinChange.java deleted file mode 100644 index ec609fb..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Code_322_CoinChange.java +++ /dev/null @@ -1,69 +0,0 @@ -package code_07_dp; - -/** - * 322. Coin Change - * You are given coins of different denominations and a total amount of money amount. - * Write a function to compute the fewest number of coins that you need to make up that amount. - * If that amount of money cannot be made up by any combination of the coins, return -1. - - * Example 1: - Input: coins = [1, 2, 5], amount = 11 - Output: 3 - Explanation: 11 = 5 + 5 + 1 - - * Example 2: - Input: coins = [2], amount = 3 - Output: -1 - */ -public class Code_322_CoinChange { - private int[] dp; - private int max_amount; - - private int tryChange(int[] coins,int amount){ - if(amount==0){ - return 0; - } - if(dp[amount]!=-1){ - return dp[amount]; - } - int res=max_amount; - for(int coin:coins){ - if(amount - coin >= 0){ - res=Math.min(res,1+tryChange(coins,amount-coin)); - } - } - dp[amount]=res; - return res; - } - - public int coinChange(int[] coins, int amount) { - max_amount=amount+1; - dp=new int[amount+1]; - for(int i=0;ib)?a:b; - return c>tmp?c:tmp; - } - - private int[] memo1; - private int breakInteger(int n){ - if(n==1){ - return 1; - } - if(memo1[n]!=-1){ - return memo1[n]; - } - int res=-1; - for(int i=1;i=2; - int[] memo=new int[n+1]; - memo[1]=1; - //2--n个数字都能进行拆分 - for(int i=2;i<=n;i++){ - for(int j=1;jnums[i-1]){ //下降 - down[i]=up[i-1]+1; - up[i]=up[i-1]; - }else if(nums[i]nums[i-1]){ - down=up+1; - } - if(nums[i]=nums[i]){ - res+=findCombination(nums,target-nums[i]); - } - } - memo[target]=res; - return memo[target]; - } - - public int combinationSum4(int[] nums, int target) { - int n=nums.length; - if(n==0){ - return 0; - } - memo=new int[target+1]; - for(int i=0;i=nums[j]){ - memo[i]=memo[i]+memo[i-nums[j]]; - } - } - } - return memo[target]; - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/Code_416_PartitionEqualSubsetSum.java b/LeetCodeSolutions/src/code_07_dp/Code_416_PartitionEqualSubsetSum.java deleted file mode 100644 index 8195593..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Code_416_PartitionEqualSubsetSum.java +++ /dev/null @@ -1,91 +0,0 @@ -package code_07_dp; - -import org.junit.Test; - -/** - * 416. Partition Equal Subset Sum - * - * Given a non-empty array containing only positive integers, find if the array can be partitioned into two subsets such that the sum of elements in both subsets is equal. - - * Note: - * Each of the array element will not exceed 100. - * The array size will not exceed 200. - - * Example 1: - * Input: [1, 5, 11, 5] - * Output: true - * Explanation: The array can be partitioned as [1, 5, 5] and [11]. - */ -public class Code_416_PartitionEqualSubsetSum { - //使用记忆化搜索 - //这里使用int类型: - //-1:表示未计算 0:表示不可以填充 1:表示可以填充 - private int[][] memo1; - - //使用[0...index]之间的物品,是否可以填充容量为C的背包 - private boolean tryPartition(int[] nums, int index, int C) { - //填满背包 - if(C==0){ - return true; - } - //C<0 说明背包放不下了 - if(C<0 || index<0){ - return false; - } - if(memo1[index][C]!=-1){ - return memo1[index][C]==1; - } - memo1[index][C]=(tryPartition(nums,index-1,C) || tryPartition(nums,index-1,C-nums[index]))==true?1:0; - return memo1[index][C]==1; - } - - public boolean canPartition1(int[] nums) { - int n=nums.length; - if(n==0){ - return false; - } - int sum=0; - for(int i=0;i=nums[i];j--){ - memo[j]=(memo[j] || memo[j-nums[i]]); - } - } - return memo[C]; - } - - @Test - public void test(){ - int[] nums={1,2,3,4,5,6,7}; - System.out.println(canPartition(nums)); - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/Code_474_OnesAndZeroes.java b/LeetCodeSolutions/src/code_07_dp/Code_474_OnesAndZeroes.java deleted file mode 100644 index e586d0d..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Code_474_OnesAndZeroes.java +++ /dev/null @@ -1,49 +0,0 @@ -package code_07_dp; - -/** - * 474. Ones and Zeroes - * - * In the computer world, use restricted resource you have to generate maximum benefit is what we always want to pursue. - * For now, suppose you are a dominator of m 0s and n 1s respectively. - * On the other hand, there is an array with strings consisting of only 0s and 1s. - * Now your task is to find the maximum number of strings that you can form with given m 0s and n 1s. - * Each 0 and 1 can be used at most once. - * - * Note: - * The given numbers of 0s and 1s will both not exceed 100 - * The size of given string array won't exceed 600. - * - * Example 1: - * Input: Array = {"10", "0001", "111001", "1", "0"}, m = 5, n = 3 - * Output: 4 - * Explanation: This are totally 4 strings can be formed by the using of 5 0s and 3 1s, which are “10,”0001”,”1”,”0” - - * Example 2: - * Input: Array = {"10", "0", "1"}, m = 1, n = 1 - * Output: 2 - * Explanation: You could form "10", but then you'd have nothing left. Better form "0" and "1". - */ -public class Code_474_OnesAndZeroes { - //memo[i][j]表示0个数不超过i,1个数不超过j的最多能选取的字符串个数。 - public int findMaxForm(String[] strs, int m, int n) { - int[][] memo=new int[m+1][n+1]; - for(String str:strs){ - //统计str中'0'和'1'的个数 - int cnt0=0; - int cnt1=0; - for(Character c:str.toCharArray()){ - if(c=='0'){ - cnt0++; - }else{ - cnt1++; - } - } - for(int i=m;i>=cnt0;i--){ - for(int j=n;j>=cnt1;j--){ - memo[i][j]=Math.max(memo[i][j],memo[i-cnt0][j-cnt1]+1); - } - } - } - return memo[m][n]; - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/Code_494_TargetSum.java b/LeetCodeSolutions/src/code_07_dp/Code_494_TargetSum.java deleted file mode 100644 index 926cfc8..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Code_494_TargetSum.java +++ /dev/null @@ -1,54 +0,0 @@ -package code_07_dp; - -/** - * 494. Target Sum - * - * You are given a list of non-negative integers, - * a1, a2, ..., an, and a target, S. - * Now you have 2 symbols + and -. For each integer, you should choose one from + and - as its new symbol. - * - * Find out how many ways to assign symbols to make sum of integers equal to target S. - * - * Example: - Input: nums is [1, 1, 1, 1, 1], S is 3. - Output: 5 - Explanation: - -1+1+1+1+1 = 3 - +1-1+1+1+1 = 3 - +1+1-1+1+1 = 3 - +1+1+1-1+1 = 3 - +1+1+1+1-1 = 3 - There are 5 ways to assign symbols to make the sum of nums be target 3. - */ -public class Code_494_TargetSum { - /** - * 思路: - * 假设原数组为nums,目标值为S,那么原数组必然可以分成两个部分: - * 一个部分里面的元素前面需要加-,即运算的时候应该是做减法,另一个部分里面的元素前面需要加+,即运算的时候应该是做加法; - * 我们将做加法部分的数组记为P,做减法部分的数组记为N, - * 举个例子,例如S = {1,2,3,4,5},S = 3,那么有一种可以是1-2+3-4+5,即P = {1,3,5},N = {2,4}; - * 于是我们可以知道:S = sum(P) - sum(N); - * 那么sum(P) + sum(N) + sum(P) - sum(N) = sum(nums) + S = 2sum(P); - * 那么sum(P) = [S + sum(nums)] / 2; []表示向下取整 - * 也就是在nums数组中选择值为 (s+sum(nums))/2的动态规划问题。可以参考416题 - */ - public int findTargetSumWays(int[] nums, int S) { - int n=nums.length; - int sum=0; - for(int i=0;i=nums[i];j--){ - memo[j]=memo[j]+ memo[j-nums[i]]; - } - } - return memo[C]; - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/Code_518_CoinChange2.java b/LeetCodeSolutions/src/code_07_dp/Code_518_CoinChange2.java deleted file mode 100644 index 679dba1..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Code_518_CoinChange2.java +++ /dev/null @@ -1,50 +0,0 @@ -package code_07_dp; - -/** - * 518. Coin Change 2 - * - * You are given coins of different denominations and a total amount of money. - * Write a function to compute the number of combinations that make up that amount. - * You may assume that you have infinite number of each kind of coin. - - * Note: You can assume that - 0 <= amount <= 5000 - 1 <= coin <= 5000 - the number of coins is less than 500 - the answer is guaranteed to fit into signed 32-bit integer - - * Example 1: - Input: amount = 5, coins = [1, 2, 5] - Output: 4 - Explanation: there are four ways to make up the amount: - 5=5 - 5=2+2+1 - 5=2+1+1+1 - 5=1+1+1+1+1 - - * Example 2: - Input: amount = 3, coins = [2] - Output: 0 - Explanation: the amount of 3 cannot be made up just with coins of 2. - */ -public class Code_518_CoinChange2 { - /** - * 思路: - * memo[i]存储钱数为i时的组合数量 - * 则状态转移方程:memo[i]=memo[i]+memo[i-coin] - */ - public int change(int amount, int[] coins) { - int C=amount+1; - - //memo[i]存储钱数为i时的组合数量 - int[] memo=new int[C]; - //钱数为0时,只有一种组合 - memo[0]=1; - for(int coin:coins){ - for(int j=coin;j>1)&1; - if(bit1==1 && bit2==1){ - return false; - } - num=(num>>1); - } - return true; - } - - /** - * 思路二:动态规划思路 - * (1)将原始n转换为二进制表示字符串 - * (2)设置两个数组 - * dp0 [i]:当前位设置为0时的整数的个数 - * dp1 [i]:当前位设置为1时的整数的个数 - * (3)任何整数都不能包含任何连续的1: - * dp0[i]=dp1[i-1]+dp0[i-1] (二进制表示的数中0前面要么是1,要么是0) - * dp1[i]=dp0[i-1](二进制表示的数中1前面就只能是1) - * (4) 进行最后的处理以找到小于或等于n的整数。 - * 1.由于要求的是<=n的整数个数,我们只对最高的有效位(数组最后一位)进行减操作 - * 2.如果这个num出现了2个连续的1,则剩下的= 0; i--) { - if (str_num.charAt(i) == '1' && str_num.charAt(i+1) == '1') { - break; - } - if (str_num.charAt(i) == '0' && str_num.charAt(i+1) == '0') { - cnt -= dp1[i]; - } - } - return cnt; - } - - //得到该数的倒序的二进制字符串,这样方便后续操作 - private String toBinaryStr(int num){ - StringBuilder res=new StringBuilder(); - while(num>0){ - res.append(num%2+""); - num/=2; - } - return res.toString(); - } - - @Test - public void test(){ - System.out.println(findIntegers(5)); - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/Code_62_UniquePaths.java b/LeetCodeSolutions/src/code_07_dp/Code_62_UniquePaths.java deleted file mode 100644 index 89f42ee..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Code_62_UniquePaths.java +++ /dev/null @@ -1,34 +0,0 @@ -package code_07_dp; - -/** - * 62. Unique Paths - * - * A robot is located at the top-left corner of a m x n grid (marked 'Start' in the diagram below). - * The robot can only move either down or right at any point in time. - * The robot is trying to reach the bottom-right corner of the grid (marked 'Finish' in the diagram below). - * How many possible unique paths are there? - */ -public class Code_62_UniquePaths { - //注意这里是 n行m列 - public int uniquePaths(int m, int n) { - int[][] memo=new int[n][m]; - - //初始化第0行数据 - memo[0][0]=1; - for(int j=1;jnums[j])} - * 这里要求统计 最长上升子序列的数目 - * - * count[i]在[0...i]范围内的最长子序列的个数 - */ - public int findNumberOfLIS(int[] nums) { - int n=nums.length; - if(n==0){ - return 0; - } - int[] memo=new int[n]; - int[] count=new int[n]; - int maxlen=1; - for(int i=0;inums[j]){ - if(memo[j]+1>memo[i]){ - //说明这个长度的序列是新出现 - memo[i]=1+memo[j]; - count[i]=count[j]; - }else if(memo[j]+1==memo[i]){ - count[i]+=count[j]; - } - } - } - maxlen=Math.max(maxlen,memo[i]); - } - int res=0; - for(int i=0;i= 0; i--) { - dp[i] = Math.max(num[i]+dp[i+2], dp[i+1]); - } - return dp[0]; - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/Code_788_RotatedDigits.java b/LeetCodeSolutions/src/code_07_dp/Code_788_RotatedDigits.java deleted file mode 100644 index b55b82d..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Code_788_RotatedDigits.java +++ /dev/null @@ -1,56 +0,0 @@ -package code_07_dp; - -/** - * 788. Rotated Digits - * - * X is a good number if after rotating each digit individually by 180 degrees, - * we get a valid number that is different from X. - * - * Each digit must be rotated - we cannot choose to leave it alone. - * A number is valid if each digit remains a digit after rotation. - * 0, 1, and 8 rotate to themselves; - * 2 and 5 rotate to each other; - * 6 and 9 rotate to each other, - * and the rest of the numbers do not rotate to any other number and become invalid. - * Now given a positive number N, how many numbers X from 1 to N are good? - * - * Example: - Input: 10 - Output: 4 - Explanation: - There are four good numbers in the range [1, 10] : 2, 5, 6, 9. - Note that 1 and 10 are not good numbers, since they remain unchanged after rotating. - */ -public class Code_788_RotatedDigits { - public int rotatedDigits(int N) { - int res=0; - for(int num=1;num<=N;num++){ - if(isGood(num,false)){ - res++; - } - } - return res; - } - - //判断 num 是否是 good - //num在[1-9]之间,则 2,5,6,9 必然是 good - //num当num是 0、1、8时要接着看上一位了 - private boolean isGood(int num,boolean flag){ - if(num==0){ - return flag; - } - - int d=num%10; - //如果num数字每一位上,都有3或4或7,则num必然不是good - //如347就不是good , 437也不是good - if(d==3 || d==4 || d==7){ - return false; - } - - if(d==0 || d==1 || d==8){ - return isGood(num/10,flag); - } - - return isGood(num/10,true); - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/Code_790_DominoAndTrominoTiling.java b/LeetCodeSolutions/src/code_07_dp/Code_790_DominoAndTrominoTiling.java deleted file mode 100644 index 035830b..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Code_790_DominoAndTrominoTiling.java +++ /dev/null @@ -1,17 +0,0 @@ -package code_07_dp; - -/** - * 790. Domino and Tromino Tiling - * - * We have two types of tiles: a 2x1 domino shape, and an "L" tromino shape. These shapes may be rotated. - - XX <- domino - - XX <- "L" tromino - X - Given N, how many ways are there to tile a 2 x N board? Return your answer modulo 10^9 + 7. - - (In a tiling, every square must be covered by a tile. Two tilings are different if and only if there are two 4-directionally adjacent cells on the board such that exactly one of the tilings has both squares occupied by a tile.) - */ -public class Code_790_DominoAndTrominoTiling { -} diff --git a/LeetCodeSolutions/src/code_07_dp/Code_873_LengthofLongestFibonacciSubsequence.java b/LeetCodeSolutions/src/code_07_dp/Code_873_LengthofLongestFibonacciSubsequence.java deleted file mode 100644 index 0953d52..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Code_873_LengthofLongestFibonacciSubsequence.java +++ /dev/null @@ -1,80 +0,0 @@ -package code_07_dp; - -import java.util.HashMap; -import java.util.Map; - -/** - * 873. Length of Longest Fibonacci Subsequence - * - * A sequence X_1, X_2, ..., X_n is fibonacci-like if: - * n >= 3 - * X_i + X_{i+1} = X_{i+2} for all i + 2 <= n - * - * Given a strictly increasing array A of positive integers forming a sequence, - * find the length of the longest fibonacci-like subsequence of A. - * If one does not exist, return 0. - * (Recall that a subsequence is derived from another sequence A - * by deleting any number of elements (including none) from A, - * without changing the order of the remaining elements. - * For example, [3, 5, 8] is a subsequence of [3, 4, 5, 6, 7, 8].) - * - * Note: - * 3 <= A.length <= 1000 - * 1 <= A[0] < A[1] < ... < A[A.length - 1] <= 10^9 - */ -public class Code_873_LengthofLongestFibonacciSubsequence { - /** - * 思路: - * 用一个二维数组memo来记录斐波那契序列的长度。 - * 二维数组中第i行第j列数字memo[i][j]的含义是以输入数组中A[i]结尾、并且前一个数字是A[j]的斐波那契序列的长度。 - * 如果存在一个数字k,满足A[k] + A[j] = A[i],(符合斐波那契数列) - * 那么memo[i][j] = memo[j][k] + 1。(A[i]就是A[j]的后面一个元素) - * 如果不存在满足条件的k,那么意味这A[j]、A[i]不在任意一个斐波那契序列中,memo[i][j] = 2。 - */ - public int lenLongestFibSubseq(int[] A) { - if(A==null || A.length==0){ - return 0; - } - - int N=A.length; - - //使用map存储<数字,在A中的下标>,由于是递增的,不用担心数字重复问题 - Map num_index=new HashMap<>(); - for(int i=0;i最小为2 - for(int i=0;i memo[i][j]=memo[k][i]+1 - int k=num_index.get(A[j]-A[i]); - memo[i][j] = memo[k][i]+1; - res = Math.max(res,memo[i][j]); - } - } - } - - return res; - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/Code_91_DecodeWays.java b/LeetCodeSolutions/src/code_07_dp/Code_91_DecodeWays.java deleted file mode 100644 index c53032b..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Code_91_DecodeWays.java +++ /dev/null @@ -1,52 +0,0 @@ -package code_07_dp; - -/** - * 91. Decode Ways - * - * A message containing letters from A-Z is being encoded to numbers using the following mapping: - - 'A' -> 1 - 'B' -> 2 - ... - 'Z' -> 26 - - * Given a non-empty string containing only digits, determine the total number of ways to decode it. - - Example 1: - - Input: "12" - Output: 2 - Explanation: It could be decoded as "AB" (1 2) or "L" (12). - */ -public class Code_91_DecodeWays { - /** - * 思路: - * 使用动态规划,当前点的编码方法有两种情况: - * (1)当前数在0-9之间,这样可以从前一个数到达; - * (2)如果当前数和前一个数能编码,即在1-26之间,那么从当前数的前两个数可以到达当前数。 - */ - public int numDecodings(String s) { - int n=s.length(); - if(n==0){ - return 0; - } - //memo[i]记录从开始到i-1的有多少种方式 - int[] memo=new int[n+1]; - memo[0]=1; - //如果第一位上是0,那么无法转码,返回0; - if(s.charAt(0)>'0'){ - memo[1]=1; - } - - for(int i=2;i<=n;i++) { - if (s.charAt(i - 1) >= '1') { - memo[i] = memo[i - 1]; - } - int num = Integer.parseInt(s.substring(i - 2, i)); - if (num <= 26 && s.charAt(i - 2) != '0') { - memo[i] = memo[i] + memo[i - 2]; - } - } - return memo[n]; - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/Code_96_UniqueBinarySearchTrees.java b/LeetCodeSolutions/src/code_07_dp/Code_96_UniqueBinarySearchTrees.java deleted file mode 100644 index a26009a..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Code_96_UniqueBinarySearchTrees.java +++ /dev/null @@ -1,35 +0,0 @@ -package code_07_dp; - -import code_04_stackQueue.TreeNode; - -import java.util.ArrayList; -import java.util.List; - -/** - * 96. Unique Binary Search Trees - * - * Given n, how many structurally unique BST's (binary search trees) that store values 1 ... n? - */ -public class Code_96_UniqueBinarySearchTrees { - /** - * 思路: - * 这棵树的不同形态的二叉查找树的个数,就是根节点的左子树的个数 * 右子树的个数, - * 想想还是很容易理解的,就是左边的所有情况乘以右边的所有情况, - */ - public int numTrees(int n) { - int[] dp=new int[n+1]; - - //n=0表示null,(null树也是二分树)只有1种情况 - dp[0]=1; - //n=1表示只有一个节点,只有一种情况 - dp[1]=1; - for(int i=2;i<=n;i++){ //i 表示的是BST树的节点个数 - for(int j=1;j<=i;j++){ - // dp[j-1] 表示左子树中不同形态的二叉搜索树的个数 - // dp[i-j] 表示右子树中不同形态的二叉搜索树的个数 - dp[i] += dp[j-1] * dp[i-j]; - } - } - return dp[n]; - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/Fib.java b/LeetCodeSolutions/src/code_07_dp/Fib.java deleted file mode 100644 index c496b5f..0000000 --- a/LeetCodeSolutions/src/code_07_dp/Fib.java +++ /dev/null @@ -1,69 +0,0 @@ -package code_07_dp; - -import org.junit.Test; - -/** - * Created by 18351 on 2018/11/8. - */ -public class Fib { - public int fib(int n){ - if(n==0){ - return 0; - } - if(n==1){ - return 1; - } - return fib(n-1)+fib(n-2); - } - - //改进上面的方法:采用记忆化搜索 - private int[] memo; - - public int fib2(int n){ - if(n==0){ - return 0; - } - if(n==1){ - return 1; - } - if(memo[n]==-1){ - //memo[n]==-1说明是首次计算,下一次遇到该值就直接返回了 - memo[n]=fib2(n-1)+fib2(n-2); - } - return memo[n]; - } - - @Test - public void test(){ - //int n=10; //time:2.0921E-5s - //int n=20; //time:0.009386947s - //int n=30; //time:0.049079365s - //int n=40;//time:1.157836107s - int n=42; //time:2.560889825s - //可以看到时间是成指数级增长的 - long startTime=System.nanoTime(); - int res=fib(n); - long endTime=System.nanoTime(); - System.out.println("fib("+n+")="+res); - System.out.println("time:"+(endTime-startTime)/1000000000.0+"s"); - } - - @Test - public void test2(){ - //int n=10; //time:7.106E-6s - //int n=20; //time:8.289E-6s - //int n=30; //time:2.0132E-5s - //int n=40;//time:1.2632E-5s - int n=42; //time:1.1843E-5s - //为memo分配空间,并且初始值设为-1,因为斐波那契数列中是没有-1的 - memo=new int[n+1]; - for(int i=0;i= w[index]) { - res = Math.max(res, v[index] + bestValue(w, v, index - 1, C - w[index])); - } - memeo1[index][C] = res; - return res; - } - - public int knapsack011(int[] w, int[] v, int C) { - int n = w.length; - memeo1 = new int[n][C + 1]; - for (int i = 0; i < n; i++) { - for (int j = 0; j < C + 1; j++) { - memeo1[i][j] = -1; - } - } - return bestValue(w, v, n - 1, C); - } - - public int knapsack012(int[] w, int[] v, int C) { - int n=w.length; - if(n==0 || C==0){ - return 0; - } - int[][] memo=new int[n][C+1]; - for(int i=0;i=w[0]?v[0]:0); - } - - //memo[i][C]存储[0...i]填充容积为C的背包的最大价值 - for(int i=1;i=w[i]){ - memo[i][j]=Math.max(memo[i][j],v[i]+memo[i-1][j-w[i]]); - } - } - } - return memo[n-1][C]; - } - - //0-1背包问题的优化 - public int knapsack013(int[] w, int[] v, int C) { - int n=w.length; - if(n==0 || C==0){ - return 0; - } - int[][] memo=new int[2][C+1]; - for(int i=0;i<2;i++){ - for(int j=0;j=w[0]?w[0]:0; - } - //时间复杂度O(n*C) - for(int i=1;i=w[i]){ - memo[i%2][j]=Math.max(memo[i%2][j],v[i]+memo[(i-1)%2][j-w[i]]); - } - } - } - return memo[(n-1)%2][C]; - } - - public int knapsack01(int[] w, int[] v, int C) { - int n=w.length; - if(n==0 || C==0){ - return 0; - } - int[] memo=new int[C+1]; - for(int i=0;i=w[0]?w[0]:0; - } - for(int i=1;i=w[i];j--){ - memo[j]=Math.max(memo[j],v[i]+memo[j-w[i]]); - } - } - return memo[C]; - } - - @Test - public void test(){ - int[] w={1,2,3}; - int[] v={6,10,12}; - System.out.println(knapsack011(w,v,5)); - System.out.println(knapsack012(w,v,5)); - System.out.println(knapsack013(w,v,5)); - System.out.println(knapsack01(w,v,5)); - } -} diff --git a/LeetCodeSolutions/src/code_07_dp/LCS.java b/LeetCodeSolutions/src/code_07_dp/LCS.java deleted file mode 100644 index 4fdf317..0000000 --- a/LeetCodeSolutions/src/code_07_dp/LCS.java +++ /dev/null @@ -1,51 +0,0 @@ -package code_07_dp; - -import org.junit.Test; - -/** - * Sample Input: - abcfbc abfcab - programming contest - abcd mnp - - * Sample Output: - 4 - 2 - 0 - */ -public class LCS { - public int LCS(String s,String t){ - int m=s.length(); - int n=t.length(); - if(m==0 || n==0){ - return 0; - } - int[][] lcs=new int[m+1][n+1]; - for(int i=0;i=lcs[i][j-1]){ - lcs[i][j]=lcs[i-1][j]; - x[i][j]='u'; - }else if(lcs[i-1][j] select(Interval[] activities){ - //按照区间的bi,进行排序 - Arrays.sort(activities, new Comparator() { - @Override - public int compare(Interval o1, Interval o2) { - int num = o1.end - o2.end; - int num2 = (num==0)? o1.start - o2.start : num ; - return num2; - } - }); - - List res = new ArrayList<>(); - //默认将第一个活动先安排 - res.add(activities[0]); - - //记录最近一次安排的活动 - int j = 0; - for(int i=1;i= 1B, and you want to check one by one to see if T has its subsequence. - In this scenario, how would you change your code? - */ -public class Code_392_IsSubsequence { - public boolean isSubsequence(String s, String t) { - if (s.length()==0){ - return true; - } - - - for (int i = 0,j = 0; j < t.length(); j++) { - if (t.charAt(j) == s.charAt(i)) { - i++; - if (i == s.length()) - return true; - } - } - return false; - } -} diff --git a/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_435_NonOverlappingIntervals.java b/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_435_NonOverlappingIntervals.java deleted file mode 100644 index d563d76..0000000 --- a/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_435_NonOverlappingIntervals.java +++ /dev/null @@ -1,79 +0,0 @@ -package code_08_greedyAlgorithms; - -import java.util.Arrays; -import java.util.Comparator; - -/** - * 435. Non-overlapping Intervals - * - * Given a collection of intervals, - * find the minimum number of intervals you need to remove to make the rest of the intervals non-overlapping. - * - * Note: - * You may assume the interval's end point is always bigger than its start point. - * Intervals like [1,2] and [2,3] have borders "touching" but they don't overlap each other. - - * Example 1: - Input: [ [1,2], [2,3], [3,4], [1,3] ] - Output: 1 - Explanation: [1,3] can be removed and the rest of intervals are non-overlapping. - */ -public class Code_435_NonOverlappingIntervals { - public int eraseOverlapIntervals1(Interval[] intervals) { - int n = intervals.length; - if (n == 0) { - return 0; - } - Arrays.sort(intervals, new Comparator() { - @Override - public int compare(Interval o1, Interval o2) { - //按照开始时间升序排序 - int num = o1.start - o2.start; - int num2 = (num == 0) ? o1.end - o2.end : num; - return num2; - } - }); - int[] memo = new int[n]; - for (int i = 0; i < n; i++) { - memo[i] = 1; - } - for (int i = 1; i < n; i++) { - for (int j = 0; j < i; j++) { - if (intervals[i].start >= intervals[j].end) { - memo[i] = Math.max(memo[i], 1 + memo[j]); - } - } - } - int res = 0; - for (int i = 0; i < n; i++) { - res = Math.max(res, memo[i]); - } - return n - res; - } - - public int eraseOverlapIntervals(Interval[] intervals) { - int n = intervals.length; - if (n == 0) { - return 0; - } - Arrays.sort(intervals, new Comparator() { - @Override - public int compare(Interval o1, Interval o2) { - int num=o1.end-o2.end; - int num2=(num==0)?o1.start-o2.start:num; - return num2; - } - }); - - int res=1; - int pre=0; - for(int i=1;i=intervals[pre].end){ - res++; - pre=i; - } - } - return n-res; - } -} diff --git a/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_452_MinimumNumberofArrowstoBurstBalloons.java b/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_452_MinimumNumberofArrowstoBurstBalloons.java deleted file mode 100644 index cab2c80..0000000 --- a/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_452_MinimumNumberofArrowstoBurstBalloons.java +++ /dev/null @@ -1,76 +0,0 @@ -package code_08_greedyAlgorithms; - -import org.junit.Test; - -import java.util.Arrays; -import java.util.Comparator; - -/** - * 452. Minimum Number of Arrows to Burst Balloons - * - * - * There are a number of spherical(球形的) balloons spread in two-dimensional space. - * For each balloon, provided input is the start and end coordinates(坐标系) of the horizontal diameter(水平直径). - * Since it's horizontal, y-coordinates don't matter and hence the x-coordinates of start and end of the diameter suffice. - * Start is always smaller than end. There will be at most 104 balloons. - - * An arrow can be shot up exactly vertically from different points along the x-axis. - * TODO:A balloon with xstart and xend bursts by an arrow shot at x if xstart ≤ x ≤ xend. - * There is no limit to the number of arrows that can be shot. - * An arrow once shot keeps travelling up infinitely(无限制的). - * The problem is to find the minimum number of arrows that must be shot to burst all balloons. - */ -public class Code_452_MinimumNumberofArrowstoBurstBalloons { - /** - * 思路:贪心策略的区间选点问题 - */ - public int findMinArrowShots(int[][] points) { - // N 记录的是气球数 - int N = points.length; - if(N==0){ - return 0; - } - Interval[] bolloons = new Interval[N]; - for(int i=0;i() { - @Override - public int compare(Interval interval1, Interval interval2) { - int num = interval1.end - interval2.end; - int num2 = (num == 0) ? interval2.start - interval2.start : num ; - return num2; - } - }); - - int res = 1; - // j 用来记录结果区间编号,第一个区间必然是结果区间 - int j = 0; - for(int i=1;i 则 bolloons[j].end任然作为这些区间的公共点 - if(bolloons[j].end >= bolloons[i].start && bolloons[j].end <= bolloons[i].end){ - continue; - }else{ - res ++; - j = i; - } - } - return res; - } - - @Test - public void test(){ - int[][] points={ - {10,16}, - {2,8}, - {1,6}, - {7,12} - }; - System.out.println(findMinArrowShots(points)); - } -} diff --git a/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_455_AssignCookies.java b/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_455_AssignCookies.java deleted file mode 100644 index 46aab12..0000000 --- a/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_455_AssignCookies.java +++ /dev/null @@ -1,37 +0,0 @@ -package code_08_greedyAlgorithms; - -import java.util.Arrays; - -/** - * 455. Assign Cookies - * - * Assume you are an awesome parent and want to give your children some cookies. - * But, you should give each child at most one cookie. Each child i has a greed factor gi, which is the minimum size of a cookie that the child will be content with; and each cookie j has a size sj. If sj >= gi, we can assign the cookie j to the child i, and the child i will be content. - * Your goal is to maximize the number of your content children and output the maximum number. - - * Example : - Input: [1,2,3], [1,1] - Output: 1 - Explanation: You have 3 children and 2 cookies. The greed factors of 3 children are 1, 2, 3. - And even though you have 2 cookies, since their size is both 1, you could only make the child whose greed factor is 1 content. - You need to output 1. - */ -public class Code_455_AssignCookies { - public int findContentChildren(int[] g, int[] s) { - Arrays.sort(g); - Arrays.sort(s); - int gi=g.length-1; - int si=s.length-1; - int res=0; - while(gi>=0 && si>=0){ - if(s[si]>=g[gi]){ - res++; - gi--; - si--; - }else{ - gi--; - } - } - return res; - } -} diff --git a/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_561_ArrayPartitionI.java b/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_561_ArrayPartitionI.java deleted file mode 100644 index 3f6dddf..0000000 --- a/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_561_ArrayPartitionI.java +++ /dev/null @@ -1,46 +0,0 @@ -package code_08_greedyAlgorithms; - -import org.junit.Test; - -import java.lang.annotation.Target; -import java.util.Arrays; - -/** - * 561. Array Partition I - * - * Given an array of 2*n integers, your task is to group these integers into n pairs of integer, - * say (a1, b1), (a2, b2), ..., (an, bn) which makes sum of min(ai, bi) for all i from 1 to n as large as possible. - * - * Example 1: - Input: [1,4,3,2] - Output: 4 - Explanation: n is 2, and the maximum sum of pairs is 4 = min(1, 2) + min(3, 4). - * - * Note: - n is a positive integer, which is in the range of [1, 10000]. - All the integers in the array will be in the range of [-10000, 10000]. - */ -public class Code_561_ArrayPartitionI { - public int arrayPairSum(int[] nums) { - int n=nums.length/2; - if(n==1){ - return Math.min(nums[0],nums[1]); - } - Arrays.sort(nums); - int res=0; - /*for(int i=0;i<=2*n-2;i+=2){ - res+=Math.min(nums[i],nums[i+1]); - }*/ - //改进 - for(int i=0;i<=2*n-2;i+=2){ - res+=nums[i]; - } - return res; - } - - @Test - public void test(){ - int[] nums={1,4,3,2}; - System.out.println(arrayPairSum(nums)); - } -} diff --git a/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_860_LemonadeChange.java b/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_860_LemonadeChange.java deleted file mode 100644 index e8b3768..0000000 --- a/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_860_LemonadeChange.java +++ /dev/null @@ -1,80 +0,0 @@ -package code_08_greedyAlgorithms; - -/** - * 860. Lemonade(柠檬汽水) Change - * - * At a lemonade stand, each lemonade costs $5. - * Customers are standing in a queue to buy from you, and order one at a time - * (in the order specified by bills). - * Each customer will only buy one lemonade and pay with either a $5, $10, or $20 bill. - * You must provide the correct change to each customer, - * so that the net transaction is that the customer pays $5. - * Note that you don't have any change in hand at first. - * Return true if and only if you can provide every customer with correct change. - * - * Example 1: - Input: [5,5,5,10,20] - Output: true - Explanation: - From the first 3 customers, we collect three $5 bills in order. - From the fourth customer, we collect a $10 bill and give back a $5. - From the fifth customer, we give a $10 bill and a $5 bill. - Since all customers got correct change, we output true. - - * Example 2: - Input: [5,5,10] - Output: true - - * Example 3: - Input: [10,10] - Output: false - - *Example 4: - - Input: [5,5,10,10,20] - Output: false - Explanation: - From the first two customers in order, we collect two $5 bills. - For the next two customers in order, we collect a $10 bill and give back a $5 bill. - For the last customer, we can't give change of $15 back because we only have two $10 bills. - Since not every customer received correct change, the answer is false. - */ -public class Code_860_LemonadeChange { - /** - * 思路: - * 统计收到的这三种硬币。 - * 我们知道: - * $5 是不用找的 - * $10 就需要找$5 - * $20 就需要找$10和$5或者3个$5 - */ - public boolean lemonadeChange(int[] bills) { - //统计收到的三种硬币 - int five=0; - int ten=0; - int tewnty=0; - for(int bill:bills){ - if(bill==5){ - five++; - }else if(bill==10){ - ten++; - if(five==0){ - return false; - }else{ //找出$5 - five--; - } - }else{ //bill==20 - tewnty++; - if(ten>0 && five>0){ //找$10和$5 - ten--; - five--; - }else if(five>=3){ //3个$5 - five-=3; - }else{ - return false; - } - } - } - return true; - } -} diff --git a/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_861_ScoreAfterFlippingMatrix.java b/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_861_ScoreAfterFlippingMatrix.java deleted file mode 100644 index eacbc61..0000000 --- a/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_861_ScoreAfterFlippingMatrix.java +++ /dev/null @@ -1,66 +0,0 @@ -package code_08_greedyAlgorithms; - -/** - * 861. Score After Flipping Matrix - * - * We have a two dimensional matrix A where each value is 0 or 1. - * A move consists of choosing any row or column, and toggling each value in that row or column: - * changing all 0s to 1s, and all 1s to 0s. - * After making any number of moves, every row of this matrix is - * interpreted as a binary number, and the score of the matrix is the sum of these numbers. - * Return the highest possible score. - * - * Example 1: - Input: [[0,0,1,1],[1,0,1,0],[1,1,0,0]] - Output: 39 - Explanation: - Toggled to [[1,1,1,1],[1,0,0,1],[1,1,1,1]]. - 0b1111 + 0b1001 + 0b1111 = 15 + 9 + 15 = 39 - */ -public class Code_861_ScoreAfterFlippingMatrix { - /** - * 思路: - * 返回尽可能高分这个要求,理解为对同一组数,高位尽可能置1,对不同组的相同位尽可能多的置1。 - * (1)判断最高位是否为1,如果不是1,移动当前行。 - * (2)判断每列的的0的个数,如果0较多,移动当前列。 - * @param A - * @return - */ - public int matrixScore(int[][] A) { - int R=A.length; - int C=A[0].length; - for(int i=0;ione){ - //反转当前列 - for(int i=0;i B[i]. - * (A 相对于 B 的优势可以用满足 A[i] > B[i] 的索引 i 的数目来描述) - * - * Return any permutation of A that maximizes its advantage with respect to B. - * - * Note: - * 1 <= A.length = B.length <= 10000 - * 0 <= A[i] <= 10^9 - * 0 <= B[i] <= 10^9 - */ -public class Code_870_AdvantageShuffle { - /** - * 贪心策略: - * 每次讲A中第一大的数对上B中刚好小于这个数的数。依次类推。 - * “田忌赛马":每次都拿最优的马和对手刚好比我最优马弱一点的马比 - */ - public int[] advantageCount(int[] A, int[] B) { - int len = A.length; - - //复制B数组到C数组中 - int[] C = new int[len]; - for (int i = 0; i < len; i++) { - C[i] = B[i]; - } - - Arrays.sort(A); - Arrays.sort(C); - - //定义一个临时数组,用于补全res中缺失的数据 - int[] tmp = new int[len]; - int k = 0; - int n = len; - for (int indexA = 0, indexC = 0; indexA < len; indexA++, indexC++) { - if (A[indexA] <= C[indexC]) { - //"劣马"就放在后面 - tmp[--n] = A[indexA]; - indexC--; - } else { - //“田忌赛马":每次都拿最优的马和对手刚好比我最优马弱一点的马比 - tmp[k++] = A[indexA]; - } - } - - int[] res = new int[len]; - - // 有序数组进行优势洗牌后,还原成原始顺序, - // 这时候,通过之前保留的一个数组顺序和他对应的排序数组的关系 - // 可以找出洗牌后数组的原始顺序 - for (int i = 0; i < len; i++) { - for (int j = 0; j < len; j++) { - if (B[i] == C[j]) { - res[i] = tmp[j]; - C[j] = -1; - //结束里面的for循环,提高效率 - break; - } - } - } - return res; - } - - @Test - public void test(){ - //int[] A={2,7,11,15}; - //int[] B={1,10,4,11}; - int[] A = {12,24,8,32}; - int[] B = {13,25,32,11}; - int[] C=advantageCount(A,B); - for(int ele:C){ - System.out.println(ele); - } - } -} diff --git a/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_881_BoatsToSavePeople.java b/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_881_BoatsToSavePeople.java deleted file mode 100644 index 4f97949..0000000 --- a/LeetCodeSolutions/src/code_08_greedyAlgorithms/Code_881_BoatsToSavePeople.java +++ /dev/null @@ -1,57 +0,0 @@ -package code_08_greedyAlgorithms; - -import org.junit.Test; - -import java.util.ArrayList; -import java.util.Arrays; -import java.util.List; - -/** - * The i-th person has weight people[i], and each boat can carry a maximum weight of limit. - * Each boat carries at most 2 people at the same time, - * provided the sum of the weight of those people is at most limit. - * (limit就是船的载重量) - * Return the minimum number of boats to carry every given person. - * (It is guaranteed each person can be carried by a boat.) - * - * Note: - * 1 <= people.length <= 50000 - * 1 <= people[i] <= limit <= 30000 - */ -public class Code_881_BoatsToSavePeople { - /** - * 先进行排序: - * people[i] + people[j] <= limit 判断最大重量,最小重量之和 - * 如果两者之和小于那么能够被船承载,然后改变索引判断下一个最大值和最小值 - * 如果两者之和大于 limit,那么最大值被筛选出并单独坐一艘船, - */ - public int numRescueBoats(int[] people, int limit) { - Arrays.sort(people); - - int i = 0, j = people.length - 1; - int res = 0; - while(i <= j){ - //每条船尽量多搭重量轻的人 - if(people[i] + people[j] <= limit){ - i ++; - j --; - } - else{ - j--; - } - res ++; - } - return res; - } - - @Test - public void test(){ - //int[] people={3,5,3,4}; - //int limit = 5; - //int[] people={1,2}; - //int limit = 3; - int[] people={3,2,2,1}; - int limit = 3; - System.out.println(numRescueBoats(people,limit)); - } -} diff --git a/LeetCodeSolutions/src/code_08_greedyAlgorithms/Huffman.java b/LeetCodeSolutions/src/code_08_greedyAlgorithms/Huffman.java deleted file mode 100644 index 9c676b2..0000000 --- a/LeetCodeSolutions/src/code_08_greedyAlgorithms/Huffman.java +++ /dev/null @@ -1,99 +0,0 @@ -package code_08_greedyAlgorithms; - -import org.junit.Test; - -import java.util.HashMap; -import java.util.Map; -import java.util.PriorityQueue; - -/** - * Created by 18351 on 2019/1/30. - */ -public class Huffman { - private class Node implements Comparable{ - char ch; - int freq; - boolean isLeaf; - //要构成哈夫曼树,就需要左右子树 - Node left,right; - - //该构造方法用于生成叶子结点 - public Node(char ch,int freq){ - this.ch = ch; - this.freq = freq; - isLeaf = true; - } - - //该构造方法用于生成非叶子结点 - public Node(Node left,Node right,int freq){ - this.left = left; - this.right = right; - this.freq = freq; - this.isLeaf = false; - } - - @Override - public int compareTo(Node o) { - //结点比较的是出现的频率 - return freq - o.freq; - } - } - - /** - * - * @param frequencyForChar <字符,该字符的频率> - * @return 返回的字符对应的编码 - */ - public Map encode(Map frequencyForChar){ - //维护一个优先队列(最小堆),方便每次取出频率最小的两个元素 - PriorityQueue pq = new PriorityQueue<>(); - for (Character c : frequencyForChar.keySet()) { - pq.add(new Node(c, frequencyForChar.get(c))); - } - - //每次取出两个结点,构造哈夫曼树 - while(pq.size() != 1){ - //pq中至少要2个结点 - Node node1 = pq.poll(); - Node node2 = pq.poll(); - pq.add(new Node(node1,node2, node1.freq+node2.freq)); - } - - //从该哈夫曼树根节点开始进行编码 - return encode(pq.peek()); - } - - private Map encode(Node node){ - Map encodingForChar = new HashMap<>(); - //初始值编码值为: "" - encode(node,"",encodingForChar); - return encodingForChar; - } - - /** - * 生成编码时,从根节点出发,向左遍历则添加二进制位 0,向右则添加二进制位 1, - * 直到遍历到叶子节点,叶子节点代表的字符的编码就是这个路径编码。 - */ - private void encode(Node node, String encoding, Map encodingForChar) { - if (node.isLeaf) { - encodingForChar.put(node.ch, encoding); - return; - } - encode(node.left, encoding + '0', encodingForChar); - encode(node.right, encoding + '1', encodingForChar); - } - - @Test - public void test(){ - Map map = new HashMap<>(); - map.put('a',10); - map.put('b',20); - map.put('c',40); - map.put('d',80); - Map map2 = encode(map); - for(Character c : map2.keySet()){ - String code = map2.get(c); - System.out.println(c+":"+code); - } - } -} diff --git a/LeetCodeSolutions/src/code_08_greedyAlgorithms/Interval.java b/LeetCodeSolutions/src/code_08_greedyAlgorithms/Interval.java deleted file mode 100644 index 4e82ec5..0000000 --- a/LeetCodeSolutions/src/code_08_greedyAlgorithms/Interval.java +++ /dev/null @@ -1,20 +0,0 @@ -package code_08_greedyAlgorithms; - -/** - * Created by 18351 on 2018/11/26. - */ -public class Interval { - int start; - int end; - Interval() { start = 0; end = 0; } - Interval(int s, int e) { start = s; end = e; } - - @Override - public String toString() { - StringBuilder builder = new StringBuilder(); - builder.append("["); - builder.append(start+","+end); - builder.append("]"); - return builder.toString(); - } -} diff --git a/LeetCodeSolutions/src/code_09_string/Code_125_ValidPalindrome.java b/LeetCodeSolutions/src/code_09_string/Code_125_ValidPalindrome.java deleted file mode 100644 index 3d8e810..0000000 --- a/LeetCodeSolutions/src/code_09_string/Code_125_ValidPalindrome.java +++ /dev/null @@ -1,82 +0,0 @@ -package code_09_string; - -import org.junit.Test; - -/** - * 125. Valid Palindrome - * - * Given a string, determine if it is a palindrome, - * considering only alphanumeric characters and ignoring cases. - * - * Note: For the purpose of this problem, we define empty string as valid palindrome. - */ -public class Code_125_ValidPalindrome { - /** - * 思路: - * 这里只考虑字母(忽略大小写)和数字, - * 使用Character来进行判断。 - */ - public boolean isPalindrome1(String s) { - if(s==null || s.length()==0){ - return true; - } - //将所有的字母都转换成小写 - s=s.toLowerCase(); - int start=0; - char[] chs=new char[s.length()]; - for(int i=0;i list=new ArrayList<>(); - for(String str:strArr){ - if(!isEmptyStr(str)){ - list.add(str); - } - } - - StringBuilder res=new StringBuilder(); - for(int i=list.size()-1;i>0;i--){ - res.append(list.get(i)+" "); - } - res.append(list.get(0)); - return res.toString(); - } - - //判断s是否是空字符串,这里得空字符串指的是没有字母字符,只有空格的字符串 - private boolean isEmptyStr(String s){ - if(s.length()==0){ - return true; - } - int i=0; - while(i set=new HashSet<>(); - //统计字符出现次数为偶数的个数,比如 “bbaaass”,我们这样认为:'b'出现次数为2、'a'出现次数为2,‘s’出现次数为2,则此时count=3 - int count=0; - - for(int i=0;i=n时退出循环,此时i的值即为in-place后新数组中的个数 - */ - public int compress(char[] chars) { - int i = 0, j = 0; - int n=chars.length; - while (j=0;i--){ - dp[i][i]=1; - for(int j=i+1;j=0 && rmaxLen){ - maxLen=tmpLen; - startIndex=l; - endIndex=r; - } - l--; - r++; - } - } - - //类似于abba这种情况,以i,i+1为中心向两边扩展 - for(int i=0;i=0 && rmaxLen){ - maxLen=tmpLen; - startIndex=l; - endIndex=r; - } - l--; - r++; - } - } - return s.substring(startIndex,endIndex+1); - } - - @Test - public void test(){ - System.out.println(longestPalindrome("babad")); - } -} diff --git a/LeetCodeSolutions/src/code_09_string/Code_67_AddBinary.java b/LeetCodeSolutions/src/code_09_string/Code_67_AddBinary.java deleted file mode 100644 index 9439987..0000000 --- a/LeetCodeSolutions/src/code_09_string/Code_67_AddBinary.java +++ /dev/null @@ -1,48 +0,0 @@ -package code_09_string; - -import org.junit.Test; - -/** - * 67. Add Binary - * - * Given two binary strings, return their sum (also a binary string). - * The input strings are both non-empty and contains only characters 1 or 0. - * - * Example 1: - Input: a = "11", b = "1" - Output: "100" - - * Example 2: - Input: a = "1010", b = "1011" - Output: "10101" - */ -public class Code_67_AddBinary { - /** - * 思路:从后向前相加 - */ - public String addBinary(String a, String b) { - StringBuilder res=new StringBuilder(); - int indexA=a.length()-1; - int indexB=b.length()-1; - int c = 0; - //进位初始化为0 - while(indexA>=0 || indexB>=0 || c==1){ - //这里这样写是为了有数的位数不够比如 11 + 1 -->转换成 11 + 01 - c+=(indexA>=0?a.charAt(indexA)-'0':0); - c+=(indexB>=0?b.charAt(indexB)-'0':0); - res.insert(0,c%2); - //下一步循环的进位 - c/=2; - indexA--; - indexB--; - } - return res.toString(); - } - - @Test - public void test(){ - String s="1010"; - String t="1011"; - System.out.println(addBinary(s,t)); - } -} diff --git a/LeetCodeSolutions/src/code_09_string/Code_696_CountBinarySubstrings.java b/LeetCodeSolutions/src/code_09_string/Code_696_CountBinarySubstrings.java deleted file mode 100644 index 8cbeb12..0000000 --- a/LeetCodeSolutions/src/code_09_string/Code_696_CountBinarySubstrings.java +++ /dev/null @@ -1,47 +0,0 @@ -package code_09_string; - -/** - * Give a string s, - * count the number of non-empty (contiguous) substrings that have the same number of 0's and 1's, - * and all the 0's and all the 1's in these substrings are grouped consecutively(继续地). - * Substrings that occur multiple times are counted the number of times they occur. - - * Example 1: - Input: "00110011" - Output: 6 - Explanation: There are 6 substrings that have equal number of consecutive 1's and 0's: "0011", "01", "1100", "10", "0011", and "01". - Notice that some of these substrings repeat and are counted the number of times they occur. - Also, "00110011" is not a valid substring because all the 0's (and 1's) are not grouped together. - - * Example 2: - Input: "10101" - Output: 4 - Explanation: There are 4 substrings: "10", "01", "10", "01" that have equal number of consecutive 1's and 0's. - */ -public class Code_696_CountBinarySubstrings { - /** - * “1111000011010001011”转化为“4 4 2 1 1 3 1 1 2 ”, - * 也就是统计一下每个连续子串的个数,这样我们就可以方便的获得满足条件的子串个数, - * 统计转化后的数组相邻元素之间最小的那个求和即可。 - */ - public int countBinarySubstrings(String s) { - int n=s.length(); - if(n==0){ - return 0; - } - int[] count=new int[n]; - int index=0; - for(int i=0;i removeComments(String[] source) { - List res=new ArrayList<>(); - - //判断是否是块注释 - boolean isBlock=false; - StringBuilder builder=new StringBuilder(); - - for(String s:source){ - int i=0; - while(i i<=s.length()-2 - String m=s.substring(i,i+2); - if("/*".equals(m)){ - isBlock=true; - //是块注释忽略 /* 两个字符 - i+=2; - }else if("//".equals(m)){ - // 行注释,就忽略 //后面的所有字符 - break; - }else{ - builder.append(s.charAt(i++)); - } - } - }else{ - //是块注释的情况 - if(i==s.length()-1){ - i++; - }else{ - String m=s.substring(i,i+2); - if("*/".equals(m)){ - isBlock=false; - i+=2; - }else{ - i++; - } - } - } - } - if(builder.length()>0 && isBlock==false){ - res.add(builder.toString()); - builder=new StringBuilder(); - } - } - return res; - } - - /** - * 思路二:未能全部通过 - */ - public List removeComments1(String[] source) { - List res=new ArrayList<>(); - - StringBuilder builder=new StringBuilder(); - for(String s:source){ - builder.append(s+"\n"); - } - - String str=builder.toString(); - int startIndex=str.indexOf("/*"); - int endIndex=str.indexOf("*/")+2; - while(startIndex!=-1 && endIndex-startIndex!=3){ - str= str.substring(0,startIndex)+str.substring(endIndex); - startIndex=str.indexOf("/*"); - endIndex=str.indexOf("*/")+2; - } - - String[] arr=str.split("\n"); - if(arr!=null){ - for(String s:arr){ - if(s.contains("//")){ - int index=s.indexOf("//"); - s=s.substring(0,index); - res.add(s); - }else if(s.length()==0){ - continue; - }else{ - res.add(s); - } - } - } - return res; - } - - @Test - public void test(){ - /*String[] source = { - "*//*Test program *//*", "int main()", "{ ", - " // variable declaration ", "int a, b, c;", "*//* This is a test", - " multiline ", " comment for ", - " testing *//*", "a = b + c;", "}" - };*/ - String[] source={"struct Node{", " /*/ declare members;/**/", " int size;", " /**/int val;", "};"}; - /*String[] source= {"a*//*comment", "line", "more_comment*//*b"};*/ - List res=removeComments(source); - for(String s:res){ - System.out.println(s); - } - - - // - - String s="/*/"; - System.out.println(s.indexOf("/*")); - System.out.println(s.indexOf("*/")); - } -} diff --git a/LeetCodeSolutions/src/code_09_string/Code_791_CustomSortString.java b/LeetCodeSolutions/src/code_09_string/Code_791_CustomSortString.java deleted file mode 100644 index eda696e..0000000 --- a/LeetCodeSolutions/src/code_09_string/Code_791_CustomSortString.java +++ /dev/null @@ -1,69 +0,0 @@ -package code_09_string; - -import org.junit.Test; - -/** - * 791. Custom Sort String - * - * S and T are strings composed of lowercase letters. In S, no letter occurs more than once. - * S was sorted in some custom order(自定义顺序) previously. - * We want to permute the characters of T so that they match the order that S was sorted. - * More specifically, if x occurs before y in S, then x should occur before y in the returned string - * Return any permutation(排列) of T (as a string) that satisfies this property. - * - * Example : - Input: - S = "cba" - T = "abcd" - Output: "cbad" - Explanation: - "a", "b", "c" appear in S, so the order of "a", "b", "c" should be "c", "b", and "a". - Since "d" does not appear in S, it can be at any position in T. "dcba", "cdba", "cbda" are also valid outputs. - */ -public class Code_791_CustomSortString { - /** - * 思路: - * S中出现的字符,在T中按照S出现的顺序进行拼接 - * S中该字符只出现一次,但是T中相应字符可能出现多次,所以要对T中字符出现次数进行统计 - * S中未出现的字符的字符,直接拼接到T中 - */ - public String customSortString(String S, String T) { - //统计T中字符出现的次数 - int[] freq=new int[26]; - //判断该元素是否在S中出现过 - boolean[] visited=new boolean[26]; - - // - for(int i=0;i=1){ - visited[S.charAt(i)-'a']=true; - for(int j=0;j=1){ - visited[T.charAt(i)-'a']=true; - for(int j=0;j将S中字母的位置存储起来提高效率 - List[] pos=new ArrayList[26]; - for(int i=0;i<26;i++){ - pos[i]=new ArrayList<>(); - } - - //扫描一遍字符串S并建立一个字典,记录每一个字母出现的位置并按照升序排列。 - for(int i=0;i cur) { - cur = pos[word.charAt(j) - 'a'].get(k); - break; - } - k++; - } - // when there is no match, break to prune - if (k == pos[word.charAt(j) - 'a'].size()) { - break; - } - j++; - } - if(j==word.length()){ - res++; - } - } - return res; - } - - @Test - public void test(){ - String S = "abcde"; - String[] words = {"a", "bb", "acd", "ace"}; - System.out.println(numMatchingSubseq(S,words)); - } -} diff --git a/LeetCodeSolutions/src/code_09_string/Code_796_RotateString.java b/LeetCodeSolutions/src/code_09_string/Code_796_RotateString.java deleted file mode 100644 index d1ab7ca..0000000 --- a/LeetCodeSolutions/src/code_09_string/Code_796_RotateString.java +++ /dev/null @@ -1,68 +0,0 @@ -package code_09_string; - -import org.junit.Test; - -import java.util.HashSet; -import java.util.Set; - -/** - * 796. Rotate String - * - * We are given two strings, A and B. - * A shift on A consists of taking string A and - * moving the leftmost character to the rightmost position. - * For example, if A = 'abcde', - * then it will be 'bcdea' after one shift on A. - * Return True if and only if A can become B after some number of shifts on A. - - Example 1: - Input: A = 'abcde', B = 'cdeab' - Output: true - - Example 2: - Input: A = 'abcde', B = 'abced' - Output: false - */ -public class Code_796_RotateString { - public boolean rotateString1(String A, String B) { - if(A.length()==0 && B.length()==0){ - return true; - } - if(A.length()!=B.length()){ - return false; - } - Set res=new HashSet<>(); - for(int i=0;i100){ //加多了,也就是widths[S.charAt(i)-'a']不能加在这一行 - i--; - line++; - sum=0; - } - } - return new int[]{line,sum}; - } - - @Test - public void test(){ - //int[] arr={4,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10}; - int[] arr={10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10}; - //String S="bbbcccdddaaa"; - String S="abcdefghijklmnopqrstuvwxyz"; - int[] nums=numberOfLines(arr,S); - for(int num:nums){ - System.out.println(num); - } - } -} diff --git a/LeetCodeSolutions/src/code_09_string/Code_809_ExpressiveWords.java b/LeetCodeSolutions/src/code_09_string/Code_809_ExpressiveWords.java deleted file mode 100644 index 1488067..0000000 --- a/LeetCodeSolutions/src/code_09_string/Code_809_ExpressiveWords.java +++ /dev/null @@ -1,150 +0,0 @@ -package code_09_string; - -import org.junit.Test; - -/** - * 809. Expressive Words - * - * Sometimes people repeat letters to represent extra feeling, - * such as "hello" -> "heeellooo", "hi" -> "hiiii". - * Here, we have groups, of adjacent letters(相邻的字母) that are all the same character, - * and adjacent characters to the group are different. - *(我们将连续的相同的字母分组,并且相邻组的字母都不相同) - * A group is extended if that group is length 3 or more, so "e" and "o" would be extended in the first example, - * and "i" would be extended in the second example. - * As another example,the groups of "abbcccaaaa" would be "a", "bb", "ccc", and "aaaa"; and "ccc" and "aaaa" are the extended groups of that string. - * - * For some given string S, a query word is stretchy(有弹性的) if it can be made to be equal to S by extending some groups. - * Formally, we are allowed to repeatedly choose a group (as defined above) of characters c, - * and add some number of the same character c to it so that the length of the group is 3 or more. - * Note that we cannot extend a group of size one like "h" to a group of size two like "hh" - all extensions must leave the group extended- ie., at least 3 characters long. - * - * Given a list of query words, return the number of words that are stretchy. - * - * Example: - Input: - S = "heeellooo" - words = ["hello", "hi", "helo"] - Output: 1 - Explanation: - We can extend "e" and "o" in the word "hello" to get "heeellooo". - We can't extend "helo" to get "heeellooo" because the group "ll" is not extended. - - * Notes: - 0 <= len(S) <= 100. - 0 <= len(words) <= 100. - 0 <= len(words[i]) <= 100. - S and all words in words consist only of lowercase letters - */ -public class Code_809_ExpressiveWords { - /** - * 思路: - * 当输入为heeellooo时,题目给出的字符串数组为"hello", "hi", "helo", - * 显然e和o都是可扩展的,h和l都是不可扩展的,因此符合情况的字符串应该至少有一个h、e、o和两个l - * 再看一个例子:当输入为zzzzzyyyyy时,题目给出的字符串数组为"zzyy", "zy", "zyy", - * 显然z和y都是可扩展的,因此符合情况的字符串应该至少有一个z和y。 - * - * 所以,我们就建立以下规则: - * 根据标准字符串S,计算字符串匹配的规则,表示为字母和字母次数。 - * 如:S = "heeellooo" --> [, , , ] - * 根据规则,判断每个待测字符串是否满足标准。其实就是根据字母的次数决定字母在待测字符串的正确存在。具体如下: - * (1)出现次数小于3:根据题意可知,这组字母不属于扩展组,所以待测字符串中必须有等于该次数的该字母。 - * (2)出现次数大于等于3:属于扩展组,待测字符串中可以有小于等于该次数的该字母。 - */ - public int expressiveWords1(String S, String[] words) { - //记录符合条件的word - int res=0; - for(String word:words){ - //记录S出中出现的连续字符,用于判断该字符是否可扩展 - int count=0; - int i=0; - int j=0; - while(i=3){ - //说明是扩展字符,这时候就不管word中的字符个数了 - while(j=word的长度 - if((i==S.length() && j==word.length() && (S.length()>=word.length()))) { - res++; - } - } - return res; - } - - //优化以上代码 - public int expressiveWords(String S, String[] words) { - char[] sc=S.toCharArray(); - int res=0; - for(String word:words){ - char[] wc=word.toCharArray(); - if(check(sc,wc)){ - res++; - } - } - return res; - } - - private boolean check(char[] sc, char[] wc) { - if (sc.length < wc.length) { - return false; - } - int i = 0, j = 0; - while (i < sc.length && j < wc.length) { - if (sc[i] != wc[j]) { - return false; - } - int sStart = i, wStart = j; - while (i < sc.length && sc[i] == sc[sStart]) { - i++; - } - while (j < wc.length && wc[j] == wc[wStart]) { - j++; - } - //计算S、W中连续相等元素的长度 - int sLen = i - sStart; - int wLen = j - wStart; - //出现次数大于等于3:属于扩展组,待测字符串中可以有小于等于该次数的该字母。 - if (sLen >= 3 && sLen >= wLen) { - continue; - } - //出现次数小于3:根据题意可知,这组字母不属于扩展组,所以待测字符串中必须要等于该次数的该字母。 - if (sLen == wLen) { - continue; - } - return false; - } - return i == sc.length && j == wc.length; - } - - @Test - public void test(){ - String S="heeellooo"; - //String S="zzzzzyyyyy"; - //String S="yyrrrrrjaappoooyybbbebbbbriiiiiyyynnnvvwtwwwwwooeeexxxxxkkkkkaaaaauuuu"; - //","yrrjjappoybeebrriiynvvwwtwwoeexxkkaau","yrrjjapoybbeebrriiyynnvwwttwwoexxkaau","yyrrjaapoybeebrriiyynvwttwwooeexkauu","yyrjapoybbeebbrriyynnvvwwttwwooeexkaauu","yyrjappooybebrriiynvwtwwoeexxkaauu","yrrjjappooybebrriynnvvwttwooexkau","yrjjaapoybbeebbriiynnvvwttwooexkauu","yyrrjapooyybbeebriiyynnvvwtwwoeexxkaauu","yyrjjaappooybeebbrriiyynnvvwwtwwoeexkkau","yrrjappoyybbeebrriiynvvwwtwwoeexxkauu","yrjapooyybeebriiyynvvwttwwooeexxkaauu","yrjjappooyybbebbriiynnvwwtwooeexxkauu","yyrrjjappooybbeebbriyynnvwtwwooexxkkau","yyrrjjaapooybebriiyynvwwtwooeexxkkaauu","yrjjappooyybbeebbriiyynvwwtwwoeexkkau","yrrjjappooybbebrriiynvvwwtwwoexxkkaau","yrjjapooybebbriyynnvvwwttwwooeexxkkaau","yyrjjapoyybebbrriynvvwwttwoexkauu","yyrjappoyybebriiynnvvwttwwoexxkaauu","yyrjaapoybbeebriyynvvwwttwoeexkau","yrjjaappooyybbebbriiynnvvwtwooexxkau","yyrjjaappooyybbebrriiyynvvwttwooexkau","yrjjappoybbeebriyynnvvwwttwwooexxkkaau","yyrrjaapooybbebbriiyynnvwwtwwooexxkkaauu","yrrjaapooybbeebrriynnvvwwtwoeexxkkauu","yrjjaappooyybeebbrriyynnvvwttwwoexxkkauu","yrrjapooyybebriyynnvwwttwooeexkau","yyrjjaapooyybeebrriiynnvvwwttwoeexxkkau","yrjappooybebriyynnvvwttwwooeexkau","yrrjjaappoyybebbrriiyynvwwtwooexxkauu","yrjjappooybeebriynnvwwtwoeexkaauu","yrjaappoybbebbriiynnvwwttwooexxkaau","yyrrjappooyybeebbriiyynvwwttwwoexxkau","yyrjappoyybbeebrriynvwtwoeexkaau","yrrjjaapooybbeebbriyynvwwtwooeexkkaau","yrjapoybebbrriiynvwttwwoeexxkaau","yrjapooybebbrriiynnvwwtwwoexxkaau","yrrjjaappoybeebbriiyynvwwtwooexxkkaauu","yrjappooybeebrriynvwwtwooeexkaauu","yrrjaapooybeebbriiynvvwtwwoexxkkaauu","yyrrjaappooyybebbrriiyynvwwtwwooexxkkau","yyrjaappoybbeebriynnvvwwtwwooeexkaauu","yyrjaappooyybbebbriynvvwwttwwooexkauu","yrjappooybeebbrriiynnvwttwwooexkkau","yrrjjappooyybebbriiyynnvvwttwwoexkkau","yrrjjaapooybeebbriynnvvwwtwooexkaau","yyrjjappoybeebbrriiynnvwtwwoexkaauu","yyrjjaapoybbebbrriiyynnvvwtwwoexkaau","yyrrjjaappoyybbebbriyynvwwtwwooeexkkaau","yrrjjaappooybbebriiyynvvwttwwooexxkau","yyrjjaapoyybebriiynnvwtwwooeexkauu","yrrjjappoyybeebbriiyynnvwttwoexkkau","yrjjappoyybbebbrriynnvvwttwwooeexkkaauu","yyrjappooybeebrriiynnvwwttwwooexxkkaauu","yrrjaappoybbeebrriyynnvvwwtwwooeexxkaauu","yyrjaappooybeebbriiynvwttwoexxkkauu","yyrrjjapooyybbeebbrriyynvwttwwooeexxkkau","yrrjapoybbebbrriiynvwtwwoeexxkaau","yyrrjapoybbeebbriiyynnvvwttwooexkkauu","yyrjaapooyybebbrriiyynnvvwwtwooeexkkauu","yyrrjjaappoybbeebrriyynnvwwtwwoexkkaauu","yyrjappooybbeebrriiyynvwwttwwoexkkau","yyrjaapooyybebbriiyynnvvwwtwoeexkkaau","yyrrjjappoyybbeebbriiyynvwtwooexxkaauu","yrrjjaapoyybbeebriynvvwtwwoexxkaau","yyrrjjapoybbebbrriyynnvwwtwoeexxkkaau","yyrrjapooyybebrriiyynvwttwwooeexxkkauu","yrjappooyybebriiynnvwwtwoeexkkaauu","yrjjaapooyybeebriiynvwtwooexkauu","yyrrjjapoybeebbrriiynnvwttwwoexkaau","yyrrjaappoyybebbrriiyynvwwtwooeexkaau"}; - String[] words={"hello", "hi", "helo"}; - //String[] words={"zzyy", "zy", "zyy"}; - System.out.println(expressiveWords(S,words)); - } -} \ No newline at end of file diff --git a/LeetCodeSolutions/src/code_09_string/Code_859_BuddyStrings.java b/LeetCodeSolutions/src/code_09_string/Code_859_BuddyStrings.java deleted file mode 100644 index e66749f..0000000 --- a/LeetCodeSolutions/src/code_09_string/Code_859_BuddyStrings.java +++ /dev/null @@ -1,80 +0,0 @@ -package code_09_string; - -import org.junit.Test; - -import java.util.HashSet; -import java.util.Set; - -/** - * 859. Buddy Strings - * - * Given two strings A and B of lowercase letters, - * return true if and only if(当且仅当) we can swap two letters in A so that the result equals B. - * - * Example 1: - Input: A = "ab", B = "ba" - Output: true - - Example 2: - Input: A = "ab", B = "ab" - Output: false - - * Note: - 0 <= A.length <= 20000 - 0 <= B.length <= 20000 - A and B consist only of lowercase letters. - */ -public class Code_859_BuddyStrings { - public boolean buddyStrings(String A, String B) { - if(A==null || B==null){ - return false; - } - if(A.length()!=B.length()){ - return false; - } - if(A.equals(B)){ - //若A中没有重复元素,则返回false - Set set=new HashSet(); - for(int i=0;i setA=new HashSet<>(); - //存储B和A中在同一位置出现的不同字符 - Set setB=new HashSet<>(); - for(int i=0;i2){ - return false; - } - } - //count==2说明只有两个元素不同 - //setA.equals(setB) 说明元素内容是相同的 - //count==2 && setA.equals(setB) 就说明这两个字符串只是两个字符的位置不同 - if(count==2 && setA.equals(setB)){ - return true; - } - return false; - } - - @Test - public void test(){ - //String A = "ab"; - //String B = "ba"; - String A = "aaaaaaabc"; - String B = "aaaaaaacb"; - System.out.println(buddyStrings(A,B)); - } -} diff --git a/LeetCodeSolutions/src/code_10_math/Code_119_Pascal_sTriangleII.java b/LeetCodeSolutions/src/code_10_math/Code_119_Pascal_sTriangleII.java deleted file mode 100644 index 924bda0..0000000 --- a/LeetCodeSolutions/src/code_10_math/Code_119_Pascal_sTriangleII.java +++ /dev/null @@ -1,68 +0,0 @@ -package code_10_math; - -import org.junit.Test; - -import java.util.ArrayList; -import java.util.Arrays; -import java.util.List; - -/** - * 119. Pascal's Triangle II - * - * Given a non-negative index k where k ≤ 33, - * return the kth index row of the Pascal's triangle. - * Note that the row index starts from 0. - * - * Example: - - Input: 3 - Output: [1,3,3,1] - - * Follow up: - Could you optimize your algorithm to use only O(k) extra space? - */ -public class Code_119_Pascal_sTriangleII { - public List getRow1(int rowIndex) { - int size=rowIndex+1; - Integer[][] triangle=new Integer[size][size]; - - //初始化杨辉三角 - for(int i=0;i res= Arrays.asList(triangle[rowIndex]); - return res; - } - - /** - * 改进 - * 空间复杂度只有O(k) - */ - public List getRow(int rowIndex) { - List res=new ArrayList<>(); - - for(int i=0;i<=rowIndex;i++){ - res.add(1); - for(int j=i-1;j>=1;j--){ - res.set(j,res.get(j)+res.get(j-1)); - } - } - return res; - } - - - @Test - public void test(){ - System.out.println(getRow(3)); - } -} diff --git a/LeetCodeSolutions/src/code_10_math/Code_168_ExcelSheetColumnTitle.java b/LeetCodeSolutions/src/code_10_math/Code_168_ExcelSheetColumnTitle.java deleted file mode 100644 index b021ca0..0000000 --- a/LeetCodeSolutions/src/code_10_math/Code_168_ExcelSheetColumnTitle.java +++ /dev/null @@ -1,60 +0,0 @@ -package code_10_math; - -import org.junit.Test; - -/** - * 168. Excel Sheet Column Title - * - * Given a positive integer, return its corresponding column title as appear in an Excel sheet. - - For example: - - 1 -> A - 2 -> B - 3 -> C - ... - 26 -> Z - 27 -> AA - 28 -> AB - */ -public class Code_168_ExcelSheetColumnTitle { - /** - * 思路一: - * 实际上就是将n转化为26进制的数字 - */ - public String convertToTitle(int n) { - String[] num_char = { - "A","B","C","D","E","F","G","H","I","J","K","L","M", - "N","O","P","Q","R","S","T","U","V","W","X","Y","Z" - }; - StringBuilder res=new StringBuilder(); - n--; - while(n >= 0){ - res.append(num_char[n % 26]); - n /=26; - n--; - } - return res.reverse().toString(); - } - - /** - * 思路二:递归写法 - */ - private String[] map = { - "A","B","C","D","E","F","G","H","I","J","K","L","M", - "N","O","P","Q","R","S","T","U","V","W","X","Y","Z" - }; - - public String convertToTitle1(int n) { - if(n==0){ - return ""; - } - n--; - return convertToTitle1(n/26) + map[n%26]; - } - - @Test - public void test(){ - System.out.println(convertToTitle(701)); - } -} diff --git a/LeetCodeSolutions/src/code_10_math/Code_169_MajorityElement.java b/LeetCodeSolutions/src/code_10_math/Code_169_MajorityElement.java deleted file mode 100644 index 48792ab..0000000 --- a/LeetCodeSolutions/src/code_10_math/Code_169_MajorityElement.java +++ /dev/null @@ -1,65 +0,0 @@ -package code_10_math; - -import java.util.Arrays; - -/** - * 169. Majority Element - * - * Given an array of size n, find the majority element. - * The majority element is the element that appears more than ⌊ n/2 ⌋ times. - * - * You may assume that the array is non-empty and the majority element always exist in the array. - * - * Example 1: - Input: [3,2,3] - Output: 3 - - * Example 2: - Input: [2,2,1,1,1,2,2] - Output: 2 - */ -public class Code_169_MajorityElement { - /** - * 思路一: - * 先对数组排序,最中间那个数出现次数一定多于 n / 2。 - */ - public int majorityElement1(int[] nums) { - Arrays.sort(nums); - return nums[nums.length/2]; - } - - /** - * 思路二: - * 利用 Boyer-Moore Majority Vote Algorithm 来解决这个问题,使得时间复杂度为 O(N)。 - * 可以这么理解该算法: - * 使用 cnt 来统计一个元素出现的次数,当遍历到的元素和统计元素不相等时,令 cnt--。 - * 如果前面查找了 i 个元素,且 cnt == 0,说明前 i 个元素没有 majority,或者有 majority, - * 但是出现的次数少于 i / 2,因为如果多于 i / 2 的话 cnt 就一定不会为 0。 - * 此时剩下的 n - i 个元素中,majority 的数目依然多于 (n - i) / 2,因此继续查找就能找出 majority。 - */ - public int majorityElement(int[] nums) { - int cnt=0; - //假设第一个元素是主元素 - int majority=nums[0]; - for(int i=0;i 1 - B -> 2 - C -> 3 - ... - Z -> 26 - AA -> 27 - AB -> 28 - ... - - * Example 1: - Input: "A" - Output: 1 - - * Example 2: - - Input: "AB" - Output: 28 - - * Example 3: - Input: "ZY" - Output: 701 - */ -public class Code_171_ExcelSheetColumnNumber { - /** - * 思路: - * 看成二十六进制就好了 - */ - public int titleToNumber(String s) { - // 'A'就对应1 - // 'B'就对应2 - char[] arr = { - 1,2,3,4,5,6,7, - 8,9,10,11,12,13,14, - 15,16,17,18,19,20,21, - 22,23,24,25,26 - }; - - int res=0; - for(int i=s.length()-1;i>=0;i--){ - char c=s.charAt(i); - res+= arr[c-'A']*Math.pow((int)26,(int)(s.length()-1-i)); - } - return res; - } - - @Test - public void test(){ - System.out.println(titleToNumber("A")); - System.out.println(titleToNumber("ZY")); - } -} diff --git a/LeetCodeSolutions/src/code_10_math/Code_172_FactorialTrailingZeroes.java b/LeetCodeSolutions/src/code_10_math/Code_172_FactorialTrailingZeroes.java deleted file mode 100644 index 9670558..0000000 --- a/LeetCodeSolutions/src/code_10_math/Code_172_FactorialTrailingZeroes.java +++ /dev/null @@ -1,38 +0,0 @@ -package code_10_math; - -import org.junit.Test; - -/** - * 172. Factorial Trailing Zeroes - * - * Given an integer n, return the number of trailing zeroes in n!. - * (统计阶乘尾部有多少个 0) - */ -public class Code_172_FactorialTrailingZeroes { - /** - * 递归写法 - */ - public int trailingZeroes1(int n) { - return n==0? 0 : n/5 + trailingZeroes1(n/5); - } - - /** - * 非递归写法 - */ - public int trailingZeroes(int n) { - int res=0; - while(n!=0){ - n /= 5; - res += n; - } - return res; - } - - @Test - public void test(){ - System.out.println(trailingZeroes(3)); - System.out.println(trailingZeroes(5)); - System.out.println(trailingZeroes(10)); - System.out.println(trailingZeroes(13)); - } -} diff --git a/LeetCodeSolutions/src/code_10_math/Code_191_NumberOf1Bits.java b/LeetCodeSolutions/src/code_10_math/Code_191_NumberOf1Bits.java deleted file mode 100644 index e0e4c9b..0000000 --- a/LeetCodeSolutions/src/code_10_math/Code_191_NumberOf1Bits.java +++ /dev/null @@ -1,64 +0,0 @@ -package code_10_math; - -import org.junit.Test; - -/** - * 191. Number of 1 Bits - * - * Write a function that takes an unsigned integer and - * returns the number of '1' bits it has (also known as the Hamming weight). - * - * Example 1: - Input: 11 - Output: 3 - Explanation: Integer 11 has binary representation 00000000000000000000000000001011 - - * Example 2: - Input: 128 - Output: 1 - Explanation: Integer 128 has binary representation 00000000000000000000000010000000 - */ -public class Code_191_NumberOf1Bits { - // you need to treat n as an unsigned value - public int hammingWeight1(int n) { - //直接使用Java中方法 - return Integer.bitCount(n); - } - - private int[] bit={ - 0,1,1,2, - 1,2,2,3, - 1,2,2,3, - 2,3,3,4 - }; - - public int hammingWeight2(int n){ - if(n==0){ - return 0; - } - int count=0; - for(int i=0;i<8;i++){ - int num=n&0xf; - count+=bit[num]; - n=n>>4; - } - return count; - } - - public int hammingWeight(int n){ - if(n==0){ - return 0; - } - int res=0; - for(int i=0;i<32;i++){ - res+=(n&1); - n=(n>>1); - } - return res; - } - - @Test - public void test(){ - System.out.println(hammingWeight2(-8)); - } -} diff --git a/LeetCodeSolutions/src/code_10_math/Code_204_CountPrimes.java b/LeetCodeSolutions/src/code_10_math/Code_204_CountPrimes.java deleted file mode 100644 index d708395..0000000 --- a/LeetCodeSolutions/src/code_10_math/Code_204_CountPrimes.java +++ /dev/null @@ -1,28 +0,0 @@ -package code_10_math; - -/** - * 204. Count Primes - * Count the number of prime numbers less than a non-negative number, n. - */ -public class Code_204_CountPrimes { - /** - * 思路: - * 在每次找到一个素数时,将能被素数整除的数排除掉。 - */ - public int countPrimes(int n) { - //下标对应 0--> n 的数据,元素值表示该元素是否是素数。true 表示不是素数,false表示是素数 - boolean[] notPrimes=new boolean[n+1]; - int count=0; - //2 是最小的素数,i 1, - * return an array output such that output[i] is equal to the product of all the elements of nums except nums[i]. - * - * Example: - Input: [1,2,3,4] - Output: [24,12,8,6] - * Note: Please solve it without division and in O(n). - * (要求时间复杂度为 O(N),并且不能使用除法。) - */ -public class Code_238_ProductOfArrayExceptSelf { - /** - * 思路: - * 分别计算两个数: left、right,其中 leftProduct[i]为nums[i]的左边元素的乘积,rightProduct[i]为nums[i]右边元素的乘积。 - * products[i] = left[i] * right[i] - */ - public int[] productExceptSelf(int[] nums) { - int n = nums.length; - int[] products = new int[n]; - int[] leftProducts= new int[n]; - int[] rightProducts= new int[n]; - Arrays.fill(products,1); - Arrays.fill(leftProducts,1); - Arrays.fill(rightProducts,1); - - for(int i=1;i=0;i--){ - rightProducts[i] = rightProducts[i+1] * nums[i+1]; - } - - for(int i=0;i0){ - num -= subNum; - subNum += 2; - } - return num==0; - } -} diff --git a/LeetCodeSolutions/src/code_10_math/Code_389_FindTheDifference.java b/LeetCodeSolutions/src/code_10_math/Code_389_FindTheDifference.java deleted file mode 100644 index 7f4d92f..0000000 --- a/LeetCodeSolutions/src/code_10_math/Code_389_FindTheDifference.java +++ /dev/null @@ -1,44 +0,0 @@ -package code_10_math; - -import org.junit.Test; - -/** - * 389. Find the Difference - * - * Given two strings s and t which consist of only lowercase letters. - * String t is generated by random shuffling string s and then add one more letter at a random position. - * Find the letter that was added in t. - * - * Example: - Input: - s = "abcd" - t = "abcde" - - Output: - e - Explanation: - 'e' is the letter that was added. - */ -public class Code_389_FindTheDifference { - public char findTheDifference(String s, String t) { - //注意s有可能是空字符串 - if(s.length()==0 && t.length()==1){ - return t.charAt(0); - } - char ret=s.charAt(0); - for(int i=1;i>> 4; - } - return res.reverse().toString(); - } -} diff --git a/LeetCodeSolutions/src/code_10_math/Code_415_AddStrings.java b/LeetCodeSolutions/src/code_10_math/Code_415_AddStrings.java deleted file mode 100644 index b89e15c..0000000 --- a/LeetCodeSolutions/src/code_10_math/Code_415_AddStrings.java +++ /dev/null @@ -1,39 +0,0 @@ -package code_10_math; - -import org.junit.Test; - -/** - * 415. Add Strings - * - * Given two non-negative integers num1 and num2 represented as string, - * return the sum of num1 and num2. - * - * Note: - * The length of both num1 and num2 is < 5100. - * Both num1 and num2 contains only digits 0-9.Both num1 and num2 does not contain any leading zero. - * You must not use any built-in BigInteger library or convert the inputs to integer directly. - */ -public class Code_415_AddStrings { - public String addStrings(String num1, String num2) { - int i=num1.length()-1; - int j=num2.length()-1; - - int c=0; - - StringBuilder res=new StringBuilder(); - while(i>=0 || j>=0 || c==1){ - c += (i>=0) ? num1.charAt(i)-'0' : 0; - c += (j>=0) ? num2.charAt(j)-'0' : 0; - res.append(c%10); - c /= 10; - i--; - j--; - } - return res.reverse().toString(); - } - - @Test - public void test(){ - System.out.println(addStrings("98","9")); - } -} diff --git a/LeetCodeSolutions/src/code_10_math/Code_43_MultiplyStrings.java b/LeetCodeSolutions/src/code_10_math/Code_43_MultiplyStrings.java deleted file mode 100644 index e0a777c..0000000 --- a/LeetCodeSolutions/src/code_10_math/Code_43_MultiplyStrings.java +++ /dev/null @@ -1,75 +0,0 @@ -package code_10_math; - -import org.junit.Test; - -import java.lang.annotation.Target; - -/** - * 43. Multiply Strings - * - * Given two non-negative integers num1 and num2 represented as strings, - * return the product of num1 and num2, also represented as a string. - * - * Example 1: - * Input: num1 = "2", num2 = "3" - * Output: "6" - * - * Example 2: - * Input: num1 = "123", num2 = "456" - * Output: "56088" - * - * - * Note: - * The length of both num1 and num2 is < 110. - * Both num1 and num2 contain only digits 0-9. - * Both num1 and num2 do not contain any leading zero, except the number 0 itself. - * You must not use any built-in BigInteger library or convert the inputs to integer directly. - */ -public class Code_43_MultiplyStrings { - /** - * 思路: - * 根据数字乘法的计算规则,从一个数个位开始依次求出与另一个数的乘积并逐位相加。 - */ - public String multiply(String num1, String num2) { - //num1或者num2中有一个为0,相乘结果就为0 - if("0".equals(num1) || "0".equals(num2)){ - return "0"; - } - int m = num1.length(); - int n = num2.length(); - - int[] pos=new int[m+n]; - - for(int i=m-1;i>=0;i--){ - for(int j=n-1;j>=0;j--){ - int mul = (num1.charAt(i)-'0') * (num2.charAt(j)-'0'); - - //p1和p2始终是相邻的 - int p1 = i + j; - int p2 = i + j + 1; - - // nul + pos[p2]的最大数值是81+9=90, - // 每次只需要 p1和p2存储相应数据就行了。 - int sum = mul + pos[p2]; - pos[p1] += sum / 10; - pos[p2] = sum % 10; - } - } - - StringBuilder res = new StringBuilder(); - for(int num : pos){ - //从以一个不是0的num开始存入数据 - if(!(res.length()==0 && num==0)){ - res.append(num); - } - } - return res.length()==0 ? "0" : res.toString(); - } - - @Test - public void test(){ - String num1 = "99"; - String num2 = "99"; - System.out.println(multiply(num1,num2)); - } -} diff --git a/LeetCodeSolutions/src/code_10_math/Code_462_MinimumMovesToEqualArrayElementsII.java b/LeetCodeSolutions/src/code_10_math/Code_462_MinimumMovesToEqualArrayElementsII.java deleted file mode 100644 index f4a57e6..0000000 --- a/LeetCodeSolutions/src/code_10_math/Code_462_MinimumMovesToEqualArrayElementsII.java +++ /dev/null @@ -1,98 +0,0 @@ -package code_10_math; - -import org.junit.Test; - -import java.util.Arrays; - -/** - * 462. Minimum Moves to Equal Array Elements II - * - * Given a non-empty integer array, - * find the minimum number of moves required to make all array elements equal, - * where a move is incrementing a selected element by 1 or decrementing a selected element by 1. - * - * You may assume the array's length is at most 10,000. - * - * Example: - Input: - [1,2,3] - Output: - 2 - Explanation: - Only two moves are needed (remember each move increments or decrements one element): - [1,2,3] => [2,2,3] => [2,2,2] - */ -public class Code_462_MinimumMovesToEqualArrayElementsII { - public int minMoves21(int[] nums) { - Arrays.sort(nums); - int low=0; - int high=nums.length-1; - - int res=0; - while(low=pivot){ - r--; - } - nums[l]=nums[r]; - //从数组的左端向右扫描找到第一个大于pivot的元素,交换这两个元素 - while(l二分查找方式 - private int pickRandomRec(){ - //随机获取在[0,total)之间的一个点 - int target = random.nextInt(total); - int i = 0, j = sum.length - 1; - while (i < j) { - int mid = (i + j) / 2; - if (sum[mid] > target) { - j = mid; - } else { - i = mid + 1; - } - } - return i; - } - } -} diff --git a/LeetCodeSolutions/src/code_10_math/Code_504_Base7.java b/LeetCodeSolutions/src/code_10_math/Code_504_Base7.java deleted file mode 100644 index 20ce691..0000000 --- a/LeetCodeSolutions/src/code_10_math/Code_504_Base7.java +++ /dev/null @@ -1,37 +0,0 @@ -package code_10_math; - -import org.junit.Test; - -/** - * 504 Base 7 - * - * Given an integer, return its base 7 string representation. - Example 1: - Input: 100 - Output: "202" - Example 2: - Input: -7 - Output: "-10" - */ -public class Code_504_Base7 { - public String convertToBase71(int num) { - if(num==0){ - return "0"; - } - StringBuilder res=new StringBuilder(); - - //判断num是否是正数 - boolean isNegative=false; - if(num<0){ - num=-num; - isNegative=true; - } - - while(num!=0){ - res.append(num % 7); - num /=7; - } - String ret=res.reverse().toString(); - return isNegative? ("-"+ret): ret; - } -} diff --git a/LeetCodeSolutions/src/code_10_math/Code_519_RandomFlipMatrix.java b/LeetCodeSolutions/src/code_10_math/Code_519_RandomFlipMatrix.java deleted file mode 100644 index bd23472..0000000 --- a/LeetCodeSolutions/src/code_10_math/Code_519_RandomFlipMatrix.java +++ /dev/null @@ -1,59 +0,0 @@ -package code_10_math; - -import java.util.HashMap; -import java.util.HashSet; -import java.util.Random; - -/** - * 519. Random Flip Matrix - * - * You are given the number of rows n_rows and number of columns n_cols of a 2D binary matrix - * where all values are initially 0. - * Write a function flip which chooses a 0 value uniformly(一致地) at random, changes it to 1, - * and then returns the position [row.id, col.id] of that value. - * Also, write a function reset which sets all values back to 0. - * Try to minimize the number of calls to system's Math.random() and optimize the time and space complexity. - - Note: - * 1 <= n_rows, n_cols <= 10000 - * 0 <= row.id < n_rows and 0 <= col.id < n_cols - * flip will not be called when the matrix has no 0 values left. - * the total number of calls to flip and reset will not exceed 1000. - */ -public class Code_519_RandomFlipMatrix { - /** - * 思路: - * 本题是经典的产生无重复数序列的随机数。 - * 假设矩阵的规模是n_rows * n_cols,对于每一个格子都对应着一个编号 num= n_rows * (i-1)+j, - * 其中i是当前行,j是当前列。 - * TODO:那么该题就转换成如何产生一个[0,n_rows * n_cols -1]的随机数,并且不重复。 - */ - class Solution { - private HashSet set; - private int rows; - private int cols; - private Random random; - - public Solution(int n_rows, int n_cols) { - set = new HashSet<>(); - rows = n_rows; - cols = n_cols; - random = new Random(); - } - - public int[] flip() { - int r; - //一直到 r 不是重复元素为止 - do{ - r = random.nextInt(rows*cols); - }while (set.contains(r)); //判断条件 r 不是重复元素,就会退出循环 - //r 是一个新的随机数 - set.add(r); - return new int[]{r/cols,r%cols}; - } - - public void reset() { - set.clear(); - } - } -} diff --git a/LeetCodeSolutions/src/code_10_math/Code_528_RandomPickWithWeight.java b/LeetCodeSolutions/src/code_10_math/Code_528_RandomPickWithWeight.java deleted file mode 100644 index d0ee4cd..0000000 --- a/LeetCodeSolutions/src/code_10_math/Code_528_RandomPickWithWeight.java +++ /dev/null @@ -1,70 +0,0 @@ -package code_10_math; - -import org.junit.Test; - -import java.util.Random; - -/** - * 528. Random Pick with Weight - * - * Given an array w of positive integers,where w[i] describes the weight of index i, - * write a function pickIndex which randomly picks an index in proportion to(与某事物成比例) its weight. - - Note: - * 1 <= w.length <= 10000 - * 1 <= w[i] <= 10^5 - * pickIndex will be called at most 10000 times. - */ -public class Code_528_RandomPickWithWeight { - /** - * 思路:前缀和数组 - * 比如对于数组[1,10,1000], - * 生成前缀和数组[1,11,1011]。 - * 那么如果我用1011的上限生成一个[0, 1011)的随机数字, - * 那么我规定[0, 1)的数字归1管,[1, 11)的数字归10管,[11, 1011)的数字归1000管,那就ok了。 - * 生成随机数字target后,你用binary search找到“第一个>target的数字的下标”,就是我们的答案了。 - */ - class Solution { - //前缀和数组 - private int[] sum; - private Random random; - - public Solution(int[] w) { - random=new Random(); - sum = new int[w.length]; - sum[0] = w[0]; - for(int i=1;i target){ - high = mid; - } - } - return low; - } - } - - @Test - public void test(){ - int[] nums={1,2,3,8,9,10}; - int[] sumNum= new int[nums.length]; - - sumNum[0] = nums[0]; - for(int i=1;i=0 || j>=0 || c==1) { - //a = "11", b = "1" 实际上就变成 a = "11",b = "01" - c += (i >= 0) ? a.charAt(i) - '0' : 0; - c += (j >= 0) ? b.charAt(j) - '0' : 0; - res.append(c%2); - c /= 2; - i--; - j--; - } - return res.reverse().toString(); - } - - @Test - public void test(){ - System.out.println(addBinary("11","1")); - } -} diff --git a/LeetCodeSolutions/src/code_10_math/Code_858_MirrorReflection.java b/LeetCodeSolutions/src/code_10_math/Code_858_MirrorReflection.java deleted file mode 100644 index 21ff7e0..0000000 --- a/LeetCodeSolutions/src/code_10_math/Code_858_MirrorReflection.java +++ /dev/null @@ -1,54 +0,0 @@ -package code_10_math; - -/** - * 858. Mirror Reflection - * - * There is a special square room with mirrors on each of the four walls. - * Except for the southwest corner, there are receptors(接收器) - * on each of the remaining corners, numbered 0, 1, and 2. - * - * The square room has walls of length p, - * and a laser ray from the southwest corner first meets the east wall at a distance q from the 0th receptor(接收器). - * Return the number of the receptor that the ray meets first. - * (It is guaranteed that the ray will meet a receptor eventually.) - * (返回接收器的编号) - */ -public class Code_858_MirrorReflection { - /** - * 思路: - * 如果没有上下两面镜子,光线会一直向上反射,这两面镜子的作用仅仅是改变了光线的走向而已。 - * TODO:同时,可以通过光线走过的纵向距离来判断光线是否到达接收器, - * 如果此距离是p的偶数倍,那么光线到达上面的接收器,即接收器0; - * 使用变量count记录光线与左右镜子接触的次数, - * 同上,可根据count来判断光线到达接收器1和2。 - * 当距离为p的奇数倍 - * 如果count为奇数,则到达接收器1; - * 如果count为偶数,则到达接收器2。 - */ - public int mirrorReflection(int p, int q) { - //记录光线与左右镜子接触的次数 - int count = 0; - //记录光线走过的纵向的距离 - int dist = 0; - - while(true){ - count ++; - dist += q; - - //余数,用于判断 dist 是否是 p 的偶数倍 - int remain = dist % (2*p); - if(remain == p){ - // dist 是 p 的奇数倍 - if(count % 2 == 1){ - return 1; - }else { - return 2; - } - } - if( remain == 0){ - // dist 是 p 的偶数倍 - return 0; - } - } - } -} diff --git a/LeetCodeSolutions/src/code_10_math/Code_898_BitwiseORsOfSubarrays.java b/LeetCodeSolutions/src/code_10_math/Code_898_BitwiseORsOfSubarrays.java deleted file mode 100644 index 97d0082..0000000 --- a/LeetCodeSolutions/src/code_10_math/Code_898_BitwiseORsOfSubarrays.java +++ /dev/null @@ -1,63 +0,0 @@ -package code_10_math; - -import java.util.HashSet; -import java.util.Set; - -/** - * 898. Bitwise ORs of Subarrays - * - * We have an array A of non-negative integers. - * For every (contiguous) subarray B = [A[i], A[i+1], ..., A[j]] (with i <= j), - * we take the bitwise OR of all the elements in B, obtaining a result A[i] | A[i+1] | ... | A[j]. - * Return the number of possible results. - * (Results that occur more than once are only counted once in the final answer.) - * 一个数组的所有子数组的位或结果,总共有多少个不同? - * - * Example 1: - Input: [0] - Output: 1 - Explanation: - There is only one possible result: 0. - - Example 2: - Input: [1,1,2] - Output: 3 - Explanation: - The possible subarrays are [1], [1], [2], [1, 1], [1, 2], [1, 1, 2]. - These yield the results 1, 1, 2, 1, 3, 3. - There are 3 unique values, so the answer is 3. - - Example 3: - Input: [1,2,4] - Output: 6 - Explanation: - The possible results are 1, 2, 3, 4, 6, and 7. - - * Note: - 1 <= A.length <= 50000 - 0 <= A[i] <= 10^9 - */ -public class Code_898_BitwiseORsOfSubarrays { - /** - * memo[i]表示以A[i]结尾的所有子数组的位或结果,其实是个set。 - * 转移方程式memo[i] = - * ( - * for b in memo[i - 1] - * (b | A[i]) - * )+ A[i] - */ - public int subarrayBitwiseORs(int[] A) { - Set memo=new HashSet<>(); - Set res=new HashSet<>(); - for(int a:A){ - Set cur=new HashSet<>(); - for(int b:memo){ - cur.add(b|a); - } - cur.add(a); - memo=cur; - res.addAll(cur); - } - return res.size(); - } -} diff --git a/LeetCodeSolutions/src/code_10_math/GCD.java b/LeetCodeSolutions/src/code_10_math/GCD.java deleted file mode 100644 index 04a0663..0000000 --- a/LeetCodeSolutions/src/code_10_math/GCD.java +++ /dev/null @@ -1,56 +0,0 @@ -package code_10_math; - -import org.junit.Test; - -import java.lang.annotation.Target; - -/** - * 求 a,b的最大公约数 - */ -public class GCD { - public int gcd1(int a,int b){ - return b==0? a: gcd1(b,a%b); - } - - /** - * 思路: - * 对于 a 和 b 的最大公约数 f(a, b),有: - 如果 **a 和 b 均为偶数**,f(a, b) = 2*f(a/2, b/2); - 如果 **a 是偶数 b 是奇数**,f(a, b) = f(a/2, b); - 如果 **a 是奇数 b 是偶数**,f(a, b) = f(a, b/2); - 如果 **a 和 b 均为奇数**,f(a, b) = f(b, a-b); - */ - public int gcd2(int a,int b){ - if(b>a){ - return gcd2(b,a); - } - if(b==0){ - return a; - } - boolean isAEven=isEven(a); - boolean isBEven=isEven(b); - if(isAEven && isBEven){ - return 2 * gcd2(a>>1,b>>1); - }else if(isAEven && !isBEven){ - return gcd2(a>>1,b); - }else if(!isAEven && isBEven){ - return gcd2(a,b>>1); - }else{ - return gcd2(b,a-b); - } - } - - //判断n是否是偶数 - private boolean isEven(int n){ - if(n % 2==0){ - return true; - } - return false; - } - - @Test - public void test(){ - System.out.println(gcd1(4,8)); - System.out.println(gcd2(4,8)); - } -} diff --git a/LeetCodeSolutions/src/code_11_logic/Code_382_LinkedListRandomNode.java b/LeetCodeSolutions/src/code_11_logic/Code_382_LinkedListRandomNode.java deleted file mode 100644 index 2a2bf4e..0000000 --- a/LeetCodeSolutions/src/code_11_logic/Code_382_LinkedListRandomNode.java +++ /dev/null @@ -1,47 +0,0 @@ -package code_11_logic; - -import code_11_logic.ListNode; - -import java.util.Random; - -/** - * 382. Linked List Random Node - * - * Given a singly linked list, return a random node's value from the linked list. - * Each node must have the same probability of being chosen. - * - * Follow up: - * What if the linked list is extremely large and its length is unknown to you? - * Could you solve this efficiently without using extra space? - */ -public class Code_382_LinkedListRandomNode { - /** - * 思路: - * 第i个元素取到的概率等于 1/i, - * 则不取得该元素的概率等于 (1/i)*(i/(1+i) * ((1+i)/(2+i)).......*(n-1/n)=1/n - */ - class Solution { - private ListNode head; - private Random random=new Random(); - /** @param head The linked list's head. - Note that the head is guaranteed to be not null, so it contains at least one node. */ - public Solution(ListNode head) { - this.head=head; - } - - /** Returns a random node's value. */ - public int getRandom() { - ListNode cur=head; - int res=cur.val; - int i=1; - while(cur!=null){ - if(random.nextInt(i)==0){ - res=cur.val; - } - cur=cur.next; - i++; - } - return res; - } - } -} diff --git a/LeetCodeSolutions/src/code_11_logic/Code_386_LexicographicalNumbers.java b/LeetCodeSolutions/src/code_11_logic/Code_386_LexicographicalNumbers.java deleted file mode 100644 index 386c282..0000000 --- a/LeetCodeSolutions/src/code_11_logic/Code_386_LexicographicalNumbers.java +++ /dev/null @@ -1,72 +0,0 @@ -package code_11_logic; - -import org.junit.Test; - -import java.util.ArrayList; -import java.util.Collections; -import java.util.List; - -/** - * 386. Lexicographical Numbers - * - * Given an integer n, return 1 - n in lexicographical order(按字典顺序). - * For example, given 13, return: [1,10,11,12,13,2,3,4,5,6,7,8,9]. - * Please optimize your algorithm to use less time and space. - * The input size may be as large as 5,000,000. - */ -public class Code_386_LexicographicalNumbers { - /** - * 思路一:按字典顺序,首先就会想到字符串, - * 将数字转换位字符串,然后字符串按照字典顺序排好后, - * 再将排好序的字符串转换为整数 - */ - public List lexicalOrder1(int n) { - List tmpRes=new ArrayList<>(); - for(int i=1;i<=n;i++){ - tmpRes.add(i+""); - } - Collections.sort(tmpRes); - - List res=new ArrayList<>(); - while(!tmpRes.isEmpty()){ - String num=tmpRes.remove(0); - res.add(Integer.parseInt(num)); - } - return res; - } - - /** - * 思路二: - * 用函数栈(递归)用来去完成字典序排序。 - */ - public List lexicalOrder(int n){ - List res=new ArrayList<>(); - for(int i=1;i<10;i++){ - if(i<=n){ - generateRes(res,i,n); - } - } - return res; - } - - /** - * 获取以pre开头的数字排序的序列 - * @param pre <=n 的数字的第一个数字 - */ - private void generateRes(List res,int pre,int n){ - if(pre>n){ - return; - } - res.add(pre); - for(int i=0;i<10;i++){ - if(pre*10+i<=n){ - generateRes(res,pre*10+i,n); - } - } - } - - @Test - public void test(){ - System.out.println(lexicalOrder(13)); - } -} diff --git a/LeetCodeSolutions/src/code_11_logic/Code_398_RandomPickIndex.java b/LeetCodeSolutions/src/code_11_logic/Code_398_RandomPickIndex.java deleted file mode 100644 index b191e4d..0000000 --- a/LeetCodeSolutions/src/code_11_logic/Code_398_RandomPickIndex.java +++ /dev/null @@ -1,36 +0,0 @@ -package code_11_logic; - -import java.util.Random; - -/** - * 398. Random Pick Index - * - * Given an array of integers with possible duplicates, - * randomly output the index of a given target number. You can assume that the given target number must exist in the array. - * - * Note: - * The array size can be very large. - * Solution that uses too much extra space will not pass the judge. - */ -public class Code_398_RandomPickIndex { - class Solution { - private int[] nums; - private Random random=new Random(); - - public Solution(int[] nums) { - this.nums=nums; - } - - public int pick(int target) { - int res=-1; - int count=0; - for(int i=0;irand7() - * rand7-->rand10 --> [0,6*7+6) -->[0,48) - * 要求数值在 [1,10]之间 - */ - /*class Solution extends SolBase { - public int rand10() { - int v=7*(rand7()-1) + (rand7()-1); - if(v<=39){ - //要求数值在 [1,10]之间,所以需要+1 - return v%10+1; - } - return rand10(); - } - }*/ -} diff --git a/LeetCodeSolutions/src/code_11_logic/Code_877_StoneGame.java b/LeetCodeSolutions/src/code_11_logic/Code_877_StoneGame.java deleted file mode 100644 index 1f802e0..0000000 --- a/LeetCodeSolutions/src/code_11_logic/Code_877_StoneGame.java +++ /dev/null @@ -1,82 +0,0 @@ -package code_11_logic; - -import org.junit.Test; - -import java.lang.annotation.Target; - -/** - * 877. Stone Game - * - * Alex and Lee play a game with piles of stones. - * There are an even number of piles arranged in a row, - * and each pile has a positive integer number of stones piles[i]. - * - * The objective of the game is to end with the most stones. - * The total number of stones is odd(奇数), so there are no ties(平局). - * - * Alex and Lee take turns, with Alex starting first. - * Each turn, a player takes the entire pile of stones from either the beginning or the end of the row(从行的开始或结束处取走整堆石头). - * This continues until there are no more piles left, at which point the person with the most stones wins. - * Assuming Alex and Lee play optimally(最佳地), return True if and only if Alex wins the game. - * - *Example 1: - Input: [5,3,4,5] - Output: true - Explanation: - Alex starts first, and can only take the first 5 or the last 5. - Say he takes the first 5, so that the row becomes [3, 4, 5]. - If Lee takes 3, then the board is [4, 5], and Alex takes 5 to win with 10 points. - If Lee takes the last 5, then the board is [3, 4], and Alex takes 4 to win with 9 points. - This demonstrated that taking the first 5 was a winning move for Alex, so we return true. - - Note: - * 2 <= piles.length <= 500 - * piles.length is even. (偶数) - * 1 <= piles[i] <= 500 - * sum(piles) is odd.(奇数) - */ -public class Code_877_StoneGame { - /** - * 思路: - * - * 石头的堆数是偶数,且石头的总数是奇数,因此Alex可以选择一种策略总是选偶数堆或者奇数堆的石头,则一定可以胜过Lee。 - * - * 这里我们需要进行更一般化的分析,例如石头堆数不一定是偶数,石头总数也不一定是奇数, - * 且不但要判断Alex是否能赢,还要判断最多赢多少分,如果输,能不能提供最少输多少分。这里的分数是指多拿的石头数量。 - * - * 我们每次只能拿两端的石头堆的石头,但我们又不知道拿完后剩下的石头堆的情况,因此我们考虑先解决子问题。 - * 我们可以根据(n-1)个相邻石头堆的胜负情况,求出n个相邻石头堆的胜负情况,即我们的原问题。 - * - * dp[i][j]为piles[i]到piles[j]Alex最多可以赢Lee的分数。 - * 每次取石头堆只能从两端取,因此: - * dp[i][j] = max(piles[i] - dp[i+1][j], piles[j] - dp[i][j-1])。其中: - * piles[i] - dp[i+1][j] 表示Alex取走编号为i的石头堆, - * piles[j] - dp[i][j-1] 表示Alex取走编号为j的石头堆。 - * - * - * 注意,为什么dp[i+1][j]表示piles[i+1]到piles[j]之间Alex最多可以赢Lee的分数,而piles[i]要减去该值而不是加上该值呢? - * 由于我们的要求是每一步Alex和Lee采取的都是最优策略, - * 当取piles[i]时,piles[i+1]到piles[j]中Alex和Lee的走法会调换。意即Lee走Alex的走法,Alex走Lee的走法,因此这里要做减法。 - */ - public boolean stoneGame(int[] piles) { - int n = piles.length; - int[][] dp=new int[n][n]; - for(int i=0;i 0; - } - - @Test - public void test(){ - int[] piles= {5,3,4,5}; - stoneGame(piles); - } -} diff --git a/LeetCodeSolutions/src/code_11_logic/ListNode.java b/LeetCodeSolutions/src/code_11_logic/ListNode.java deleted file mode 100644 index 558b5eb..0000000 --- a/LeetCodeSolutions/src/code_11_logic/ListNode.java +++ /dev/null @@ -1,12 +0,0 @@ -package code_11_logic; - -/** - * Created by DHA on 2019/1/13. - */ -public class ListNode { - int val; - ListNode next; - ListNode(int x) { - val = x; - } -} \ No newline at end of file diff --git a/LeetCodeSolutions/src/code_12_dataStructure/Code_146_LRUCache.java b/LeetCodeSolutions/src/code_12_dataStructure/Code_146_LRUCache.java deleted file mode 100644 index 2a48461..0000000 --- a/LeetCodeSolutions/src/code_12_dataStructure/Code_146_LRUCache.java +++ /dev/null @@ -1,117 +0,0 @@ -package code_12_dataStructure; - -import java.util.HashMap; - -/** - * Design and implement a data structure for Least Recently Used (LRU) cache. - * It should support the following operations: get and put. - * - * get(key) - Get the value (will always be positive) of the key if the key exists in the cache, otherwise return -1. - * put(key, value) - Set or insert the value if the key is not already present. When the cache reached its capacity, it should invalidate the least recently used item before inserting a new item. - * - * Follow up: - * Could you do both operations in O(1) time complexity? - */ -public class Code_146_LRUCache { - //双向链表的节点 - private class Node{ - int key; - int value; - Node pre,next; - //创建的节点既没有前驱,也没有后继 - Node(int key,int value){ - this.key = key; - this.value = value; - } - } - - class LRUCache { - //双向链表的头节点和尾节点 - private Node head,tail; - private int size; - - //存储 - private HashMap hashMap; - - //在该双向链表中删除 node节点 - // very important method - private void remove(Node node){ - //node节点不是头节点 - if(node != head){ - //preNode 是 node的前一个节点 - Node preNode = node.pre; - preNode.next = node.next; - }else{ - //时候头结点,直接删除, - //并且该节点的下一个节点就是头节点 - head = node.next; - } - if(node != tail){ - Node nextNode = node.next; - nextNode.pre = node.pre; - }else{ - tail = node.pre; - } - //注意这里不会销毁node节点 - } - - //将 node设置成头结点 - private void setHead(Node node){ - node.next = head; - node.pre = null; - - if(head !=null){ - head.pre = node; - } - head = node; - if(tail == null){ - tail = head; - } - } - - public LRUCache(int capacity) { - size = capacity; - hashMap = new HashMap<>(); - } - - public int get(int key) { - if(hashMap.containsKey(key)){ - Node node = hashMap.get(key); - - //如果命中,则将该节点移动到头部(最近访问的节点都移动到头部) - remove(node); - //这里将 node从双向链表中删除, - //但是没有删除该节点 - setHead(node); - return node.value; - } - return -1; - } - - public void put(int key, int value) { - if(hashMap.containsKey(key)){ - Node node = hashMap.get(key); - //存在key,则更新value值 - node.value=value; - - //如果命中,则将该节点移动到头部(最近访问的节点都移动到头部) - remove(node); - setHead(node); - }else{ - Node node = new Node(key,value); - setHead(node); - hashMap.put(key,node); - - //如果 存入的节点过多,则删除多余的节点节点 - if(hashMap.size()>size){ - Node delNode = hashMap.get(tail.key); - //从链表中原来的尾节点 - remove(tail); - hashMap.remove(delNode.key); - //方便垃圾回收 - delNode = null; - } - } - } - } -} diff --git a/LeetCodeSolutions/src/code_12_dataStructure/Code_155_MinStack.java b/LeetCodeSolutions/src/code_12_dataStructure/Code_155_MinStack.java deleted file mode 100644 index 2f7e3fa..0000000 --- a/LeetCodeSolutions/src/code_12_dataStructure/Code_155_MinStack.java +++ /dev/null @@ -1,58 +0,0 @@ -package code_12_dataStructure; - -import java.util.Stack; - -/** - * 155. Min Stack - * - * Design a stack that supports push, pop, top, and retrieving the minimum element in constant time. - * push(x) -- Push element x onto stack. - * pop() -- Removes the element on top of the stack. - * top() -- Get the top element. - * getMin() -- Retrieve the minimum element in the stack. - * - * Example: - MinStack minStack = new MinStack(); - minStack.push(-2); - minStack.push(0); - minStack.push(-3); - minStack.getMin(); --> Returns -3. - minStack.pop(); - minStack.top(); --> Returns 0. - minStack.getMin(); --> Returns -2. - */ -public class Code_155_MinStack { - class MinStack { - //准备两个栈,一个用来存普通元素,一个栈顶的元素始终是当前最小值 - private Stack stack; - private Stack minStack; - - /** initialize your data structure here. */ - public MinStack() { - stack=new Stack<>(); - minStack=new Stack<>(); - } - - public void push(int x) { - if(minStack.isEmpty() || x<=minStack.peek()){ - minStack.push(x); - } - stack.push(x); - } - - public void pop() { - if(stack.peek().equals(minStack.peek())){ - minStack.pop(); - } - stack.pop(); - } - - public int top() { - return stack.peek(); - } - - public int getMin() { - return minStack.peek(); - } - } -} diff --git a/LeetCodeSolutions/src/code_12_dataStructure/Code_207_CourseSchedule.java b/LeetCodeSolutions/src/code_12_dataStructure/Code_207_CourseSchedule.java deleted file mode 100644 index a1fb804..0000000 --- a/LeetCodeSolutions/src/code_12_dataStructure/Code_207_CourseSchedule.java +++ /dev/null @@ -1,123 +0,0 @@ -package code_12_dataStructure; - -import org.junit.Test; - -import java.util.ArrayList; -import java.util.List; - -/** - * 207. Course Schedule - * - * There are a total of n courses you have to take, labeled from 0 to n-1. - * Some courses may have prerequisites, - * for example to take course 0 you have to first take course 1, which is expressed as a pair: [0,1] - * Given the total number of courses and a list of prerequisite pairs, - * is it possible for you to finish all courses? - * - * Example 1: - - Input: 2, [[1,0]] - Output: true - Explanation: There are a total of 2 courses to take. - To take course 1 you should have finished course 0. So it is possible. - - * Example 2: - Input: 2, [[1,0],[0,1]] - Output: false - Explanation: There are a total of 2 courses to take. - To take course 1 you should have finished course 0, and to take course 0 you should - also have finished course 1. So it is impossible. - */ -public class Code_207_CourseSchedule { - /** - * 思路: - * 一个课程可能会先修课程,判断给定的先修课程规定是否合法。 - * 不需要使用拓扑排序,只需要检测有向图是否存在环即可。 - * 有环则返回false - */ - private boolean[] visited; - private boolean[] onPath; - ArrayList[] g; - - public boolean canFinish(int numCourses, int[][] prerequisites) { - //使用邻接表表示图,这是应对边比较多的情况 - g = new ArrayList[numCourses]; - for(int i=0;i[] g){ - visited = new boolean[g.length]; - onPath = new boolean[g.length]; - for(int i=0;i[] g, int v, boolean[] visited, boolean[] onPath) { - visited[v] = true; - onPath[v] = true; - for(int next : g[v]){ - if(!visited[next]){ - if(dfs(g,next,visited,onPath)){ - return true; - } - }else if(onPath[next]){ - // next 顶点是有向环中的顶点 - return true; - } - } - onPath[v] = false; - return false; - } - - @Test - public void test(){ - /* int[][] q= { - {1,0}, - {0,1} - };*/ - /*int[][] q = { - {1,0} - };*/ - int[][] q = { - {1,0}, - {2,1}, - {0,2}, - {2,3}, - }; - System.out.println(canFinish(4,q)); - - //for test 测试 onPath上的顶点,也就是环上的顶点 - for(int i=0;i next; - public Node(boolean isWord){ - this.isWord=isWord; - next=new TreeMap<>(); - } - public Node(){ - this(false); - } - } - - private Node root; - - /** Initialize your data structure here. */ - public Trie() { - root=new Node(); - } - - /** Inserts a word into the trie. */ - public void insert(String word) { - Node cur=root; - for(int i=0;i stack; - - public int[] findOrder(int numCourses, int[][] prerequisites) { - ArrayList [] g = new ArrayList[numCourses]; - for(int i=0;i(); - } - for(int[] edge : prerequisites){ - int from = edge[1]; - int to = edge[0]; - g[from].add(to); - } - //有向图中存在环,则不存在拓扑排序 - if(hasCycle(g)){ - return new int[]{}; - } - //拓扑排序就是其中的一个可行解 - return topoOrder(g); - } - - //判断图是否存在环 - private boolean hasCycle(ArrayList [] g){ - boolean[] visited = new boolean[g.length]; - boolean[] onPath = new boolean[g.length]; - for(int i =0 ; i< g.length ;i++){ - if(!visited[i]){ - if(dfs(g,i,visited,onPath)){ - return true; - } - } - } - return false; - } - - private boolean dfs(ArrayList [] g,int v,boolean[] visited,boolean[] onPath){ - visited[v] = true; - onPath[v] = true; - for(int next : g[v]){ - if(!visited[next]){ - if(dfs(g,next,visited,onPath)){ - return true; - } - }else if(onPath[next]){ - return true; - } - } - onPath[v] = false; - return false; - } - - //使用dfs进行拓扑排序 - private int[] topoOrder(ArrayList [] g){ - boolean[] visited = new boolean[g.length]; - stack = new Stack<>(); - for(int i=0;i [] g,int v,boolean[] visited){ - visited[v] = true; - for(int next : g[v]){ - if(! visited[next]){ - dfsForTopoOrder(g,next,visited); - } - } - stack.push(v); - } - - @Test - public void test(){ - int[][] q = { - {1,0}, - {2,0}, - {3,1}, - {3,2}, - }; - int[] res= findOrder(4,q); - for(int i : res){ - System.out.println(i); - } - } -} diff --git a/LeetCodeSolutions/src/code_12_dataStructure/Code_211_AddandSearchWord_Datastructuredesign.java b/LeetCodeSolutions/src/code_12_dataStructure/Code_211_AddandSearchWord_Datastructuredesign.java deleted file mode 100644 index 11cbe41..0000000 --- a/LeetCodeSolutions/src/code_12_dataStructure/Code_211_AddandSearchWord_Datastructuredesign.java +++ /dev/null @@ -1,75 +0,0 @@ -package code_12_dataStructure; - -import java.util.TreeMap; - -/** - * Created by 18351 on 2019/1/26. - */ -public class Code_211_AddandSearchWord_Datastructuredesign { - class WordDictionary { - private class Node{ - public boolean isWord;//标记该字符是否是单词结尾 - public TreeMap next; - public Node(boolean isWord){ - this.isWord=isWord; - next=new TreeMap<>(); - } - public Node(){ - this(false); - } - } - - private Node root; - - /** Initialize your data structure here. */ - public WordDictionary() { - root=new Node(); - } - - /** Adds a word into the data structure. */ - public void addWord(String word) { - Node cur=root; - for(int i=0;i data; - //存储,即存储该值和该值的下标 - private Map valueIndex; - private Random random; - - /** Initialize your data structure here. */ - public RandomizedSet() { - data=new ArrayList<>(); - valueIndex=new HashMap<>(); - random=new Random(); - } - - /** Inserts a value to the set. Returns true if the set did not already contain the specified element. */ - public boolean insert(int val) { - if(!valueIndex.containsKey(val)){ - valueIndex.put(val,data.size()); - data.add(val); - return true; - } - return false; - } - - /** Removes a value from the set. Returns true if the set contained the specified element. */ - public boolean remove(int val) { - //这里讲要删除的元素交换到data的最后一个位置,实际上就是将最后一个元素值赋值到val位置,这样保证时间复杂度是O(1) - if(valueIndex.containsKey(val)){ - //获取val位置 - int index=valueIndex.get(val); - //val不是最后一个元素 - if(index!=data.size()-1){ - //获取最后一个元素 - int lastEle=data.get(data.size()-1); - //将最后一个元素值赋值到val位置 - data.set(index,lastEle); - valueIndex.put(lastEle,index); - } - //删除data中最后一个元素 - data.remove(data.size()-1); - valueIndex.remove(val); - return true; - } - return false; - } - - /** Get a random element from the set. */ - public int getRandom() { - return data.get(random.nextInt(data.size())); - } - } -} diff --git a/LeetCodeSolutions/src/code_12_dataStructure/Code_648_ReplaceWords.java b/LeetCodeSolutions/src/code_12_dataStructure/Code_648_ReplaceWords.java deleted file mode 100644 index 96009e1..0000000 --- a/LeetCodeSolutions/src/code_12_dataStructure/Code_648_ReplaceWords.java +++ /dev/null @@ -1,100 +0,0 @@ -package code_12_dataStructure; - -import org.junit.Test; - -import java.util.ArrayList; -import java.util.List; - -/** - * 648. Replace Words - * - * In English, we have a concept called root, - * which can be followed by some other words to form another longer word - let's call this word successor. - * For example, the root an, followed by other, which can form another word another. - - * Now, given a dictionary consisting of many roots and a sentence. - * You need to replace all the successor in the sentence with the root forming it. - * If a successor has many roots can form it, replace it with the root with the shortest length. - - * You need to output the sentence after the replacement. - * - * Example 1: - Input: dict = ["cat", "bat", "rat"] - sentence = "the cattle was rattled by the battery" - Output: "the cat was rat by the bat" - - * Note: - The input will only have lower-case letters. - 1 <= dict words number <= 1000 - 1 <= sentence words number <= 1000 - 1 <= root length <= 100 - 1 <= sentence words length <= 1000 - */ -public class Code_648_ReplaceWords { - private class TrieNode{ - boolean isWord; - TrieNode[] next; - TrieNode(){ - isWord = false; - next = new TrieNode[26]; - } - } - - public void add(TrieNode node,String word){ - for(int i=0;i dict, String sentence) { - StringBuilder res = new StringBuilder(); - TrieNode root = new TrieNode(); - for(String word : dict){ - add(root,word); - } - - String[] words = sentence.split(" "); - if(words != null){ - for(String word : words){ - res.append(findPrefix(root,word)).append(" "); - } - } - return res.toString().trim(); - } - - @Test - public void test(){ - String[] words = {"cat", "bat", "rat"}; - List dict = new ArrayList<>(); - for(String word : words){ - dict.add(word); - } - - String sentence = "the cattle was rattled by the battery"; - System.out.println(replaceWords(dict,sentence)); - } -} diff --git a/LeetCodeSolutions/src/code_12_dataStructure/Code_676_ImplementMagicDictionary.java b/LeetCodeSolutions/src/code_12_dataStructure/Code_676_ImplementMagicDictionary.java deleted file mode 100644 index c1c52bf..0000000 --- a/LeetCodeSolutions/src/code_12_dataStructure/Code_676_ImplementMagicDictionary.java +++ /dev/null @@ -1,107 +0,0 @@ -package code_12_dataStructure; - -import org.junit.Test; - -/** - * 676. Implement Magic Dictionary - * - * Implement a magic directory with buildDict, and search methods. - * For the method buildDict, you'll be given a list of non-repetitive(不重复的) words to build a dictionary. - * For the method search, you'll be given a word, - * and judge whether if you modify exactly one character into another character in this word, - * the modified word is in the dictionary you just built. - - * Example 1: - Input: buildDict(["hello", "leetcode"]), Output: Null - Input: search("hello"), Output: False - Input: search("hhllo"), Output: True - Input: search("hell"), Output: False - Input: search("leetcoded"), Output: False - */ -public class Code_676_ImplementMagicDictionary { - class MagicDictionary { - private class TrieNode{ - boolean isWord; - TrieNode[] next; - TrieNode(){ - next = new TrieNode[26]; - isWord = false; - } - } - - private TrieNode root; - - /** Initialize your data structure here. */ - public MagicDictionary() { - root = new TrieNode(); - } - - /** Build a dictionary through a list of words */ - public void buildDict(String[] dict) { - if(dict!=null){ - for(String word : dict){ - add(word); - } - } - } - - //向根节点中加入单词 - private void add(String word){ - TrieNode cur = root; - for(int i=0;i=parent.length){ - throw new IllegalArgumentException("p is out of bound."); - } - while(p!=parent[p]){ - p=parent[p]; - } - //返回的是p所在的集合的编号,同时也是p集合非根节点 - return p; - } -} diff --git a/LeetCodeSolutions/src/code_12_dataStructure/Code_720_LongestWordinDictionary.java b/LeetCodeSolutions/src/code_12_dataStructure/Code_720_LongestWordinDictionary.java deleted file mode 100644 index 5319f7c..0000000 --- a/LeetCodeSolutions/src/code_12_dataStructure/Code_720_LongestWordinDictionary.java +++ /dev/null @@ -1,60 +0,0 @@ -package code_12_dataStructure; - -import org.junit.Test; - -import java.util.*; - -/** - * 720. Longest Word in Dictionary - * - * Given a list of strings words representing an English Dictionary, - * find the longest word in words that can be built one character at a time by other words in words. - * If there is more than one possible answer, - * return the longest word with the smallest lexicographical order. - * If there is no answer, return the empty string. - */ -public class Code_720_LongestWordinDictionary { - /** - * 思路: - * 题目要求找到字典排序的一个字符串。 - * 这样的字符串可以利用其中的部分字符组成比他短的其他字符串。 - */ - public String longestWord(String[] words) { - TreeSet set=new TreeSet<>(new Comparator() { - @Override - public int compare(String s1, String s2) { - //如果调用compare方法大于0,就把前一个数和后一个数交换(升序) - int num =s2.length() - s1.length(); - int num2 = (num == 0) ? s1.compareTo(s2) : num; - return num2; - } - }); - - for(String word:words){ - set.add(word); - } - System.out.println("set:"+set); - for(String word :words){ - if(contains(set,word)){ - return word; - } - } - return ""; - } - - private boolean contains(TreeSet set,String word){ - for(int index = word.length(); index > 0; index--){ - System.out.println("word:"+word.substring(0,index)); - if(!set.contains(word.substring(0,index))){ - return false; - } - } - return true; - } - - @Test - public void test(){ - String[] str={"w","wo","wor","worl","world"}; - longestWord(str); - } -} diff --git a/LeetCodeSolutions/src/code_12_dataStructure/Code_721_AccountsMerge.java b/LeetCodeSolutions/src/code_12_dataStructure/Code_721_AccountsMerge.java deleted file mode 100644 index 7b897b1..0000000 --- a/LeetCodeSolutions/src/code_12_dataStructure/Code_721_AccountsMerge.java +++ /dev/null @@ -1,122 +0,0 @@ -package code_12_dataStructure; - -import java.util.*; - -/** - * 721. 账户合并 - * - * 给定一个列表 accounts,每个元素 accounts[i] 是一个字符串列表, - * 其中第一个元素 accounts[i][0] 是名称 (name),其余元素是 emails 表示该帐户的邮箱地址。 - * - * 现在,我们想合并这些帐户。如果两个帐户都有一些**共同的邮件地址**,则两个帐户必定属于同一个人。 - * 请注意,即使两个帐户具有相同的名称,它们也可能属于不同的人,因为人们可能具有相同的名称。 - * 一个人最初可以拥有任意数量的帐户,但其所有帐户都具有相同的名称。 - * - * 合并帐户后,按以下格式返回帐户: - * 每个帐户的第一个元素是名称,其余元素是按顺序排列的邮箱地址。 - * accounts 本身可以以任意顺序返回。 - * - * 例子 1: - Input: - accounts = [ - ["John", "johnsmith@mail.com", "john00@mail.com"], - ["John", "johnnybravo@mail.com"], - ["John", "johnsmith@mail.com", "john_newyork@mail.com"], - ["Mary", "mary@mail.com"] - ] - Output: [ - ["John", 'john00@mail.com', 'john_newyork@mail.com', 'johnsmith@mail.com'], - ["John", "johnnybravo@mail.com"], - ["Mary", "mary@mail.com"] - ] - Explanation: - 第一个和第三个 John 是同一个人,因为他们有共同的电子邮件 "johnsmith@mail.com"。 - 第二个 John 和 Mary 是不同的人,因为他们的电子邮件地址没有被其他帐户使用。 - 我们可以以任何顺序返回这些列表,例如答案[['Mary','mary@mail.com'],['John','johnnybravo@mail.com'], - ['John','john00@mail.com','john_newyork@mail.com','johnsmith@mail.com']]仍然会被接受。 - */ -public class Code_721_AccountsMerge { - /** - * 思路: - * 并查集应用。 - * 将邮箱作为并查集中的点,初始化每个邮箱是自己的父节点, - * 然后查找合并,最后按格式输出。 - * - * 并查集一定用到的两个方法,寻根和并根, - * 其中find方法是找到当前集合有关的根集合。 - */ - public List> accountsMerge(List> accounts) { - List> res= new ArrayList<>(); - int[] parent = new int[accounts.size()]; - for(int i =0; i < parent.length; i++){ - parent[i] = i; - } - - Map emailHashMap = new HashMap<>(); - Map> positionHashMap = new HashMap<>(); - - for(int i=0; i entry: emailHashMap.entrySet()){ - int personPosition = find(parent,entry.getValue()); - if(positionHashMap.get(personPosition) != null){ - List emailList = positionHashMap.get(personPosition); - emailList.add(entry.getKey()); - positionHashMap.put(personPosition,emailList); - } else { - List emailList = new ArrayList<>(); - emailList.add(entry.getKey()); - positionHashMap.put(personPosition,emailList); - } - } - - for(int position: positionHashMap.keySet()){ - List personList = new ArrayList<>(); - personList.addAll(positionHashMap.get(position)); - personList.add(0,accounts.get(position).get(0)); - Collections.sort(personList); - res.add(personList); - } - return res; - } - - //查找 p元素 的根节点 - private String find(String p,Map parent){ - while(p!=parent.get(p)){ - p=parent.get(p); - } - //返回的是p所在的集合的编号,同时也是p集合非根节点 - return p; - } - - //查找p 元素的根节点 - private int find(int[] parent,int p){ - if(p<0 || p>=parent.length){ - throw new IllegalArgumentException("p is out of bound."); - } - while(p!=parent[p]){ - p=parent[p]; - } - //返回的是p所在的集合的编号,同时也是p集合非根节点 - return p; - } - - //合并集合 - public void union(int[] parent,int p, int q) { - int pRoot=find(parent,p); - int qRoot=find(parent,q); - if(pRoot==qRoot){ - return; - } - //将p所在集合的根节点指向q所在集合的根节点 - parent[pRoot]=qRoot; - } -} diff --git a/LeetCodeSolutions/src/code_12_dataStructure/Code_785_IsGraphBipartite.java b/LeetCodeSolutions/src/code_12_dataStructure/Code_785_IsGraphBipartite.java deleted file mode 100644 index d1a6762..0000000 --- a/LeetCodeSolutions/src/code_12_dataStructure/Code_785_IsGraphBipartite.java +++ /dev/null @@ -1,48 +0,0 @@ -package code_12_dataStructure; - -/** - * Created by 18351 on 2019/1/25. - */ -public class Code_785_IsGraphBipartite { - /** - * 思路: - * 如果可以用两种颜色对图中的节点进行着色,并且保证相邻的节点颜色不同,那么这个图就是二分图。 - */ - private int[] checked; - - public boolean isBipartite(int[][] graph) { - checked=new int[graph.length]; - for(int i=0;i u 的路径 - if( dis[u] < Integer.MAX_VALUE ){ - //对于图中的每条边,dis[u]加上边的权值w小于终点v的距离,则更新到顶点v的距离。 - tmp_dis[v] = Math.min(tmp_dis[v],dis[u] + w); - } - } - dis = tmp_dis; - } - return dis[dst] == Integer.MAX_VALUE ? -1 : dis[dst]; - } - - @Test - public void test() { - int n = 3; - int[][] flights = { - {0, 1, 100}, - {1, 2, 100}, - {0, 2, 500} - }; - int src = 0, dst = 2, k = 1; - System.out.println(findCheapestPrice(n, flights, src, dst, k)); - } -} diff --git a/LeetCodeSolutions/src/code_12_dataStructure/Code_795_NumberOfSubarraysWithBoundedMaximum.java b/LeetCodeSolutions/src/code_12_dataStructure/Code_795_NumberOfSubarraysWithBoundedMaximum.java deleted file mode 100644 index aa4f01e..0000000 --- a/LeetCodeSolutions/src/code_12_dataStructure/Code_795_NumberOfSubarraysWithBoundedMaximum.java +++ /dev/null @@ -1,43 +0,0 @@ -package code_12_dataStructure; - -/** - * 795. Number of Subarrays with Bounded Maximum - * - * We are given an array A of positive integers, and two positive integers L and R (L <= R). - * Return the number of (contiguous, non-empty) subarrays - * such that the value of the maximum array element in that subarray is at least L and at most R. - * (子数组最大值在L、R之间) - */ -public class Code_795_NumberOfSubarraysWithBoundedMaximum { - /** - * 思路: - * - * 子数组必须连续,利用最大值R对数组 - * (要求是连续数组,则该数组最大值在L和R之间,这旧要求子数组不能包含大于R的数组,则利用这样的数进行分段)进行分段, - * 设定变量 left 记录每段开始位置(A[left]>R,A[left+1]≤R),初始值为-1。 - * - * 遍历数组,通过A[i]大小判断: - * (1)若 A[i] 在L、R之间,则 res+=(i-j); - * (2)若 A[i] 大于R,则更改左界 left=i; - * (3)关键在于处理小于L的情况,由于需要子数组的最大值在L、R之间,单纯的 A[i] 肯定不能算,需要知道最近合法的数字,即右界。 - * 设定变量 right 记录合法的数字的右界(L≤A[right]≤R), - * 当然,在A[i]大于R时,左界left和右界right都设置为i。这种情况下,res += (i-left)-(i-right)。 - */ - public int numSubarrayBoundedMax(int[] A, int L, int R) { - int res = 0; - int l = -1; - int r = -1; - for(int i=0;i R){ - l = i; - r = i; - }else if(A[i][] g = new HashSet[N]; - for(int i=0;i(); - } - - - for(int[] edge : dislikes){ - //注意:从1开始的,为了后续操作方便,这里作 -1 处理 - int from = edge[0] -1; - int to = edge[1] -1; - //注意:是无向图 - g[from].add(to); - g[to].add(from); - } - - // colors 数组初始值为 -1,表示该顶点是否被访问到 - int[] colors = new int[N]; - for(int i=0;i[] g,int vertex,int color,int[] colors){ - if(colors[vertex] != -1){ - //vertex 顶点不是 -1 颜色,说明访问了该顶点,看看是否是 color - return colors[vertex] == color; - } - colors[vertex] = color; - for(int next : g[vertex]){ - //与 vertex 顶点相连的 next 顶点,不能和 vertex顶点颜色相同 - if(!dfs(g,next,1-color,colors)){ - return false; - } - } - return true; - } - - @Test - public void test() { - int N = 4; - int[][] dislikes = { - {1, 2}, - {1, 3}, - {2, 4} - }; - System.out.println(possibleBipartition(N,dislikes)); - } -} diff --git a/LeetCodeSolutions/src/code_13_others/Code_780_ReachingPoints.java b/LeetCodeSolutions/src/code_13_others/Code_780_ReachingPoints.java deleted file mode 100644 index 5dc0797..0000000 --- a/LeetCodeSolutions/src/code_13_others/Code_780_ReachingPoints.java +++ /dev/null @@ -1,80 +0,0 @@ -package code_13_others; - -/** - * 780. Reaching Points - * - * A move consists of taking a point (x, y) and transforming it to either (x, x+y) or (x+y, y). - * Given a starting point (sx, sy) and a target point (tx, ty), - * return True if and only if a sequence of moves exists to transform - * the point (sx, sy) to (tx, ty). Otherwise, return False. - - * Example1: - Input: sx = 1, sy = 1, tx = 3, ty = 5 - Output: True - Explanation: - One series of moves that transforms the starting point to the target is: - (1, 1) -> (1, 2) - (1, 2) -> (3, 2) - (3, 2) -> (3, 5) - - * Example2: - Input: sx = 1, sy = 1, tx = 2, ty = 2 - Output: False - - * Example3: - Input: sx = 1, sy = 1, tx = 1, ty = 1 - Output: True - */ -public class Code_780_ReachingPoints { - /** - * 思路: - * (sx,sy) 能否通过 (sx+sy,sy) 或者(sx,sx+sy)变到(tx,ty)。 - * 变化的方式只有加法,数据范围为[1,10^9]。 - * 所以,从后往前递推,当tx>ty的时候,(sx,sy)只可能是由 (tx-ty,ty)变来的。注意处理一下 相等的情况。 - */ - public boolean reachingPoints(int sx, int sy, int tx, int ty) { - //一开始二者就相等 - if(sx == tx && sy == ty){ - return true; - } - // (sx,sy) --> (tx,ty) - while(true){ - //经过一系列的(sx+sy,sy) 或者(sx,sx+sy)操作后,得到(tx,ty) - if(sx == tx && sy == ty){ - break; - } - if(sx > tx || sy > ty){ - return false; - } - if(sx == tx){ - //这时候要关注 sx 的变化 ty-sy 的差值(前面的判断保证了sy<= ty )是否是 sx 的整数倍 - if( (ty-sy) % sx ==0){ - return true; - }else{ - return false; - } - } - if(sy == ty){ - //这时候要关注 sy 的变化 tx-sx 的差值(前面的判断保证了sx <= tx )是否是 sy 的整数倍 - if( (tx - sx) % sy ==0){ - return true; - }else{ - return false; - } - } - if(tx!=ty) { - if(tx>ty){ - //当tx > ty的时候,(sx,sy)只可能是由 (tx - ty,ty)得到 - tx-=ty; - }else{ - //当 tx < ty的时候,(sx,sy)只可能是由 (tx,ty - tx)得到 - ty-=tx; - } - } else { - // tx == ty ,直接返回 false - return false; - } - } - return true; - } -} diff --git a/LeetCodeSolutions/src/code_13_others/Code_781_RabbitsInForest.java b/LeetCodeSolutions/src/code_13_others/Code_781_RabbitsInForest.java deleted file mode 100644 index 99626ee..0000000 --- a/LeetCodeSolutions/src/code_13_others/Code_781_RabbitsInForest.java +++ /dev/null @@ -1,80 +0,0 @@ -package code_13_others; - -import org.junit.Test; - -import java.util.Arrays; -import java.util.HashMap; - -/** - * 781. Rabbits in Forest - * - * In a forest, each rabbit has some color. - * Some subset of rabbits (possibly all of them) tell you how many other rabbits have the same color as them. - * Those answers are placed in an array. - * - * Return the minimum number of rabbits that could be in the forest. - * - * Examples: - Input: answers = [1, 1, 2] - Output: 5 - Explanation: - The two rabbits that answered "1" could both be the same color, say red. - The rabbit than answered "2" can't be red or the answers would be inconsistent(不确定的). - Say the rabbit that answered "2" was blue. - Then there should be 2 other blue rabbits in the forest that didn't answer into the array. - The smallest possible number of rabbits in the forest is therefore 5: 3 that answered plus 2 that didn't. - - Input: answers = [10, 10, 10] - Output: 11 - - Input: answers = [] - Output: 0 - - * Note: - * answers will have length at most 1000. - * Each answers[i] will be an integer in the range [0, 999]. - */ -public class Code_781_RabbitsInForest { - /** - * 思路: - * 同一种颜色的兔子的答案一定是相同的(但是答案相同的兔子不一定就是一种颜色),答案不同的兔子一定颜色不同。 - * 所以我们的思路就是首先把答案相同的兔子进行聚类。 - * - * 1.对于每组答案相同的兔子而言,如果它们都属于同一种颜色,那么参与回答的兔子数量一定不会超过它们的答案+1 - * (例如,假如有3个兔子都回答说有另外1个兔子和它本身的颜色相同, - * 那么这3个兔子不可能同样颜色,最好的可能是其中2个兔子颜色相同, - * 而另外1个兔子是另外一种颜色,也有可能3个兔子的颜色各不相同)。 - * 根据这一限制,我们就知道回答这组答案的兔子的颜色数的最小可能, - * - * 2.而每种颜色的兔子的个数即是它们的答案+1,这样就可以得到回答这组答案的兔子的最小可能颜色数。 - * 这样把所有组答案的兔子的最小可能个数加起来,就是题目所求。 - */ - public int numRabbits(int[] answers) { - if(answers == null || answers.length == 0){ - return 0; - } - // <答案,数量> - HashMap map = new HashMap<>(); - for(int answer : answers){ - int count = map.getOrDefault(answer,0); - map.put(answer,++count); - } - - int res = 0; - for(int nums : map.keySet()){ - int groupNum = map.get(nums)/(nums+1); - if(map.get(nums)%(nums+1)!=0){ - groupNum++; - } - res += groupNum * (nums+1); - } - return res; - } - - @Test - public void test(){ - int[] ans ={0,0,1,1,1}; - //int[] ans={10, 10, 10}; - System.out.println(numRabbits(ans)); - } -} diff --git a/LeetCodeSolutions/src/code_13_others/Code_789_EscapeTheGhosts.java b/LeetCodeSolutions/src/code_13_others/Code_789_EscapeTheGhosts.java deleted file mode 100644 index 9ee24c5..0000000 --- a/LeetCodeSolutions/src/code_13_others/Code_789_EscapeTheGhosts.java +++ /dev/null @@ -1,64 +0,0 @@ -package code_13_others; - -/** - * 789. Escape The Ghosts - * - * You are playing a simplified Pacman game. - * You start at the point (0, 0), and your destination is (target[0], target[1]). - * There are several ghosts on the map, the i-th ghost starts at (ghosts[i][0], ghosts[i][1]). - * - * Each turn, you and all ghosts simultaneously *may* move in one of 4 cardinal directions: - * north, east, west, or south, going from the previous point to a new point 1 unit of distance away. - - * You escape if and only if you can reach the target before any ghost reaches you - * (for any given moves the ghosts may take.) - * If you reach any square (including the target) at the same time as a ghost, it doesn't count as an escape. - - * Return True if and only if it is possible to escape. - * - * Example 1: - Input: - ghosts = [[1, 0], [0, 3]] - target = [0, 1] - Output: true - Explanation: - You can directly reach the destination (0, 1) at time 1, while the ghosts located at (1, 0) or (0, 3) have no way to catch up with you. - - * Example 2: - Input: - ghosts = [[1, 0]] - target = [2, 0] - Output: false - Explanation: - You need to reach the destination (2, 0), but the ghost at (1, 0) lies between you and the destination. - - * Example 3: - Input: - ghosts = [[2, 0]] - target = [1, 0] - Output: false - Explanation: - The ghost can reach the target at the same time as you. - */ -public class Code_789_EscapeTheGhosts { - /** - * 思路: - * 考虑Example 2,为何鬼拦在我们和目的地之间,我们就无法顺利到达? - * 如果考虑我们始终选择最短路径到达目的地(因为如果我们不选择最短路径,则鬼的移动范围则会增加), - * 则鬼也可以选择最短路径去目标处埋伏你。 - * 所以问题就转化为,你到达目的地的最快速度,是否能比鬼快。 - */ - public boolean escapeGhosts(int[][] ghosts, int[] target) { - //到target的最短路径 - int dis = Math.abs(target[0]) + Math.abs(target[1]); - - //只要鬼到target的最短路径 <= dis ,则返回false,因为鬼只要到target处,进行埋伏就好了。 - for(int[] ghost : ghosts){ - int ghostDis = Math.abs(ghost[0]-target[0]) + Math.abs(ghost[1]-target[1]); - if(ghostDis <= dis){ - return false; - } - } - return true; - } -} diff --git a/LeetCodeSolutions/src/code_13_others/Code_799_ChampagneTower.java b/LeetCodeSolutions/src/code_13_others/Code_799_ChampagneTower.java deleted file mode 100644 index ba15156..0000000 --- a/LeetCodeSolutions/src/code_13_others/Code_799_ChampagneTower.java +++ /dev/null @@ -1,115 +0,0 @@ -package code_13_others; - -import org.junit.Test; - -import java.util.Scanner; - -/** - * 799. Champagne Tower - * - * We stack glasses in a pyramid, where the first row has 1 glass, - * the second row has 2 glasses, and so on until the 100th row. Each glass holds one cup (250ml) of champagne. - * Then, some champagne is poured in the first glass at the top. - * When the top most glass is full, any excess liquid poured will fall equally to the glass immediately to the left and right of it. - * When those glasses become full, any excess champagne will fall equally to the left and right of those glasses, and so on. - * (A glass at the bottom row has it's excess champagne fall on the floor.) - * For example, after one cup of champagne is poured, the top most glass is full. - * After two cups of champagne are poured, the two glasses on the second row are half full. - * After three cups of champagne are poured, those two cups become full - there are 3 full glasses total now. - * After four cups of champagne are poured, the third row has the middle glass half full, - * and the two outside glasses are a quarter full. - * - * Note: - * poured will be in the range of [0, 10 ^ 9]. - * query_glass and query_row will be in the range of [0, 99]. - */ -public class Code_799_ChampagneTower { - /** - * 思路一: - * 分析数字的规律 - * 先确定倒入 poured 杯水后,所能达到的层数。 - * 注意:层数是从1开始的。 - */ - public double champagneTower1(int poured, int query_row, int query_glass) { - if(poured ==0){ - return 0; - } - if(poured == 1 && query_row==0 && query_glass==0){ - return 1.0; - } - - //当倒入 poured 杯水后,所在的层数 - int k = 1; - while(k*(k+1)/2 < poured){ - k++; - } - int level = k -1; - - if(query_row == level){ - if(query_glass==0 || query_glass==level){ - return (1.0/(2*level)); - }else{ - return (1.0/level); - } - - } - if(query_row < level && query_glass1 的,说明酒杯满了) - */ - public double champagneTower(int poured, int query_row, int query_glass) { - if(poured == 0){ - //未倒酒的情况 - return 0.0; - } - //虽然 query_glass and query_row will be in the range of [0, 99] - //但是下面有 i+1 的操作,会导致数组越界,多取一个长度 - double[][] capacity = new double[101][101]; - capacity[0][0] = poured * 1.0; - - for(int i=0;i<=query_row;i++){ - for(int j=0;j<=i;j++){ - //先看看 i行j杯是否满了 - double remain = (capacity[i][j] - 1)/2; - if(remain > 0){ - //i行j杯满了,酒就会向下一层的两个相邻的杯子中溢出 - capacity[i+1][j] += remain; - capacity[i+1][j+1] += remain; - } - } - } - return Math.min(capacity[query_row][query_glass],1.0); - } - - @Test - public void test(){ - /* int k = 1; - int n = 1; - while(k*(k+1)/2 < n){ - k++; - } - System.out.println(k-1);*/ - - int poured = 11, query_glass = 2, query_row = 4; - System.out.println(champagneTower(poured,query_glass,query_row)); - } -} diff --git a/LeetCodeSolutions/src/code_13_others/Code_880_DecodedStringAtIndex.java b/LeetCodeSolutions/src/code_13_others/Code_880_DecodedStringAtIndex.java deleted file mode 100644 index aaccef9..0000000 --- a/LeetCodeSolutions/src/code_13_others/Code_880_DecodedStringAtIndex.java +++ /dev/null @@ -1,85 +0,0 @@ -package code_13_others; - -import org.junit.Test; - -/** - * 880. Decoded String at Index - * - * An encoded string S is given. - * To find and write the decoded string to a tape, - * the encoded string is read one character at a time and the following steps are taken: - * If the character read is a letter, that letter is written onto the tape. - * If the character read is a digit (say d), the entire current tape is repeatedly written d-1 more times in total. - * Now for some encoded string S, and an index K, find and return the K-th letter (1 indexed) in the decoded string. - * - * Example 1: - Input: S = "leet2code3", K = 10 - Output: "o" - Explanation: - The decoded string is "leetleetcodeleetleetcodeleetleetcode". - The 10th letter in the string is "o". - - * Example 2: - Input: S = "ha22", K = 5 - Output: "h" - Explanation: - The decoded string is "hahahaha". The 5th letter is "h". - - * Example 3: - Input: S = "a2345678999999999999999", K = 1 - Output: "a" - Explanation: - The decoded string is "a" repeated 8301530446056247680 times. The 1st letter is "a". - */ -public class Code_880_DecodedStringAtIndex { - /** - * 思路:逆向思考 - * 1. 如果我们有一个像 apple apple apple apple apple apple 这样的解码字符串 - * 和 K=24这样的索引,那么如果 K=4,答案是相同的。 - * - * 2. 一般来说,当解码的字符串等于某个长度为 size 的单词重复某些次数 - * (例如 apple与size=5组合重复6次)时,索引 K的答案与索引 K % size的答案相同。 - * - * 3. 我们可以通过逆向工作,跟踪解码字符串的大小来使用这种洞察力。 - * 每当解码的字符串等于某些单词 word 重复 d次时,我们就可以将 K 减少到 K % (Word.Length)。 - */ - public String decodeAtIndex(String S, int K) { - //记录得到的新的字符串的长度 - long size = 0; - - for(int i=0;i=0;i--){ - char c = S.charAt(i); - K %= size; - if(K==0 && Character.isLetter(c)){ - // K 能被size整除 - return Character.toString(c); - } - if(Character.isDigit(c)){ - size /= (c-'0'); - }else{ - size --; - } - - } - return null; - } - - @Test - public void test(){ - //String S = "ha22"; - //int K = 5; - String S = "leet2code3"; - int K = 10 ; - System.out.println(decodeAtIndex(S,K)); - } -} diff --git a/LeetCodeSolutions/src/code_13_others/Code_886_PossibleBipartition.java b/LeetCodeSolutions/src/code_13_others/Code_886_PossibleBipartition.java deleted file mode 100644 index 68a61ac..0000000 --- a/LeetCodeSolutions/src/code_13_others/Code_886_PossibleBipartition.java +++ /dev/null @@ -1,7 +0,0 @@ -package code_13_others; - -/** - * Created by 18351 on 2019/1/26. - */ -public class Code_886_PossibleBipartition { -} diff --git a/LeetCodeSolutions/src/code_13_others/Code_9_PalindromeNumber.java b/LeetCodeSolutions/src/code_13_others/Code_9_PalindromeNumber.java deleted file mode 100644 index 9bd9367..0000000 --- a/LeetCodeSolutions/src/code_13_others/Code_9_PalindromeNumber.java +++ /dev/null @@ -1,50 +0,0 @@ -package code_13_others; - -/** - * 9. Palindrome Number - * - * Determine whether an integer is a palindrome. - * An integer is a palindrome when it reads the same backward as forward. - * - * Follow up: - * Coud you solve it without converting the integer to a string? - */ -public class Code_9_PalindromeNumber { - /** - * 思路一:传统做法,直接转化为字符串 - */ - public boolean isPalindrome1(int x) { - String s = x+""; - return isPalindome(s,0,s.length()-1); - } - - private boolean isPalindome(String s,int start,int end){ - while(start < end){ - if(s.charAt(start) != s.charAt(end)){ - return false; - } - start ++; - end --; - } - return true; - } - - /** - * 思路二: - * 1.负数,肯定不是回文数 - * 2.对于正数,计算倒置后的数,然后与x进行比较即可。 - */ - public boolean isPalindrome(int x) { - if(x < 0){ - return false; - } - - int reverseX = 0; - int b = x; - while( b>0){ - reverseX = reverseX * 10 + b % 10; - b /= 10; - } - return reverseX == x ? true : false; - } -} diff --git "a/NetWork/00\346\246\202\350\277\260.md" "b/NetWork/00\346\246\202\350\277\260.md" deleted file mode 100644 index 2525fb2..0000000 --- "a/NetWork/00\346\246\202\350\277\260.md" +++ /dev/null @@ -1,177 +0,0 @@ - -* [一、概述](#一概述) - * [网络的网络](#网络的网络) - * [ISP](#isp) - * [主机之间的通信方式](#主机之间的通信方式) - * [电路交换与分组交换](#电路交换与分组交换) - * [时延](#时延) - * [计算机网络体系结构](#计算机网络体系结构) - * [计算机网络的性能指标](#计算机网络的性能指标) - - -# 一、概述 - -## 网络的网络 - -网络把主机连接起来,而互联网是把多种不同的网络连接起来,因此互联网是**网络的网络**。 - -

- -## ISP - -互联网服务提供商 Internet Service Provider(ISP) 可以从互联网管理机构获得许多 IP 地址,同时拥有通信线路以及路由器等联网设备,个人或机构向 ISP 缴纳一定的费用就可以接入互联网, -目前国内的移动、电信等都是有名的ISP。 - -

- -目前的互联网是一种**多层次 ISP 结构**,ISP 根据覆盖面积的大小分为第一层 ISP、区域 ISP 和接入 ISP。互联网交换点 IXP 允许两个 ISP 直接相连而不用经过第三个 ISP。 - -

- -## 主机之间的通信方式 - -- 客户-服务器(C/S):客户是服务的请求方,服务器是服务的提供方。 - -- 对等(P2P):不区分客户和服务器。 - -

- -## 电路交换与分组交换 - -### 1. 电路交换 - -电路交换用于电话通信系统,两个用户要通信之前需要建立一条专用的物理链路,并且在整个通信过程中始终占用该链路。由于通信的过程中不可能一直在使用传输线路,因此电路交换对线路的利用率很低,往往不到 10%。 - -### 2. 分组交换 - -每个分组都有首部和尾部,包含了源地址和目的地址等控制信息,在同一个传输线路上同时传输多个分组互相不会影响,因此在同一条传输线路上允许同时传输多个分组,也就是说分组交换不需要占用传输线路。 - -在一个邮局通信系统中,邮局收到一份邮件之后,先存储下来,然后把相同目的地的邮件一起转发到下一个目的地,这个过程就是存储转发过程,分组交换也使用了存储转发过程。 - -## 时延 - -总时延 = 发送时延/传输时延 + 传播时延 + 处理时延 + 排队时延 - -

- -### 1. 传输时延 - -主机或路由器传输数据帧所需要的时间。 - -

- -其中 l 表示数据帧的长度,v 表示传输速率。 - -### 2. 传播时延 - -电磁波在信道中传播所需要花费的时间,电磁波传播的速度接近光速。 - -

- -其中 l 表示信道长度,v 表示电磁波在信道上的传播速度。 - -### 3. 处理时延 - -主机或路由器收到分组时进行处理所需要的时间,例如分析首部、从分组中提取数据、进行差错检验或查找适当的路由等。 - -### 4. 排队时延 - -分组在路由器的输入队列和输出队列中排队等待的时间,取决于网络当前的通信量。 - -注意 : 提高带宽,可以减少传输时延(发送时延),但是不能不限制提高带宽,因为要考虑信道等硬件问题。 - -## 计算机网络体系结构 - -

- -### 1. 五层协议 - -- **应用层** :为特定应用程序提供数据传输服务,例如 HTTP、DNS 等。数据单位为报文。 - -- **运输层** :为进程提供通用数据传输服务。由于应用层协议很多,定义通用的运输层协议就可以支持不断增多的应用层协议。运输层包括两种协议:传输控制协议 TCP,提供面向连接、可靠的数据传输服务,数据单位为报文段;用户数据报协议 UDP,提供无连接、尽最大努力的数据传输服务,数据单位为用户数据报。TCP 主要提供完整性服务,UDP 主要提供及时性服务。 - -- **网络层** :为主机提供数据传输服务。而运输层协议是为主机中的进程提供数据传输服务。网络层把运输层传递下来的报文段或者用户数据报封装成分组。 - -- **数据链路层** :网络层针对的还是主机之间的数据传输服务,而主机之间可以有很多链路,链路层协议就是为同一链路的主机提供数据传输服务。数据链路层把网络层传下来的分组封装成帧。 - -- **物理层** :考虑的是怎样在传输媒体上传输数据比特流,而不是指具体的传输媒体。物理层的作用是尽可能屏蔽传输媒体和通信手段的差异,使数据链路层感觉不到这些差异。 - -### 2. OSI - -其中表示层和会话层用途如下: - -- **表示层** :数据压缩、加密以及数据描述,这使得应用程序不必关心在各台主机中数据内部格式不同的问题。 - -- **会话层** :建立及管理会话。 - -五层协议没有表示层和会话层,而是将这些功能留给应用程序开发者处理。 - -### 3. TCP/IP - -它只有四层,相当于五层协议中数据链路层和物理层合并为网络接口层。 - -TCP/IP 体系结构不严格遵循 OSI 分层概念,应用层可能会直接使用 IP 层或者网络接口层。 - -

- -TCP/IP 协议族是一种沙漏形状,中间小两边大,IP 协议在其中占据举足轻重的地位。 - -

- -### 4. 数据在各层之间的传递过程 - -在向下的过程中,需要添加下层协议所需要的首部或者尾部,而在向上的过程中不断拆开首部和尾部。 - -路由器只有下面三层协议,因为路由器位于网络核心中,不需要为进程或者应用程序提供服务,因此也就不需要运输层和应用层。 - -

- -## 计算机网络的性能指标 - -### 1. 速率/比特率 -连接在计算机网络上的主机在数字信道上传送数据位数的速率,也称为data rate或bit rate。 - -单位是b/s, kb/s, Mb/s, Gb/s。 - -### 2. 带宽 -数据通信领域中,数字信道所能传送的**最高数据率**。 - -单位是 b/s, kb/s, Mb/s, Gb/s。 - -### 3. 吞吐量 -在单位时间内通过某个网络的数据量。 - -单位b/s, Mb/s, 等。 - -### 4. 时延 - -见上文时延。 - -### 5. 时延带宽积 - -```html -时延带宽积 = 传播时延 * 带宽 -``` - -反应有多少数据在线路上。 - -### 6. 往返时间 -RTT(Round-Trip Time) ,从发送方发送数据开始,到发送方收到接收方确认。 - -打开计算机DOS命令行: - -```java -ping IP地址 -``` -我们可以就得到RTT,可以粗略的距离该计算机是否联网,局域网的 RRT 一般小于 1 ms。 - -### 7. 利用率 -```html -信道利用率 = (有数据通过时间)/(总的通过时间) -网络利用率 = 信道利用率的加权平均值 -``` -

- -时延和利用率之间的关系: - -

\ No newline at end of file diff --git "a/NetWork/04\350\277\220\350\276\223\345\261\202.md" "b/NetWork/04\350\277\220\350\276\223\345\261\202.md" deleted file mode 100644 index b5c23c8..0000000 --- "a/NetWork/04\350\277\220\350\276\223\345\261\202.md" +++ /dev/null @@ -1,163 +0,0 @@ - -* [五、运输层](#五运输层) - * [UDP 和 TCP 的特点](#udp-和-tcp-的特点) - * [UDP 首部格式](#udp-首部格式) - * [TCP 首部格式](#tcp-首部格式) - * [TCP 的三次握手](#tcp-的三次握手) - * [TCP 的四次挥手](#tcp-的四次挥手) - * [TCP 可靠传输](#tcp-可靠传输) - * [TCP 滑动窗口](#tcp-滑动窗口) - * [TCP 流量控制](#tcp-流量控制) - * [TCP 拥塞控制](#tcp-拥塞控制) - - -# 五、运输层 - -网络层只把分组发送到目的主机,但是真正通信的并不是主机而是主机中的进程。运输层提供了进程间的逻辑通信,运输层向高层用户屏蔽了下面网络层的核心细节,使应用程序看起来像是在两个运输层实体之间有一条端到端的逻辑通信信道。 - -## UDP 和 TCP 的特点 - -- 用户数据报协议 UDP(User Datagram Protocol)是无连接的,尽最大可能交付,没有拥塞控制,面向报文(对于应用程序传下来的报文不合并也不拆分,只是添加 UDP 首部),支持一对一、一对多、多对一和多对多的交互通信。 - -- 传输控制协议 TCP(Transmission Control Protocol)是面向连接的,提供可靠交付,有流量控制,拥塞控制,提供全双工通信,面向字节流(把应用层传下来的报文看成字节流,把字节流组织成大小不等的数据块),每一条 TCP 连接只能是点对点的(一对一)。 - -## UDP 首部格式 - -

- -首部字段只有 8 个字节,包括源端口、目的端口、长度、检验和。12 字节的伪首部是为了计算检验和临时添加的。 - -## TCP 首部格式 - -

- -- **序号** :用于对字节流进行编号,例如序号为 301,表示第一个字节的编号为 301,如果携带的数据长度为 100 字节,那么下一个报文段的序号应为 401。 - -- **确认号** :期望收到的下一个报文段的序号。例如 B 正确收到 A 发送来的一个报文段,序号为 501,携带的数据长度为 200 字节,因此 B 期望下一个报文段的序号为 701,B 发送给 A 的确认报文段中确认号就为 701。 - -- **数据偏移** :指的是数据部分距离报文段起始处的偏移量,实际上指的是首部的长度。 - -- **确认 ACK** :当 ACK=1 时确认号字段有效,否则无效。TCP 规定,在连接建立后所有传送的报文段都必须把 ACK 置 1。 - -- **同步 SYN** :在连接建立时用来同步序号。当 SYN=1,ACK=0 时表示这是一个连接请求报文段。若对方同意建立连接,则响应报文中 SYN=1,ACK=1。 - -- **终止 FIN** :用来释放一个连接,当 FIN=1 时,表示此报文段的发送方的数据已发送完毕,并要求释放连接。 - -- **窗口** :窗口值作为接收方让发送方设置其发送窗口的依据。之所以要有这个限制,是因为接收方的数据缓存空间是有限的。 - -## TCP 的三次握手 - -

- -假设 A 为客户端,B 为服务器端。 - -- 首先 B 处于 LISTEN(监听)状态,等待客户的连接请求。 - -- A 向 B 发送连接请求报文,SYN=1,ACK=0,选择一个初始的序号 x。 - -- B 收到连接请求报文,如果同意建立连接,则向 A 发送连接确认报文,SYN=1,ACK=1,确认号为 x+1,同时也选择一个初始的序号 y。 - -- A 收到 B 的连接确认报文后,还要向 B 发出确认,确认号为 y+1,序号为 x+1。 - -- B 收到 A 的确认后,连接建立。 - -**三次握手的原因** - -第三次握手是为了防止失效的连接请求到达服务器,让服务器错误打开连接。 - -客户端发送的连接请求如果在网络中滞留,那么就会隔很长一段时间才能收到服务器端发回的连接确认。客户端等待一个超时重传时间之后,就会重新请求连接。但是这个滞留的连接请求最后还是会到达服务器,如果不进行三次握手,那么服务器就会打开两个连接。如果有第三次握手,客户端会忽略服务器之后发送的对滞留连接请求的连接确认,不进行第三次握手,因此就不会再次打开连接。 - -## TCP 的四次挥手 - -

- -以下描述不讨论序号和确认号,因为序号和确认号的规则比较简单。并且不讨论 ACK,因为 ACK 在连接建立之后都为 1。 - -- A 发送连接释放报文,FIN=1。 - -- B 收到之后发出确认,此时 TCP 属于半关闭状态,B 能向 A 发送数据但是 A 不能向 B 发送数据。 - -- 当 B 不再需要连接时,发送连接释放报文,FIN=1。 - -- A 收到后发出确认,进入 TIME-WAIT 状态,等待 2 MSL(最大报文存活时间)后释放连接。 - -- B 收到 A 的确认后释放连接。 - -**四次挥手的原因** - -客户端发送了 FIN 连接释放报文之后,服务器收到了这个报文,就进入了 CLOSE-WAIT 状态。这个状态是为了让服务器端发送还未传送完毕的数据,传送完毕之后,服务器会发送 FIN 连接释放报文。 - -**TIME_WAIT** - -客户端接收到服务器端的 FIN 报文后进入此状态,此时并不是直接进入 CLOSED 状态,还需要等待一个时间计时器设置的时间 2MSL。这么做有两个理由: - -- 确保最后一个确认报文能够到达。如果 B 没收到 A 发送来的确认报文,那么就会重新发送连接释放请求报文,A 等待一段时间就是为了处理这种情况的发生。 - -- 等待一段时间是为了让本连接持续时间内所产生的所有报文都从网络中消失,使得下一个新的连接不会出现旧的连接请求报文。 - -## TCP 可靠传输 - -TCP 使用超时重传来实现可靠传输:如果一个已经发送的报文段在超时时间内没有收到确认,那么就重传这个报文段。 - -一个报文段从发送再到接收到确认所经过的时间称为往返时间 RTT,加权平均往返时间 RTTs 计算如下: - -

- -超时时间 RTO 应该略大于 RTTs,TCP 使用的超时时间计算如下: - -

- -其中 RTTd 为偏差。 - -## TCP 滑动窗口 - -窗口是缓存的一部分,用来暂时存放字节流。发送方和接收方各有一个窗口,接收方通过 TCP 报文段中的窗口字段告诉发送方自己的窗口大小,发送方根据这个值和其它信息设置自己的窗口大小。 - -发送窗口内的字节都允许被发送,接收窗口内的字节都允许被接收。如果发送窗口左部的字节已经发送并且收到了确认,那么就将发送窗口向右滑动一定距离,直到左部第一个字节不是已发送并且已确认的状态;接收窗口的滑动类似,接收窗口左部字节已经发送确认并交付主机,就向右滑动接收窗口。 - -接收窗口只会对窗口内最后一个按序到达的字节进行确认,例如接收窗口已经收到的字节为 {31, 34, 35},其中 {31} 按序到达,而 {34, 35} 就不是,因此只对字节 31 进行确认。发送方得到一个字节的确认之后,就知道这个字节之前的所有字节都已经被接收。 - -

- -## TCP 流量控制 - -流量控制是为了控制发送方发送速率,保证接收方来得及接收。 - -接收方发送的确认报文中的窗口字段可以用来控制发送方窗口大小,从而影响发送方的发送速率。将窗口字段设置为 0,则发送方不能发送数据。 - -## TCP 拥塞控制 - -如果网络出现拥塞,分组将会丢失,此时发送方会继续重传,从而导致网络拥塞程度更高。因此当出现拥塞时,应当控制发送方的速率。这一点和流量控制很像,但是出发点不同。流量控制是为了让接收方能来得及接收,而拥塞控制是为了降低整个网络的拥塞程度。 - -

- -TCP 主要通过四个算法来进行拥塞控制:慢开始、拥塞避免、快重传、快恢复。 - -发送方需要维护一个叫做拥塞窗口(cwnd)的状态变量,注意拥塞窗口与发送方窗口的区别:拥塞窗口只是一个状态变量,实际决定发送方能发送多少数据的是发送方窗口。 - -为了便于讨论,做如下假设: - -- 接收方有足够大的接收缓存,因此不会发生流量控制; -- 虽然 TCP 的窗口基于字节,但是这里设窗口的大小单位为报文段。 - -

- -### 1. 慢开始与拥塞避免 - -发送的最初执行慢开始,令 cwnd = 1,发送方只能发送 1 个报文段;当收到确认后,将 cwnd 加倍,因此之后发送方能够发送的报文段数量为:2、4、8 ... - -注意到慢开始每个轮次都将 cwnd 加倍,这样会让 cwnd 增长速度非常快,从而使得发送方发送的速度增长速度过快,网络拥塞的可能性也就更高。设置一个慢开始门限 ssthresh,当 cwnd >= ssthresh 时,进入拥塞避免,每个轮次只将 cwnd 加 1。 - -如果出现了超时,则令 ssthresh = cwnd / 2,然后重新执行慢开始。 - -### 2. 快重传与快恢复 - -在接收方,要求每次接收到报文段都应该对最后一个已收到的有序报文段进行确认。例如已经接收到 M1 和 M2,此时收到 M4,应当发送对 M2 的确认。 - -在发送方,如果收到三个重复确认,那么可以知道下一个报文段丢失,此时执行快重传,立即重传下一个报文段。例如收到三个 M2,则 M3 丢失,立即重传 M3。 - -在这种情况下,只是丢失个别报文段,而不是网络拥塞。因此执行快恢复,令 ssthresh = cwnd / 2 ,cwnd = ssthresh,注意到此时直接进入拥塞避免。 - -慢开始和快恢复的快慢指的是 cwnd 的设定值,而不是 cwnd 的增长速率。慢开始 cwnd 设定为 1,而快恢复 cwnd 设定为 ssthresh。 - -

diff --git "a/NetWork/06\345\237\272\347\241\200\346\246\202\345\277\265.md" "b/NetWork/06\345\237\272\347\241\200\346\246\202\345\277\265.md" deleted file mode 100644 index cadd29a..0000000 --- "a/NetWork/06\345\237\272\347\241\200\346\246\202\345\277\265.md" +++ /dev/null @@ -1,26 +0,0 @@ - -* [一 、基础概念](#一-基础概念) - * [URL](#url) - * [请求和响应报文](#请求和响应报文) - -# 一 、基础概念 - -## URL - -URI 包含 URL 和 URN,目前 WEB 只有 URL 比较流行,所以见到的基本都是 URL。 - -- URI(Uniform Resource Identifier,统一资源标识符) -- URL(Uniform Resource Locator,统一资源定位符) -- URN(Uniform Resource Name,统一资源名称) - -

- -## 请求和响应报文 - -### 1. 请求报文 - -

- -### 2. 响应报文 - -

diff --git a/NetWork/pics/03f47940-3843-4b51-9e42-5dcaff44858b.jpg b/NetWork/pics/03f47940-3843-4b51-9e42-5dcaff44858b.jpg deleted file mode 100644 index 9a6f75c..0000000 Binary files a/NetWork/pics/03f47940-3843-4b51-9e42-5dcaff44858b.jpg and /dev/null differ diff --git a/NetWork/pics/0a9f4125-b6ab-4e94-a807-fd7070ae726a.png b/NetWork/pics/0a9f4125-b6ab-4e94-a807-fd7070ae726a.png deleted file mode 100644 index 395d920..0000000 Binary files a/NetWork/pics/0a9f4125-b6ab-4e94-a807-fd7070ae726a.png and /dev/null differ diff --git a/NetWork/pics/1492928105791_3.png b/NetWork/pics/1492928105791_3.png deleted file mode 100644 index d18fc1c..0000000 Binary files a/NetWork/pics/1492928105791_3.png and /dev/null differ diff --git a/NetWork/pics/1492928416812_4.png b/NetWork/pics/1492928416812_4.png deleted file mode 100644 index a43a731..0000000 Binary files a/NetWork/pics/1492928416812_4.png and /dev/null differ diff --git a/NetWork/pics/1492929000361_5.png b/NetWork/pics/1492929000361_5.png deleted file mode 100644 index 919d122..0000000 Binary files a/NetWork/pics/1492929000361_5.png and /dev/null differ diff --git a/NetWork/pics/1492929444818_6.png b/NetWork/pics/1492929444818_6.png deleted file mode 100644 index 0aea3f9..0000000 Binary files a/NetWork/pics/1492929444818_6.png and /dev/null differ diff --git a/NetWork/pics/1492929553651_7.png b/NetWork/pics/1492929553651_7.png deleted file mode 100644 index 13cf0b4..0000000 Binary files a/NetWork/pics/1492929553651_7.png and /dev/null differ diff --git a/NetWork/pics/1492930243286_8.png b/NetWork/pics/1492930243286_8.png deleted file mode 100644 index 6ee721f..0000000 Binary files a/NetWork/pics/1492930243286_8.png and /dev/null differ diff --git a/NetWork/pics/1556770b-8c01-4681-af10-46f1df69202c.jpg b/NetWork/pics/1556770b-8c01-4681-af10-46f1df69202c.jpg deleted file mode 100644 index 94d1adc..0000000 Binary files a/NetWork/pics/1556770b-8c01-4681-af10-46f1df69202c.jpg and /dev/null differ diff --git a/NetWork/pics/168e893c-e4a0-4ba4-b81f-9d993483abd0.jpg b/NetWork/pics/168e893c-e4a0-4ba4-b81f-9d993483abd0.jpg deleted file mode 100644 index cbb68f9..0000000 Binary files a/NetWork/pics/168e893c-e4a0-4ba4-b81f-9d993483abd0.jpg and /dev/null differ diff --git a/NetWork/pics/1ab49e39-012b-4383-8284-26570987e3c4.jpg b/NetWork/pics/1ab49e39-012b-4383-8284-26570987e3c4.jpg deleted file mode 100644 index 48a9121..0000000 Binary files a/NetWork/pics/1ab49e39-012b-4383-8284-26570987e3c4.jpg and /dev/null differ diff --git a/NetWork/pics/2017-06-11-ca.png b/NetWork/pics/2017-06-11-ca.png deleted file mode 100644 index 550292c..0000000 Binary files a/NetWork/pics/2017-06-11-ca.png and /dev/null differ diff --git a/NetWork/pics/21041ec2-babb-483f-bf47-8b8148eec162.png b/NetWork/pics/21041ec2-babb-483f-bf47-8b8148eec162.png deleted file mode 100644 index 7de9b57..0000000 Binary files a/NetWork/pics/21041ec2-babb-483f-bf47-8b8148eec162.png and /dev/null differ diff --git a/NetWork/pics/23ba890e-e11c-45e2-a20c-64d217f83430.png b/NetWork/pics/23ba890e-e11c-45e2-a20c-64d217f83430.png deleted file mode 100644 index 5fccbd1..0000000 Binary files a/NetWork/pics/23ba890e-e11c-45e2-a20c-64d217f83430.png and /dev/null differ diff --git a/NetWork/pics/2719067e-b299-4639-9065-bed6729dbf0b.png b/NetWork/pics/2719067e-b299-4639-9065-bed6729dbf0b.png deleted file mode 100644 index 95057e0..0000000 Binary files a/NetWork/pics/2719067e-b299-4639-9065-bed6729dbf0b.png and /dev/null differ diff --git a/NetWork/pics/2ad244f5-939c-49fa-9385-69bc688677ab.jpg b/NetWork/pics/2ad244f5-939c-49fa-9385-69bc688677ab.jpg deleted file mode 100644 index 5c1e0af..0000000 Binary files a/NetWork/pics/2ad244f5-939c-49fa-9385-69bc688677ab.jpg and /dev/null differ diff --git a/NetWork/pics/2d09a847-b854-439c-9198-b29c65810944.png b/NetWork/pics/2d09a847-b854-439c-9198-b29c65810944.png deleted file mode 100644 index 384f7ef..0000000 Binary files a/NetWork/pics/2d09a847-b854-439c-9198-b29c65810944.png and /dev/null differ diff --git a/NetWork/pics/3939369b-3a4a-48a0-b9eb-3efae26dd400.png b/NetWork/pics/3939369b-3a4a-48a0-b9eb-3efae26dd400.png deleted file mode 100644 index c2cf9d1..0000000 Binary files a/NetWork/pics/3939369b-3a4a-48a0-b9eb-3efae26dd400.png and /dev/null differ diff --git a/NetWork/pics/39ccb299-ee99-4dd1-b8b4-2f9ec9495cb4.png b/NetWork/pics/39ccb299-ee99-4dd1-b8b4-2f9ec9495cb4.png deleted file mode 100644 index 8e363e4..0000000 Binary files a/NetWork/pics/39ccb299-ee99-4dd1-b8b4-2f9ec9495cb4.png and /dev/null differ diff --git a/NetWork/pics/426df589-6f97-4622-b74d-4a81fcb1da8e.png b/NetWork/pics/426df589-6f97-4622-b74d-4a81fcb1da8e.png deleted file mode 100644 index 98327bb..0000000 Binary files a/NetWork/pics/426df589-6f97-4622-b74d-4a81fcb1da8e.png and /dev/null differ diff --git a/NetWork/pics/45e0e0bf-386d-4280-a341-a0b9496c7674.png b/NetWork/pics/45e0e0bf-386d-4280-a341-a0b9496c7674.png deleted file mode 100644 index 32fb94a..0000000 Binary files a/NetWork/pics/45e0e0bf-386d-4280-a341-a0b9496c7674.png and /dev/null differ diff --git a/NetWork/pics/46cec213-3048-4a80-aded-fdd577542801.jpg b/NetWork/pics/46cec213-3048-4a80-aded-fdd577542801.jpg deleted file mode 100644 index 32e1f3d..0000000 Binary files a/NetWork/pics/46cec213-3048-4a80-aded-fdd577542801.jpg and /dev/null differ diff --git a/NetWork/pics/50d38e84-238f-4081-8876-14ef6d7938b5.jpg b/NetWork/pics/50d38e84-238f-4081-8876-14ef6d7938b5.jpg deleted file mode 100644 index 6546cef..0000000 Binary files a/NetWork/pics/50d38e84-238f-4081-8876-14ef6d7938b5.jpg and /dev/null differ diff --git a/NetWork/pics/51e2ed95-65b8-4ae9-8af3-65602d452a25.jpg b/NetWork/pics/51e2ed95-65b8-4ae9-8af3-65602d452a25.jpg deleted file mode 100644 index 595cdc5..0000000 Binary files a/NetWork/pics/51e2ed95-65b8-4ae9-8af3-65602d452a25.jpg and /dev/null differ diff --git a/NetWork/pics/55dc4e84-573d-4c13-a765-52ed1dd251f9.png b/NetWork/pics/55dc4e84-573d-4c13-a765-52ed1dd251f9.png deleted file mode 100644 index 525b323..0000000 Binary files a/NetWork/pics/55dc4e84-573d-4c13-a765-52ed1dd251f9.png and /dev/null differ diff --git a/NetWork/pics/5999e5de-7c16-4b52-b3aa-6dc7b58c7894.png b/NetWork/pics/5999e5de-7c16-4b52-b3aa-6dc7b58c7894.png deleted file mode 100644 index a61a7dc..0000000 Binary files a/NetWork/pics/5999e5de-7c16-4b52-b3aa-6dc7b58c7894.png and /dev/null differ diff --git a/NetWork/pics/5aa82b89-f266-44da-887d-18f31f01d8ef.png b/NetWork/pics/5aa82b89-f266-44da-887d-18f31f01d8ef.png deleted file mode 100644 index 6831050..0000000 Binary files a/NetWork/pics/5aa82b89-f266-44da-887d-18f31f01d8ef.png and /dev/null differ diff --git a/NetWork/pics/66192382-558b-4b05-a35d-ac4a2b1a9811.jpg b/NetWork/pics/66192382-558b-4b05-a35d-ac4a2b1a9811.jpg deleted file mode 100644 index eec226c..0000000 Binary files a/NetWork/pics/66192382-558b-4b05-a35d-ac4a2b1a9811.jpg and /dev/null differ diff --git a/NetWork/pics/69f16984-a66f-4288-82e4-79b4aa43e835.jpg b/NetWork/pics/69f16984-a66f-4288-82e4-79b4aa43e835.jpg deleted file mode 100644 index 03b7f3d..0000000 Binary files a/NetWork/pics/69f16984-a66f-4288-82e4-79b4aa43e835.jpg and /dev/null differ diff --git a/NetWork/pics/7b038838-c75b-4538-ae84-6299386704e5.jpg b/NetWork/pics/7b038838-c75b-4538-ae84-6299386704e5.jpg deleted file mode 100644 index 919a0e5..0000000 Binary files a/NetWork/pics/7b038838-c75b-4538-ae84-6299386704e5.jpg and /dev/null differ diff --git a/NetWork/pics/7b3efa99-d306-4982-8cfb-e7153c33aab4.png b/NetWork/pics/7b3efa99-d306-4982-8cfb-e7153c33aab4.png deleted file mode 100644 index 21aafd0..0000000 Binary files a/NetWork/pics/7b3efa99-d306-4982-8cfb-e7153c33aab4.png and /dev/null differ diff --git a/NetWork/pics/7fffa4b8-b36d-471f-ad0c-a88ee763bb76.png b/NetWork/pics/7fffa4b8-b36d-471f-ad0c-a88ee763bb76.png deleted file mode 100644 index b636edf..0000000 Binary files a/NetWork/pics/7fffa4b8-b36d-471f-ad0c-a88ee763bb76.png and /dev/null differ diff --git a/NetWork/pics/8006a450-6c2f-498c-a928-c927f758b1d0.png b/NetWork/pics/8006a450-6c2f-498c-a928-c927f758b1d0.png deleted file mode 100644 index ac453ee..0000000 Binary files a/NetWork/pics/8006a450-6c2f-498c-a928-c927f758b1d0.png and /dev/null differ diff --git a/NetWork/pics/85c05fb1-5546-4c50-9221-21f231cdc8c5.jpg b/NetWork/pics/85c05fb1-5546-4c50-9221-21f231cdc8c5.jpg deleted file mode 100644 index 4b91119..0000000 Binary files a/NetWork/pics/85c05fb1-5546-4c50-9221-21f231cdc8c5.jpg and /dev/null differ diff --git a/NetWork/pics/86e6a91d-a285-447a-9345-c5484b8d0c47.png b/NetWork/pics/86e6a91d-a285-447a-9345-c5484b8d0c47.png deleted file mode 100644 index 56f83ea..0000000 Binary files a/NetWork/pics/86e6a91d-a285-447a-9345-c5484b8d0c47.png and /dev/null differ diff --git a/NetWork/pics/910f613f-514f-4534-87dd-9b4699d59d31.png b/NetWork/pics/910f613f-514f-4534-87dd-9b4699d59d31.png deleted file mode 100644 index 28362d4..0000000 Binary files a/NetWork/pics/910f613f-514f-4534-87dd-9b4699d59d31.png and /dev/null differ diff --git a/NetWork/pics/92ad9bae-7d02-43ba-8115-a9d6f530ca28.png b/NetWork/pics/92ad9bae-7d02-43ba-8115-a9d6f530ca28.png deleted file mode 100644 index 7b85c49..0000000 Binary files a/NetWork/pics/92ad9bae-7d02-43ba-8115-a9d6f530ca28.png and /dev/null differ diff --git a/NetWork/pics/9cd0ae20-4fb5-4017-a000-f7d3a0eb3529.png b/NetWork/pics/9cd0ae20-4fb5-4017-a000-f7d3a0eb3529.png deleted file mode 100644 index 49da824..0000000 Binary files a/NetWork/pics/9cd0ae20-4fb5-4017-a000-f7d3a0eb3529.png and /dev/null differ diff --git a/NetWork/pics/HTTP1_x_Connections.png b/NetWork/pics/HTTP1_x_Connections.png deleted file mode 100644 index d8c18a3..0000000 Binary files a/NetWork/pics/HTTP1_x_Connections.png and /dev/null differ diff --git a/NetWork/pics/HTTP_RequestMessageExample.png b/NetWork/pics/HTTP_RequestMessageExample.png deleted file mode 100644 index 8fd213c..0000000 Binary files a/NetWork/pics/HTTP_RequestMessageExample.png and /dev/null differ diff --git a/NetWork/pics/HTTP_ResponseMessageExample.png b/NetWork/pics/HTTP_ResponseMessageExample.png deleted file mode 100644 index 1adf26c..0000000 Binary files a/NetWork/pics/HTTP_ResponseMessageExample.png and /dev/null differ diff --git a/NetWork/pics/How-HTTPS-Works.png b/NetWork/pics/How-HTTPS-Works.png deleted file mode 100644 index c10605f..0000000 Binary files a/NetWork/pics/How-HTTPS-Works.png and /dev/null differ diff --git a/NetWork/pics/_u4E0B_u8F7D.png b/NetWork/pics/_u4E0B_u8F7D.png deleted file mode 100644 index 9da9733..0000000 Binary files a/NetWork/pics/_u4E0B_u8F7D.png and /dev/null differ diff --git a/NetWork/pics/a314bb79-5b18-4e63-a976-3448bffa6f1b.png b/NetWork/pics/a314bb79-5b18-4e63-a976-3448bffa6f1b.png deleted file mode 100644 index 1a5a647..0000000 Binary files a/NetWork/pics/a314bb79-5b18-4e63-a976-3448bffa6f1b.png and /dev/null differ diff --git a/NetWork/pics/a3253deb-8d21-40a1-aae4-7d178e4aa319.jpg b/NetWork/pics/a3253deb-8d21-40a1-aae4-7d178e4aa319.jpg deleted file mode 100644 index 23258af..0000000 Binary files a/NetWork/pics/a3253deb-8d21-40a1-aae4-7d178e4aa319.jpg and /dev/null differ diff --git a/NetWork/pics/a6026bb4-3daf-439f-b1ec-a5a24e19d2fb.jpg b/NetWork/pics/a6026bb4-3daf-439f-b1ec-a5a24e19d2fb.jpg deleted file mode 100644 index 4ff577e..0000000 Binary files a/NetWork/pics/a6026bb4-3daf-439f-b1ec-a5a24e19d2fb.jpg and /dev/null differ diff --git a/NetWork/pics/a74b70ac-323a-4b31-b4d5-90569b8a944b.png b/NetWork/pics/a74b70ac-323a-4b31-b4d5-90569b8a944b.png deleted file mode 100644 index 3d68612..0000000 Binary files a/NetWork/pics/a74b70ac-323a-4b31-b4d5-90569b8a944b.png and /dev/null differ diff --git a/NetWork/pics/aa29cc88-7256-4399-8c7f-3cf4a6489559.png b/NetWork/pics/aa29cc88-7256-4399-8c7f-3cf4a6489559.png deleted file mode 100644 index 9b93237..0000000 Binary files a/NetWork/pics/aa29cc88-7256-4399-8c7f-3cf4a6489559.png and /dev/null differ diff --git a/NetWork/pics/ac106e7e-489a-4082-abd9-dabebe48394c.jpg b/NetWork/pics/ac106e7e-489a-4082-abd9-dabebe48394c.jpg deleted file mode 100644 index 0d32341..0000000 Binary files a/NetWork/pics/ac106e7e-489a-4082-abd9-dabebe48394c.jpg and /dev/null differ diff --git a/NetWork/pics/af198da1-2480-4043-b07f-a3b91a88b815.png b/NetWork/pics/af198da1-2480-4043-b07f-a3b91a88b815.png deleted file mode 100644 index 34d7a28..0000000 Binary files a/NetWork/pics/af198da1-2480-4043-b07f-a3b91a88b815.png and /dev/null differ diff --git a/NetWork/pics/b54eeb16-0b0e-484c-be62-306f57c40d77.jpg b/NetWork/pics/b54eeb16-0b0e-484c-be62-306f57c40d77.jpg deleted file mode 100644 index 692a035..0000000 Binary files a/NetWork/pics/b54eeb16-0b0e-484c-be62-306f57c40d77.jpg and /dev/null differ diff --git a/NetWork/pics/b9d79a5a-e7af-499b-b989-f10483e71b8b.jpg b/NetWork/pics/b9d79a5a-e7af-499b-b989-f10483e71b8b.jpg deleted file mode 100644 index b750283..0000000 Binary files a/NetWork/pics/b9d79a5a-e7af-499b-b989-f10483e71b8b.jpg and /dev/null differ diff --git a/NetWork/pics/be5c2c61-86d2-4dba-a289-b48ea23219de.jpg b/NetWork/pics/be5c2c61-86d2-4dba-a289-b48ea23219de.jpg deleted file mode 100644 index a2965a7..0000000 Binary files a/NetWork/pics/be5c2c61-86d2-4dba-a289-b48ea23219de.jpg and /dev/null differ diff --git a/NetWork/pics/bf16c541-0717-473b-b75d-4115864f4fbf.jpg b/NetWork/pics/bf16c541-0717-473b-b75d-4115864f4fbf.jpg deleted file mode 100644 index a83ba27..0000000 Binary files a/NetWork/pics/bf16c541-0717-473b-b75d-4115864f4fbf.jpg and /dev/null differ diff --git a/NetWork/pics/c3369072-c740-43b0-b276-202bd1d3960d.jpg b/NetWork/pics/c3369072-c740-43b0-b276-202bd1d3960d.jpg deleted file mode 100644 index 17a2e9b..0000000 Binary files a/NetWork/pics/c3369072-c740-43b0-b276-202bd1d3960d.jpg and /dev/null differ diff --git a/NetWork/pics/c4c14368-519c-4a0e-8331-0a553715e3e7.jpg b/NetWork/pics/c4c14368-519c-4a0e-8331-0a553715e3e7.jpg deleted file mode 100644 index 0cb4f0a..0000000 Binary files a/NetWork/pics/c4c14368-519c-4a0e-8331-0a553715e3e7.jpg and /dev/null differ diff --git a/NetWork/pics/c5022dd3-be22-4250-b9f6-38ae984a04d7.jpg b/NetWork/pics/c5022dd3-be22-4250-b9f6-38ae984a04d7.jpg deleted file mode 100644 index 3eb7940..0000000 Binary files a/NetWork/pics/c5022dd3-be22-4250-b9f6-38ae984a04d7.jpg and /dev/null differ diff --git a/NetWork/pics/c9cfcd20-c901-435f-9a07-3e46830c359f.jpg b/NetWork/pics/c9cfcd20-c901-435f-9a07-3e46830c359f.jpg deleted file mode 100644 index 813b514..0000000 Binary files a/NetWork/pics/c9cfcd20-c901-435f-9a07-3e46830c359f.jpg and /dev/null differ diff --git a/NetWork/pics/cbf50eb8-22b4-4528-a2e7-d187143d57f7.png b/NetWork/pics/cbf50eb8-22b4-4528-a2e7-d187143d57f7.png deleted file mode 100644 index 27f2b74..0000000 Binary files a/NetWork/pics/cbf50eb8-22b4-4528-a2e7-d187143d57f7.png and /dev/null differ diff --git a/NetWork/pics/d4c3a4a1-0846-46ec-9cc3-eaddfca71254.jpg b/NetWork/pics/d4c3a4a1-0846-46ec-9cc3-eaddfca71254.jpg deleted file mode 100644 index bbc7f10..0000000 Binary files a/NetWork/pics/d4c3a4a1-0846-46ec-9cc3-eaddfca71254.jpg and /dev/null differ diff --git a/NetWork/pics/d4eef1e2-5703-4ca4-82ab-8dda93d6b81f.png b/NetWork/pics/d4eef1e2-5703-4ca4-82ab-8dda93d6b81f.png deleted file mode 100644 index 4f62e6f..0000000 Binary files a/NetWork/pics/d4eef1e2-5703-4ca4-82ab-8dda93d6b81f.png and /dev/null differ diff --git a/NetWork/pics/dc00f70e-c5c8-4d20-baf1-2d70014a97e3.jpg b/NetWork/pics/dc00f70e-c5c8-4d20-baf1-2d70014a97e3.jpg deleted file mode 100644 index 8090706..0000000 Binary files a/NetWork/pics/dc00f70e-c5c8-4d20-baf1-2d70014a97e3.jpg and /dev/null differ diff --git a/NetWork/pics/ddcf2327-8d84-425d-8535-121a94bcb88d.jpg b/NetWork/pics/ddcf2327-8d84-425d-8535-121a94bcb88d.jpg deleted file mode 100644 index 2a95d92..0000000 Binary files a/NetWork/pics/ddcf2327-8d84-425d-8535-121a94bcb88d.jpg and /dev/null differ diff --git a/NetWork/pics/e3124763-f75e-46c3-ba82-341e6c98d862.jpg b/NetWork/pics/e3124763-f75e-46c3-ba82-341e6c98d862.jpg deleted file mode 100644 index 8064365..0000000 Binary files a/NetWork/pics/e3124763-f75e-46c3-ba82-341e6c98d862.jpg and /dev/null differ diff --git a/NetWork/pics/e3f1657c-80fc-4dfa-9643-bf51abd201c6.png b/NetWork/pics/e3f1657c-80fc-4dfa-9643-bf51abd201c6.png deleted file mode 100644 index 105916c..0000000 Binary files a/NetWork/pics/e3f1657c-80fc-4dfa-9643-bf51abd201c6.png and /dev/null differ diff --git a/NetWork/pics/e92d0ebc-7d46-413b-aec1-34a39602f787.png b/NetWork/pics/e92d0ebc-7d46-413b-aec1-34a39602f787.png deleted file mode 100644 index 1090a77..0000000 Binary files a/NetWork/pics/e92d0ebc-7d46-413b-aec1-34a39602f787.png and /dev/null differ diff --git a/NetWork/pics/ea5f3efe-d5e6-499b-b278-9e898af61257.jpg b/NetWork/pics/ea5f3efe-d5e6-499b-b278-9e898af61257.jpg deleted file mode 100644 index a07e736..0000000 Binary files a/NetWork/pics/ea5f3efe-d5e6-499b-b278-9e898af61257.jpg and /dev/null differ diff --git a/NetWork/pics/ed5522bb-3a60-481c-8654-43e7195a48fe.png b/NetWork/pics/ed5522bb-3a60-481c-8654-43e7195a48fe.png deleted file mode 100644 index 1c153a8..0000000 Binary files a/NetWork/pics/ed5522bb-3a60-481c-8654-43e7195a48fe.png and /dev/null differ diff --git a/NetWork/pics/f0a31c04-6e26-408c-8395-88f4e2ae928b.jpg b/NetWork/pics/f0a31c04-6e26-408c-8395-88f4e2ae928b.jpg deleted file mode 100644 index 99eb316..0000000 Binary files a/NetWork/pics/f0a31c04-6e26-408c-8395-88f4e2ae928b.jpg and /dev/null differ diff --git a/NetWork/pics/f61b5419-c94a-4df1-8d4d-aed9ae8cc6d5.png b/NetWork/pics/f61b5419-c94a-4df1-8d4d-aed9ae8cc6d5.png deleted file mode 100644 index dc0d4e3..0000000 Binary files a/NetWork/pics/f61b5419-c94a-4df1-8d4d-aed9ae8cc6d5.png and /dev/null differ diff --git a/NetWork/pics/f87afe72-c2df-4c12-ac03-9b8d581a8af8.jpg b/NetWork/pics/f87afe72-c2df-4c12-ac03-9b8d581a8af8.jpg deleted file mode 100644 index 6a09099..0000000 Binary files a/NetWork/pics/f87afe72-c2df-4c12-ac03-9b8d581a8af8.jpg and /dev/null differ diff --git a/NetWork/pics/fa2273c3-1b5f-48ce-8e8b-441a4116c1c4.jpg b/NetWork/pics/fa2273c3-1b5f-48ce-8e8b-441a4116c1c4.jpg deleted file mode 100644 index 42d3c74..0000000 Binary files a/NetWork/pics/fa2273c3-1b5f-48ce-8e8b-441a4116c1c4.jpg and /dev/null differ diff --git a/NetWork/pics/net_1.png b/NetWork/pics/net_1.png deleted file mode 100644 index 819f735..0000000 Binary files a/NetWork/pics/net_1.png and /dev/null differ diff --git a/NetWork/pics/net_2.png b/NetWork/pics/net_2.png deleted file mode 100644 index e593939..0000000 Binary files a/NetWork/pics/net_2.png and /dev/null differ diff --git a/NetWork/pics/network-of-networks.gif b/NetWork/pics/network-of-networks.gif deleted file mode 100644 index 7473f91..0000000 Binary files a/NetWork/pics/network-of-networks.gif and /dev/null differ diff --git a/NetWork/pics/ssl-offloading.jpg b/NetWork/pics/ssl-offloading.jpg deleted file mode 100644 index 8f01a41..0000000 Binary files a/NetWork/pics/ssl-offloading.jpg and /dev/null differ diff --git a/NetWork/pics/urlnuri.jpg b/NetWork/pics/urlnuri.jpg deleted file mode 100644 index be05f01..0000000 Binary files a/NetWork/pics/urlnuri.jpg and /dev/null differ diff --git "a/Operation_System/07\347\243\201\347\233\230.md" "b/Operation_System/07\347\243\201\347\233\230.md" deleted file mode 100644 index 8cfefef..0000000 --- "a/Operation_System/07\347\243\201\347\233\230.md" +++ /dev/null @@ -1,43 +0,0 @@ - -* [二、磁盘](#二磁盘) - * [磁盘接口](#磁盘接口) - * [磁盘的文件名](#磁盘的文件名) - -# 二、磁盘 - -## 磁盘接口 - -### 1. IDE - -IDE(ATA)全称 Advanced Technology Attachment,接口速度最大为 133MB/s,因为并口线的抗干扰性太差,且排线占用空间较大,不利电脑内部散热,已逐渐被 SATA 所取代。 - -

- -### 2. SATA - -SATA 全称 Serial ATA,也就是使用串口的 ATA 接口,抗干扰性强,且对数据线的长度要求比 ATA 低很多,支持热插拔等功能。SATA-II 的接口速度为 300MiB/s,而新的 SATA-III 标准可达到 600MiB/s 的传输速度。SATA 的数据线也比 ATA 的细得多,有利于机箱内的空气流通,整理线材也比较方便。 - -

- -### 3. SCSI - -SCSI 全称是 Small Computer System Interface(小型机系统接口),经历多代的发展,从早期的 SCSI-II 到目前的 Ultra320 SCSI 以及 Fiber-Channel(光纤通道),接口型式也多种多样。SCSI 硬盘广为工作站级个人电脑以及服务器所使用,因此会使用较为先进的技术,如碟片转速 15000rpm 的高转速,且传输时 CPU 占用率较低,但是单价也比相同容量的 ATA 及 SATA 硬盘更加昂贵。 - -

- -### 4. SAS - -SAS(Serial Attached SCSI)是新一代的 SCSI 技术,和 SATA 硬盘相同,都是采取序列式技术以获得更高的传输速度,可达到 6Gb/s。此外也透过缩小连接线改善系统内部空间等。 - -

- -## 磁盘的文件名 - -Linux 中每个硬件都被当做一个文件,包括磁盘。磁盘以磁盘接口类型进行命名,常见磁盘的文件名如下: - -- IDE 磁盘:/dev/hd[a-d] -- SATA/SCSI/SAS 磁盘:/dev/sd[a-p] - -其中文件名后面的序号的确定与系统检测到磁盘的顺序有关,而与磁盘所插入的插槽位置无关。 - -# 三、分区 diff --git a/Operation_System/pics/014fbc4d-d873-4a12-b160-867ddaed9807.jpg b/Operation_System/pics/014fbc4d-d873-4a12-b160-867ddaed9807.jpg deleted file mode 100644 index 39c003c..0000000 Binary files a/Operation_System/pics/014fbc4d-d873-4a12-b160-867ddaed9807.jpg and /dev/null differ diff --git a/Operation_System/pics/042cf928-3c8e-4815-ae9c-f2780202c68f.png b/Operation_System/pics/042cf928-3c8e-4815-ae9c-f2780202c68f.png deleted file mode 100644 index 57d8c81..0000000 Binary files a/Operation_System/pics/042cf928-3c8e-4815-ae9c-f2780202c68f.png and /dev/null differ diff --git a/Operation_System/pics/075e1977-7846-4928-96c8-bb5b0268693c.jpg b/Operation_System/pics/075e1977-7846-4928-96c8-bb5b0268693c.jpg deleted file mode 100644 index b8b100a..0000000 Binary files a/Operation_System/pics/075e1977-7846-4928-96c8-bb5b0268693c.jpg and /dev/null differ diff --git a/Operation_System/pics/22de0538-7c6e-4365-bd3b-8ce3c5900216.png b/Operation_System/pics/22de0538-7c6e-4365-bd3b-8ce3c5900216.png deleted file mode 100644 index 8d7dc09..0000000 Binary files a/Operation_System/pics/22de0538-7c6e-4365-bd3b-8ce3c5900216.png and /dev/null differ diff --git a/Operation_System/pics/271ce08f-c124-475f-b490-be44fedc6d2e.png b/Operation_System/pics/271ce08f-c124-475f-b490-be44fedc6d2e.png deleted file mode 100644 index 8de6367..0000000 Binary files a/Operation_System/pics/271ce08f-c124-475f-b490-be44fedc6d2e.png and /dev/null differ diff --git a/Operation_System/pics/2_14_microkernelArchitecture.jpg b/Operation_System/pics/2_14_microkernelArchitecture.jpg deleted file mode 100644 index 21c2a58..0000000 Binary files a/Operation_System/pics/2_14_microkernelArchitecture.jpg and /dev/null differ diff --git a/Operation_System/pics/2ac50b81-d92a-4401-b9ec-f2113ecc3076.png b/Operation_System/pics/2ac50b81-d92a-4401-b9ec-f2113ecc3076.png deleted file mode 100644 index 173ce97..0000000 Binary files a/Operation_System/pics/2ac50b81-d92a-4401-b9ec-f2113ecc3076.png and /dev/null differ diff --git a/Operation_System/pics/3cd630ea-017c-488d-ad1d-732b4efeddf5.png b/Operation_System/pics/3cd630ea-017c-488d-ad1d-732b4efeddf5.png deleted file mode 100644 index 9dc7773..0000000 Binary files a/Operation_System/pics/3cd630ea-017c-488d-ad1d-732b4efeddf5.png and /dev/null differ diff --git a/Operation_System/pics/47d98583-8bb0-45cc-812d-47eefa0a4a40.jpg b/Operation_System/pics/47d98583-8bb0-45cc-812d-47eefa0a4a40.jpg deleted file mode 100644 index f6ddd2c..0000000 Binary files a/Operation_System/pics/47d98583-8bb0-45cc-812d-47eefa0a4a40.jpg and /dev/null differ diff --git a/Operation_System/pics/4e2485e4-34bd-4967-9f02-0c093b797aaa.png b/Operation_System/pics/4e2485e4-34bd-4967-9f02-0c093b797aaa.png deleted file mode 100644 index a564311..0000000 Binary files a/Operation_System/pics/4e2485e4-34bd-4967-9f02-0c093b797aaa.png and /dev/null differ diff --git a/Operation_System/pics/50831a6f-2777-46ea-a571-29f23c85cc21.jpg b/Operation_System/pics/50831a6f-2777-46ea-a571-29f23c85cc21.jpg deleted file mode 100644 index 4a3f798..0000000 Binary files a/Operation_System/pics/50831a6f-2777-46ea-a571-29f23c85cc21.jpg and /dev/null differ diff --git a/Operation_System/pics/53cd9ade-b0a6-4399-b4de-7f1fbd06cdfb.png b/Operation_System/pics/53cd9ade-b0a6-4399-b4de-7f1fbd06cdfb.png deleted file mode 100644 index 2666f9c..0000000 Binary files a/Operation_System/pics/53cd9ade-b0a6-4399-b4de-7f1fbd06cdfb.png and /dev/null differ diff --git a/Operation_System/pics/5942debd-fc00-477a-b390-7c5692cc8070.jpg b/Operation_System/pics/5942debd-fc00-477a-b390-7c5692cc8070.jpg deleted file mode 100644 index 62b39e4..0000000 Binary files a/Operation_System/pics/5942debd-fc00-477a-b390-7c5692cc8070.jpg and /dev/null differ diff --git a/Operation_System/pics/5f5ef0b6-98ea-497c-a007-f6c55288eab1.png b/Operation_System/pics/5f5ef0b6-98ea-497c-a007-f6c55288eab1.png deleted file mode 100644 index a3ea0a2..0000000 Binary files a/Operation_System/pics/5f5ef0b6-98ea-497c-a007-f6c55288eab1.png and /dev/null differ diff --git a/Operation_System/pics/62e0dd4f-44c3-43ee-bb6e-fedb9e068519.png b/Operation_System/pics/62e0dd4f-44c3-43ee-bb6e-fedb9e068519.png deleted file mode 100644 index 3a41cdc..0000000 Binary files a/Operation_System/pics/62e0dd4f-44c3-43ee-bb6e-fedb9e068519.png and /dev/null differ diff --git a/Operation_System/pics/658fc5e7-79c0-4247-9445-d69bf194c539.png b/Operation_System/pics/658fc5e7-79c0-4247-9445-d69bf194c539.png deleted file mode 100644 index f488859..0000000 Binary files a/Operation_System/pics/658fc5e7-79c0-4247-9445-d69bf194c539.png and /dev/null differ diff --git a/Operation_System/pics/6729baa0-57d7-4817-b3aa-518cbccf824c.jpg b/Operation_System/pics/6729baa0-57d7-4817-b3aa-518cbccf824c.jpg deleted file mode 100644 index 7035f00..0000000 Binary files a/Operation_System/pics/6729baa0-57d7-4817-b3aa-518cbccf824c.jpg and /dev/null differ diff --git a/Operation_System/pics/76a49594323247f21c9b3a69945445ee.png b/Operation_System/pics/76a49594323247f21c9b3a69945445ee.png deleted file mode 100644 index 788ba0b..0000000 Binary files a/Operation_System/pics/76a49594323247f21c9b3a69945445ee.png and /dev/null differ diff --git a/Operation_System/pics/76dc7769-1aac-4888-9bea-064f1caa8e77.jpg b/Operation_System/pics/76dc7769-1aac-4888-9bea-064f1caa8e77.jpg deleted file mode 100644 index 642aba6..0000000 Binary files a/Operation_System/pics/76dc7769-1aac-4888-9bea-064f1caa8e77.jpg and /dev/null differ diff --git a/Operation_System/pics/7b281b1e-0595-402b-ae35-8c91084c33c1.png b/Operation_System/pics/7b281b1e-0595-402b-ae35-8c91084c33c1.png deleted file mode 100644 index 9308ecb..0000000 Binary files a/Operation_System/pics/7b281b1e-0595-402b-ae35-8c91084c33c1.png and /dev/null differ diff --git a/Operation_System/pics/83185315-793a-453a-a927-5e8d92b5c0ef.jpg b/Operation_System/pics/83185315-793a-453a-a927-5e8d92b5c0ef.jpg deleted file mode 100644 index cb83ede..0000000 Binary files a/Operation_System/pics/83185315-793a-453a-a927-5e8d92b5c0ef.jpg and /dev/null differ diff --git a/Operation_System/pics/8c662999-c16c-481c-9f40-1fdba5bc9167.png b/Operation_System/pics/8c662999-c16c-481c-9f40-1fdba5bc9167.png deleted file mode 100644 index ff810e9..0000000 Binary files a/Operation_System/pics/8c662999-c16c-481c-9f40-1fdba5bc9167.png and /dev/null differ diff --git a/Operation_System/pics/924914c0-660c-4e4a-bbc0-1df1146e7516.jpg b/Operation_System/pics/924914c0-660c-4e4a-bbc0-1df1146e7516.jpg deleted file mode 100644 index 5bb2959..0000000 Binary files a/Operation_System/pics/924914c0-660c-4e4a-bbc0-1df1146e7516.jpg and /dev/null differ diff --git a/Operation_System/pics/BSD_disk.png b/Operation_System/pics/BSD_disk.png deleted file mode 100644 index 48b0e0e..0000000 Binary files a/Operation_System/pics/BSD_disk.png and /dev/null differ diff --git a/Operation_System/pics/ProcessState.png b/Operation_System/pics/ProcessState.png deleted file mode 100644 index 3926957..0000000 Binary files a/Operation_System/pics/ProcessState.png and /dev/null differ diff --git a/Operation_System/pics/a6ac2b08-3861-4e85-baa8-382287bfee9f.png b/Operation_System/pics/a6ac2b08-3861-4e85-baa8-382287bfee9f.png deleted file mode 100644 index 26b0bd0..0000000 Binary files a/Operation_System/pics/a6ac2b08-3861-4e85-baa8-382287bfee9f.png and /dev/null differ diff --git a/Operation_System/pics/a9077f06-7584-4f2b-8c20-3a8e46928820.jpg b/Operation_System/pics/a9077f06-7584-4f2b-8c20-3a8e46928820.jpg deleted file mode 100644 index 67b2264..0000000 Binary files a/Operation_System/pics/a9077f06-7584-4f2b-8c20-3a8e46928820.jpg and /dev/null differ diff --git a/Operation_System/pics/b1fa0453-a4b0-4eae-a352-48acca8fff74.png b/Operation_System/pics/b1fa0453-a4b0-4eae-a352-48acca8fff74.png deleted file mode 100644 index 842b2f6..0000000 Binary files a/Operation_System/pics/b1fa0453-a4b0-4eae-a352-48acca8fff74.png and /dev/null differ diff --git a/Operation_System/pics/b396d726-b75f-4a32-89a2-03a7b6e19f6f.jpg b/Operation_System/pics/b396d726-b75f-4a32-89a2-03a7b6e19f6f.jpg deleted file mode 100644 index a3e1a65..0000000 Binary files a/Operation_System/pics/b396d726-b75f-4a32-89a2-03a7b6e19f6f.jpg and /dev/null differ diff --git a/Operation_System/pics/b8081c84-62c4-4019-b3ee-4bd0e443d647.jpg b/Operation_System/pics/b8081c84-62c4-4019-b3ee-4bd0e443d647.jpg deleted file mode 100644 index 58fb0a0..0000000 Binary files a/Operation_System/pics/b8081c84-62c4-4019-b3ee-4bd0e443d647.jpg and /dev/null differ diff --git a/Operation_System/pics/c037c901-7eae-4e31-a1e4-9d41329e5c3e.png b/Operation_System/pics/c037c901-7eae-4e31-a1e4-9d41329e5c3e.png deleted file mode 100644 index 9e2feb2..0000000 Binary files a/Operation_System/pics/c037c901-7eae-4e31-a1e4-9d41329e5c3e.png and /dev/null differ diff --git a/Operation_System/pics/cf4386a1-58c9-4eca-a17f-e12b1e9770eb.png b/Operation_System/pics/cf4386a1-58c9-4eca-a17f-e12b1e9770eb.png deleted file mode 100644 index 9b9f383..0000000 Binary files a/Operation_System/pics/cf4386a1-58c9-4eca-a17f-e12b1e9770eb.png and /dev/null differ diff --git a/Operation_System/pics/d160ec2e-cfe2-4640-bda7-62f53e58b8c0.png b/Operation_System/pics/d160ec2e-cfe2-4640-bda7-62f53e58b8c0.png deleted file mode 100644 index cc97135..0000000 Binary files a/Operation_System/pics/d160ec2e-cfe2-4640-bda7-62f53e58b8c0.png and /dev/null differ diff --git a/Operation_System/pics/e0900bb2-220a-43b7-9aa9-1d5cd55ff56e.png b/Operation_System/pics/e0900bb2-220a-43b7-9aa9-1d5cd55ff56e.png deleted file mode 100644 index b4c565f..0000000 Binary files a/Operation_System/pics/e0900bb2-220a-43b7-9aa9-1d5cd55ff56e.png and /dev/null differ diff --git a/Operation_System/pics/e1eda3d5-5ec8-4708-8e25-1a04c5e11f48.png b/Operation_System/pics/e1eda3d5-5ec8-4708-8e25-1a04c5e11f48.png deleted file mode 100644 index bffe752..0000000 Binary files a/Operation_System/pics/e1eda3d5-5ec8-4708-8e25-1a04c5e11f48.png and /dev/null differ diff --git a/Operation_System/pics/eb859228-c0f2-4bce-910d-d9f76929352b.png b/Operation_System/pics/eb859228-c0f2-4bce-910d-d9f76929352b.png deleted file mode 100644 index 7104f02..0000000 Binary files a/Operation_System/pics/eb859228-c0f2-4bce-910d-d9f76929352b.png and /dev/null differ diff --git a/Operation_System/pics/ecf8ad5d-5403-48b9-b6e7-f2e20ffe8fca.png b/Operation_System/pics/ecf8ad5d-5403-48b9-b6e7-f2e20ffe8fca.png deleted file mode 100644 index 25ed749..0000000 Binary files a/Operation_System/pics/ecf8ad5d-5403-48b9-b6e7-f2e20ffe8fca.png and /dev/null differ diff --git a/Operation_System/pics/ed523051-608f-4c3f-b343-383e2d194470.png b/Operation_System/pics/ed523051-608f-4c3f-b343-383e2d194470.png deleted file mode 100644 index 1f703e2..0000000 Binary files a/Operation_System/pics/ed523051-608f-4c3f-b343-383e2d194470.png and /dev/null differ diff --git a/Operation_System/pics/f0574025-c514-49f5-a591-6d6a71f271f7.jpg b/Operation_System/pics/f0574025-c514-49f5-a591-6d6a71f271f7.jpg deleted file mode 100644 index 66a2ecb..0000000 Binary files a/Operation_System/pics/f0574025-c514-49f5-a591-6d6a71f271f7.jpg and /dev/null differ diff --git a/Operation_System/pics/f900f266-a323-42b2-bc43-218fdb8811a8.jpg b/Operation_System/pics/f900f266-a323-42b2-bc43-218fdb8811a8.jpg deleted file mode 100644 index 95b92d6..0000000 Binary files a/Operation_System/pics/f900f266-a323-42b2-bc43-218fdb8811a8.jpg and /dev/null differ diff --git a/Operation_System/pics/f9f2a16b-4843-44d1-9759-c745772e9bcf.jpg b/Operation_System/pics/f9f2a16b-4843-44d1-9759-c745772e9bcf.jpg deleted file mode 100644 index b6a0ba7..0000000 Binary files a/Operation_System/pics/f9f2a16b-4843-44d1-9759-c745772e9bcf.jpg and /dev/null differ diff --git a/Operation_System/pics/flow.png b/Operation_System/pics/flow.png deleted file mode 100644 index aa0492a..0000000 Binary files a/Operation_System/pics/flow.png and /dev/null differ diff --git a/Operation_System/pics/inode_with_signatures.jpg b/Operation_System/pics/inode_with_signatures.jpg deleted file mode 100644 index 518ba5a..0000000 Binary files a/Operation_System/pics/inode_with_signatures.jpg and /dev/null differ diff --git a/Operation_System/pics/linux-filesystem.png b/Operation_System/pics/linux-filesystem.png deleted file mode 100644 index ae96529..0000000 Binary files a/Operation_System/pics/linux-filesystem.png and /dev/null differ diff --git a/Operation_System/pics/tGPV0.png b/Operation_System/pics/tGPV0.png deleted file mode 100644 index 89fb7bf..0000000 Binary files a/Operation_System/pics/tGPV0.png and /dev/null differ diff --git a/README.md b/README.md index 0ef6dc6..e45d4ab 100644 --- a/README.md +++ b/README.md @@ -1,269 +1,71 @@ -# 说明 -本仓库对Java学习中的一些问题进行了整理、分类。分成7个模块。 +本项目对 Java 学习中的一些问题进行了整理、分类。
+主要参考了郑永川的笔记,并在其基础上进行改动,仅作学习交流用。 -主要参考了郑永川的笔记,仅作学习交流用。 +本项目对应 WebSite :https://duhouan.github.io/Java-Notes/#/ -| Ⅰ | Ⅱ | Ⅲ | Ⅳ | Ⅴ | Ⅵ | Ⅶ | -| :-----------: | :-----------: | :-----------: | :-----------: | :-----------: | :-----------:| :-----------: | -| 模块一 Java[:coffee:](#coffee-模块一-Java) | 模块二 算法[:pencil2:](#pencil2-模块二-算法) | 模块三 操作系统[:memo:](#memo-模块三-操作系统) | 模块四 网络[:cloud:](#cloud-模块四-网络) | 模块五 数据库[:floppy_disk:](#floppy_disk-模块五-数据库) | 模块六 Spring[:speak_no_evil:](#speak_no_evil-模块六-Spring) | 模块七 系统架构[:bulb:](#bulb-模块七-系统架构) | +## ☕️ Java -
+- [Java 基础](docs/Java-目录.md#java-基础) +- [Java 虚拟机](docs/Java-目录.md#java-虚拟机) +- [Java 并发](docs/Java-目录.md#java-并发) +- [Java 容器](docs/Java-目录.md#java-容器) +- [Java IO](docs/Java-目录.md#java-io) +- [JavaWeb](docs/Java-目录.md#javaweb) -## :coffee: 模块一 Java +## 👫 面向对象 -
- Java基础 -
    -
  1. 第一部分 Java基础
  2. -
  3. 第二部分 Java虚拟机
  4. -
  5. 第三部分 Java并发
  6. -
  7. 第四部分 Java容器
  8. -
  9. 第五部分 JavaIO
  10. -
  11. 第六部分 JavaWeb
  12. -
  13. 第七部分 面向对象
  14. -
-
+- [设计模式](docs/面向对象-目录.md#设计模式) +- [面向对象思想](docs/面向对象-目录.md#面向对象思想) -## :pencil2: 模块二 算法 +## ✏️ 算法 -
- 算法和数据结构 - -
+- [算法和数据结构](docs/算法-目录.md#算法和数据结构) +- [排序算法](docs/算法-目录.md#排序算法思想) +- [LeetCode 题解](docs/算法-目录.md#leetcode-题解) -
- 算法思想 - -
+## 📝 操作系统 -
- LeetCode题解 - -
+- [操作系统基础](docs/操作系统-目录.md#操作系统基础) +- [Linux](docs/操作系统-目录.md#linux) -## :memo: 模块三 操作系统 +## ☁️ 网络 -
- 第一部分 操作系统基础 - -
+- [计算机网络](docs/网络-目录.md#计算机网络) +- [HTTP](docs/网络-目录.md#http) +- [Socket](docs/网络-目录.md#socket) -
- 第二部分 Linux - -
+## 💾 数据库 -## :cloud: 模块四 网络 +- [数据库系统原理](docs/数据库-目录.md#数据库系统原理) +- [SQL 实践](docs/数据库-目录.md#sql-实践) +- [MySQL](docs/数据库-目录.md#mysql) +- [Redis](docs/数据库-目录.md#redis) -
- 第一部分 计算机网路 - -
+## 🙊 开发框架 -
- 第二部分 HTTP - -
+- [Spring](docs/开发框架-目录.md#spring) +- [SpringMVC](docs/开发框架-目录.md#springmvc) -
- 第三部分 Socket - -
+## 💡 系统架构 -## :floppy_disk: 模块五 数据库 +- [系统设计基础](docs/系统架构-目录.md#系统设计基础) +- [分布式](docs/系统架构-目录.md#分布式) +- [集群](docs/系统架构-目录.md#集群) +- [攻击技术](docs/系统架构-目录.md#攻击技术) +- [缓存](docs/系统架构-目录.md#缓存) +- [消息队列](docs/系统架构-目录.md#消息队列) -
- 第一部分 数据库系统原理 - -
+## 🐘 大数据 -
- 第二部分 SQL - -
+- [消息队列](docs/大数据基础-目录.md#消息是队列) +- [存储](docs/大数据基础-目录.md#存储) -
- 第三部分 Leetcode-Database 题解 - -
-
- 第四部分 MySQL - -
+## 🔧 小专栏 - -
- 第五部分 Redis - -
- -## :speak_no_evil: 模块六 Spring - -
- Spring - -
- -## :bulb: 模块七 系统架构 - -
- 第一部分 系统设计基础 - -
- -
- 第二部分 分布式 - -
- -
- 第三部分 集群 - -
- -
- 第四部分 攻击技术 - -
- -
- 第五部分 缓存 - -
- -
- 第六部分 消息队列 - -
+- [后端面试进阶指南](https://xiaozhuanlan.com/CyC2018) +- [Java面试进阶指南](https://xiaozhuanlan.com/javainterview) +- [收藏的文章](docs/收藏的文章.md) +- [面试题整理](docs/面试题整理.md) # :heart: 致谢 @@ -275,6 +77,6 @@ # :book: 参考资料 -- [玩儿转算法面试 - 课程官方代码仓](https://github.com/liuyubobobo/Play-with-Algorithm-Interview) -- [玩儿转数据结构 - 课程官方代码仓](https://github.com/liuyubobobo/Play-with-Data-Structures) -- [CS-Notes](https://github.com/CyC2018/CS-Notes) \ No newline at end of file +- [参考书籍](docs/参考书籍.md) +- [参考 Github 仓库](docs/参考仓库.md) +- [慕课网教程](docs/慕课网.md) \ No newline at end of file diff --git "a/Spring/00Spring\346\246\202\350\277\260.md" "b/Spring/00Spring\346\246\202\350\277\260.md" deleted file mode 100644 index d3c4201..0000000 --- "a/Spring/00Spring\346\246\202\350\277\260.md" +++ /dev/null @@ -1,136 +0,0 @@ - -* [Spring概述](#Spring概述) - * [Spring框架](#Spring框架) - * [Spring的核心](#Spring的核心) - * [Spring优点](#Spring优点) - * [Spring入门程序](#Spring入门程序) - -# Spring概述 - -## Spring框架 -Spring是**分层**的JavaSE/EE full-stack(**一站式**) 轻量级开源框架 - -> 分层: - -SUN提供的EE的三层结构:web层、业务层、数据访问层(持久层,集成层) - -> 一站式: - -Spring框架有对三层的每层解决方案: - -- web层:Spring MVC -- 持久层:JDBC Template -- 业务层:Spring的Bean管理 - - -## Spring的核心 -> IOC - -控制反转(Inverse of Control):将对象的创建权,交由Spring完成。 - -> AOP - -面向切面编程(Aspect Oriented Programming):**面向对象的功能延伸**。不是替换面向对象,是用来解决OO中一些问题. - - -## Spring优点 -- **方便解耦,简化开发**; Spring就是一个大工厂,可以将所有对象创建和依赖关系维护,交给Spring管理 - -- **AOP编程的支持**; Spring提供面向切面编程,可以方便的实现对程序进行权限拦截、运行监控等功能 - -- **声明式事务的支持**:只需要通过配置就可以完成对事务的管理,而无需手动编程 - -- **方便程序的测试**:Spring对Junit4支持,可以通过注解方便的测试Spring程序 - -- **方便集成各种优秀框架**:Spring不排斥各种优秀的开源框架,其内部提供了对各种优秀框架 -(如:Struts、Hibernate、MyBatis、Quartz等)的直接支持 - -- **降低JavaEE API的使用难度**:Spring 对JavaEE开发中非常难用的一些API(JDBC、JavaMail、远程调用等), -都提供了封装,使这些API应用难度大大降低 - -## Spring入门程序 -### 1.创建Spring的配置文件 -在src下创建一个applicationContext.xml。 - -引入XML的约束: 找到xsd-config.html.引入beans约束: - -```html - - - -``` - -### 2.在配置文件中配置类 - -```html - -``` - -### 3.测试 -```java -public interface UserService { - void say(); -} -``` - -```java -public class UserServiceImpl implements UserService{ - @Override - public void say() { - System.out.println("say"); - } -} -``` - -```java -public class SpringTest { - /** - * 传统方式 - */ - @Test - public void test(){ - UserService userService=new UserServiceImpl(); - userService.say(); - } - - - /** - * 创建一个工厂类.使用工厂类来创造对象 - */ - @Test - public void test2(){ - // 创建一个工厂类 - ApplicationContext applicationContext = new ClassPathXmlApplicationContext("applicationContext.xml"); - UserService userService=(UserService)applicationContext.getBean("userService"); - userService.say(); - } - - /** - *加载磁盘路径下的配置文件 - */ - @Test - public void test3() { - ApplicationContext applicationContext = new FileSystemXmlApplicationContext( - "applicationContext.xml"); - UserService userService = (UserService) applicationContext.getBean("userService"); - userService.say(); - } - - @Test - public void test4(){ - // ClassPathResource FileSystemResource - BeanFactory beanFactory = new XmlBeanFactory(new FileSystemResource("applicationContext.xml")); - UserService userService = (UserService) beanFactory.getBean("userService"); - userService.say(); - } -} -``` - -### IOC(控制反转)和DI(依赖注入)区别 -IOC(控制反转):对象的创建权,由Spring管理。 - -DI(依赖注入):在Spring创建对象的过程中,把**对象依赖的属性**注入到类中。 \ No newline at end of file diff --git a/Spring/01SpringIOC.md b/Spring/01SpringIOC.md deleted file mode 100644 index 72ce2fa..0000000 --- a/Spring/01SpringIOC.md +++ /dev/null @@ -1,517 +0,0 @@ - -* [SpringIOC](#SpringIOC) - * [IOC装配Bean](#IOC装配Bean) - * [IOC使用注解方式装配Bean](#IOC使用注解方式装配Bean) - * [SpringIOC原理](#SpringIOC原理) - * [SpringIOC源码分析](#SpringIOC源码分析) - - -# SpringIOC - -## IOC装配Bean -### Spring框架Bean实例化的方式 -提供了三种方式实例化Bean: - -- 构造方法实例化(默认无参数) -- 静态工厂实例化 -- 实例工厂实例化 - -#### 1.无参数构造方法的实例化 - -```html - - -``` - -#### 2.静态工厂实例化 -```html - - -``` - -#### 3.实例工厂实例化 -```html - - - -``` - -```java -/** - * 使用无参数的构造方法实例化 - */ -public class Bean1 { - public Bean1(){ - - } -} -``` - -```java -/** - * 使用静态工厂的方式实例化 - * - */ -public class Bean2 { - -} -``` - -```java -/** - * Bean2的静态工厂 - */ -public class Bean2Factory { - public static Bean2 getBean2(){ - System.out.println("静态工厂的获得Bean2的方法..."); - return new Bean2(); - } -} -``` - -```java -/** - * 使用实例工厂实例化 - * - */ -public class Bean3 { - -} -``` - -```java -/** - * 实例工厂 - */ -public class Bean3Factory { - public Bean3 getBean3(){ - System.out.println("Bean3实例工厂的getBean3方法..."); - return new Bean3(); - } -} -``` -- 测试三种实例化Bean的方式: -````java -public class SpringTest { - @Test - // 无参数的构造方法的实例化 - public void demo1() { - ApplicationContext applicationContext = new ClassPathXmlApplicationContext( - "applicationContext2.xml"); - Bean1 bean1 = (Bean1) applicationContext.getBean("bean1"); - System.out.println(bean1); - } - - @Test - // 静态工厂实例化 - public void demo2() { - ApplicationContext applicationContext = new ClassPathXmlApplicationContext( - "applicationContext2.xml"); - Bean2 bean2 = (Bean2) applicationContext.getBean("bean2"); - System.out.println(bean2); - } - - @Test - // 实例工厂实例化 - public void demo3() { - ApplicationContext applicationContext = new ClassPathXmlApplicationContext( - "applicationContext2.xml"); - Bean3 bean3 = (Bean3) applicationContext.getBean("bean3"); - System.out.println(bean3); - } -} -```` - -### Bean的其他配置 -#### 1.id和name的区别 - -id遵守XML约束的id的约束。id约束保证这个**属性的值是唯一的**,而且必须以字母开始, -可以使用字母、数字、连字符、下划线、句话、冒号。name没有这些要。 - -#### 2.类的作用范围 -scope属性 : - -| 属性 | 解释 | -| :--: | :--: | -| singleton | 单例的(默认的值) | -| prototype | 多例的 | -| request | web开发中.创建了一个对象,将这个对象存入request范围,request.setAttribute() | -| session | web开发中.创建了一个对象,将这个对象存入session范围,session.setAttribute() | -| globalSession | 一般用于Porlet应用环境。指的是分布式开发。不是porlet环境,globalSession等同于session | - -注意:实际开发中主要使用**singleton**,**prototype** - -#### 3.Bean的生命周期: -配置初始化和销毁的方法: -```html -init-method=”setup” -destroy-method=”teardown” -``` -执行销毁的时候,必须手动关闭工厂,而且只对scope=”singleton”有效. - -Bean的生命周期的11个步骤: -- 1.instantiate bean对象实例化 -- 2.populate properties 封装属性 -- 3.如果Bean实现BeanNameAware 执行 setBeanName -- 4.如果Bean实现BeanFactoryAware 或者 ApplicationContextAware 设置工厂 setBeanFactory 或者上下文对象 setApplicationContext -- 5.如果存在类实现 BeanPostProcessor(后处理Bean) ,执行postProcessBeforeInitialization -- 6.如果Bean实现InitializingBean 执行 afterPropertiesSet -- 7.调用 指定初始化方法 init -- 8.如果存在类实现 BeanPostProcessor(处理Bean) ,执行postProcessAfterInitialization -- 9.执行业务处理 -- 10.如果Bean实现 DisposableBean 执行 destroy -- 11.调用 指定销毁方法 customerDestroy - - -### Bean中属性注入 -Spring支持两种属性注入方法: - -- 构造方法注入 -- setter方法注入 - -#### 1.构造器注入 -```html - - - - - - -``` - -#### 2.setter方法注入 -```html - - - - - - -``` - -```html - - - - - -``` - -```java -/** - * 构造方法注入 - */ -public class Car { - private String name; - private Double price; - - public Car() { - super(); - } - - public Car(String name, Double price) { - super(); - this.name = name; - this.price = price; - } - - @Override - public String toString() { - return "Car [name=" + name + ", price=" + price + "]"; - } -} -``` - -```java -/** - * setter方法注入 - */ -public class Car2 { - private String name; - private Double price; - - public void setName(String name) { - this.name = name; - } - public void setPrice(Double price) { - this.price = price; - } - @Override - public String toString() { - return "Car2 [name=" + name + ", price=" + price + "]"; - } -} -``` - -```java -public class Person { - private String name; - private Car2 car2; - public void setName(String name) { - this.name = name; - } - public void setCar2(Car2 car2) { - this.car2 = car2; - } - @Override - public String toString() { - return "Person [name=" + name + ", car2=" + car2 + "]"; - } -} -``` -- 测试属性注入: -```java -public class SpringTest { - @Test - public void demo1(){ - ApplicationContext applicationContext = new ClassPathXmlApplicationContext( - "applicationContext3.xml"); - Car car = (Car) applicationContext.getBean("car"); - System.out.println(car); - } - - @Test - public void demo2(){ - ApplicationContext applicationContext = new ClassPathXmlApplicationContext( - "applicationContext3.xml"); - Car2 car2 = (Car2) applicationContext.getBean("car2"); - System.out.println(car2); - } - - @Test - public void demo3(){ - ApplicationContext applicationContext = new ClassPathXmlApplicationContext( - "applicationContext3.xml"); - Person person = (Person) applicationContext.getBean("person"); - System.out.println(person); - } -} -``` - -### 集合属性的注入 -```html - - - - - - 童童 - 小凤 - - - - - - - 杜宏 - 如花 - - - - - - - - - - - - - - root - 123 - - - -``` - -```java -public class CollectionBean { - private List list; - private Set set; - private Map map; - private Properties properties; - - public void setSet(Set set) { - this.set = set; - } - - public void setList(List list) { - this.list = list; - } - - public void setMap(Map map) { - this.map = map; - } - - public void setProperties(Properties properties) { - this.properties = properties; - } - - @Override - public String toString() { - return "CollectionBean [list=" + list + ", set=" + set + ", map=" + map - + ", properties=" + properties + "]"; - } -} -``` -- 测试集合属性的注入 -```java -public class SpringTest { - @Test - public void demo1(){ - ApplicationContext applicationContext = new ClassPathXmlApplicationContext( - "applicationContext4.xml"); - CollectionBean collectionBean = (CollectionBean) applicationContext.getBean("collectionBean"); - System.out.println(collectionBean); - } -} -``` - -## IOC使用注解方式装配Bean -### Spring的注解装配Bean -Spring2.5 引入使用注解去定义Bean - -- @Component:描述Spring框架中Bean - -Spring的框架中提供了与@Component注解等效的三个注解: - -- @Repository 用于对DAO实现类进行标注 -- @Service 用于对Service实现类进行标注 -- @Controller 用于对Controller实现类进行标注 - -**普通属性**; -```java -@Value(value="itcast") -private String info; -``` - -**对象属性**:@Autowired--自动装配默认使用类型注入 - -```java -@Autowired -@Qualifier("userDao") -//按名称进行注入. -``` - -```java -@Autowired -@Qualifier("userDao") -private UserDao userDao; -``` -等价于 -```java -@Resource(name="userDao") -private UserDao userDao; -``` - -配置Bean初始化方法和销毁方法: -```java -@PostConstruct 初始化 -@PreDestroy 销毁 -``` -```java -@Repository("userDao") -public class UserDao { - -} -``` - -```java -/** - * 注解的方式装配Bean - */ -// 在Spring配置文件中 -// @Component("userService") -@Service(value="userService") -@Scope -public class UserService { - @Value(value="itcast") - private String info; - - @Autowired(required=true) - @Qualifier("userDao") - private UserDao userDao; - - //等价于 - //@Resource(name="userDao") - //private UserDao userDao; - - public void sayHello(){ - System.out.println("Hello Spring Annotation..."+info); - } - - @PostConstruct - public void setup(){ - System.out.println("初始化..."); - } - - @PreDestroy - public void teardown(){ - System.out.println("销毁..."); - } -} -``` - -```java -public class SpringTest { - @Test - public void test(){ - ClassPathXmlApplicationContext applicationContext = new ClassPathXmlApplicationContext( - "applicationContext5.xml"); - - UserService userService = (UserService) applicationContext.getBean("userService"); - userService.sayHello(); - System.out.println(userService); - - UserService userService2 = (UserService) applicationContext.getBean("userService"); - userService2.sayHello(); - System.out.println(userService2); - - applicationContext.close(); - } -} -``` - -## SpringIOC原理 -### IoC与DI -Ioc是Spring的核心,贯穿始终。 - -所谓IoC,对于Spring框架来说,就是由Spring来负责控制对象的生命周期和对象间的关系。 - -传统的程序开发中,在一个对象中,如果要使用另外的对象,就必须得到它(自己new一个,或者从JNDI中查询一个), -使用完之后还要将对象销毁(比如Connection等),对象始终会和其他的接口或类**藕合**起来。 - -所有的类都会在Spring容器中登记,告诉Spring你是个什么,你需要什么, -然后Spring会在系统运行到适当的时候,把你要的东西主动给你,同时也把你交给其他需要你的东西。 -**所有的类的创建、销毁都由 spring来控制**,也就是说控制对象生存周期的不再是引用它的对象,而是Spring。 -对于某个具体的对象而言,以前是它控制其他对象,现在是所有对象都被spring控制,所以这叫控制反转。 - -IoC的一个重点是在系统运行中,**动态的向某个对象提供它所需要的其他对象**。 -这一点是通过DI(Dependency Injection,依赖注入)来实现的。 -比如对象A需要操作数据库,以前我们总是要在A中自己编写代码来获得一个Connection对象, -有了Spring我们就只需要告诉Spring,A中需要一个Connection, -至于这个Connection怎么构造,何时构造,A不需要知道。 -在系统运行时,Spring会在适当的时候制造一个Connection,然后像打针一样, -注射到A当中,这样就完成了对各个对象之间关系的控制。 -A需要依赖 Connection才能正常运行,而这个Connection是由Spring注入到A中的,依赖注入的名字就这么来的。 - -那么DI是如何实现的呢? Java 1.3之后一个重要特征是反射(reflection), -它允许程序在运行的时候动态的生成对象、执行对象的方法、改变对象的属性, -**Spring就是通过反射来实现注入的**。 - -## SpringIOC源码分析 -### 初始化 -Spring IOC的初始化过程,整个脉络很庞大,初始化的过程主要就是**读取XML资源**,并**解析**, -最终**注册到Bean Factory中**。 - -
- -### 注入依赖 -当完成初始化IOC容器后,如果Bean没有设置lazy-init(延迟加载)属性,那么Bean的实例就会在初始化IOC完成之后,及时地进行**初始化**。 -初始化时会**创建实例**,然后根据配置利用反射对实例进行进一步操作,具体流程如下所示: - -
- -### [Spring核心源码学习](https://yikun.github.io/2015/05/29/Spring-IOC%E6%A0%B8%E5%BF%83%E6%BA%90%E7%A0%81%E5%AD%A6%E4%B9%A0/) \ No newline at end of file diff --git "a/Spring/04Spring\344\272\213\345\212\241\347\256\241\347\220\206.md" "b/Spring/04Spring\344\272\213\345\212\241\347\256\241\347\220\206.md" deleted file mode 100644 index 6b1a8c4..0000000 --- "a/Spring/04Spring\344\272\213\345\212\241\347\256\241\347\220\206.md" +++ /dev/null @@ -1,7 +0,0 @@ - -* [Spring事务管理](#Spring事务管理) - - -# Spring事务管理 - -[点击查找](https://juejin.im/post/5b010f27518825426539ba38),讲的非常详细。 \ No newline at end of file diff --git "a/Spring/05Spring\344\270\255Bean\347\232\204\347\224\237\345\221\275\345\221\250\346\234\237.md" "b/Spring/05Spring\344\270\255Bean\347\232\204\347\224\237\345\221\275\345\221\250\346\234\237.md" deleted file mode 100644 index 19a4a9e..0000000 --- "a/Spring/05Spring\344\270\255Bean\347\232\204\347\224\237\345\221\275\345\221\250\346\234\237.md" +++ /dev/null @@ -1,545 +0,0 @@ - -* [Spring中Bean的生命周期](#Spring中Bean的生命周期) - * [Bean的作用域](#Bean的作用域) - * [Bean的生命周期](#Bean的生命周期) - * [initialize和destroy](#initialize和destroy) - * [XxxAware接口](#XxxAware接口) - * [BeanPostProcessor](#BeanPostProcessor) - * [总结](#总结) - - -# Spring中Bean的生命周期 -Spring 中,组成应用程序的主体及由 Spring IOC 容器所管理的对象,被称之为 Bean。 -简单地讲,Bean 就是由 IOC 容器初始化、装配及管理的对象。 -Bean 的定义以及 Bean 相互间的依赖关系通过**配置元数据**来描述。 - -Spring中的Bean默认都是**单例**的, -这些单例Bean在多线程程序下如何保证线程安全呢? -例如对于Web应用来说,Web容器对于每个用户请求都创建一个单独的Sevlet线程来处理请求, -引入Spring框架之后,**每个Action都是单例的**, -那么对于Spring托管的单例Service Bean,如何保证其安全呢? -Spring使用ThreadLocal解决线程安全问题(为每一个线程都提供了一份变量,因此可以同时访问而互不影响)。 -Spring的单例是**基于BeanFactory**也就是Spring容器的,单例Bean在此容器内只有一个, -**Java的单例是基于 JVM,每个 JVM 内只有一个实例**。 - -## Bean的作用域 - -Spring Framework支持五种作用域: - -| 类别 | 说明 | -| :--:| :--: | -| singleton | 在SpringIOC容器中仅存在一个Bean实例,Bean以单例方式存在 | -| prototype | 每次从容器中调用Bean时,都返回一个新的实例 | -| request | 每次HTTP请求都会创建一个新的Bean,该作用域仅适用于WebApplicationContext环境 | -| session | 同一个Http Session共享一个Bean,不同Session使用不同Bean,仅适用于WebApplicationContext环境 | -| globalSession | 一般同于Portlet应用环境,该作用域仅适用于WebApplicationContext环境 | - -注意:五种作用域中, -request、session 和 global session -三种作用域仅在基于web的应用中使用(不必关心你所采用的是什么web应用框架), -只能用在基于 web 的 Spring ApplicationContext 环境。 - -### 1. singleton - -当一个 Bean 的作用域为 singleton,那么Spring IoC容器中只会存在一个**共享的 Bean 实例**, -并且所有对 Bean 的请求,只要 id 与该 Bean 定义相匹配,则只会**返回 Bean 的同一实例**。 - -singleton 是单例类型(对应于单例模式),就是**在创建容器时就同时自动创建一个Bean对象**, -不管你是否使用,但我们可以指定Bean节点的 lazy-init="true" 来延迟初始化Bean, -这时候,只有在第一次获取Bean时才会初始化Bean,即第一次请求该bean时才初始化。 每次获取到的对象都是同一个对象。 -注意,singleton 作用域是Spring中的**缺省作用域**。 - -- 配置文件XML中将 Bean 定义成 singleton : -```html - -``` - -- @Scope 注解的方式: - -```java -@Service -@Scope("singleton") -public class ServiceImpl{ - -} -``` - -#### 2. prototype - -当一个Bean的作用域为 prototype,表示一个 Bean 定义对应多个对象实例。 -prototype 作用域的 Bean 会导致在每次对该 Bean 请求 -(将其注入到另一个 Bean 中,或者以程序的方式调用容器的 getBean() 方法)时都会创建一个新的 bean 实例。 -prototype 是原型类型,它在我们创建容器的时候并没有实例化, -而是当我们获取Bean的时候才会去创建一个对象,而且我们每次获取到的对象都不是同一个对象。 - -根据经验,**对有状态的 Bean 应该使用 prototype 作用域,而对无状态的 Bean 则应该使用 singleton 作用域。** - -- 配置文件XML中将 Bean 定义成 prototype : - -```html - -``` -或者 - -```html - -``` - -- @Scope 注解的方式: - -```java -@Service -@Scope("prototype") -public class ServiceImpl{ - -} -``` - -### 3. request - -request只适用于**Web程序**,每一次 HTTP 请求都会产生一个新的 Bean , -同时该 Bean 仅在当前HTTP request内有效,当请求结束后,该对象的生命周期即告结束。 - -在 XML 中将 bean 定义成 request ,可以这样配置: - -- 配置文件XML中将 Bean 定义成 prototype : - -```html - -``` - - -### 4. session - -session只适用于**Web程序**, -session 作用域表示该针对每一次 HTTP 请求都会产生一个新的 Bean, -同时**该 Bean 仅在当前 HTTP session 内有效**。 -与request作用域一样,可以根据需要放心的更改所创建实例的内部状态, -而别的 HTTP session 中根据 userPreferences 创建的实例, -将不会看到这些特定于某个 HTTP session 的状态变化。 -当HTTP session最终被废弃的时候,在该HTTP session作用域内的bean也会被废弃掉。 - -```html - -``` - -### 5. globalSession - -globalSession 作用域**类似于标准的 HTTP session** 作用域, -不过仅仅在基于 portlet 的 Web 应用中才有意义。 -Portlet 规范定义了全局 Session 的概念, -它被所有构成某个 portlet web 应用的各种不同的 portlet所共享。 -在globalSession 作用域中定义的 bean 被限定于全局portlet Session的生命周期范围内。 - -```html - -``` - -## Bean的生命周期 - -Spring容器在创建、初始化和销毁Bean的过程中做了哪些事情: - -```java -Spring容器初始化 -===================================== -调用GiraffeService无参构造函数 -GiraffeService中利用set方法设置属性值 -调用setBeanName:: Bean Name defined in context=giraffeService -调用setBeanClassLoader,ClassLoader Name = sun.misc.Launcher$AppClassLoader -调用setBeanFactory,setBeanFactory:: giraffe bean singleton=true -调用setEnvironment -调用setResourceLoader:: Resource File Name=spring-beans.xml -调用setApplicationEventPublisher -调用setApplicationContext:: Bean Definition Names=[giraffeService, org.springframework.context.annotation.CommonAnnotationBeanPostProcessor#0, com.giraffe.spring.service.GiraffeServicePostProcessor#0] -执行BeanPostProcessor的postProcessBeforeInitialization方法,beanName=giraffeService -调用PostConstruct注解标注的方法 -执行InitializingBean接口的afterPropertiesSet方法 -执行配置的init-method -执行BeanPostProcessor的postProcessAfterInitialization方法,beanName=giraffeService -Spring容器初始化完毕 -===================================== -从容器中获取Bean -giraffe Name=张三 -===================================== -调用preDestroy注解标注的方法 -执行DisposableBean接口的destroy方法 -执行配置的destroy-method -Spring容器关闭 -``` - -### initialize和destroy - -有时我们需要在Bean属性值设置好之后和Bean销毁之前做一些事情, -比如检查Bean中某个属性是否被正常的设置好了。 -Spring框架提供了多种方法让我们可以在Spring Bean的生命周期中执行initialization和pre-destroy方法。 - -> InitializingBean 和 DisposableBean 接口 - -- InitializingBean 接口 : -```java -public interface InitializingBean { - void afterPropertiesSet() throws Exception; -} -``` - -- DisposableBean 接口 : -```java -public interface DisposableBean { - void destroy() throws Exception; -} -``` - -实现 InitializingBean 接口的afterPropertiesSet()方法可以在**Bean属性值设置好之后做一些操作**, -实现DisposableBean接口的destroy()方法可以在**销毁Bean之前做一些操作**。 - -```java -public class GiraffeService implements InitializingBean,DisposableBean { - @Override - public void afterPropertiesSet() throws Exception { - System.out.println("执行InitializingBean接口的afterPropertiesSet方法"); - } - @Override - public void destroy() throws Exception { - System.out.println("执行DisposableBean接口的destroy方法"); - } -} -``` -这种方法比较简单,但是不建议使用。 -因为这样会**将Bean的实现和Spring框架耦合在一起**。 - -> init-method 和 destroy-method 方法 - -配置文件中的配值init-method 和 destroy-method : - -```html - - -``` - -```java -public class GiraffeService { - //通过的destroy-method属性指定的销毁方法 - public void destroyMethod() throws Exception { - System.out.println("执行配置的destroy-method"); - } - //通过的init-method属性指定的初始化方法 - public void initMethod() throws Exception { - System.out.println("执行配置的init-method"); - } -} -``` - -需要注意的是自定义的init-method和post-method方法**可以抛异常但是不能有参数**。 - -这种方式比较推荐,因为可以**自己创建方法,无需将Bean的实现直接依赖于Spring的框架**。 - -> @PostConstruct 和 @PreDestroy注解 - -Spring 支持用 @PostConstruct和 @PreDestroy注解来指定 init 和 destroy 方法。 -这两个注解均在javax.annotation 包中。 -为了注解可以生效, -需要在配置文件中定义 -org.springframework.context.annotation.CommonAnnotationBeanPostProcessor。 - -```html - -``` - -```java -public class GiraffeService { - @PostConstruct - public void initPostConstruct(){ - System.out.println("执行PostConstruct注解标注的方法"); - } - @PreDestroy - public void preDestroy(){ - System.out.println("执行preDestroy注解标注的方法"); - } -} -``` - -### XxxAware接口 - -有些时候我们需要在 Bean 的初始化中**使用 Spring 框架自身的一些对象**来执行一些操作, -比如获取 ServletContext 的一些参数,获取 ApplicaitionContext 中的 BeanDefinition 的名字,获取 Bean 在容器中的名字等等。 -为了让 Bean 可以获取到框架自身的一些对象,Spring 提供了一组名为 XxxAware 的接口。 - -XxxAware接口均继承于org.springframework.beans.factory.Aware标记接口, -并提供一个将由 Bean 实现的set*方法, -Spring通过基于setter的依赖注入方式使相应的对象可以被Bean使用。 - -常见的 XxxAware 接口: - -| 接口 | 说明 | -| :--: | :--: | -| ApplicationContextAware | 获得ApplicationContext对象,可以用来获取所有BeanDefinition的名字。 | -| BeanFactoryAware | 获得BeanFactory对象,可以用来检测Bean的作用域。 | -| BeanNameAware | 获得Bean在配置文件中定义的name。 | -| ResourceLoaderAware | 获得ResourceLoader对象,可以获得classpath中某个文件。 | -| ServletContextAware | 在一个MVC应用中可以获取ServletContext对象,可以读取context中的参数。 | -| ServletConfigAware | 在一个MVC应用中可以获取ServletConfig对象,可以读取config中的参数。 | - -```java -public class GiraffeService implements ApplicationContextAware, - ApplicationEventPublisherAware, BeanClassLoaderAware, BeanFactoryAware, - BeanNameAware, EnvironmentAware, ImportAware, ResourceLoaderAware{ - - @Override - public void setBeanClassLoader(ClassLoader classLoader) { - System.out.println("执行setBeanClassLoader,ClassLoader Name = " + classLoader.getClass().getName()); - } - - @Override - public void setBeanFactory(BeanFactory beanFactory) throws BeansException { - System.out.println("执行setBeanFactory,setBeanFactory:: giraffe bean singleton=" + beanFactory.isSingleton("giraffeService")); - } - - @Override - public void setBeanName(String s) { - System.out.println("执行setBeanName:: Bean Name defined in context=" - + s); - } - - @Override - public void setApplicationContext(ApplicationContext applicationContext) throws BeansException { - System.out.println("执行setApplicationContext:: Bean Definition Names=" - + Arrays.toString(applicationContext.getBeanDefinitionNames())); - } - - @Override - public void setApplicationEventPublisher(ApplicationEventPublisher applicationEventPublisher) { - System.out.println("执行setApplicationEventPublisher"); - } - - @Override - public void setEnvironment(Environment environment) { - System.out.println("执行setEnvironment"); - } - - @Override - public void setResourceLoader(ResourceLoader resourceLoader) { - Resource resource = resourceLoader.getResource("classpath:spring-beans.xml"); - System.out.println("执行setResourceLoader:: Resource File Name=" - + resource.getFilename()); - } - - @Override - public void setImportMetadata(AnnotationMetadata annotationMetadata) { - System.out.println("执行setImportMetadata"); - } -} -``` - -### BeanPostProcessor -上面的XxxAware接口是**针对某个实现这些接口的Bean定制初始化的过程**, -Spring同样可以针对容器中的所有Bean,或者某些Bean定制初始化过程, -只需提供一个实现BeanPostProcessor接口的类即可。 - -- BeanPostProcessor 接口: -```java -public interface BeanPostProcessor{ - //postProcessBeforeInitialization方法会在容器中的Bean初始化之前执行 - public abstract Object postProcessBeforeInitialization(Object obj, String s) - throws BeansException; - - //postProcessAfterInitialization方法在容器中的Bean初始化之后执行 - public abstract Object postProcessAfterInitialization(Object obj, String s) - throws BeansException; -} -``` - -```java -public class CustomerBeanPostProcessor implements BeanPostProcessor { - @Override - public Object postProcessBeforeInitialization(Object bean, String beanName) - throws BeansException { - System.out.println("执行BeanPostProcessor的postProcessBeforeInitialization方法,beanName=" - + beanName); - return bean; - } - @Override - public Object postProcessAfterInitialization(Object bean, String beanName) - throws BeansException { - System.out.println("执行BeanPostProcessor的postProcessAfterInitialization方法,beanName=" - + beanName); - return bean; - } -} -``` - -将实现BeanPostProcessor接口的Bean像其他Bean一样定义在配置文件中: - -```html - -``` - -### 总结 -Spring Bean的生命周期 - -1. Bean容器找到配置文件中 Spring Bean 的定义。 - -2. Bean容器利用Java Reflection API创建一个Bean的实例。 - -3. 如果涉及到一些属性值,利用set方法设置一些属性值。 - -4. 如果Bean实现了BeanNameAware接口,调用setBeanName()方法,传入Bean的名字。 - -5. 如果Bean实现了BeanClassLoaderAware接口,调用setBeanClassLoader()方法,传入ClassLoader对象的实例。 - -6. 如果Bean实现了BeanFactoryAware接口,调用setBeanClassLoader()方法,传入ClassLoader对象的实例。 - -7. 与上面的类似,如果实现了其他*Aware接口,就调用相应的方法。 - -8. 如果有和加载这个Bean的Spring容器相关的BeanPostProcessor对象, -执行postProcessBeforeInitialization()方法 - -9. 如果Bean实现了InitializingBean接口,执行afterPropertiesSet()方法。 - -10. 如果Bean在配置文件中的定义包含init-method属性,执行指定的方法。 - -11. 如果有和加载这个Bean的Spring容器相关的BeanPostProcessor对象, -执行postProcessAfterInitialization()方法 - -12. 当要销毁Bean的时候,如果Bean实现了DisposableBean接口,执行destroy()方法; -如果Bean在配置文件中的定义包含destroy-method属性,执行指定的方法。 - - -
- - -很多时候我们并不会真的去实现上面说描述的那些接口, -那么下面我们就除去那些接口,针对 Bean 的单例和非单例来描述下 Bean 的生命周期: - -> **1. 单例管理的对象** - -scope="singleton",即默认情况下,会在启动容器时(即实例化容器时)时实例化。 -但我们可以指定 lazy-init="true"。这时候,只有在第一次获取 Bean 时才会初始化 Bean, -即第一次请求该 Bean时才初始化。配置如下: - -```html - -``` - -想对所有的默认单例Bean都应用延迟初始化, -可以在根节点beans 指定default-lazy-init="true",如下所示: - -```html - -``` - -默认情况下,Spring 在读取 xml 文件的时候,就会创建对象。 -在创建对象的时候先调用**构造器**,然后调用 **init-method 属性值中所指定的方法**。 -对象在被销毁的时候,会调用 **destroy-method 属性值中所指定的方法**。 - -- LifeCycleBean : -```java -public class LifeCycleBean { - private String name; - - public LifeCycleBean(){ - System.out.println("LifeCycleBean()构造函数"); - } - public String getName() { - return name; - } - - public void setName(String name) { - System.out.println("setName()"); - this.name = name; - } - - public void init(){ - System.out.println("this is init of lifeBean"); - } - - public void destroy(){ - System.out.println("this is destory of lifeBean " + this); - } -} -``` - -- 配置文件 : -```html - -``` - -- 测试 : - -```java -public class LifeTest { - @Test - public void test() { - AbstractApplicationContext context = - new ClassPathXmlApplicationContext("lifeCycleBean.xml"); - LifeCycleBean life = (LifeCycleBean) context.getBean("lifeCycleBean"); - System.out.println("life:"+life); - context.close(); - } -} -``` - -- 输出结果: - -```html -LifeBean()构造函数 -this is init of lifeBean -life:com.southeast.bean.LifeCycleBean@573f2bb1 -this is destory of lifeBean com.southeast.bean.LifeCycleBean@573f2bb1 -``` - -> **2. 非单例管理的对象** - -当 scope= "prototype" 时,容器也会延迟初始化 Bean, -Spring 读取xml 文件的时候,并不会立刻创建对象,而是在第一次请求该 Bean 时才初始化(如调用getBean方法时)。 - -在第一次请求每一个 prototype 的 Bean 时,Spring容器都会调用其构造器创建这个对象, -然后调用init-method属性值中所指定的方法。 -对象销毁的时候,Spring 容器不会帮我们调用任何方法,因为是非单例, -这个类型的对象有很多个,**Spring容器一旦把这个对象交给你之后,就不再管理这个对象了**。 - -- 配置文件 : -```html - -``` - -- 测试: - -```java -public class LifeTest2 { - @Test - public void test() { - AbstractApplicationContext context = - new ClassPathXmlApplicationContext("lifeCycleBean.xml"); - LifeCycleBean life = (LifeCycleBean) context.getBean("lifeCycleBean"); - System.out.println("life:"+life); - - LifeCycleBean life2 = (LifeCycleBean) context.getBean("lifeCycleBeans"); - System.out.println("life2:"+life2); - context.close(); - } -} -``` - -- 输出结果: -```html -LifeBean()构造函数 -this is init of lifeBean -life:com.southeast.bean.LifeCycleBean@573f2bb1 -LifeBean()构造函数 -this is init of lifeBean -life2:com.southeast.bean.LifeCycleBean@5ae9a829 -this is destory of lifeBean LifeCycleBean@573f2bb1 -``` - -作用域为 prototype 的 Bean ,其destroy方法并没有被调用。 -如果 bean 的 scope 设为prototype时,当容器关闭时,destroy 方法不会被调用。 -对于 prototype 作用域的 bean,有一点非常重要, - -**Spring 容器可以管理 singleton 作用域下 Bean 的生命周期, -在此作用域下,Spring 能够精确地知道 Bean 何时被创建,何时初始化完成,以及何时被销毁。 -而对于 prototype 作用域的bean,Spring只负责创建,当容器创建了 Bean 的实例后,Bean 的实例就交给了客户端的代码管理, -Spring容器将不再跟踪其生命周期,并且不会管理那些被配置成prototype作用域的Bean的生命周期**。 \ No newline at end of file diff --git a/Spring/06SpringMVC.md b/Spring/06SpringMVC.md deleted file mode 100644 index 8883dab..0000000 --- a/Spring/06SpringMVC.md +++ /dev/null @@ -1,330 +0,0 @@ - -* [SpringMVC](#SpringMVC) - * [MVC设计模式](#MVC设计模式) - * [SpringMVC框架](#SpringMVC框架) - - -# SpringMVC - -## MVC设计模式 - -MVC 的原理图: - -
- -- Model(模型端) - -Model 封装的是数据源和所有基于对这些数据的操作。 -在一个组件中,Model往往表示组件的状态和操作这些状态的方法,往往是一系列的公开方法。 -通过这些公开方法,便可以取得模型端的所有功能。 - -在这些公开方法中,有些是取值方法,让系统其他部分可以得到模型端的内部状态参数, -其他的改值方法则允许外部修改模型端的内部状态。 -模型端还必须有方法登记视图,以便在模型端的内部状态发生变化时,可以通知视图端。 -我们可以自己定义一个Subject接口来提供登记和通知视图所需的接口或者继承 Java.util.Observable类,让父类完成这件事。 - -- View(视图端) - -View封装的是对数据源Model的一种显示。 -一个模型可以由多个视图,并且可以在需要的时候动态地登记上所需的视图。 -而一个视图理论上也可以同不同的模型关联起来。 - -- Controller(控制器端) - -封装的是外界作用于模型的操作。通常,这些操作会转发到模型上, -并调用模型中相应的一个或者多个方法(这个方法就是前面在介绍模型的时候说的改值方法)。 -一般Controller在Model和View之间起到了沟通的作用,处理用户在View上的输入,并转发给Model来更改其状态值。 -这样 Model 和 View 两者之间可以做到松散耦合,甚至可以彼此不知道对方,而由Controller连接起这两个部分。也在前言里提到,MVC用到了策略模式,这是因为View用一个特定的Controller的实例来实现一个特定的响应策略,更换不同的Controller,可以改变View对用户输入的响应。 - -MVC(Model-View-Controller): -利用"观察者"让控制器和视图可以随最新的状态改变而更新。 -另一方面,视图和控制器则实现了"策略模式"。控制器是视图的行为。 - - -- [观察者模式](https://github.com/DuHouAn/Java/blob/master/Object_Oriented/notes/02%E8%A1%8C%E4%B8%BA%E5%9E%8B.md#7-%E8%A7%82%E5%AF%9F%E8%80%85observer) - -- [策略模式](https://github.com/DuHouAn/Java/blob/master/Object_Oriented/notes/02%E8%A1%8C%E4%B8%BA%E5%9E%8B.md#9-%E7%AD%96%E7%95%A5strategy) - - -## SpringMVC框架 - -SpringMVC 框架是以请求为驱动,围绕 Servlet 设计, -将请求发给控制器,然后通过模型对象,分派器来展示请求结果视图。 -其中核心类是 DispatcherServlet,它是一个 Servlet,顶层实现Servlet接口。 - -### 1. 使用 - -需要在 web.xml 中配置 DispatcherServlet 。 -并且需要配置 Spring 监听器ContextLoaderListener - -- 配置监听器: -```html - - org.springframework.web.context.ContextLoaderListener - - -``` - -- 配置 DispatcherServlet: -```html - - springmvc - org.springframework.web.servlet.DispatcherServlet - - - contextConfigLocation - classpath:spring/springmvc-servlet.xml - - 1 - - - springmvc - / - -``` - -### 2. 原理 - -原理图如下: - -
- -**流程说明**: - -1. 客户端(浏览器)发送请求,直接请求到 DispatcherServlet。 - -2. DispatcherServlet 根据请求信息调用 HandlerMapping,解析请求对应的 Handler。 - -3. 解析到对应的 Handler(也就是我们平常说的 Controller 控制器)后, -开始由 HandlerAdapter 适配器处理。 - -4. HandlerAdapter 会根据 Handler 来调用真正的处理器开处理请求, -并处理相应的业务逻辑。 - -5. 处理器处理完业务后,会返回一个 ModelAndView 对象, -Model 是返回的数据对象,View 是个**逻辑上的 View**。 - -6. ViewResolver 会根据逻辑 View 查找实际的 View。 - -7. DispaterServlet 把返回的 Model 传给 View(视图渲染)。 - -8. 把 View 返回给请求者(浏览器) - -### 3. 重要组件 - -> DispatcherServlet - -前端控制器,不需要工程师开发,由框架提供。 - -作用:**Spring MVC 的入口函数**。**接收请求,响应结果,相当于转发器,中央处理器**。 -有了 DispatcherServlet 减少了其它组件之间的耦合度。 -DispatcherServlet是整个流程控制的中心,由它调用其它组件处理用户的请求, -DispatcherServlet的存在**降低了组件之间的耦合性**。 - -> HandlerMapping - -处理器映射器,不需要工程师开发,由框架提供。 - -作用:根据请求的url查找Handler。 -**HandlerMapping负责根据用户请求找到Handler即处理器(Controller)**, -SpringMVC提供了不同的映射器实现不同的映射方式, -例如:配置文件方式,实现接口方式,注解方式等。 - -> HandlerAdapter - -处理器适配器 - -作用:按照特定规则(HandlerAdapter要求的规则)去执行Handler, -通过HandlerAdapter对处理器进行执行,这是适配器模式的应用, -通过扩展适配器可以对更多类型的处理器进行执行。 - -[适配器模式](https://github.com/DuHouAn/Java/blob/master/Object_Oriented/notes/03%E7%BB%93%E6%9E%84%E5%9E%8B.md#1-%E9%80%82%E9%85%8D%E5%99%A8adapter) - -> Handler - -处理器,需要工程师开发 - -注意:编写Handler时按照HandlerAdapter的要求去做, -这样适配器才可以去正确执行Handler, -Handler是继DispatcherServlet前端控制器的**后端控制器**, -在DispatcherServlet的控制下Handler对具体的用户请求进行处理。 -由于Handler涉及到具体的用户业务请求, -所以一般情况需要工程师根据业务需求开发Handler。 - -> ViewResolver - -视图解析器,不需要工程师开发,由框架提供 - -作用:进行视图解析,根据逻辑视图名解析成真正的视图(view)。 -ViewResolver负责将处理结果生成View视图, -ViewResolver首先根据逻辑视图名解析成物理视图名即具体的页面地址, -再生成View视图对象,最后对View进行渲染将处理结果通过页面展示给用户。 -springmvc框架提供了很多的View视图类型, -包括:jstlView、freemarkerView、pdfView等。 -一般情况下需要通过页面标签或页面模版技术将模型数据通过页面展示给用户, -需要由工程师根据业务需求开发具体的页面。 - -> View - -视图View,需要工程师开发。 - -View是一个接口,实现类支持不同的View类型(jsp、freemarker、pdf...) - -### 4. DispatcherServlet 源码解析 - -```java -package org.springframework.web.servlet; - -@SuppressWarnings("serial") -public class DispatcherServlet extends FrameworkServlet { - public static final String MULTIPART_RESOLVER_BEAN_NAME = "multipartResolver"; - public static final String LOCALE_RESOLVER_BEAN_NAME = "localeResolver"; - public static final String THEME_RESOLVER_BEAN_NAME = "themeResolver"; - public static final String HANDLER_MAPPING_BEAN_NAME = "handlerMapping"; - public static final String HANDLER_ADAPTER_BEAN_NAME = "handlerAdapter"; - public static final String HANDLER_EXCEPTION_RESOLVER_BEAN_NAME = "handlerExceptionResolver"; - public static final String REQUEST_TO_VIEW_NAME_TRANSLATOR_BEAN_NAME = "viewNameTranslator"; - public static final String VIEW_RESOLVER_BEAN_NAME = "viewResolver"; - public static final String FLASH_MAP_MANAGER_BEAN_NAME = "flashMapManager"; - public static final String WEB_APPLICATION_CONTEXT_ATTRIBUTE = - DispatcherServlet.class.getName() + ".CONTEXT"; - public static final String LOCALE_RESOLVER_ATTRIBUTE = - DispatcherServlet.class.getName() + ".LOCALE_RESOLVER"; - public static final String THEME_RESOLVER_ATTRIBUTE = - DispatcherServlet.class.getName() + ".THEME_RESOLVER"; - public static final String THEME_SOURCE_ATTRIBUTE = - DispatcherServlet.class.getName() + ".THEME_SOURCE"; - public static final String INPUT_FLASH_MAP_ATTRIBUTE = - DispatcherServlet.class.getName() + ".INPUT_FLASH_MAP"; - public static final String OUTPUT_FLASH_MAP_ATTRIBUTE = - DispatcherServlet.class.getName() + ".OUTPUT_FLASH_MAP"; - public static final String FLASH_MAP_MANAGER_ATTRIBUTE = - DispatcherServlet.class.getName() + ".FLASH_MAP_MANAGER"; - public static final String EXCEPTION_ATTRIBUTE = - DispatcherServlet.class.getName() + ".EXCEPTION"; - public static final String PAGE_NOT_FOUND_LOG_CATEGORY = - "org.springframework.web.servlet.PageNotFound"; - private static final String DEFAULT_STRATEGIES_PATH = - "DispatcherServlet.properties"; - protected static final Log pageNotFoundLogger = - LogFactory.getLog(PAGE_NOT_FOUND_LOG_CATEGORY); - private static final Properties defaultStrategies; - static { - try { - ClassPathResource resource = - new ClassPathResource(DEFAULT_STRATEGIES_PATH, DispatcherServlet.class); - defaultStrategies = PropertiesLoaderUtils.loadProperties(resource); - } - catch (IOException ex) { - throw new IllegalStateException("Could not load 'DispatcherServlet.properties': " + ex.getMessage()); - } - } - - /** Detect all HandlerMappings or just expect "handlerMapping" bean? */ - private boolean detectAllHandlerMappings = true; - - /** Detect all HandlerAdapters or just expect "handlerAdapter" bean? */ - private boolean detectAllHandlerAdapters = true; - - /** Detect all HandlerExceptionResolvers or just expect "handlerExceptionResolver" bean? */ - private boolean detectAllHandlerExceptionResolvers = true; - - /** Detect all ViewResolvers or just expect "viewResolver" bean? */ - private boolean detectAllViewResolvers = true; - - /** Throw a NoHandlerFoundException if no Handler was found to process this request? **/ - private boolean throwExceptionIfNoHandlerFound = false; - - /** Perform cleanup of request attributes after include request? */ - private boolean cleanupAfterInclude = true; - - /** MultipartResolver used by this servlet */ - private MultipartResolver multipartResolver; - - /** LocaleResolver used by this servlet */ - private LocaleResolver localeResolver; - - /** ThemeResolver used by this servlet */ - private ThemeResolver themeResolver; - - /** List of HandlerMappings used by this servlet */ - private List handlerMappings; - - /** List of HandlerAdapters used by this servlet */ - private List handlerAdapters; - - /** List of HandlerExceptionResolvers used by this servlet */ - private List handlerExceptionResolvers; - - /** RequestToViewNameTranslator used by this servlet */ - private RequestToViewNameTranslator viewNameTranslator; - - private FlashMapManager flashMapManager; - - /** List of ViewResolvers used by this servlet */ - private List viewResolvers; - - public DispatcherServlet() { - super(); - } - - public DispatcherServlet(WebApplicationContext webApplicationContext) { - super(webApplicationContext); - } - @Override - protected void onRefresh(ApplicationContext context) { - initStrategies(context); - } - - protected void initStrategies(ApplicationContext context) { - initMultipartResolver(context); - initLocaleResolver(context); - initThemeResolver(context); - initHandlerMappings(context); - initHandlerAdapters(context); - initHandlerExceptionResolvers(context); - initRequestToViewNameTranslator(context); - initViewResolvers(context); - initFlashMapManager(context); - } -} -``` - -DispatcherServlet类中与属性相关的Bean: - -| Bean | 说明 | -| :---: | :--: | -| HandlerMapping | 用于Handlers映射请求和一系列的对于拦截器的前处理和后处理,大部分用@Controller注解。 | -| HandlerAdapter | 帮助DispatcherServlet处理映射请求处理程序的适配器,而不用考虑实际调用的是哪个处理程序。| -| ViewResolver | 根据实际配置解析实际的View类型 | -| ThemeResolver | 解决Web应用程序可以使用的主题,例如提供个性化布局。| -| MultipartResolver | 解析多部分请求,以支持从HTML表单上传文件。 | -| FlashMapManager | 存储并检索可用于将一个请求属性传递到另一个请求的input和output的FlashMap,通常用于重定向。| - -在Web MVC框架中,每个DispatcherServlet都拥自己的 WebApplicationContext, -它继承了ApplicationContext。 -WebApplicationContext 包含了其上下文和Servlet实例之间共享的所有的基础框架的Bean。 - -> HandlerMapping - -HandlerMapping 接口的实现类: -- SimpleUrlHandlerMapping 类通过**配置文件**把URL映射到Controller类。 -- DefaultAnnotationHandlerMapping 类通过**注解**把URL映射到Controller类。 - -> HandlerAdapter - -HandlerAdapter 接口的实现类: -- AnnotationMethodHandlerAdapter 类通过注解,把请求URL映射到Controller类的方法上。 - -> HandlerExceptionResolver - -HandlerExceptionResolver 接口的实现类: -- SimpleMappingExceptionResolver 类通过配置文件进行异常处理。 -- AnnotationMethodHandlerExceptionResolver 类通过注解进行异常处理。 - -> ViewResolver - -ViewResolver接口实现类: - -- UrlBasedViewResolver 类通过配置文件,把一个视图名交给到一个View来处理。 \ No newline at end of file diff --git a/Spring/TinySpring/pom.xml b/Spring/TinySpring/pom.xml deleted file mode 100644 index 3ea7037..0000000 --- a/Spring/TinySpring/pom.xml +++ /dev/null @@ -1,124 +0,0 @@ - - - 4.0.0 - - com.southeast - com.southeast - 1.0-SNAPSHOT - war - - com.southeast Maven Webapp - - http://www.example.com - - - UTF-8 - 1.8 - 1.8 - - - - - junit - junit - 4.11 - test - - - - aopalliance - aopalliance - 1.0 - - - - org.aspectj - aspectjweaver - 1.8.13 - - - - cglib - cglib-nodep - 2.1_3 - - - org.springframework - spring-context - 4.3.13.RELEASE - - - org.springframework - spring-test - 4.3.13.RELEASE - - - org.testng - testng - RELEASE - - - junit - junit - 4.12 - - - org.xerial.snappy - snappy-java - 1.0.4.1 - - - - - - - org.apache.maven.plugins - maven-compiler-plugin - 3.1 - - 1.8 - 1.8 - UTF-8 - - - - org.apache.maven.plugins - maven-resources-plugin - 2.6 - - UTF-8 - - - - org.apache.maven.plugins - maven-source-plugin - 2.2.1 - - - attach-sources - - jar - - - - - - org.apache.maven.plugins - maven-javadoc-plugin - 2.9.1 - - UTF-8 - - - - attach-javadocs - - jar - - - - - - - \ No newline at end of file diff --git a/Spring/TinySpring/src/applicationContext.xml b/Spring/TinySpring/src/applicationContext.xml deleted file mode 100644 index 3412273..0000000 --- a/Spring/TinySpring/src/applicationContext.xml +++ /dev/null @@ -1,15 +0,0 @@ - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/Spring/TinySpring2/pom.xml b/Spring/TinySpring2/pom.xml deleted file mode 100644 index 31927c8..0000000 --- a/Spring/TinySpring2/pom.xml +++ /dev/null @@ -1,101 +0,0 @@ - - - 4.0.0 - - com.southeast - com.southeast - 1.0-SNAPSHOT - war - - com.southeast Maven Webapp - - http://www.example.com - - - UTF-8 - 1.8 - 1.8 - - - - - junit - junit - 4.7 - test - - - aopalliance - aopalliance - 1.0 - - - org.aspectj - aspectjweaver - 1.6.11 - - - cglib - cglib-nodep - 2.1_3 - - - org.testng - testng - 7.0.0-beta3 - - - - - - - org.apache.maven.plugins - maven-compiler-plugin - 3.1 - - 1.8 - 1.8 - UTF-8 - - - - org.apache.maven.plugins - maven-resources-plugin - 2.6 - - UTF-8 - - - - org.apache.maven.plugins - maven-source-plugin - 2.2.1 - - - attach-sources - - jar - - - - - - org.apache.maven.plugins - maven-javadoc-plugin - 2.9.1 - - UTF-8 - - - - attach-javadocs - - jar - - - - - - - \ No newline at end of file diff --git a/Spring/pics/01_1.png b/Spring/pics/01_1.png deleted file mode 100644 index 1bcb8af..0000000 Binary files a/Spring/pics/01_1.png and /dev/null differ diff --git a/Spring/pics/01_2.png b/Spring/pics/01_2.png deleted file mode 100644 index 58360fb..0000000 Binary files a/Spring/pics/01_2.png and /dev/null differ diff --git a/Spring/pics/02_1.png b/Spring/pics/02_1.png deleted file mode 100644 index c4748cd..0000000 Binary files a/Spring/pics/02_1.png and /dev/null differ diff --git a/Spring/pics/03_1.png b/Spring/pics/03_1.png deleted file mode 100644 index 75e9c19..0000000 Binary files a/Spring/pics/03_1.png and /dev/null differ diff --git a/Spring/pics/03_2.png b/Spring/pics/03_2.png deleted file mode 100644 index 21fb3e3..0000000 Binary files a/Spring/pics/03_2.png and /dev/null differ diff --git a/Spring/pics/03_3.png b/Spring/pics/03_3.png deleted file mode 100644 index 81b2ba8..0000000 Binary files a/Spring/pics/03_3.png and /dev/null differ diff --git a/Spring/pics/03_4.png b/Spring/pics/03_4.png deleted file mode 100644 index e91de3b..0000000 Binary files a/Spring/pics/03_4.png and /dev/null differ diff --git a/Spring/pics/03_5.png b/Spring/pics/03_5.png deleted file mode 100644 index 59f9aa8..0000000 Binary files a/Spring/pics/03_5.png and /dev/null differ diff --git a/Spring/pics/05_1.jpg b/Spring/pics/05_1.jpg deleted file mode 100644 index 16f76dd..0000000 Binary files a/Spring/pics/05_1.jpg and /dev/null differ diff --git a/Spring/pics/06_1.jpg b/Spring/pics/06_1.jpg deleted file mode 100644 index 19019d5..0000000 Binary files a/Spring/pics/06_1.jpg and /dev/null differ diff --git a/Spring/pics/06_2.jpg b/Spring/pics/06_2.jpg deleted file mode 100644 index 202d1bf..0000000 Binary files a/Spring/pics/06_2.jpg and /dev/null differ diff --git "a/SystemDesign/02\345\210\206\345\270\203\345\274\217\344\272\213\345\212\241.md" "b/SystemDesign/02\345\210\206\345\270\203\345\274\217\344\272\213\345\212\241.md" deleted file mode 100644 index e691e81..0000000 --- "a/SystemDesign/02\345\210\206\345\270\203\345\274\217\344\272\213\345\212\241.md" +++ /dev/null @@ -1,59 +0,0 @@ - -* [二、分布式事务](#二分布式事务) - * [本地消息表](#本地消息表) - * [2PC](#2pc) - - -# 二、分布式事务 - -指事务的操作位于不同的节点上,需要保证事务的 ACID 特性。 - -例如在下单场景下,库存和订单如果不在同一个节点上,就涉及分布式事务。 - -## 本地消息表 - -本地消息表与业务数据表处于同一个数据库中,这样就能利用本地事务来保证在对这两个表的操作满足事务特性,并且使用了消息队列来保证最终一致性。 - -1. 在分布式事务操作的一方完成写业务数据的操作之后向本地消息表发送一个消息,本地事务能保证这个消息一定会被写入本地消息表中。 -2. 之后将本地消息表中的消息转发到 Kafka 等消息队列中,如果转发成功则将消息从本地消息表中删除,否则继续重新转发。 -3. 在分布式事务操作的另一方从消息队列中读取一个消息,并执行消息中的操作。 - -

- -## 2PC - -两阶段提交(Two-phase Commit,2PC),通过引入协调者(Coordinator)来协调参与者的行为,并最终决定这些参与者是否要真正执行事务。 - -### 1. 运行过程 - -#### 1.1 准备阶段 - -协调者询问参与者事务是否执行成功,参与者发回事务执行结果。 - -

- -#### 1.2 提交阶段 - -如果事务在每个参与者上都执行成功,事务协调者发送通知让参与者提交事务;否则,协调者发送通知让参与者回滚事务。 - -需要注意的是,在准备阶段,参与者执行了事务,但是还未提交。只有在提交阶段接收到协调者发来的通知后,才进行提交或者回滚。 - -

- -### 2. 存在的问题 - -#### 2.1 同步阻塞 - -所有事务参与者在等待其它参与者响应的时候都处于同步阻塞状态,无法进行其它操作。 - -#### 2.2 单点问题 - -协调者在 2PC 中起到非常大的作用,发生故障将会造成很大影响。特别是在阶段二发生故障,所有参与者会一直等待,无法完成其它操作。 - -#### 2.3 数据不一致 - -在阶段二,如果协调者只发送了部分 Commit 消息,此时网络发生异常,那么只有部分参与者接收到 Commit 消息,也就是说只有部分参与者提交了事务,使得系统数据不一致。 - -#### 2.4 太过保守 - -任意一个节点失败就会导致整个事务失败,没有完善的容错机制。 \ No newline at end of file diff --git a/SystemDesign/03CAP.md b/SystemDesign/03CAP.md deleted file mode 100644 index 0d516e5..0000000 --- a/SystemDesign/03CAP.md +++ /dev/null @@ -1,42 +0,0 @@ - -* [三、CAP](#三cap) - * [一致性](#一致性) - * [可用性](#可用性) - * [分区容忍性](#分区容忍性) - * [权衡](#权衡) - - -# 三、CAP - -分布式系统不可能同时满足一致性(C:Consistency)、可用性(A:Availability)和分区容忍性(P:Partition Tolerance),最多只能同时满足其中两项。 - -

- -## 一致性 - -一致性指的是多个数据副本是否能保持一致的特性,在一致性的条件下,系统在执行数据更新操作之后能够从一致性状态转移到另一个一致性状态。 - -对系统的一个数据更新成功之后,如果所有用户都能够读取到最新的值,该系统就被认为具有强一致性。 - -## 可用性 - -可用性指分布式系统在面对各种异常时可以提供正常服务的能力,可以用系统可用时间占总时间的比值来衡量,4 个 9 的可用性表示系统 99.99% 的时间是可用的。 - -在可用性条件下,要求系统提供的服务一直处于可用的状态,对于用户的每一个操作请求总是能够在有限的时间内返回结果。 - -## 分区容忍性 - -网络分区指分布式系统中的节点被划分为多个区域,每个区域内部可以通信,但是区域之间无法通信。 - -在分区容忍性条件下,分布式系统在遇到任何网络分区故障的时候,仍然需要能对外提供一致性和可用性的服务,除非是整个网络环境都发生了故障。 - -## 权衡 - -在分布式系统中,分区容忍性必不可少,因为需要总是假设网络是不可靠的。因此,CAP 理论实际上是要在可用性和一致性之间做权衡。 - -可用性和一致性往往是冲突的,很难使它们同时满足。在多个节点之间进行数据同步时, - -- 为了保证一致性(CP),不能访问未同步完成的节点,也就失去了部分可用性; -- 为了保证可用性(AP),允许读取所有节点的数据,但是数据可能不一致。 - -

\ No newline at end of file diff --git a/SystemDesign/04BASE.md b/SystemDesign/04BASE.md deleted file mode 100644 index 8338bd9..0000000 --- a/SystemDesign/04BASE.md +++ /dev/null @@ -1,32 +0,0 @@ - -* [四、BASE](#四base) - * [基本可用](#基本可用) - * [软状态](#软状态) - * [最终一致性](#最终一致性) - - -# 四、BASE - -BASE 是基本可用(Basically Available)、软状态(Soft State)和最终一致性(Eventually Consistent)三个短语的缩写。 - -BASE 理论是对 CAP 中一致性和可用性权衡的结果,它的核心思想是:即使无法做到强一致性,但每个应用都可以根据自身业务特点,采用适当的方式来使系统达到最终一致性。 - -

- -## 基本可用 - -指分布式系统在出现故障的时候,保证核心可用,允许损失部分可用性。 - -例如,电商在做促销时,为了保证购物系统的稳定性,部分消费者可能会被引导到一个降级的页面。 - -## 软状态 - -指允许系统中的数据存在中间状态,并认为该中间状态不会影响系统整体可用性,即允许系统不同节点的数据副本之间进行同步的过程存在时延。 - -## 最终一致性 - -最终一致性强调的是系统中所有的数据副本,在经过一段时间的同步后,最终能达到一致的状态。 - -ACID 要求强一致性,通常运用在传统的数据库系统上。而 BASE 要求最终一致性,通过牺牲强一致性来达到可用性,通常运用在大型分布式系统中。 - -在实际的分布式场景中,不同业务单元和组件对一致性的要求是不同的,因此 ACID 和 BASE 往往会结合在一起使用。 \ No newline at end of file diff --git a/SystemDesign/06Raft.md b/SystemDesign/06Raft.md deleted file mode 100644 index 54bfb1b..0000000 --- a/SystemDesign/06Raft.md +++ /dev/null @@ -1,58 +0,0 @@ - -* [六、Raft](#六raft) - * [单个 Candidate 的竞选](#单个-candidate-的竞选) - * [多个 Candidate 竞选](#多个-candidate-竞选) - * [数据同步](#数据同步) - - -# 六、Raft - -Raft 也是分布式一致性协议,主要是用来竞选主节点。 - -## 单个 Candidate 的竞选 - -有三种节点:Follower、Candidate 和 Leader。Leader 会周期性的发送心跳包给 Follower。每个 Follower 都设置了一个随机的竞选超时时间,一般为 150ms\~300ms,如果在这个时间内没有收到 Leader 的心跳包,就会变成 Candidate,进入竞选阶段。 - -- 下图展示一个分布式系统的最初阶段,此时只有 Follower 没有 Leader。Node A 等待一个随机的竞选超时时间之后,没收到 Leader 发来的心跳包,因此进入竞选阶段。 - -

- -- 此时 Node A 发送投票请求给其它所有节点。 - -

- -- 其它节点会对请求进行回复,如果超过一半的节点回复了,那么该 Candidate 就会变成 Leader。 - -

- -- 之后 Leader 会周期性地发送心跳包给 Follower,Follower 接收到心跳包,会重新开始计时。 - -

- -## 多个 Candidate 竞选 - -- 如果有多个 Follower 成为 Candidate,并且所获得票数相同,那么就需要重新开始投票。例如下图中 Node B 和 Node D 都获得两票,需要重新开始投票。 - -

- -- 由于每个节点设置的随机竞选超时时间不同,因此下一次再次出现多个 Candidate 并获得同样票数的概率很低。 - -

- -## 数据同步 - -- 来自客户端的修改都会被传入 Leader。注意该修改还未被提交,只是写入日志中。 - -

- -- Leader 会把修改复制到所有 Follower。 - -

- -- Leader 会等待大多数的 Follower 也进行了修改,然后才将修改提交。 - -

- -- 此时 Leader 会通知的所有 Follower 让它们也提交修改,此时所有节点的值达成一致。 - -

\ No newline at end of file diff --git "a/SystemDesign/08\351\233\206\347\276\244\344\270\213\347\232\204 Session \347\256\241\347\220\206.md" "b/SystemDesign/08\351\233\206\347\276\244\344\270\213\347\232\204 Session \347\256\241\347\220\206.md" deleted file mode 100644 index 1f89bb3..0000000 --- "a/SystemDesign/08\351\233\206\347\276\244\344\270\213\347\232\204 Session \347\256\241\347\220\206.md" +++ /dev/null @@ -1,49 +0,0 @@ - -* [二、集群下的 Session 管理](#二集群下的-session-管理) - * [Sticky Session](#sticky-session) - * [Session Replication](#session-replication) - * [Session Server](#session-server) - - -# 二、集群下的 Session 管理 - -一个用户的 Session 信息如果存储在一个服务器上,那么当负载均衡器把用户的下一个请求转发到另一个服务器,由于服务器没有用户的 Session 信息,那么该用户就需要重新进行登录等操作。 - -## Sticky Session - -需要配置负载均衡器,使得一个用户的所有请求都路由到同一个服务器,这样就可以把用户的 Session 存放在该服务器中。 - -缺点: - -- 当服务器宕机时,将丢失该服务器上的所有 Session。 - -

- -## Session Replication - -在服务器之间进行 Session 同步操作,每个服务器都有所有用户的 Session 信息,因此用户可以向任何一个服务器进行请求。 - -缺点: - -- 占用过多内存; -- 同步过程占用网络带宽以及服务器处理器时间。 - -

- -## Session Server - -使用一个单独的服务器存储 Session 数据,可以使用传统的 MySQL,也使用 Redis 或者 Memcached 这种内存型数据库。 - -优点: - -- 为了使得大型网站具有伸缩性,集群中的应用服务器通常需要保持无状态,那么应用服务器不能存储用户的会话信息。Session Server 将用户的会话信息单独进行存储,从而保证了应用服务器的无状态。 - -缺点: - -- 需要去实现存取 Session 的代码。 - -

- -参考: - -- [Session Management using Spring Session with JDBC DataStore](https://sivalabs.in/2018/02/session-management-using-spring-session-jdbc-datastore/) \ No newline at end of file diff --git a/SystemDesign/pics/04f41228-375d-4b7d-bfef-738c5a7c8f07.jpg b/SystemDesign/pics/04f41228-375d-4b7d-bfef-738c5a7c8f07.jpg deleted file mode 100644 index 17eb93b..0000000 Binary files a/SystemDesign/pics/04f41228-375d-4b7d-bfef-738c5a7c8f07.jpg and /dev/null differ diff --git a/SystemDesign/pics/0b587744-c0a8-46f2-8d72-e8f070d67b4b.jpg b/SystemDesign/pics/0b587744-c0a8-46f2-8d72-e8f070d67b4b.jpg deleted file mode 100644 index 7b88e7a..0000000 Binary files a/SystemDesign/pics/0b587744-c0a8-46f2-8d72-e8f070d67b4b.jpg and /dev/null differ diff --git a/SystemDesign/pics/0ee0f61b-c782-441e-bf34-665650198ae0.jpg b/SystemDesign/pics/0ee0f61b-c782-441e-bf34-665650198ae0.jpg deleted file mode 100644 index f3e7163..0000000 Binary files a/SystemDesign/pics/0ee0f61b-c782-441e-bf34-665650198ae0.jpg and /dev/null differ diff --git a/SystemDesign/pics/10.gif b/SystemDesign/pics/10.gif deleted file mode 100644 index d52a911..0000000 Binary files a/SystemDesign/pics/10.gif and /dev/null differ diff --git a/SystemDesign/pics/11.gif b/SystemDesign/pics/11.gif deleted file mode 100644 index 5d9c6f0..0000000 Binary files a/SystemDesign/pics/11.gif and /dev/null differ diff --git a/SystemDesign/pics/111521118015898.gif b/SystemDesign/pics/111521118015898.gif deleted file mode 100644 index 5c31da1..0000000 Binary files a/SystemDesign/pics/111521118015898.gif and /dev/null differ diff --git a/SystemDesign/pics/111521118445538.gif b/SystemDesign/pics/111521118445538.gif deleted file mode 100644 index 323d129..0000000 Binary files a/SystemDesign/pics/111521118445538.gif and /dev/null differ diff --git a/SystemDesign/pics/111521118483039.gif b/SystemDesign/pics/111521118483039.gif deleted file mode 100644 index a81124d..0000000 Binary files a/SystemDesign/pics/111521118483039.gif and /dev/null differ diff --git a/SystemDesign/pics/111521118640738.gif b/SystemDesign/pics/111521118640738.gif deleted file mode 100644 index 7a7b05a..0000000 Binary files a/SystemDesign/pics/111521118640738.gif and /dev/null differ diff --git a/SystemDesign/pics/111521119203347.gif b/SystemDesign/pics/111521119203347.gif deleted file mode 100644 index 37cdb5a..0000000 Binary files a/SystemDesign/pics/111521119203347.gif and /dev/null differ diff --git a/SystemDesign/pics/111521119368714.gif b/SystemDesign/pics/111521119368714.gif deleted file mode 100644 index 216c303..0000000 Binary files a/SystemDesign/pics/111521119368714.gif and /dev/null differ diff --git a/SystemDesign/pics/15313ed8-a520-4799-a300-2b6b36be314f.jpg b/SystemDesign/pics/15313ed8-a520-4799-a300-2b6b36be314f.jpg deleted file mode 100644 index cbba7f3..0000000 Binary files a/SystemDesign/pics/15313ed8-a520-4799-a300-2b6b36be314f.jpg and /dev/null differ diff --git a/SystemDesign/pics/1a9977e4-2f5c-49a6-aec9-f3027c9f46a7.png b/SystemDesign/pics/1a9977e4-2f5c-49a6-aec9-f3027c9f46a7.png deleted file mode 100644 index 590a429..0000000 Binary files a/SystemDesign/pics/1a9977e4-2f5c-49a6-aec9-f3027c9f46a7.png and /dev/null differ diff --git a/SystemDesign/pics/1f4a7f10-52b2-4bd7-a67d-a9581d66dc62.jpg b/SystemDesign/pics/1f4a7f10-52b2-4bd7-a67d-a9581d66dc62.jpg deleted file mode 100644 index e4f0f3a..0000000 Binary files a/SystemDesign/pics/1f4a7f10-52b2-4bd7-a67d-a9581d66dc62.jpg and /dev/null differ diff --git a/SystemDesign/pics/2018040302.jpg b/SystemDesign/pics/2018040302.jpg deleted file mode 100644 index 27daefa..0000000 Binary files a/SystemDesign/pics/2018040302.jpg and /dev/null differ diff --git a/SystemDesign/pics/211c60d4-75ca-4acd-8a4f-171458ed58b4.jpg b/SystemDesign/pics/211c60d4-75ca-4acd-8a4f-171458ed58b4.jpg deleted file mode 100644 index efb47ff..0000000 Binary files a/SystemDesign/pics/211c60d4-75ca-4acd-8a4f-171458ed58b4.jpg and /dev/null differ diff --git a/SystemDesign/pics/2766d04f-7dad-42e4-99d1-60682c9d5c61.jpg b/SystemDesign/pics/2766d04f-7dad-42e4-99d1-60682c9d5c61.jpg deleted file mode 100644 index f9a9489..0000000 Binary files a/SystemDesign/pics/2766d04f-7dad-42e4-99d1-60682c9d5c61.jpg and /dev/null differ diff --git a/SystemDesign/pics/2991c772-fb1c-4051-a9c7-932b68e76bd7.jpg b/SystemDesign/pics/2991c772-fb1c-4051-a9c7-932b68e76bd7.jpg deleted file mode 100644 index d99eb3a..0000000 Binary files a/SystemDesign/pics/2991c772-fb1c-4051-a9c7-932b68e76bd7.jpg and /dev/null differ diff --git a/SystemDesign/pics/2bcc58ad-bf7f-485c-89b5-e7cafc211ce2.jpg b/SystemDesign/pics/2bcc58ad-bf7f-485c-89b5-e7cafc211ce2.jpg deleted file mode 100644 index 983ddd7..0000000 Binary files a/SystemDesign/pics/2bcc58ad-bf7f-485c-89b5-e7cafc211ce2.jpg and /dev/null differ diff --git a/SystemDesign/pics/31d99967-1171-448e-8531-bccf5c14cffe.jpg b/SystemDesign/pics/31d99967-1171-448e-8531-bccf5c14cffe.jpg deleted file mode 100644 index 61e0064..0000000 Binary files a/SystemDesign/pics/31d99967-1171-448e-8531-bccf5c14cffe.jpg and /dev/null differ diff --git a/SystemDesign/pics/3b0d1aa8-d0e0-46c2-8fd1-736bf08a11aa.jpg b/SystemDesign/pics/3b0d1aa8-d0e0-46c2-8fd1-736bf08a11aa.jpg deleted file mode 100644 index f7e9f14..0000000 Binary files a/SystemDesign/pics/3b0d1aa8-d0e0-46c2-8fd1-736bf08a11aa.jpg and /dev/null differ diff --git a/SystemDesign/pics/44edefb7-4b58-4519-b8ee-4aca01697b78.jpg b/SystemDesign/pics/44edefb7-4b58-4519-b8ee-4aca01697b78.jpg deleted file mode 100644 index 32d0f3d..0000000 Binary files a/SystemDesign/pics/44edefb7-4b58-4519-b8ee-4aca01697b78.jpg and /dev/null differ diff --git a/SystemDesign/pics/66402828-fb2b-418f-83f6-82153491bcfe.jpg b/SystemDesign/pics/66402828-fb2b-418f-83f6-82153491bcfe.jpg deleted file mode 100644 index fc86a23..0000000 Binary files a/SystemDesign/pics/66402828-fb2b-418f-83f6-82153491bcfe.jpg and /dev/null differ diff --git a/SystemDesign/pics/685a692f-8f76-4cac-baac-b68e2df9a30f.jpg b/SystemDesign/pics/685a692f-8f76-4cac-baac-b68e2df9a30f.jpg deleted file mode 100644 index a1d12d1..0000000 Binary files a/SystemDesign/pics/685a692f-8f76-4cac-baac-b68e2df9a30f.jpg and /dev/null differ diff --git a/SystemDesign/pics/68b110b9-76c6-4ee2-b541-4145e65adb3e.jpg b/SystemDesign/pics/68b110b9-76c6-4ee2-b541-4145e65adb3e.jpg deleted file mode 100644 index d82f46e..0000000 Binary files a/SystemDesign/pics/68b110b9-76c6-4ee2-b541-4145e65adb3e.jpg and /dev/null differ diff --git a/SystemDesign/pics/7.gif b/SystemDesign/pics/7.gif deleted file mode 100644 index fad8851..0000000 Binary files a/SystemDesign/pics/7.gif and /dev/null differ diff --git a/SystemDesign/pics/76a25fc8-a579-4d7c-974b-7640b57fbf39.jpg b/SystemDesign/pics/76a25fc8-a579-4d7c-974b-7640b57fbf39.jpg deleted file mode 100644 index fd13a13..0000000 Binary files a/SystemDesign/pics/76a25fc8-a579-4d7c-974b-7640b57fbf39.jpg and /dev/null differ diff --git a/SystemDesign/pics/9.gif b/SystemDesign/pics/9.gif deleted file mode 100644 index f81aa26..0000000 Binary files a/SystemDesign/pics/9.gif and /dev/null differ diff --git a/SystemDesign/pics/9b838aee-0996-44a5-9b0f-3d1e3e2f5100.png b/SystemDesign/pics/9b838aee-0996-44a5-9b0f-3d1e3e2f5100.png deleted file mode 100644 index c7f8713..0000000 Binary files a/SystemDesign/pics/9b838aee-0996-44a5-9b0f-3d1e3e2f5100.png and /dev/null differ diff --git a/SystemDesign/pics/MultiNode-SessionReplication.jpg b/SystemDesign/pics/MultiNode-SessionReplication.jpg deleted file mode 100644 index 0223bd8..0000000 Binary files a/SystemDesign/pics/MultiNode-SessionReplication.jpg and /dev/null differ diff --git a/SystemDesign/pics/MultiNode-SpringSession.jpg b/SystemDesign/pics/MultiNode-SpringSession.jpg deleted file mode 100644 index 38d56e2..0000000 Binary files a/SystemDesign/pics/MultiNode-SpringSession.jpg and /dev/null differ diff --git a/SystemDesign/pics/MultiNode-StickySessions.jpg b/SystemDesign/pics/MultiNode-StickySessions.jpg deleted file mode 100644 index a7e1c6a..0000000 Binary files a/SystemDesign/pics/MultiNode-StickySessions.jpg and /dev/null differ diff --git a/SystemDesign/pics/b988877c-0f0a-4593-916d-de2081320628.jpg b/SystemDesign/pics/b988877c-0f0a-4593-916d-de2081320628.jpg deleted file mode 100644 index 6733913..0000000 Binary files a/SystemDesign/pics/b988877c-0f0a-4593-916d-de2081320628.jpg and /dev/null differ diff --git a/SystemDesign/pics/bc603930-d74d-4499-a3e7-2d740fc07f33.png b/SystemDesign/pics/bc603930-d74d-4499-a3e7-2d740fc07f33.png deleted file mode 100644 index 6c9a572..0000000 Binary files a/SystemDesign/pics/bc603930-d74d-4499-a3e7-2d740fc07f33.png and /dev/null differ diff --git a/SystemDesign/pics/bee1ff1d-c80f-4b3c-b58c-7073a8896ab2.jpg b/SystemDesign/pics/bee1ff1d-c80f-4b3c-b58c-7073a8896ab2.jpg deleted file mode 100644 index e4becc1..0000000 Binary files a/SystemDesign/pics/bee1ff1d-c80f-4b3c-b58c-7073a8896ab2.jpg and /dev/null differ diff --git a/SystemDesign/pics/bf667594-bb4b-4634-bf9b-0596a45415ba.jpg b/SystemDesign/pics/bf667594-bb4b-4634-bf9b-0596a45415ba.jpg deleted file mode 100644 index 30956cc..0000000 Binary files a/SystemDesign/pics/bf667594-bb4b-4634-bf9b-0596a45415ba.jpg and /dev/null differ diff --git a/SystemDesign/pics/c5f611f0-fd5c-4158-9003-278141136e6e.jpg b/SystemDesign/pics/c5f611f0-fd5c-4158-9003-278141136e6e.jpg deleted file mode 100644 index 473091b..0000000 Binary files a/SystemDesign/pics/c5f611f0-fd5c-4158-9003-278141136e6e.jpg and /dev/null differ diff --git a/SystemDesign/pics/ddb5ff4c-4ada-46aa-9bf1-140bdb5e4676.jpg b/SystemDesign/pics/ddb5ff4c-4ada-46aa-9bf1-140bdb5e4676.jpg deleted file mode 100644 index 73b3d73..0000000 Binary files a/SystemDesign/pics/ddb5ff4c-4ada-46aa-9bf1-140bdb5e4676.jpg and /dev/null differ diff --git a/SystemDesign/pics/e3bf5de4-ab1e-4a9b-896d-4b0ad7e9220a.jpg b/SystemDesign/pics/e3bf5de4-ab1e-4a9b-896d-4b0ad7e9220a.jpg deleted file mode 100644 index a3ead32..0000000 Binary files a/SystemDesign/pics/e3bf5de4-ab1e-4a9b-896d-4b0ad7e9220a.jpg and /dev/null differ diff --git a/SystemDesign/pics/f1109d04-3c67-48a3-9963-2c475f94e175.jpg b/SystemDesign/pics/f1109d04-3c67-48a3-9963-2c475f94e175.jpg deleted file mode 100644 index cdd1b55..0000000 Binary files a/SystemDesign/pics/f1109d04-3c67-48a3-9963-2c475f94e175.jpg and /dev/null differ diff --git a/SystemDesign/pics/f7ecbb8d-bb8b-4d45-a3b7-f49425d6d83d.jpg b/SystemDesign/pics/f7ecbb8d-bb8b-4d45-a3b7-f49425d6d83d.jpg deleted file mode 100644 index ab51d48..0000000 Binary files a/SystemDesign/pics/f7ecbb8d-bb8b-4d45-a3b7-f49425d6d83d.jpg and /dev/null differ diff --git a/SystemDesign/pics/fb44307f-8e98-4ff7-a918-31dacfa564b4.jpg b/SystemDesign/pics/fb44307f-8e98-4ff7-a918-31dacfa564b4.jpg deleted file mode 100644 index 36c1d9b..0000000 Binary files a/SystemDesign/pics/fb44307f-8e98-4ff7-a918-31dacfa564b4.jpg and /dev/null differ diff --git a/docs/.nojekyll b/docs/.nojekyll new file mode 100644 index 0000000..e69de29 diff --git "a/docs/BigData/HBase \345\255\230\345\202\250\345\216\237\347\220\206\345\210\206\346\236\220.md" "b/docs/BigData/HBase \345\255\230\345\202\250\345\216\237\347\220\206\345\210\206\346\236\220.md" new file mode 100644 index 0000000..093933a --- /dev/null +++ "b/docs/BigData/HBase \345\255\230\345\202\250\345\216\237\347\220\206\345\210\206\346\236\220.md" @@ -0,0 +1,408 @@ +# HBase + +HBase 是一个构建在 HDFS 上的分布式列族存储系统,其内部管理的文件全部存储在 HDFS 中。 + +HDFS 特点: + +- 有良好的容错性和扩展性,都可以扩展到成百上千个节点 +- 适合批处理场景 +- 不支持数据随机查找,不适合增量数据处理并且不支持数据更新 + +HBase 特点: + +- 容量大:HBase单表可以有百亿行、百万列,数据矩阵横向和纵向两个纬度所支持的数据量级都非常具有弹性; +- 面向列:列是可以动态增加的,不需要指定列,面向列的存储和权限控制,并支持独立检索; +- 多版本:每一个列的数据存储有个多Version; +- 稀疏性:为空的列不占用存储空间; +- 扩展性:底层依赖于HDFS,空间不够的时候只需要横向扩展即可; +- 高可靠性:副本机制保证了数据的可靠性; +- 高性能:写入性能高,底层使用LSM数据结构和RowKey有序排序等架构上的独特设计;读性能高,使用region切分、主键索引和缓存机制使得具备随机读取性能高。 + +## 一、HBase 存储模式 + +HBase 是构建在 HDFS 分布式的列族式存储系统。HBase 内部管理的文件全部存储在 HDFS 中。HDFS 特点: + +### 行式存储和列式存储 + +> **什么是行式存储和列式存储** + +行式存储:以行为存储基准的存储方式称为行式存储,一行的数据聚合存储在一块。 + +列式存储:以列为存储基准的存储方式称为列式存储,保证每一列的数据存储在一块。 + +
+ +> **行式存储与列式存储各自的特点** + +| | 行式存储 | 列式存储 | +| :--: | :-----------------------------------------------------: | :----------------------------------------------------------: | +| 优点 | 存在索引,随机读的效率很高
对事务的处理能力非常高 | 根据同一列数据的相似性原理,有利于对数据进行压缩,
其压缩效率远高于行式存储,存储成本比较低;
可并行查询,查询效率高 | +| 缺点 | 维护大量索引,存储成本高;
不能线性扩展,压缩效率低 | 不支持事务 | + +> **行式存储和列式存储的应用环境** + +- 行式存储的应用环境: + +如果需要关系查询,那么行式存储很好。 + +行式存储最大的优点是关系之间的解决方案,表与表之间很大的关联关系并且数据量不大,那么行式存储就是很好的选择。记住因为它的线性扩展性不高,需要保证数据量不能特别大,控制在千万级与以下。 + +- 列式存储的应用环境: + +如果数据量非常大,使用列式存储。 + +在大数据,利于压缩和扩展的肯定要选择列式存储,如果事务使用率不高,那么也最好使用列式存储,随机更新更些行的频率不高,也可以使用列式存储。 + +### HBase 的列族式存储 + +**列族**指多个数据列的组合,HBase 中的每个列都归属于一个列族,列族是表 schema 的一部分。 + +> **HBase Table 组成**: + +`Table = RowKey(行键) + Family(列族) + Column(列) + TimeStamp(版本) + Value(数据值)` + +> **数据存储模式**: + +`(Table,RowKey,Family,Column,TimeStamp) -> Value ` + +如下图,上面的表示传统的关系型数据库的表结构,下面就是 HBase 的表结构: + +
+ +> **列数据属性**: + +HBase 中默认一列数据可以保存三个版本,比如对于聊天数据,可标记为已读、未读等属性。 + +
+ +> **数据存储原型**: + +HBase 是一个稀疏的、分布式、持久、多维、排序的映射,它以行键(RowKey),列键(Column)和时间戳(TimeStamp)为索引。 + +Hbase 在存储数据的时候,有两个 SortedMap,首先按照 Rowkey 进行字典排序,然后再对 Column 进行字典排序: + +`SortedMap>>>` + +第一个 SortedMap 代表那个表,包含一个列族的 List。列族中包含了另一个 SortedMap 存储列和相应的值。这些值在最后的 List 中,存储了值和该值被设置的时间戳。 + +### HBase 存储示例 + +- 示例表: + +| 表名 | 列族 | 列 | +| :--: | :--: | :-----------------: | +| test | cf | a,b,c,month,day... | + +- 示例表数据: + +
+ +HBase 的所有操作均是基于 RowKey 的。支持 CRUD(Create、Read、Update 和 Delete)和 Scan 操作: + +- 单行操作:Put 、Get 和 Scan。 +- 多行操作:Scan 和 MultiPut。 + +## 二、HBase 数据表分析 + +### 建表语句解析 + +```html +create 'demo:user', +{NAME=>'b',VERSIONS=>'3',COMPERSSION=>'SNAPPY',COMPRESSION_COMPACT=>'SNAPPY', +REPLICATION_SCOPE=>1}, +{NAME=>'o',REPLICATION_SCOPE=>1,COMPERSSION=>'SNAPPY',COMPRESSION_COMPACT=>'SNAPPY'} +``` + +`ceeate 'demo:user'` 中 demo 是命名空间,user 是表名。 + +`NAME`列族名; + +`VERSION`数据版本数,设置一列的数据版本数量,默认值为 3; + +`REPLICATION_SCOPE` 复制机制,主从复制。通过预写日志和 Hlog 实现的,当请求发送给 Master 的时,log 日志放入 hdfs 的同时,会进入 REPLICATION 这个队列中,Slave 通过 Zookeeper 去获取,并写入 Slave 的表中; + +`COMPERSSION`:数据压缩的配置。 + +注:Snappy 是一种压缩特性,虽然压缩率较低,但其编解码速率更高。 + +### HBase 存储目录解析 + +在 hbase-site.xml 文件中设置数据存储目录: + +```xml + + hbase.rootdir + /home/hbase_data + +``` + +- .tmp:当对表进行创建和删除操作的时候,会将表移动到该目录下,然后再进行操作。它是一个临时存储当前需要修改的数据结构。 +- WALs:存储预写日志。 +- archive:存储表的归档和快照,由Master上的一个任务定时进行处理。 +- corrupt:用于存储损坏的日志文件,一般为空。 +- data:存储数据的核心目录,系统表和用户表均存储在这个目录下。data 目录集体如下: + +
+ +- hbase.id:hbase:集群中的唯一id,用于标识hbase进程。 +- hbase.version:表明了文件版本信息。 +- oldWALs:当log已经持久化以后,WALs中的日志文件会移动到该目录下。 + +### HBase 元信息表(系统表) + +元信息表同样是一张 Hbase 表,同样拥有 RowKey 和列族这样的概念。存储在 Region Server 上,位于Zookeeper 上,用户查询数据的时候,需要先到 Zookeeper 上获取到元数据表的数据再进行相应用户的查找。 + +
+ +RowKey:格式化的 region key + +Value:保存着region server的地址,其中最重要的一个列族就是 info,其中最重要的数据列是 server,包含region server 的地址和端口号。 + +元信息表的值当 region 进行分割、disable、enable、drop 或 balance 等操作,或 region server 挂掉都会导致元信息表值的变化,Master 就需要重新分配 region,元信息表就会及时更新。 + +元信息表相当于 Hbase 的第一级索引,是 Hbase 中最重要的系统表。 + +
+ +## 三、HBase 物理模型 + +### LSM 存储思想 + +LSM 树(即日志结构合并树)思想: + +把一棵大树拆分成 N 棵小树,它首先写入内存中,随着小树越来越大,内存中的小树会 flush 到磁盘中,磁盘中的树定期可以做 merge 操作,合并成一棵大树,以优化读性能。 + +下图是一个 LSM 树的简易模型: + +- C0:所有数据均存储在内存 +- C1:所有数据均存储在磁盘 + +当一条新的记录插入的时候,先从 C0 中插入,当达到 C0 的阈值以后,就将 C0 中的某些数据片段迁移到 C1 中并合并到 C1 树上。由于合并排序算法是批量的、并且是顺序存储的,所以速度十分快。 + +
+ +LSM 树思想在 HBase 中的实现(三层存储结构): + +- Level 0:日志/内存,为了加速随机写的速度,先写入日志和内存中,由于内存中的数据是不稳定的,日志是为了保障高可用。当达到阈值,会有异步线程将部分数据 flush 到硬盘上; +- Level 1:日志/内存; +- Level 2:合并,由于不断地刷写会产生大量小文件,这样不利于管理和查询,需要在合适的时机启动线程进行合并操作会生成一个大文件(多路归并算法)。 + +
+ +### 数据存储模块简介 + +`RegionServer = Region + Store + MemStore + StoreFile + HFile + HLog` + +
+ +- Region :对于一个 RegionServer 可以包含很多 Region,并且每一个 Region 包含的数据都是互斥的,存储有用户各个行的数据。 +- Store :对应表中的列族,即有多少个列族,就有多少个 Store。 +- MemStore :是一个**内存式的数据结构**,用户数据进入 Region 之后会先写入 MemStore 当满了之后,再 flush 到 StoreFile 中,在 StoreFile 中将数据封装成 HFile 再 flush 到 HDFS 上 。 +- HLog:对于一个 RegionServer 只有一个 HLog 实例。 + +HLog 和 MemStore 构成了 Level 0,保证了**数据的高可用**和**性能的低延迟**。 + +StoreFile 和 HFile 构成了Level 1,实现了**不可靠数据的持久化**,真正地将 HBase 变成了高可用的数据库系统。 + +### HBase Region 解析 + +
+ +Hbase 的 Table 中的所有行都按照 RowKey的字典序排列。Table 在行的方向上分割为多个 Region。Region 是按大小分割的,每个表开始只有一个 Region,随着数据增多,Region 不断增大,当增大到一个阈值的时候, Region 就会等分会两个新的 Region,之后会有越来越多的 Region。 + +
+ +Region 是 HBase 中**分布式存储和负载均衡的最小单元**。 + +每个 Region 只能被一个 RegionServer 服务;RegionServer 可同时服务多个 Region。 + +
+ +Region 虽然是**分布式存储的最小单元,但不是存储的最小单元**。Region 由一个或者多个 Store 组成,每个 Store保存一个列族。每个 Store 又由一个 memStore和多个 StoreFile 组成。memStore 存储在内存中,StoreFile 存储在 HDFS 上。 + +### HBase HFile 解析 + +
+ + + +HFile 分为六个部分: + +- DataBlocks:保存表中的数据,这部分可以被压缩。 +- MetaBlocks(可选的):保存用户自定义的键值对,可以被压缩。 +- FileInfo:HFile 的元信息,不被压缩,用户也可以在这一部分添加自己的元信息。 +- DataIndex:DataBlock 的索引。每条索引的 key 是被索引的 block 的第一条记录的 key。 +- MetaBlock(可选的):MetaBlock 的索引。 +- Trailer:定长。保存了每一段的偏移量,读取一个 HFile 时,会首先读取 Trailer,Trailer 保存了每个段的起始位置(段的 Magic Number 用来做安全 check),然后,DataBlock Index(DataBlock 的索引)会被读取到内存中,这样,当检索某个 key 时,不需要扫描整个 HFile,而只需从内存中找到 key 所在的 block,通过一次磁盘 I / O将整个 block 读取到内存中,再找到需要的 key。DataBlock Index采用 LRU (最近最久未访问)机制淘汰。 + +
+ +HFile 的 Data Block,Meta Block 通常采用压缩方式存储,压缩之后可以大大减少网络 I / O 和磁盘 I / O,随之而来的开销当然是需要花费 CPU 资源进行压缩和解压缩。 + +目标 HFile 的压缩支持两种方式:Gzip,Lzo。 + +### HBase WAL 解析 + +WAL(Write Ahead Log)用来做灾难恢复,HLog 记录数据的所有变更,一旦数据修改,就可以从 log 中进行恢复。 + +**每个 Region Server 维护一个 HLog,而不是每个 Region 维护一个 HLog**。这样不同 Region (来自不同 table)的日志会混在一起,这样做的目的是不断追加单个文件相对于同时写多个文件而言,可以减少磁盘寻址次数,可以提高对 table 的写性能。带来的麻烦是,如果一台 Region Server 失效,为了恢复其上的 Region,需要将 Region server上的 log 进行拆分,然后分发到其它 Region Server 上进行恢复。 + +
+ +HLog 文件就是一个普通的 Hadoop Sequence File,Sequence File 的 Key 是 HLogKey 对象,HLogKey 中记录了写入数据的归属信息,除了 table 和 Region 名字外,同时还包括 Sequence Number 和 WriteTime(写入时间),Sequence Number 的起始值为 0,或者是最近一次存入文件系统中的 Sequence Number。 + +HLog Sequece File 的 Value 是 HBase 的 KeyValue 对象,即对应 HFile 中的 KeyValue。 + +### HBase Compaction 解析 + +Compaction 会从Region Store 中选择一些 HFile 文件进行合并,合并就是指将一些待合并的文件中的 K-V 对进行排序重新生成一个新的文件取代原来的待合并的文件。由于系统不断地进行刷写会产生大量小文件,这样不利于数据查找。 + +那么将这些小文件合并成一些大文件,这样使得查找过程的 I / O 次数减少,提高了查找效率。 + +其中可以分为以下两类: + +- MinorCompaction:选取一些小的相邻的 Store File 进行合并一个更大的 Store File,生成多个较大的 Store File。 +- MajorCompaction:将所有的 Store File 合并成一个 Store File,这个过程中**将清理被删除的数据、TTL 过期的数据、版本号超过设定版本号的数据**。操作过程的时间比较长,消耗的资源也比较多。 + +
+ +HBase 中 Compaction 的触发时机的因素很多,最主要的有三种: + +- MemStore Flush :每次执行完 Flush 操作以后,都会进行判断是否超过阈值,若超过就触发一个合并。 +- 后台线程周期性的检查:Compaction Checker 会定期触发检查是否需要合并,这个线程会优先检查文件数是否大于阈值,一旦大于就会触发合并,若不满足会继续检查是否满足 MajorCompaction。简单来说,就是如果当前 Store 中最早更新时间早于某个值,这个值成为 mc time,就会触发大的合并,HBase 通过这种方式来删除过期的数据,其浮动区间为 `[7-7 * 0.2, 7+7 * 0.2]`。默认在七天会进行一 次MajorCompaction。 +- 手动触发:通常是为了执行 MajorCompaction,因为很多业务担心自动的 MajorCompaction 会影响性能。选择在低峰期手动触发;用户在进行完 alter 操作以后,希望立即生效;管理员在发现硬盘容量不够的时候会手动触发,这样可以删除大量的过期数据。 + +## 四、HBase 系统架构 + +### 组件 + +
+ +HBase 构建在 HDFS 的基础上: + +#### 1、Client + +包含访问 HBase 的接口,并维护 cache 来加快对 HBase 的访问,比如 Region 的位置信息。 + +#### 2、Zookeeper + +- 保证任何时段,集群中只有一个 Master +- 存储所有 Region 的寻址地址 +- 实时监控 Region Server 的线上线下信息,并且通知给 Master +- 存储 HBase 的 schema 和 table 的元数据 +- 默认情况下,HBase 管理 Zookeeper 实例,Master 与 RegionServers 启动时会向 Zookeeper 注册,Zookeeper 的引入使得 Master 不再是单点故障。 + +
+ +#### 3、HMaster + +- 为 RegionServer 分配 Region 和 RegionServer 的负载均衡 +- 发现失效的 Region Server 并重新分配其上的 Region +- 管理用户对 table 的增删改查操作 + +#### 4、HRegionServer + +- HRegionServer 负责维护 Region,处理对这些 Region 的 I / O 请求 +- HRegionServer 负责切分在运行过程中变得过大的 Region + +### 容错机制 + +#### Master 容错 + +Zookeeper 重新选择一个新的 Master,无 Master 过程中: + +- 数据读取仍照常进行; +- Region切分、负载均衡等无法进行; + +#### RegionServer 容错 + +定时向 Zookeeper 汇报心跳,如果一段时间内未出现心跳,Master 将该 RegionServer 上的 Region 重新分配到其他 RegionServer 上,失效服务器上“预写”日志由主服务器进行分割并派送给新的 RegionServer。 + +- RegionServer容错:定时向Zookeeper汇报心跳,如果一旦时间内未出现心跳,Master将该RegionServer上的Region重新分配到其他RegionServer上,失效服务器上“预写”日志由主服务器进行分割并派送给新的RegionServer + +#### Zookeeper 容错 + +Zookeeper 是一个可靠的服务,一般配置 3 或 5 个 Zookeeper 实例。 + +## 五、HBase 数据存取解析 + +
+ +### 数据存取流程 + +#### 1、数据存储 + +> **客户端** + +提交之前会先请求 Zookeeper 来确定元数据表所在的 Region Server 的地址,再根据 RowKey 确定归属的 Region Server,之后用户提交 Put/Delete 这样的请求,HBase 客户端会将 Put 请求添加到本地的 buffer 中,符合一定的条件就会通过异步批量提交。 + +HBase 默认设置 auto flush(自动刷写)为 true,表示 Put 请求会直接提交给服务器进行处理,用户可以设置 auto flush 为 false,这样 Put 请求会首先放入本地的 buffer 中,等到buffer 的大小达到一定阈值(默认是2M)后再提交。 + +
+ +> **服务端** + +当数据到达 Region Server 的某个 Region 后,首先获取 RowLock(行锁),之后再日志和写入缓存,此时并不会同步日志,操作完释放行锁,随后再将同步(sync)到 HDFS 上,如果同步失败进行回滚操作将缓存中已写入的数据删除掉,代表插入失败。 + +当缓存达到一定阈值(默认是64M)后,启动异步线程将数据刷写到硬盘上形成多个 StoreFile,当 StoreFile 数量达到一定阈值后会触发合并操作。当单个 StoreFile 的大小达到一定大小的时候会触发一个 split 操作,将当前的Region 切分为两个 Region,再同步到 HMater 上,原有 Region 会下线,子 HRegion 会被 HMaster 分配到相应的Region Server 上。 + +
+ +#### 2、数据获取 + +> **客户端** + +这里同数据存储的过程类似。 + +
+ +> **服务端** + +Region Server 在接收到客户端的 Get / Scan 请求之后,首先 HBase 在确定的 RegionServer 上构造一个RegionScanner 准备为当前定位的 Scan 做检索。 + +RegionScanner 会根据列族构建 StoreScanner,有多少个列族就会构建多少个 StoreScanner。每个 StoreScanner 会为当前 Store 中的每个 HFile 构建一个 StoreFileScanner,用于实际执行对应的文件检索。同时会对对应的 Mem 构建对应的 MemStoreScanner,用于检索 MemStore 中的数据。 + +构建两类 Scanner 的原因在于,数据可能还没有完全刷写到硬盘上,部分数据还存储于内存之中。检索完之后,就能够找到对应的 K-V,再经过简单地封装就形成了 ResultSet,就可以直接返回给客户端。 + +
+ +### 数据存取优化 + +#### 布隆过滤器 + +布隆过滤器使用 BitSet 存储数据,但是它进行了一定的改进,从而解除了 BitSet 要求数据的范围不大的限制。 + +**在存储时,它要求数据先经过 k 个哈希函得到 k 个位置,并将 BitSet 中对应位置设置为 1。在查找时,也需要先经过 k 个哈希函数得到 k 个位置,如果所有位置上都为 1,那么表示这个数据存在**。 + +由于哈希函数的特点,两个不同的数通过哈希函数得到的值可能相同。如果两个数通过 k 个哈希函数得到的值都相同,那么使用布隆过滤器会将这两个数判为相同。 + +可以知道,令 k (k 个哈希函数)和 m (m 是 BitSet 的位数)都大一些会使得误判率降低,但是这会带来更高的时间和空间开销。 + +布隆过滤器会误判,也就是将一个不存在的数判断为已经存在,这会造成一定的问题。例如在垃圾邮件过滤系统中,会将一个邮件误判为垃圾邮件,那么就收不到这个邮件。可以使用白名单的方式进行补救。 + +
+ +#### 1、数据存储优化 + +HBase 通过 MemStore 和 WAL 两种机制,实现**数据顺序快速的插入**,极大降低了数据存储的延迟。 + +#### 2、数据获取优化 + +HBase 使用布隆过滤器来提高**随机读**的性能,布隆过滤器是列族级别的配置。HBase 中的每个 HFile 都有对应的**位数组**,K-V 在写入 HFile 时,会经过几个哈希函数的映射并写入对应的位数组里面。HFile 中的位数组,就是布隆过滤器中存储的值。HFile 越大位数组也会越大,太大就不适合放入内存中了,因此 HFile 将位数组按照 RowKey 进行拆分,一部分连续的 RowKey 使用一个位数组,HFile 会有多个位数组,在查询的时候,首先会定位到某个位数组再将该位数组加载到内存中进行过滤就行,这样减少了内存的开支。 + +HBase 中存在两种布隆过滤器: + +- Row:根据 RowKey 来过滤 StoreFile,这种情况可以针对列族和列都相同,只有 RowKey 不同的情况; +- RowCol:根据 RowKey + ColumnQualifier(列描述符)来过滤 StoreFile,这种情况是针对列族相同,列和RowKey 不同的情况。 + +## 参考资料 + +- [Hbase存储模式](https://www.jianshu.com/p/9d373efcc336) +- [hbase 表存储结构的详细理解,各个模块的作用介绍](https://blog.csdn.net/maketubu7/article/details/80612930) +- [HBase 存储原理剖析](https://www.imooc.com/learn/996) +- [Hbase的应用场景、原理及架构分析](https://blog.csdn.net/xiangxizhishi/article/details/75388971) + +- [Hbase原理、基本概念、基本架构](https://blog.csdn.net/woshiwanxin102213/article/details/17584043) +- [HBase 超详细介绍](https://blog.csdn.net/FrankieWang008/article/details/41965543) + +- [HBase详解(很全面](https://blog.csdn.net/lukabruce/article/details/80624619) \ No newline at end of file diff --git a/docs/BigData/Kafka.md b/docs/BigData/Kafka.md new file mode 100644 index 0000000..85a9ba4 --- /dev/null +++ b/docs/BigData/Kafka.md @@ -0,0 +1,316 @@ +# Kafka + +## 基础知识 + +- [消息队列](https://duhouan.github.io/2019/05/15/%E6%B6%88%E6%81%AF%E9%98%9F%E5%88%97/) + +- [ZooKeeper](https://duhouan.github.io/2019/05/17/Zookeeper/) + +## 一、Kafka 相关概念和基本信息 + +Kafka 是最初由 Linkedin 公司开发,是一个分布式、支持分区的(partition)、多副本的(replica),**基于 Zookeeper 协调**的分布式发布 / 订阅消息传递系统,用 scala 语言编写,Linkedin 于 2010 年贡献给了 Apache 基金会并成为顶级开源项目。官方文档的解释: + +Apache Kafka is *a distributed streaming platform*. + +A streaming platform has three key capabilities: + +- Publish and subscribe to streams of records, similar to a **message queue** or enterprise messaging system. +- Store streams of records in a fault-tolerant(容错的) durable(持久化的) way. +- Process streams of records as they occur. + +Kafka is generally used for two broad classes(类别) of applications: + +- Building real-time streaming data pipelines that reliably get data between systems or applications +- Building real-time streaming applications that transform or react to the streams of data + +### 1、Message + +消息(Message)是 Kafka 中**最基本的数据单元**。Kafka 消息由一个**定长的 Header 和变长的字节数组**组成,其中主要由 key 和 value 构成,key 和 value 也都是字节数组。 + +### 2、Broker + +Kafka 集群包含一个或多个服务器,这种服务器被称为 Broker。 + +### 3、Topic + +Kafka 根据主题(Topic)对消息进行归类,**发布到 Kafka 集群的每条消息(Message)都需要指定一个 Topic**。 + +### 4、Partition + +物理概念,每个 Topic 包含一个或多个分区(Partition)。 + +消息发送时都被发送到一个 Topic,其本质就是一个目录,而 Topic由是由一些 Partition Logs(分区日志)组成,其组织结构如下: + +
+ +**每个 Partition 中的消息都是有序的**,生产的消息被不断追加到 Partition Log 上,其中的每一个消息都被赋予了一个唯一的 offset 值,Kafka 通过 **offset 保证消息在分区内的顺序**,offset 的顺序性不跨分区,即 Kafka 只保证在同一个分区内的消息是有序的;同一 Topic 的多个分区内的消息,Kafka 并不保证其顺序性。 + +**Kafka 集群会保存所有的消息,不管消息有没有被消费**; + +我们可以设定消息的过期时间,只有过期的数据才会被自动清除以释放磁盘空间。比如我们设置消息过期时间为 2 天,那么这 2天 内的所有消息都会被保存到集群中,数据只有超过了两天才会被清除。 + +Kafka 需要维持的元数据只有一个,即消费消息在 Partition 中的 offset 值,Consumer 每消费一个消息,offset就会 +1。其实消息的状态完全是由 Consumer 控制的,**Consumer 可以跟踪和重设这个 offset 值,Consumer 就可以读取任意位置的消息**。 + +把消息日志以 Partition 的形式存放有多重考虑: + +- 第一,方便在集群中扩展,每个 Partition 可以通过调整以适应它所在的机器,而一个 Topic 又可以由多个Partition 组成,因此整个集群就可以适应任意大小的数据了; +- 第二,就是可以提高并发,因为是以 Partition 为单位进行读写。 + +### 5、Replication + +Kafka 对消息进行了冗余备份,每个 Partition 可以有多个副本(Replication),每个副本中包含的消息是一样的。每个分区的副本集合中,都会选举出一个副本作为 Leader 副本,Kafka 在不同的场景下会采用不同的选举策略。所有的读写请求都由选举出的 Leader 副本处理,其他都作为 Follower 副本,**Follower 副本仅仅是从 Leader 副本处把数据拉取(pull)到本地之后,同步更新到自己的 Log 中**。一般情况下,同一分区的多个副本会被分配到不同的 Broker上,这样,当 Leader 所在的 Broker 宕机之后,可以重新选举新的Leader,继续对外提供服务。 + +
+ +### 6、Producer + +消息生产者(Producer),向 Broker 发送消息的客户端; + +Producers 直接发送消息到 Broker上的 Leader Partition,不需要经过任何中介或其他路由转发。 + +为了实现这个特性,Kafka 集群中的每个 Broker 都可以响应 Producer 的请求,并返回 **Topic 的一些元信息**,这些元信息包括哪些机器是存活的,Topic 的 Leader Partition 都在哪,现阶段哪些 Leader Partition 是可以直接被访问的。 + +**Producer 客户端自己控制着消息被推送(push)到哪些 Partition**。实现方式可以是随机分配、实现一类随机负载均衡算法,或者指定一些分区算法。Kafka 提供了接口供用户实现自定义的 Partition,用户可以为每个消息指定一个 Partition Key,通过这个 key 来实现一些 Hash 分区算法。比如,把 userid 作为 Partition Key 的话,相同 userid 的消息将会被推送到同一个 Partition。 + +Kafka Producer 可以将消息在内存中累计到一定数量后作为一个 Batch 发送请求。Batch 的数量大小可以通过Producer 的参数控制,参数值可以设置为累计的消息的数量(如 500 条)、累计的时间间隔(如 100ms )或者累计的数据大小(64 KB)。通过增加 Batch的大小,可以减少网络请求和磁盘 I / O 的次数,当然具体参数设置需要在**效率**和**时效性**方面做一个权衡。 + +Producers 可以异步地并行地向 Kafka发送消息,但是通常 Producer 在发送完消息之后会得到一个 future响应,返回的是 offset 值或者发送过程中遇到的错误。通过`request.required.acks参数来设置leader partition 收到确认的副本个数: + +| ack | 说明 | +| :--: | :----------------------------------------------------------: | +| 0 | Producer 不会等待 Broker 的响应,Producer 无法知道消息是否发送成功,
这样**可能会导致数据丢失**,但会得到最大的系统吞吐量。 | +| 1 | Producer 会在 Leader Partition 收到消息时得到 Broker 的一个确认,
这样会有更好的可靠性,因为客户端会等待直到 Broker 确认收到消息。 | +| -1 | Producer 会在所有备份的 Partition 收到消息时得到 Broker 的确认,
这个设置可以得到最高的可靠性保证。 | + +发布消息时,Kafka Client 先构造一条消息,将消息加入到消息集 set 中(Kafka支持批量发布,可以往消息集合中添加多条消息,一次行发布),send 消息时,Producer Client需指定消息所属的 Topic。 + +### 7、Consumer + +消息消费者(Consumer),从 Broker 读取消息的客户端;消费者(Consumer)的主要工作是从 Topic 中拉取消息,并对消息进行消费。某个消费者消费到 Partition 的哪个位置(offset)的相关信息,是 Consumer 自己维护的。Consumer 可以自己决定如何读取 Kafka 中的数据。比如,Consumer 可以通过重设 offset 值来重新消费已消费过的数据。不管有没有被消费,Kafka 会保存数据一段时间,这个时间周期是可配置的,只有到了过期时间,Kafka 才会删除这些数据。 + +这样设计非常巧妙,**避免了Kafka Server端维护消费者消费位置的开销**,尤其是在消费数量较多的情况下。另一方面,如果是由 Kafka Server 端管理每个 Consumer 消费状态,一旦 Kafka Server 端出现延时或是消费状态丢失,将会影响大量的 Consumer。另一方面,这一设计也提高了 Consumer 的灵活性,Consumer 可以按照自己需要的顺序和模式拉取消息进行消费。例如:Consumer 可以通过修改其消费的位置实现针对某些特殊 key 的消息进行反复消费,或是跳过某些消息的需求。 + +Kafka 提供了两套 Consumer Api,分为 Simple Api 和 High-Level Api。 + +Simple Api 是一个底层的 API,它维持了一个和单一 Broker 的连接,并且这个 API 是完全无状态的,每次请求都需要指定 offset 值,因此,这套 API 也是最灵活的。 + +High-Level API 封装了对集群中一系列 Broker 的访问,可以透明的消费一个 Topic。它自己维持了已消费消息的状态,即每次消费的都是下一个消息。 + +High-Level API 还支持以组的形式消费 Topic,如果 Consumers 有同一个组名,那么 Kafka 就相当于一个队列消息服务,而各个 Consumer 均衡地消费相应 Partition 中的数据。若 Consumers 有不同的组名,那么此时 Kafka 就相当于一个广播服务,会把 Topic 中的所有消息广播到每个 Consumer。 + +
+ +### 8、Consumer Group + +在 Kafka 中,多个 Consumer 可以组成一个 Consumer Group,一个 Consumer 只能属于一个 Consumer Group。**Consumer Group 保证其订阅的 Topic 的每个 Partition 只被分配给此 Consumer Group 中的一个消费者处理**。如果不同 Consumer Group 订阅了同一 Topic,Consumer Group 彼此之间不会干扰。这样,如果要实现一个消息可以被多个消费者同时消费(“广播”)的效果,则将每个消费者放入单独的一个 Consumer Group;如果要实现一个消息只被一个消费者消费(“独占”)的效果,则将所有的 Consumer 放入一个 Consumer Group 中。 + +注意:Consumer Group 中消费者的数量并不是越多越好,当其中消费者数量超过分区的数量时,会导致有消费者分配不到分区,从而造成消费者的浪费。 + +### 9、ISR 集合 + +ISR(In-Sync Replica)集合表示的是目前可用(alive)且消息量与 Leader 相差不多的副本集合,这是整个**副本集合的一个子集**。“可用”和“相差不多”都是很模糊的描述,其实际含义是 ISR 集合中的副本必须满足下面两个条件: + +- 可用:副本所在节点必须维持着与 Zookeeper 的连接 +- 差不多:副本最后一条消息的 offset 与 Leader 副本的最后一条消息的 offset 之间的差值不能超出指定的阈值 + +每个分区中的 Leader 副本都会维护此分区的 ISR 集合。写请求首先由 Leader 副本处理,之后 Follower 副本会从Leader 上拉取写入的消息,这个过程会有一定的**延迟**,导致 Follower 副本中保存的消息略少于 Leader 副本,**只要未超出阈值都是可以容忍的**。如果一个 Follower 副本出现异常,比如:宕机,发生长时间 GC 而导致 Kafka 僵死或是网络断开连接导致长时间没有拉取消息进行同步,就会违反上面的两个条件,从而被 Leader 副本踢出 ISR集合。当 Follower 副本从异常中恢复之后,会继续与 Leader 副本进行同步,当 Follower 副本“追上”(即最后一条消息的 offse t的差值小于指定阈值)Leader 副本的时候,此 Follower 副本会被 Leader 副本重新加入到 ISR 集合中。 + +### 10、HW + +水位(High Watermark,HW)**标记了一个特殊的 offset**,当消费者处理消息的时候,只能拉取到 HW 之前的消息,HW 之后的消息对消费者来说是不可见的。与 ISR 集合类似,HW 也是由 Leader 副本管理的。当 ISR 集合中全部的 Follower 副本都拉取 HW 指定消息进行同步后,Leader 副本会递增 HW 的值。Kafka 官方网站将 HW 之前的消息的状态称为“commit”,其含义是这些消息在多个副本中同时存在,即使此时 Leader 副本损坏,也不会出现数据丢失。 + +### 11、LEO + +LEO(Log End Offset)是所有的副本都会有的一个 offset 标记,它指向追加到当前副本的最后一个消息的offset。。当生产者向 Leader 副本追加消息的时候,Leader 副本的 LEO 标记会递增;当 Follower 副本成功从Leader 副本拉取消息并更新到本地的时候,Follower 副本的 LEO 就会增加。 + +
+ +1、Producer 向此 Partition 推送消息。 + +2、Leader 副本将消息追加到 Log 中,并递增其 LEO。 + +3、Follower 副本从 Leader 副本拉取消息进行同步。 + +4、Follower 副本将拉取到的消息更新到本地 Log 中,并递增其 LEO。 + +5、当 ISR 集合中所有副本都完成了对 offset=11 的消息的同步,Leader 副本会递增 HW。 + +在 1~5 步完成之后,offset=11 的消息就对生产者可见了。 + +## 二、Kafka 数据流 + +
+ +Producers 往 Brokers 中指定的 Topic 写消息,Consumers 从 Brokers 里面拉去指定 Topic 的消息,然后进行业务处理。 +图中有两个 Topic,Topic-0 有两个 Partition,Topic-1 有一个 Partition,三副本备份。可以看到 Consumer-Group-1 中的 Consumer-2 没有分到 Partition 处理,这是有可能出现的。 + +#### Kafka 工作流程 + +生产者会根据业务逻辑产生消息,之后根据路由规则将消息发送到指定分区的 Leader 副本所在的 Broker 上。在Kafka 服务端接收到消息后,会将消息追加到 Log 中保存,之后 Follower 副本会与 Leader 副本进行同步,当 ISR集合中所有副本都完成了此消息的同步后,则 Leader 副本的 HW 会增加,并向生产者返回响应。 + +当消费者加入到 Consumer Group 时,会触发 Rebalance 操作将分区分配给不同的消费者消费。随后,消费者会恢复其消费位置,并向 Kafka 服务端发送拉取消息的请求,Leader 副本会验证请求的 offset 以及其他相关信息,最后返回消息。 + + + + + + + +## 三、Kafka 的应用场景 + +1、**日志收集**:一个公司可以用 Kafka 可以收集各种服务的 log ,通过 kafka 以统一接口服务的方式开放给各种consumer,例如 hadoop、Hbase、Solr 等。 + +2、消息系统:解耦和生产者和消费者、缓存消息等。 + +3、**用户活动跟踪**:Kafka 经常被用来记录 web 用户或者 app 用户的各种活动,如浏览网页、搜索、点击等活动,这些活动信息被各个服务器发布到 Kafka 的 topic 中,然后订阅者通过订阅这些 topic 来做实时的监控分析,或者装载到 hadoop、数据仓库中做离线分析和挖掘。 + +4、运营指标:Kafka 也经常用来记录运营监控数据。包括收集各种分布式应用的数据,生产各种操作的集中反馈,比如报警和报告。 + +5、流式处理:比如 SparkStreaming 和 Storm + +6、事件源 + +## 四、Kafka 机制 + +### 压缩消息集合 + +Kafka 支持以集合(batch)为单位发送消息,在此基础上,Kafka 还支持对消息集合进行压缩,Producer 端可以通过 GZIP 或 Snappy 格式对消息集合进行压缩。Producer 端进行压缩之后,Consumer 端需进行解压。压缩的好处就是减少传输的数据量,减轻对网络传输的压力,在对大数据处理上,瓶颈往往体现在网络上而不是CPU(压缩和解压会耗掉部分 CPU 资源)。 + +那么如何区分消息是压缩的还是未压缩的呢,Kafka 在消息头部添加了一个**描述压缩属性字节**,这个字节的后两位表示消息的压缩采用的编码,如果后两位为 0,则表示消息未被压缩。 + +### 消息可靠性 + +在消息系统中,保证消息在生产和消费过程中的可靠性是十分重要的,在实际消息传递过程中,可能会出现如下三中情况: + +- 一个消息发送失败 +- 一个消息被发送多次 +- 一个消息发送成功且仅发送了一次(这是最理想的情况:exactly-once) + + 从 Producer 端看:当一个消息被发送后,Producer 会等待 Broker 成功接收到消息的反馈(可通过参数控制等待时间),如果消息在途中丢失或是其中一个 Broker 挂掉,**Producer 会重新发送**(我们知道 Kafka 有备份机制,可以通过参数控制是否等待所有备份节点都收到消息)。 + +从 Consumer 端看:Broker 记录了 Partition 中的一个 offset 值,这个值指向 Consumer 下一个即将消费的消息。当 Consumer 收到了消息,但却在处理过程中挂掉,此时 **Consumer 可以通过这个 offset 值重新找到上一个消息再进行处理**。Consumer 还有权限控制这个 offset 值,对持久化到 Broker 端的消息做任意处理。 + +### 备份机制 + +备份机制的出现大大提高了 Kafka 集群的可靠性、稳定性。有了备份机制后,**Kafka 允许集群中的节点挂掉后而不影响整个集群工作**。一个备份数量为 n 的集群允许(n-1)个节点失败。在所有备份节点中,有一个节点作为Leader 节点,这个节点保存了其它备份节点列表,并维持各个备份间的状体同步。 + +## 五、Kafka 特性 + +1、高吞吐量、低延迟:Kafka 每秒可以处理几十万条消息,而它的延迟最低只有几毫秒; + +2、可拓展性:Kafka 集群支持热拓展; + +3、持久性、可靠性:消息被持久化到本地磁盘,并且支持数据备份防止数据丢失; + +4、容错性:允许集群中节点失败(若副本数量为n,则允许n-1个节点失败); + +5、高并发:支持数千个客户端同时读写 + +## 六、Kafka 高吞吐量的原因 + +### 1、分区 + +Kafka 是个分布式集群的系统,整个系统可以包含多个 Broker,也就是多个服务器实例。每个 Topic 会有多个分区,Kafka 将分区均匀地分配到整个集群中,当生产者向对应主题传递消息,消息通过**负载均衡机制**传递到不同的分区以减轻单个服务器实例的压力;一个 Consumer Group 中可以有多个 Consumer,多个 Consumer 可以同时消费不同分区的消息,大大的提高了消费者的并行消费能力。 + +**一个分区中的消息只能被一个 Consumer Group 中的一个 Consumer 消费**。 + +### 2、网络传输 + +**批量发送**:在发送消息的时候,Kafka 不会直接将少量数据发送出去,否则每次发送少量的数据会增加网络传输频率,降低网络传输效率。Kafka 会先将消息缓存在内存中,当超过一个的大小或者超过一定的时间,那么会将这些消息进行批量发送。 +**端到端压缩**: Kfaka会将这些批量的数据进行压缩,将一批消息打包后进行压缩,发送给 Broker 服务器后,最终这些数据还是提供给消费者用,所以数据在服务器上还是保持压缩状态,不会进行解压,而且频繁的压缩和解压也会降低性能,最终还是以压缩的方式传递到消费者的手上,在 Consumer 端进行解压。 + +### 3、顺序读写 + +Kafka 是个可持久化的日志服务,它将数据以数据日志的形式进行追加,最后持久化在磁盘中。Kafka 消息存储时依赖于**文件系统**。在一个由 6 个 7200 rpm 的 SATA 硬盘组成的 RAID-5 磁盘阵列上,线性写入(linear write)的速度大约是 300 MB/秒,但随机写入却只有 50 K/秒。可见磁盘的线性和随机读写的速度差距甚大。为了利用数据的**局部相关性**,操作系统从磁盘中读取数据以数据块为单位,将一个数据块读入内存中,如果有相邻的数据,就不用再去磁盘中读取。在某些情况下,**顺序磁盘访问能比随机内存访问还要快**。同时在写数据的时候也是将一整块数据块写入磁盘中,大大提升 I / O 效率。 + +现代操作系统使用空闲内存作为磁盘缓存。当我们在程序中对数据进行缓存时,可能这些数据已经缓存在了操作系统的**缓存页**中。我们将缓存的操作逻辑交给操作系统,那么比我们自己维护来得更加高效。所以使用磁盘的方式线性读取数据也有很高的效率。 + +Kafka 将消息追加到日志文件中,正是利用了磁盘的顺序读写,来提高读写效率。我们平时操作磁盘可能会用Btree 这种数据结构,但是运算的时间复杂度为 O(logN),持久化队列利用追加日志的方式构建,生产者将消息追加到日志尾部,消费者读取头部的消息,两者互不干扰,也不需要加锁,提高了性能,同时时间复杂度为 O(1)。 + +### 4、零拷贝 + +Kafka将数据以日志的形式保存在磁盘中。 + +当消费者向服务器请求数据,那么需要从文件传输到 Socket 中。 从文件到 Socket 需要以下这些步骤: + +1、调用 read 陷入内核模式,操作系统将数据从磁盘读到内核缓冲区; + +2、然后从内核态切换到用户态,应用程序将数据从内核空间读取到用户空间的缓冲区 + +3、然后应用程序将数据写带内核空间的 Socket 缓冲区 + +4、操作系统将 Socket 缓冲区的数据拷贝到网卡接口缓冲区并且发出去 + + 当我们将数据从文件传输到 Socket 最后发送出去经过了好几次拷贝,同时还有好几次的用户态和内核态的切换,我们知道用户态和内核态的切换也是很耗时的,那么多次拷贝更是影响性能。 + +从上面的过程来看,可以看出没必要从内核空间的缓冲区拷贝到用户空间。所以零拷贝技术正是改进了这项确定,零拷贝将文件内容从磁盘通过 DMA 引擎复制到内核缓冲区,而且没有把数据复制到 Socket 缓冲区,只是将数据位置和长度信息的描述符复制到了 Socket 缓存区,然后直接将数据传输到网络接口,最后发送。这样大大减小了拷贝的次数,提高了效率。Kafka 正是**调用 Linux 系统给出的 sendfile 系统调用来使用零拷贝**。Java 中的系统调用给出的是 FileChannel.transferTo 接口。 + +> 补充资料: + +### 5、文件存储机制 + +为数据文件建索引:稀疏存储,每隔一定字节的数据建立一条索引(这样的目的是为了减少索引文件的大小)。 + +
+ +注意: + +- 6 和 8 建立了索引,如果要查找 7,则会先查找到 8 ,然后再找到 8 后的一个索引 6,然后两个索引之间做**二分查找**,最后找到 7 的位置。 + +- 每一个 log 文件中又分为多个 segment。 + +## 七、Kafka 的高可用 + +#### 高可用如何实现? + +Kafka 0.8 以后,提供了 HA 机制,就是 replica(复制品) 副本机制。每个 partition 的数据都会同步到其它机器上,形成自己的多个 replica 副本。所有 replica 会选举一个 leader 出来,那么生产和消费都跟这个 leader 打交道,然后其他 replica 就是 follower。写的时候,leader 会负责把数据同步到所有 follower 上去,读的时候就直接读 leader 上的数据即可。只能读写 leader?很简单,**要是你可以随意读写每个 follower,那么就要 care 数据一致性的问题**,系统复杂度太高,很容易出问题。Kafka 会均匀地将一个 partition 的所有 replica 分布在不同的机器上,这样才可以提高容错性。 + +这样就算某个broker宕机,该broker上面的partition也不会丢失,因为其他broker上都有副本,这样Kafka就具有了高可用性。如果这个宕机的 broker 上面有某个 partition 的 leader,那么此时会从 follower 中**重新选举**一个新的 leader 出来,大家继续读写那个新的 leader 即可。这就有所谓的高可用性了。 + +#### 那么如何选举leader呢? + +最简单最直观的方案是,所有Follower都在Zookeeper上设置一个Watch,一旦Leader宕机,其对应的ephemeral znode会自动删除,此时所有Follower都尝试创建该节点,而创建成功者(Zookeeper保证只有一个能创建成功)即是新的Leader,其它Replica即为Follower。 + +**写数据**的时候,生产者就写 leader,然后 leader 将数据落地写本地磁盘,接着其他 follower 自己主动从 leader 来 pull 数据。一旦所有 follower 同步好数据了,就会发送 ack 给 leader,leader 收到所有 follower 的 ack 之后,就会返回写成功的消息给生产者。(当然,这只是其中一种模式,还可以适当调整这个行为) + +**消费**的时候,只会从 leader 去读,但是只有当一个消息已经被所有 follower 都同步成功返回 ack 的时候,这个消息才会被消费者读到。 + +#### 如何处理所有Replica都不工作? + +  上文提到,在ISR中至少有一个follower时,Kafka可以确保已经commit的数据不丢失,但如果某个Partition的所有Replica都宕机了,就无法保证数据不丢失了。这种情况下有两种可行的方案: + +- 等待ISR中的任一个Replica“活”过来,并且选它作为Leader +- 选择第一个“活”过来的Replica(不一定是ISR中的)作为Leader + +  这就需要在可用性和一致性当中作出一个简单的折衷。如果一定要等待ISR中的Replica“活”过来,那不可用的时间就可能会相对较长。而且如果ISR中的所有Replica都无法“活”过来了,或者数据都丢失了,这个Partition将永远不可用。选择第一个“活”过来的Replica作为Leader,而这个Replica不是ISR中的Replica,那即使它并不保证已经包含了所有已commit的消息,它也会成为Leader而作为consumer的数据源(前文有说明,所有读写都由Leader完成)。Kafka0.8.*使用了第二种方式。根据Kafka的文档,在以后的版本中,Kafka支持用户通过配置选择这两种方式中的一种,从而根据不同的使用场景选择高可用性还是强一致性。 + +## 八、Kafka 的分布式实现 + +
+ +### 1、Zookeeper 协调控制 + +- 管理 Broker 与 Consumer 的动态加入与离开。 + + Producer 不需要管理,随便一台计算机都可以作为 Producer 向 Kakfa Broker 发消息。 + +- 触发负载均衡,当 Broker 或 Consumer 加入或离开时会触发负载均衡算法,使得一 个 Consumer Group 内的多个 Consumer 的消费负载平衡。因为**一个 Comsumer 消费一个或多个 Partition,一个 Partition 只能被一个 Consumer 消费**。 + +- 维护消费关系及每个 Partition 的消费信息。 + +### 2、Zookeeper 上的细节 + +- 每个 Broker 启动后会在 Zookeeper 上注册一个临时的 Broker Registry,包含 Broker的 IP 地址和端口号,所存储的 Topics 和 Partitions 信息。 +- 每个 Consumer 启动后会在 Zookeeper 上注册一个临时的 Consumer Registry:包含 Consumer 所属的Consumer Group以及订阅的 Topics。 +- 每个 Consumer Group 关联一个临时的 Owner Registry 和一个持久的 Offset Registry。对于被订阅的每个Partition 包含一个 Owner Registry,内容为订阅这个 Partition 的 Consumer Id;同时包含一个 Offset Registry,内容为上一次订阅的 offset。 + +## 参考资料 + +- [Kafka史上最详细原理总结](https://blog.csdn.net/ychenfeng/article/details/74980531) +- [Kafka原理分析](https://github.com/DuHouAn/Java-Notes/blob/master/SystemDesign/12Kafka%E5%8E%9F%E7%90%86%E5%88%86%E6%9E%90.md) +- [Kafka 流处理平台](https://www.imooc.com/learn/1043) +- [Kafka 数据可靠性深度解读](http://www.importnew.com/25247.html) +- [震惊了!原来这才是kafka!](https://www.jianshu.com/p/d3e963ff8b70) +- [Kafka 设计与原理详解](https://blog.csdn.net/suifeng3051/article/details/48053965) +- [Kafka学习(四)——Kafka持久化](https://blog.csdn.net/gududedabai/article/details/80002453) +- [kafka——高性能篇](https://blog.csdn.net/wz1226864411/article/details/80270861) \ No newline at end of file diff --git a/docs/BigData/Zookeeper.md b/docs/BigData/Zookeeper.md new file mode 100644 index 0000000..a7266a3 --- /dev/null +++ b/docs/BigData/Zookeeper.md @@ -0,0 +1,252 @@ +# Zookeeper 简介 + +Zookeeper 最早起源于雅虎研究院的一个研究小组。在当时,研究人员发现,在雅虎内部很多大型系统基本都需要依赖一个类似的系统来进行分布式协调,但是这些系统往往都存在分布式单点问题。所以,雅虎的开发人员就试图开发一个通用的无单点问题的**分布式协调框架**,以便让开发人员将精力集中在处理业务逻辑上。 + +关于 “ZooKeeper” 这个项目的名字,其实也有一段趣闻。在立项初期,考虑到之前内部很多项目都是使用动物的名字来命名的(例如著名的 Pig 项目),雅虎的工程师希望给这个项目也取一个动物的名字。时任研究院的首席科学家 Raghu Ramakrishnan 开玩笑地说:“再这样下去,我们这儿就变成动物园了!”此话一出,大家纷纷表示就叫动物园管理员吧一一因为各个以动物命名的分布式组件放在一起,雅虎的整个**分布式系统看上去就像一个大型的动物园**了,而 Zookeeper 正好要用来进行分布式环境的协调一一于是,Zookeeper 的名字也就由此诞生了。 + +​ —— 节选自 《从 Paxos 到 Zookeeper 》 + + + +Zookeeper 分布式服务框架是 Apache Hadoop 的一个子项目,它主要是用来解决分布式应用中经常遇到的一些数据管理问题,如:统一命名服务、状态同步服务、集群管理、分布式应用配置项的管理等。 + +Zookeeper 作为一个分布式的服务框架,主要用来解决**分布式集群中应用系统的一致性问题**,它能提供基于类似于文件系统的目录节点树方式的数据存储, Zookeeper 作用主要是用来维护和监控存储的数据的状态变化,通过监控这些数据状态的变化,从而进行基于数据的集群管理。 + +简单的说,**zookeeper = 文件系统 + 通知机制**。 + +## Zookeeper 数据模型 + +- 树形层次结构 + +Zookeeper 维护着一个**树形层次结构**,树中的节点被称为 znode。znode(数据节点)是 Zookeeper 中数据的最小单元,每个 znode 上都可以保存数据,同时还是可以有子节点,并且有一个与之关联的 ACL(access control list,访问控制列表)。Zookeeper 被设计为用来实现协调服务(通常使用小数据文件),而不是用于大容量数据存储,所以一个 znode 能存储的数据被限制在 1MB 以内。 + +
+ +- 数据访问具有原子性 + +Zookeeper 的数据访问具有**原子性**。客户端在读取一个 znode 的数据时,要么读到所有的数据,要么读操作失败,不会只读到部分数据。同样,写操作将替换 znode 存储的所有数据。Zookeeper 会保证写操作不成功就失败,不会出现部分写之类的情况。 + +- 路径必须是绝对路径 + +Zookeeper中的路径必须是**绝对路径**,即每条路径必须从一个斜杠开始。所有路径必须是规范的,即每条路径只有唯一的一种表示方式,不支持路径解析。/zookeeper 是一个保留词,不能用作一个路径组件。Zookeeper 使用 /zookeeper 来保存管理信息。 + +- 节点类型 + +每个节点是有生命周期的,这取决于节点的类型。在 Zookeeper 中,节点类型可以分为持久节点(PERSISTENT )、临时节点(EPHEMERAL),以及时序节点(SEQUENTIAL ),具体在节点创建过程中,一般是组合使用,可以生成以下 4 种节点类型: + +| 类型 | 说明 | +| :-----------------------------------: | :----------------------------------------------------------: | +| 持久节点(PERSISTENT) | 所谓持久节点,是指在节点创建后,就一直存在,直到有删除操作来主动清除这个节点不会因为创建该节点的客户端会话失效而消失。 | +| 持久顺序节点(PERSISTENT_SEQUENTIAL) | 这类节点的基本特性和上面的节点类型是一致的。
额外的特性是:每个父节点会为他的第一级子节点维护一份时序,会记录每个子节点创建的先后顺序。
基于这个特性,在创建子节点的时候,可以设置这个属性,那么在创建节点过程中,Zk 会自动为给定节点名加上一个数字后缀,作为新的节点名。
这个数字后缀的上限是整型的最大值。 | +| 临时节点(EPHEMERAL) | 和持久节点不同的是,临时节点的生命周期和客户端会话绑定。
也就是说,如果客户端会话失效,那么这个节点就会自动被清除掉。
注意,这里提到的是会话失效,而非连接断开。
另外,在临时节点下面不能创建子节点。 | +| 临时顺序节点(EPHEMERAL_SEQUENTIAL) | / | + +### Zookeeper 中的一些概念 + +#### 1、Session + +Session 指的是 Zookeeper 服务器与客户端会话。在 Zookeeper 中,一个客户端连接是指客户端和服务器之间的一个 **TCP 长连接**。客户端启动的时候,首先会与服务器建立一个 TCP 连接,从第一次连接建立开始,客户端会话的生命周期也开始了。通过这个连接,客户端能够通过**心跳检测**与服务器保持有效的会话,也能够向 Zookeeper 服务器发送请求并接受响应,同时还能够通过该连接接收来自服务器的 Watch 事件通知。 Session 的`sessionTimeout `值用来设置一个客户端会话的超时时间。当由于服务器压力太大、网络故障或是客户端主动断开连接等各种原因导致客户端连接断开时,**只要在sessionTimeout规定的时间内能够重新连接上集群中任意一台服务器,那么之前创建的会话仍然有效。** + +在为客户端创建会话之前,服务端首先会为每个客户端都分配一个 sessionID。由于 sessionID 是 Zookeeper 会话的一个重要标识,许多与会话相关的运行机制都是基于这个 sessionID 的,因此,无论是哪台服务器为客户端分配的 sessionID,都务必保证全局唯一。 + +#### 2、Znode + +zookeeper 中的节点分为 2 类: + +- 机器节点:构成集群的机器 +- znode:指数据模型中的数据单元,我们称之为数据节点 —— znode + +在 Zookeeper 中,节点可以分为持久节点和临时节点两类: + +- 持久节点是指一旦这个 znode 被创建了,除非主动进行 znode 的移除操作,否则这个 znode 将一直保存在Zookeeper 上。 + +- 临时节点的生命周期和客户端会话绑定,一旦客户端会话失效,那么这个客户端创建的所有临时节点都会被移除。 + +Zookeeper 还允许用户为每个节点添加一个特殊的属性:**SEQUENTIAL**。一旦节点被标记上这个属性,那么在这个节点被创建的时候,Zookeeper 会自动在其节点名后面追加上一个整型数字,这个整型数字是一个由**父节点维护的自增数字**。 + +#### 3、ACL + +Zookeeper 采用 ACL(Access Control Lists)策略来进行权限控制,类似于 UNIX 文件系统的权限控制。Zookeeper 定义了如下 5 种权限: + +| 权限 | 说明 | +| :----: | :----------------------------: | +| CREATE | 创建子节点的权限 | +| READ | 获取节点数据和子节点列表的权限 | +| WRITE | 更行节点数据的权限 | +| DELETE | 删除子节点的权限 | +| ADMIN | 设置节点 ACL 的权限 | + +其中尤其需要注意的是,CREATE 和 DELETE 这两种权限都是针对**子节点的权限控制**。 + +#### 4、版本 + +在前面我们已经提到,Zookeeper 的每个 znode 上都会存储数据,对应于每个 znode,Zookeeper 都会为其维护一个叫作 **Stat** 的数据结构,Stat 中记录了这个 znode 的三个数据版本,分别是: + +- version:当前 znode 的版本 +- cversion:当前 znode 子节点的版本 +- aversion:当前 znode的 ACL 版本 + +#### 5、Watcher + +Zookeeper 提供了分布式数据的发布/订阅功能。Zookeeper 的 Watcher 机制主要包括客户端线程、客户端 WatchManager 和 Zookeeper 服务器三部分: + +- 客户端:分布在各处的 Zookeeper 的 jar 包程序,被引用在各个独立应用程序中。 +- WatchManager :一个接口,用于管理各个监听器,只有一个方法 materialize(),返回一个 Watcher 的 set。 + +- ZooKeeper :部署在远程主机上的 Zooleeper 集群,当然,也可能是单机的。 + +
+ +简单讲,客户端在向 Zookeeper 服务器注册 Watcher 的同时,会将 Watcher 对象存储在客户端的 WatchManager 中。当 Zookeeper 服务器触发 Watcher 事件后,会向客户端发送通知,客户端线程从 WatchManager 的实现类中取出对应的 Watcher 对象来执行回调逻辑。需要注意的是,Zookeeper 中的Watcher是一次性的,即触发一次就会被取消,如果想继续 Watch 的话,需要客户端重新设置Watcher。 + +ZooKeeper 中 Watcher 特性总结: + +- 注册只能确保一次消费 + +无论是服务端还是客户端,一旦一个 Watcher 被触发,Zookeeper 都会将其从相应的存储中移除。因此,开发人员在 Watcher 的使用上要记住的一点是需要反复注册。这样的设计有效地减轻了服务端的压力。如果注册一个 Watcher 之后一直有效,那么针对那些更新非常频繁的节点,服务端会不断地向客户端发送事件通知,这无论对于网络还是服务端性能的影响都非常大。 + +- 客户端串行执行 + +客户端 Watcher 回调的过程是一个串行同步的过程,这为我们保证了顺序,同时,需要开发人员注意的一点是,千万不要因为一个 Watcher 的处理逻辑影响了整个客户端的 Watcher 回调。 + +- 轻量级设计 + +WatchedEvent 是 Zookeeper 整个 Watcher 通知机制的最小通知单元,这个数据结构中只包含三部分的内容:通知状态、事件类型和节点路径。也就是说,Watcher 通知非常简单,只会**告诉客户端发生了事件,而不会说明事件的具体内容**。例如针对 NodeDataChanged 事件,Zookeeper 的 Watcher 只会通知客户指定数据节点的数据内容发生了变更,而对于原始数据以及变更后的新数据都无法从这个事件中直接获取到,而是需要客户端主动重新去获取数据,这也是 Zookeeper 的 Watcher 机制的一个非常重要的特性。 + +## Zookeeper 特点 + +**1、顺序一致性** + + 从同一客户端发起的事务请求,最终将会严格地按照顺序被应用到 Zookeeper 中去。 + +**2、原子性** + +所有事务请求的处理结果在整个集群中所有机器上的应用情况是一致的,也就是说,要么整个集群中所有的机器都成功应用了某一个事务,要么都没有应用该事务。 + +**3、单一系统映像** + +无论客户端连到哪一个 Zookeeper 服务器上,其看到的服务端数据模型都是一致的。 + +**4、可靠性** + +一旦一次更改请求被应用,更改的结果就会被持久化,直到被下一次更改覆盖。 + +## Zookeeper 设计目标 + +#### 1、简单的数据模型 + +
+ +Zookeeper 允许分布式进程通过共享的层次结构命名空间进行相互协调,这与标准文件系统类似。 名称空间由 Zookeeper 中的数据寄存器组成——称为 znode,这些类似于文件和目录。 与为存储设计的典型文件系统不同,Zookeeper **数据保存在内存**中,这意味着 Zookeeper 可以实现**高吞吐量**和**低延迟**。 + +#### 2、可构建集群 + +为了保证高可用,最好是以集群形态来部署 Zookeeper,这样只要集群中大部分机器是可用的(能够容忍一定的机器故障),那么 Zookeeper 本身仍然是可用的。客户端在使用 ZooKeeper 时,需要知道集群机器列表,通过与集群中的某一台机器建立 TCP 连接来使用服务,客户端使用这个 TCP 连接来发送请求、获取结果、获取监听事件以及发送心跳包。如果这个连接异常断开了,客户端可以连接到另外的机器上。 + +
+ +注意: + +- 通常 Zookeeper 由 (2n+1) 台 servers 组成,每个 server 都知道彼此的存在。每个 server 都维护的内存状态镜像以及持久化存储的事务日志和快照。为了保证 Leader 选举能过得到多数的支持,所以 Zookeeper 集群的数量一般为奇数,对于(2n+1) 台 server,只要有 (n+1) 台(大多数)server 可用,整个系统保持可用。 + +- 上图中每一个 Server 代表一个安装 Zookeeper 服务的服务器。组成 Zookeeper 服务的服务器都会在内存中维护当前的服务器状态,并且每台服务器之间都互相保持着通信。集群间通过 **ZAB(Zookeeper Atomic Broadcast) 协议来保持数据的一致性**。 + +#### 3、顺序访问 + +在 Zookeeper 中,事务是指能够改变 Zookeeper 服务器状态的操作,我们也称之为事务操作或更新操作,一般包括数据节点创建与删除、数据节点内容更新和客户端会话创建与失效等操作。 + +对于每一个事务请求,Zookeeper 都会分配一个全局唯一的递增编号,这个编号反应了**所有事务操作的先后顺序**,应用程序可以使用 Zookeeper 这个特性来实现更高层次的同步原语。这个编号也叫做时间戳 ——zxid(Zookeeper Transaction Id)。每一个 zxid 对应一次更新操作,从这些 zxid 中可以间接地识别出 Zookeeper 处理这些更新操作请求的全局顺序。 + +#### 4、高性能 + +**Zookeeper 是高性能的**。 在“读”多于“写”的应用程序中尤其地高性能,因为“写”会导致所有的服务器间同步状态。(“读”多于“写”是协调服务的典型场景)。 + +## Zookeeper 集群中的角色 + +在 Zookeeper 中引入了**Leader**、**Follower** 和 **Observer** 三种角色。如下图: + +
+ +Zookeeper 集群中的所有机器通过一个 Leader 选举过程来选定一台称为 “Leader” 的机器,Leader 既可以为客户端提供写服务又能提供读服务。除了 Leader 外,Follower 和 Observer 都只能提供读服务。Follower 和 Observer 唯一的区别在于 Observer 机器**不参与 Leader 的选举过程**,也不参与写操作的“过半写成功”策略,因此 **Observer 机器可以在不影响写性能的情况下提升集群的读性能**。 + +
+ + + +当 Leader 服务器出现网络中断、崩溃退出与重启等异常情况时,ZAB 协议就会进入恢复模式并选举产生新的Leader 服务器。这个过程大致是这样的: + +1、选举阶段:节点一开始都处于选举阶段,只要有一个节点得到超半数节点的票数,它就可以当**准 Leader**。 + +2、发现阶段:在这个阶段,Followers 跟**准 Leader** 进行通信,同步 Followers 最近接收的事务提议。 + +3、同步阶段:主要是利用 Leader 前一阶段获得的最新提议历史,同步集群中所有的副本。同步完成之后**准 Leader** 才会成为真正的 Leader。 + +4、广播阶段:Zookeeper 集群正式对外提供事务服务,并且 Leader 可以进行消息广播。同时如果有新的节点加入,还需要对新节点进行同步。 + +# ZAB 协议 + +ZAB(ZooKeeper Atomic Broadcast,原子广播) 协议是为分布式协调服务 Zookeeper 专门设计的一种支持崩溃恢复的原子广播协议。 在 Zookeeper 中,主要依赖 **ZAB 协议来实现分布式数据一致性**,基于该协议,Zookeeper 实现了一种主备模式的系统架构来**保持集群中各个副本之间的数据一致性**。 + +> Master / Slave 模式(主备模式)。在这种模式中,通常 Master 服务器作为主服务器提供写服务,其他的 Slave 服务器作为从服务器通过异步复制的方式获取 Master 服务器最新的数据并且提供读服务。 + +ZAB 协议两种基本的模式:崩溃恢复和消息广播。 + +## 崩溃恢复 + +当整个服务框架在启动过程中,或是当 Leader 服务器出现网络中断、崩溃退出与重启等异常情况时,ZAB 协议就会进入**恢复模式**并选举产生新的 Leader 服务器。当选举产生了新的 Leader 服务器,同时集群中已经有过半的机器与该 Leader 服务器完成了状态同步之后,ZAB协议就会退出恢复模式。其中,所谓的状态同步是指**数据同步**,用来保证集群中存在过半的机器能够和 Leader 服务器的数据状态保持一致。 + +## 消息广播 + +当集群中已经有过半的 Follower 服务器完成了和 Leader 服务器的状态同步,那么整个服务框架就可以进人**消息广播模式**了。当一台同样遵守 ZAB 协议的服务器启动后加人到集群中时,如果此时集群中已经存在一个 Leader 服务器在负责进行消息广播,那么新加入的服务器就会自觉地进入数据恢复模式:找到 Leader 所在的服务器,并与其进行数据同步,然后一起参与到消息广播流程中去。正如上文介绍中所说的,**Zookeeper 设计成只允许唯一的一个 Leader 服务器来进行事务请求的处理**。Leader 服务器在接收到客户端的事务请求后,会生成对应的事务提案并发起一轮广播协议;如果集群中的其他机器接收到客户端的事务请求,那么这些非 Leader 服务器会首先将这个事务请求转发给 Leader 服务器。 + +# ZooKeeper的选举机制 + +当leader崩溃或者leader失去大多数的follower,这时zk进入恢复模式,恢复模式需要重新选举出一个新leader,让所有的Server都恢复到一个正确的状态。Zk的选举算法有两种:一种是基于basic paxos实现的,另外一种是基于fast paxos算法实现的。系统默认的选举算法为fast paxos。 + +1. Zookeeper选主流程(basic paxos) + (1)选举线程由当前Server发起选举的线程担任,其主要功能是对投票结果进行统计,并选出推荐Server; + (2)选举线程首先向所有Server发起一次询问(包括自己); + (3)选举线程收到回复后,验证是否是自己发起的询问(验证zxid是否一致),然后获取对方的id(myid),并存储到当前询问对象列表中,最后获取对方提议的leader相关信息(id,zxid),并将这些信息存储到当次选举的投票记录表中; + (4)收到所有Server回复以后,就计算出zxid最大的那个Server,并将这个Server相关信息设置成下一次要投票的Server; + (5)线程将当前zxid最大的Server设置为当前Server要推荐的Leader,如果此时获胜的Server获得n/2 + 1的Server票数,设置当前推荐的leader为获胜的Server,将根据获胜的Server相关信息设置自己的状态,否则,继续这个过程,直到leader被选举出来。 通过流程分析我们可以得出:要使Leader获得多数Server的支持,则Server总数必须是奇数2n+1,且存活的Server的数目不得少于n+1. 每个Server启动后都会重复以上流程。在恢复模式下,如果是刚从崩溃状态恢复的或者刚启动的server还会从磁盘快照中恢复数据和会话信息,zk会记录事务日志并定期进行快照,方便在恢复时进行状态恢复。 +2. Zookeeper选主流程(fast paxos) + fast paxos流程是在选举过程中,某Server首先向所有Server提议自己要成为leader,当其它Server收到提议以后,解决epoch和 zxid的冲突,并接受对方的提议,然后向对方发送接受提议完成的消息,重复这个流程,最后一定能选举出Leader。 + +# Zookeeper 的应用场景 + +## 分布式协调/通知 + +ZooKeeper中持有的Watcher注册与异步通知机制,能够很好地实现分布式环境下不同机器,甚至是不同系统之间的协调与通知,从而实现对数据变更的实时处理。通常的做法是不同的客户端都对ZooKeeper上同一个数据节点进行Watcher注册,监听数据节点的变化(包括数据节点本身及其子节点),如果数据节点发送变化,那么所有订阅者都能够收到相应的Watcher通知,并做出相应处理。 + +## 分布式锁 + +举个栗子。对某一个数据连续发出两个修改操作,两台机器同时收到了请求,但是只能一台机器先执行完另外一个机器再执行。那么此时就可以使用 zookeeper 分布式锁,一个机器接收到了请求之后先获取 zookeeper 上的一把分布式锁,就是可以去创建一个 znode,接着执行操作;然后另外一个机器也**尝试去创建**那个 znode,结果发现自己创建不了,因为被别人创建了,那只能等着,等第一个机器执行完了自己再执行。 + +> 实现原理: + +## 数据发布/订阅 + +数据发布/订阅系统,即所谓的配置中心,就是发布者将数据发布到ZooKeeper的一个或一系列节点上,供订阅者进行数据订阅,进而达到动态获取数据的目的,实现配置信息的集中式管理和数据的动态更新。 + +常见的是统一配置管理,将配置信息存放到ZooKeeper上进行集中管理。在通常情况下,应用在启动的时候都会主动到ZooKeeper服务端上进行一次配置信息的获取,同时在该节点上注册一个Watcher监听。这样,一旦配置信息发生变化,服务端就会通知所有订阅的客户端,从而达到实时获取最新配置信息的目的。 + +由于系统的配置信息通常具有数据量较小、数据内容在运行时会动态变化、集群中各机器共享等特性,这样特别适合使用ZooKeeper来进行统一配置管理。 + +## 元数据/配置信息管理 + +zookeeper 可以用作很多系统的配置信息的管理,比如 kafka、storm 等等很多分布式系统都会选用 zookeeper 来做一些元数据、配置信息的管理,包括 dubbo 注册中心不也支持 zookeeper 么? + +## HA高可用 + +这个应该是很常见的,比如 hadoop、hdfs、yarn 等很多大数据系统,都选择基于 zookeeper 来开发 HA 高可用机制,就是一个**重要进程一般会做主备**两个,主进程挂了立马通过 zookeeper 感知到切换到备用进程。 + +> 补充资料: + +## 参考资料 + +- [zookeeper-application-scenarios](https://github.com/doocs/advanced-java/blob/master/docs/distributed-system/zookeeper-application-scenarios.md) +- [Zookeeper系列(一)](https://blog.csdn.net/tswisdom/article/details/41522069) +- [zookeeper的详细介绍及使用场景](https://blog.csdn.net/king866/article/details/53992653/) +- [zookeeper 相关概念总结](https://snailclimb.top/JavaGuide/#/./system-design/framework/ZooKeeper) +- 《从 Paxos 到 Zookeeper 倪超著》 +- [2019年Java程序员必须懂的技能——Zookeeper的功能以及工作原理](https://www.bilibili.com/video/av52292530) diff --git "a/docs/BigData/\346\266\210\346\201\257\351\230\237\345\210\227.md" "b/docs/BigData/\346\266\210\346\201\257\351\230\237\345\210\227.md" new file mode 100644 index 0000000..cef4e06 --- /dev/null +++ "b/docs/BigData/\346\266\210\346\201\257\351\230\237\345\210\227.md" @@ -0,0 +1,126 @@ +# 消息队列 + +消息队列中间件是**分布式系统**中重要的组件,主要用于:异步处理,应用解耦,流量削锋,消息通讯等问题,实现高性能,高可用,可伸缩和最终一致性架构。目前使用较多的消息队列有 ActiveMQ,RabbitMQ,ZeroMQ,Kafka,MetaMQ,RocketMQ。 + +## 一、消息模型 + +JMS(JAVA Message Service)是 Java 的消息服务,JMS 的客户端之间可以通过 JMS 服务进行异步的消息传输。**JMS API 是一个消息服务的标准或者说是规范**,允许应用程序组件基于 JavaEE 平台创建、发送、接收和读取消息。它使分布式通信耦合度更低,消息服务更加可靠。 + +### 点对点 + +消息生产者向消息队列中发送了一个消息之后,只能被一个消费者消费一次。 + +
+ +### 发布 / 订阅 + +消息生产者向**频道**发送一个消息之后,多个消费者可以从该频道订阅到这条消息并消费。 + +
+ +发布 / 订阅模式和观察者模式有以下不同: + +- 观察者模式中,观察者和主题都知道对方的存在; + + 发布 / 订阅模式中,发布者 / 订阅者不知道对方的存在,它们之间**通过频道进行通信**。 + +- 观察者模式是同步的,当事件触发时,主题会调用观察者的方法,然后等待方法返回; + + 发布 / 订阅模式是异步的,发布者向频道发送一个消息之后,就不需要关心订阅者何时去订阅这个消息,可以立即返回。 + +
+ +扩展:[观察者模式详解](https://github.com/DuHouAn/Java/blob/master/Object_Oriented/notes/02%E8%A1%8C%E4%B8%BA%E5%9E%8B.md#7-%E8%A7%82%E5%AF%9F%E8%80%85observer) + +## 二、使用场景 + +### 1、异步处理 + +发送者将消息发送给消息队列之后,**不需要同步等待消息接收者处理完毕,而是立即返回进行其它操作**。消息接收者从消息队列中订阅消息之后异步处理。 + +比如:用户注册时,需要发注册邮件和注册短信。传统的做法有两种: + +> 1、串行方式 + +将注册信息写入数据库成功后,发送注册邮件,再发送注册短信。以上三个任务全部完成后,返回给客户端。 + +
+ +> 2、并行方式 + +将注册信息写入数据库成功后,发送注册邮件的同时,发送注册短信。以上三个任务完成后,返回给客户端。与串行的差别是,并行的方式可以减少处理的时间。 + +
+ +引入消息队列,将不是必须的业务逻辑异步处理,注册邮件,发送短信写入消息队列后,直接返回,因此写入消息队列的速度很快,基本可以忽略,因此用户的响应时间可能是 50 ms。比串行提高了 3 倍,比并行提高了2 倍。 + +
+ +只有在**业务流程允许异步处理的情况**下才能这么做,例如上面的注册流程中,如果要求用户对验证邮件进行点击之后才能完成注册的话,就不能再使用消息队列。 + +### 2、应用解耦 + +如果模块之间不直接进行调用,模块之间耦合度就会很低,那么修改一个模块或者新增一个模块对其它模块的影响会很小,从而实现可扩展性。 + +通过使用消息队列,一个模块只需要向消息队列中发送消息,其它模块可以**选择性地从消息队列中订阅消息**从而完成调用。 + +### 3、流量削峰 + +在高并发的场景下,如果短时间有大量的请求到达会压垮服务器。 + +可以将请求发送到消息队列中,服务器按照其处理能力从消息队列中订阅消息进行处理。 + +### 4、消息通讯 + +消息队列一般都内置了高效的通信机制,因此也可以用在纯消息通讯。比如实现点对点消息队列,或者聊天室等,也就是消息队列的两种消息模式:点对点或发布 / 订阅模式。 + +## 三、消费方式 + +在 JMS (Java Message Service,Java 消息服务) 中,消息的产生和消费都是异步的。对于消费来说,JMS 的消费者可以通过两种方式来消费消息:同步方式和异步方式。 + +### 1、同步方式 + +订阅者或消费者通过 receive() 方法来接收消息,receive() 方法在接收到消息之前(或超时之前)将一直阻塞。 + +### 2、异步方式 + +订阅者或消费者可以注册为一个消息监听器。当消息到达之后,系统自动调用监听器的 onMessage() 方法。 + +## 四、可靠性 + +### 发送端的可靠性 + +发送端完成操作后一定能将消息成功发送到消息队列中。 + +实现方法:在本地数据库建一张消息表,将**消息数据与业务数据保存在同一数据库实例**里,这样就可以利用本地数据库的**事务机制**。事务提交成功后,将消息表中的消息转移到消息队列中,若转移消息成功则删除消息表中的数据,否则继续重传。 + +### 接收端的可靠性 + +接收端能够从消息队列成功消费一次消息。 + +两种实现方法: + +- 保证接收端处理消息的业务逻辑具有幂等性:只要具有幂等性,那么消费多少次消息,最后处理的结果都是一样的。(幂等性:**任意多次执行对资源本身所产生的影响均与一次执行的影响相同**。) +- 保证消息具有唯一编号,并使用一张日志表来记录已经消费的消息编号。 + +## 五、使用消息队列带来的问题 + +### 1、系统可用性降低 + +系统可用性在某种程度上降低,为什么这样说呢? + +在加入消息队列之前,不用考虑消息丢失或者说消息队列挂掉等等的情况,但是,引入消息队列之后你就需要去考虑了。 + +### 2、系统复杂性提高 + +加入消息队列之后,你需要保证消息没有被重复消费、处理消息丢失的情况、保证消息传递的顺序性等问题。 + +### 3、一致性问题 + +消息队列可以实现异步,消息队列带来的异步确实可以提高系统响应速度。但是,消息的真正消费者并没有正确消费消息,就会导致数据不一致的情况。 + +## 参考资料 + +- [消息队列使用的四种场景介绍](https://blog.csdn.net/seven__________7/article/details/70225830) +- [消息队列笔记](https://github.com/CyC2018/CS-Notes/blob/master/notes/%E6%B6%88%E6%81%AF%E9%98%9F%E5%88%97.md) +- [消息队列其实很简单](https://snailclimb.top/JavaGuide/#/./system-design/data-communication/message-queue?id=%E6%B6%88%E6%81%AF%E9%98%9F%E5%88%97%E5%85%B6%E5%AE%9E%E5%BE%88%E7%AE%80%E5%8D%95) diff --git "a/DataBase/00\344\272\213\345\212\241.md" "b/docs/DataBase/00\344\272\213\345\212\241.md" similarity index 85% rename from "DataBase/00\344\272\213\345\212\241.md" rename to "docs/DataBase/00\344\272\213\345\212\241.md" index 5073f1f..511f581 100644 --- "a/DataBase/00\344\272\213\345\212\241.md" +++ "b/docs/DataBase/00\344\272\213\345\212\241.md" @@ -11,7 +11,7 @@ 事务指的是满足 ACID 特性的一组操作,可以通过 Commit 提交一个事务,也可以使用 Rollback 进行回滚。 -

+

## ACID @@ -44,7 +44,7 @@ - 在并发的情况下,多个事务并行执行,事务不仅要满足原子性,还需要满足隔离性,才能满足一致性。 - 事务满足持久化是为了能应对数据库崩溃的情况。 -

+

## AUTOCOMMIT diff --git "a/docs/DataBase/01\345\271\266\345\217\221\344\270\200\350\207\264\346\200\247\351\227\256\351\242\230.md" "b/docs/DataBase/01\345\271\266\345\217\221\344\270\200\350\207\264\346\200\247\351\227\256\351\242\230.md" new file mode 100644 index 0000000..50e4047 --- /dev/null +++ "b/docs/DataBase/01\345\271\266\345\217\221\344\270\200\350\207\264\346\200\247\351\227\256\351\242\230.md" @@ -0,0 +1,39 @@ + +* [二、并发一致性问题](#二并发一致性问题) + * [丢失修改](#丢失修改) + * [读脏数据](#读脏数据) + * [不可重复读](#不可重复读) + * [幻影读](#幻影读) + + +# 二、并发一致性问题 + +在并发环境下,事务的隔离性很难保证,因此会出现很多并发一致性问题。 + +## 丢失修改 + +T1 和 T2 两个事务都对一个数据进行修改,T1 先修改,T2 随后修改,T2 的修改覆盖了 T1 的修改。 + +

+ +## 读脏数据 + +T1 修改一个数据,T2 随后读取这个数据。如果 T1 撤销了这次修改,那么 T2 读取的数据是脏数据。 + +

+ +## 不可重复读 + +T2 读取一个数据,T1 对该数据做了修改。如果 T2 再次读取这个数据,此时读取的结果和第一次读取的结果不同。 + +

+ +## 幻影读 + +T1 读取某个**范围**的数据,T2 在这个**范围**内插入新的数据,T1 再次读取这个**范围**的数据,此时读取的结果和和第一次读取的结果不同。 + +

+ +---- + +产生并发不一致性问题主要原因是破坏了事务的**隔离性**,解决方法是通过**并发控制**来保证隔离性。并发控制可以通过封锁(加锁)来实现,但是封锁操作需要用户自己控制,相当复杂。数据库管理系统提供了事务的隔离级别,让用户以一种更轻松的方式处理并发一致性问题。 \ No newline at end of file diff --git "a/DataBase/02\345\260\201\351\224\201.md" "b/docs/DataBase/02\345\260\201\351\224\201.md" similarity index 90% rename from "DataBase/02\345\260\201\351\224\201.md" rename to "docs/DataBase/02\345\260\201\351\224\201.md" index 612d4ba..bcbb65c 100644 --- "a/DataBase/02\345\260\201\351\224\201.md" +++ "b/docs/DataBase/02\345\260\201\351\224\201.md" @@ -12,13 +12,20 @@ MySQL 中提供了两种封锁粒度:行级锁以及表级锁。 -应该尽量只锁定需要修改的那部分数据,而不是所有的资源。锁定的数据量越少,发生锁争用的可能就越小,系统的并发程度就越高。 +应该尽量**只锁定需要修改的那部分数据**,而不是所有的资源。锁定的数据量越少,发生锁争用的可能就越小,系统的并发程度就越高。 但是加锁需要消耗资源,锁的各种操作(包括获取锁、释放锁、以及检查锁状态)都会增加系统开销。因此封锁粒度越小,系统开销就越大。 在选择封锁粒度时,需要在锁开销和并发程度之间做一个权衡。 -

+数据库的封锁级别: + +- 数据库级 +- 表级 +- 页级 +- 行级 + +

## 封锁类型 @@ -63,7 +70,7 @@ MySQL 中提供了两种封锁粒度:行级锁以及表级锁。 解释如下: -- 任意 IS/IX 锁之间都是兼容的,因为它们只是表示想要对表加锁,而不是真正加锁; +- 任意 IS/IX 锁之间都是**兼容**的,因为它们只是**表示想要对表加锁**,而不是真正加锁; - S 锁只与 S 锁和 IS 锁兼容,也就是说事务 T 想要对数据行加 S 锁,其它事务可以已经获得对表或者表中的行的 S 锁。 ## 封锁协议 diff --git "a/DataBase/03\351\232\224\347\246\273\347\272\247\345\210\253.md" "b/docs/DataBase/03\351\232\224\347\246\273\347\272\247\345\210\253.md" similarity index 100% rename from "DataBase/03\351\232\224\347\246\273\347\272\247\345\210\253.md" rename to "docs/DataBase/03\351\232\224\347\246\273\347\272\247\345\210\253.md" diff --git "a/DataBase/04\345\244\232\347\211\210\346\234\254\345\271\266\345\217\221\346\216\247\345\210\266.md" "b/docs/DataBase/04\345\244\232\347\211\210\346\234\254\345\271\266\345\217\221\346\216\247\345\210\266.md" similarity index 95% rename from "DataBase/04\345\244\232\347\211\210\346\234\254\345\271\266\345\217\221\346\216\247\345\210\266.md" rename to "docs/DataBase/04\345\244\232\347\211\210\346\234\254\345\271\266\345\217\221\346\216\247\345\210\266.md" index eb4147a..2d88060 100644 --- "a/DataBase/04\345\244\232\347\211\210\346\234\254\345\271\266\345\217\221\346\216\247\345\210\266.md" +++ "b/docs/DataBase/04\345\244\232\347\211\210\346\234\254\345\271\266\345\217\221\346\216\247\345\210\266.md" @@ -27,7 +27,7 @@ MVCC 在每行记录后面都保存着两个隐藏的列,用来存储两个版 MVCC 使用到的快照存储在 Undo 日志中,该日志通过回滚指针把一个数据行(Record)的所有快照连接起来。 -

+

## 实现过程 diff --git a/DataBase/05Next-Key Locks.md b/docs/DataBase/05Next-Key Locks.md similarity index 100% rename from DataBase/05Next-Key Locks.md rename to docs/DataBase/05Next-Key Locks.md diff --git "a/DataBase/06\345\205\263\347\263\273\346\225\260\346\215\256\345\272\223\350\256\276\350\256\241\347\220\206\350\256\272.md" "b/docs/DataBase/06\345\205\263\347\263\273\346\225\260\346\215\256\345\272\223\350\256\276\350\256\241\347\220\206\350\256\272.md" similarity index 90% rename from "DataBase/06\345\205\263\347\263\273\346\225\260\346\215\256\345\272\223\350\256\276\350\256\241\347\220\206\350\256\272.md" rename to "docs/DataBase/06\345\205\263\347\263\273\346\225\260\346\215\256\345\272\223\350\256\276\350\256\241\347\220\206\350\256\272.md" index 9f8a133..7ee5553 100644 --- "a/DataBase/06\345\205\263\347\263\273\346\225\260\346\215\256\345\272\223\350\256\276\350\256\241\347\220\206\350\256\272.md" +++ "b/docs/DataBase/06\345\205\263\347\263\273\346\225\260\346\215\256\345\272\223\350\256\276\350\256\241\347\220\206\350\256\272.md" @@ -41,7 +41,7 @@ 高级别范式的依赖于低级别的范式,1NF 是最低级别的范式。 -

+

### 1. 第一范式 (1NF) @@ -51,6 +51,8 @@ 每个非主属性完全函数依赖于键码。 +(一是表必须有一个主键;二是没有包含在主键中的列必须完全依赖于主键,而不能只依赖于主键的部分。) + 可以通过分解来满足。 **分解前**
@@ -104,6 +106,8 @@ Sname, Sdept 和 Mname 都部分依赖于键码,当一个学生选修了多门 非主属性不传递函数依赖于键码。 +(确保每列都和主键列直接相关,而不是间接相关。) + 上面的 关系-1 中存在以下传递函数依赖: - Sno -> Sdept -> Mname diff --git "a/docs/DataBase/07ER \345\233\276.md" "b/docs/DataBase/07ER \345\233\276.md" new file mode 100644 index 0000000..36c7f65 --- /dev/null +++ "b/docs/DataBase/07ER \345\233\276.md" @@ -0,0 +1,49 @@ + +* [九、ER 图](#八er-图) + * [实体的三种联系](#实体的三种联系) + * [表示出现多次的关系](#表示出现多次的关系) + * [联系的多向性](#联系的多向性) + * [表示子类](#表示子类) + + +# 九、ER 图 + +Entity-Relationship,有三个组成部分:实体、属性、联系。 + +用来进行关系型数据库系统的概念设计。 + +## 实体的三种联系 + +包含一对一,一对多,多对多三种。 + +- 如果 A 到 B 是一对多关系,那么画个带箭头的线段指向 B; +- 如果是一对一,画两个带箭头的线段; +- 如果是多对多,画两个不带箭头的线段。 + +下图的 Course 和 Student 是一对多的关系。 + +

+ +## 表示出现多次的关系 + +一个实体在联系出现几次,就要用几条线连接。 + +下图表示一个课程的先修关系,先修关系出现两个 Course 实体,第一个是先修课程,后一个是后修课程,因此需要用两条线来表示这种关系。 + +

+ +## 联系的多向性 + +虽然老师可以开设多门课,并且可以教授多名学生,但是对于特定的学生和课程,只有一个老师教授,这就构成了一个三元联系。 + +

+ +一般只使用二元联系,可以把多元联系转换为二元联系。 + +

+ +## 表示子类 + +用一个三角形和两条线来连接类和子类,与子类有关的属性和联系都连到子类上,而与父类和子类都有关的连到父类上。 + +

\ No newline at end of file diff --git a/DataBase/08SQL.md b/docs/DataBase/08SQL.md similarity index 100% rename from DataBase/08SQL.md rename to docs/DataBase/08SQL.md diff --git "a/docs/DataBase/09Leetcode-Database \351\242\230\350\247\243.md" "b/docs/DataBase/09Leetcode-Database \351\242\230\350\247\243.md" new file mode 100644 index 0000000..4597546 --- /dev/null +++ "b/docs/DataBase/09Leetcode-Database \351\242\230\350\247\243.md" @@ -0,0 +1,1011 @@ +# 1、大的国家(595) + +[595. 大的国家](https://leetcode-cn.com/problems/big-countries/) + +- 问题描述 + +```html ++-----------------+------------+------------+--------------+---------------+ +| name | continent | area | population | gdp | ++-----------------+------------+------------+--------------+---------------+ +| Afghanistan | Asia | 652230 | 25500100 | 20343000 | +| Albania | Europe | 28748 | 2831741 | 12960000 | +| Algeria | Africa | 2381741 | 37100000 | 188681000 | +| Andorra | Europe | 468 | 78115 | 3712000 | +| Angola | Africa | 1246700 | 20609294 | 100990000 | ++-----------------+------------+------------+--------------+---------------+ +``` + +查找面积超过 3,000,000 或者人口数超过 25,000,000 的国家。 + +```html ++--------------+-------------+--------------+ +| name | population | area | ++--------------+-------------+--------------+ +| Afghanistan | 25500100 | 652230 | +| Algeria | 37100000 | 2381741 | ++--------------+-------------+--------------+ +``` + +- SQL Schema + +```sql +DROP TABLE +IF + EXISTS World; +CREATE TABLE World ( NAME VARCHAR ( 255 ), continent VARCHAR ( 255 ), area INT, population INT, gdp INT ); +INSERT INTO World ( NAME, continent, area, population, gdp ) +VALUES + ( 'Afghanistan', 'Asia', '652230', '25500100', '203430000' ), + ( 'Albania', 'Europe', '28748', '2831741', '129600000' ), + ( 'Algeria', 'Africa', '2381741', '37100000', '1886810000' ), + ( 'Andorra', 'Europe', '468', '78115', '37120000' ), + ( 'Angola', 'Africa', '1246700', '20609294', '1009900000' ); +``` + +- 解题 + +```sql +# 思路: +# 1、根据样例,我们知道。查询字段是 name population 和 area +# 2、查询条件是 area > 3000000 || population > 25000000 +SELECT name,population,area +FROM World +WHERE area > 3000000 || population > 25000000; +``` + +# 2、交换工资(627) + +[627. 交换工资](https://leetcode-cn.com/problems/swap-salary/) + +- 问题描述 + +```html +| id | name | sex | salary | +|----|------|-----|--------| +| 1 | A | m | 2500 | +| 2 | B | f | 1500 | +| 3 | C | m | 5500 | +| 4 | D | f | 500 | +``` + +只用一个 SQL 查询,将 sex 字段反转。 + +```html +| id | name | sex | salary | +|----|------|-----|--------| +| 1 | A | f | 2500 | +| 2 | B | m | 1500 | +| 3 | C | f | 5500 | +| 4 | D | m | 500 | +``` + +- SQL Schema + +```sql +DROP TABLE +IF + EXISTS salary; +CREATE TABLE salary ( id INT, NAME VARCHAR ( 100 ), sex CHAR ( 1 ), salary INT ); +INSERT INTO salary ( id, NAME, sex, salary ) +VALUES + ( '1', 'A', 'm', '2500' ), + ( '2', 'B', 'f', '1500' ), + ( '3', 'C', 'm', '5500' ), + ( '4', 'D', 'f', '500' ); +``` + +- 解题 + +```sql +# 思路: +# l、利用位运算:比如若 x^b^a = a,则判断 x=b +# 2、利用 ASCII 函数将字符转换为数值进行运算,然后再利用 CHAR 函数将数值转换为字符 +UPDATE +salary +SET sex = CHAR(ASCII(sex)^ASCII('m')^ASCII('f')); +``` + +# 3、有趣的电影(62) + +[620. 有趣的电影](https://leetcode-cn.com/problems/not-boring-movies/) + +- 问题描述 + + +```html ++---------+-----------+--------------+-----------+ +| id | movie | description | rating | ++---------+-----------+--------------+-----------+ +| 1 | War | great 3D | 8.9 | +| 2 | Science | fiction | 8.5 | +| 3 | irish | boring | 6.2 | +| 4 | Ice song | Fantacy | 8.6 | +| 5 | House card| Interesting| 9.1 | ++---------+-----------+--------------+-----------+ +``` + +查找 id 为奇数,并且 description 不是 boring 的电影,按 rating 降序。 + +```html ++---------+-----------+--------------+-----------+ +| id | movie | description | rating | ++---------+-----------+--------------+-----------+ +| 5 | House card| Interesting| 9.1 | +| 1 | War | great 3D | 8.9 | ++---------+-----------+--------------+-----------+ +``` + +- SQL Schema + +```sql +DROP TABLE +IF + EXISTS cinema; +CREATE TABLE cinema ( id INT, movie VARCHAR ( 255 ), description VARCHAR ( 255 ), rating FLOAT ( 2, 1 ) ); +INSERT INTO cinema ( id, movie, description, rating ) +VALUES + ( 1, 'War', 'great 3D', 8.9 ), + ( 2, 'Science', 'fiction', 8.5 ), + ( 3, 'irish', 'boring', 6.2 ), + ( 4, 'Ice song', 'Fantacy', 8.6 ), + ( 5, 'House card', 'Interesting', 9.1 ); +``` + +- 解题 + +```sql +#思路: +#1、观察测试用例的查询结果,我们知道,其实查询的是所有的字段 +#2、id 为奇数,则查询条件为 id % 2 = 1 +SELECT id,movie,description,rating +FROM cinema +WHERE id%2=1 AND description != 'boring' +ORDER BY rating DESC; +``` + +# 4、超过5名学生的课(596) + +[596. 超过5名学生的课](https://leetcode-cn.com/problems/classes-more-than-5-students/) + +- 问题描述 + +```html ++---------+------------+ +| student | class | ++---------+------------+ +| A | Math | +| B | English | +| C | Math | +| D | Biology | +| E | Math | +| F | Computer | +| G | Math | +| H | Math | +| I | Math | ++---------+------------+ +``` + +查找有五名及以上 student 的 class。 + +```html ++---------+ +| class | ++---------+ +| Math | ++---------+ +``` + +- SQL Schema + +```sql +DROP TABLE +IF + EXISTS courses; +CREATE TABLE courses ( student VARCHAR ( 255 ), class VARCHAR ( 255 ) ); +INSERT INTO courses ( student, class ) +VALUES + ( 'A', 'Math' ), + ( 'B', 'English' ), + ( 'C', 'Math' ), + ( 'D', 'Biology' ), + ( 'E', 'Math' ), + ( 'F', 'Computer' ), + ( 'G', 'Math' ), + ( 'H', 'Math' ), + ( 'I', 'Math' ); +``` + +- 解答 + +```sql +# 思路: +# 1、很显然要按照 class 进行分组 +# 2、然后按照分组后的 class 来统计学生的人数 +SELECT class +FROM courses +GROUP BY class +HAVING COUNT( DISTINCT student) >= 5; +``` + +# 5、查找重复的电子邮箱(182) + +[182. 查找重复的电子邮箱](https://leetcode-cn.com/problems/duplicate-emails/) + +- 问题描述 + +邮件地址表: + +```html ++----+---------+ +| Id | Email | ++----+---------+ +| 1 | a@b.com | +| 2 | c@d.com | +| 3 | a@b.com | ++----+---------+ +``` + +查找重复的邮件地址: + +```html ++---------+ +| Email | ++---------+ +| a@b.com | ++---------+ +``` + +- SQL Schema + +```sql +DROP TABLE +IF + EXISTS Person; +CREATE TABLE Person ( Id INT, Email VARCHAR ( 255 ) ); +INSERT INTO Person ( Id, Email ) +VALUES + ( 1, 'a@b.com' ), + ( 2, 'c@d.com' ), + ( 3, 'a@b.com' ); +``` + +- 解题 + +```sql +# 思路:与 596 题类似 +# 1、按照 mail 进行分组 +# 2、统计出现次数 >=2 就是重复的邮件 +SELECT Email +FROM Person +GROUP BY EMAIL +HAVING COUNT(id) >= 2; +``` + +# *6、删除重复的电子邮箱(196) + +https://leetcode.com/problems/delete-duplicate-emails/description/ + +- 问题描述 + +邮件地址表: + +```html ++----+---------+ +| Id | Email | ++----+---------+ +| 1 | a@b.com | +| 2 | c@d.com | +| 3 | a@b.com | ++----+---------+ +``` + +删除重复的邮件地址: + +```html ++----+------------------+ +| Id | Email | ++----+------------------+ +| 1 | john@example.com | +| 2 | bob@example.com | ++----+------------------+ +``` + +- SQL Schema + +与 182 相同。 + +- 解题: + +```sql +# 思路一:将一张表看成两张表来进行操作 +DELETE p1 +FROM + Person p1, + Person p2 +WHERE + p1.Email = p2.Email + AND p1.Id > p2.Id +``` + +```sql +# 思路二: +# 第一步:根据 email 进行分组,获取 email 对应的最小 id,一个 email 对应一个最小的 id +SELECT min( id ) AS id FROM Person GROUP BY email; + +# 第二步:删除不在该 id 集合中的数据 +DELETE +FROM + Person +WHERE + id NOT IN ( SELECT id FROM ( SELECT min( id ) AS id FROM Person GROUP BY email ) AS m ); +# 应该注意的是上述解法额外嵌套了一个 SELECT 语句。 +# 如果不这么做,会出现错误:You can't specify target table 'Person' for update in FROM clause。 +``` + +```sql +DELETE +FROM + Person +WHERE + id NOT IN ( SELECT id FROM ( SELECT min( id ) AS id FROM Person GROUP BY email ) AS m ); +# 发生 You can't specify target table 'Person' for update in FROM clause。 +``` + +参考:[pMySQL Error 1093 - Can't specify target table for update in FROM clause](https://stackoverflow.com/questions/45494/mysql-error-1093-cant-specify-target-table-for-update-in-from-clause) + +# 7、组合两个表(175) + +https://leetcode.com/problems/combine-two-tables/description/ + +- 问题描述: + +Person 表: + +```html ++-------------+---------+ +| Column Name | Type | ++-------------+---------+ +| PersonId | int | +| FirstName | varchar | +| LastName | varchar | ++-------------+---------+ +PersonId is the primary key column for this table. +``` + +Address 表: + +```html ++-------------+---------+ +| Column Name | Type | ++-------------+---------+ +| AddressId | int | +| PersonId | int | +| City | varchar | +| State | varchar | ++-------------+---------+ +AddressId is the primary key column for this table. +``` + +查找 FirstName, LastName, City, State 数据,而不管一个用户有没有填地址信息。 + +- SQL Schema + +```sql +DROP TABLE +IF + EXISTS Person; +CREATE TABLE Person ( PersonId INT, FirstName VARCHAR ( 255 ), LastName VARCHAR ( 255 ) ); +DROP TABLE +IF + EXISTS Address; +CREATE TABLE Address ( AddressId INT, PersonId INT, City VARCHAR ( 255 ), State VARCHAR ( 255 ) ); +INSERT INTO Person ( PersonId, LastName, FirstName ) +VALUES + ( 1, 'Wang', 'Allen' ); +INSERT INTO Address ( AddressId, PersonId, City, State ) +VALUES + ( 1, 2, 'New York City', 'New York' ); +``` + +- 解题: + +```sql +# 思路:左外连接 +SELECT p.FirstName,p.LastName,a.City,a.State +FROM Person p +LEFT JOIN Address a +ON p.PersonId=a.PersonId; +``` + +- 扩展: + + * 内连接:返回两张表的交集部分。 + +
+ + * 左连接: + +
+ + * 右连接: + +
+ +# *8、超过经理收入的员工(181) + +https://leetcode.com/problems/employees-earning-more-than-their-managers/description/ + +- 问题描述: + +Employee 表: + +```html ++----+-------+--------+-----------+ +| Id | Name | Salary | ManagerId | ++----+-------+--------+-----------+ +| 1 | Joe | 70000 | 3 | +| 2 | Henry | 80000 | 4 | +| 3 | Sam | 60000 | NULL | +| 4 | Max | 90000 | NULL | ++----+-------+--------+-----------+ +``` + +查找薪资大于其经理薪资的员工信息。 + +- SQL Schema + +```sql +DROP TABLE +IF + EXISTS Employee; +CREATE TABLE Employee ( Id INT, NAME VARCHAR ( 255 ), Salary INT, ManagerId INT ); +INSERT INTO Employee ( Id, NAME, Salary, ManagerId ) +VALUES + ( 1, 'Joe', 70000, 3 ), + ( 2, 'Henry', 80000, 4 ), + ( 3, 'Sam', 60000, NULL ), + ( 4, 'Max', 90000, NULL ); +``` + +- 解题: + +```sql +# 思路:Employee e1 INNER JOIN Employee e2 ON e1.managerid = e2.id 比如 + ++----+-------+--------+-----------+ +| Id | Name | Salary | ManagerId | ++----+-------+--------+-----------+ +| 1 | Joe | 70000 | 3 | +| 2 | Henry | 80000 | 4 | +| 3 | Sam | 60000 | NULL | +| 4 | Max | 90000 | NULL | ++----+-------+--------+-----------+ + +根据 e1.managerid = e2.id 条件进行内连接后,得到 + ++----+-------+--------+-----------+-------+--------+-----------+ +| Id | Name | Salary | ManagerId | Name | Salary | ManagerId | ++----+-------+--------+-----------+-------+--------+-----------+ +| 1 | Joe | 70000 | 3 | Sam | 60000 | NULL | +| 2 | Henry | 80000 | 4 | Max | 90000 | NULL | ++----+-------+--------+-----------+-------+--------+-----------+ +``` + +```sql +SELECT + e1.name AS Employee # 注意:这里的 Employee 是给该字段起的别名,实际上查找的是姓名 +FROM + Employee e1 + INNER JOIN Employee e2 + ON e1.managerid = e2.id + AND e1.salary > e2.salary; +``` + +# 9、从不订购的客户(183) + +https://leetcode.com/problems/customers-who-never-order/description/ + +- 问题描述: + +Curstomers 表: + +```html ++----+-------+ +| Id | Name | ++----+-------+ +| 1 | Joe | +| 2 | Henry | +| 3 | Sam | +| 4 | Max | ++----+-------+ +``` + +Orders 表: + +```html ++----+------------+ +| Id | CustomerId | ++----+------------+ +| 1 | 3 | +| 2 | 1 | ++----+------------+ +``` + +查找没有订单的顾客信息: + +```html ++-----------+ +| Customers | ++-----------+ +| Henry | +| Max | ++-----------+ +``` + +- SQL Schema + +```sql +DROP TABLE +IF + EXISTS Customers; +CREATE TABLE Customers ( Id INT, NAME VARCHAR ( 255 ) ); +DROP TABLE +IF + EXISTS Orders; +CREATE TABLE Orders ( Id INT, CustomerId INT ); +INSERT INTO Customers ( Id, NAME ) +VALUES + ( 1, 'Joe' ), + ( 2, 'Henry' ), + ( 3, 'Sam' ), + ( 4, 'Max' ); +INSERT INTO Orders ( Id, CustomerId ) +VALUES + ( 1, 3 ), + ( 2, 1 ); +``` + +- 解答 + +```sql +# 解法一:左外连接 +SELECT + c.Name AS Customers +FROM + Customers c + LEFT JOIN Orders o + ON c.Id = o.CustomerId +WHERE + o.CustomerId IS NULL; +``` + +```sql +# 解法二:子查询方式 +SELECT Name AS Customers +FROM + Customers +WHERE + Id NOT IN (SELECT CustomerId FROM Orders); +``` + +# *10、部门工资最高的员工(184) + +https://leetcode.com/problems/department-highest-salary/description/ + +- 问题描述: + +Employee 表: + +```html ++----+-------+--------+--------------+ +| Id | Name | Salary | DepartmentId | ++----+-------+--------+--------------+ +| 1 | Joe | 70000 | 1 | +| 2 | Henry | 80000 | 2 | +| 3 | Sam | 60000 | 2 | +| 4 | Max | 90000 | 1 | ++----+-------+--------+--------------+ +``` + +Department 表: + +```html ++----+----------+ +| Id | Name | ++----+----------+ +| 1 | IT | +| 2 | Sales | ++----+----------+ +``` + +查找一个 Department 中收入最高者的信息: + +```html ++------------+----------+--------+ +| Department | Employee | Salary | ++------------+----------+--------+ +| IT | Max | 90000 | +| Sales | Henry | 80000 | ++------------+----------+--------+ +``` + +- SQL Schema + +```sql +DROP TABLE IF EXISTS Employee; +CREATE TABLE Employee ( Id INT, NAME VARCHAR ( 255 ), Salary INT, DepartmentId INT ); +DROP TABLE IF EXISTS Department; +CREATE TABLE Department ( Id INT, NAME VARCHAR ( 255 ) ); +INSERT INTO Employee ( Id, NAME, Salary, DepartmentId ) +VALUES + ( 1, 'Joe', 70000, 1 ), + ( 2, 'Henry', 80000, 2 ), + ( 3, 'Sam', 60000, 2 ), + ( 4, 'Max', 90000, 1 ); +INSERT INTO Department ( Id, NAME ) +VALUES + ( 1, 'IT' ), + ( 2, 'Sales' ); +``` + +- 解题: + +```sql +# 创建一个临时表,包含了部门员工的最大薪资。 +# 可以对部门进行分组,然后使用 MAX() 汇总函数取得最大薪资。 + +SELECT DepartmentId, MAX( Salary ) Salary FROM Employee GROUP BY DepartmentId; + +# 结果: ++--------------+--------+ +| DepartmentId | Salary | ++--------------+--------+ +| 1 | 90000 | +| 2 | 80000 | ++--------------+--------+ +``` + +使用连接找到一个部门中薪资等于临时表中最大薪资的员工。 + +```sql +SELECT d.name as Department, e.name as Employee, m.Salary +FROM + Employee e, + Department d, + (SELECT DepartmentId, MAX( Salary ) Salary FROM Employee GROUP BY DepartmentId) m +WHERE + e.DepartmentId=d.Id + AND e.DepartmentId=m.DepartmentId + AND e.Salary=m.Salary; +``` + +# 11、第二高的薪水(176) + +https://leetcode.com/problems/second-highest-salary/description/ + +- 问题描述: + +```html ++----+--------+ +| Id | Salary | ++----+--------+ +| 1 | 100 | +| 2 | 200 | +| 3 | 300 | ++----+--------+ +``` + +查找工资第二高的员工。 + +```html ++---------------------+ +| SecondHighestSalary | ++---------------------+ +| 200 | ++---------------------+ +``` + +没有找到返回 null 而不是不返回数据。 + +- SQL Schema + +```sql +DROP TABLE +IF + EXISTS Employee; +CREATE TABLE Employee ( Id INT, Salary INT ); +INSERT INTO Employee ( Id, Salary ) +VALUES + ( 1, 100 ), + ( 2, 200 ), + ( 3, 300 ); +``` + +- 解题: + +```sql +# 查询所有 salary 按照降序排列 +SELECT DISTINCT Salary FROM Employee ORDER BY Salary DESC; +``` + +```sql +# 要获取第二高的的薪水,就是获取第二个元素, +# 使用 limit start,count; start:开始查询的位置,count 是查询多少条语句 +SELECT DISTINCT Salary FROM Employee ORDER BY Salary DESC LIMIT 1,1; +``` + +```sql +# 为了在没有查找到数据时返回 null,需要在查询结果外面再套一层 SELECT。 +SELECT + ( SELECT DISTINCT Salary FROM Employee ORDER BY Salary DESC LIMIT 1, 1 ) SecondHighestSalary; +``` + +# 12、第N高的薪水(177) + +[177. 第N高的薪水](https://leetcode-cn.com/problems/nth-highest-salary/) + +- 问题描述: + +查找工资第 N 高的员工。 + +- SQL Schema + +同 176。 + +- 解题: + +```sql +# 思路:其实与 176题目类似 +CREATE FUNCTION getNthHighestSalary ( N INT ) RETURNS INT BEGIN + +SET N = N - 1; #注意 LIMIT 的 start 是从 0 开始的,第 N 实际上是第 (N-1) +RETURN ( SELECT ( SELECT DISTINCT Salary FROM Employee ORDER BY Salary DESC LIMIT N, 1 ) ); + +END +``` + +# 13、分数排名(178) + +https://leetcode.com/problems/rank-scores/description/ + +- 问题描述: + +得分表: + +```html ++----+-------+ +| Id | Score | ++----+-------+ +| 1 | 3.50 | +| 2 | 3.65 | +| 3 | 4.00 | +| 4 | 3.85 | +| 5 | 4.00 | +| 6 | 3.65 | ++----+-------+ +``` + +将得分排序,并统计排名。 + +```html ++-------+------+ +| Score | Rank | ++-------+------+ +| 4.00 | 1 | +| 4.00 | 1 | +| 3.85 | 2 | +| 3.65 | 3 | +| 3.65 | 3 | +| 3.50 | 4 | ++-------+------+ +``` + +- SQL Schema + +```sql +DROP TABLE +IF + EXISTS Scores; +CREATE TABLE Scores ( Id INT, Score DECIMAL ( 3, 2 ) ); +INSERT INTO Scores ( Id, Score ) +VALUES + ( 1, 3.5 ), + ( 2, 3.65 ), + ( 3, 4.0 ), + ( 4, 3.85 ), + ( 5, 4.0 ), + ( 6, 3.65 ); +``` + +- 解题: + +```sql +#思路:关键在于如何统计 Rank +#这里使用同一张表进行内连接,注意连接的条件 S1.score <= S2.score 就是为了方便统计 Rank +SELECT + S1.score, + COUNT( DISTINCT S2.score ) Rank +FROM + Scores S1 + INNER JOIN Scores S2 + ON S1.score <= S2.score +GROUP BY + S1.id +ORDER BY + S1.score DESC; +``` + +# *14、连续出现的数字(180) + +- 问题描述: + +数字表: + +```html ++----+-----+ +| Id | Num | ++----+-----+ +| 1 | 1 | +| 2 | 1 | +| 3 | 1 | +| 4 | 2 | +| 5 | 1 | +| 6 | 2 | +| 7 | 2 | ++----+-----+ +``` + +查找连续出现三次的数字。 + +```html ++-----------------+ +| ConsecutiveNums | ++-----------------+ +| 1 | ++-----------------+ +``` + +- SQL Schema + +```sql +DROP TABLE +IF + EXISTS LOGS; +CREATE TABLE LOGS ( Id INT, Num INT ); +INSERT INTO LOGS ( Id, Num ) +VALUES + ( 1, 1 ), + ( 2, 1 ), + ( 3, 1 ), + ( 4, 2 ), + ( 5, 1 ), + ( 6, 2 ), + ( 7, 2 ); +``` + +- 解题 + +- + +```sql +# 思路:要求是连续出现 3 次,可使用 3 张该表 +SELECT L1.Num ConsecutiveNums +FROM + Logs L1, + Logs L2, + Logs L3 +WHERE + L1.Id = L2.Id-1 + AND L2.ID = L3.Id-1 + AND L1.Num = L2.Num + AND L2.Num = L3.Num; +# 判断条件 Id 是不相同的,但是 Num 是相同的,并且 Id 是连续变化的 +``` + +```sql +# 由于要求是至少出现 3 次,所以需要 DISTINCT 进行去重 +SELECT DISTINCT L1.Num ConsecutiveNums +FROM + Logs L1, + Logs L2, + Logs L3 +WHERE + L1.Id = L2.Id-1 + AND L2.ID = L3.Id-1 + AND L1.Num = L2.Num + AND L2.Num = L3.Num; +``` + +```sql +# 另外一种写法 +SELECT DISTINCT L1.Num ConsecutiveNums +FROM + Logs L1 + LEFT JOIN Logs L2 ON L1.Id = L2.Id-1 + LEFT JOIN Logs L3 ON L1.Id = L3.Id-2 +WHERE L1.Num = L2.Num + AND L2.Num = L3.Num; +``` + +# 15、换座位(626)(了解) + +https://leetcode.com/problems/exchange-seats/description/ + +- 问题描述: + +seat 表存储着座位对应的学生。 + +```html ++---------+---------+ +| id | student | ++---------+---------+ +| 1 | Abbot | +| 2 | Doris | +| 3 | Emerson | +| 4 | Green | +| 5 | Jeames | ++---------+---------+ +``` + +要求交换相邻座位的两个学生,如果最后一个座位是奇数,那么不交换这个座位上的学生。 + +```html ++---------+---------+ +| id | student | ++---------+---------+ +| 1 | Doris | +| 2 | Abbot | +| 3 | Green | +| 4 | Emerson | +| 5 | Jeames | ++---------+---------+ +``` + +- SQL Schema + +```sql +DROP TABLE +IF + EXISTS seat; +CREATE TABLE seat ( id INT, student VARCHAR ( 255 ) ); +INSERT INTO seat ( id, student ) +VALUES + ( '1', 'Abbot' ), + ( '2', 'Doris' ), + ( '3', 'Emerson' ), + ( '4', 'Green' ), + ( '5', 'Jeames' ); +``` + +- 解题: + +使用多个 union。 + +```sql +SELECT + s1.id - 1 AS id, + s1.student +FROM + seat s1 +WHERE + s1.id MOD 2 = 0 UNION +SELECT + s2.id + 1 AS id, + s2.student +FROM + seat s2 +WHERE + s2.id MOD 2 = 1 + AND s2.id != ( SELECT max( s3.id ) FROM seat s3 ) UNION +SELECT + s4.id AS id, + s4.student +FROM + seat s4 +WHERE + s4.id MOD 2 = 1 + AND s4.id = ( SELECT max( s5.id ) FROM seat s5 ) +ORDER BY + id; +``` diff --git "a/docs/DataBase/10\347\264\242\345\274\225.md" "b/docs/DataBase/10\347\264\242\345\274\225.md" new file mode 100644 index 0000000..d07acad --- /dev/null +++ "b/docs/DataBase/10\347\264\242\345\274\225.md" @@ -0,0 +1,386 @@ +# 一、索引 + +MySQL 索引的官方定义: + +索引(index)是帮助 MySQL 高效获取数据的**数据结构**。 + +数据库查询是数据库的最主要功能之一。我们希望查询数据的速度能尽可能的快,因此数据库系统的设计者会从查询算法的角度进行优化。常见的查找算法有: + +- 顺序查找 +- 二分查找 +- 二叉树查找 + +每种查找算法都只能应用于特定的数据结构,例如二分查找要求被检索数据有序,而二叉树查找只能应用于二叉查找树。显然,数据库中的数据本身的组织结构不可能完全满足各种数据结构,因此,在数据之外,数据库系统维护着**满足特定查找算法的数据结构**,这些数据结构以某种方式“指向”数据,这样可在这些数据结构上实现高级查找算法。上述这种数据结构,就是索引。 + +**索引的目的在于提高查询效率**。可以类比字典,如果要查“mysql”这个单词,我们肯定需要定位到 m 字母, +然后从下往下找到 y 字母,再找到剩下的 sql。如果没有索引,那么你可能需要把所有单词看一遍才能找到你想要的,显然这样的效率很低。 + +## 索引的数据结构 + +### BST + +二分搜索树性质: + +- 二分搜索树是二叉树 + +- 二分搜索树的每个节点值: + + * 大于其左子树的所有节点值 + + * 小于其右子树的所有节点值 + +- 每一棵子树也是二分搜索树 + + +使用 BST 作为索引存在的问题: + +- 时间复杂度:O(log n) 变化为 O(n) (如下图) + +
+ +- I/O 次数:数据库中的数据很多,通过 BST 组织存储,每个数据块存储的 key 数量较少,导致 I/O 次数过多。 + +### B 树 + +对于 m 阶 B 树,有如下性质: + +- 根节点至少有 2 个孩子节点 + +- 树中每个节点最多含有 m 个孩子(m >= 2) + +- 除根节点、叶子节点外其他节点至少有 ceil(m/2) 个孩子 + +- 所有叶子节点都在同一层 + +- 假设每个非终端节点中包含 n 个关键字信息,其中 + + a)Ki(i=1..n)为关键字,being且找顺序升序排序 K(i-1) < Ki + + b)关键字的个数 n 必须满足:ceil(m/2)-1 <= n <= (m-1) + + c)非叶子节点的指针:P[1],P[2],... ,P[M];其中 P[1] 指向关键字小于 K[1] 的子树,P[M] 指向关键字大于 K[M-1] 的子树,其他 P[i] 关键字属于(K[i-1],K[i]) 的子树 + +
+ +### B+ 树 + +B+ 树是 B 树的变体,其定义基本与 B 树相同,除了: + +- 非叶子节点的子树指针和关键字个数相同 +- 非叶子节点的子树指针 P[i],指向关键字值 [K[i],K[i+1]) 的子树 +- **非叶子节点仅用来索引,数据都保存在叶子节点** +- 所有叶子节点均有一个链指针指向下一个叶子节点 + +
+ +- **B+ 树的相关操作** + +查找时,首先在根节点进行**二分查找**,找到一个 key 所在的指针,然后递归地在指针所指向的节点进行查找。直到查找到叶子节点,然后在叶子节点上进行二分查找,找出 key 所对应的 data。 + +插入删除操作会破坏平衡树的平衡性,因此在插入删除操作之后,需要对树进行一个分裂、合并、旋转等操作来维护平衡性。 + +注:B+ 树中依次插入 6 10 4 14 5 11 15 3 2 12 1 7 8 8 6 3 6 21 5 15 过程: + +
+ +- **B+ 树的 2 种搜索方式** + * 一种是按叶节点自己拉起的链表顺序搜索。 + * 一种是从根节点开始搜索,和 B 树类似,不过如果非叶节点的关键码等于给定值,搜索并不停止,而是继续沿右指针,一直查到叶节点上的关键字。所以无论搜索是否成功,都将走完树的所有层。 + + + +> **结论:B+ 树更适合做存储索引** + +一般来说,索引本身也很大,不可能全部存储在内存中,因此**索引往往以索引文件的形式存储的磁盘上**。这样的话,索引查找过程中就要产生磁盘 I/O 消耗,相对于内存存取,I/O 存取的消耗要高几个数量级,所以评价一个数据结构作为索引的优劣最重要的指标就是在查找过程中磁盘 I/O 操作次数的渐进复杂度。 + +换句话说,**索引的结构组织要尽量减少查找过程中磁盘 I/O 的存取次数**。 + +数据库系统普遍采用 B+ 树作为索引结构,主要有以下原因: + +- **B+ 树的磁盘读写代价更低**。 + + 因为非叶子结点只存储索引信息,其内部节点相同 B 树更小,如果把 key 存入同一盘块中,盘块所能包含的 key 越多,一次性读入内存中需要查找的 key 就越多,相对来说磁盘的 I/O次数就减少了。 + + 举个例子:假设磁盘中的一个盘块容纳 16 字节,而一个 key 占 2 字节,一个 key 具体信息指针占 2 字节。一棵 9 阶 B 树(一个结点最多 8 个关键字)的内部结点需要 2 ( (8*(2+2) / 16 = 2)个盘块。B+ 树内部结点只需要 1 (8 * 2 / 16 = 1)个盘块。当需要把内部结点读入内存中的时候,B 树就比 B+ 树多 1 次盘块查找时间。 + +- **B+ 树的查询效率更加稳定**。 + + 由于非叶子结点并不是最终指向文件内容的结点,而只是叶子结点中关键字的索引。所以任何关键字的查找必须走一条从根结点到叶子结点的路。所有关键字查询的路径长度相同,导致每一个数据的查询效率相当。 + +- **B+ 树更有利于对数据库的扫描**。 + + B+ 树只要遍历叶子结点就可以遍历到所有数据。 + +### 哈希 + +哈希索引就是采用一定的**哈希算法**,把键值换算成新的哈希值,检索时不需要类似 B+ 树那样从根节点到叶子节点逐级查找,只需一次哈希算法即可**立刻定位到相应位置,速度非常快**。 + +
+ +哈希索引底层的数据结构是哈希表,能以 O(1) 时间进行查找,但是失去了有序性;因此在绝大多数需求为**单条记录查询**的时候,可以选择哈希索引,查询性能最快。 + +哈希索引的不足: + +- 无法用于排序与分组; +- 只支持**精确查找**,无法用于部分查找和范围查找; +- 不能避免表扫描; +- 遇到大量 Hash 冲突的情况效率会大大降低。 + +**InnoDB 存储引擎有一个特殊的功能叫“自适应哈希索引”**,当某个索引值被使用的非常频繁时,会在 B+ 树索引之上再创建一个哈希索引,这样就让 B+ 树索引具有哈希索引的一些优点,比如快速的哈希查找。 + +## 聚集(密集)索引和非聚集索引 + +### 聚集索引 + +定义:数据行的**物理顺序与列值(一般是主键的那一列)的逻辑顺序相同**,一个表中只能拥有一个聚集索引。 + +> 索引文件中的每个搜索码对应一个索引值。 + +打个比方,一个表就像是我们以前用的新华字典,聚集索引就像是**拼音目录**,而每个字存放的页码就是我们的数据物理地址,我们如果要查询一个“哇”字,我们只需要查询“哇”字对应在新华字典拼音目录对应的页码,就可以查询到对应的“哇”字所在的位置,而拼音目录对应的A-Z的字顺序,和新华字典实际存储的字的顺序A-Z也是一样的。 + +由于物理排列方式与聚集索引的顺序相同,所以一张表只能建立一个聚集索引。 + +### 非聚集索引 + +定义:该索引中索引的逻辑顺序与磁盘上行的物理存储顺序不同,一个表中可以拥有多个非聚集索引。 + +其实按照定义,除了聚集索引以外的索引都是非聚集索引,只是人们想细分一下非聚集索引,分成普通索引,唯一索引,全文索引。如果非要把非聚集索引类比成现实生活中的东西,那么非聚集索引就像新华字典的偏旁字典,其结构顺序与实际存放顺序不一定一致。 + +> 索引文件只为索引码的某些值建立索引项。 + +
+ +## 索引的物理存储 + +索引是在**存储引擎层实现**的,而不是在服务器层实现的,所以不同存储引擎具有不同的索引类型和实现。 + +MySQL主要的存储引擎是 MyISAM 和 InnoDB。 + +### MyISAM 索引存储机制 + +MyISAM 引擎使用 B+ 树作索引结构,**叶子节点的 data 域存放的是数据记录的地址**,所有索引均是非聚集索引。 + +
+ +上图是一个 MyISAM 表的主索引(Primary key)示意图。 + +假设该表一共有三列,以 Col1 为主键。MyISAM 的索引文件仅仅保存数据记录的地址。 + +在 MyISAM 中,主索引和辅助索引(Secondary key)在结构上没有任何区别,只是主索引要求 key 是唯一的,而辅助索引的 **key 可以重复**。如果在 Col2 上建立一个辅助索引,则该辅助索引的结构如下: + +
+ +同样也是一棵 B+ 树,data 域保存数据记录的地址。 + +MyISAM 中首先按照 B+ 树搜索算法搜索索引,如果指定的 key 存在,则取出其 data 域的值,然后以 data 域的值为地址,读取相应数据记录。 +MyISAM 的索引方式也叫做**非聚集索引(稀疏索引)**(索引和数据是分开存储的)。 + +### InnoDB 索引存储机制 + +InnoDB 也使用 B+ 树作为索引结构。有且仅有一个聚集索引,和多个非聚集索引。 + +InnoDB 的数据文件本身就是索引文件。MyISAM 索引文件和数据文件是分离的,索引文件仅保存数据记录的地址。而在 InnoDB 中,表数据文件本身就是按 B+ 树组织的一个索引结构,这棵树的**叶子节点 data 域保存了完整的数据记录**。这个索引的 key 是数据表的主键,因此 **InnoDB 表数据文件本身就是主索引**。 + +
+ + + +上图是 InnoDB 主索引(同时也是数据文件)的示意图。可以看到叶子节点包含了完整的数据记录。 + +这种索引叫做**聚集索引(密集索引)**(索引和数据保存在同一文件中): + +- 若一个主键被定义,该主键作为聚集索引; +- 若没有主键定义,该表的第一个唯一非空索引作为聚集索引; +- 若均不满足,则会生成一个隐藏的主键( MySQL 自动为 InnoDB 表生成一个隐含字段作为主键,这个字段是递增的,长度为 6 个字节)。 + +与 MyISAM 索引的不同是 **InnoDB 的辅助索引 data 域存储相应记录主键的值**而不是地址。例如,定义在 Col3 上的一个辅助索引: + +
+ +聚集索引这种实现方式使得按主键的搜索十分高效,但是辅助索引搜索需要检索 2 遍索引:首先检索辅助索引获得主键,然后用主键到主索引中检索获得记录。 + +注意 InnoDB 索引机制中: + +- 不建议使用过长的字段作为主键,因为所有辅助索引都引用主索引,过长的主索引会令辅助索引变得过大。 + +- 不建议用非单调的字段作为主键,因为 InnoDB 数据文件本身是一棵 B+ 树,非单调的主键会造成在插入新记录时数据文件为了维持 B+ 树的特性而频繁的分裂调整,十分低效。 + + 使用自增字段作为主键则是一个很好的选择。 + +> InnoDB 聚集索引和 MyISAM 非聚集索引比较: + +
+ +## MySQL 索引分类 + +### 1、普通索引 + +基本的索引,它没有任何限制。 + +```mysql +ALTER TABLE `table_name` ADD INDEX index_name ( `column` ) +``` + +或者: + +```mysql +CREATE INDEX index_name ON `table_name` (`column`) +``` + +### 2、唯一索引 + +与普通索引类似,不同的是:MySQL 数据库索引列的值必须唯一,但允许有空值;如果是组合索引,则列值的组合必须唯一。 + +```mysql +ALTER TABLE `table_name` ADD UNIQUE ( `column` ) +``` + +或者: + +```mysql +CREATE UNIQUE INDEX index_name ON `table_name` (`column`) +``` + +### 3、主键索引 + +它是一种**特殊的唯一索引**,不允许有空值。 + +```mysql +ALTER TABLE `table_name` ADD PRIMARY KEY ( `column` ) +``` + +### 4、全文索引 + +MyISAM 存储引擎支持全文索引,用于查找文本中的关键词,而不是直接比较是否相等。 + +全文索引使用倒排索引实现,它记录着关键词到其所在文档的映射。 + +可以从 CHAR、VARCHAR 或 TEXT 列中作为 CREATE TABLE 语句的一部分被创建,或是使用 ALTER TABLE 或CREATE INDEX 。 + +```mysql +CREATE TABLE `table` ( + `id` int(11) NOT NULL AUTO_INCREMENT , + `title` char(255) CHARACTER SET utf8 COLLATE utf8_general_ci NOT NULL , + `content` text CHARACTER SET utf8 COLLATE utf8_general_ci NULL , + PRIMARY KEY (`id`), + FULLTEXT (content) # 针对 content 做了全文索引 +); +``` + +注意: + +- 如果可能,请尽量先创建表并插入所有数据后再创建全文索引,而不要在创建表时就直接创建全文索引,因为前者比后者的全文索引效率要高。 + +- 查找条件使用 MATCH AGAINST,而不是普通的 WHERE。 + + ```mysql + SELECT * FROM article WHERE MATCH( content) AGAINST('想查询的字符串') + ``` + +- MySQL 自带的全文索引只能对英文进行全文检索,目前无法对中文进行全文检索。 + +- InnoDB 存储引擎在 MySQL 5.6.4 版本中也开始支持全文索引。 + +### 5、组合索引(多列索引) + +组合索引是在多个字段上创建的索引。**组合索引遵守“最左前缀匹配”原则**,在组合索引中索引列的顺序至关重要。 + +```mysql +ALTER TABLE `table_name` ADD INDEX index_name ( `column1`, `column2`, `column3` ) +``` + +或者 + +```mysql +CREATE TABLE index_name ON `table_name`( `column1`, `column2`, `column3` ) +``` + +> **最左前缀匹配原则** + +非常重要的原则,MySQL 会一直向右匹配知道遇到范围查询(>、<、between、like)就停止匹配。比如 `a=3 and b=4 and c>5 and d=6`,如果建立 (a,b,c,d) 顺序的索引,d 就是用不到索引的,如果建立(a,b,d,c) 的索引则都可以用到,并且 a,b,d 的顺序可以任意调整。 + += 和 in 可以乱序,比如 `a = 1 and b = 2 and c = 3`建立 (a,b,c) 索引可以任意顺序,MySQL 的查询优惠器可进行优化。 + +> **组合索引的最左匹配原则的成因** + +MySQL 在创建组合索引的规则是:首先对第一个的索引字段进行排序,在此基础上再对第二个索引字段进行排序。所以第一个字段是绝对有序的,而第二个字段是无序的。因此直接使用第二个字段进行条件查询就无法使用组合索引。 + +## 索引设计优化 + +### 1、独立的列 + +在进行查询时,索引列不能是表达式的一部分,也不能是函数的参数,否则无法使用索引。 + +例如下面的查询不能使用 actor_id 列的索引: + +```sql +SELECT actor_id FROM sakila.actor WHERE actor_id + 1 = 5; +``` + +### 2、多列索引 + +在需要使用多个列作为条件进行查询时,使用多列索引比使用多个单列索引性能更好。例如下面的语句中,最好把 actor_id 和 film_id 设置为多列索引。 + +```sql +SELECT film_id, actor_ id FROM sakila.film_actor +WHERE actor_id = 1 AND film_id = 1; +``` + +### 3、 索引列的顺序 + +让选择性最强的索引列放在前面。 + +索引的选择性是指:不重复的索引值和记录总数的比值。最大值为 1,此时每个记录都有唯一的索引与其对应。选择性越高,查询效率也越高。 + +例如下面显示的结果中 customer_id 的选择性比 staff_id 更高,因此最好把 customer_id 列放在多列索引的前面。 + +```sql +SELECT COUNT(DISTINCT staff_id)/COUNT(*) AS staff_id_selectivity, +COUNT(DISTINCT customer_id)/COUNT(*) AS customer_id_selectivity, +COUNT(*) +FROM payment; +``` + +```html + staff_id_selectivity: 0.0001 +customer_id_selectivity: 0.0373 + COUNT(*): 16049 +``` + +### 4、前缀索引 + +对于 BLOB、TEXT 和 VARCHAR 类型的列,必须使用前缀索引,只索引开始的部分字符。 + +对于前缀长度的选取需要根据索引选择性来确定。 + +### 5、覆盖索引 + +**索引包含所有需要查询的字段的值。** + +具有以下优点: + +- 索引通常远小于数据行的大小,只读取索引能大大减少数据访问量。 +- 一些存储引擎(例如 MyISAM)在内存中只缓存索引,而数据依赖于操作系统来缓存。因此,只访问索引可以不使用系统调用(通常比较费时)。 +- 对于 InnoDB 引擎,若辅助索引能够覆盖查询,则无需访问主索引。 + +## 索引的优点 + +- 大大减少了服务器需要扫描的数据行数。 + +- 帮助服务器避免进行排序和分组,以及避免创建临时表(B+树索引是有序的,可以用于 ORDER BY 和 GROUP BY 操作。临时表主要是在排序和分组过程中创建,因为不需要排序和分组,也就不需要创建临时表)。 + +- 将随机 I/O 变为顺序 I/O(B+ 树索引是有序的,会将相邻的数据都存储在一起)。 + +## 索引的使用条件 + +- 对于非常小的表、大部分情况下简单的全表扫描比建立索引更高效; +- **对于中到大型的表,索引就非常有效**; +- 但是对于特大型的表,建立和维护索引的代价将会随之增长。这种情况下,需要用到一种技术可以直接区分出需要查询的一组数据,而不是一条记录一条记录地匹配,例如可以使用分区技术。 + +# 参考资料 + +- [干货:mysql索引的数据结构](https://www.jianshu.com/p/1775b4ff123a) +- [MySQL优化系列(三)--索引的使用、原理和设计优化](https://blog.csdn.net/Jack__Frost/article/details/72571540) +- [数据库两大神器【索引和锁】](https://juejin.im/post/5b55b842f265da0f9e589e79#comment) +- [Mysql索引整理总结](https://blog.csdn.net/u010648555/article/details/81102957) +- https://www.imooc.com/article/22915 \ No newline at end of file diff --git "a/docs/DataBase/11\346\237\245\350\257\242\346\200\247\350\203\275\344\274\230\345\214\226.md" "b/docs/DataBase/11\346\237\245\350\257\242\346\200\247\350\203\275\344\274\230\345\214\226.md" new file mode 100644 index 0000000..e3484c1 --- /dev/null +++ "b/docs/DataBase/11\346\237\245\350\257\242\346\200\247\350\203\275\344\274\230\345\214\226.md" @@ -0,0 +1,319 @@ +# 二、查询性能优化 + +## 使用 Explain 进行分析 + +Explain 用来分析 SELECT 查询语句,开发人员可以通过分析 Explain 结果来优化查询语句。 + +比较重要的字段有: + +- id:标明 sql 执行顺序(id 越大,越先执行) + +- select_type : 查询类型,有简单查询、联合查询、子查询等 + +- type:MySQL 找到需要的数据行的方式。 **index 的查询效率是优于 ALL 的**。 + +- key : 使用的索引 + +- Extra:Extra 中出现以下两项意味着 MySQL 根本不能使用索引,效率会受到重大影响: + +| Extra 值 | 说明 | +| :---: | :---: | +| Using filesort | 表示 MySQL 会对结果使用一个**外部索引排序**,不是从表里
按索引次序读到相关内容,可能在内存或磁盘上进行排序。
MySQL 中无法利用索引完成的排序操作称为“文件排序”。 | +| Using temporary | 表示 MySQL 在对查询结果排序时使用临时表。
常见于排序 order by 和分组查询 group by。 | + +## 优化数据访问 + +### 1. 是否想数据库请求了不需要的数据 +- 查询不需要的记录 + + 实际上MySQL是**先返回全部结果集合再进行计算**,最有效的办法是 + 在这样的查询后面加上LIMIT。 + + +- 多表关联时返回全部列 + +- 总是取出全部列 + +严禁使用 SELECT *的写法 + +- 重复查询相同的数据 + +比较好的办法是合理地使用缓存 + +### 2. MySQL是否在扫描额外的记录 +查询开销的三个指标如下: +响应时间、扫描的行数和返回的行数 + +响应时间= 服务时间+排队时间 + +服务时间:数据库处理这个查询真正花费了多长时间; + +排队时间:服务器因为等待某些资源而没有真正执行查询的时间(可能是IO操作也可能是等待行锁等等); + +当看到一个查询的响应时间的时候,首先问问自己,这个响应时间是不是一个合理的值呢? +使用“快速上线估计”法来估算查询的响应时间。 + +访问类型: + +- 全表扫描 +- 索引扫描 +- 范围扫描 +- 唯一索引查询 +- 常数引用 + +一般MySQL能够如下三种方式使用WHERE条件,从好到坏依次为: + +- 存储引擎层,在索引中使用WHERE条件来过滤不匹配的记录。 +- MySQL服务器层,使用索引覆盖扫描来返回记录,直接从索引中过滤不需要的记录并返回 +命中的结果。 +- MySQL服务器层,从数据表中返回数据,然后过滤不满足条件的记录。 + + +## 重构查询方式 + +### 1. 切分大查询 + +一个大查询如果一次性执行的话,可能一次锁住很多数据、占满整个事务日志、耗尽系统资源、阻塞很多小的但重要的查询。 +将一个大的DELETE语句切分成多个较小的查询可以尽可能小地影响MySQL的性能,同时还可以减少MySQL复制的延迟。 + + +例如: +```sql +DELEFT FROM messages WHERE create < DATE_SUB(NOW(), INTERVAL 3 MONTH); +``` + +```sql +rows_affected = 0 +do { + rows_affected = do_query( + "DELETE FROM messages WHERE create < DATE_SUB(NOW(), INTERVAL 3 MONTH) LIMIT 10000") +} while rows_affected > 0 +``` +如果每次删除数据后,都暂停一会儿再做下一次删除,这样也可以将服务器上原本一次性的压力分散到一个很长的时间段中, +就可以大大降低对服务器的影响和减少删除时锁的持有时间。 +### 2. 分解大连接查询 + +将一个大连接查询分解成对每一个表进行一次单表查询,然后在应用程序中进行关联,这样做的好处有: + +- 让缓存更高效。对于连接查询,如果其中一个表发生变化,那么整个查询缓存就无法使用。而分解后的多个查询,即使其中一个表发生变化,对其它表的查询缓存依然可以使用。 +- 分解成多个单表查询,这些单表查询的缓存结果更可能被其它查询使用到,从而减少冗余记录的查询。 +- 减少锁竞争; +- 在应用层进行连接,可以更容易对数据库进行拆分,从而更容易做到高性能和可伸缩。 +- 查询本身效率也可能会有所提升。例如下面的例子中,使用 IN() 代替连接查询,可以让 MySQL 按照 ID 顺序进行查询,**这可能比随机的连接要更高效。** + +```sql +SELECT * FROM tab +JOIN tag_post ON tag_post.tag_id=tag.id +JOIN post ON tag_post.post_id=post.id +WHERE tag.tag='mysql'; +``` + +```sql +SELECT * FROM tag WHERE tag='mysql'; +SELECT * FROM tag_post WHERE tag_id=1234; +SELECT * FROM post WHERE post.id IN (123,456,567,9098,8904); +``` +## 查询执行的基础 +查询执行的路径: +1. 客户端发送一条查询给服务器 +2. 服务器先检查查询缓存,如果命中了缓存,则立刻返回存储在缓存中的结果,否则进入下一阶段。 +3. 服务器进行SQL的解析、预处理,再由优化器生成对应的执行计划。 +4. MySQL根据优化器生成的执行计划,调用存储引擎的API来执行查询。 +5. 将结果返回给客户端。 +### MySQL客户端/服务器通信协议 + +客户端和服务器之间的通信协议是“半双工”的,这种协议让MySQL通信简单快速,但也在很多地方 +限制了MySQL。 + +多数连接MySQL的库函数都可以获得全部结果集并缓存到内存里,还可以逐行获取需要的数据。 +MySQL通常需要等所有的数据都已经发送给客户端才能释放这条查询所占用的 +资源,所以接收全部结果并缓存通常可以减少服务器的压力,让查询能够早点结束,早点释放相应的资源。 + +### 查询缓存 +MySQL在解析查询语句之前,会优先检查这个查询是否命中查询缓存中的数据。 +当恰好命中查询缓存的时候,在返回查询结果之前MySQL会检查一次用户权限。 +若权限没有问题,会跳过其他阶段,直接从缓存中拿到结果并返回给客户端。这种情况下,查询不会被解析, +也不用生成执行计划。 +### 查询优化处理 +这一步会将SQL转换成一个执行计划,MySQL再依照这个执行计划和存储引擎进行交互。 +- 语法解析器和预处理 + +## 性能优化实例 + +### 1、慢日志定位慢查询 sql + +> **打开慢日志** + +```mysql +show variables like '%quer%'; +``` + +得到如下结果: + +| 字段 | 说明 | 初始值 | +| :-----------------: | :--------------------------: | :----------------------------------------------------------: | +| long_query_time | 慢查询查询的阈值(单位:秒) | 10.000000 | +| slow_query_log | 是否打开慢查询文件 | OFF | +| slow_query_log_file | 慢查询文件存储位置 | C:\ProgramData\MySQL
\MySQL Server 5.5\Data
\DESKTOP-DUG3TQG-slow.log | + +> **设置相关参数** + +```mysql + set global slow_query_log = on; + set global long_query_time = 1; +``` + +此时相应的结果: + +| 字段 | 说明 | 初始值 | +| :-------------: | :--------------------------: | :------: | +| long_query_time | 慢查询查询的阈值(单位:秒) | 1.000000 | +| slow_query_log | 是否打开慢查询文件 | ON | + +> **查看慢查询** + +```mysql +show status like '%show_queries%'; +``` + +现执行如下查询语句: + +```mysql +select address from stu order by address desc; +``` + +到 `C:\ProgramData\MySQL\MySQL Server 5.5\data` 目录下查看 DESKTOP-DUG3TQG-slow.log 文件有如下信息: + +```txt +# Time: 190528 19:41:53 +# User@Host: root[root] @ localhost [127.0.0.1] +# Query_time: 8.145920 Lock_time: 0.000000 Rows_sent: 2000001 Rows_examined: 4000002 +SET timestamp=1559043713; +select address from stu order by address desc; +``` + +可以看出查询时间为 8.1 秒,显然是上述查询是慢查询(查询时间大于 1 秒,都是慢查询,会被记录到慢查询日志中)。 + +```mysql +show status like '%slow_queries%'; +``` + +结果如下: + +```mysql ++---------------+-------+ +| Variable_name | Value | ++---------------+-------+ +| Slow_queries | 1 | ++---------------+-------+ +``` + +### 2、使用 Explain 工具分析 sql + +针对上述查询使用 explain 工具: + +```mysql +explain select address from stu order by address desc; +``` + +执行结果如下: + +
+ +type = ALL 和 Extra = Using filesort 查询是比较慢的,需要对查询进行优化。 + +### 3、查询优化 + +- **方法一:修改 sql** + +注意到在创建表时,为 `xuehao`设置了唯一索引: + +```mysql +CREATE TABLE `stu` ( + `id` INT (10) NOT NULL AUTO_INCREMENT, + `xuehao` VARCHAR (20), + `name` VARCHAR (20), + `address` VARCHAR (20), + `university` VARCHAR (20), + `score` VARCHAR (50), + PRIMARY KEY (`id`), + UNIQUE(`xuehao`) # 创建唯一索引 +) ENGINE = INNODB AUTO_INCREMENT = 1 DEFAULT CHARSET = utf8 ; +``` + +使用 xuehao 作为查询字段: + +```mysql +select xuehao from stu order by xuehao desc; +``` + +到 `C:\ProgramData\MySQL\MySQL Server 5.5\data` 目录下查看 DESKTOP-DUG3TQG-slow.log 文件有如下信息: + +```txt +# Time: 190528 19:45:36 +# User@Host: root[root] @ localhost [127.0.0.1] +# Query_time: 7.432190 Lock_time: 0.000000 Rows_sent: 2000001 Rows_examined: 2000001 +SET timestamp=1559043936; +select xuehao from stu order by xuehao desc; +``` + +此时查询时间为 7.4 秒,已经得到优化,但要注意此时 sql 语义已经发生了变化了。 + +```mysql +explain select xuehao from stu order by xuehao desc; +``` + +
+ +- **方法二:使用索引** + +在大多数情况下,sql 语义是不能发生变化的,可以为 `address`建立索引来进行优化。 + +```mysql +ALTER TABLE `stu` ADD INDEX idx_address ( `address` ); +``` + +此时,再进行查询: + +```mysql +select address from stu order by address desc; +``` + +到 `C:\ProgramData\MySQL\MySQL Server 5.5\data` 目录下查看 DESKTOP-DUG3TQG-slow.log 文件有如下信息: + +```txt +# Time: 190528 19:55:42 +# User@Host: root[root] @ localhost [127.0.0.1] +# Query_time: 1.751316 Lock_time: 0.000000 Rows_sent: 2000001 Rows_examined: 2000001 +SET timestamp=1559044542; +select address from stu order by address desc; +``` + +可以看出,查询时间为 1.7 秒,大大提高了查询效率。 + +```mysql +explain select address from stu order by address desc; +``` + +执行结果如下: + +
+ +> 注意: + +```mysql +select count(id) from stu; +``` + +通过 explain 查看 + +```mysql +explain select count(id) from stu; +``` + +
+ +这里使用的索引并不是主键索引,而是唯一索引,原因如下: + +MySQL 查询优化器会尽可能使用索引,使用最严格的索引来消除尽可能多的数据行。 + diff --git "a/docs/DataBase/12\345\255\230\345\202\250\345\274\225\346\223\216.md" "b/docs/DataBase/12\345\255\230\345\202\250\345\274\225\346\223\216.md" new file mode 100644 index 0000000..2e93c31 --- /dev/null +++ "b/docs/DataBase/12\345\255\230\345\202\250\345\274\225\346\223\216.md" @@ -0,0 +1,56 @@ + +* [三、存储引擎](#三存储引擎) + * [InnoDB](#innodb) + * [MyISAM](#myisam) + * [比较](#比较) + + +# 三、存储引擎 + +## InnoDB + +是 MySQL 默认的事务型存储引擎,只有在需要它不支持的特性时,才考虑使用其它存储引擎。 + +实现了四个标准的隔离级别,默认级别是可重复读(REPEATABLE READ)。在可重复读隔离级别下,通过多版本并发控制(MVCC)+ 间隙锁(Next-Key Locking)防止幻影读。 + +主索引是聚簇索引,在索引中保存了数据,从而避免直接读取磁盘,因此对查询性能有很大的提升。 + +内部做了很多优化,包括从磁盘读取数据时采用的可预测性读、能够加快读操作并且自动创建的自适应哈希索引、能够加速插入操作的插入缓冲区等。 + +支持真正的在线热备份。其它存储引擎不支持在线热备份,要获取一致性视图需要停止对所有表的写入,而在读写混合场景中,停止写入可能也意味着停止读取。 + +## MyISAM + +设计简单,数据以紧密格式存储。对于只读数据,或者表比较小、可以容忍修复操作,则依然可以使用它。 + +提供了大量的特性,包括压缩表、空间数据索引等。 + +不支持事务。 + +不支持行级锁,只能对整张表加锁,读取时会对需要读到的所有表加共享锁,写入时则对表加排它锁。但在表有读取操作的同时,也可以往表中插入新的记录,这被称为并发插入(CONCURRENT INSERT)。 + +可以手工或者自动执行检查和修复操作,但是和事务恢复以及崩溃恢复不同,可能导致一些数据丢失,而且修复操作是非常慢的。 + +如果指定了 DELAY_KEY_WRITE 选项,在每次修改执行完成时,不会立即将修改的索引数据写入磁盘,而是会写到内存中的键缓冲区,只有在清理键缓冲区或者关闭表的时候才会将对应的索引块写入磁盘。这种方式可以极大的提升写入性能,但是在数据库或者主机崩溃时会造成索引损坏,需要执行修复操作。 + +## 比较 + +| 区别 | MyISAM | InnoDB | +| :------------------: | :----------------------------------------------------------: | :----------------------------------------------------------: | +| 存储结构 | 每个MyISAM在磁盘上存储成三个文件。第一个文件的名字以表的名字开始,扩展名是.frm,是存储表的定义。数据文件的扩展名为.MYD (MYData)。索引文件的扩展名是.MYI (MYIndex)。 | 所有的表都保存在同一个数据文件中(也可能是多个文件,或者是独立的表空间文件),InnoDB表的大小只受限于操作系统文件的大小,一般为2GB。 | +| 存储空间 | 可被压缩,存储空间较小。支持三种不同的存储格式:静态表(默认,但是注意数据末尾不能有空格,会被去掉)、动态表、压缩表。 | 需要更多的内存和存储,它会在主内存中建立其专用的缓冲池用于高速缓冲数据和索引。 | +| 可移植性、备份及恢复 | 数据是以文件的形式存储,所以在跨平台的数据转移中会很方便。在备份和恢复时可单独针对某个表进行操作。 | 免费的方案可以是拷贝数据文件、备份 binlog,或者用 mysqldump,在数据量达到几十G的时候就相对痛苦了。 | +| 事务支持 | 强调的是性能,每次查询具有原子性,其执行数度比InnoDB类型更快,但是不提供事务支持。 | 提供事务支持事务,外部键等高级数据库功能。具有事务(commit)、回滚(rollback)和崩溃修复能力(crash recovery capabilities)的事务安全(transaction-safe (ACID compliant))型表。 | +| AUTO_INCREMEN | 可以和其他字段一起建立联合索引。引擎的自动增长列必须是索引,如果是组合索引,自动增长可以不是第一列,可以根据前面几列进行排序后递增。 | InnoDB中必须包含只有该字段的索引。引擎的自动增长列必须是索引,如果是组合索引也必须是组合索引的第一列。 | +| 锁的级别 | 只支持表级锁,用户在操作myisam表时,select,update,delete,insert语句都会给表自动加锁,如果加锁以后的表满足insert并发的情况下,可以在表的尾部插入新的数据。 | 支持事务和行级锁,是innodb的最大特色。行锁大幅度提高了多用户并发操作的新能。但是InnoDB的行锁,只是在WHERE的主键是有效的,非主键的WHERE都会锁全表的。 | +| 表的具体行数 | 保存有表的总行数,如果select count(*) from table;会直接取出出该值。 | 没有保存表的总行数,如果使用select count(*) from table;就会遍历整个表,消耗相当大,但是在加了wehre条件后,myisam和innodb处理的方式都一样。 | +| 主键 | 允许没有任何索引和主键的表存在,索引都是保存行的地址。 | 如果没有设定主键或者非空唯一索引,就会自动生成一个6字节的主键(用户不可见),数据是主索引的一部分,附加索引保存的是主索引的值。 | +| 外键 | 不支持 | 支持 | + + + +**为什么MyISAM会比Innodb 的查询速度快?** + +1. 数据块,InnoDB要缓存,MyISAM只缓存索引块, 这中间还有换进换出的减少; +2. InnoDB寻址要映射到块,再到行,MyISAM 记录的直接是文件的OFFSET,定位比InnoDB要快; +3. InnoDB还需要维护MVCC一致;虽然你的场景没有,但他还是需要去检查和维护。 \ No newline at end of file diff --git "a/DataBase/13\346\225\260\346\215\256\347\261\273\345\236\213.md" "b/docs/DataBase/13\346\225\260\346\215\256\347\261\273\345\236\213.md" similarity index 100% rename from "DataBase/13\346\225\260\346\215\256\347\261\273\345\236\213.md" rename to "docs/DataBase/13\346\225\260\346\215\256\347\261\273\345\236\213.md" diff --git "a/DataBase/14\345\210\207\345\210\206.md" "b/docs/DataBase/14\345\210\207\345\210\206.md" similarity index 83% rename from "DataBase/14\345\210\207\345\210\206.md" rename to "docs/DataBase/14\345\210\207\345\210\206.md" index 4c7a32c..48fc75f 100644 --- "a/DataBase/14\345\210\207\345\210\206.md" +++ "b/docs/DataBase/14\345\210\207\345\210\206.md" @@ -13,7 +13,7 @@ 当一个表的数据不断增多时,Sharding 是必然的选择,它可以将数据分布到集群的不同节点上,从而缓存单个数据库的压力。 -

+

## 垂直切分 @@ -21,7 +21,7 @@ 在数据库的层面使用垂直切分将按数据库中表的密集程度部署到不同的库中,例如将原来的电商数据库垂直切分成商品数据库、用户数据库等。 -

+

## Sharding 策略 diff --git "a/DataBase/15\345\244\215\345\210\266.md" "b/docs/DataBase/15\345\244\215\345\210\266.md" similarity index 80% rename from "DataBase/15\345\244\215\345\210\266.md" rename to "docs/DataBase/15\345\244\215\345\210\266.md" index 0acd202..f83ece1 100644 --- "a/DataBase/15\345\244\215\345\210\266.md" +++ "b/docs/DataBase/15\345\244\215\345\210\266.md" @@ -13,7 +13,7 @@ - **I/O 线程** :负责从主服务器上读取二进制日志,并写入从服务器的重放日志(Replay log)中。 - **SQL 线程** :负责读取重放日志并重放其中的 SQL 语句。 -

+

## 读写分离 @@ -27,4 +27,4 @@ 读写分离常用代理方式来实现,代理服务器接收应用层传来的读写请求,然后决定转发到哪个服务器。 -

\ No newline at end of file +
\ No newline at end of file diff --git "a/DataBase/16Redis\346\246\202\350\277\260.md" "b/docs/DataBase/16Redis\346\246\202\350\277\260.md" similarity index 100% rename from "DataBase/16Redis\346\246\202\350\277\260.md" rename to "docs/DataBase/16Redis\346\246\202\350\277\260.md" diff --git "a/DataBase/17\346\225\260\346\215\256\347\261\273\345\236\213.md" "b/docs/DataBase/17\346\225\260\346\215\256\347\261\273\345\236\213.md" similarity index 80% rename from "DataBase/17\346\225\260\346\215\256\347\261\273\345\236\213.md" rename to "docs/DataBase/17\346\225\260\346\215\256\347\261\273\345\236\213.md" index 8ac5dd3..7cb16cc 100644 --- "a/DataBase/17\346\225\260\346\215\256\347\261\273\345\236\213.md" +++ "b/docs/DataBase/17\346\225\260\346\215\256\347\261\273\345\236\213.md" @@ -23,6 +23,8 @@

+最基本的数据类型,而且是二进制安全的。 + ```html > set hello world OK @@ -34,10 +36,47 @@ OK (nil) ``` +## HASH + +

+ +String元素组成的字典,适合用于**存储对象**。 + +```html +>hmset tom name "tome" age 24 +OK +> hget tom name +"tom" +> hset tom age 25 +(integer) 0 + +> hgetall tom +1) "name" +2) "tom" +3) "age" +4) "25" + +> hdel hash-key sub-key2 +(integer) 1 +> hdel hash-key sub-key2 +(integer) 0 + +> hget hash-key sub-key1 +"value1" + +> hgetall hash-key +1) "sub-key1" +2) "value1" +``` + +## + ## LIST

+列表,按照String元素插入顺序(左边或右边)排序,可以实现栈的功能,例如最新时间的排行榜等需求。 + ```html > rpush list-key item (integer) 1 @@ -66,6 +105,8 @@ OK

+String元素组成的无序集合,通过哈希表实现,不允许重复(成功返回1,失败返回0)。例如,微博中粉丝可以存在SET中,这样可以求交集、并集、补集,方便地实现共同关注等功能。 + ```html > sadd set-key item (integer) 1 @@ -96,41 +137,12 @@ OK 2) "item3" ``` -## HASH - -

- -```html -> hset hash-key sub-key1 value1 -(integer) 1 -> hset hash-key sub-key2 value2 -(integer) 1 -> hset hash-key sub-key1 value1 -(integer) 0 - -> hgetall hash-key -1) "sub-key1" -2) "value1" -3) "sub-key2" -4) "value2" - -> hdel hash-key sub-key2 -(integer) 1 -> hdel hash-key sub-key2 -(integer) 0 - -> hget hash-key sub-key1 -"value1" - -> hgetall hash-key -1) "sub-key1" -2) "value1" -``` - ## ZSET

+通过分数来为集合中的成员进行从小到大的排序,可以重复添加分数相同值不同的元素。 + ```html > zadd zset-key 728 member1 (integer) 1 diff --git "a/DataBase/18\346\225\260\346\215\256\347\273\223\346\236\204.md" "b/docs/DataBase/18\346\225\260\346\215\256\347\273\223\346\236\204.md" similarity index 100% rename from "DataBase/18\346\225\260\346\215\256\347\273\223\346\236\204.md" rename to "docs/DataBase/18\346\225\260\346\215\256\347\273\223\346\236\204.md" diff --git "a/DataBase/19Redis\344\275\277\347\224\250\345\234\272\346\231\257.md" "b/docs/DataBase/19Redis\344\275\277\347\224\250\345\234\272\346\231\257.md" similarity index 100% rename from "DataBase/19Redis\344\275\277\347\224\250\345\234\272\346\231\257.md" rename to "docs/DataBase/19Redis\344\275\277\347\224\250\345\234\272\346\231\257.md" diff --git "a/DataBase/20Redis \344\270\216 Memcached.md" "b/docs/DataBase/20Redis \344\270\216 Memcached.md" similarity index 100% rename from "DataBase/20Redis \344\270\216 Memcached.md" rename to "docs/DataBase/20Redis \344\270\216 Memcached.md" diff --git "a/DataBase/21\345\205\266\344\273\226.md" "b/docs/DataBase/21\345\205\266\344\273\226.md" similarity index 100% rename from "DataBase/21\345\205\266\344\273\226.md" rename to "docs/DataBase/21\345\205\266\344\273\226.md" diff --git "a/DataBase/23Schema\344\270\216\346\225\260\346\215\256\347\261\273\345\236\213\344\274\230\345\214\226.md" "b/docs/DataBase/23Schema\344\270\216\346\225\260\346\215\256\347\261\273\345\236\213\344\274\230\345\214\226.md" similarity index 100% rename from "DataBase/23Schema\344\270\216\346\225\260\346\215\256\347\261\273\345\236\213\344\274\230\345\214\226.md" rename to "docs/DataBase/23Schema\344\270\216\346\225\260\346\215\256\347\261\273\345\236\213\344\274\230\345\214\226.md" diff --git a/docs/DataBase/24redis.md b/docs/DataBase/24redis.md new file mode 100644 index 0000000..fc0c503 --- /dev/null +++ b/docs/DataBase/24redis.md @@ -0,0 +1,323 @@ +# 1. Redis为什么这么快? + +1. 完全基于内存,绝大部分请求是纯粹的内存操作,执行效率非常高。数据存在内存中,类似于HashMap,HashMap的优势就是查找和操作的时间复杂度都是O(1); +2. 数据结构简单,对数据操作也简单,Redis中的数据结构是专门进行设计的; +3. 采用单线程(该单线程指的是处理网络请求的线程),避免了不必要的上下文切换和竞争条件,也不存在多进程或者多线程导致的切换而消耗 CPU,不用去考虑各种锁的问题,不存在加锁释放锁操作,没有因为可能出现死锁而导致的性能消耗; +4. 使用[多路I/O复用模型](https://www.jianshu.com/p/45c694e7abbb),非阻塞IO; + +# 2. Redis中常用数据类型 + +[查看详细](https://github.com/DuHouAn/Java-Notes/blob/master/DataBase/17%E6%95%B0%E6%8D%AE%E7%B1%BB%E5%9E%8B.md) + +# 3. 从海量Key里查询出某一固定前缀的Key + +留意细节: + +- 摸清数据规模,即问清楚边界; + +使用keys指令来扫出指定模式的key列表, + +## 使用keys对线上的业务的影响: + +KEYS pattern:查找所有符合给定模式pattern的key + +缺点: + +- KEYS指令一次性返回所有匹配的key; +- 键的数量过大会使得服务卡顿; + +这时可以使用SCAN指令: + +SCAN cursor [MATCH pattern] [COUNT count] + +- 基于游标的迭代器,需要基于上一次的游标延续之前的迭代过程; +- 以0作为游标开始一次新的迭代,直到命令返回游标0完成一次遍历; +- 不保证每次执行都返回某个给定数量的元素,支持模糊查询; +- 对于增量式迭代命令,一次返回的数量不可控,只能是大概率符合count参数; + +``` +>scan 0 match k1* count 10 +``` + +# 4. 如何通过Redis实现分布式锁 + +分布式锁需要解决的问题: + +- 互斥性 +- 安全性 +- 死锁:一个持有锁的客户端宕机而导致其他客户端再也无法获得锁,从而导致的死锁; +- 容错 + +如何实现: + +SETNX(Set if not exsist) key value:如果key不存在,则创建并赋值。因为SETNX有上述功能,并且操作都是原子的,因此在初期的时候可以用来实现分布式锁。 + +- 时间复杂度:O(1) +- 返回值:设置成功,返回1,表明此时没有其他线程占用该资源;设置失败,返回0,表示此时有别的线程正在占用该资源。 + +使用EXPIRE key seconds来解决SETNX长期有效的问题: + +- 设置key的生存时间,当key过期时(生存时间为0),会被自动删除; + +```java +RedisService redisService = SpringUtils.getBean(RedisService.class); +long status = redisService.setnx(key,"1"); + +if(status == 1){ + redisService.expire(key,expire); + //执行独占资源逻辑 + doOcuppiedWork(); +} +``` + +- 以上方法的缺点:原子性无法得到满足 + +从Redis 2.1.6 以后,原子操作set: + +SET key value [EX seconds] [PX milliseconds] [NX|XX] + +- EX seconds:设置键的过期时间为second(秒) +- PX milliseconds:设置键的过期时间为millisecond(毫秒) +- NX:只在键不存在的时候,才对键进行设置操作,效果等同于setnx +- XX:只在键已存在的时候,才对键进行设置操作 +- SET操作成功完成时,返回OK,否则则返回nil + +``` +> set lock 123 ex 10 nx +OK +> set lock 122 ex 10 nx +(nil) +``` + +代码实现例如: + +```java +RedisService redisService = SpringUtils.getBean(RedisService.class); +String result = redisService.set(lockKey,requestId,SET_IF_NOT_EXIST, + SET_WITH_WITH_EXPIRE_TIME,expireTime); +if("OK".equals(result)){ + //执行独占资源逻辑 + doOcuppiedWork(); +} +``` + +大量key同时过期的注意事项: + +集中过期,由于清楚大量key很耗时,会出现短暂的卡顿现象。 + +解决方法:在设置key的过期时间的时候,给每个key加上一个随机值。 + +# 5. 如何使用Redis做异步队列 + +使用List作为队列,RPUSH生产消息,LPOP消费消息。 + +- 缺点:没有等待队列中有值就直接消费; +- 弥补:可以在应用层引入Sleep机制去调用LPOP重试 + +BLPOP key [key ...] timeout:阻塞直到队列有消息就能够返回或超时 + +- 缺点:只能供一个消费者消费 + +pub/sub:主题发布-订阅模式 + +- 发送者(publish)发送消息,订阅者(subscribe)接收消息; +- 订阅者可以订阅任意数量的频道(Topic); + +
+ +
+ +- 缺点:消息的发布是无状态的,无法保证可达性,即发送完该消息无法保证该消息被接收到。若想解决该问题需要使用专业的消息队列,例如Kafka等。 + +# 6. Redis如何做持久化 + +Redis有三种持久化的方式: + +1. RDB(快照)持久化:保存某个时间点的全量数据快照; + +缺点: + +- 内存数据的全量同步,数据量大会由于I/O而严重影响性能; +- 可能会因为Redis挂掉而丢失从当前至最近一次快照期间的数据; + +redis.conf文件中: + +``` +save 900 1 #900秒之内如果有1条写入指令就触发一次快照 +save 300 10 +save 60 10000 + +stop-writes-on-bgsave-error yes #表示备份进程出错的时候,主进程就停止接收新的写入操作,是为了保护持久化数据的一致性 + +rdbcompression no #RDB的压缩设置为no,因为压缩会占用更多的CPU资源 +``` + +手动触发: + +- SAVE:阻塞Redis的服务器进程,知道RDB文件被创建完毕,很少被使用; +- **BGSAVE**:Fork出一个子进程来创建RDB文件,不会阻塞服务器主进程。 + +自动触发: + +- 根据redis.conf配置里的Save m n 定时触发(用的是BGSAVE) +- 主从复制,主节点自动触发。从节点全量复制时,主节点发送RDB文件给从节点完成复制操作,主节点这时候会触发BGSAVE; +- 执行Debug Reload; +- 执行Shutdown且没有开启AOF持久化 + +## BGSAVE原理: + +
+ +
+ +- 检查子进程的目的是:为了防止子进程之间的竞争; +- 系统(Linux)调用fork():创建进程,实现Copy-on-write(写时复制)。传统方式下,在fork进程时直接把所有资源全部复制给子进程,这种实现方式简单但是效率低下。Linux为了降低创建子进程的成本,改进fork实现,当父进程创建子进程时,内核只为子进程创建虚拟空间,父子两个进程使用的是相同的物理空间,只有子进程发生更改的时候,才会为子进程分配独立的物理空间。 + +[Copy-on-write](https://juejin.im/post/5bd96bcaf265da396b72f855): + +如果有多个调用者同时要求相同资源(如内存或磁盘上的数据存储),他们会共同获取相同的指针指向相同的资源,直到某个调用者试图修改资源的内容时,系统才会真正复制一份专用副本给该调用者,而其他调用者所见到的最初的资源仍然保持不变。 + +2. AOF(Append-Only-File)持久化:保持写状态 + +- 记录下除了查询以外的所有变更数据库状态的**指令**,所有写入AOF的指令都是以Redis协议格式来保存的; +- 以append的形式追加保存到AOF文件中(增量),就算遇到停电的情况也能尽最大全力去保证数据的无损; + +日志重写解决AOF文件大小不断增大的问题,原理如下: + +- 调用fork(),创建一个子进程; +- 子进程把新的AOF写到一个临时文件里面,不依赖于原来的AOF文件; +- 主进程持续将新的变动同时写到内存buffer中和原来的AOF文件里; +- 主进程获取子进程重写AOF的完成信号,往新的AOF文件同步增量变动; +- 使用新的AOF文件替换旧的AOF文件 + +
+ +
+ +对于上图有几个关键点: + +- 在重写期间,由于主进程依然在响应命令,为了保证最终备份的完整性。因此它**依然会写入旧的AOF file中,如果重写失败,能够保证数据不丢失**。 +- 为了把重写期间响应的写入信息也写入到新的文件中,因此也会为子进程保留一个buf,防止新写的file丢失数据。 +- 重写是直接把当前内存的数据生成对应命令,并不需要读取老的AOF文件进行分析、命令合并。 +- AOF文件直接采用的文本协议,主要是兼容性好、追加方便、可读性高。 + +RDB和AOF文件共存情况下的恢复流程 + +
+ +
+ +RDB和AOF的优缺点: + +| 类别 | 优点 | 缺点 | +| ---- | ---------------------------------------- | -------------------------------------------------- | +| RDB | 全量数据快照,文件小,恢复快 | 无法保存最近一次快照之后的数据,会丢失这部分的数据 | +| AOF | 可读性高,适合保存增量数据,数据不易丢失 | 文件体积大,恢复时间长 | + +3. RDB-AOF混合持久化方式 + +在Redis 4.0之后推出了混合持久化方式,而且作为默认的配置方式。先以RDB方式从管道写全量数据再使用AOF方式从管道追加。AOF文件先半段是RDB形式的全量数据,后半段是Redis命令形式的增量数据。 + +- BGSAVE做镜像全量持久化,AOF做增量持久化。因为BGSAVE需要耗费大量的时间,不够实时,在停机的时候会造成大量数据丢失,这时需要AOF配合使用。在Redis实例重启的时候,会使用BGSAVE持久化文件重新构建内容,再使用AOF重放近期的操作指令,来实现完整恢复重启之前的状态。 + +# 7. 使用Pineline的好处 + +- Pineline和Linux的管道类似; +- Redis基于请求/响应模型,单个请求处理需要一一应答; +- Pineline批量执行指令,节省了多次I/O往返的时间; +- 有顺序依赖的指令建议分批发送; + +## Redis的同步机制: + +主从同步原理 + +通常Redis的主从模式中,使用一个Master进行写操作,若干个Slave进行读操作。定期的数据备份操作是选择一个Slave进行的,这样能够最大程度上发挥Redis的性能,为了支持数据的**弱一致性**,即数据的最终一致性,不需要保持Master和Slave之间数据每个时刻都是相同的,但是在过了一段时间后它们之间的数据是趋于同步的。Redis可以使用主从同步,也可以使用从从同步。 + +1. 全同步过程: + +- Slave发送sync命令到Master; +- Master启动一个后台进程,将Redis中的数据快照保存到文件中(BGSAVE); +- Master将保存数据快照期间接收到的写命令(增量数据)缓存起来; +- Master完成写文件操作后,将该文件发送给Slave; +- Slave接收到文件之后,使用新的AOF文件替换掉旧的AOF文件来,从磁盘上读到内存中,来恢复数据快照; +- Master将这期间收集的增量写命令发送给Slave端,进行重放。 + +全同步完成后,后续所有写操作都是在Master上进行,读操作都是在Slave上进行。 + +2. 增量同步过程: + +- Master接收到用户的操作指令,判断是否需要传播到Slave,如果需要则进行下一步; +- 首先将操作转换成Redis内部协议格式并以字符串的形式存储,然后将字符串存储的操作纪录追加到AOF文件; +- 将操作传播到其他Slave:1. 对齐主从库,确保从数据库的该操作的数据库;2. 将命令和参数按照Redis内部协议格式往响应缓存中写入指令; +- 将缓存中的数据发送给Slave。 + +主从模式的弊端在于不具有高可用性,当Master挂掉以后,Redis将不能对外提供写入操作。 + + + +Redis Sentinel(Redis哨兵) + +解决主从同步Master宕机后的主从切换问题: + +- 监控:检查主从服务器是否运行正常; +- 提醒:通过API向管理员或者其他应用程序发送故障通知; +- 自动故障迁移:主从切换; + +流言协议Gossip + +在杂乱无章中寻求一致 + +- 每个节点都随机地与对方通信,最终所有节点的状态都会达到一致; +- 种子节点定期(每秒)随机向其他节点发送节点列表以及需要传播的消息; +- 不保证信息一定会传递给所有节点,但是最终会趋于一致。 + +# 8. Redis的集群原理 + +如何从海量数据里快速找到所需? + +- 分片:按照某种规则去划分数据,分散存储在多个节点上; +- 常规的按照哈希划分**无法实现节点的动态增减**,为了解决这个问题引入了一致性哈希算法。 + +一致性哈希算法:对2^32取模,将哈希值空间组织成虚拟的圆环,hash空间的范围为[0,2^32-1]如下图所示: + +
+ +
+ +将数据key使用相同的函数Hash计算出哈希值,具体可以选择服务器的ip或主机名作为关键字进行hash,这样就能确定每个服务器在Hash环上的位置。接下来,将数据key使用相同的函数Hash计算出哈希值,并确定此数据在环上的位置,从此位置沿环顺时针“行走”,第一台遇到的服务器就是其应该定位到的目标服务器。根据一致性Hash算法,数据A会被定为到Node A上,B被定为到Node B上,C被定为到Node C上,D被定为到Node D上。 + +现假设Node C不幸宕机,可以看到此时对象A、B、D不会受到影响,只有C对象被重定位到Node D。一般的,在一致性Hash算法中,如果一台服务器不可用,则受影响的数据仅仅是此服务器到其环空间中前一台服务器(即沿着逆时针方向行走遇到的第一台服务器)之间数据,其它不会受到影响,如下所示: + +
+ +
+ +下面考虑另外一种情况,如果在系统中增加一台服务器Node X,如下图所示: + +
+ +
+ +此时对象Object A、B、D不受影响,只有对象C需要重定位到新的Node X !一般的,在一致性Hash算法中,如果增加一台服务器,则受影响的数据仅仅是新服务器到其环空间中前一台服务器(即沿着逆时针方向行走遇到的第一台服务器)之间数据,其它数据也不会受到影响。 + +综上所述,一致性哈希算法对于节点的增减都**只需要定位环空间中的一小部分数据**,具有较好的容错性和扩展性。 + +> 补充资料:https://zhuanlan.zhihu.com/p/34985026 + +缺点:一致性Hash算法在服务节点太少时,容易因为节点分部不均匀而造成数据倾斜(被缓存的对象大部分集中缓存在某一台服务器上)问题,例如系统中只有两台服务器,其环分布如下: + +
+ +
+ +解决方法:引入虚拟节点,即对每个服务器节点计算多个hash,计算结果的位置都放置一个节点称为虚拟节点。具体做法,例如在服务器ip或主机名后添加序号。 + +
+ +
+ +# 参考资料 + +- https://coding.imooc.com/class/303.html + +- https://zhuanlan.zhihu.com/p/34985026 \ No newline at end of file diff --git "a/docs/DataBase/MySQL \345\205\263\351\224\256\350\257\255\346\263\225.md" "b/docs/DataBase/MySQL \345\205\263\351\224\256\350\257\255\346\263\225.md" new file mode 100644 index 0000000..2f20a6b --- /dev/null +++ "b/docs/DataBase/MySQL \345\205\263\351\224\256\350\257\255\346\263\225.md" @@ -0,0 +1,116 @@ +# 关键语法 + +相关表格关系如下: + +
+ +各表的字段名: + +- score + +| 字段 | 说明 | 备注 | +| :--------: | :-----: | :--: | +| student_id | 学生 id | | +| course_id | 课程 id | | +| score | 分数 | | + +- student + +| 字段 | 说明 | 备注 | +| :--------: | :------: | :--: | +| student_id | 学生 id | 主键 | +| name | 学生姓名 | | +| age | 学生年龄 | | +| sex | 学生性别 | | + +- course + +| 字段 | 说明 | 备注 | +| :-------: | :------: | :--: | +| course_id | 课程 id | | +| name | 课程名称 | | + +## GROUP BY + +- 满足 “SELECT 子句中的列名必须为分组列或列函数” + +- 列函数对于 GROUP BY 子句定义的每个组各返回一个结果 + + 针对**同一张表**,如果用 group by,那么你的 select 语句中选出的列要么是 group by 里用到的列,要么就是带有如 sum、min 等函数的列。 + + ```mysql + # 查询所有同学的学号、选课数、总成绩 + select student_id,count(course_id),sum(score) + from score + group by student_id; + # 注意:在单表中,select 中不能有除了 group by 涉及到的列以外的列。 + ``` + + 针对多张表,则没有这个限制 + + ```mysql + # 查询所有同学的学号、姓名、选课数、总成绩 + select s.student_id,stu.name,count(s.course_id),sum(s.score) + from + score s, + student stu + where + s.student_id = stu.student_id + group by s.student_id; + ``` + + + +## HAVING + +- 通常与 GROUP BY 子句一起使用 +- WHERE 是过滤行,而 HAVING 是过滤组的 + 如果省略了 GROUP BY 子句,HAVING 的功能就和 WHERE 相同 +- 出现在同一个 SQL 的顺序:WHERE --> GROUP BY --> HAVING + +```mysql +# 查询平均成绩大于 60 分的学生的学号和平均成绩 +select student_id,avg(score) +from score +group student_id +having avg(score)>60 +``` + +```mysql +# 查询没有学全所有课的同学的学号、姓名 +# 步骤1:总的课程数,学全所有表示学士所选的课 < 总课程数 +select count(course_id) +``` + + + +## 列函数 + +常见的列函数有:COUNT,SUM,MAX,MIN,ABG + +```mysql +# 查询没有学全所有课的同学的学号、姓名 +# 步骤 1:总的课程数,没有学全表示学生,所选的课 < 总课程数 +select count(course_id) from course; + +# 步骤 2: 查看学生的学号、姓名 +# 涉及到 student 表和 score 表(因为需要 score 表来统计学生选课情况) +select stu.student_id,stu.name +from + student stu, + score s +where stu.student_id = s.student_id +group by s.student_id # 按照 score 表的 student_id 来进行分组 +# having sum(s.course_id) # 按照 student_id 来统计课程数 + +# 步骤3:没有学全表示:学生所选的课数 < 总课程数 +select stu.student_id,stu.name +from + student stu, + score s +where stu.student_id = s.student_id +group by s.student_id +having count(s.course_id) < +(select count(course_id) from course); +``` + diff --git "a/docs/DataBase/MySQL\346\200\247\350\203\275\344\274\230\345\214\226.md" "b/docs/DataBase/MySQL\346\200\247\350\203\275\344\274\230\345\214\226.md" new file mode 100644 index 0000000..e28e411 --- /dev/null +++ "b/docs/DataBase/MySQL\346\200\247\350\203\275\344\274\230\345\214\226.md" @@ -0,0 +1,520 @@ +# MySQL 性能优化 + +数据库优化目的: + +1、避免出现页面访问错误 + +- 由于数据库连接超时产生页面 5xx 错误 +- 由于慢查询造成页面无法加载 +- 由于阻塞造成数据无法提交 + +2、增加数据库的稳定性 + +- 许多数据库问题都是由于低效的查询引起的 + +3、优化用户体验 + +- 流畅压面的访问速度 +- 良好的网站功能体验 + +可以从以下几个方面进行数据库优化: + +
+ +## 一、SQL 语句优化 + +### 慢查询日志 + +#### 1、慢日志定位慢查询 sql + +> **打开慢日志** + +``` +show variables like '%quer%'; +``` + +得到如下结果: + +| 字段 | 说明 | 初始值 | +| ------------------- | ---------------------------- | ------------------------------------------------------------ | +| long_query_time | 慢查询查询的阈值(单位:秒) | 10.000000 | +| slow_query_log | 是否打开慢查询文件 | OFF | +| slow_query_log_file | 慢查询文件存储位置 | C:\ProgramData\MySQL \MySQL Server 5.5\Data \DESKTOP-DUG3TQG-slow.log | + +> **设置相关参数** + +``` + set global slow_query_log = on; # 开启慢查询日志 + set global long_query_time = 0; # 慢查询的阈值设置为 0.01 秒 +``` + +此时相应的结果: + +| 字段 | 说明 | 初始值 | +| --------------- | ------------------------ | -------- | +| long_query_time | 慢查询的阈值(单位:秒) | 0.100000 | +| slow_query_log | 是否打开慢查询文件 | | + +到 DESKTOP-DUG3TQG-slow.log 慢查询日志查看执行某条 SQL 语句后,产生的日志信息: + +```txt +-- 查询执行时间 +# Time: 190530 22:15:09 +-- 执行 SQL 的主机信息 +# User@Host: root[root] @ localhost [127.0.0.1] +-- SQL 执行信息 +# Query_time: 0.003990 Lock_time: 0.000000 Rows_sent: 603 Rows_examined: 603 +-- SQL 执行时间 +SET timestamp=1559225709; +-- SQL 的内容 +select * from address; +``` + +#### 2、Explain 进行分析 + +Explain 用来分析 SELECT 查询语句,开发人员可以通过分析 Explain 结果来优化查询语句。 + +比较重要的字段有: + +- id:标明 sql 执行顺序(id 越大,越先执行) +- select_type : 查询类型,有简单查询、联合查询、子查询等 +- type:MySQL 找到需要的数据行的方式。从最好到最差的链接类型为 const、eq_ref、ref、fulltext、ref_or_null、index_merge、unique_subquery、index_subquery、range、 **index 和 ALL **。 + +> `const`: 针对主键或唯一索引的等值查询扫描, 最多只返回一行数据。 const 查询速度非常快, 因为它仅仅读取一次即可。 +> +> `eq_ref`: 此类型通常出现在多表的 join 查询, 表示对于前表的每一个结果, 都只能匹配到后表的一行结果。并且查询的比较操作通常是 `=`, 查询效率较高。 +> +> `ref`: 此类型通常出现在多表的 join 查询, 针对于非唯一或非主键索引, 或者是使用了 `最左前缀` 规则索引的查询。 +> +> `range`: 表示使用索引范围查询, 通过索引字段范围获取表中部分数据记录. 这个类型通常出现在 =, <>, >, >=, <, <=, IS NULL, <=>, BETWEEN, IN() 操作中。 +> +> `index`: 表示全索引扫描(full index scan), 和 ALL 类型类似, 只不过 ALL 类型是全表扫描, 而 index 类型则仅仅扫描所有的索引, 而不扫描数据。 +> +> `ALL`: 表示全表扫描, 这个类型的查询是性能最差的查询之一。通常来说, 我们的查询不应该出现 ALL 类型的查询。 + +- key :使用的索引。如果为 NULL,则没有使用索引。 +- key_len:使用索引的长度。在不损失精度的条件下,长度越短越好。 +- ref:显示索引的哪一列被使用了,如果可能的话是一个常数 +- rows:MySQL 认为必须检查的用来返回请求数据的行数 +- Extra:Extra 中出现以下两项意味着 MySQL 根本不能使用索引,效率会受到重大影响: + +| Extra 值 | 说明 | +| --------------- | ------------------------------------------------------------ | +| Using filesort | 表示 MySQL 会对结果使用一个**外部索引排序**,不是从表里 按索引次序读到相关内容,可能在内存或磁盘上进行排序。 MySQL 中无法利用索引完成的排序操作称为“文件排序”。 | +| Using temporary | 表示 MySQL 在对查询结果排序时使用**临时表**。 常见于排序 order by 和分组查询 group by。 | + +注意:当 Extra 的值为 Using filesort 或者 Using temporary 查询是需要优化的。 + +### MAX() 的优化方法 + +```mysql +select max(payment_date) from payment; +``` + +使用 explain 分析: + +```mysql +explain select max(payment_date) from payment; +``` + +结果如下: + +| id | select_type | type | possible_keys | key | key_len | rows | Extra | +| :--: | :---------: | :-----: | :-----------: | :--: | :-----: | :---: | :---: | +| 1 | SIMPLE | **ALL** | NULL | NULL | NULL | 15123 | | + +为 `payment_date` 建立索引: + +```mysql +create index idx on payment (`payment_date`); +``` + +使用 explain 分析: + +explain select max(payment_date) from payment; + + +| id | select_type | type | possible_keys | key | key_len | rows | Extra | +| :--: | :---------: | :--: | :-----------: | :--: | :-----: | :--: | :------------------------------: | +| 1 | SIMPLE | NULL | NULL | NULL | NULL | NULL | **Select tables optimized away** | + + +```mysql +CREATE INDEX index_name ON `table_name` (`column`) +``` + +```mysql +create index idx on payment (`payment_date`); +``` + +本次实验中,使用索引后将原来查询时间为 0.02 秒缩短为 0.0079 秒 。 + +上述中,可以完全通过索引信息查询到我们需要的查询结果,上述索引实际上就是覆盖索引。 + +### COUNT() 的优化方法 + +- `count(*)` 在计数时会计入值为 NULL 的行 + +- `count(表的某字段)` 不会计入值为 NULL 的行 + +```mysql +select count(release_year='2006' or null) as '2006年电影数量', + count(release_year='2007' or null)as '2007年电影数量' +from film; +# or null 的作用:在统计列值时要求列值是非空的(不统计 null) +``` + +### 子查询优化 + +通常情况下,需要把子查询优化为 join 查询,但在优化时需要注意关联键是否有一对多的关系,要注意重复数据。 + +```mysql +select film_id +from film_actor +where actor_id in( + select actor_id from actor where first_name = 'SANDRA' +); +``` + +可进行如下优化(如果有重复数据,使用 `distinct`去重 ) + +```mysql +select film_id +from film_actor fa join actor a +on fa.actor_id = a.actor_id +where a.first_name = 'SANDRA'; +``` + +原因:因为 join 查询不需要内建临时表处理。 + +### GROUP BY 的优化 + +```mysql +# 统计某演员所演的电影数 +select actor.first_name,actor.last_name,COUNT(*) +from film_actor +inner join actor USING(actor_id) +group by film_actor.actor_id; +``` + +可进行如下优化: + +```mysql +# 1、先查询每个 actor_id 对应的影片数量 +# GROUP BY 尽量使用同一表中的列 +select actor_id,COUNT(*) as cnt from film_actor group by actor_id; + +# 2、从 actor 中查询演员详细信息 +select actor.first_name,actor.last_name,c.cnt +from actor +inner join ( + select actor_id,COUNT(*) as cnt from film_actor group by actor_id +) AS c USING(actor_id); + +# 最终优化的结果 +select actor.first_name,actor.last_name,c.cnt +from actor +inner join (select actor_id,COUNT(*) as cnt from film_actor group by actor_id) AS c USING(actor_id); +``` + +### LIMIT 查询的优化 + +limit 常常用于分页处理,有时会伴随 order by 从句使用,因此大多数时会使用 Filesorts,这样会造成大量 I/O 问题。 + +```mysql +select film_id,description +from film +order by title limit 50,5; # 从第 50 条记录开始读取 5 条记录 +``` + +优化: + +```mysql +# 优化步骤1:使用有索引的列或主键进行 order by 操作 +select film_id,description +from film +order by film_id limit 50,5; # 从第 50 条记录开始读取 5 条记录 +``` + +```mysql +# 优化步骤2:记录上次返回的主键,在下次查询时使用主键过滤 +select film_id,description +from film +where film_id > 55 and film_id <= 60 +order by film_id limit 50,5; # 从第 1 条记录开始读取 5 条记录 +# 注意: +# 1、避免了数据量大时扫描过多的记录 +# 2、要求主键是连续递增的,否则可能会缺失记录 +``` + +## 二、索引优化 + +### 如何选择合适的列建立索引 + +- 在 where 从句,group by 从句,on 从句中出现的列 + +- 索引字段越小越好 + +- 选择性高的列放到联合索引的前面。 + + 索引的选择性是指:不重复的索引值和记录总数的比值。最大值为 1,此时每个记录都有唯一的索引与其对应。选择性越高,查询效率也越高。 + + ```mysql + # 计算某列的选择性 + select COUNT(distinct staff_id)/COUNT(*) as staff_id_selectivity, + COUNT(distinct customer_id)/COUNT(*) as customer_id_selectivity, + COUNT(*) + from payment; + ``` + + ```mysql + # 列及其对应的选择性如下: + staff_id_selectivity: 0.0001 + customer_id_selectivity: 0.0373 + # customer_id 的选择性更高 + ``` + + 则对于如下查询语句: + + ```mysql + select * form payment where staff_id = 2 and customer_id = 584; + ``` + + 使用 `index(customer_id,staff_id)`比使用`index(staff_id,customer_id)`更好。 + + 进行如下优化: + + ```mysql + select * form payment where customer_id = 584 and staff_id = 2; + ``` + +### 索引优化的方式 + +#### 重复索引 + +重复索引是指相同的列以相同的顺序建立的同类型索引。 + +如下面的 `primary key` 和 `id`列上的唯一索引就是重复索引,因为`id`为主键,就是在`id`列上的唯一索引。 + +```mysql +create table test( + id int not null primary key, # id 是主键,也就是在 id 列上建立唯一索引 + name varchar(10) not null, + title varchar(50) not null, + unique(id) # 在 id 列上建立唯一索引 +)engine=InnoDB; +``` + +#### 冗余索引 + +冗余索引是指多个索引的前缀列相同,或是在组合索引中包含了主键的索引。 + +如下面这个`key(name,id)` 就是冗余索引。 + +```mysql +create table test( + id int not null primary key, # id 是主键,也就是在 id 列上建立唯一索引 + name varchar(10) not null, + title varchar(50) not null, + key(name,id) # 在 name,id 列上建立组合索引,其中 id 是主键 +)engine=InnoDB; +``` + +使用 **pt-duplicate-key-checker 工具**检查重复索引和冗余索引,以及给出修改建议。 + +```mysql +mysql pt-duplicate-key-checker \ +-uroot \ +-p 'root' \ +-h 127.0.0.1 +``` + +### 删除不用的索引 + +通过慢查询日志配合 pt-index-usage 工具来进行索引使用情况的分析。 + +```mysql +pt-index-usage \ +- uroot +- p'root' \ +- DESKTOP-DUG3TQG-slow.log +``` + +## 三、数据库结构优化 + +### 选择合适的数据类型 + +- 使用可存下数据的最小数据类型。 +- 使用简单的数据类型。int 要比 varchar 类型在 MySQL 处理上简单。 +- 尽可能的使用 not null 定义字段。 +- 尽量少用 text 类型,非用不可时最好考虑分表。 + +> **使用 int 来存储日期时间** + +```mysql +create table test( + id int auto_increment not null, + timestr int, # 使用 int 来存储时间 + primary key(id) +); +``` + +```mysql +insert into test(timestr) values(UNIX_TIMESTAMP('2017-08-16 13:12:00')); +# UNIX_TIMESTAMP 函数将日期格式转化为时间戳(时间戳是 int 类型) +``` + +```mysql +select FROM_UNIXTIME(timestr) from test; +# FROM_UNIXTIME 函数将 int 类型时间戳转化为日期时间格式 +``` + +> **使用 bigint 来存储 IP 地址** + +```mysql +create table sessions( + id int auto_increment not null, + ipaddress bigint, # 使用 bigint 来存储 IP 地址, IP 地址使用 varchar 类型至少 15 B + primary key(id) +); +``` + +```mysql +insert into sessions(ipaddress) values(INET_ATON('192.168.0.1')); +# INET_ATON 将 IP 地址转化为 bigint(8 字节) +``` + +```mysql +select INET_NTOA(ipaddress) from sessions; +# INET_NTOA 将 bigint 转化为 ip 地址 +``` + +### 数据表的范式化优化 + +- [范式](https://duhouan.github.io/Java-Notes/#/./DataBase/06%E5%85%B3%E7%B3%BB%E6%95%B0%E6%8D%AE%E5%BA%93%E8%AE%BE%E8%AE%A1%E7%90%86%E8%AE%BA?id=%E8%8C%83%E5%BC%8F) + +### 数据表的反范式化优化 + +反范式化是指为了查询的效率考虑把原本符合第三范式的表适当的增加冗余,以达到优化查询效率的目的,**反范式化是一种以空间来换取时间的操作。** + +
+ +查询订单信息: + +```mysql +select b.用户名,b.电话,b.地址,a.订单ID,SUM(c.商品价格*c.商品数量) as 订单价格 +from `订单表` a +join `用户表` b on a.用户ID = b.用户ID +join `订单商品表` c on c.订单ID = b.订单ID +group by b.用户名,b.电话,b.地址,a.订单ID +``` + +对表格进行反范式化优化: + +
+ +此时查询同样的信息,查询语句如下: + +```mysql +select a.用户名,a.电话,a.地址,a.订单ID,a.订单价格 +form `订单表` a +``` + +### 数据库表的垂直拆分 + +表格的垂直拆分,就是把原来有很多列的表拆分成多个表,这**解决了表的宽度问题**。通常垂直拆分可以按照以下原则进行: + +- 将不常用的字段单独存放到一个表中; +- 把大字段独立存放到一个表中; +- 把经常一起使用的字段放到一起。 + +
+ +举例: + +```mysql +CREATE TABLE film ( + film_id SMALLINT UNSIGNED NOT NULL AUTO_INCREMENT, + title VARCHAR(255) NOT NULL, # title 是大字段 + description TEXT DEFAULT NULL, # description 也是大字段 + release_year YEAR DEFAULT NULL, + language_id TINYINT UNSIGNED NOT NULL, + original_language_id TINYINT UNSIGNED DEFAULT NULL, + rental_duration TINYINT UNSIGNED NOT NULL DEFAULT 3, + rental_rate DECIMAL(4,2) NOT NULL DEFAULT 4.99, + length SMALLINT UNSIGNED DEFAULT NULL, + replacement_cost DECIMAL(5,2) NOT NULL DEFAULT 19.99, + rating ENUM('G','PG','PG-13','R','NC-17') DEFAULT 'G', + special_features SET('Trailers','Commentaries','Deleted Scenes','Behind the Scenes') DEFAULT NULL, + last_update TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP, + PRIMARY KEY (film_id) +)ENGINE=InnoDB DEFAULT CHARSET=utf8; +``` + +将 `film` 表进行垂直拆分: + +```mysql +CREATE TABLE film ( + film_id SMALLINT UNSIGNED NOT NULL AUTO_INCREMENT, + release_year YEAR DEFAULT NULL, + language_id TINYINT UNSIGNED NOT NULL, + original_language_id TINYINT UNSIGNED DEFAULT NULL, + rental_duration TINYINT UNSIGNED NOT NULL DEFAULT 3, + rental_rate DECIMAL(4,2) NOT NULL DEFAULT 4.99, + length SMALLINT UNSIGNED DEFAULT NULL, + replacement_cost DECIMAL(5,2) NOT NULL DEFAULT 19.99, + rating ENUM('G','PG','PG-13','R','NC-17') DEFAULT 'G', + special_features SET('Trailers','Commentaries','Deleted Scenes','Behind the Scenes') DEFAULT NULL, + last_update TIMESTAMP NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP, + PRIMARY KEY (film_id) +)ENGINE=InnoDB DEFAULT CHARSET=utf8; +``` + +```mysql +CREATE TABLE film_text ( # 将 title、description 字段独立存放到一个表中 + film_id SMALLINT UNSIGNED NOT NULL AUTO_INCREMENT, + title VARCHAR(255) NOT NULL, + description TEXT DEFAULT NULL, + PRIMARY KEY (film_id) +)ENGINE=InnoDB DEFAULT CHARSET=utf8; +``` + +### 数据库表的水平拆分 + +表的水平拆分主要是为了解决**单表的数据量过大**的问题,水平拆分的表每一个表的界结构都是完全一致的。水平拆分的策略: + +- 哈希取模:hash(key) % N; +- 范围:可以是 ID 范围也可以是时间范围; +- 映射表:使用单独的一个数据库来存储映射关系。 + +
+ +## 四、读写分离 + +主服务器处理写操作以及实时性要求比较高的读操作,而从服务器处理读操作。 + +读写分离能提高性能的原因在于: + +- 主从服务器负责各自的读和写,极大程度缓解了锁的争用; +- 从服务器可以使用 MyISAM,提升查询性能以及节约系统开销; +- 增加冗余,提高可用性。 + +读写分离常用代理方式来实现,代理服务器接收应用层传来的读写请求,然后决定转发到哪个服务器。 + +
+ +> **补充** + +下载演示数据库:https://dev.mysql.com/doc/index-other.html + +查看数据库表结构:https://dev.mysql.com/doc/sakila/en/sakila-installation.html + +Windows 中导入数据库: + +source C:\Users\18351\Desktop\MYSQL 性能优化\sakila-db\sakila-schema.sql + +source C:\Users\18351\Desktop\MYSQL 性能优化\sakila-db\sakila-data.sql + +# 参考资料 + +- [MySQL 性能优化神器 Explain 使用分析](https://segmentfault.com/a/1190000008131735) \ No newline at end of file diff --git a/docs/DataBase/Redis.md b/docs/DataBase/Redis.md new file mode 100644 index 0000000..0a0c7ba --- /dev/null +++ b/docs/DataBase/Redis.md @@ -0,0 +1,1332 @@ +## 一、概述 + +[Redis脑图](http://naotu.baidu.com/file/b2cc07d1dabb080eac294567c31bbe04?token=6dcf94de0168d614) + +Redis 是速度非常快的非关系型(NoSQL)内存键值数据库,可以存储键和五种不同类型的值之间的映射。 + +键的类型只能为字符串,值支持五种数据类型:字符串、列表、集合、散列表、有序集合。 + +Redis 支持很多特性,例如将内存中的数据持久化到硬盘中,使用复制来扩展读性能,使用分片来扩展写性能。 + +> 问题一:为什么使用 Redis? + +主要从“高性能”和“高并发”这两点来看待这个问题。 + +性能:假如用户第一次访问数据库中的某些数据。这个过程会比较慢,因为是从硬盘上读取的。将该用户访问的数据存在缓存中,这样下一次再访问这些数据的时候就可以直接从缓存中获取了。**操作缓存就是直接操作内存**,所以速度相当快。如果数据库中的对应数据改变的之后,那么同步改变缓存中相应的数据即可! + +并发:高并发情况下,所有请求直接访问数据库,数据库会出现连接异常,直接操作缓存能够承受的请求是远远大于直接访问数据库的,因此,可以考虑把数据库中的部分数据转移到缓存中去,这样用户的一部分请求会直接到缓存而不用经过数据库。 + +> 问题二:Redis 为什么快? + +1、纯内存操作 + +数据存在内存中,类似于 HashMap。HashMap 的优势就是查找和操作的时间复杂度都是O(1) + +2、数据结构简单 + +不仅数据结构简单,而且对数据操作也简单。Redis 中的数据结构是专门进行设计的,比如字典和跳跃表 + +3、单线程 + +避免了频繁的上下文切换,也不存在多进程或者多线程导致的切换而消耗 CPU 资源,不用去考虑各种锁的问题,不存在加锁释放锁操作,没有因为可能出现死锁而导致的性能消耗 + +4、非阻塞 I/O 多路复用机制 + +I/O 复用,让单个进程具有处理多个 I/O 事件的能力。 + +举例说明 I/O 多路复用机制:[链接](https://blog.csdn.net/hjm4702192/article/details/80518856) + +
+ +Redis-Client 在操作的时候,会产生具有不同事件类型的 Socket。在服务端的 I/0 多路复用程序,将其置入队列之中。然后,文件事件分派器,依次去队列中取 Socket,转发到不同的事件处理器中。 + +> **扩展 1**:[I/O 模型](https://github.com/DuHouAn/Java-Notes/blob/master/NetWork/14I_O%E6%A8%A1%E5%9E%8B.md) +> +> **扩展2:**[Redis 的线程模型](https://github.com/doocs/advanced-java/blob/master/docs/high-concurrency/redis-single-thread-model.md#redis-%E7%9A%84%E7%BA%BF%E7%A8%8B%E6%A8%A1%E5%9E%8B) + +## 二、数据类型 + +| 数据类型 | 可以存储的值 | 操作 | 使用场景 | +| :--: | :--: | :--: | :--: | +| STRING | 字符串、整数或者浮点数 | 对整个字符串或者字符串的其中一部分执行操作
对整数和浮点数执行自增或者自减操作 | 复杂的
计数功能 | +| LIST | 列表 | 从两端压入或者弹出元素
对单个或者多个元素进行修剪,只保留一个范围内的元素 | 简单的
消息队列 | +| SET | 无序集合 | 添加、获取、移除单个元素
检查一个元素是否存在于集合中
计算交集、并集、差集
从集合里面随机获取元素 | 全局去重 | +| HASH | 包含键值对的无序散列表 | 添加、获取、移除单个键值对
获取所有键值对
检查某个键是否存在 | 单点登录,存储用户信息 | +| ZSET | 有序集合 | 添加、获取、删除元素
根据分值范围或者成员来获取元素
计算一个键的排名 | 作排行榜,取 Top N | + +> [**Top N 问题**](https://xiaozhuanlan.com/topic/4176082593) + +### STRING + +
+ +```html +> set hello world +OK +> get hello +"world" +> del hello +(integer) 1 +> get hello +(nil) +``` + +### LIST + +
+ +```html +> rpush list-key item +(integer) 1 +> rpush list-key item2 +(integer) 2 +> rpush list-key item +(integer) 3 + +> lrange list-key 0 -1 +1) "item" +2) "item2" +3) "item" + +> lindex list-key 1 +"item2" + +> lpop list-key +"item" + +> lrange list-key 0 -1 +1) "item2" +2) "item" +``` + +### SET + +
+ +```html +> sadd set-key item +(integer) 1 +> sadd set-key item2 +(integer) 1 +> sadd set-key item3 +(integer) 1 +> sadd set-key item +(integer) 0 + +> smembers set-key +1) "item" +2) "item2" +3) "item3" + +> sismember set-key item4 +(integer) 0 +> sismember set-key item +(integer) 1 + +> srem set-key item2 +(integer) 1 +> srem set-key item2 +(integer) 0 + +> smembers set-key +1) "item" +2) "item3" +``` + +### HASH + +
+ +```html +> hset hash-key sub-key1 value1 +(integer) 1 +> hset hash-key sub-key2 value2 +(integer) 1 +> hset hash-key sub-key1 value1 +(integer) 0 + +> hgetall hash-key +1) "sub-key1" +2) "value1" +3) "sub-key2" +4) "value2" + +> hdel hash-key sub-key2 +(integer) 1 +> hdel hash-key sub-key2 +(integer) 0 + +> hget hash-key sub-key1 +"value1" + +> hgetall hash-key +1) "sub-key1" +2) "value1" +``` + +### ZSET + +
+ +```html +> zadd zset-key 728 member1 +(integer) 1 +> zadd zset-key 982 member0 +(integer) 1 +> zadd zset-key 982 member0 +(integer) 0 + +> zrange zset-key 0 -1 withscores +1) "member1" +2) "728" +3) "member0" +4) "982" + +> zrangebyscore zset-key 0 800 withscores +1) "member1" +2) "728" + +> zrem zset-key member1 +(integer) 1 +> zrem zset-key member1 +(integer) 0 + +> zrange zset-key 0 -1 withscores +1) "member0" +2) "982" +``` + +## 三、数据结构 + +### 字典 + +字典又称为符号表或者关联数组、或映射(map),是一种用于**保存键值对的抽象数据结构**。字典中的每一个键 key 都是唯一的,通过 key 可以对值来进行查找或修改。C 语言中没有内置这种数据结构的实现,所以字典依然是 Redis 自己构建的。 + +Redis 数据库底层是使用字典实现的,对数据库的增删改查也是构造在字典的操作上的。 + +dictht 是一个**散列表**结构,使用**拉链法**保存哈希冲突。 + +```c +/* This is our hash table structure. Every dictionary has two of this as we + * implement incremental rehashing, for the old to the new table. */ +typedef struct dictht { + dictEntry **table; + unsigned long size; + unsigned long sizemask; + unsigned long used; +} dictht; +``` + +```c +/* key 用来保存键,val 属性用来保存值, + * 值可以是一个指针,也可以是uint64_t整数,也可以是int64_t整数,也可以是浮点数。*/ +typedef struct dictEntry { + void *key; + union { + void *val; + uint64_t u64; + int64_t s64; + double d; + } v; + struct dictEntry *next; +} dictEntry; +``` + +#### 1、哈希算法 + +Redis 计算哈希值和索引值。 + +```c +// 1、使用字典设置的哈希函数,计算键 key 的哈希值 +hash = dict->type->hashFunction(key); +// 2、使用哈希表的sizemask属性和第一步得到的哈希值,计算索引值 +index = hash & dict->ht[x].sizemask; +``` + +#### 2、哈希冲突 + +链地址法解决哈希冲突。 + +#### 3、扩容和收缩 + +Redis 的字典 dict 中包含两个哈希表 dictht,这是为了方便进行 rehash 操作。 + +```c +typedef struct dict { + dictType *type; + void *privdata; + dictht ht[2]; + long rehashidx; /* rehashing not in progress if rehashidx == -1 */ + unsigned long iterators; /* number of iterators currently running */ +} dict; +``` + + + +当哈希表保存的键值对太多或者太少时,就要通过 rehash 来对哈希表进行相应的扩展或者收缩。具体步骤如下: + +- 如果执行扩展操作,会基于原哈希表创建一个大小等于 ht[0].used*2n 的哈希表(也就是**每次扩展都是根据原哈希表已使用的空间扩大一倍创建一个新的哈希表**)。 + + 如果执行的是收缩操作,每次收缩是根据已**使用空间缩小一倍**创建一个新的哈希表。 + +- 重新利用上面的哈希算法,计算索引值,然后将键值对放到新的哈希表位置上。 + +- 所有键值对都处理完后,释放原哈希表的内存空间。 + +#### 4、渐近式 rehash + +渐进式 rehash,就是说扩容和收缩操作不是一次性、集中式完成的,而是分多次、渐进式完成的。 + +如果保存在 Redis 中的键值对只有几个几十个,那么 rehash 操作可以瞬间完成;如果键值对有几百万,几千万甚至几亿,那么要一次性的进行 rehash,势必会造成 Redis 一段时间内不能进行别的操作。所以 Redis 采用渐进式 rehash,这样在进行渐进式 rehash 期间,字典的删除查找更新等操作可能会在两个哈希表上进行,第一个哈希表没有找到,就会去第二个哈希表上进行查找。但是进行增加操作,一定是在新的哈希表上进行的。 + +### 跳跃表 + +是**有序集合的底层实现**之一,通过在每个节点中维持多个指向其它节点的指针,从而达到**快速访问节点**的目的。 + +跳跃表是基于多指针有序链表实现的,可以看成**多个有序链表**。 + +
+ +#### 1、搜索 + +从最高层的链表节点开始,如果比当前节点要大和比当前层的下一个节点要小,那么则往下找,也就是和当前层的下一层的节点的下一个节点进行比较,以此类推,一直找到最底层的最后一个节点,如果找到则返回,反之则返回空。下图演示了查找 22 的过程。 + +
+ +#### 2、插入 + +首先确定插入的层数,有一种方法是假设抛一枚硬币,如果是正面就累加,直到遇见反面为止,最后记录正面的次数作为插入的层数。当确定插入的层数 k 后,则需要将新元素从底层插入到 k 层。 + +#### 3、删除 + +在各个层中找到包含指定值的节点,然后**将节点从链表中删除即可**,如果删除以后只剩下头尾两个节点,则删除这一层。 + +与红黑树等平衡树相比,跳跃表具有以下优点: + +- 插入速度非常快速,因为不需要进行旋转等操作来维护平衡性; +- 更容易实现; +- 支持无锁操作。 + +## 四、使用场景 + +### 计数器 + +可以对 String 进行自增自减运算,从而实现计数器功能。 + +Redis 这种内存型数据库的读写性能非常高,很适合存储频繁读写的计数量。 + +### 缓存 + +将热点数据放到内存中,设置内存的最大使用量以及淘汰策略来保证缓存的命中率。 + +### 查找表 + +例如 DNS 记录就很适合使用 Redis 进行存储。 + +查找表和缓存类似,也是利用了 Redis 快速的查找特性。但是查找表的内容不能失效,而缓存的内容可以失效,因为缓存不作为可靠的数据来源。 + +### 消息队列 + +List 是一个双向链表,可以通过 lpush 和 rpop 写入和读取消息 + +不过最好使用 Kafka、RabbitMQ 等消息中间件。 + +### 会话缓存 + +可以使用 Redis 来统一存储多台应用服务器的会话信息。 + +当应用服务器不再存储用户的会话信息,也就不再具有状态,一个用户可以请求任意一个应用服务器,从而更容易实现高可用性以及可伸缩性。 + +### 分布式锁实现 + +在分布式场景下,无法使用单机环境下的锁来对多个节点上的进程进行同步。 + +- 单节点:可以使用 Redis 自带的 SETNX 或SET命令实现分布式锁。 + +- 多节点:[RedLock模型](https://www.jianshu.com/p/fba7dd6dcef5),具有安全性、避免死锁和容错性的特性。 + +### 其它 + +Set 可以实现交集、并集等操作,从而实现共同好友等功能。 + +ZSet 可以实现有序性操作,从而实现排行榜等功能。 + +## 五、Redis 与 Memcached + +两者都是非关系型内存键值数据库,主要有以下不同: + +### 数据类型 + +Memcached 仅支持字符串类型,而 Redis 支持五种不同的数据类型,可以更灵活地解决问题。 + +### 数据持久化 + +Redis 支持两种持久化策略:RDB 快照和 AOF 日志,而 Memcached 不支持持久化。 + +### 分布式 + +Memcached 不支持分布式,只能通过在客户端使用一致性哈希来实现分布式存储,这种方式在存储和查询时都需要先在客户端计算一次数据所在的节点。 + +Redis Cluster 实现了分布式的支持。 + +### 内存管理机制 + +- 在 Redis 中,并不是所有数据都一直存储在内存中,可以将一些很久没用的 value 交换到磁盘,而 Memcached 的数据则会一直在内存中。 +- Memcached 将内存分割成特定长度的块来存储数据,以完全解决内存碎片的问题。但是这种方式会使得内存的利用率不高,例如块的大小为 128 bytes,只存储 100 bytes 的数据,那么剩下的 28 bytes 就浪费掉了。 + +### 线程模型 + +Memcached 是多线程,非阻塞IO复用的网络模型;Redis 使用单线程的多路 IO 复用模型。 + +## 六、键删除方式和内存淘汰策略 + +Redis 可以为每个键设置过期时间,当键过期时,会自动删除该键。 + +作为一个缓存数据库,这是非常实用的。比如我们一般项目中的 token 或者一些登录信息,尤其是短信验证码都是有时间限制的,按照传统的数据库处理方式,一般都是自己判断过期,这样无疑会严重影响项目性能。为每个键设置过期时间,通过过期时间来指定这个键可以存活的时间。 + +如果假设你设置了一批键只能存活 1 小时,那么 1 小时后,Redis 是会对这批键进行删除,有 2 种删除方式: + +- 定期删除 +- 惰性删除 + +注意:对于散列表这种容器,只能为整个键设置过期时间,而不能为键里面的单个元素设置过期时间。 + +### 定期删除 + +Redis 默认**每隔 100 ms**检查设置了过期时间的键,检查其是否过期,如果过期就删除。 + +Redis 不是每隔 100 ms 检查所有的键,而是**随机**进行检查。因为每隔 100ms 就遍历所有的设置过期时间的键的话,就会给 CPU 带来很大的负载! + +显然,若只采用定期删除策略,会导致很多过期键到了时间未被删除。 + +### 惰性删除 + +定期删除可能会导致很多过期键到了时间并没有被删除掉,所以就有了惰性删除。 + +获取某个键时,Redis 会检查该键是否设置了过期时间,然后判断是否过期:若过期,则此时才删除。 + +如果定期删除漏掉了很多过期的键 ,然后也为即时请求键,也就是未进行惰性删除,会导致大量过期键堆积在内存里,使得 Redis 内存块耗尽。为了解决这个问题, Redis 中引入**内存淘汰机制**。 + +### 内存淘汰机制 + +Redis 具体有 6 种淘汰策略: + +| 策略 | 描述 | +| :-------------: | :----------------------------------------------------------: | +| noeviction | 当内存不足以容纳新写入的数据时,新写入操作会报错(一般不用) | +| allkeys-lru | 当内存不足以容纳新写入的数据时,在键数据集中,
移除最近最少使用的键(推荐使用) | +| allkeys-random | 当内存不足以容纳新写入的数据时,在键数据集中,
随机移除某个键(不推荐使用) | +| volatile-lru | 当内存不足以容纳新写入的数据时,从已设置过期时间的键数据集中,
移除最近最少使用的键(不推荐使用) | +| volatile-random | 当内存不足以容纳新写入的数据时,从已设置过期时间的键数据集中,
随机移除某个键(不推荐使用) | +| volatile-ttl | 当内存不足以容纳新写入的数据时,从已设置过期时间的键数据集中,
设置更早过期时间的键优先移除(不推荐使用) | + +作为内存数据库,出于对性能和内存消耗的考虑,Redis 的淘汰算法实际实现上并非针对所有 key,而是抽样一小部分并且从中选出被淘汰的 key。 + +使用 Redis 缓存数据时,为了提高缓存命中率,需要保证缓存数据都是**热点数据**。**可以将内存最大使用量设置为热点数据占用的内存量,然后启用 allkeys-lru 淘汰策略,将最近最少使用的数据淘汰**。 + +Redis 4.0 引入了 volatile-lfu 和 allkeys-lfu 淘汰策略,LFU 策略通过**统计访问频率**,将访问频率最少的键值对淘汰。 + +> 扩展1:[LRU 缓存](https://github.com/DuHouAn/Java/blob/master/JavaContainer/notes/02%E5%AE%B9%E5%99%A8%E6%BA%90%E7%A0%81%E5%88%86%E6%9E%90.md#lru-%E7%BC%93%E5%AD%98) +> +> 扩展2:[手写一个 LRU 算法](https://github.com/DuHouAn/Java-Notes/blob/master/LeetCodeSolutions/notes/12%E6%95%B0%E6%8D%AE%E7%BB%93%E6%9E%84.md#146) + +## 七、持久化 + +Redis 是内存型数据库,为了保证数据在断电后不会丢失,需要将内存中的数据持久化到硬盘上。 + +Redis 支持两种不同的持久化操作: + +- 快照(Redis DataBase,RDB) +- 追加文件(Append-Only File,AOF) + +### RDB 持久化 + +**Redis 可以通过创建快照来获得存储在内存里面的数据在某个时间点上的副本**。 + +Redis 创建快照之后,可以对快照进行备份,可以将快照复制到其他服务器从而创建具有相同数据的服务器副本,还可以将快照保留在原地以便重启服务器的时候使用。 + +RDB 持久化存在的问题: + +- 如果系统发生故障,将会丢失最后一次创建快照之后的数据。 +- 如果数据量很大,保存快照的时间会很长。 + +因此,快照持久化只适用于即使丢失一部分数据也不会造成一些大问题的应用程序。 + +快照持久化是 **Redis 默认采用的持久化方式**,在 redis.conf 配置文件中默认有此下配置: + +```html +save 900 1 +# 在900秒(15分钟)之后,如果至少有1个键发生变化,Redis 就会自动触发 BGSAVE 命令创建快照。 + +save 300 10 +# 在300秒(5分钟)之后,如果至少有10个键发生变化,Redis 就会自动触发 BGSAVE 命令创建快照。 + +save 60 10000 +# 在60秒(1分钟)之后,如果至少有10000个键发生变化,Redis 就会自动触发 BGSAVE 命令创建快照。 + +stop-writes-on-bgsave-error yes +# 表示备份进程出错的时候,主进程就停止接收新的写入操作,是为了保护持久化数据的一致性。 + +rdbcompression no +# RDB 的压缩设置为 no,因为压缩会占用更多的 CPU 资源。 +``` + +创建快照的方法: + +#### 1、SAVE 命令 + +客户端向 Redis 发送 SAVE 命令来创建一个快照,**接到 SAVE 命令的 Redis 服务器在快照创建完毕之前不会再响应任何其他命令**。SAVE 命令不常用。 + +#### 2、BGSAVE 命令 + +客户端向 Redis 发送 BGSAVE 命令来创建一个快照。对于支持 BGSAVE 命令的平台来说(基本上所有平台支持,除了Windows平台),**Redis 会调用 fork 来创建一个子进程,然后子进程负责将快照写入硬盘,而主进程则继续处理命令请求**。 + +> **BGSAVE 原理** + +
+ +- 检查子进程:为了防止子进程之间的竞争; + +- Redis 需要创建当前服务器进程的子进程,而大多数操作系统都采用**写时复制(copy-on-write)**来优化子进程的使用效率。 + + 传统方式:fork 直接把所有资源全部复制给子进程,这种实现方式简单但是效率低下。 + + (fork 是类 Unix 操作系统上**创建进程**的主要方法。fork 用于**创建子进程**,子进程等同于当前进程的副本。) + + 写时复制方式:当主进程创建子进程时,内核只为子进程创建虚拟空间,父子两个进程使用的是相同的物理空间,只有子进程发生更改时,才会为子进程分配独立的物理空间。 + +理解:[写时复制](https://juejin.im/post/5bd96bcaf265da396b72f855) + +#### 3、SAVE 选项 + +如果用户设置了 SAVE 选项(默认设置),比如`save 60 10000`,那么从 Redis 最近一次创建快照之后开始算起,当“60 秒内有 10000 次写入”这个条件被满足时,**Redis 就会自动触发 BGSAVE 命令**。 + +#### 4、SHUTDOWN 命令 + +当 Redis 通过 SHUTDOWN 命令接收到关闭服务器的请求时,或者接收到标准 TERM 信号时,会**执行一个 SAVE 命令**,阻塞所有客户端,不再执行客户端发送的任何命令,并在 SAVE 命令执行完毕之后关闭服务器。 + +#### 5、一个 Redis 服务器连接到另一个 Redis 服务器 + + 当一个 Redis 服务器连接到另一个 Redis 服务器,并向对方发送 SYNC 命令来开始一次复制操作的时候,如果主服务器目前没有执行 BGSAVE 操作,或者主服务器并非刚刚执行完 BGSAVE 操作,那么**主服务器就会执行BGSAVE 命令**。 + +### AOF 持久化 + +默认情况下 Redis 没有开启 AOF(append only file)方式的持久化,可以通过 appendonly 参数开启: + +```html +appendonly yes +``` + +开启 AOF 持久化后每执行一条会更改 Redis 中的数据的命令,Redis 就会将该命令添加到 AOF 文件(Append Only File)的末尾。 + +使用 AOF 持久化需要设置同步选项,从而确保写命令什么时候会同步到磁盘文件上。这是因为对文件进行写入并不会马上将内容同步到磁盘上,而是先存储到缓冲区,然后由操作系统决定什么时候同步到磁盘。有以下同步选项: + +| 选项 | 同步频率 | 说明 | +| :--: | :--: | :--: | +| always | 每个写命令都同步 | 会严重减低服务器的性能 | +| everysec | 每秒同步一次 | 可以保证系统崩溃时只会丢失一秒左右的数据,
并且 Redis 每秒执行一次同步对服务器性能几乎没有任何影响 | +| no | 让操作系统来决定何时同步 | 并不能给服务器性能带来多大的提升,
而且也会增加系统崩溃时数据丢失的数量 | + +随着服务器写请求的增多,AOF 文件会越来越大。**Redis 提供了一种将 AOF 重写的特性,能够去除 AOF 文件中的冗余写命令。** + +> **重写 AOF** + +AOF重写的原理是:首先从数据库中读取键现在的值,然后用一条命令去记录键值对,最后代替之前记录这个键值对的多条命令。 + +为了解决因为 AOF 体积过大重写过程被长时间阻塞的问题,用户可以向 Redis 发送 **BGREWRITEAOF 命令** ,这个命令会通过**移除 AOF 文件中的冗余命令来重写(rewrite)AOF 文件来减小 AOF 文件的体积**。(新的 AOF 文件和原有的 AOF 文件所保存的数据库状态一样,但体积更小。) + +BGREWRITEAOF 命令和 BGSAVE 创建快照原理十分相似,AOF 文件重写也需要用到子进程。执行 BGREWRITEAOF 命令时,Redis 服务器会维护一个 AOF 重写缓冲区和一个AOF缓冲区,子进程创建新的 AOF 文件期间,记录服务器执行的所有写命令会同时写入两个缓冲区中。这样保证了 1.AOF缓冲区的内容会定期被写入和同步到AOF文件,对现有AOF文件的处理工作会如常进行。2.从创建子进程开始,服务器执行的所有写命令都会被记录到AOF重写缓冲区里面。 + +当子进程完成AOF重写的工作之后,服务器会将重写缓冲区中的所有内容追加到新的 AOF 文件的末尾,使得新旧两个 AOF 文件所保存的数据库状态一致。最后,服务器用新的 AOF 文件原子地覆盖旧的 AOF 文件,以此来完成 AOF 文件重写操作。 + +在整个AOF后台重写过程中,只有信号处理函数执行时会对服务器进程造成阻塞,在其他时候,AOF后台重写都不会阻塞父进程,这将AOF重写对服务器性能造成的影响降到了最低。 + +
+ +### RDB 和 AOF 比较 + +| 持久化
方式 | 优点 | 缺点 | +| :------------: | :------------------------------------------: | :----------------------------------------------------: | +| RDB | 全量数据快照,文件小,恢复快 | 无法保存最近一次快照之后的数据,
会丢失这部分的数据 | +| AOF | 可读性高,适合保存增量数据,
数据不易丢失 | 文件体积大,恢复时间长 | + +### 优化 + +Redis 4.0 对于持久化机制进行优化:Redis 4.0 开始支持 RDB 和 AOF 的混合持久化(默认关闭,可以通过配置项 `aof-use-rdb-preamble` 开启)。 + +混合持久化机制下,AOF 重写的时候就直接把 RDB 的内容写到 AOF 文件开头。 + +这样做的好处是可以结合 RDB 和 AOF 的优点, 快速加载同时避免丢失过多的数据,当然缺点也是有的, AOF 里面的 RDB 部分是压缩格式不再是 AOF 格式,可读性较差。 + + + +## 八、事务 + +### 相关命令 + +MULTI命令:将客户端从非事务状态切换到事务状态,标志着事务的开始。 + +EXEC命令:客户端向服务端发送该命令后,服务器会遍历这个客户端的事务队列,并将所有命令的执行结果返回给客户端。 + +WATCH命令:它是一个乐观锁,可以在EXEC命令执行之前,监视任意数量的数据库键,并在EXEC命令执行的时候,检查被监视的键是否至少有一个已经被修改过了,如果有,服务器将拒绝执行该事务,并向客户端返回代表事务执行失败的空回复。 + +### 简述 + +**Redis 通过 MULTI、EXEC、WATCH 等命令来实现事务功能**。事务提供了一种将多个命令请求打包,然后一次性、按顺序地执行多个命令的机制。服务器在执行事务期间,不会改去执行其它客户端的命令请求,它会将事务中的所有命令都执行完毕,然后才去处理其他客户端的命令请求。 + +事务中的多个命令被一次性发送给服务器,而不是一条一条发送,这种方式被称为**pipeline**。 + +注意: + +- Redis 最简单的事务实现方式是使用 MULTI 和 EXEC 命令将事务操作包围起来。 + +- 使用 pineline 的好处: + + Redis 使用的是客户端 / 服务器(C/S)模型和请求/响应协议的 TCP 服务器。Redis 客户端与 Redis 服务器之间使用 TCP 协议进行连接,一个客户端可以通过一个 Socket 连接发起多个请求命令。每个请求命令发出后客户端通常会阻塞并等待 Redis 服务器处理,Redis 处理完请求命令后会将结果通过响应报文返回给客户端,因此当执行多条命令的时候都需要等待上一条命令执行完毕才能执行。 + + pipeline 可以一次性发送多条命令并在执行完后一次性将结果返回,可以减少客户端与服务器之间的**网络通信次数**从而提升性能,并且 **pineline 基于队列**,而队列的特点是先进先出,这样就保证数据的**顺序性**。 + +Redis 的事务和传统关系型数据库事务的最大区别在于,**Redis 不支持事务回滚机制(rollback)**,即使事务队列中的某个命令在执行期间出现了错误,整个事务也会继续执行下去,直到将事务队列中的所有命令都执行完毕为止。因为其作者认为,Redis 事务执行时错误通常都是编程错误产生的,这种错误通常只会出现在开发环境中,而很少会在实际的生产环境中出现,所以他任务没有必要开发Redis 的回滚功能。 + + + +## 九、Redis 并发竞争问题 + +并发竞争问题举例: + +- 多客户端同时并发写一个键 ,可能本来应该先到的数据后到了,导致数据版本错误; +- 多客户端同时获取一个键,修改值之后再写回去,只要顺序错了,数据就错了。 + +并发竞争问题解决方案: + +**基于 Zookeeper 实现分布式锁**。 + +每个系统通过 Zookeeper 获取分布式锁,确保**同一时间,只能有一个系统实例在操作某个键,其他都不允许读和写**。 + +
+ +写入 MySql 中的数据必须保存一个时间戳,从 MySql 查询数据时,保存的时间戳也可以查出来。 + +每次在**写之前,先判断**当前这个值的时间戳是否比缓存里的值的时间戳要新。如果是的话,那么可以写,否则,就不能用旧的数据覆盖新的数据。 + +> 扩展 :[分布式锁解决并发的三种实现方式](https://www.jianshu.com/p/8bddd381de06) + + + +## 十、Redis 集群 + +Redis 集群主要是针对海量数据、高并发高可用的场景。 + +Redis 集群是一个提供在**多个Redis 间节点间共享数据**的程序集。 + +Redis 集群并不支持处理多个键的命令,因为这需要在不同的节点间移动数据,在高负载的情况下可能会导致不可预料的错误。 + +Redis 集群通过分区来提供**一定程度的可用性**,在实际环境中当某个节点宕机或者不可达的情况下继续处理命令。Redis 集群的优势: + +- 自动将数据进行分片,每个 Master 上放一部分数据 +- 提供内置的高可用支持,部分 Master 不可用时,还可以继续工作 + +在 Redis 集群架构下,每个 Redis 要放开两个端口号,假设是 6379,另一个就是加 10000 的端口号,即 16379。16379 端口号就是用来进行节点间通信的,也就是 cluster bus,cluster bus 的通信,用来进行故障检测、配置更新、故障转移授权。cluster bus 用了另外一种二进制的协议:gossip 协议,用于节点间进行高效的数据交换,并且占用更少的网络带宽和处理时间。 + +### 节点间的内部通信机制 + +集群元数据的维护有两种方式: + +- 集中式 +- gossip 协议 + +#### 集中式 + +集中式是将集群元数据(节点信息、故障等等)集中存储在某个节点上。一般底层基于 Zookeeper 对所有元数据进行存储维护。 + +
+ +集中式的好处: + +元数据的读取和更新,时效性非常好,一旦元数据出现了变更,就立即更新到集中式的存储中,其它节点读取的时候就可以感知到; + +集中式的问题: + +所有的元数据的更新压力全部集中在某个节点,可能会导致元数据的存储有压力。 + +#### gossip 协议 + +Redis 维护集群元数据采用另一个方式:[gossip 协议](https://zhuanlan.zhihu.com/p/41228196)。 + +所有节点都持有一份元数据,不同的节点如果出现了元数据的变更,就不断将元数据发送给其它的节点,让其它节点也进行元数据的变更。 + +
+ +gossip 的好处: + +元数据的更新比较分散,不是集中在一个地方,更新请求会陆陆续续到所有节点上去更新,降低了压力; + +gossip 的问题: + +元数据的更新有延时,可能导致集群中的一些操作会有一些滞后。 + +gossip 协议包含多种消息,包含 ping,pong,meet,fail 等等。 + +- **meet** + + 某个节点发送 meet 消息给新加入的节点,让新节点加入集群中,然后新节点就会开始与其它节点进行通信。 + +- **ping** + + 每个节点都会频繁给其它节点发送 ping,其中包含自己的**状态**还有自己维护的**集群元数据**,节点通过 ping 交换元数据。 + +- **pong** + + ping 或 meet 的返回消息,包含自己的状态和其它信息,也用于信息广播和更新。 + +- **fail** + + 某个节点判断另一个节点 fail 之后,就发送 fail 给其它节点,通知其它节点说,某个节点宕机啦。 + +> **ping 消息深入** + +ping 时要携带一些元数据,如果很频繁,可能会加重网络负担。 + +每个节点每秒会执行 10 次 ping,每次会选择 5 个最久没有通信的其它节点。当然如果发现某个节点通信延时达到了 `cluster_node_timeout / 2`,那么立即发送 ping,避免数据交换延时过长,落后的时间太长了。比如说,两个节点之间都 10 分钟没有交换数据了,那么整个集群处于严重的元数据不一致的情况,就会有问题。所以 `cluster_node_timeout` 可以调节,如果调得比较大,那么会降低 ping 的频率。 + +每次 ping,会带上自己节点的信息,还有就是带上 1/10 其它节点的信息,发送出去,进行交换。至少包含 3 个其它节点的信息,最多包含(总节点数 - 2) 个其它节点的信息。 + +### 分布式寻址算法 + +分布式寻址算法有如下 3 种: + +- Hash 算法 +- 一致性 Hash 算法 +- Redis 集群的 Hash Slot 算法 + +#### Hash 算法 + +根据键值,首先计算哈希值,然后对节点数取模,然后映射在不同的 Master 节点上。 + +一旦某一个 Master 节点宕机,当请求过来时,会基于最新的剩余 Master 节点数去取模,尝试去获取数据,导致大部分的请求过来,全部无法拿到有效的缓存,大量的流量涌入数据库。 + +换句话说,**当服务器数量发生改变时,所有缓存在一定时间内是失效的,当应用无法从缓存中获取数据时,则会向后端数据库请求数据**。 + +
+ +#### 一致性 Hash 算法* + +一致性 Hash 算法将整个哈希值空间组织成一个**虚拟的圆环**,假设某哈希函数 H 的值空间为0~2^32-1(即哈希值是一个32位无符号整形)。 + +整个空间按**顺时针方向**组织,圆环的正上方的点代表0,0 点右侧的第一个点代表1,以此类推,2、3 ... 2^32-1,也就是说 0 点左侧的第一个点代表 2^32-1, 0 和 2^32-1 在零点中方向重合,我们把这个由 2^32 个点组成的圆环称为**哈希环**。 + +
+ +将各个服务器进行哈希,具体可以选择服务器的 IP 或主机名作为关键字进行哈希,这样每台机器就能**确定其在哈希环上的位置**。假设将 4 台服务器的 IP 地址哈希后在哈希环的位置如下: + +
+ +接下来使用如下算法定位数据访问到相应服务器: + +将数据键使用相同的函数 Hash 计算出哈希值,并确定此数据在环上的位置,从此位置**沿环顺时针“行走”,第一台遇到的服务器就是其应该定位到的服务器**。 + +例如有 Object A、Object B、Object C、Object D 四个数据对象,经过哈希计算后,在哈希环上的位置如下: + +
+ +根据一致性 Hash 算法: + +Object A 会被定位到 Node A 上; + +Object B 会被定位到 Node B 上; + +Object C 会被定位到 Node C 上; + +Object D 会被定位到 Node D 上。 + +> **容错性和可扩展性** + +假设 Node C 宕机,可以看到此时对象 A、B、D 不会受到影响,只有对象 C 被重定位到 Node D。 + +
+ +通常情况下,一致性 Hash 算法中,如果一台服务器不可用,则**受影响的数据**仅仅是此服务器到其环空间中前一台服务器(即沿着**逆时针方向行走遇到的第一台服务器**)之间数据,其它数据不会受到影响。 + +下面考虑另外一种情况:如果在系统中增加一台服务器 Node X。 + +此时对象 A、B、D 不受影响,只有对象 C 需要重定位到新的Node X 。 + +
+ +通常情况下,一致性 Hash 算法中,如果增加一台服务器,则受影响的数据仅仅是新服务器到其环空间中前一台服务器(即沿着逆时针方向行走遇到的第一台服务器)之间数据,其它数据也不会受到影响。 + +综上所述,一致性 Hash 算法对于节点的增减都只需**重定位哈希环中的一小部分数据**,具有**较好的容错性和可扩展性**。 + +> **数据倾斜问题** + +一致性 Hash 算法在服务节点太少时,容易因为节点分部不均匀而造成数据倾斜(被缓存的对象大部分集中缓存在某一台服务器上)问题。例如系统中只有 2 台服务器,如下所示: + +
+ +此时必然造成大量数据集中到 Node A 上,而只有极少量会定位到 Node B 上。 + +为了解决这种数据倾斜问题,一致性 Hash 算法引入了**虚拟节点机制**,即**对每一个服务节点计算多个哈希**,每个计算结果位置都放置一个此服务节点,称为虚拟节点。具体做法可以在服务器 IP 或主机名的后面增加编号来实现。 + +例如针对上面的情况,可以为每台服务器计算 3 个虚拟节点: + +- Node A 的 3 个虚拟节点:"Node A#1"、"Node A#2"、"Node A#3" +- Node B 的 3 个虚拟节点:"Node B#1"、"Node B#2"、"Node B#3" + +进行哈希计算后,六个虚拟节点在哈希环中的位置如下: + +
+ +同时**数据定位算法不变**,只是多了一步虚拟节点到实际节点的映射过程,例如"Node A#1"、"Node A#2"、"Node A#3" 这 3 个虚拟节点的数据均定位到 Node A 上,解决了服务节点少时数据倾斜的问题。 + +在实际应用中,通常将虚拟节点数设置为 32 甚至更大,因此即使很少的服务节点也能做到相对均匀的数据分布。 + +### Redis 集群高可用与主备切换原理 + +Redis 集群的高可用的原理,几乎跟哨兵是类似的: + +- **判断节点是否宕机** + + 主观宕机:如果一个节点认为另外一个节点宕机,那么就是 pfail,称为主观宕机。 + + 客观宕机:如果多个节点都认为另外一个节点宕机了,那么就是 fail,称为客观宕机。 + + 在 `cluster-node-timeout` 内,某个节点一直没有返回 pong ,那么就被认为 pfail 。 + + 如果一个节点认为某个节点 pfail ,那么会在 gossip ping 消息中,ping 给其他节点,如果**超过半数**的节点都认为 pfail 了,那么就会变成 fail。 + +- **Slave 节点过滤** + + 对宕机的 Master 节点,从其所有的 Slave 节点中,选择一个切换成 Master 节点。检查每个 Slave 节点与 Master 节点断开连接的时间,如果超过 + + `cluster-node-timeout * cluster-slave-validity-factor`, + + 那么该 Slave 就没有资格切换成 Master。 + +- **Slave 节点选举** + + 每个 Slave 节点,都根据自己对 Master 复制数据的 offset,来设置一个选举时间,offset 越大(复制数据越多)的 Slave 节点,选举时间越靠前,优先进行选举。 + + 所有的 Master 节点开始 Slave 选举投票,给要进行选举的 Slave 进行投票,如果大部分 Master 节点(N/2+1) 都投票给了某个 Slave 节点,那么选举通过,那个 Slave 节点可以切换成 Master。 + + Slave 节点执行主备切换,Slave 节点切换为 Master 节点。 + +## 十一、缓存雪崩、缓存穿透和缓存击穿 + +### 缓存雪崩 + +> **问题** + +缓存雪崩是指在我们设置缓存时采用了**相同的过期时间**,导致**缓存在某一时刻同时失效**,请求全部转发到数据库,数据库瞬时压力过重雪崩。 + +> **解决** + +缓存雪崩的事前事中事后的解决方案如下: + +- 事前: + + 尽量保证整个 Redis 集群的高可用性; + + 选择合适的内存淘汰策略。比如将缓存失效时间分散开。 + +- 事中:本地 ehcache 缓存 + hystrix 限流&降级,避免 MySQL 雪崩。 + +- 事后:利用 Redis 持久化机制保存的数据快速恢复缓存。 + +
+ +### 缓存穿透 + +> **问题** + +缓存穿透是指查询**一个一定不存在的数据**,由于缓存是不命中时被动写的,并且出于容错考虑,如果从存储层查不到数据则不写入缓存,这将导致这个不存在的数据每次请求都要到存储层去查询,失去了缓存的意义。在流量大时,数据库可能就挂掉了,有人利用不存在的键频繁攻击我们的应用,这就是漏洞。 + +> **解决** + +- 简单粗暴的方法:如果一个查询返回的数据为空(不管数据是否存在,还是系统故障),我们仍然把这个**空结果进行缓存**,但它的过期时间会很短,最长不超过 5 分钟。 +- **布隆过滤器**:布隆过滤器能够以极小的空间开销解决海量数据判重问题。**一个一定不存在的数据会被该过滤器拦截掉**,从而避免了对底层存储系统的查询压力。 + +> 扩展:[布隆过滤器](https://xiaozhuanlan.com/topic/2847301659) + +### 缓存击穿 + +> **问题** + +缓存击穿是指某个键非常热点,访问非常频繁,处于集中式高并发访问的情况。当缓存在某个时间点过期的时,大量的请求就击穿了缓存,直接请求数据库,就像是在一道屏障上凿开了一个洞。 + +> **解决** + +- 将热点数据设置为**永远不过期**。不会出现热点键过期问题。 +- 基于 Redis 或 Zookeeper 实现互斥锁。根据键获得的值为空时,先加锁,然后从数据库加载数据,加载完毕后再释放锁。其他线程发现获取锁失败,等待一段时间后重试。 + +## 十二、Redis 和数据库双写一致性问题 + +一致性问题是分布式常见问题,还可以再分为**最终一致性**和**强一致性**。 + +数据库和缓存双写,就必然会存在不一致的问题。答这个问题,如果对数据有强一致性要求,则数据不能放入缓存。我们所做的一切,只能保证最终一致性。另外,我们所做的方案其实从根本上来说,只能说降低不一致发生的概率,无法完全避免。 + +### Cache Aside Pattern + +Cache Aside Pattern 最经典的缓存结合数据库读写的模式。 + +- 读的时候,先读缓存,缓存中没有的话,就读数据库,然后取出数据后放入缓存,同时返回响应。 +- 更新的时候,先更新数据库,然后再删除缓存。 + +问题:**为什么是删除缓存,而不是更新缓存?** + +原因:如果每次更新了数据库,都要更新缓存【这里指的是频繁更新的场景,这会耗费一定的性能】,倒不如直接删除掉。等再次读取时,缓存里没有,那再去数据库找,在数据库找到再写到缓存里边(体现**懒加载**)。 + +举个例子,一个缓存涉及的表的字段,在 1 分钟内就修改了 100 次,那么缓存更新 100 次;但是这个缓存在 1 分钟内只被**读取**了 1 次,有**大量的冷数据**。实际上,如果你只是删除缓存的话,那么在 1 分钟内,这个缓存不过就重新计算一次而已,开销大幅度降低。 + +其实删除缓存,而不是更新缓存,就是一个 lazy 计算的思想,**不要每次都重新做复杂的计算,不管它会不会用到,而是让它在需要被使用时才重新计算**。 + +### 先更新数据库,再删除缓存 + +> **问题** + +先修改数据库,再删除缓存。 + +如果删除缓存失败了,那么会导致数据库中是新数据,缓存中是旧数据,数据就出现不一致。 + +
+ +如果在高并发的场景下,出现数据库与缓存数据不一致的**概率特别低**,也不是没有: + +- 缓存**刚好**失效 +- 线程A查询数据库,得一个旧值 +- 线程B将新值写入数据库 +- 线程B删除缓存 +- 线程A将查到的旧值写入缓存 + +要达成上述情况,还是说一句**概率特别低**: + +> 因为这个条件需要发生在读缓存时缓存失效,而且并发着有一个写操作。而实际上数据库的写操作会比读操作慢得多,而且还要锁表,**而读操作必需在写操作前进入数据库操作,而又要晚于写操作更新缓存**,所有的这些条件都具备的概率基本并不大。 + +对于这种策略,其实是一种设计模式:`Cache Aside Pattern` + +> **删除缓存失败的解决思路** + +- 将需要删除的key发送到消息队列中 +- 自己消费消息,获得需要删除的key +- **不断重试删除操作,直到成功** + +### 先删除缓存,再更新数据库 + +> **问题** + +数据更新,先删除了缓存,然后要去修改数据库,此时还没修改。一个请求过来,去读缓存,发现缓存空了,去查询数据库,查到了修改前的旧数据,放到了缓存中。随后更新数据的程序完成了数据库的修改,此时,数据库和缓存中的数据又不一致了。 + +并发场景下分析: + +- 线程A删除了缓存 +- 线程B查询,发现缓存已不存在 +- 线程B去数据库查询得到旧值 +- 线程B将旧值写入缓存 +- 线程A将新值写入数据库 + +所以也会导致数据库和缓存不一致的问题。 + +> **解决方案** + +读请求和写请求串行化,串到一个**内存队列**里去,这样就可以保证一定不会出现不一致的情况。串行化之后,就会导致系统的**吞吐量会大幅度的降低**,用比正常情况下多几倍的机器去支撑线上的一个请求。 + +### 比较 + +- 先更新数据库,再删除缓存(`Cache Aside Pattern`设计模式):在高并发下表现优异,在原子性被破坏时表现不如意。 +- 先删除缓存,再更新数据库:在高并发下表现不如意,在原子性被破坏时表现优异。 + + + +## 十三、事件 + +Redis 服务器是一个事件驱动程序。 + +### 文件事件 + +服务器通过套接字与客户端或者其它服务器进行通信,文件事件就是对套接字操作的抽象。 + +Redis 基于 Reactor 模式开发了自己的网络事件处理器,使用 I/O 多路复用程序来同时监听多个套接字,并将到达的事件传送给文件事件分派器,分派器会根据套接字产生的事件类型调用相应的事件处理器。 + +
+ +### 时间事件 + +服务器有一些操作需要在给定的时间点执行,时间事件是对这类定时操作的抽象。 + +时间事件又分为: + +- 定时事件:是让一段程序在指定的时间之内执行一次; +- 周期性事件:是让一段程序每隔指定时间就执行一次。 + +Redis 将所有时间事件都放在一个无序链表中,通过遍历整个链表查找出已到达的时间事件,并调用相应的事件处理器。 + +### 事件的调度与执行 + +服务器需要不断监听文件事件的套接字才能得到待处理的文件事件,但是不能一直监听,否则时间事件无法在规定的时间内执行,因此监听时间应该根据距离现在最近的时间事件来决定。 + +事件调度与执行由 aeProcessEvents 函数负责,伪代码如下: + +```python +def aeProcessEvents(): + # 获取到达时间离当前时间最接近的时间事件 + time_event = aeSearchNearestTimer() + # 计算最接近的时间事件距离到达还有多少毫秒 + remaind_ms = time_event.when - unix_ts_now() + # 如果事件已到达,那么 remaind_ms 的值可能为负数,将它设为 0 + if remaind_ms < 0: + remaind_ms = 0 + # 根据 remaind_ms 的值,创建 timeval + timeval = create_timeval_with_ms(remaind_ms) + # 阻塞并等待文件事件产生,最大阻塞时间由传入的 timeval 决定 + aeApiPoll(timeval) + # 处理所有已产生的文件事件 + procesFileEvents() + # 处理所有已到达的时间事件 + processTimeEvents() +``` + +将 aeProcessEvents 函数置于一个循环里面,加上初始化和清理函数,就构成了 Redis 服务器的主函数,伪代码如下: + +```python +def main(): + # 初始化服务器 + init_server() + # 一直处理事件,直到服务器关闭为止 + while server_is_not_shutdown(): + aeProcessEvents() + # 服务器关闭,执行清理操作 + clean_server() +``` + +从事件处理的角度来看,服务器运行流程如下: + +
+ +## 十四、分片 + +分片是将数据划分为多个部分的方法,可以将数据存储到多台机器里面,这种方法在解决某些问题时可以获得线性级别的性能提升。 + +假设有 4 个 Redis 实例 R0,R1,R2,R3,还有很多表示用户的键 user:1,user:2,... ,有不同的方式来选择一个指定的键存储在哪个实例中。 + +- 最简单的方式是范围分片,例如用户 id 从 0\~1000 的存储到实例 R0 中,用户 id 从 1001\~2000 的存储到实例 R1 中,等等。但是这样需要维护一张映射范围表,维护操作代价很高。 +- 还有一种方式是哈希分片,使用 CRC32 哈希函数将键转换为一个数字,再对实例数量求模就能知道应该存储的实例。 + +根据执行分片的位置,可以分为三种分片方式: + +- 客户端分片:客户端使用一致性哈希等算法决定键应当分布到哪个节点。 +- 代理分片:将客户端请求发送到代理上,由代理转发请求到正确的节点上。 +- 服务器分片:Redis Cluster。 + +## 十五、一个简单的论坛系统分析 + +该论坛系统功能如下: + +- 可以发布文章; +- 可以对文章进行点赞; +- 在首页可以按文章的发布时间或者文章的点赞数进行排序显示。 + +### 文章信息 + +文章包括标题、作者、赞数等信息,在关系型数据库中很容易构建一张表来存储这些信息,在 Redis 中可以使用 HASH 来存储每种信息以及其对应的值的映射。 + +Redis 没有关系型数据库中的表这一概念来将同种类型的数据存放在一起,而是使用命名空间的方式来实现这一功能。键名的前面部分存储命名空间,后面部分的内容存储 ID,通常使用 : 来进行分隔。例如下面的 HASH 的键名为 article:92617,其中 article 为命名空间,ID 为 92617。 + +
+ +### 点赞功能 + +当有用户为一篇文章点赞时,除了要对该文章的 votes 字段进行加 1 操作,还必须记录该用户已经对该文章进行了点赞,防止用户点赞次数超过 1。可以建立文章的已投票用户集合来进行记录。 + +为了节约内存,规定一篇文章发布满一周之后,就不能再对它进行投票,而文章的已投票集合也会被删除,可以为文章的已投票集合设置一个一周的过期时间就能实现这个规定。 + +
+ +### 对文章进行排序 + +为了按发布时间和点赞数进行排序,可以建立一个文章发布时间的有序集合和一个文章点赞数的有序集合。(下图中的 score 就是这里所说的点赞数;下面所示的有序集合分值并不直接是时间和点赞数,而是根据时间和点赞数间接计算出来的) + +
+ +## 十六、高并发和高可用的实现 + +Redis 实现**高并发**主要依靠**主从架构**,进行主从架构部署后,使用**Sentinel(哨兵)**实现**高可用**。 + +> 扩展:[高并发](https://www.jianshu.com/p/be66a52d2b9b) + +### Redis 主从架构实现高并发 + +单机的 Redis,能够承载的 QPS(每秒的响应请求数,即最大吞吐量)大概就在上万到几万不等。 + +对于缓存来说,一般都是用来支持**读高并发**。主从架构(Master/Slave 架构)中:Master 负责写,并且将数据**复制**到其它的 Slave 节点,而 Slave 节点负责读,所有的**读请求全部访问 Slave 节点**。 + +Redis 主从架构可以很轻松实现**水平扩展**来支持高并发。 + +
+ +#### Redis 主从复制核心机制 + +核心机制如下: + +- Redis 采用**异步方式**复制数据到 Slave 节点。从 Redis2.8 开始,Slave 节点会周期性地确认自己每次复制的数据量; +- 一个 Master 节点可配置多个 Slave 节点,Slave 节点也可以连接其他的 Slave 节点; +- Slave 节点进行复制时,不会 block Master 节点的正常工作;也不会 block 查询操作,它会用旧的数据集来提供服务,但是当复制完成时,需要删除旧数据集,加载新数据集,此时会暂停对外服务; +- Slave 节点主要用来进行水平扩展,做读写分离,扩容的 Slave 节点可以提高读的吞吐量。 + +注意: + +- 如果采用主从架构,那么建议**必须开启 Master 节点的持久化**(详细信息看第七章)。不建议用 Slave 节点n作为 Master 节点的数据热备,因为如果关闭 Master 节点的持久化,可能在 Master 宕机重启的时候数据是空的,然后可能一经过复制, Slave 节点的数据也丢了。 +- 准备 Master 的各种备份方案。万一本地的所有文件丢失,从备份中挑选一份 RDB 去恢复 Master,这样可确保启动时,是有数据的。即使采用了高可用机制,Slave 节点可以自动接管 Master 节点,但也可能哨兵还没检测到 Master Failure,Master 节点就自动重启了,还是可能导致上面所有的 Slave 节点数据被清空。 + +#### Redis 主从复制核心原理 + +当启动一个 Slave 节点时,它会发送一个 `PSYNC` 命令给 Master 节点。 + +如果这是 Slave 节点初次连接到 Master 节点,那么会触发一次 `full resynchronization` **全量复制**。此时 Master 会启动一个后台线程,开始生成一份 `RDB` 快照文件,同时还会将从客户端新收到的所有写命令缓存在内存中。 + +`RDB` 文件生成完毕后, Master 会将这个 `RDB` 发送给 Slave,Slave 会**先写入本地磁盘,再从本地磁盘加载到内存中**,接着 Master 会将内存中缓存的写命令发送到 Slave,Slave 也会同步这些数据。Slave 节点如果跟 Master节点有网络故障,断开了连接,会自动重连,连接之后 Master 仅会复制给 Slave 部分缺少的数据。 + +
+ +> **断点续传** + +从 Redis2.8 开始,就支持主从复制的断点续传,如果主从复制过程中,网络连接断掉了,那么可以接着上次复制的地方,继续复制下去,而不是从头开始复制一份。 + +Master 节点在内存中维护一个 backlog,Master 和 Slave 都会保存`replica offset`和 `master run id`,其中`replica offset` 就保存在 backlog 中。如果 Master 和 Slave 网络连接断掉了,Slave 会让 Master 从上次 的`replica offset` 开始继续复制,如果没有找到对应的 `replica offset`,那么就会执行一次 `PSYNC` 命令。 + +注意:如果根据 host+ip 定位 Master 节点是不可靠的。如果 Master 节点重启或者数据出现了变化,那么 Slave 节点应该根据不同的 `master run id` 区分。 + +> **无磁盘化复制** + +之前的版本中,一次完整的重同步需要在磁盘上创建一个 RDB ,然后从磁盘重新加载同一个 RDB 来服务 Slave。 + +Master 在内存中直接创建 RDB,然后直接发送给 Slave,不使用磁盘作中间存储。只需要在配置文件中开启 `repl-diskless-sync yes` 即可。 + +``` +repl-diskless-sync yes +# Master 在内存中直接创建 RDB,然后发送给 Slave,不会存入本地磁盘。 + +repl-diskless-sync-delay 5 +# 等待 5s 后再开始复制,因为要等更多 Slave 重新连接过来。 +``` + +> **过期键处理** + +Slave 不会过期键,只会等待 Master 过期键。如果 Master 过期了一个键,或者通过 LRU 淘汰了一个键,那么会模拟一条 del 命令发送给 Slave。 + +#### Redis 主从复制完整流程 + +Slave 节点启动时,会在自己本地保存 Master 节点的信息,包括 Master 节点的 host 和 ip,但是复制流程没开始。 + +Slave 节点内部有个定时任务,每秒检查是否有新的 Master 节点要连接和复制,如果发现,就跟 Master 节点建立 Socket 网络连接。 + +Slave 节点发送 ping 命令给 Master 节点,如果 Master 设置了 requirepass,那么 Slave 节点必须发送 masterauth 的口令过去进行认证。 + +Master 节点第一次执行**全量复制**,将所有数据发给 Slave 节点。 + +Master 节点持续将写命令,**异步复制**给 Slave 节点。 + +
+ +> **全量复制** + +- Master 启动全量复制,将所有数据发给 Slave 节点。 + +- Master 执行 BGSAVE,在本地生成一份 RDB 快照文件。 + +- Master 节点将 RDB 快照文件发送给 Slave 节点,如果 RDB 复制时间超过 60秒(repl-timeout),那么 Slave 节点就会认为复制失败。 + + (可以适当调大这个参数,对于千兆网卡的机器,一般每秒传输 100 MB,传输 6 G 文件可能超过 60s) + +- Master 节点在生成 RDB 时,会将所有新的写命令缓存在内存中,在 Slave 节点保存了 RDB 之后,再将新的写命令复制给 Slave 节点。 + +- 如果在复制期间,内存缓冲区持续消耗超过 64 MB,或者一次性超过 256 MB,那么停止复制,复制失败。 + +``` +client-output-buffer-limit slave 256MB 64MB 60 +``` + +- Slave 节点接收到 RDB 之后,清空旧数据,然后重新加载 RDB 到内存中,同时**基于旧的数据版本**对外提供服务。 +- 如果 Slave 节点开启了 AOF,那么会立即执行 BGREWRITEAOF,重写 AOF。 + +> **增量复制** + +- 如果全量复制过程中,Master 和 Slave 网络连接断掉,那么 Slave 重新连接 Master 时,会触发增量复制。 +- Master 直接从自己的 backlog 中获取部分丢失的数据,发送给 Slave 节点,默认 backlog 大小是 1 MB。 +- Master 就是根据 Slave 发送的 `PSYNC` 命令中的 `replica offset`来从 backlog 中获取数据的。 + +> **异步复制** + +Master 每次接收到写命令之后,先在内部写入数据,然后异步发送给 Slave 节点。 + +> **heartbeat** + +主从节点互相都会发送 heartbeat 信息。 + +Master 默认每隔 10 秒发送一次 heartbeat,Slave 节点每隔 1 秒发送一个 heartbeat。 + +### Redis 哨兵集群实现高可用 + +如果系统在 365 天内,有 **99.99%** 的时间,都是可以对外提供服务,那么就说系统是高可用的。 + +一个 Slave 挂掉了,是不会影响可用性的,还有其它的 Slave 在提供相同数据下的相同的对外的查询服务。但是,如果 Master 节点挂掉了,Slave 节点还有什么用呢,因为没有 Master 给它们复制数据,系统相当于不可用。 + +Redis 的高可用架构,叫做 failover 故障转移,也叫做**主备切换**。 + +Master 节点在故障时,自动检测,并且将某个 Slave 节点自动切换为 Master 节点的过程,叫做主备切换。这有些类似于现代国家中的“议会”机制。 + +#### 哨兵简介 + +Sentinel(哨兵)是 Redis 集群中非常重要的一个组件,其针对的是单个Redis应用,主要有以下功能: + +- 集群监控:负责监控 Redis Master 和 Slave 进程是否正常工作。 +- 消息通知:如果某个 Redis 实例有故障,那么哨兵负责发送消息作为报警通知给管理员。 +- 故障转移:如果 Master 节点挂掉了,会自动转移到 Slave 节点上。 +- 配置中心:如果故障转移发生了,通知 client 客户端新的 Master 地址。 + +哨兵用于实现 Redis 集群的高可用,本身也是分布式的,作为一个哨兵集群去运行,互相协同工作: + +- 故障转移时,判断一个 Master 节点是否宕机了,需要大部分(majority)的哨兵都同意才行,涉及到了分布式选举的问题。 +- 即使部分哨兵节点挂掉了,哨兵集群还是能正常工作的。 + +#### 哨兵核心知识 + +核心知识: + +- 哨兵至少需要 3 个实例,来保证自己的健壮性。 +- 哨兵结合 Redis 主从架构,**不保证数据零丢失**,只能保证 Redis 集群的高可用。 + +注意:哨兵集群必须部署 2 个以上节点。假设哨兵集群仅仅部署了 2 个哨兵实例,则 quorum = 1。 + +``` ++----+ +----+ +| M1 |---------| R1 | +| S1 | | S2 | ++----+ +----+ +``` + +如果 Master 宕机, S1 和 S2 中只要有 1 个哨兵认为 Master 宕机了,就可以进行切换,同时 S1 和 S2 会选举出一个哨兵来执行**故障转移**,此时需要“大多数哨兵”都是运行的。下标是集群与“大多数”的对应关系: + +| 哨兵数 | majority | +| :----: | :------: | +| 2 | 2 | +| 3 | 2 | +| 4 | 2 | +| 5 | 3 | + +*表中第一行 哨兵数 = 2 ,majority = 2,说明该 2 哨兵集群中至少有 2 个哨兵是可用的,才能保证集群正常工作。* + +如果此时仅仅是 M1 进程宕机了,哨兵 S1 正常运行,那么可以进行故障转移。(哨兵数 = 2,majority = 2) + +如果是整个 M1 和 S1 运行的机器宕机了,那么哨兵只有 1 个,此时就没有 majority 来允许执行故障转移,虽然另外一台机器上还有一个 R1,但是故障转移不会执行。 + +经典的 3 节点哨兵集群如下(quorum = 2): + +``` + +----+ + | M1 | + | S1 | + +----+ + | ++----+ | +----+ +| R2 |----+----| R3 | +| S2 | | S3 | ++----+ +----+ +``` + +如果 M1 所在机器宕机了,那么三个哨兵还剩下 2 个,S2 和 S3 可以一致认为 Master 宕机了,然后选举出一个哨兵来执行故障转移,同时 3 个哨兵的 majority 是 2,允许执行故障转移。 + +#### 数据丢失问题 + +主备切换的过程,可能会导致数据丢失问题: + +- **异步复制导致的数据丢失** + + 因为 Master 到 Slave 的复制是异步的,所以可能有部分数据还没复制到 Slave,Master 就宕机了,这部分数据就会丢失。 + +- **脑裂导致的数据丢失** + + 脑裂指的是某个 Master 所在机器突然**脱离了正常的网络**,跟其他 Slave 机器不能连接,但是实际上 Master 还运行着。哨兵可能就会认为 Master 宕机了,然后开启选举,将其他 Slave 切换成了 Master,此时集群中就会有两个 Master ,也就是所谓的**脑裂**。 + + 虽然某个 Slave 被切换成了 Master,但是 **client 可能还没来得及切换到新的 Master,仍继续向旧 Master 写数据**,当旧 Master 再次恢复的时候,会被作为一个 Slave 挂到新的 Master 上去,自己的数据会清空,重新从新的 Master 复制数据。而新的 Master 并没有后来 client 写入的数据,这部分数据就丢失了。 + +#### 数据丢失问题解决方案 + +进行如下配置: + +```xml +min-slaves-to-write 1 +min-slaves-max-lag 10 +# 要求至少有 1 个 Slave,数据复制和同步的延迟不能超过 10 秒。 +# 如果所有的 Slave 数据复制和同步的延迟都超过了 10 秒钟,那么 Master 就不会再接收任何请求了。 +``` + +- **减少异步复制导致的数据丢失** + + 上述配置可确保:一旦 Slave 复制数据和 ACK 延时太长,就认为可能 Master 宕机后损失的数据太多,那么就拒绝写请求,这样可以把 Master 宕机时由于部分数据未同步到 Slave 导致的数据丢失降低的可控范围内。 + +- **减少脑裂导致的数据丢失** + + 出现脑裂情况,上面两个配置可确保:如果 Master 不能继续给指定数量的 Slave 发送数据,而且 Slave 超过 10 秒没有返回 ACK 消息,那么就直接拒绝客户端的写请求。因此在脑裂场景下,最多就丢失 10 秒的数据。 + + 脑裂有点类似于发生了[“土木堡之变”](https://baike.baidu.com/item/%E5%9C%9F%E6%9C%A8%E4%B9%8B%E5%8F%98/837824?fromtitle=%E5%9C%9F%E6%9C%A8%E5%A0%A1%E4%B9%8B%E5%8F%98&fromid=1727167) + +#### 选举算法 + +> sdown 和 odown 转换机制 + +- sdown 是**主观(subjective)宕机**,如果一个哨兵觉得一个 Master 宕机,那么就是主观宕机。 + + sdown 达成的条件很简单,如果一个哨兵 ping 一个 Master,超过了 `is-master-down-after-milliseconds` 指定的毫秒数之后,就主观认为 Master 宕机。 + +- odown 是**客观(objective)宕机**,如果 quorum 数量的哨兵都觉得一个 Master 宕机,那么就是客观宕机。 + + 如果一个哨兵在指定时间内,收到了 quorum 数量的其它哨兵也认为那个 Master 是 sdown 的,那么就认为是 odown 了。 + +> **quorum 和 majority** + +每次一个哨兵要做主备切换,首先需要 **quorum 数量的哨兵认为 odown**,然后从中选出一个哨兵来做切换,这个哨兵还需要得到 **majority 哨兵是可运行的**,才能正式执行切换。 + +- quorum < majority,majority 数量的哨兵是可运行的,就可执行切换。 +- quorum >= majority,必须 quorum 数量的哨兵是可运行的才能执行切换。 + +如果一个 Master 被认为 odown,而且 majority 数量的哨兵都允许主备切换,那么某个哨兵就会执行主备切换操作。此时首先要选举一个 Slave 来,会考虑 Slave 的一些信息: + +- **跟 Master 断开连接的时长** + + 一个 Slave 如果跟 Master 断开连接的时间超过`(down-after-milliseconds * 10) + Master 宕机的时长` + + ,那么就被认为不适合选举为 Master。 + +- **Slave 优先级** + + slave priority 值越小,优先级就越高 + +- **`replica offset`** + + 如果 slave priority 相同,那么比较`replica offset` 。 + + Slave 复制的数据越多,`replica offset` 越靠后,优先级就越高。 + +- **`master run id`** + + 如果 slave priority 和 `replica offset` 都相同,那么选择一个`master run id`较小的 Slave。 + +## 参考资料 + +- [黄健宏. Redis 设计与实现 [M]. 机械工业出版社, 2014.](http://redisbook.com/index.html) +- [ 互联网 Java 工程师进阶知识完全扫盲](https://github.com/doocs/advanced-java) +- [REDIS IN ACTION](https://redislabs.com/ebook/foreword/) +- [Skip Lists: Done Right](http://ticki.github.io/blog/skip-lists-done-right/) +- [论述 Redis 和 Memcached 的差异](http://www.cnblogs.com/loveincode/p/7411911.html) +- [Redis 3.0 中文版- 分片](http://wiki.jikexueyuan.com/project/redis-guide) +- [Redis 应用场景](http://www.scienjus.com/redis-use-case/) +- [Using Redis as an LRU cache](https://redis.io/tohttps://gitee.com/duhouan/ImagePro/raw/master/redis/lru-cache) +- [超强、超详细Redis入门教程](https://blog.csdn.net/liqingtx/article/details/60330555) +- [Redis 总结精讲 看一篇成高手系统-4](https://blog.csdn.net/hjm4702192/article/details/80518856) +- [Redis 总结](https://snailclimb.top/JavaGuide/#/./database/Redis/Redis) +- [缓存穿透,缓存击穿,缓存雪崩解决方案分析](https://blog.csdn.net/zeb_perfect/article/details/54135506) +- [高并发(水平扩展,垂直扩展)](https://www.jianshu.com/p/be66a52d2b9b) +- [redis之分布式算法原理](https://www.jianshu.com/p/af7d933439a3) +- [面试必备:什么是一致性Hash算法?](https://zhuanlan.zhihu.com/p/34985026) +- [redis缓存与数据库一致性问题解决](https://blog.csdn.net/qq_27384769/article/details/79499373) +- [面试前必知Redis面试题—缓存雪崩+穿透+缓存与数据库双写一致问题](https://www.jianshu.com/p/09eb2babf175) +- [高性能网站设计之缓存更新的套路](https://blog.csdn.net/tTU1EvLDeLFq5btqiK/article/details/78693323) \ No newline at end of file diff --git "a/docs/DataBase/\344\270\200\345\215\203\350\241\214MySQL\345\221\275\344\273\244.md" "b/docs/DataBase/\344\270\200\345\215\203\350\241\214MySQL\345\221\275\344\273\244.md" new file mode 100644 index 0000000..90c1ccd --- /dev/null +++ "b/docs/DataBase/\344\270\200\345\215\203\350\241\214MySQL\345\221\275\344\273\244.md" @@ -0,0 +1,949 @@ +# 一千行 MySQL 命令 + +> 作为工具书查看 + +## 基本操作 + +```mysql +/* Windows服务 */ +-- 启动MySQL + net start mysql +-- 创建Windows服务 + sc create mysql binPath= mysqld_bin_path(注意:等号与值之间有空格) +/* 连接与断开服务器 */ +mysql -h 地址 -P 端口 -u 用户名 -p 密码 +SHOW PROCESSLIST -- 显示哪些线程正在运行 +SHOW VARIABLES -- 显示系统变量信息 +``` + +## 数据库操作 + +```mysql +/* 数据库操作 */ ------------------ +-- 查看当前数据库 + SELECT DATABASE(); +-- 显示当前时间、用户名、数据库版本 + SELECT now(), user(), version(); +-- 创建库 + CREATE DATABASE[ IF NOT EXISTS] 数据库名 数据库选项 + 数据库选项: + CHARACTER SET charset_name + COLLATE collation_name +-- 查看已有库 + SHOW DATABASES[ LIKE 'PATTERN'] +-- 查看当前库信息 + SHOW CREATE DATABASE 数据库名 +-- 修改库的选项信息 + ALTER DATABASE 库名 选项信息 +-- 删除库 + DROP DATABASE[ IF EXISTS] 数据库名 + 同时删除该数据库相关的目录及其目录内容 +``` + +## 表的操作 + +```mysql +-- 创建表 + CREATE [TEMPORARY] TABLE[ IF NOT EXISTS] [库名.]表名 ( 表的结构定义 )[ 表选项] + 每个字段必须有数据类型 + 最后一个字段后不能有逗号 + TEMPORARY 临时表,会话结束时表自动消失 + 对于字段的定义: + 字段名 数据类型 [NOT NULL | NULL] [DEFAULT default_value] [AUTO_INCREMENT] [UNIQUE [KEY] | [PRIMARY] KEY] [COMMENT 'string'] +-- 表选项 + -- 字符集 + CHARSET = charset_name + 如果表没有设定,则使用数据库字符集 + -- 存储引擎 + ENGINE = engine_name + 表在管理数据时采用的不同的数据结构,结构不同会导致处理方式、提供的特性操作等不同 + 常见的引擎:InnoDB MyISAM Memory/Heap BDB Merge Example CSV MaxDB Archive + 不同的引擎在保存表的结构和数据时采用不同的方式 + MyISAM表文件含义:.frm表定义,.MYD表数据,.MYI表索引 + InnoDB表文件含义:.frm表定义,表空间数据和日志文件 + SHOW ENGINES -- 显示存储引擎的状态信息 + SHOW ENGINE 引擎名 {LOGS|STATUS} -- 显示存储引擎的日志或状态信息 + -- 自增起始数 + AUTO_INCREMENT = 行数 + -- 数据文件目录 + DATA DIRECTORY = '目录' + -- 索引文件目录 + INDEX DIRECTORY = '目录' + -- 表注释 + COMMENT = 'string' + -- 分区选项 + PARTITION BY ... (详细见手册) +-- 查看所有表 + SHOW TABLES[ LIKE 'pattern'] + SHOW TABLES FROM 库名 +-- 查看表机构 + SHOW CREATE TABLE 表名 (信息更详细) + DESC 表名 / DESCRIBE 表名 / EXPLAIN 表名 / SHOW COLUMNS FROM 表名 [LIKE 'PATTERN'] + SHOW TABLE STATUS [FROM db_name] [LIKE 'pattern'] +-- 修改表 + -- 修改表本身的选项 + ALTER TABLE 表名 表的选项 + eg: ALTER TABLE 表名 ENGINE=MYISAM; + -- 对表进行重命名 + RENAME TABLE 原表名 TO 新表名 + RENAME TABLE 原表名 TO 库名.表名 (可将表移动到另一个数据库) + -- RENAME可以交换两个表名 + -- 修改表的字段机构(13.1.2. ALTER TABLE语法) + ALTER TABLE 表名 操作名 + -- 操作名 + ADD[ COLUMN] 字段定义 -- 增加字段 + AFTER 字段名 -- 表示增加在该字段名后面 + FIRST -- 表示增加在第一个 + ADD PRIMARY KEY(字段名) -- 创建主键 + ADD UNIQUE [索引名] (字段名)-- 创建唯一索引 + ADD INDEX [索引名] (字段名) -- 创建普通索引 + DROP[ COLUMN] 字段名 -- 删除字段 + MODIFY[ COLUMN] 字段名 字段属性 -- 支持对字段属性进行修改,不能修改字段名(所有原有属性也需写上) + CHANGE[ COLUMN] 原字段名 新字段名 字段属性 -- 支持对字段名修改 + DROP PRIMARY KEY -- 删除主键(删除主键前需删除其AUTO_INCREMENT属性) + DROP INDEX 索引名 -- 删除索引 + DROP FOREIGN KEY 外键 -- 删除外键 +-- 删除表 + DROP TABLE[ IF EXISTS] 表名 ... +-- 清空表数据 + TRUNCATE [TABLE] 表名 +-- 复制表结构 + CREATE TABLE 表名 LIKE 要复制的表名 +-- 复制表结构和数据 + CREATE TABLE 表名 [AS] SELECT * FROM 要复制的表名 +-- 检查表是否有错误 + CHECK TABLE tbl_name [, tbl_name] ... [option] ... +-- 优化表 + OPTIMIZE [LOCAL | NO_WRITE_TO_BINLOG] TABLE tbl_name [, tbl_name] ... +-- 修复表 + REPAIR [LOCAL | NO_WRITE_TO_BINLOG] TABLE tbl_name [, tbl_name] ... [QUICK] [EXTENDED] [USE_FRM] +-- 分析表 + ANALYZE [LOCAL | NO_WRITE_TO_BINLOG] TABLE tbl_name [, tbl_name] ... +``` + +## 数据操作 + +```mysql +/* 数据操作 */ ------------------ +-- 增 + INSERT [INTO] 表名 [(字段列表)] VALUES (值列表)[, (值列表), ...] + -- 如果要插入的值列表包含所有字段并且顺序一致,则可以省略字段列表。 + -- 可同时插入多条数据记录! + REPLACE 与 INSERT 完全一样,可互换。 + INSERT [INTO] 表名 SET 字段名=值[, 字段名=值, ...] +-- 查 + SELECT 字段列表 FROM 表名[ 其他子句] + -- 可来自多个表的多个字段 + -- 其他子句可以不使用 + -- 字段列表可以用*代替,表示所有字段 +-- 删 + DELETE FROM 表名[ 删除条件子句] + 没有条件子句,则会删除全部 +-- 改 + UPDATE 表名 SET 字段名=新值[, 字段名=新值] [更新条件] +``` + +## 字符集编码 + +```mysql +/* 字符集编码 */ ------------------ +-- MySQL、数据库、表、字段均可设置编码 +-- 数据编码与客户端编码不需一致 +SHOW VARIABLES LIKE 'character_set_%' -- 查看所有字符集编码项 + character_set_client 客户端向服务器发送数据时使用的编码 + character_set_results 服务器端将结果返回给客户端所使用的编码 + character_set_connection 连接层编码 +SET 变量名 = 变量值 + SET character_set_client = gbk; + SET character_set_results = gbk; + SET character_set_connection = gbk; +SET NAMES GBK; -- 相当于完成以上三个设置 +-- 校对集 + 校对集用以排序 + SHOW CHARACTER SET [LIKE 'pattern']/SHOW CHARSET [LIKE 'pattern'] 查看所有字符集 + SHOW COLLATION [LIKE 'pattern'] 查看所有校对集 + CHARSET 字符集编码 设置字符集编码 + COLLATE 校对集编码 设置校对集编码 +``` + +## 数据类型(列类型) + +```mysql +/* 数据类型(列类型) */ ------------------ +1. 数值类型 +-- a. 整型 ---------- + 类型 字节 范围(有符号位) + tinyint 1字节 -128 ~ 127 无符号位:0 ~ 255 + smallint 2字节 -32768 ~ 32767 + mediumint 3字节 -8388608 ~ 8388607 + int 4字节 + bigint 8字节 + int(M) M表示总位数 + - 默认存在符号位,unsigned 属性修改 + - 显示宽度,如果某个数不够定义字段时设置的位数,则前面以0补填,zerofill 属性修改 + 例:int(5) 插入一个数'123',补填后为'00123' + - 在满足要求的情况下,越小越好。 + - 1表示bool值真,0表示bool值假。MySQL没有布尔类型,通过整型0和1表示。常用tinyint(1)表示布尔型。 +-- b. 浮点型 ---------- + 类型 字节 范围 + float(单精度) 4字节 + double(双精度) 8字节 + 浮点型既支持符号位 unsigned 属性,也支持显示宽度 zerofill 属性。 + 不同于整型,前后均会补填0. + 定义浮点型时,需指定总位数和小数位数。 + float(M, D) double(M, D) + M表示总位数,D表示小数位数。 + M和D的大小会决定浮点数的范围。不同于整型的固定范围。 + M既表示总位数(不包括小数点和正负号),也表示显示宽度(所有显示符号均包括)。 + 支持科学计数法表示。 + 浮点数表示近似值。 +-- c. 定点数 ---------- + decimal -- 可变长度 + decimal(M, D) M也表示总位数,D表示小数位数。 + 保存一个精确的数值,不会发生数据的改变,不同于浮点数的四舍五入。 + 将浮点数转换为字符串来保存,每9位数字保存为4个字节。 +2. 字符串类型 +-- a. char, varchar ---------- + char 定长字符串,速度快,但浪费空间 + varchar 变长字符串,速度慢,但节省空间 + M表示能存储的最大长度,此长度是字符数,非字节数。 + 不同的编码,所占用的空间不同。 + char,最多255个字符,与编码无关。 + varchar,最多65535字符,与编码有关。 + 一条有效记录最大不能超过65535个字节。 + utf8 最大为21844个字符,gbk 最大为32766个字符,latin1 最大为65532个字符 + varchar 是变长的,需要利用存储空间保存 varchar 的长度,如果数据小于255个字节,则采用一个字节来保存长度,反之需要两个字节来保存。 + varchar 的最大有效长度由最大行大小和使用的字符集确定。 + 最大有效长度是65532字节,因为在varchar存字符串时,第一个字节是空的,不存在任何数据,然后还需两个字节来存放字符串的长度,所以有效长度是64432-1-2=65532字节。 + 例:若一个表定义为 CREATE TABLE tb(c1 int, c2 char(30), c3 varchar(N)) charset=utf8; 问N的最大值是多少? 答:(65535-1-2-4-30*3)/3 +-- b. blob, text ---------- + blob 二进制字符串(字节字符串) + tinyblob, blob, mediumblob, longblob + text 非二进制字符串(字符字符串) + tinytext, text, mediumtext, longtext + text 在定义时,不需要定义长度,也不会计算总长度。 + text 类型在定义时,不可给default值 +-- c. binary, varbinary ---------- + 类似于char和varchar,用于保存二进制字符串,也就是保存字节字符串而非字符字符串。 + char, varchar, text 对应 binary, varbinary, blob. +3. 日期时间类型 + 一般用整型保存时间戳,因为PHP可以很方便的将时间戳进行格式化。 + datetime 8字节 日期及时间 1000-01-01 00:00:00 到 9999-12-31 23:59:59 + date 3字节 日期 1000-01-01 到 9999-12-31 + timestamp 4字节 时间戳 19700101000000 到 2038-01-19 03:14:07 + time 3字节 时间 -838:59:59 到 838:59:59 + year 1字节 年份 1901 - 2155 +datetime YYYY-MM-DD hh:mm:ss +timestamp YY-MM-DD hh:mm:ss + YYYYMMDDhhmmss + YYMMDDhhmmss + YYYYMMDDhhmmss + YYMMDDhhmmss +date YYYY-MM-DD + YY-MM-DD + YYYYMMDD + YYMMDD + YYYYMMDD + YYMMDD +time hh:mm:ss + hhmmss + hhmmss +year YYYY + YY + YYYY + YY +4. 枚举和集合 +-- 枚举(enum) ---------- +enum(val1, val2, val3...) + 在已知的值中进行单选。最大数量为65535. + 枚举值在保存时,以2个字节的整型(smallint)保存。每个枚举值,按保存的位置顺序,从1开始逐一递增。 + 表现为字符串类型,存储却是整型。 + NULL值的索引是NULL。 + 空字符串错误值的索引值是0。 +-- 集合(set) ---------- +set(val1, val2, val3...) + create table tab ( gender set('男', '女', '无') ); + insert into tab values ('男, 女'); + 最多可以有64个不同的成员。以bigint存储,共8个字节。采取位运算的形式。 + 当创建表时,SET成员值的尾部空格将自动被删除。 +``` + +## 列属性(列约束) + +```mysql +/* 列属性(列约束) */ ------------------ +1. PRIMARY 主键 + - 能唯一标识记录的字段,可以作为主键。 + - 一个表只能有一个主键。 + - 主键具有唯一性。 + - 声明字段时,用 primary key 标识。 + 也可以在字段列表之后声明 + 例:create table tab ( id int, stu varchar(10), primary key (id)); + - 主键字段的值不能为null。 + - 主键可以由多个字段共同组成。此时需要在字段列表后声明的方法。 + 例:create table tab ( id int, stu varchar(10), age int, primary key (stu, age)); +2. UNIQUE 唯一索引(唯一约束) + 使得某字段的值也不能重复。 +3. NULL 约束 + null不是数据类型,是列的一个属性。 + 表示当前列是否可以为null,表示什么都没有。 + null, 允许为空。默认。 + not null, 不允许为空。 + insert into tab values (null, 'val'); + -- 此时表示将第一个字段的值设为null, 取决于该字段是否允许为null +4. DEFAULT 默认值属性 + 当前字段的默认值。 + insert into tab values (default, 'val'); -- 此时表示强制使用默认值。 + create table tab ( add_time timestamp default current_timestamp ); + -- 表示将当前时间的时间戳设为默认值。 + current_date, current_time +5. AUTO_INCREMENT 自动增长约束 + 自动增长必须为索引(主键或unique) + 只能存在一个字段为自动增长。 + 默认为1开始自动增长。可以通过表属性 auto_increment = x进行设置,或 alter table tbl auto_increment = x; +6. COMMENT 注释 + 例:create table tab ( id int ) comment '注释内容'; +7. FOREIGN KEY 外键约束 + 用于限制主表与从表数据完整性。 + alter table t1 add constraint `t1_t2_fk` foreign key (t1_id) references t2(id); + -- 将表t1的t1_id外键关联到表t2的id字段。 + -- 每个外键都有一个名字,可以通过 constraint 指定 + 存在外键的表,称之为从表(子表),外键指向的表,称之为主表(父表)。 + 作用:保持数据一致性,完整性,主要目的是控制存储在外键表(从表)中的数据。 + MySQL中,可以对InnoDB引擎使用外键约束: + 语法: + foreign key (外键字段) references 主表名 (关联字段) [主表记录删除时的动作] [主表记录更新时的动作] + 此时需要检测一个从表的外键需要约束为主表的已存在的值。外键在没有关联的情况下,可以设置为null.前提是该外键列,没有not null。 + 可以不指定主表记录更改或更新时的动作,那么此时主表的操作被拒绝。 + 如果指定了 on update 或 on delete:在删除或更新时,有如下几个操作可以选择: + 1. cascade,级联操作。主表数据被更新(主键值更新),从表也被更新(外键值更新)。主表记录被删除,从表相关记录也被删除。 + 2. set null,设置为null。主表数据被更新(主键值更新),从表的外键被设置为null。主表记录被删除,从表相关记录外键被设置成null。但注意,要求该外键列,没有not null属性约束。 + 3. restrict,拒绝父表删除和更新。 + 注意,外键只被InnoDB存储引擎所支持。其他引擎是不支持的。 + +``` + +## 建表规范 + +```mysql +/* 建表规范 */ ------------------ + -- Normal Format, NF + - 每个表保存一个实体信息 + - 每个具有一个ID字段作为主键 + - ID主键 + 原子表 + -- 1NF, 第一范式 + 字段不能再分,就满足第一范式。 + -- 2NF, 第二范式 + 满足第一范式的前提下,不能出现部分依赖。 + 消除符合主键就可以避免部分依赖。增加单列关键字。 + -- 3NF, 第三范式 + 满足第二范式的前提下,不能出现传递依赖。 + 某个字段依赖于主键,而有其他字段依赖于该字段。这就是传递依赖。 + 将一个实体信息的数据放在一个表内实现。 +``` + +## SELECT + +```mysql +/* SELECT */ ------------------ +SELECT [ALL|DISTINCT] select_expr FROM -> WHERE -> GROUP BY [合计函数] -> HAVING -> ORDER BY -> LIMIT +a. select_expr + -- 可以用 * 表示所有字段。 + select * from tb; + -- 可以使用表达式(计算公式、函数调用、字段也是个表达式) + select stu, 29+25, now() from tb; + -- 可以为每个列使用别名。适用于简化列标识,避免多个列标识符重复。 + - 使用 as 关键字,也可省略 as. + select stu+10 as add10 from tb; +b. FROM 子句 + 用于标识查询来源。 + -- 可以为表起别名。使用as关键字。 + SELECT * FROM tb1 AS tt, tb2 AS bb; + -- from子句后,可以同时出现多个表。 + -- 多个表会横向叠加到一起,而数据会形成一个笛卡尔积。 + SELECT * FROM tb1, tb2; + -- 向优化符提示如何选择索引 + USE INDEX、IGNORE INDEX、FORCE INDEX + SELECT * FROM table1 USE INDEX (key1,key2) WHERE key1=1 AND key2=2 AND key3=3; + SELECT * FROM table1 IGNORE INDEX (key3) WHERE key1=1 AND key2=2 AND key3=3; +c. WHERE 子句 + -- 从from获得的数据源中进行筛选。 + -- 整型1表示真,0表示假。 + -- 表达式由运算符和运算数组成。 + -- 运算数:变量(字段)、值、函数返回值 + -- 运算符: + =, <=>, <>, !=, <=, <, >=, >, !, &&, ||, + in (not) null, (not) like, (not) in, (not) between and, is (not), and, or, not, xor + is/is not 加上ture/false/unknown,检验某个值的真假 + <=>与<>功能相同,<=>可用于null比较 +d. GROUP BY 子句, 分组子句 + GROUP BY 字段/别名 [排序方式] + 分组后会进行排序。升序:ASC,降序:DESC + 以下[合计函数]需配合 GROUP BY 使用: + count 返回不同的非NULL值数目 count(*)、count(字段) + sum 求和 + max 求最大值 + min 求最小值 + avg 求平均值 + group_concat 返回带有来自一个组的连接的非NULL值的字符串结果。组内字符串连接。 +e. HAVING 子句,条件子句 + 与 where 功能、用法相同,执行时机不同。 + where 在开始时执行检测数据,对原数据进行过滤。 + having 对筛选出的结果再次进行过滤。 + having 字段必须是查询出来的,where 字段必须是数据表存在的。 + where 不可以使用字段的别名,having 可以。因为执行WHERE代码时,可能尚未确定列值。 + where 不可以使用合计函数。一般需用合计函数才会用 having + SQL标准要求HAVING必须引用GROUP BY子句中的列或用于合计函数中的列。 +f. ORDER BY 子句,排序子句 + order by 排序字段/别名 排序方式 [,排序字段/别名 排序方式]... + 升序:ASC,降序:DESC + 支持多个字段的排序。 +g. LIMIT 子句,限制结果数量子句 + 仅对处理好的结果进行数量限制。将处理好的结果的看作是一个集合,按照记录出现的顺序,索引从0开始。 + limit 起始位置, 获取条数 + 省略第一个参数,表示从索引0开始。limit 获取条数 +h. DISTINCT, ALL 选项 + distinct 去除重复记录 + 默认为 all, 全部记录 +``` + +## UNION + +```mysql +/* UNION */ ------------------ + 将多个select查询的结果组合成一个结果集合。 + SELECT ... UNION [ALL|DISTINCT] SELECT ... + 默认 DISTINCT 方式,即所有返回的行都是唯一的 + 建议,对每个SELECT查询加上小括号包裹。 + ORDER BY 排序时,需加上 LIMIT 进行结合。 + 需要各select查询的字段数量一样。 + 每个select查询的字段列表(数量、类型)应一致,因为结果中的字段名以第一条select语句为准。 +``` + +## 子查询 + +```mysql +/* 子查询 */ ------------------ + - 子查询需用括号包裹。 +-- from型 + from后要求是一个表,必须给子查询结果取个别名。 + - 简化每个查询内的条件。 + - from型需将结果生成一个临时表格,可用以原表的锁定的释放。 + - 子查询返回一个表,表型子查询。 + select * from (select * from tb where id>0) as subfrom where id>1; +-- where型 + - 子查询返回一个值,标量子查询。 + - 不需要给子查询取别名。 + - where子查询内的表,不能直接用以更新。 + select * from tb where money = (select max(money) from tb); + -- 列子查询 + 如果子查询结果返回的是一列。 + 使用 in 或 not in 完成查询 + exists 和 not exists 条件 + 如果子查询返回数据,则返回1或0。常用于判断条件。 + select column1 from t1 where exists (select * from t2); + -- 行子查询 + 查询条件是一个行。 + select * from t1 where (id, gender) in (select id, gender from t2); + 行构造符:(col1, col2, ...) 或 ROW(col1, col2, ...) + 行构造符通常用于与对能返回两个或两个以上列的子查询进行比较。 + -- 特殊运算符 + != all() 相当于 not in + = some() 相当于 in。any 是 some 的别名 + != some() 不等同于 not in,不等于其中某一个。 + all, some 可以配合其他运算符一起使用。 +``` + +## 连接查询(join) + +```mysql +/* 连接查询(join) */ ------------------ + 将多个表的字段进行连接,可以指定连接条件。 +-- 内连接(inner join) + - 默认就是内连接,可省略inner。 + - 只有数据存在时才能发送连接。即连接结果不能出现空行。 + on 表示连接条件。其条件表达式与where类似。也可以省略条件(表示条件永远为真) + 也可用where表示连接条件。 + 还有 using, 但需字段名相同。 using(字段名) + -- 交叉连接 cross join + 即,没有条件的内连接。 + select * from tb1 cross join tb2; +-- 外连接(outer join) + - 如果数据不存在,也会出现在连接结果中。 + -- 左外连接 left join + 如果数据不存在,左表记录会出现,而右表为null填充 + -- 右外连接 right join + 如果数据不存在,右表记录会出现,而左表为null填充 +-- 自然连接(natural join) + 自动判断连接条件完成连接。 + 相当于省略了using,会自动查找相同字段名。 + natural join + natural left join + natural right join +select info.id, info.name, info.stu_num, extra_info.hobby, extra_info.sex from info, extra_info where info.stu_num = extra_info.stu_id; +``` + +## TRUNCATE + +```mysql +/* TRUNCATE */ ------------------ +TRUNCATE [TABLE] tbl_name +清空数据 +删除重建表 +区别: +1,truncate 是删除表再创建,delete 是逐条删除 +2,truncate 重置auto_increment的值。而delete不会 +3,truncate 不知道删除了几条,而delete知道。 +4,当被用于带分区的表时,truncate 会保留分区 +``` + +## 备份与还原 + +```mysql +/* 备份与还原 */ ------------------ +备份,将数据的结构与表内数据保存起来。 +利用 mysqldump 指令完成。 +-- 导出 +mysqldump [options] db_name [tables] +mysqldump [options] ---database DB1 [DB2 DB3...] +mysqldump [options] --all--database +1. 导出一张表 +  mysqldump -u用户名 -p密码 库名 表名 > 文件名(D:/a.sql) +2. 导出多张表 +  mysqldump -u用户名 -p密码 库名 表1 表2 表3 > 文件名(D:/a.sql) +3. 导出所有表 +  mysqldump -u用户名 -p密码 库名 > 文件名(D:/a.sql) +4. 导出一个库 +  mysqldump -u用户名 -p密码 --lock-all-tables --database 库名 > 文件名(D:/a.sql) +可以-w携带WHERE条件 +-- 导入 +1. 在登录mysql的情况下: +  source 备份文件 +2. 在不登录的情况下 +  mysql -u用户名 -p密码 库名 < 备份文件 +``` + +## 视图 + +```mysql +什么是视图: + 视图是一个虚拟表,其内容由查询定义。同真实的表一样,视图包含一系列带有名称的列和行数据。但是,视图并不在数据库中以存储的数据值集形式存在。行和列数据来自由定义视图的查询所引用的表,并且在引用视图时动态生成。 + 视图具有表结构文件,但不存在数据文件。 + 对其中所引用的基础表来说,视图的作用类似于筛选。定义视图的筛选可以来自当前或其它数据库的一个或多个表,或者其它视图。通过视图进行查询没有任何限制,通过它们进行数据修改时的限制也很少。 + 视图是存储在数据库中的查询的sql语句,它主要出于两种原因:安全原因,视图可以隐藏一些数据,如:社会保险基金表,可以用视图只显示姓名,地址,而不显示社会保险号和工资数等,另一原因是可使复杂的查询易于理解和使用。 +-- 创建视图 +CREATE [OR REPLACE] [ALGORITHM = {UNDEFINED | MERGE | TEMPTABLE}] VIEW view_name [(column_list)] AS select_statement + - 视图名必须唯一,同时不能与表重名。 + - 视图可以使用select语句查询到的列名,也可以自己指定相应的列名。 + - 可以指定视图执行的算法,通过ALGORITHM指定。 + - column_list如果存在,则数目必须等于SELECT语句检索的列数 +-- 查看结构 + SHOW CREATE VIEW view_name +-- 删除视图 + - 删除视图后,数据依然存在。 + - 可同时删除多个视图。 + DROP VIEW [IF EXISTS] view_name ... +-- 修改视图结构 + - 一般不修改视图,因为不是所有的更新视图都会映射到表上。 + ALTER VIEW view_name [(column_list)] AS select_statement +-- 视图作用 + 1. 简化业务逻辑 + 2. 对客户端隐藏真实的表结构 +-- 视图算法(ALGORITHM) + MERGE 合并 + 将视图的查询语句,与外部查询需要先合并再执行! + TEMPTABLE 临时表 + 将视图执行完毕后,形成临时表,再做外层查询! + UNDEFINED 未定义(默认),指的是MySQL自主去选择相应的算法。 +``` + +## 事务(transaction) + +```mysql +事务是指逻辑上的一组操作,组成这组操作的各个单元,要不全成功要不全失败。 + - 支持连续SQL的集体成功或集体撤销。 + - 事务是数据库在数据晚自习方面的一个功能。 + - 需要利用 InnoDB 或 BDB 存储引擎,对自动提交的特性支持完成。 + - InnoDB被称为事务安全型引擎。 +-- 事务开启 + START TRANSACTION; 或者 BEGIN; + 开启事务后,所有被执行的SQL语句均被认作当前事务内的SQL语句。 +-- 事务提交 + COMMIT; +-- 事务回滚 + ROLLBACK; + 如果部分操作发生问题,映射到事务开启前。 +-- 事务的特性 + 1. 原子性(Atomicity) + 事务是一个不可分割的工作单位,事务中的操作要么都发生,要么都不发生。 + 2. 一致性(Consistency) + 事务前后数据的完整性必须保持一致。 + - 事务开始和结束时,外部数据一致 + - 在整个事务过程中,操作是连续的 + 3. 隔离性(Isolation) + 多个用户并发访问数据库时,一个用户的事务不能被其它用户的事物所干扰,多个并发事务之间的数据要相互隔离。 + 4. 持久性(Durability) + 一个事务一旦被提交,它对数据库中的数据改变就是永久性的。 +-- 事务的实现 + 1. 要求是事务支持的表类型 + 2. 执行一组相关的操作前开启事务 + 3. 整组操作完成后,都成功,则提交;如果存在失败,选择回滚,则会回到事务开始的备份点。 +-- 事务的原理 + 利用InnoDB的自动提交(autocommit)特性完成。 + 普通的MySQL执行语句后,当前的数据提交操作均可被其他客户端可见。 + 而事务是暂时关闭“自动提交”机制,需要commit提交持久化数据操作。 +-- 注意 + 1. 数据定义语言(DDL)语句不能被回滚,比如创建或取消数据库的语句,和创建、取消或更改表或存储的子程序的语句。 + 2. 事务不能被嵌套 +-- 保存点 + SAVEPOINT 保存点名称 -- 设置一个事务保存点 + ROLLBACK TO SAVEPOINT 保存点名称 -- 回滚到保存点 + RELEASE SAVEPOINT 保存点名称 -- 删除保存点 +-- InnoDB自动提交特性设置 + SET autocommit = 0|1; 0表示关闭自动提交,1表示开启自动提交。 + - 如果关闭了,那普通操作的结果对其他客户端也不可见,需要commit提交后才能持久化数据操作。 + - 也可以关闭自动提交来开启事务。但与START TRANSACTION不同的是, + SET autocommit是永久改变服务器的设置,直到下次再次修改该设置。(针对当前连接) + 而START TRANSACTION记录开启前的状态,而一旦事务提交或回滚后就需要再次开启事务。(针对当前事务) + +``` + +## 锁表 + +```mysql +/* 锁表 */ +表锁定只用于防止其它客户端进行不正当地读取和写入 +MyISAM 支持表锁,InnoDB 支持行锁 +-- 锁定 + LOCK TABLES tbl_name [AS alias] +-- 解锁 + UNLOCK TABLES +``` + +## 触发器 + +```mysql +/* 触发器 */ ------------------ + 触发程序是与表有关的命名数据库对象,当该表出现特定事件时,将激活该对象 + 监听:记录的增加、修改、删除。 +-- 创建触发器 +CREATE TRIGGER trigger_name trigger_time trigger_event ON tbl_name FOR EACH ROW trigger_stmt + 参数: + trigger_time是触发程序的动作时间。它可以是 before 或 after,以指明触发程序是在激活它的语句之前或之后触发。 + trigger_event指明了激活触发程序的语句的类型 + INSERT:将新行插入表时激活触发程序 + UPDATE:更改某一行时激活触发程序 + DELETE:从表中删除某一行时激活触发程序 + tbl_name:监听的表,必须是永久性的表,不能将触发程序与TEMPORARY表或视图关联起来。 + trigger_stmt:当触发程序激活时执行的语句。执行多个语句,可使用BEGIN...END复合语句结构 +-- 删除 +DROP TRIGGER [schema_name.]trigger_name +可以使用old和new代替旧的和新的数据 + 更新操作,更新前是old,更新后是new. + 删除操作,只有old. + 增加操作,只有new. +-- 注意 + 1. 对于具有相同触发程序动作时间和事件的给定表,不能有两个触发程序。 +-- 字符连接函数 +concat(str1,str2,...]) +concat_ws(separator,str1,str2,...) +-- 分支语句 +if 条件 then + 执行语句 +elseif 条件 then + 执行语句 +else + 执行语句 +end if; +-- 修改最外层语句结束符 +delimiter 自定义结束符号 + SQL语句 +自定义结束符号 +delimiter ; -- 修改回原来的分号 +-- 语句块包裹 +begin + 语句块 +end +-- 特殊的执行 +1. 只要添加记录,就会触发程序。 +2. Insert into on duplicate key update 语法会触发: + 如果没有重复记录,会触发 before insert, after insert; + 如果有重复记录并更新,会触发 before insert, before update, after update; + 如果有重复记录但是没有发生更新,则触发 before insert, before update +3. Replace 语法 如果有记录,则执行 before insert, before delete, after delete, after insert +``` + +## SQL编程 + +```mysql +/* SQL编程 */ ------------------ +--// 局部变量 ---------- +-- 变量声明 + declare var_name[,...] type [default value] + 这个语句被用来声明局部变量。要给变量提供一个默认值,请包含一个default子句。值可以被指定为一个表达式,不需要为一个常数。如果没有default子句,初始值为null。 +-- 赋值 + 使用 set 和 select into 语句为变量赋值。 + - 注意:在函数内是可以使用全局变量(用户自定义的变量) +--// 全局变量 ---------- +-- 定义、赋值 +set 语句可以定义并为变量赋值。 +set @var = value; +也可以使用select into语句为变量初始化并赋值。这样要求select语句只能返回一行,但是可以是多个字段,就意味着同时为多个变量进行赋值,变量的数量需要与查询的列数一致。 +还可以把赋值语句看作一个表达式,通过select执行完成。此时为了避免=被当作关系运算符看待,使用:=代替。(set语句可以使用= 和 :=)。 +select @var:=20; +select @v1:=id, @v2=name from t1 limit 1; +select * from tbl_name where @var:=30; +select into 可以将表中查询获得的数据赋给变量。 + -| select max(height) into @max_height from tb; +-- 自定义变量名 +为了避免select语句中,用户自定义的变量与系统标识符(通常是字段名)冲突,用户自定义变量在变量名前使用@作为开始符号。 +@var=10; + - 变量被定义后,在整个会话周期都有效(登录到退出) +--// 控制结构 ---------- +-- if语句 +if search_condition then + statement_list +[elseif search_condition then + statement_list] +... +[else + statement_list] +end if; +-- case语句 +CASE value WHEN [compare-value] THEN result +[WHEN [compare-value] THEN result ...] +[ELSE result] +END +-- while循环 +[begin_label:] while search_condition do + statement_list +end while [end_label]; +- 如果需要在循环内提前终止 while循环,则需要使用标签;标签需要成对出现。 + -- 退出循环 + 退出整个循环 leave + 退出当前循环 iterate + 通过退出的标签决定退出哪个循环 +--// 内置函数 ---------- +-- 数值函数 +abs(x) -- 绝对值 abs(-10.9) = 10 +format(x, d) -- 格式化千分位数值 format(1234567.456, 2) = 1,234,567.46 +ceil(x) -- 向上取整 ceil(10.1) = 11 +floor(x) -- 向下取整 floor (10.1) = 10 +round(x) -- 四舍五入去整 +mod(m, n) -- m%n m mod n 求余 10%3=1 +pi() -- 获得圆周率 +pow(m, n) -- m^n +sqrt(x) -- 算术平方根 +rand() -- 随机数 +truncate(x, d) -- 截取d位小数 +-- 时间日期函数 +now(), current_timestamp(); -- 当前日期时间 +current_date(); -- 当前日期 +current_time(); -- 当前时间 +date('yyyy-mm-dd hh:ii:ss'); -- 获取日期部分 +time('yyyy-mm-dd hh:ii:ss'); -- 获取时间部分 +date_format('yyyy-mm-dd hh:ii:ss', '%d %y %a %d %m %b %j'); -- 格式化时间 +unix_timestamp(); -- 获得unix时间戳 +from_unixtime(); -- 从时间戳获得时间 +-- 字符串函数 +length(string) -- string长度,字节 +char_length(string) -- string的字符个数 +substring(str, position [,length]) -- 从str的position开始,取length个字符 +replace(str ,search_str ,replace_str) -- 在str中用replace_str替换search_str +instr(string ,substring) -- 返回substring首次在string中出现的位置 +concat(string [,...]) -- 连接字串 +charset(str) -- 返回字串字符集 +lcase(string) -- 转换成小写 +left(string, length) -- 从string2中的左边起取length个字符 +load_file(file_name) -- 从文件读取内容 +locate(substring, string [,start_position]) -- 同instr,但可指定开始位置 +lpad(string, length, pad) -- 重复用pad加在string开头,直到字串长度为length +ltrim(string) -- 去除前端空格 +repeat(string, count) -- 重复count次 +rpad(string, length, pad) --在str后用pad补充,直到长度为length +rtrim(string) -- 去除后端空格 +strcmp(string1 ,string2) -- 逐字符比较两字串大小 +-- 流程函数 +case when [condition] then result [when [condition] then result ...] [else result] end 多分支 +if(expr1,expr2,expr3) 双分支。 +-- 聚合函数 +count() +sum(); +max(); +min(); +avg(); +group_concat() +-- 其他常用函数 +md5(); +default(); +--// 存储函数,自定义函数 ---------- +-- 新建 + CREATE FUNCTION function_name (参数列表) RETURNS 返回值类型 + 函数体 + - 函数名,应该合法的标识符,并且不应该与已有的关键字冲突。 + - 一个函数应该属于某个数据库,可以使用db_name.funciton_name的形式执行当前函数所属数据库,否则为当前数据库。 + - 参数部分,由"参数名"和"参数类型"组成。多个参数用逗号隔开。 + - 函数体由多条可用的mysql语句,流程控制,变量声明等语句构成。 + - 多条语句应该使用 begin...end 语句块包含。 + - 一定要有 return 返回值语句。 +-- 删除 + DROP FUNCTION [IF EXISTS] function_name; +-- 查看 + SHOW FUNCTION STATUS LIKE 'partten' + SHOW CREATE FUNCTION function_name; +-- 修改 + ALTER FUNCTION function_name 函数选项 +--// 存储过程,自定义功能 ---------- +-- 定义 +存储存储过程 是一段代码(过程),存储在数据库中的sql组成。 +一个存储过程通常用于完成一段业务逻辑,例如报名,交班费,订单入库等。 +而一个函数通常专注与某个功能,视为其他程序服务的,需要在其他语句中调用函数才可以,而存储过程不能被其他调用,是自己执行 通过call执行。 +-- 创建 +CREATE PROCEDURE sp_name (参数列表) + 过程体 +参数列表:不同于函数的参数列表,需要指明参数类型 +IN,表示输入型 +OUT,表示输出型 +INOUT,表示混合型 +注意,没有返回值。 +``` + +## 存储过程 + +```mysql +/* 存储过程 */ ------------------ +存储过程是一段可执行性代码的集合。相比函数,更偏向于业务逻辑。 +调用:CALL 过程名 +-- 注意 +- 没有返回值。 +- 只能单独调用,不可夹杂在其他语句中 +-- 参数 +IN|OUT|INOUT 参数名 数据类型 +IN 输入:在调用过程中,将数据输入到过程体内部的参数 +OUT 输出:在调用过程中,将过程体处理完的结果返回到客户端 +INOUT 输入输出:既可输入,也可输出 +-- 语法 +CREATE PROCEDURE 过程名 (参数列表) +BEGIN + 过程体 +END +``` + +## 用户和权限管理 + +```mysql +/* 用户和权限管理 */ ------------------ +-- root密码重置 +1. 停止MySQL服务 +2. [Linux] /usr/local/mysql/bin/safe_mysqld --skip-grant-tables & + [Windows] mysqld --skip-grant-tables +3. use mysql; +4. UPDATE `user` SET PASSWORD=PASSWORD("密码") WHERE `user` = "root"; +5. FLUSH PRIVILEGES; +用户信息表:mysql.user +-- 刷新权限 +FLUSH PRIVILEGES; +-- 增加用户 +CREATE USER 用户名 IDENTIFIED BY [PASSWORD] 密码(字符串) + - 必须拥有mysql数据库的全局CREATE USER权限,或拥有INSERT权限。 + - 只能创建用户,不能赋予权限。 + - 用户名,注意引号:如 'user_name'@'192.168.1.1' + - 密码也需引号,纯数字密码也要加引号 + - 要在纯文本中指定密码,需忽略PASSWORD关键词。要把密码指定为由PASSWORD()函数返回的混编值,需包含关键字PASSWORD +-- 重命名用户 +RENAME USER old_user TO new_user +-- 设置密码 +SET PASSWORD = PASSWORD('密码') -- 为当前用户设置密码 +SET PASSWORD FOR 用户名 = PASSWORD('密码') -- 为指定用户设置密码 +-- 删除用户 +DROP USER 用户名 +-- 分配权限/添加用户 +GRANT 权限列表 ON 表名 TO 用户名 [IDENTIFIED BY [PASSWORD] 'password'] + - all privileges 表示所有权限 + - *.* 表示所有库的所有表 + - 库名.表名 表示某库下面的某表 + GRANT ALL PRIVILEGES ON `pms`.* TO 'pms'@'%' IDENTIFIED BY 'pms0817'; +-- 查看权限 +SHOW GRANTS FOR 用户名 + -- 查看当前用户权限 + SHOW GRANTS; 或 SHOW GRANTS FOR CURRENT_USER; 或 SHOW GRANTS FOR CURRENT_USER(); +-- 撤消权限 +REVOKE 权限列表 ON 表名 FROM 用户名 +REVOKE ALL PRIVILEGES, GRANT OPTION FROM 用户名 -- 撤销所有权限 +-- 权限层级 +-- 要使用GRANT或REVOKE,您必须拥有GRANT OPTION权限,并且您必须用于您正在授予或撤销的权限。 +全局层级:全局权限适用于一个给定服务器中的所有数据库,mysql.user + GRANT ALL ON *.*和 REVOKE ALL ON *.*只授予和撤销全局权限。 +数据库层级:数据库权限适用于一个给定数据库中的所有目标,mysql.db, mysql.host + GRANT ALL ON db_name.*和REVOKE ALL ON db_name.*只授予和撤销数据库权限。 +表层级:表权限适用于一个给定表中的所有列,mysql.talbes_priv + GRANT ALL ON db_name.tbl_name和REVOKE ALL ON db_name.tbl_name只授予和撤销表权限。 +列层级:列权限适用于一个给定表中的单一列,mysql.columns_priv + 当使用REVOKE时,您必须指定与被授权列相同的列。 +-- 权限列表 +ALL [PRIVILEGES] -- 设置除GRANT OPTION之外的所有简单权限 +ALTER -- 允许使用ALTER TABLE +ALTER ROUTINE -- 更改或取消已存储的子程序 +CREATE -- 允许使用CREATE TABLE +CREATE ROUTINE -- 创建已存储的子程序 +CREATE TEMPORARY TABLES -- 允许使用CREATE TEMPORARY TABLE +CREATE USER -- 允许使用CREATE USER, DROP USER, RENAME USER和REVOKE ALL PRIVILEGES。 +CREATE VIEW -- 允许使用CREATE VIEW +DELETE -- 允许使用DELETE +DROP -- 允许使用DROP TABLE +EXECUTE -- 允许用户运行已存储的子程序 +FILE -- 允许使用SELECT...INTO OUTFILE和LOAD DATA INFILE +INDEX -- 允许使用CREATE INDEX和DROP INDEX +INSERT -- 允许使用INSERT +LOCK TABLES -- 允许对您拥有SELECT权限的表使用LOCK TABLES +PROCESS -- 允许使用SHOW FULL PROCESSLIST +REFERENCES -- 未被实施 +RELOAD -- 允许使用FLUSH +REPLICATION CLIENT -- 允许用户询问从属服务器或主服务器的地址 +REPLICATION SLAVE -- 用于复制型从属服务器(从主服务器中读取二进制日志事件) +SELECT -- 允许使用SELECT +SHOW DATABASES -- 显示所有数据库 +SHOW VIEW -- 允许使用SHOW CREATE VIEW +SHUTDOWN -- 允许使用mysqladmin shutdown +SUPER -- 允许使用CHANGE MASTER, KILL, PURGE MASTER LOGS和SET GLOBAL语句,mysqladmin debug命令;允许您连接(一次),即使已达到max_connections。 +UPDATE -- 允许使用UPDATE +USAGE -- “无权限”的同义词 +GRANT OPTION -- 允许授予权限 +``` + +## 表维护 + +```mysql +/* 表维护 */ +-- 分析和存储表的关键字分布 +ANALYZE [LOCAL | NO_WRITE_TO_BINLOG] TABLE 表名 ... +-- 检查一个或多个表是否有错误 +CHECK TABLE tbl_name [, tbl_name] ... [option] ... +option = {QUICK | FAST | MEDIUM | EXTENDED | CHANGED} +-- 整理数据文件的碎片 +OPTIMIZE [LOCAL | NO_WRITE_TO_BINLOG] TABLE tbl_name [, tbl_name] ... +``` + +## 杂项 + +```mysql +/* 杂项 */ ------------------ +1. 可用反引号(`)为标识符(库名、表名、字段名、索引、别名)包裹,以避免与关键字重名!中文也可以作为标识符! +2. 每个库目录存在一个保存当前数据库的选项文件db.opt。 +3. 注释: + 单行注释 # 注释内容 + 多行注释 /* 注释内容 */ + 单行注释 -- 注释内容 (标准SQL注释风格,要求双破折号后加一空格符(空格、TAB、换行等)) +4. 模式通配符: + _ 任意单个字符 + % 任意多个字符,甚至包括零字符 + 单引号需要进行转义 \' +5. CMD命令行内的语句结束符可以为 ";", "\G", "\g",仅影响显示结果。其他地方还是用分号结束。delimiter 可修改当前对话的语句结束符。 +6. SQL对大小写不敏感 +7. 清除已有语句:\c +``` + +# 原作地址 + +地址:https://shockerli.net/post/1000-line-mysql-note/ +作者:格物 \ No newline at end of file diff --git "a/docs/DataBase/\346\225\260\346\215\256\345\272\223\346\236\266\346\236\204.md" "b/docs/DataBase/\346\225\260\346\215\256\345\272\223\346\236\266\346\236\204.md" new file mode 100644 index 0000000..e69de29 diff --git "a/docs/DataBase/\350\256\276\350\256\241\345\205\263\347\263\273\345\236\213\346\225\260\346\215\256\345\272\223.md" "b/docs/DataBase/\350\256\276\350\256\241\345\205\263\347\263\273\345\236\213\346\225\260\346\215\256\345\272\223.md" new file mode 100644 index 0000000..f025007 --- /dev/null +++ "b/docs/DataBase/\350\256\276\350\256\241\345\205\263\347\263\273\345\236\213\346\225\260\346\215\256\345\272\223.md" @@ -0,0 +1,49 @@ +# 八、设计关系型数据库 + +关系数据库管理系统(RDBMS)架构图如下: + +
+ +## 存储 + +存储即文件系统。存储介质可以是机械硬盘、SSD 固态。 + +## 程序实例 + +- **存储管理** + + 对数据格式、文件风格进行统一管理,将物理数据通过逻辑形式组织、表示出来。 + + 优化:一次性读取多行,逻辑存取单位是页(page)。 + +- **缓存机制** + + 将取出的数据放入缓存中,一次性加载多个页数据,相当一部分不是本次访问所需的行。根据“一旦数据被访问,其相邻数据极有可能下次被访问到”,优化访问效率。 + + 缓存管理机制:可以使用 [LRU](https://github.com/DuHouAn/Java-Notes/blob/master/docs/LeetCode/12%E6%95%B0%E6%8D%AE%E7%BB%93%E6%9E%84.md#146) 对缓存进行管理。 + +- **SQL 解析** + + 提供给外界指令来操作数据库,即可读的 SQL 语言。 + + 优化:可以将 SQL 缓存,方便下次解析。缓存不宜过大,管理缓存的算法中要有淘汰机制。 + +- **日志管理** + + 主从同步、灾难恢复。 + +- **权限划分** + + 支持多用户。 + +- **容灾机制** + + 数据库挂了,进行恢复,恢复到什么程度。 + +- **索引管理** + + 引入索引,提高查询效率。 + +- **锁管理** + + 引入锁机制,支持并发操作。 \ No newline at end of file diff --git "a/docs/DataBase/\351\224\201\346\234\272\345\210\266.md" "b/docs/DataBase/\351\224\201\346\234\272\345\210\266.md" new file mode 100644 index 0000000..f4cbd8e --- /dev/null +++ "b/docs/DataBase/\351\224\201\346\234\272\345\210\266.md" @@ -0,0 +1,439 @@ +# 锁机制 + +## 数据库锁的分类 + +- 按照锁的粒度划分:**表级锁**、**行级锁**、页级锁。 + +
+ +- 按照锁的级别划分:**共享锁**、**排它锁**。 + +- 按照加锁方式划分:自动锁、显式锁。 + +- 按照操作划分:DML 锁、DDL 锁。 + +- 按照使用方式划分:**乐观锁**、**悲观锁**。 + +## MyISAM 和 InnoDB 的锁机制 + +### 表锁和行锁 + +按照锁粒度划分, MySQL 分为表锁和行锁: + +#### 表级锁 + +- MySQL 中锁定**粒度最大**的一种锁,对当前操作的整张表加锁,实现简单,资源消耗也比较少,加锁快,不会出现死锁; +- 锁定粒度最大,触发锁冲突的概率最高,并发度最低。 + +#### 行级锁 + +- MySQL 中锁定**粒度最小**的一种锁,只针对当前操作的行进行加锁。 +- 行级锁能大大减少数据库操作的冲突。 +- 行锁加锁粒度最小,并发度高,但加锁的开销也最大,加锁慢,甚至会出现死锁。 + +**MyISAM 默认使用的是表级锁,不支持行级锁。** + +**InnoDB 默认使用的是行级锁,也支持表级锁。** + +注意: + +InnoDB 只有通过**索引**条件检索数据**才使用行级锁**,否则,InnoDB 将使用**表锁**,也就是说,InnoDB 的**行锁基于索引**。 + +### 共享锁和排他锁 + +- 排它锁(Exclusive),简写为 X 锁,又称写锁。 +- 共享锁(Shared),简写为 S 锁,又称读锁。 + +有以下两个规定: + +- 一个事务对数据对象 A 加了 X 锁,就可以对 A 进行读取和更新。加锁期间其它事务不能对 A 加任何锁。 +- 一个事务对数据对象 A 加了 S 锁,可以对 A 进行读取操作,但是不能进行更新操作。加锁期间其它事务能对 A 加 S 锁,但是不能加 X 锁。 + +锁的兼容关系如下: + +| - | X | S | +| :--: | :--: | :--: | +| X | 冲突 | 冲突 | +| S | 冲突 | 兼容 | + +### 乐观锁与悲观锁 + +- 乐观锁 + +总是假设最好的情况,每次去读数据的时候都认为别人不会修改,所以不会上锁, 但是在更新的时候会判断一下在此期间有没有其他线程更新该数据。 + +乐观锁适用于**多读**的应用类型,这样可以提高吞吐量,像数据库提供的类似于 write_condition 机制,其实都是提供的乐观锁。 + +- 悲观锁 + +总是假设最坏的情况,每次去读数据的时候都认为别人会修改,所以**每次在读数据的时候都会上锁**, 这样别人想读取数据就会阻塞直到它获取锁 (共享资源每次只给一个线程使用,其它线程阻塞,用完后再把资源转让给其它线程)。 + +关系型数据库里边就用到了很多悲观锁机制,比如**行锁、表锁**等,**读锁、写锁**等,都是在做操作之前先上锁。 + +注意: + +乐观锁好比生活中乐观的人总是想着事情往好的方向发展,悲观锁好比生活中悲观的人总是想着事情往坏的方向发展。 这两种人各有优缺点,不能不以场景而定说一种人好于另外一种人。 + +> **通过版本号控制实现乐观锁** + +一般是在数据表中加上一个数据版本号 version 字段,表示数据被修改的次数。当数据被修改时,version++ 即可。 当线程 A 要更新数据值时,在读取数据的同时也会读取 version 值, 在提交更新时,若刚才读取到的version 值为当前数据库中的 version 值相等时才更新, 否则重试更新操作,直到更新成功。 + +举例:假设数据库中帐户信息表中有一个 version 字段,并且 version=1。当前帐户余额(balance)为 $100 。 + +```html +1、操作员 A 此时将其读出 (version=1),并从其帐户余额中扣除 $50($100-$50)。 + +2、操作员 A 操作的同事操作员 B 也读入此用户信息(version=1),并从其帐户余额中扣除 $20($100-$20)。 + +3、操作员 A 完成了修改工作,version++(version=2),连同帐户扣除后余额(balance=$50),提交至数据库。 + +4、此时,提交数据版本大于数据库记录当前版本,数据被更新,数据库记录 version 更新为 2 。 + +5、操作员 B 完成了操作,也将版本号version++(version=2)试图向数据库提交数据(balance=$80), + +6、 此时比对数据库记录版本时发现,操作员 B 提交的数据版本号为 2 ,数据库记录当前版本也为 2 , +不满足“提交版本必须大于记录当前版本才能执行更新”的乐观锁策略,因此操作员 B 的提交被驳回。 +``` + +## MyISAM 和 InnoDB 适用场景 + +### MyISAM 适用场景 + +- 频繁执行全表 count 语句 +- 对数据进行增删改的频率不高,查询非常频繁 +- 没有事务 + +### InnoDB 适用场景 + +- 数据增删改都相当频繁 +- 可靠性要求比较高 +- 要求支持事务 + +## 事务 + +### 事务的概念 + +事务指的是满足 ACID 特性的一组操作,可以通过 Commit 提交一个事务,也可以使用 Rollback 进行回滚。 + +
+ +### ACID + +#### 1. 原子性(Atomicity) + +事务被视为不可分割的最小单元,事务的所有操作要么全部提交成功,要么全部失败回滚。 + +回滚可以用日志来实现,日志记录着事务所执行的修改操作,在回滚时反向执行这些修改操作即可。 + +#### 2. 一致性(Consistency) + +数据库在事务执行前后都保持一致性状态。在一致性状态下,所有事务对一个数据的读取结果都是相同的。 + +#### 3. 隔离性(Isolation) + +一个事务所做的修改在最终提交以前,对其它事务是不可见的。 + +#### 4. 持久性(Durability) + +一旦事务提交,则其所做的修改将会永远保存到数据库中。即使系统发生崩溃,事务执行的结果也不能丢失。 + +可以通过数据库备份和恢复来实现,在系统发生崩溃时,使用备份的数据库进行数据恢复。 + + + +## 并发访问产生的问题 + + 在并发环境下,事务的隔离性很难保证,因此会出现很多并发一致性问题。 + +### 丢失修改 + +T1 和 T2 两个事务都对一个数据进行修改,T1 先修改,T2 随后修改,T2 的修改覆盖了 T1 的修改。 + +
+ +### 读脏数据 + +T1 修改一个数据,T2 随后读取这个数据。如果 T1 撤销了这次修改,那么 T2 读取的数据是脏数据。 + +
+ +### 不可重复读 + +T2 读取一个数据,T1 对该数据做了修改。如果 T2 再次读取这个数据,此时读取的结果和第一次读取的结果不同。 + +
+ +### 幻影读 + +T1 读取某个**范围**的数据,T2 在这个**范围**内插入新的数据,T1 再次读取这个**范围**的数据,此时读取的结果和和第一次读取的结果不同。 + +
+ +---- + +产生并发不一致性问题主要原因是破坏了事务的**隔离性**,解决方法是通过**并发控制**来保证隔离性。并发控制可以通过封锁(加锁)来实现,但是封锁操作需要用户自己控制,相当复杂。数据库管理系统提供了事务的**隔离级别**,让用户以一种更轻松的方式处理并发一致性问题。 + +## 事务的隔离级别 + +### 未提交读(READ UNCOMMITTED) + +事务中的修改,即使没有提交,对其它事务也是可见的。 + +### 提交读(READ COMMITTED) + +一个事务只能读取已经提交的事务所做的修改。换句话说,一个事务所做的修改在提交之前对其它事务是不可见的。 + +### 可重复读(REPEATABLE READ) + +保证在同一个事务中多次读取同样数据的结果是一样的。 + +### 可串行化(SERIALIZABLE) + +强制事务串行执行。 + +事务并发访问引起的问题及使用哪种事务隔离级别避免 + +| 并发访问问题 | 事务隔离级别 | +| :----------: | :------------------------------------------: | +| 丢失修改 | MySQL 所有事务隔离级别在数据库层面上均可避免 | +| 脏读 | READ-COMMITTED 事务隔离级别以上可避免 | +| 不可重复读 | REPEATABLE-READ 事务隔离级别以上可避免 | +| 幻读 | SERIALIZABLE 事务隔离级别以上可避免 | + +也可表示如下表: + +| - | 丢失修改 | 脏读 | 不可重复读 | 幻读 | +| :------------------------------: | :------: | :--: | :--------: | :--: | +| 未提交读
(READ UNCOMMITTED) | 避免 | 发生 | 发生 | 发生 | +| 提交读
(READ COMMITTED) | 避免 | 避免 | 发生 | 发生 | +| 可重复读
(REPEATABLE READ) | 避免 | 避免 | 避免 | 发生 | +| 可串行化
(SERIALIZABLE) | 避免 | 避免 | 避免 | 避免 | + +**注意**:*MySQL 的 InnoDB 在可重复读(REPEATABLE READ)隔离级别下可以避免幻读* + + + +## InnoDB RR 隔离级别下如何避免幻读 + +- 表象:快照读 / 非阻塞读(伪 MVCC) +- 内在:Next-Key 锁(行锁 + gap 锁) + +### 当前读和快照读 + +- 当前读:加了锁的增删改查语句,不管是读锁还是写锁。 + + ```mysql + # 查询 + select...lock in share mode; + select...for update; + # 更新 + update...; + # 删除 + delete...; + # 插入 + insert...; + ``` + + 读取记录的最新版本,并且读取之后还需要保证其他并发事务不能修改当前记录,所以需要对读取的事务加锁。 + +- 快照读:**不加锁**的非阻塞读。(事务隔离级别不是 SERIALIZABLE 下才成立) + + ```mysql + select...; + ``` + +RC 隔离级别下:快照读和当前读读到的历史版本相同。 + +RR 隔离级别下:快照读有可能读到历史版本,创建快照读的时机决定了读取的版本。 + +### RC、RR 隔离级别下快照读的实现 + +RC、RR 隔离级别下快照读的实现机制: + +- 数据行的 DB_TRX_ID、DB_ROLL_PTR、DB_ROW_ID 字段。 +- undo log +- read view + +#### 3 个隐藏字段 + +数据行中除了存储数据外,InnoDB 为每行记录都实现了 3 个隐藏字段: + +- DB_TRX_ID +- DB_ROLL_PTR +- DB_ROW_ID + +| 字段 | 说明 | +| :---------: | :------------------------------------------: | +| DB_TRX_ID | 最近修改该行数据的事务 id | +| DB_ROLL_PTR | 回滚指针,记录之前历史数据在 undo log 中位置 | +| DB_ROW_ID | 自增隐藏主键 | + +#### undo log + +undo log 中记录的是数据表**记录行的多个版本**,也就是事务执行过程中的回滚段,其实就是 MVCC 中的一行原始数据的多个版本镜像数据。 + +事务对某行记录的更新过程: + +1、初始数据行 + +F1~F6 是某些字段的名称,1~6是其对应的数据。 + +假设这条数据是刚 INSERT 的,可以认为 ID 为 1,其他两个字段为 NULL。 + +
+ +2、事务 1 更新该记录各字段数据 + +当事务1更改该记录时,会进行如下操作: + +- 用排他锁锁定该行 +- 将该行修改前的值拷贝到 undo log 中 +- 修改当前行的值,填写事务编号,使回滚指针指向 undo log 中的修改前的行记录 + +
+ +3、事务 2 修改该的记录 + +与事务 1 相同,此时 undo log 中有 2 行记录,并且**通过回滚指针连在一起**。 + +
+ +#### read view + +trx_id_0表示当前事务的id,read view中最早开始的事务用trx_id_1表示,最晚开始的事务用trx_id_2表示。 + +主要用来判断当前版本数据的可见性: + +- 当行记录的事务 id 小于当前系统的活动事务最小 id,那么表明该行记录所在的事务已经在本次新事务创建之前就提交了,所以该行记录的当前值是可见的。 + + ```c + if (trx_id < view->up_limit_id) { // up_limit_id 活动事务最小 id + return(TRUE); + } + ``` + +- 当行记录的事务 id 大于当前系统的活动事务最大 id,就是不可见的。 + + ```c + if (trx_id >= view->low_limit_id) { // low_limit_id 活动事务最大 id + return(FALSE); + } + ``` + +- 当行记录的事务 id 在活动范围之中时,**判断是否在活动链表中**,从trx_id_1到trx_id_2进行遍历,如果trx_id_0等于他们之中的某个事务id的话,那么不可见。从该行记录的DB_ROLL_PTR指针所指向的回滚段中取出最新的undo-log的版本号,将它赋值该trx_id_0。 + + ```c + for (i = 0; i < n_ids; i++) { + trx_id_t view_trx_id + = read_view_get_nth_trx_id(view, n_ids - i - 1); + if (trx_id <= view_trx_id) { + return(trx_id != view_trx_id); + } + } + ``` + +不同隔离级别下 read view 的生成原则: + +- RC:总是读取最新一份快照数据 +- RR:读取事务开始时的行数据版本 + +注意: + +- **InnoDB 的快照读的实现实际上是伪 MVCC**,因为并没有实现核心的**多版本共存**,undo log 中的内容只是串行化的结果,记录了多个事务的过程,不属于多版本共存。 + +- 伪 MVCC 解决快照读的幻读; + + Next-Key 锁解决当前读的幻读 + +### Next-Key Lock + +#### Record Lock + +Record Lock,即记录锁。锁定一个记录上的索引,而不是记录本身。 + +#### Gap Lock + +Gap Lock ,即间隙锁。锁定索引之间的间隙,但是不包含索引本身。 + +间隙锁的目的是为了防止同一事务的两次当前读而出现幻读的现象。间隙锁是在 RR 及 RR 以上的隔离级别才有。 + +注:键值在条件范围内但并不存在的**记录**称为间隙。 + +#### Next-Key Lock + +Next-Key Lock,即 Next-Key 锁,它是 Record Locks 和 Gap Locks 的结合。**不仅锁定一个记录上的索引,也锁定索引之间的间隙。** + +> **几个问题:** + +> **问题一:对主键索引或唯一索引会使用间隙锁吗?** + +不一定。视情况而定: + +- **如果 where 条件全部命中(不会出现幻读),则不会加间隙锁**,只会加记录锁; + + 举例说明加锁过程: + + ```mysql + delete from tb where id = 9 + # Table: tb(name primary key,id unique key) + ``` + + 根据 `id=9` 条件定位,此时给 `id = 9` 的索引加上记录锁,根据 `name`值到主索引中检索获得记录,再给该记录加上记录锁。 + +
+ +- 如果 where 条件部分命中 / 全都不命中,则会加间隙锁 + +注: + +- 全部命中,指的是精准查询时,所有相关记录都可查看 +- 部分命中,指的是精准查询时,只查到部分记录 + +> **问题二:间隙锁是否用在非唯一索引的当前读中?** + +是的。 + + +```mysql +delete from tb1 where id = 9 +# Table: tb1(name primary key,id key) +``` + +
+ +在间隙 (6,9],(9,11] 加间隙锁。 + +> **问题三:间隙锁是否用在不走索引的当前读中?** + +是的。 + +```mysql +delete from tb2 where id = 9 +# Table: tb2(name primary key,id) # 这里没有为 id 简历索引 +``` + +此时对所有的间隙都上锁(功能上相当于锁表)。 + +
+ +总结以上三个问题,我们得到如下结论: + +- 主键索引 / 唯一索引: + + 如果 where 条件全部命中(不会出现幻读),则不会加间隙锁,只会加记录锁 + + 如果 where 条件部分命中 / 全都不命中,则会加间隙锁 + +- 间隙锁用在非唯一索引 / 不走索引的当前读中 + +# 参考资料 + +- [数据库两大神器【索引和锁】](https://segmentfault.com/a/1190000015738121#articleHeader12) +- [MySql锁机制简单了解一下](https://blog.csdn.net/qq_34337272/article/details/80611486) +- [[MySQL高级] (六) 锁机制](https://blog.csdn.net/why15732625998/article/details/80439315) +- [MySQL innoDB——redo log/undo log](https://www.jianshu.com/p/d829df873332) +- [MySQL加锁分析与死锁解读,你真的弄懂Gap锁了吗?](https://www.jianshu.com/p/a287afb5d5ba) +- [Mysql(Innodb)如何避免幻读](https://blog.csdn.net/ashic/article/details/53735537) +- [MySQL数据库事务各隔离级别加锁情况--read committed && MVCC](https://www.imooc.com/article/17290) + +- [『浅入浅出』MySQL 和 InnoDB](https://draveness.me/mysql-innodb) \ No newline at end of file diff --git "a/DataStructureNotes/notes/00\346\225\260\347\273\204.md" "b/docs/DataStructure/00\346\225\260\347\273\204.md" similarity index 90% rename from "DataStructureNotes/notes/00\346\225\260\347\273\204.md" rename to "docs/DataStructure/00\346\225\260\347\273\204.md" index d6df5df..4fcdd56 100644 --- "a/DataStructureNotes/notes/00\346\225\260\347\273\204.md" +++ "b/docs/DataStructure/00\346\225\260\347\273\204.md" @@ -174,16 +174,16 @@ public void removeElement(int e){ > 调整数组大小 * 准备一个新数组,长度是原来数组的2倍 -
+
* 将原来数组中的元素复制到新数组中 -
+
* 将data指向newData,完成扩容 -
+
* 完成扩容,capacity是原来的2倍,size不变,数组中数据不变 -
+
```java //动态调整数组大小 @@ -274,7 +274,7 @@ public void add(int index,E e){ * 复杂度震荡: -
+
* 出现问题的原因:removeLast时resize过于着急。 diff --git "a/DataStructureNotes/notes/01\346\240\210\345\222\214\351\230\237\345\210\227.md" "b/docs/DataStructure/01\346\240\210\345\222\214\351\230\237\345\210\227.md" similarity index 86% rename from "DataStructureNotes/notes/01\346\240\210\345\222\214\351\230\237\345\210\227.md" rename to "docs/DataStructure/01\346\240\210\345\222\214\351\230\237\345\210\227.md" index cb8314e..d2a340b 100644 --- "a/DataStructureNotes/notes/01\346\240\210\345\222\214\351\230\237\345\210\227.md" +++ "b/docs/DataStructure/01\346\240\210\345\222\214\351\230\237\345\210\227.md" @@ -13,7 +13,7 @@ * 栈的基本架构: -
+
```java public interface Stack { @@ -86,7 +86,7 @@ public class ArrayStack implements Stack{ ``` * 栈的时间复杂度分析 -
+
## 栈的应用 @@ -138,7 +138,7 @@ public class Solution { * 队列的基本架构 -
+
```java public interface Queue { @@ -209,7 +209,7 @@ public class ArrayQueue implements Queue{ * 队列的时间复杂度分析 -
+
## 循环队列 @@ -217,15 +217,15 @@ public class ArrayQueue implements Queue{ 出队操作,要移动数据,时间复杂度是O(n) -
+
-
+
* 循环队列 -
+
-
+
队列为空判断条件: @@ -352,7 +352,7 @@ public class LoopQueue implements Queue{ * 循环队列的时间复杂度分析 -
+
## 数组队列和循环队列性能的简单比较 ```java diff --git "a/DataStructureNotes/notes/02\351\223\276\350\241\250.md" "b/docs/DataStructure/02\351\223\276\350\241\250.md" similarity index 77% rename from "DataStructureNotes/notes/02\351\223\276\350\241\250.md" rename to "docs/DataStructure/02\351\223\276\350\241\250.md" index 30b9ac0..725d528 100644 --- "a/DataStructureNotes/notes/02\351\223\276\350\241\250.md" +++ "b/docs/DataStructure/02\351\223\276\350\241\250.md" @@ -101,11 +101,11 @@ public class LinkedList { ## 在链表中插入元素 ### 在链表头添加元素 -
+
-
+
-
+
```java //在链表头添加元素 @@ -117,11 +117,11 @@ public void addFirst(E e){ } ``` ### 在链表中间添加元素 -
+
-
+
-
+
```java //在链表index位置[从0开始]插入元素 @@ -145,9 +145,9 @@ public void add(int index,E e){ } ``` ## 为链表设立虚拟头结点 -
+
-
+
此时插入操作 ```java @@ -236,11 +236,11 @@ public boolean contains(E e){ ``` ## 链表元素的删除 -
+
-
+
-
+
```java //删除链表index位置[从0开始]元素 @@ -269,17 +269,17 @@ public E removeLast(){ ``` ## 链表的时间复杂度分析 -
+
-
+
-
+
-
+
小结: -
+
## 链表的应用 ### 使用链表实现栈 @@ -339,7 +339,7 @@ public class LinkedListStack implements Stack{ ### 使用链表实现队列 * 使用改进的链表 -
+
```java public class LinkedListQueue implements Queue{ diff --git "a/DataStructureNotes/notes/03\351\223\276\350\241\250\345\222\214\351\200\222\345\275\222.md" "b/docs/DataStructure/03\351\223\276\350\241\250\345\222\214\351\200\222\345\275\222.md" similarity index 85% rename from "DataStructureNotes/notes/03\351\223\276\350\241\250\345\222\214\351\200\222\345\275\222.md" rename to "docs/DataStructure/03\351\223\276\350\241\250\345\222\214\351\200\222\345\275\222.md" index 25719be..ab7bee8 100644 --- "a/DataStructureNotes/notes/03\351\223\276\350\241\250\345\222\214\351\200\222\345\275\222.md" +++ "b/docs/DataStructure/03\351\223\276\350\241\250\345\222\214\351\200\222\345\275\222.md" @@ -101,9 +101,9 @@ public static void main(String[] args) { ``` ## 链表的天然递归结构性质 -
+
-
+
```java public class Solution3 { @@ -135,8 +135,8 @@ public class Solution3 { * 示例一 -
+
* 示例二 -
\ No newline at end of file +
\ No newline at end of file diff --git "a/DataStructureNotes/notes/04\344\272\214\345\217\211\346\220\234\347\264\242\346\240\221.md" "b/docs/DataStructure/04\344\272\214\345\217\211\346\220\234\347\264\242\346\240\221.md" similarity index 76% rename from "DataStructureNotes/notes/04\344\272\214\345\217\211\346\220\234\347\264\242\346\240\221.md" rename to "docs/DataStructure/04\344\272\214\345\217\211\346\220\234\347\264\242\346\240\221.md" index d19d245..85bdeaf 100644 --- "a/DataStructureNotes/notes/04\344\272\214\345\217\211\346\220\234\347\264\242\346\240\221.md" +++ "b/docs/DataStructure/04\344\272\214\345\217\211\346\220\234\347\264\242\346\240\221.md" @@ -17,16 +17,17 @@ * [删除BST中最小值和最大值](#删除BST中最小值和最大值) * [删除BST中任意元素](#删除BST中任意元素) + # 二叉搜索树 ## 二叉树基础 - 二叉树性质 -
-
-
+
+
+
- 二叉搜索树树性质 -
-
+
+
- BST的基本架构: ```java @@ -62,24 +63,24 @@ public class BST> { ## 向BST中插入元素 对于如下的BST,向其中添加28: -
+
28与根结点41比较,应该插入左子树 -
+
28与左子树的根结点22比较,应该插入该结点的右子树 -
+
28与33比较,应该插入该结点的左子树,该结点的左子树为空, 则将值为28的结点添加到该结点的左子树中 -
+
最终将28添加到该BST中 -
+
```java //向BST中添加新元素e @@ -247,31 +248,31 @@ private void postOrder(Node node){ (1)将头结点压入栈中,对栈进行初始化,go-1表示访问1结点 -
+
(2)由于先序遍历,根据栈的特性,先访问1的右子节点,再访问1的左子节点,最后访问1结点 -
+
(3)1结点是栈顶元素,由于命令是cout,cout 1出栈,所以直接输出节点值1 -
+
(4)此时go 1-L是栈顶元素,就访问1结点的左孩子节点,也就是节点2 -
+
(5)这时候访问结点2,再访问2的右子树的根节点和2的左子树的根节点,最后再访问2节点 -
+
(6)栈顶是 cout-2,输出结果后,栈顶元素是 go-2-L==null,go-2-R==null,do nothing -
+
(7)访问到3结点 -
+
(8)最终栈为空 @@ -435,16 +436,16 @@ private Node max(Node node){ - 删除BST中的最大值和最小值 最小值是叶子节点 -
+
直接删除该节点 -
+
最小值有右子树 -
+
删除该节点,再将该节点的右子树连接到原来的BST中 -
+
```java //删除BST中的最小值 @@ -489,19 +490,19 @@ private Node delMax(Node node){ ### 删除BST中任意元素 - 删除只有左孩子的节点 -
+
直接删除即可 -
+
- 删除只有右孩子的节点 -
+
直接删除即可 -
+
- 删除左右孩子都有的节点 -
+
**Habbard-Deletion:** @@ -509,11 +510,11 @@ d是待删除的节点,s节点是d的后继,也就是d的右子树的最小 > 注意:这里选择左子树的最大值所在的节点效果也是相同的。 -
+
使用s代替d -
+
最后删除d节点 diff --git "a/DataStructureNotes/notes/05\351\233\206\345\220\210\345\222\214\346\230\240\345\260\204.md" "b/docs/DataStructure/05\351\233\206\345\220\210\345\222\214\346\230\240\345\260\204.md" similarity index 90% rename from "DataStructureNotes/notes/05\351\233\206\345\220\210\345\222\214\346\230\240\345\260\204.md" rename to "docs/DataStructure/05\351\233\206\345\220\210\345\222\214\346\230\240\345\260\204.md" index f1235fc..e44d9b1 100644 --- "a/DataStructureNotes/notes/05\351\233\206\345\220\210\345\222\214\346\230\240\345\260\204.md" +++ "b/docs/DataStructure/05\351\233\206\345\220\210\345\222\214\346\230\240\345\260\204.md" @@ -13,7 +13,7 @@ ## 集合 - 集合的基本架构: -
+
```java public interface Set { @@ -103,22 +103,22 @@ public class LinkedListSet implements Set{ ## 集合的时间复杂度分析 -
+
- log n 和n的差距 -
+
- 同样的数据,有可能构造不同的BST -
+
上图右边的BST就退化成了链表了。 ## 映射 - 映射的基本架构 -
+
```java public interface Map { @@ -394,4 +394,4 @@ public class BSTMap,V> implements Map{ ### 映射的时间复杂度分析 -
\ No newline at end of file +
\ No newline at end of file diff --git "a/DataStructureNotes/notes/06\344\274\230\345\205\210\351\230\237\345\210\227\345\222\214\345\240\206.md" "b/docs/DataStructure/06\344\274\230\345\205\210\351\230\237\345\210\227\345\222\214\345\240\206.md" similarity index 91% rename from "DataStructureNotes/notes/06\344\274\230\345\205\210\351\230\237\345\210\227\345\222\214\345\240\206.md" rename to "docs/DataStructure/06\344\274\230\345\205\210\351\230\237\345\210\227\345\222\214\345\240\206.md" index 915f507..8e725ea 100644 --- "a/DataStructureNotes/notes/06\344\274\230\345\205\210\351\230\237\345\210\227\345\222\214\345\240\206.md" +++ "b/docs/DataStructure/06\344\274\230\345\205\210\351\230\237\345\210\227\345\222\214\345\240\206.md" @@ -21,20 +21,20 @@ ### 二叉堆的性质 * 二叉堆是一棵**完全二叉树** -
+
* 堆中的某个结点值总是不大于其父节点的值 -
+
### 堆的基本结构 * 使用数组存储二叉堆,下标从1开始 -
+
* 使用数组存储二叉堆,下标从0开始 -
+
白板编程**最大堆**的一些准备工作: ```java @@ -185,7 +185,7 @@ public E replace(E e){ 将数组看成一颗完全二叉树,从该二叉树的最后一个分叶子节点开始,进行下沉操作。 -
+
```java //heapify:将任意数组整理成堆的形状 diff --git "a/DataStructureNotes/notes/08\347\272\277\346\256\265\346\240\221.md" "b/docs/DataStructure/08\347\272\277\346\256\265\346\240\221.md" similarity index 88% rename from "DataStructureNotes/notes/08\347\272\277\346\256\265\346\240\221.md" rename to "docs/DataStructure/08\347\272\277\346\256\265\346\240\221.md" index bf7f327..2e99b44 100644 --- "a/DataStructureNotes/notes/08\347\272\277\346\256\265\346\240\221.md" +++ "b/docs/DataStructure/08\347\272\277\346\256\265\346\240\221.md" @@ -28,20 +28,20 @@ ## 为什么要使用线段树 -
+
-
+
-
+
线段树的时间复杂度分析: -
+
-
+
## 线段树基础表示 -
+
如果区间有n个元素,用数组表示线段树,需要多少结点? @@ -69,7 +69,7 @@ h层,一共有2^h-1个结点(约为2^h) **最后一层的结点数大致等于前面所有层的结点数之和** -
+
**由此,可得出结论,我们线段树不考虑添加元素,即区间固定,使用4*n的静态空间即可。** diff --git a/DataStructureNotes/notes/09Trie.md b/docs/DataStructure/09Trie.md similarity index 96% rename from DataStructureNotes/notes/09Trie.md rename to docs/DataStructure/09Trie.md index c81f8f0..4d51012 100644 --- a/DataStructureNotes/notes/09Trie.md +++ b/docs/DataStructure/09Trie.md @@ -11,11 +11,11 @@ ## 什么是Trie - Trie字典树/前缀树的直观感受 -
+
- Trie只用来处理字符串 -
+
其中蓝色就是单词结尾节点。 diff --git "a/DataStructureNotes/notes/10\345\271\266\346\237\245\351\233\206.md" "b/docs/DataStructure/10\345\271\266\346\237\245\351\233\206.md" similarity index 84% rename from "DataStructureNotes/notes/10\345\271\266\346\237\245\351\233\206.md" rename to "docs/DataStructure/10\345\271\266\346\237\245\351\233\206.md" index 5299809..edbef76 100644 --- "a/DataStructureNotes/notes/10\345\271\266\346\237\245\351\233\206.md" +++ "b/docs/DataStructure/10\345\271\266\346\237\245\351\233\206.md" @@ -11,7 +11,7 @@ # 并查集 ## 什么是并查集 -
+
并查集接口: ```java @@ -73,22 +73,22 @@ public class UnionFind1 implements UF{ } } ``` -
+
## Quick Union 初始化并查集,每个节点指向自身,构成了森林。 -
+
union(4,3),就是将4的父指针指向3,也就是说,此时3是4的父节点 -
+
... uinon(9,4),就是将9的父指针指向4所在集合的根节点 -
+
```java public class UnionFind2 implements UF{ @@ -216,15 +216,15 @@ public class UnionFind3 implements UF{ ## 基于rank的优化 对于如下并查集,unoin(4,2) -
+
按照“基于size的优化"将8指向7,此时树的深度增加了。 -
+
我们应该是这样合并合理:将7指向8,树的深度没有增加,效率更高 -
+
- 基于rank的优化:rank[i]表示根节点为i的树的深度 @@ -313,13 +313,13 @@ public class UnionFind4 implements UF{ ## 路径压缩I 前面的 UnionFind4的find(4),算法过程: -
+
路径压缩后,算法过程: -
+
-
+
```java //查找p元素所在的树(也就是集合)的根节点 @@ -338,7 +338,7 @@ private int find(int p){ ``` ## 路径压缩II -
+
```java //查找p元素所在的树(也就是集合)的根节点 diff --git a/DataStructureNotes/notes/11AVL.md b/docs/DataStructure/11AVL.md similarity index 85% rename from DataStructureNotes/notes/11AVL.md rename to docs/DataStructure/11AVL.md index 89a23b4..d97bedb 100644 --- a/DataStructureNotes/notes/11AVL.md +++ b/docs/DataStructure/11AVL.md @@ -10,7 +10,7 @@ # AVL树 -
+
## 平衡二叉树 @@ -18,15 +18,15 @@ 下图就是一棵平衡二叉树: -
+
- 标注节点的高度:(叶子节点的高度为1) -
+
- 计算平衡因子:(这里是根据左子树高度减去右子树高度进行计算): -
+
## 计算节点的高度和平衡因子 ```java @@ -140,21 +140,21 @@ private boolean isBalancedTree(Node node){ ## AVL树的左旋转和右旋转 - AVL树的右旋转:插入的元素在不平衡的节点的左侧的左侧 -
+
- 右旋转针对的情况:以x、z为根节点的子树是平衡的BST树,添加一个元素以y为根节点的子树就不是平衡二叉树了 -
+
- 右旋转操作I:**x.right=y** -
+
- 右旋转操作II:**y.left=T3** -
+
- 右旋转之后,就是平衡的BST:假设z节点的高度是(h+1),可以验证以x为根节点的BST树是平衡树 -
+
- 代码实现: ```java @@ -269,18 +269,18 @@ private Node add(Node node,K key,V value){ ## LR和RL - LR -
+
-
+
-
+
- RL -
+
-
+
-
+
```java //计算平衡因子 diff --git "a/docs/DataStructure/12\347\272\242\351\273\221\346\240\221.md" "b/docs/DataStructure/12\347\272\242\351\273\221\346\240\221.md" new file mode 100644 index 0000000..afc6563 --- /dev/null +++ "b/docs/DataStructure/12\347\272\242\351\273\221\346\240\221.md" @@ -0,0 +1,303 @@ + +* [红黑树](#红黑树) + * [什么是红黑树](#什么是红黑树) + * [红黑树和2-3树](#红黑树和2-3树) + * [红黑树性质](#红黑树性质) + * [向红黑树中添加新元素](#向红黑树中添加新元素) + * [保持根节点为黑色](#保持根节点为黑色) + * [左旋转](#左旋转) + * [颜色翻转](#颜色翻转) + * [右旋转](#右旋转) + * [添加新元素](#添加新元素) + * [红黑树性能总结](#红黑树性能总结) + + +# 红黑树 +## 什么是红黑树 +### 2-3树 +- 性质: + +1. 满足二叉搜索树的基本性质 + +2. 节点可以存放一个或者两个元素,存放一个元素的节点成为**2节点**,存放两个元素的节点成为**3节点**。 + +
+ +3. 2-3树是一棵**绝对平衡**的树,即从根节点到任意一个叶子节点所经过的节点数都相同 + +- 下图是一棵完整的2-3树: + +
+ +### 2-3树是如何维持绝对平衡的 + +向2-3树中添加节点的操作如下: + +> 对于2-3树来说,每次添加节点**永远不会添加到一个空的位置!** + +- 向2-节点中插入数据6,6和12融合形成一个3节点: + +
+ +- 向3-节点中插入数据2,先融合暂时形成一个4节点,再分裂: + +
+ +- 向3-节点中插入数据4,并且该3-节点父节点是2-节点,3节点先融合暂时形成一个4节点,再分裂,接着与父节点进行融合: + +
+ +- 向3-节点中插入数据4,并且该3-节点父节点也是3-节点,该3节点先融合暂时形成一个4节点,再分裂,接着与父节点进行融合暂时形成一个4节点,这个4节点再分裂: + +
+ +## 红黑树和2-3树 +红黑树本质上其实等价于2-3树,2-3树中2-节点等同于红黑树中的“黑”节点,2-3树中的3-节点等同于红黑树中的“红”节点+红边+“黑”节点。 + +其中红节点表示和父节点是是一种**并列**的关系,由于在树的实现过程是一个二叉树,即每个节点最多只能存储一个元素,红节点的引入是为了表示2-3树的**3节点的一种实现方式**。在所有的红黑树中,**所有的红节点一定是向左倾斜的。** + +
+ +基于红黑树和2-3树的关系,我们可以将2-3树转化为红黑树: + +
+ +即 + +
+ +## 红黑树性质 +1. 每个节点或者是红色的,或者是黑色的 + +2. 根节点是黑色的 + +3. 每一个叶子节点(最后的空节点)是黑色的 + + > 这其实是一个定义 + +4. 如果一个节点是红色的,那么它们的孩子节点都是黑色的 + + > 因为红节点和其父亲节点表示一个3节点,黑色节点的右孩子一定是黑色节点。 + +5. 从任意一个节点到叶子节点经过的**黑色节点**都是一样的 + + > 因为2-3树是绝对平衡的 + +
+ +相较于AVL树,**红黑树上的查找的操作的效率的低于AVL树的。但对于增删操作,红黑树的性能是更优的。** + +## 添加新元素 + +节点的默认颜色设置为红色,因为添加新元素的时候,默认先是与一个节点进行融合的。 + +```java +public class RBTree,V>{ + private static final boolean RED=true; + private static final boolean BLACK=false; + + private class Node{ + public K key; + public V value; + public Node left,right; + public boolean color; + public Node(K key,V value){ + this.key=key; + this.value=value; + this.left=null; + this.right=null; + //2-3树中添加一个新元素 + //元素添加进2-节点,会形成3-节点 + //元素添加进3-节点,会先形成4-节点,然后进行相应的转换 + //因为2-3树添加新元素的时候,永远不会将其放置到空位置上 + //而是默认与一个节点融合,所以节点的默认颜色设置为红色 + this.color=RED; + } + } +} +``` + +### 保持根节点为黑色 +```java +//判断节点是否是红色 +private boolean isRed(Node node){ + if(node==null){ + return BLACK; + } + return node.color; +} + +public void add(K key, V value) { + root=add(root,key,value); + //红黑树性质: 2.根节点是黑色的 + root.color=BLACK; +} +``` + +### 左旋转 +对以node为根节点的如下子树进行左旋转: + + + +
+ +1. 首先进行节点的左旋转 + + + +
+ +
+ +2. 再进行颜色的翻转 + +
+ +```java +//左旋转 +// node x +// / \ 左旋转 / \ +// T1 x ---------> node T3 +// / \ / \ +// T2 T3 T1 T2 +private Node leftRotate(Node node){ + Node x=node.right; + + //左旋转 + node.right=x.left; + x.left=node; + + //改变节点颜色 + x.color=node.color; + node.color=RED; + + return x; +} +``` +### 右旋转 + +右旋转和左旋转同理 + +
+ +1. 首先进行右旋转 + +
+ +
+ +2. 再进行颜色的翻转 + +
+ +```java +//右旋转 +// node x +// / \ 右旋转 / \ +// x T2 -------> y node +// / \ / \ +// y T1 T1 T2 +private Node rightRotate(Node node) { + Node x=node.left; + + //右旋转 + node.left=x.right; + x.right=node; + + x.color=node.color; + node.color=RED; + + return x; +} +``` + +### 颜色翻转 + +2-3树中3-节点插入66: + +
+ +对应的红黑树中: + +
+ +
+ +此时可以将这三个节点就是2-3树中的4-节点,这时就需要颜色翻转: + +
+ +注:44转换为红色,方便后续的操作,(与其他的节点“融合”) + +```java +//颜色翻转 +private void flipColors(Node node){ + node.color=RED; + node.left.color=BLACK; + node.right.color=BLACK; +} +``` + +### 添加新元素 + +红黑树添加新元素的过程可以概括为下面一个过程: + +
+ +```java +public void add(K key, V value) { + root=add(root,key,value); + //红黑树性质: 2.根节点是黑色的 + root.color=BLACK; +} + +private Node add(Node node,K key,V value){ + if(node==null){ + size++; + return new Node(key,value); + } + if(key.compareTo(node.key)<0){ + node.left=add(node.left,key,value); + }else if(key.compareTo(node.key)>0){ + node.right=add(node.right,key,value); + }else{ + node.value=value; + } + + // 黑 + // / + // 红 + // \ + // 红 + //左旋转 + if(isRed(node.right) && !isRed(node.left)){ + node=leftRotate(node); + } + + // 黑 + // / + // 红 + // / + // 红 + //右旋转 + if(isRed(node.left) && isRed(node.left.left)){ + node=rightRotate(node); + } + + // 黑 + // / \ + // 红 红 + // 颜色翻转 + if(isRed(node.left) && isRed(node.right)){ + flipColors(node); + } + return node; +} +``` + +## 红黑树性能总结 +- 对于完全随机的数据,建议使用普通的BST。但是在极端情况下,会退化成链表!(或者高度不平衡) + +- 对于查询较多的使用情况,建议使用AVL树。 + +- 红黑树牺牲了平衡性(2log n的高度),统计性能更优(增删改查所有的操作) \ No newline at end of file diff --git "a/DataStructureNotes/notes/13\345\223\210\345\270\214\350\241\250.md" "b/docs/DataStructure/13\345\223\210\345\270\214\350\241\250.md" similarity index 93% rename from "DataStructureNotes/notes/13\345\223\210\345\270\214\350\241\250.md" rename to "docs/DataStructure/13\345\223\210\345\270\214\350\241\250.md" index 1ca1be5..a3ae0da 100644 --- "a/DataStructureNotes/notes/13\345\223\210\345\270\214\350\241\250.md" +++ "b/docs/DataStructure/13\345\223\210\345\270\214\350\241\250.md" @@ -27,7 +27,7 @@ 其中每一个字符都和一个索引对应: -
+
哈希表设计思想: @@ -249,15 +249,15 @@ s和s2的hashCode不同,因为s和s2的地址不同。 - 计算哈希值 (hashCode(k1) & 0x7fffffff) % M -
+
- 采用查找表解决哈希冲突,查找表也可以使用平衡树结构 -
+
- 使用HashMap作为查找表 -
+
- 注意: @@ -336,10 +336,10 @@ public V get(K key){ - 哈希表链表法时间复杂度分析 -
+
## 哈希表的动态空间处理 -
+
```java public class HashTable2 { @@ -541,7 +541,7 @@ public class HashTable3 { ## 设计的哈希表中的不足 -
+
Java8之前,每一个位置对应一个链表,K不要求具有可比性,所以是无序的。 diff --git "a/DataStructureNotes/notes/14\345\233\276.md" "b/docs/DataStructure/14\345\233\276.md" similarity index 94% rename from "DataStructureNotes/notes/14\345\233\276.md" rename to "docs/DataStructure/14\345\233\276.md" index f45e4b5..9a7f5fe 100644 --- "a/DataStructureNotes/notes/14\345\233\276.md" +++ "b/docs/DataStructure/14\345\233\276.md" @@ -30,11 +30,11 @@ public interface Graph { - 邻接矩阵表示无向图 -
+
- 邻接矩阵表示有向图 -
+
```java /** @@ -91,11 +91,11 @@ public class DenseGraph { ### 2.邻接表 - 邻接表表示无向图 -
+
- 邻接表表示有向图 -
+
```java public class SparseGraph { diff --git "a/DataStructureNotes/notes/15\346\234\200\345\260\217\347\224\237\346\210\220\346\240\221.md" "b/docs/DataStructure/15\346\234\200\345\260\217\347\224\237\346\210\220\346\240\221.md" similarity index 94% rename from "DataStructureNotes/notes/15\346\234\200\345\260\217\347\224\237\346\210\220\346\240\221.md" rename to "docs/DataStructure/15\346\234\200\345\260\217\347\224\237\346\210\220\346\240\221.md" index 0cd3502..3214ae5 100644 --- "a/DataStructureNotes/notes/15\346\234\200\345\260\217\347\224\237\346\210\220\346\240\221.md" +++ "b/docs/DataStructure/15\346\234\200\345\260\217\347\224\237\346\210\220\346\240\221.md" @@ -249,7 +249,7 @@ public class SparseWeightedGraph implements Weigh > 把图中的的顶点分成两部分,成为一个**切分**。 -
+
其中图中顶点被分为蓝色部分和红色部分,这就是一个切分。 @@ -257,7 +257,7 @@ public class SparseWeightedGraph implements Weigh > 如果一个边的两个端点,分别属于不同的切分,则这个边就被成为**横切边** -
+
其中使用绿色标出了横切边。 @@ -265,11 +265,11 @@ public class SparseWeightedGraph implements Weigh > 给定任意切分,横切边中权值最小边必然属于最小生成树 -
+
在这个切分中横切边中权值最小的是0.16,已使用红色标出。 -
+
在这个切分中横切边中权值最小的是0.4,已使用红色标出。 @@ -474,7 +474,7 @@ public class KruskalMST { ## 求最小生成树要注意的问题 - 时间复杂度: -
+
- 如果横切边有相等的边: diff --git "a/DataStructureNotes/notes/16\346\234\200\347\237\255\350\267\257\345\276\204.md" "b/docs/DataStructure/16\346\234\200\347\237\255\350\267\257\345\276\204.md" similarity index 88% rename from "DataStructureNotes/notes/16\346\234\200\347\237\255\350\267\257\345\276\204.md" rename to "docs/DataStructure/16\346\234\200\347\237\255\350\267\257\345\276\204.md" index da6355d..ca9842f 100644 --- "a/DataStructureNotes/notes/16\346\234\200\347\237\255\350\267\257\345\276\204.md" +++ "b/docs/DataStructure/16\346\234\200\347\237\255\350\267\257\345\276\204.md" @@ -15,45 +15,45 @@ Dijkstra算法思路 : -
+
将0顶点开始,将访问顶点1、2、3 -
+
到没有访问过的顶点的最短路径是2,也就是顶点2 -
+
从2开始,将访问1、3、4。 先访问顶点 1 ,则0->2->1的路径就为3,此时不需要考虑0->1权为5的边了。 -
+
访问 顶点 4 ,则 0->2->4的路径长为7。 -
+
访问 顶点 3,则 0->2->3的路径长为5,此时就不需要考虑0->3权为6的边了。 -
+
此时所能到达的最短路径是顶点1。 -
+
考虑顶点1的邻边,1->4的路径更小。 -
+
此时所能到达的最短路径是顶点4。 -
+
此时所能到达的最短路径是顶点3. -
+
```java public class DijkstraSP{ @@ -170,7 +170,7 @@ public class DijkstraSP{ 显然,**有负权环的图,没有最短路径。** -
+
如果一个图没有负权环,从一点到另外一点的最短路径, 最多经过所有的V个顶点,有(V-1)条边。 diff --git "a/docs/DataStructure/17\346\213\223\346\211\221\346\216\222\345\272\217.md" "b/docs/DataStructure/17\346\213\223\346\211\221\346\216\222\345\272\217.md" new file mode 100644 index 0000000..1d20d84 --- /dev/null +++ "b/docs/DataStructure/17\346\213\223\346\211\221\346\216\222\345\272\217.md" @@ -0,0 +1,172 @@ +# 定义 + +拓扑排序,是指将有向无环图的所有顶点以线性的方式进行排序。使得图中任意一对顶点u和v,若边(u,v)∈E(G),则u在线性序列中出现在v之前。 通常,这样的线性序列称为满足**拓扑**次序(Topological Order)的序列,简称**拓扑**序列。 + +例如下图所示,其拓扑序列的一种为:(5, 4, 0, 1, 2, 3) + +
+ +
+ + +# 基于Kahn算法的拓扑排序 + +## 描述 + +每次从该集合中取出(没有特殊的取出规则,随机取出也行,使用队列/栈也行,下同)一个顶点,将该顶点放入保存结果的序列中。 + +紧接着循环遍历由该顶点引出的所有边,从图中移除这条边,同时获取该边的另外一个顶点,如果该顶点的入度在减去本条边之后为0,那么也将这个顶点放到入度为0的集合中。然后继续从集合中取出一个顶点,直到该集合为空。 + +当集合为空之后,检查图中是否还存在任何边,如果存在的话,说明图中至少存在一条环路。不存在的话则返回结果序列,此时就是对图进行拓扑排序的结果。 + +## 实现 + +```java +public class KahnTopologicalSort { + + //拓扑序列 + private List order; + //入度为0的集合 + private Queue setOfZeroIndegree; + //存储每个节点的入度 + private int[] indegrees; + private int edges; + private Digraph graph; + + public KahnTopologicalSort(Digraph graph) { + this.graph = graph; + this.edges = graph.E(); + this.indegrees = new int[graph.V()]; + order = new ArrayList<>(); + setOfZeroIndegree = new LinkedList<>(); + + //对入度为0的集合进行初始化 + Vector[] g = graph.getG(); + //将邻接表中的每一条[a->b]中的b添加入度 + for (int i = 0; i < g.length; i++) { + for (int j:g[i]){ + indegrees[j]++; + } + } + for (int i = 0; i < indegrees.length; i++) { + if (indegrees[i]==0){ + setOfZeroIndegree.offer(i); + } + } + generateOrder(); + } + + //生成拓扑序列 + private void generateOrder(){ + while (!setOfZeroIndegree.isEmpty()){ + //从入度为0的集合中取出一个节点 + Integer curNode = setOfZeroIndegree.poll(); + order.add(curNode); + //遍历该节点的邻居节点 + for (int i:graph.adj(curNode)){ + edges--; + indegrees[i]--; + if (indegrees[i]==0){ + setOfZeroIndegree.offer(i); + } + } + } + //说明没有遍历完所有节点,证明有环 + if (edges!=0){ + order=new ArrayList<>(); + } + } + + public List getOrder(){ + return order; + } +} +``` + + + +# 基于DFS的拓扑排序 + +## 描述 + +使用DFS(深度优先遍历),需要使用到栈,用来存在遍历过的节点,因为越早遍历到的节点其前序依赖越少,作为拓扑序列其位置应该越靠前。对于任何先序关系:v->w,DFS可以保证 w 先进入栈中,因此栈的逆序结果中 v 会在 w 之前。 + +## 实现 + +```java +public class DfsTopologicalSort { + + //拓扑序列 + private List order; + + //入队序列需要逆序才是拓扑序列 + private Stack stack; + + //标记各节点的状态 + // -1:visited;0:none-visited;1:visiting + private int[] flag; + + private Digraph graph; + + public DfsTopologicalSort(Digraph graph) { + this.graph = graph; + order=new ArrayList<>(); + stack=new Stack<>(); + flag=new int[graph.V()]; + + //生成拓扑序列 + for (int i = 0; i < graph.V(); i++) { + if (dfs(graph,i)){ + order.clear(); + } + } + while (!stack.empty()){ + order.add(stack.pop()); + } + } + + /** + * 深度优先遍历 + * @param graph + * @param curNode + * @return 是否存在环路 + */ + private boolean dfs(Digraph graph,int curNode){ + //此时说明存在环路 + if (flag[curNode]==1){ + return true; + } + //当前的节点已被遍历过 + if (flag[curNode]==-1){ + return false; + } + flag[curNode]=1; + //继续遍历当前节点的邻居节点 + for (int i:graph.adj(curNode)){ + if (dfs(graph,i)){ + return true; + } + } + stack.push(curNode); + flag[curNode]=-1; + return false; + } + + public List getOrder(){ + return order; + } +} +``` + + + +# 对比 + +Kahn算法不需要检测图为DAG,如果图为DAG,那么在出度为0的集合为空之后,图中还存在没有被移除的边,这就说明了图中存在环路。而基于DFS的算法需要首先确定图为DAG,当然也能够做出适当调整,让环路的检测和拓扑排序同时进行,毕竟环路检测也能够在DFS的基础上进行。 + +# 参考资料 + +- [拓扑排序的原理及其实现]() + + + diff --git "a/docs/Java-\347\233\256\345\275\225.md" "b/docs/Java-\347\233\256\345\275\225.md" new file mode 100644 index 0000000..9cce4c0 --- /dev/null +++ "b/docs/Java-\347\233\256\345\275\225.md" @@ -0,0 +1,46 @@ +## ☕️ Java + +### Java 基础 + +- [数据类型](./Java/JavaBasics/00数据类型.md) +- [String](./Java/JavaBasics/01String.md) +- [运算](./Java/JavaBasics/02运算.md) +- [Object 通用方法](./Java/JavaBasics/03Object通用方法.md) +- [关键字](./Java/JavaBasics/04关键字.md) +- [反射](./Java/JavaBasics/05反射.md) +- [异常](./Java/JavaBasics/06异常.md) +- [泛型](./Java/JavaBasics/07泛型.md) +- [注解](./Java/JavaBasics/08注解.md) +- [Java 常见对象](./Java/JavaBasics/09Java常见对象.md) +- [其他](./Java/JavaBasics/10其他.md) + +### Java 虚拟机 + +- [Java 虚拟机](./Java/Java-虚拟机.md) + +### Java 并发 + +- [Java 多线程与并发](./Java/Java%20多线程与并发.md) +- [Java 多线程与并发-原理](./Java/Java%20多线程与并发-原理.md) + +### Java 容器 + +- [Java 容器概览](./Java/JavaContainer/00Java容器概览.md) +- [容器中的设计模式](./Java/JavaContainer/01容器中的设计模式.md) +- [容器源码分析](./Java/JavaContainer/02容器源码分析.md) + +### Java IO + +- [概览](./Java/JavaIO/00概览.md) +- [磁盘操作](./Java/JavaIO/01磁盘操作.md) +- [字节操作](./Java/JavaIO/02字节操作.md) +- [字符操作](./Java/JavaIO/03字符操作.md) +- [对象操作](./Java/JavaIO/04对象操作.md) +- [网络操作](./Java/JavaIO/05网络操作.md) +- [NIO](./Java/JavaIO/06NIO.md) + +### JavaWeb + +- [Servlet 工作原理解析](./Java/JavaWeb/00Servlet工作原理解析.md) +- [JSP 解析](./Java/JavaWeb/01JSP解析.md) +- [深入理解 Session 和 Cookie](./Java/JavaWeb/02深入理解Session和Cookie.md) \ No newline at end of file diff --git "a/docs/Java/Java \345\244\232\347\272\277\347\250\213\344\270\216\345\271\266\345\217\221-\345\216\237\347\220\206.md" "b/docs/Java/Java \345\244\232\347\272\277\347\250\213\344\270\216\345\271\266\345\217\221-\345\216\237\347\220\206.md" new file mode 100644 index 0000000..cb71d12 --- /dev/null +++ "b/docs/Java/Java \345\244\232\347\272\277\347\250\213\344\270\216\345\271\266\345\217\221-\345\216\237\347\220\206.md" @@ -0,0 +1,3700 @@ +[J.U.C脑图](http://naotu.baidu.com/file/3d30df5bdf3a5d94e823d20051b29b1b?token=152d47622570684c) + +## 一、Java 内存模型 + +Java 内存模型(即 Java Memory Model,简称 JMM)试图屏蔽各种硬件和操作系统的内存访问差异,以实现让 Java 程序在各种平台下都能达到一致的内存访问效果。 + +本身是一种抽象的概念,并不真实存在,它描述的是一组规则或规范,通过这组规范定义了程序中各个变量(包含实例字段,静态字段和构成数组对象的元素)的访问方式。 + +### 主内存与工作内存 + +处理器上的寄存器的读写的速度比内存快几个数量级,为了解决这种速度矛盾,在它们之间加入了高速缓存。 + +加入高速缓存带来了一个新的问题:缓存一致性。如果多个缓存共享同一块主内存区域,那么多个缓存的数据可能会不一致,需要一些协议来解决这个问题。 + +
+ +> **JMM 中的主内存** + +- 存储 Java 实例对象 +- 包括成员变量、类信息、常量、静态变量等 +- 属于数据共享的区域,多线程并发时会引发线程安全问题 + +> **JMM 中的工作内存** + +- 存储当前方法的所有本地变量信息,本地变量对其他线程不可见 +- 字节码行号指示器、Native 方法信息 + +> **主内存和工作内存的数据存储类型以及操作方式归纳** + +- 方法中的基本数据类型本地变量将直接存储在工作内存的栈帧结构中 +- 引用类型的本地变量:引用存储在工作内存中,实例存储在主内存中 +- 成员变量、static 变量、类信息均会被存储在主内存中 +- 主内存共享的方式是线程各拷贝一份数据到工作内存,操作完成后刷新回主内存 + +所有的变量都存储在主内存中,每个线程还有自己的工作内存,工作内存存储在高速缓存或者寄存器中,保存了该线程使用的变量的主内存副本拷贝。 + +线程只能直接操作工作内存中的变量,不同线程之间的变量值传递需要通过主内存来完成。 + +
+ +### 内存间交互操作 + +Java 内存模型定义了 8 个操作来完成主内存和工作内存的交互操作。 + +
+ +- read:把一个变量的值从主内存传输到工作内存中 +- load:在 read 之后执行,把 read 得到的值放入工作内存的变量副本中 +- use:把工作内存中一个变量的值传递给执行引擎 +- assign:把一个从执行引擎接收到的值赋给工作内存的变量 +- store:把工作内存的一个变量的值传送到主内存中 +- write:在 store 之后执行,把 store 得到的值放入主内存的变量中 +- lock:作用于主内存的变量 +- unlock + +### 内存模型三大特性 + +#### 1. 原子性 + +Java 内存模型保证了 read、load、use、assign、store、write、lock 和 unlock 操作具有原子性,例如对一个 int 类型的变量执行 assign 赋值操作,这个操作就是原子性的。但是 Java 内存模型允许虚拟机将没有被 volatile 修饰的 64 位数据(long,double)的读写操作划分为两次 32 位的操作来进行,即 load、store、read 和 write 操作可以不具备原子性。 + +有一个错误认识就是,int 等原子性的类型在多线程环境中不会出现线程安全问题。前面的线程不安全示例代码中,cnt 属于 int 类型变量,1000 个线程对它进行自增操作之后,得到的值为 997 而不是 1000。 + +为了方便讨论,将内存间的交互操作简化为 3 个:load、assign、store。 + +下图演示了两个线程同时对 cnt 进行操作,load、assign、store 这一系列操作整体上看不具备原子性,那么在 T1 修改 cnt 并且还没有将修改后的值写入主内存,T2 依然可以读入旧值。可以看出,这两个线程虽然执行了两次自增运算,但是主内存中 cnt 的值最后为 1 而不是 2。因此对 int 类型读写操作满足原子性只是说明 load、assign、store 这些单个操作具备原子性。 + +
+ +AtomicInteger 能保证多个线程修改的原子性。 + +
+ +使用 AtomicInteger 重写之前线程不安全的代码之后得到以下线程安全实现: + +```java +public class AtomicExample { + private AtomicInteger cnt = new AtomicInteger(); + + public void add() { + cnt.incrementAndGet(); + } + + public int get() { + return cnt.get(); + } +} +``` + +```java +public static void main(String[] args) throws InterruptedException { + final int threadSize = 1000; + AtomicExample example = new AtomicExample(); // 只修改这条语句 + final CountDownLatch countDownLatch = new CountDownLatch(threadSize); + ExecutorService executorService = Executors.newCachedThreadPool(); + for (int i = 0; i < threadSize; i++) { + executorService.execute(() -> { + example.add(); + countDownLatch.countDown(); + }); + } + countDownLatch.await(); + executorService.shutdown(); + System.out.println(example.get()); +} +``` + +```html +1000 +``` + +除了使用原子类之外,也可以使用 synchronized 互斥锁来保证操作的原子性。它对应的内存间交互操作为:lock 和 unlock,在虚拟机实现上对应的字节码指令为 monitorenter 和 monitorexit。 + +```java +public class AtomicSynchronizedExample { + private int cnt = 0; + + public synchronized void add() { + cnt++; + } + + public synchronized int get() { + return cnt; + } +} +``` + +```java +public static void main(String[] args) throws InterruptedException { + final int threadSize = 1000; + AtomicSynchronizedExample example = new AtomicSynchronizedExample(); + final CountDownLatch countDownLatch = new CountDownLatch(threadSize); + ExecutorService executorService = Executors.newCachedThreadPool(); + for (int i = 0; i < threadSize; i++) { + executorService.execute(() -> { + example.add(); + countDownLatch.countDown(); + }); + } + countDownLatch.await(); + executorService.shutdown(); + System.out.println(example.get()); +} +``` + +```html +1000 +``` + +#### 2. 可见性 + +可见性指当一个线程修改了共享变量的值,其它线程能够立即得知这个修改。Java 内存模型是通过在变量修改后将新值同步回主内存,在变量读取前从主内存刷新变量值来实现可见性的。 + +主要有三种实现可见性的方式: + +- volatile,保证被 volatile 修饰的共享变量对所有线程总是可见的 +- synchronized,对一个变量执行 unlock 操作之前,必须把变量值同步回主内存。 +- final,被 final 关键字修饰的字段在构造器中一旦初始化完成,并且没有发生 this 逃逸(其它线程通过 this 引用访问到初始化了一半的对象),那么其它线程就能看见 final 字段的值。 + +注意: volatile 并不能保证操作的原子性。 + +#### 3. 有序性 + +有序性是指:在本线程内观察,所有操作都是有序的。在一个线程观察另一个线程,所有操作都是无序的,无序是因为发生了指令重排序。在 Java 内存模型中,允许编译器和处理器对指令进行重排序,重排序过程不会影响到单线程程序的执行,却会影响到多线程并发执行的正确性。 + +volatile 关键字通过添加内存屏障的方式来禁止指令重排,即重排序时不能把后面的指令放到内存屏障之前。 + +也可以通过 synchronized 来保证有序性,它保证每个时刻只有一个线程执行同步代码,相当于是让线程顺序执行同步代码。 + +> **指令重排序需要满足的条件** + +- 在单线程环境下不能改变程序运行的结果 +- 存在数据依赖关系的不允许重排序 + +总之,**无法通过 happens-before 原则推导出来的,才能进行指令的重排序**。 + +### happens-before 原则(先行发生原则) + +上面提到了可以用 volatile 和 synchronized 来保证有序性。除此之外,JVM 还规定了先行发生原则,让一个操作无需控制就能先于另一个操作完成。 + +#### 1. 单一线程原则 + +> Single Thread rule + +在一个线程内,在程序前面的操作先行发生于后面的操作。 + +
+ +#### 2. 管程锁定规则 + +> Monitor Lock Rule + +一个 unlock 操作先行发生于后面对同一个锁的 lock 操作。 + +
+ +#### 3. volatile 变量规则 + +> Volatile Variable Rule + +对一个 volatile 变量的写操作先行发生于后面对这个变量的读操作。 + +
+ +#### 4. 线程启动规则 + +> Thread Start Rule + +Thread 对象的 start() 方法调用先行发生于此线程的每一个动作。 + +
+ +#### 5. 线程加入规则 + +> Thread Join Rule + +Thread 对象的结束先行发生于 join() 方法返回。 + +
+ +#### 6. 线程中断规则 + +> Thread Interruption Rule + +对线程 interrupt() 方法的调用先行发生于被中断线程的代码检测到中断事件的发生,可以通过 interrupted() 方法检测到是否有中断发生。 + +#### 7. 对象终结规则 + +> Finalizer Rule + +一个对象的初始化完成(构造函数执行结束)先行发生于它的 finalize() 方法的开始。 + +#### 8. 传递性 + +> Transitivity + +如果操作 A 先行发生于操作 B,操作 B 先行发生于操作 C,那么操作 A 先行发生于操作 C。 + + + + +## 二、synchronized + +### synchronized 的使用 + +> **线程安全问题** + +- 存在共享数据(临界资源) +- 存在多条线程共同操作这些共享数据操作共享数据,其他线程必须等到该线程处理完数据后再对共享数据进行操作。 + +解决:同一时刻有且只有一个线程在操作共享数据,其他线程必须等到该线程处理完数据后再对共享数据进行操作。 + +> **互斥锁的特性** + +- 互斥性:在同一时间只允许一个线程持有某个对象锁,通过这种特性来实现多线程协调机制,这样在同一时间只有一个线程对需要同步的代码块(复合操作)进行访问。互斥性也称为操作的原子性。 +- 可见性:必须确保在锁被释放之前,对共享变量所做的修改,对于随后获得该锁的另一个线程是可见的(即在获得锁时应获得最新共享变量值),否则另一个线程可能是在本地缓存的某个副本上继续操作,从而引起不一致。 +- synchronized 锁的不是代码,锁的都是对象 + +> **获取对象锁和获取类锁** + +1、获取对象锁的两种方法: + +- 同步代码块(`synchronized(this)`,`synchronized(类实例对象)`),锁是`()`中的实例对象 +- 同步非静态方法(synchronized method),锁是当前对象的实例对象。 + +2、获取类锁的两种方法: + +- 同步代码块(`synchronized(类.class)`),锁是`()`中的类对象(Class 对象) +- 同步静态方法(synchronized static method),锁是当前对象的l类对象(Class 对象)。 + +**对象锁和类锁的总结**: + +1、有线程访问对象的同步代码块时,另外的线程可以访问该对象的非同步代码块; + +2、若锁住的是同一个对象,一个线程在访问对象的同步代码块时,另一个访问对象的同步代码块的线程会被阻塞; + +3、若锁住的是同一个对象,一个线程在访问对象的同步方法时,另一个访问对象的同步方法的线程会被阻塞; + +4、若锁住的是同一个对象,一个线程在访问对象的同步代码块时,另一个访问对象的同步方法的线程会被阻塞,反之亦然; + +5、同一个类的不同对象锁互不干扰; + +6、类锁由于也是一种特殊的对象锁,因此表现和上述 1、2、3、4 一致,而由于一个类只有一把对象锁,所以同一个类的不同对象使用类锁将会是同步的; + +7、类锁和对象锁互不干扰。 + +> **使用 synchronized 实现单例模式** + +```java +public class Singleton { + private volatile static Singleton uniqueInstance; + + private Singleton() { + } + + public static Singleton getUniqueInstance() { + //先判断对象是否已经实例过,没有实例化过才进入加锁代码 + if (uniqueInstance == null) { // 第一次校验 + //类对象加锁 + synchronized (Singleton.class) { + if (uniqueInstance == null) { // 第二次校验 + uniqueInstance = new Singleton(); + } + } + } + return uniqueInstance; + } +} +``` + +- volatile 修饰成员变量 + +因为 `unqieInstance=new Singleton();`这段代码分三步执行: + +1、分配内存空间 + +2、初始化对象 + +3、将uniqueInstance指向分配的内存地址 +由于 JVM 具有指令重排的特行,有可能执行顺序变为了 1-->3-->2。这在单线程情况下自然是没有问题的。但如果是在多线程下,有可能获得的是因为还没有被初始化的实例,导致程序出错。 + +- 双重校验 + +考虑下面的实现,也就是只使用了一个 if 语句。 在 `uniqueInstance == null` 的情况下,如果两个线程都执行了 if 语句,那么两个线程都会进入 if 语句块内。虽然在 if 语句块内有加锁操作,但是两个线程都会执行 `uniqueInstance = new Singleton();` 这条语句,只是先后的问题,那么就会进行两次实例化。 + +### 锁的内存语义 + +- 锁的释放-获取遵循Happens-before +- 当线程释放锁的时候,JMM会把该线程对应的工作内存中的共享变量刷新到主内存中 +- 当线程获取锁的时候,JMM会把该线程对应的工作内存中的共享变量置为无效 + +### synchronized 原理 + +```java +public class SyncBlockAndMethod { + public void syncsTask(){ + //同步代码块 + synchronized (this){ + System.out.println("Hello"); + } + } + + public synchronized void syncTask(){ + System.out.println("Hello Again"); + } +} +``` + +> **Monitor** + +- Monitor 是一个同步工具,相当于操作系统中的互斥量(mutex),即值为 1 的信号量。 + +- Monitor 存在于每个 Java 对象的对象头中,相当于一个许可证。拿到许可证即可以进行操作,没有拿到则需要阻塞等待。 + +> **同步代码块的实现** + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_5.png) + +**synchronized 同步语句块的实现使用的是 monitorenter 和 monitorexit 指令,其中 monitorenter 指令指向同步代码块的开始位置,monitorexit 指令则指明同步代码块的结束位置。** + +当执行 monitorenter 指令时,线程试图获取锁也就是获取 Monitor(Monitor 存在于每个 Java 对象的对象头中,synchronized 锁便是通过这种方式获取锁的,也是为什么 Java 中任意对象可以作为锁的原因))的持有权。当计数器为 0 则可以成功获取,获取后将锁计数器设为 1 也就是 +1。相应的在执行 monitorexit 指令后,将锁计数器设为 0,表明锁被释放。如果获取对象锁失败,那当前线程就要阻塞等待,直到锁被另外一个线程释放为止。 + +> **同步方法的实现** + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_6.png) + +synchronized 修饰的方法并没有 monitorenter 指令和 monitorexit 指令,取得代之的是 **ACC_SYNCHRONIZED 标识**,该标识指明了该方法是一个同步方法,JVM 通过该 ACC_SYNCHRONIZED 访问标志来辨别一个方法是否声明为同步方法,从而执行相应的同步调用。 + +### synchronized的可重入性 + +如果一个获取锁的线程调用其它的synchronized修饰的方法,会发生什么? + +从设计上讲,当一个线程请求一个由其他线程持有的对象锁时,该线程会阻塞。当线程请求自己持有的对象锁时,如果该线程是重入锁,请求就会成功,否则阻塞。 + +我们回来看synchronized,synchronized拥有强制原子性的内部锁机制,是一个可重入锁。因此,在一个线程使用synchronized方法时调用该对象另一个synchronized方法,即一个线程得到一个对象锁后再次请求该对象锁,是**永远可以拿到锁的**。 + +在 Java 内部,同一个线程调用自己类中其他synchronized方法/块时不会阻碍该线程的执行,**同一个线程对同一个对象锁是可重入的,同一个线程可以获取同一把锁多次,也就是可以多次重入**。原因是 Java 中线程获得对象锁的操作是以**线程为单位**的,而不是以调用为单位的。 + +### synchronized可重入锁的实现 + +每个锁关联一个线程持有者和一个计数器。当计数器为0时表示该锁没有被任何线程持有,那么任何线程都都可能获得该锁而调用相应方法。当一个线程请求成功后,JVM会记下持有锁的线程,并将计数器计为1。此时其他线程请求该锁,则必须等待。而该持有锁的线程如果再次请求这个锁,就可以再次拿到这个锁,同时计数器会递增。当线程退出一个synchronized方法/块时,计数器会递减,如果计数器为0则释放该锁。 + +### JDK1.6 之后的锁优化 + +JDK1.6 对锁的实现引入了大量的优化,如自旋锁、适应性自旋锁、锁消除、锁粗化、偏向锁、轻量级锁等**技术**来减少锁操作的开销。 + +JDK 1.6 引入了偏向锁和轻量级锁,从而让锁拥有了四个**状态**:无锁状态(unlocked)、偏向锁状态(biasable)、轻量级锁状态(lightweight locked)和重量级锁状态(inflated)。他们会随着竞争的激烈而逐渐升级。注意**锁可以升级不可降级**,这种策略是为了提高获得锁和释放锁的效率。 + +以下是 HotSpot 虚拟机对象头的内存布局,这些数据被称为 Mark Word。其中 tag bits 对应了五个状态,这些状态在右侧的 state 表格中给出。除了 marked for gc 状态,其它四个状态已经在前面介绍过了。 + +
+ +#### 自旋锁和自适应自旋锁 + +互斥同步进入阻塞状态的开销都很大,应该尽量避免。在许多应用中,共享数据的锁定状态只会持续很短的一段时间。自旋锁的思想是让一个线程在请求一个共享数据的锁时执行忙循环(自旋)一段时间,如果在这段时间内能获得锁,就可以避免进入阻塞状态。 + +自旋锁虽然能避免进入阻塞状态从而减少开销,但是它需要进行忙循环操作占用 CPU 时间,它只适用于共享数据的锁定状态很短的场景。 + +在 JDK 1.6 中引入了自适应的自旋锁。自适应意味着自旋的次数不再固定了,而是由前一次在同一个锁上的自旋次数及锁的拥有者的状态来决定。 + +#### 锁消除 + +锁消除是指对于被检测出不可能存在竞争的共享数据的锁进行消除。 + +锁消除主要是通过逃逸分析来支持,如果堆上的共享数据不可能逃逸出去被其它线程访问到,那么就可以把它们当成私有数据对待,也就可以将它们的锁进行消除。 + +对于一些看起来没有加锁的代码,其实隐式的加了很多锁。例如下面的字符串拼接代码就隐式加了锁: + +```java +public static String concatString(String s1, String s2, String s3) { + return s1 + s2 + s3; +} +``` + +String 是一个不可变的类,编译器会对 String 的拼接自动优化。在 JDK 1.5 之前,会转化为 StringBuffer 对象的连续 append() 操作: + +```java +public static String concatString(String s1, String s2, String s3) { + StringBuffer sb = new StringBuffer(); + sb.append(s1); + sb.append(s2); + sb.append(s3); + return sb.toString(); +} +``` + +每个 append() 方法中都有一个同步块。虚拟机观察变量 sb,很快就会发现它的动态作用域被限制在concatString() 方法内部。也就是说,sb 的所有引用永远不会逃逸到 concatString() 方法之外,其他线程无法访问到它,因此可以进行消除。 + +#### 锁粗化 + +如果一系列的连续操作都对同一个对象反复加锁和解锁,频繁的加锁操作就会导致性能损耗。 + +上一节的示例代码中连续的 append() 方法就属于这类情况。如果虚拟机探测到由这样的一串零碎的操作都对同一个对象加锁,将会把加锁的范围扩展(粗化)到整个操作序列的外部。对于上一节的示例代码就是扩展到第一个 append() 操作之前直至最后一个 append() 操作之后,这样只需要加锁一次就可以了。 + +#### 偏向锁 + +偏向锁的思想是偏向于让第一个获取锁对象的线程,这个线程在之后获取该锁就不再需要进行同步操作,甚至连 CAS 操作也不再需要。 + +当锁对象第一次被线程获得的时候,进入偏向状态,标记为 1 01。同时使用 CAS 操作将线程 ID 记录到 Mark Word 中,如果 CAS 操作成功,这个线程以后每次进入这个锁相关的同步块就不需要再进行任何同步操作。 + +当有另外一个线程去尝试获取这个锁对象时,偏向状态就宣告结束,此时撤销偏向(Revoke Bias)后恢复到未锁定状态或者轻量级锁状态。 + +
+ +#### 轻量级锁 + +轻量级锁是由偏向锁升级而来,偏向锁运行在一个线程进入同步块的情况下,当第二个线程加入锁争用的时候,偏向锁就会升级为轻量级锁。 + +对于绝大部分的锁,在整个同步周期内都是不存在竞争的,因此也就不需要都使用互斥量进行同步,可以先采用 CAS 操作进行同步,如果 CAS 失败了再改用互斥量进行同步。 + +> 轻量级锁的加锁过程 + +(1)在进入同步块之前,如果同步对象为无锁状态(锁对象标记为 0 01),虚拟机首先将在当前线程的栈帧中创建一个名为 Lock Record 的空间,用于存储锁对象目前的 Mark Word 拷贝(Displaced Mark Word)。右侧就是一个锁对象,包含了 Mark Word 和其它信息。如下图: + +
+ +(2)拷贝对象头中的 Mark Word 到锁记录中。 + +(3)拷贝成功后,虚拟机将**使用 CAS 操作**尝试将对象的 Mark Word 更新为指向 Lock Record 的指针,并将 Lock Record 里的 owner 指针指向 Object mark word。如果更新成功,则执行步骤(4),否则执行步骤(5)。 + +(4)如果这个更新成功了,那么这个线程就拥有了该对象的锁,并且对象的 Mark Word 的锁标志位设置为 "00",即表示此对象处于轻量级锁状态。如下图: + +
+ +(5)如果这个更新失败了,虚拟机首先会检查对象的 Mark Word 是否指向当前线程的栈帧: + +- 如果是就说明当前线程已经有这个对象的锁,你就可以直接进入同步块执行。 +- 否则说明多个线程竞争锁,轻量级锁就要膨胀为重量级锁,锁标志的状态值变为 "01" ,Mark Word 中存储的就是指向重量级锁(互斥量)的指针,后面等待锁的线程也要进入阻塞状态。 + +> **轻量级锁的解锁过程** + +(1)通过 CAS 操作尝试把线程中复制的 Displaced Mark Word 对象替换当前的 Mark Word。 + +(2)如果替换成功,整个同步过程就完成了。 + +(3)如果替换失败,说明有其他线程尝试获取该锁(此时锁已膨胀),那就需要在释放锁的同时,唤醒被挂起的线程。 + +> **锁的内存语义** + +- 当线程释放锁时,Java 内存模型会把该线程对应的本地内存中的共享变量刷新到主内存中; +- 当线程获取锁时,Java 内存模型会把该线程对应的本地内存置为无效,从而使得被监视器保护的临界区代码必须从主内存中读取共享变量。 + +#### 小结 + +| 锁 | 优点 | 缺点 | 适用场景 | +| :------: | :----------------------------------------------------------: | :----------------------------------------------------------: | :----------------------------------------------: | +| 偏向锁 | 加锁和解锁不需要 CAS 操作,没有额外的性能消耗,和执行费同步方法相比仅存在纳秒级的差距 | 如果线程间存在锁竞争,会带来锁撤销的消耗 | 只有一个线程访问同步块或许同步方法的场景 | +| 轻量级锁 | 竞争的线程不会阻塞,提高了响应速度 | 若线程长时间抢不到锁,自旋会消耗 CPU 性能 | 线程交替执行同步块或者同步方法的场景 | +| 重量级锁 | 线程竞争不使用自旋,不会消耗 CPU | 线程阻塞,响应时间缓慢,在多线程下,频繁的获取释放锁,会带来巨大的性能消耗 | 追求吞吐量,同步块或者同步方法只想时间较长的场景 | + + + +## 三、volatile + +volatile 是 JVM 提供的轻量级同步机制。保证被 volatile 修饰的共享变量对所有线程总是可见的,不会出现数据脏读的现象,从而保证数据的 “可见性”。 + +### volatile 实现可见性 + +生成汇编代码时会在 volatile 修饰的共享变量进行写操作的时候会多出 **Lock 前缀的指令**。 + +- Lock 前缀的指令会引起处理器行的数据缓存写回内存 +- 一个处理器的缓存回写到内存会导致其他工作内存中的缓存失效 +- 当处理器发现本地缓存失效后,就会从主内存中重读该变量数据,即可以获取当前最新值 + +这样 volatile 变量通过这样的机制就使得每个线程都能获得该变量的最新值。 + +### volatile 的 happens-before 关系 + +happens-before 中 + +- volatile 变量规则(Volatile Variable Rule):对一个 volatile 变量的写操作先行发生于后面对这个变量的读操作。 +- 传递性(Transitivity):如果操作 A 先行发生于操作 B,操作 B 先行发生于操作 C,那么操作 A 先行发生于操作 C。 + +```java +public class VolatileExample { + private int a = 0; + private volatile boolean flag = false; + public void writer(){ + a = 1; //1 + flag = true; //2 + } + public void reader(){ + if(flag){ //3 + int i = a; //4 + } + } +} +``` + +对应的 happens-before 关系如下: + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_7.png) + +加锁线程 A 先执行writer() 方法,然后线程 B 执行 reader() 方法。 + +图中每一个箭头两个节点就代码一个happens-before关系: + +- 黑色的代表根据程序顺序规则推导出来 +- 红色的是根据 volatile 变量规则推导出来的 +- 蓝色的就是根据传递性规则推导出来的。这里的 2 happen-before 3,同样根据 happens-before 规则,我们可以知道操作 2 执行结果对操作 3 来说是可见的,也就是说当线程 A 将 volatile 变量 flag 更改为 true 后线程B 就能够迅速感知。 + +### volatile 的内存语义 + +` VolatileExample` 中,假设线程 A 先执行 writer() 方法,线程 B 随后执行 reader() 方法,初始时线程的本地内存中 flag 和 a 都是初始状态,下图是线程 A 执行 volatile 写后的状态图: + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_8.png) + +当 volatile 变量写后,线程 B 中本地内存中共享变量就会置为失效的状态,因此线程 B 需要从主内存中去读取该变量的最新值。下图就展示了线程 B 读取同一个 volatile 变量的内存变化示意图: + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_9.png) + +从横向来看,线程 A 和线程 B 之间进行了一次通信,线程 A 在写 volatile 变量时,实际上就像是给线程 B 发送了一个消息告诉线程 B 现在的值都是旧的了,然后线程 B 读这个 volatile 变量时就像是接收了线程 A 刚刚发送的消息。既然是旧的了,那线程B该怎么办了?自然而然就只能去主内存读取。 + +### volatile 内存语义的实现 + +为了性能优化,JMM 在不改变正确语义的前提下,会允许编译器和处理器对指令序列进行重排序,可以添加**内存屏障(Memory Barrier)**来禁止重排序。 + +> **四种内存屏障** + +| 屏障类型 | 指令示例 | 说明 | +| :-----------------: | :----------------------: | :----------------------------------------------------------: | +| LoadLoad Barriers | Load1;LoadLoad;Load2 | 确保 Load1 数据的装载先于 Load2及其后续装载指令的装载 | +| StoreStore Barriers | Store1;StoreStore;Store2 | 确保 Store1 数据对其他处理器可见(刷新到内存)先于 Store2 及其后续存储指令的存储 | +| LoadStore Barriers | Load1;LoadStore;Store2 | 确保 Load1 数据装载先于 Store2 及后续的存储指令刷新到内存 | +| StoreLoad Barriers | Store1;StoreLoad;Load2 | 确保 Store1 数据对其他处理器变得可见(刷新到内存)先于 Load2 及其后续装载指令的装载。StroeLoad Barriers 会使该屏障之前所遇内存访问指令(存储和装载指令)完成之后,才执行该屏障之后的内存访问指令。 | + + Java 编译器会在生成指令系列时在适当的位置会插入内存屏障指令来禁止特定类型的处理器重排序。 为了实现volatile 的内存语义,JMM 会限制特定类型的编译器和处理器重排序,JMM 会针对编译器制定 volatile 重排序规则表: + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_12.png) + +"NO" 表示禁止重排序。 为了实现 volatile 内存语义,编译器在生成字节码时,会在指令序列中**插入内存屏障来禁止特定类型的处理器重排序**。 + +对于编译器来说,发现一个最优布置来最小化插入屏障的总数几乎是不可能的,为此,JMM 采取了保守策略: + +- 在每个 volatile 写操作的前面插入一个 StoreStore 屏障 +- 在每个 volatile 写操作的后面插入一个 StoreLoad 屏障 + + + + + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_10.png) + + + +- 在每个 volatile 读操作的后面插入一个 LoadLoad 屏障 +- 在每个 volatile 读操作的后面插入一个 LoadStore 屏障 + + + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_11.png) + +注意:volatile 写操作是在前面和后面分别插入内存屏障,而 volatile 读操作是在后面插入两个内存屏障。 + +### volatile 和 synchronized 的区别 + +1、volatile 本质是告诉 JVM 当前变量在寄存器(工作内存)中是无效的,需要去主内存重新读取; + +​ synchronized 是锁定当前变量,只有持有锁的线程才可以访问该变量,其他线程都被阻塞直到该线程的变量操作完成 + +2、volatile 仅仅能使用在变量级别; + +​ synchronized则可以使用在变量、方法和类级别 + +3、volatile 仅仅能实现变量修改的可见性,不能保证原子性; + +​ synchronized 则可以保证变量修改的可见性和原子性 + +4、volatile 不会造成线程的阻塞; + +​ synchronized 可能会造成线程的阻塞 + +5、volatile 修饰的变量不会被编译器优化; + +​ synchronized 修饰的变量可以被编译器优化 + + + +## 四、final + +### final 域重排序规则 + +#### 1、final 域为基本类型 + +```java +public class FinalDemo { + private int a; //普通域 + private final int b; //final域 + private static FinalDemo finalDemo; + + public FinalDemo() { + a = 1; // 1. 写普通域 + b = 2; // 2. 写final域 + } + + public static void writer() { + finalDemo = new FinalDemo(); + } + + public static void reader() { + FinalDemo demo = finalDemo; // 3.读对象引用 + int a = demo.a; //4.读普通域 + int b = demo.b; //5.读final域 + } +} +``` + +假设线程 A 执行 writer() 方法,线程 B 执行 reader() 方法。 + +> **写 final 域重排序规则** + +**禁止对 final 域的写重排序到构造函数之外**。这个规则的实现主要包含了两个方面: + +- JMM 禁止编译器把 final 域的写重排序到构造函数之外 +- 编译器会在 final 域写之后,构造函数 return 之前,插入一个**StoreStore屏障**。 这个屏障可以禁止处理器把 final 域的写重排序到构造函数之外。 + +writer() 方法,实际上做了两件事: + +- 构造了一个 FinalDemo 对象 +- 把这个对象赋值给成员变量 finalDemo + +可能的执行时序图: + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_13.png) + +a ,b 之间没有数据依赖性,普通域 a 可能会被**重排序到构造函数之外**, 线程B 就有可能读到的是普通变量 a 初始化之前的值(零值),这样就可能出现错误(虚线)。final 域变量 b,根据重排序规则,会**禁止 final 修饰的变量 b 重排序到构造函数之外**,从而 b 能够正确赋值, 线程 B 就能够读到 final 变量初始化后的值。 + +因此,写 final 域的重排序规则可以确保:**在对象引用为任意线程可见之前,对象的 final 域已经被正确初始化过了**。 普通域不具有这个保障,比如在上例,线程 B 有可能就是一个未正确初始化的对象 finalDemo。 + +> **读 final 域重排序规则** + +**在一个线程中,初次读对象引用和初次读该对象包含的 final 域,JMM 会禁止这两个操作的重排序**。 + +处理器会在读 final 域操作的前面插入一个 **LoadLoad 屏障**。 实际上,读对象的引用和读该对象的 final 域存在间接依赖性,一般处理器不会重排序这两个操作。 但是有一些处理器会重排序,因此,这条禁止重排序规则就是针对这些处理器而设定的。 + +read() 方法主要包含了三个操作: + +- 初次读引用变量 finalDemo +- 初次读引用变量 finalDemo 的普通域 a +- 初次读引用变量 finalDemo 的 final 域 b + +假设线程 A 写过程没有重排序,那么线程 A 和线程 B 有一种的可能执行时序如下: + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_14.png) + + + +读对象的普通域被重排序到了读对象引用的前面就会出现线程 B 还未读到对象引用就在读取该对象的普通域变量,这显然是错误的操作(虚线)。 + +final 域的读操作就“限定”了在读 final 域变量前已经读到了 finalDemo 对象的引用,从而就可以避免这种情况。 + +因此,读final域的重排序规则可以确保:**在读一个对象的 final 域之前,一定会先读这个包含这个 final 域的对象的引用**。 + + + +#### 2、final 域为引用类型 + +```java +public class FinalReferenceDemo { + final int[] arrays; //arrays是引用类型 + private FinalReferenceDemo finalReferenceDemo; + + public FinalReferenceDemo() { + arrays = new int[1]; //1 + arrays[0] = 1; //2 + } + + public void writerOne() { + finalReferenceDemo = new FinalReferenceDemo(); //3 + } + + public void writerTwo() { + arrays[0] = 2; //4 + } + + public void reader() { + if (finalReferenceDemo != null) { //5 + int temp = finalReferenceDemo.arrays[0]; //6 + } + } +} +``` + +> 对 final 修饰的对象的成员域进行写操作 + +针对上面的实例程序。线程 A 执行 wirterOne 方法,执行完后线程 B 执行 writerTwo 方法,然后线程 C 执行reader 方法。下图就以这种执行时序出现的一种情况: + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_15.png) + +对 final 域的写禁止重排序到构造方法外,因此 1 和 3 不能被重排序。 由于一个 final 域的引用对象的成员域写入不能与在构造函数之外将这个被构造出来的对象赋给引用变量重排序, 因此 2 和 3 不能重排序。 + +> **对 final 修饰的对象成员域进行读操作** + +JMM 可以确保线程 C 至少能看到写线程 A 对 final 引用的对象的成员域的写入,即能看到 arrays[0] = 1,而写线程 B 对数组元素的写入可能看到可能看不到。JMM 不保证线程 B 的写入对线程 C 可见,线程 B 和线程 C 之间存在数据竞争,此时的结果是不可预知的。如果是可见的,可使用锁或者 volatile。 + +#### final 域重排序总结 + +按照 final 修饰的数据类型分类: + +基本数据类型: + +- final 域写:禁止 **final 域写**与**构造方法**重排序,即禁止 final 域写重排序到构造方法之外,从而保证该对象对所有线程可见时,该对象的 final 域全部已经初始化过。 +- final 域读:禁止初次**读对象的引用**与**读该对象包含的 final 域**的重排序。 + +引用数据类型: + +在基本数据类型基础上,增加额外增加约束:禁止在构造函数对**一个 final 修饰的对象的成员域的写入**与随后将**这个被构造的对象的引用赋值给引用变量**重排序。 + + + +### fianl 实现原理 + +对于 final 域,编译器和处理器要遵守两个重排序规则: + +- 在构造函数内对一个 final 域的写入,与随后把这个被构造对象的引用赋值给一个引用变量,这两个操作之间不能重排序。(先写入 final 变量,后调用该对象引用) + +  原因:编译器会在 final 域的写之后,插入一个 **StoreStore 屏障** + +- 初次读一个包含 final 域的对象的引用,与随后初次读这个 final 域,这两个操作之间不能重排序。 + +  (先读对象的引用,后读 final 变量) + +  原因:编译器会在读 final 域操作之前插入一个 **LoadLoad 屏障** + +注意: + +1、如果以 X86 处理器为例,X86 不会对写-写重排序,所以**StoreStore 屏障可以省略**。由于**不会对有间接依赖性的操作重排序**,所以在 X86 处理器中,读 final 域需要的 **LoadLoad 屏障也会被省略掉**。也就是说,**以X86 为例的话,对 final 域的读 / 写的内存屏障都会被省略**,所以,具体是否插入内存屏障还是得看是什么处理器。 + +2、上面对 final 域写重排序规则可以确保我们在使用一个对象引用的时候该对象的 final域 已经在构造函数被初始化过了。 但是这里其实是有一个前提条件: **在构造函数,不能让这个被构造的对象被其他线程可见,也就是说该对象引用不能在构造函数中“溢出”**。 + +```java +public class FinalReferenceEscapeDemo { + private final int a; + private FinalReferenceEscapeDemo referenceDemo; + + public FinalReferenceEscapeDemo() { + a = 1; //1 + referenceDemo = this; //2 + } + + public void writer() { + new FinalReferenceEscapeDemo(); + } + + public void reader() { + if (referenceDemo != null) { //3 + int temp = referenceDemo.a; //4 + } + } +} +``` + +可能执行的时序图: + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_16.png) + + + +假设一个线程 A 执行 writer()方法 ,线程 B 执行 reader() 方法。 + +因为构造函数中操作 1 和 2 之间没有数据依赖性,1 和 2 可以重排序,先执行了 2,这个时候引用对象referenceDemo 是个没有完全初始化的对象,而线程 B 去读取该对象时就会出错。尽管依然满足了 final 域写重排序规则:在引用对象对所有线程可见时,其 final 域已经完全初始化成功。但是,引用对象“this”逸出,该代码依然存在线程安全的问题。 + + + +## 五、互斥同步 + +Java 提供了两种锁机制来控制多个线程对共享资源的互斥访问,第一个是 JVM 实现的 synchronized,而另一个是 JDK 实现的 ReentrantLock。 + +### synchronized + +**1. 同步一个代码块** + +```java +public void func() { + synchronized (this) { + // ... + } +} +``` + +它只作用于同一个对象,如果调用两个对象上的同步代码块,就不会进行同步。 + +对于以下代码,使用 ExecutorService 执行了两个线程,由于调用的是同一个对象的同步代码块,因此这两个线程会进行同步,当一个线程进入同步语句块时,另一个线程就必须等待。 + +```java +public class SynchronizedExample { + + public void func1() { + synchronized (this) { + for (int i = 0; i < 10; i++) { + System.out.print(i + " "); + } + } + } +} +``` + +```java +public static void main(String[] args) { + SynchronizedExample e1 = new SynchronizedExample(); + ExecutorService executorService = Executors.newCachedThreadPool(); + executorService.execute(() -> e1.func1()); + executorService.execute(() -> e1.func1()); +} +``` + +```java +0 1 2 3 4 5 6 7 8 9 0 1 2 3 4 5 6 7 8 9 +``` + +对于以下代码,两个线程调用了不同对象的同步代码块,因此这两个线程就不需要同步。从输出结果可以看出,两个线程交叉执行。 + +```java +public static void main(String[] args) { + SynchronizedExample e1 = new SynchronizedExample(); + SynchronizedExample e2 = new SynchronizedExample(); + ExecutorService executorService = Executors.newCachedThreadPool(); + executorService.execute(() -> e1.func1()); + executorService.execute(() -> e2.func1()); +} +``` + +```java +0 0 1 1 2 2 3 3 4 4 5 5 6 6 7 7 8 8 9 9 +``` + +**2. 同步一个方法** + +```java +public synchronized void func () { + // ... +} +``` + +它和同步代码块一样,作用于同一个对象。 + +**3. 同步一个类** + +```java +public void func() { + synchronized (SynchronizedExample.class) { + // ... + } +} +``` + +作用于整个类,也就是说两个线程调用同一个类的不同对象上的这种同步语句,也会进行同步。 + +```java +public class SynchronizedExample { + + public void func2() { + synchronized (SynchronizedExample.class) { + for (int i = 0; i < 10; i++) { + System.out.print(i + " "); + } + } + } +} +``` + +```java +public static void main(String[] args) { + SynchronizedExample e1 = new SynchronizedExample(); + SynchronizedExample e2 = new SynchronizedExample(); + ExecutorService executorService = Executors.newCachedThreadPool(); + executorService.execute(() -> e1.func2()); + executorService.execute(() -> e2.func2()); +} +``` + +```java +0 1 2 3 4 5 6 7 8 9 0 1 2 3 4 5 6 7 8 9 +``` + +**4. 同步一个静态方法** + +```java +public synchronized static void fun() { + // ... +} +``` + +作用于整个类。 + +### ReentrantLock + +ReentrantLock 是 java.util.concurrent(J.U.C)包中的锁。 + +```java +public class LockExample { + + private Lock lock = new ReentrantLock(); + + public void func() { + lock.lock(); + try { + for (int i = 0; i < 10; i++) { + System.out.print(i + " "); + } + } finally { + lock.unlock(); // 确保释放锁,从而避免发生死锁。 + } + } +} +``` + +```java +public static void main(String[] args) { + LockExample lockExample = new LockExample(); + ExecutorService executorService = Executors.newCachedThreadPool(); + executorService.execute(() -> lockExample.func()); + executorService.execute(() -> lockExample.func()); +} +``` + +```java +0 1 2 3 4 5 6 7 8 9 0 1 2 3 4 5 6 7 8 9 +``` + + +### 比较 + +**1. 锁的实现** + +synchronized 是 JVM 实现的,而 ReentrantLock 是 JDK 实现的。 + +**2. 性能** + +新版本 Java 对 synchronized 进行了很多优化,例如自旋锁等,synchronized 与 ReentrantLock 大致相同。 + +**3. 等待可中断** + +当持有锁的线程长期不释放锁的时候,正在等待的线程可以选择放弃等待,改为处理其他事情。 + +ReentrantLock 可中断,而 synchronized 不行。 + +**4. 公平锁** + +公平锁是指多个线程在等待同一个锁时,必须按照申请锁的时间顺序来依次获得锁。 + +synchronized 中的锁是非公平的,ReentrantLock 默认情况下也是非公平的,但是也可以是公平的。 + +**5. 锁绑定多个条件** + +一个 ReentrantLock 可以同时绑定多个 Condition 对象。 + +### 使用选择 + +除非需要使用 ReentrantLock 的高级功能,否则优先使用 synchronized。这是因为 synchronized 是 JVM 实现的一种锁机制,JVM 原生地支持它,而 ReentrantLock 不是所有的 JDK 版本都支持。并且使用 synchronized 不用担心没有释放锁而导致死锁问题,因为 JVM 会确保锁的释放。 + + + +## 六、乐观锁和悲观锁 + +### 乐观锁和悲观锁概述 + +- 乐观锁 + +总是假设最好的情况,每次去读数据的时候都认为别人不会修改,所以不会上锁, 但是在更新的时候会判断一下在此期间有没有其他线程更新该数据。 + +乐观锁适用于**多读**的应用类型,这样可以提高吞吐量,像数据库提供的类似于 write_condition 机制,其实都是提供的乐观锁。 在 Java 中 java.util.concurrent.atomic 包下面的**原子变量类**就是基于 CAS 实现的乐观锁。 + +- 悲观锁 + +总是假设最坏的情况,每次去读数据的时候都认为别人会修改,所以**每次在读数据的时候都会上锁**, 这样别人想读取数据就会阻塞直到它获取锁 (共享资源每次只给一个线程使用,其它线程阻塞,用完后再把资源转让给其它线程)。 + +传统的关系型数据库里边就用到了很多悲观锁机制,比如行锁,表锁等,读锁,写锁等,都是在做操作之前先上锁。 Java 中 **synchronized** 和 **ReentrantLock** 等独占锁就是悲观锁思想的实现。 + +注意: + +乐观锁好比生活中乐观的人总是想着事情往好的方向发展,悲观锁好比生活中悲观的人总是想着事情往坏的方向发展。 这两种人各有优缺点,不能不以场景而定说一种人好于另外一种人。 + +### 乐观锁详解 + +#### 实现方式 + +乐观锁的两种实现方式: + +- **版本号控制** + +一般是在数据表中加上一个数据版本号 version 字段,表示数据被修改的次数。当数据被修改时,version++ 即可。 当线程 A 要更新数据值时,在读取数据的同时也会读取 version 值, 在提交更新时,若刚才读取到的version 值为当前数据库中的 version 值相等时才更新, 否则重试更新操作,直到更新成功。 + +举个例子:假设数据库中帐户信息表中有一个 version 字段,并且 version=1。当前帐户余额(balance)为 $100 。 + +``` +1、操作员 A 此时将其读出 (version=1),并从其帐户余额中扣除 $50($100-$50)。 + +2、操作员 A 操作的同事操作员 B 也读入此用户信息(version=1),并从其帐户余额中扣除 $20($100-$20)。 + +3、操作员 A 完成了修改工作,version++(version=2),连同帐户扣除后余额(balance=$50),提交至数据库。 + +4、此时,提交数据版本大于数据库记录当前版本,数据被更新,数据库记录 version 更新为 2 。 + +5、操作员 B 完成了操作,也将版本号version++(version=2)试图向数据库提交数据(balance=$80), + +6、 此时比对数据库记录版本时发现,操作员 B 提交的数据版本号为 2 ,数据库记录当前版本也为 2 , +不满足**提交版本必须大于记录当前版本才能执行更新**的乐观锁策略,操作员 B 的提交被驳回。 +``` + +- **CAS 算法** + +乐观锁需要操作和冲突检测这两个步骤具备原子性,这里就不能再使用互斥同步来保证了,只能靠硬件来完成。硬件支持的原子性操作最典型的是:比较并交换(Compare-and-Swap,CAS)。CAS 指令需要有 3 个操作数,分别是内存地址 V、旧的预期值 A 和新值 B。当执行操作时,只有当 V 的值等于 A,才将 V 的值更新为 B。 + +CAS 有效地说明了“我认为位置 V 应该包含值 A ;如果包含该值,则将B放到这个位置;否则,不要更改该位置,只告诉我这个位置现在的值即可“。 + +#### 缺点 + +- **ABA 问题** + +如果一个变量初次读取的时候是 A 值,它的值被改成了 B,后来又被改回为 A,那 CAS 操作就会误认为它从来没有被改变过。 + +J.U.C 包提供了一个带有标记的原子引用类 AtomicStampedReference 来解决这个问题, 它可以通过控制变量值的版本来保证 CAS 的正确性。 大部分情况下 ABA 问题不会影响程序并发的正确性, 如果需要解决 ABA 问题,改用传统的互斥同步可能会比原子类更高效。 + +- **自旋时间长开销大** + +自旋CAS(也就是**不成功就一直循环执行直到成功**)如果长时间不成功,会给 CPU 带来非常大的执行开销。 如果JVM 能支持处理器提供的 pause 指令那么效率会有一定的提升,pause 指令有两个作用: 第一它可以延迟流水线执行指令(de-pipeline),使CPU不会消耗过多的执行资源, 延迟的时间取决于具体实现的版本,在一些处理器上延迟时间是零;第二它可以避免在退出循环的时候因内存顺序冲突(memory order violation) 而引起 CPU 流水线被清空(CPU pipeline flush),从而提高CPU的执行效率。 + +- **只能保证一个共享变量的原子操作** + +**CAS 只对单个共享变量有效**,当操作涉及跨多个共享变量时 CAS 无效。 但是从 JDK 1.5开始,提供了AtomicReference 类来保证引用对象之间的原子性, 可以把多个变量封装成对象里来进行 CAS 操作。所以我们可以使用锁或者利用 AtomicReference 类把多个共享变量封装成一个共享变量来操作。 + +### CAS 与 synchronized 使用情景 + +- 对于资源竞争较少(线程冲突较轻)的情况, 使用 synchronized 同步锁进行线程阻塞和唤醒切换以及用户态内核态间的切换操作额外浪费消耗 CPU 资源; CAS 基于硬件实现,不需要进入内核,不需要切换线程,操作自旋几率较少,因此可以获得更高的性能。 +- 对于资源竞争严重(线程冲突严重)的情况,CAS 自旋的概率会比较大, 从而浪费更多的 CPU 资源,效率低于 synchronized。 + +总结为一句话:CAS 适用于写比较少的情况(多读场景,冲突一般较少) ; synchronized 适用于写比较多的情况(多写场景,冲突一般较多)。 + + + +## 七、Java 锁机制 + +### Lock 简介 + +锁是用来控制多个线程访问共享资源的方式,一般来说,一个锁能够防止多个线程同时访问共享资源。 在 Lock 接口出现之前,Java 程序主要是靠 synchronized 关键字实现锁功能的,而 JDK 5 之后,并发包中增加了 Lock 接口,它提供了与 synchronized 一样的锁功能。 虽然它失去了像 synchronize 关键字**隐式加锁解锁的便捷性**,但是却拥有了**锁获取和释放的可操作性**, 可中断的获取锁以及超时获取锁等多种synchronized关键字所不具备的同步特性。通常 Lock 使用如下: + +```java +public void testLock () { + lock.lock(); + try{ + ... + } finally { + lock.unlock(); + } +} +``` + +- **synchronized 同步块执行完成或者遇到异常是锁会自动释放,** +- **Lock必须调用unlock()方法释放锁,因此在 finally 块中释放锁**。 + +Lock 接口 API: + +| 方法 | 说明 | +| :----------------------------------------------------------: | :----------------------------------------------------------: | +| void lock() | 获取锁 | +| void lockInterruptibly() throws InterruptedException | 获取锁的过程能够响应中断 | +| boolean tryLock() | 非阻塞式响应中断能立即返回,获取锁放回true,反之返回fasle | +| boolean tryLock(long time, TimeUnit unit) throws InterruptedException | 超时获取锁,在超时内或者未中断的情况下能够获取锁 | +| Condition newCondition() | 获取与lock绑定的等待通知组件,当前线程必须获得了锁才能进行等待,进行等待时会先释放锁,当再次获取锁时才能从等待中返回 | + +ReentrantLock 类: + +```java +public class ReentrantLock implements Lock, java.io.Serializable { + private static final long serialVersionUID = 7373984872572414699L; + + /** Synchronizer providing all implementation mechanics */ + private final Sync sync; + + /** + * Base of synchronization control for this lock. Subclassed + * into fair and nonfair versions below. Uses AQS state to + * represent the number of holds on the lock. + */ + abstract static class Sync extends AbstractQueuedSynchronizer { + //... + } + //... +} +``` + +显然 ReentrantLock 实现了 Lock 接口,接下来我们来仔细研究一下它是怎样实现的。ReentrantLock 中并没有多少代码, 另外有一个很明显的特点是:基本上所有的方法的实现实际上都是调用了其**静态内存类 Sync** 中的方法, 而 Sync 类继承了 AbstractQueuedSynchronizer(AQS)。 可以看出要想理解 ReentrantLock 关键核心在于对队列同步器 AbstractQueuedSynchronizer(简称同步器)的理解。 + +### 队列同步器(AQS) + +队列同步器是用来**构建锁和其他同步组件的基础框架**。它的实现主要依赖一个 int 成员变量来表示同步状态以及通过一个 FIFO 队列构成等待队列。 它的子类必须重写 AQS 的几个 protected 修饰的用来**改变同步状态的方法**,其他方法主要是实现了排队和阻塞机制。状态的更新使用 **getState** , **setState** 以及 **compareAndSetState** 这三个方法。 + +子类被推荐定义为自定义同步组件的**静态内部类**,同步器自身没有实现任何同步接口, 它仅仅是定义了若干同步状态的获取和释放方法来供自定义同步组件使用, 同步器既支持**独占式获取同步状态**, 也可以支持**共享式获取同步状态**, 这样就可以方便的实现不同类型的同步组件。 + +同步器是实现锁(也可以是任意同步组件)的关键,在锁的实现中**聚合同步器**,利用同步器实现锁的语义。 可以这样理解二者的关系: + +- 锁是面向**使用者**,它定义了使用者与锁交互的接口,隐藏了实现细节 +- 同步器是面向**锁的实现者**,它简化了锁的实现方式,屏蔽了同步状态的管理,线程的排队,等待和唤醒等底层操作。 + +锁和同步器很好的隔离了使用者和实现者所需关注的领域。 + +AQS 使用**模板方法设计模式**,它**将一些方法开放给子类进行重写**, 而同步器给同步组件所提供模板方法又会重新调用被子类所重写的方法。比如,AQS 中需要重写的方法 tryAcquire: + +```java +protected boolean tryAcquire(int arg) { + throw new UnsupportedOperationException(); +} +``` + +ReentrantLock 中的 NonfairSync(继承 AQS)重写该方法为: + +```java +protected final boolean tryAcquire(int acquires) { + return nonfairTryAcquire(acquires); +} +``` + +AQS 的方法,可以归纳如下: + +- 同步组件(这里不仅仅指锁,还包括 CountDownLatch 等)的实现依赖于队列同步器 AQS, 在同步组件实现中,使用 AQS 的方式被推荐定义继承 AQS 的静态内部类 +- AQS 采用模板方法进行设计,AQS 的 protected 修饰的方法需要由继承 AQS 的子类进行重写实现, 当调用AQS 的子类的方法时就会调用被重写的方法 +- AQS 负责同步状态的管理,线程的排队,等待和唤醒这些底层操作,而 Lock 等同步组件主要专注于实现同步语义 +- 在重写 AQS 的方式时,使用 AQS 提供的 getState() , setState(int newState), compareAndSetState(int expect,int update) 方法进行修改同步状态 + +AQS 提供的模板方法可以分为3类: + +- 独占式获取与释放同步状态 +- 共享式获取与释放同步状态 +- 查询同步队列中等待线程情况 + +在同步组件的实现中,AQS 是核心部分, 同步组件的实现者通过使用**AQS 提供的模板方法实现同步组件语义**, AQS 则实现了对同步状态的管理,以及对阻塞线程进行排队,等待通知等等一些底层的实现处理。 AQS 的核心也包括了这些方面:同步队列,独占式锁的获取和释放,共享锁的获取和释放以及可中断锁,超时等待锁获取等等, 而这些实际上则是 AQS 提供出来的模板方法,归纳整理如下: + +- 独占式锁 + +| 方法 | 说明 | +| :--------------------------------------------------: | :------------------------------------------------------------: | +| void acquire(int arg) | 独占式获取同步状态,如果获取失败则插入同步队列进行等待 | +| void acquireInterruptibly(int arg) | 与 acquire 方法相同,但在同步队列中进行等待的时候可以检测中断 | +| boolean tryAcquireNanos(int arg, long nanosTimeout) | 在 acquireInterruptibly 基础上增加了超时等待功能,在超时时间内没有获得同步状态返回 false | +| boolean release(int arg) | 释放同步状态,该方法会唤醒在同步队列中的下一个节点 | + +- 共享式锁 + +| 方法 | 说明 | +| :---------------------------------------------------------: | :------------------------------------------------------------: | +| void acquireShared(int arg) | 共享式获取同步状态,与独占式的区别在于同一时刻有多个线程获取同步状态 | +| void acquireSharedInterruptibly(int arg) | 在 acquireShared 方法基础上增加了能响应中断的功能 | +| boolean tryAcquireSharedNanos(int arg, long nanosTimeout) | 在 acquireSharedInterruptibly 基础上增加了超时等待的功能 | +| boolean releaseShared(int arg) | 共享式释放同步状态 | + +#### 同步队列 + +**同步队列是 AQS 对同步状态的管理的基石**。当共享资源被某个线程占有,其他请求该资源的线程将会**阻塞**,从而进入同步队列。 + +```java +static final class Node { + /** Marker to indicate a node is waiting in shared mode */ + static final Node SHARED = new Node(); + /** Marker to indicate a node is waiting in exclusive mode */ + static final Node EXCLUSIVE = null; + + //节点从同步队列中取消 + static final int CANCELLED = 1; + //后继节点的线程处于等待状态,如果当前节点释放同步状态会通知后继节点,使得后继节点的线程能够运行; + static final int SIGNAL = -1; + //当前节点进入等待队列中 + static final int CONDITION = -2; + //表示下一次共享式同步状态获取将会无条件传播下去 + static final int PROPAGATE = -3; + + //节点状态 + volatile int waitStatus; + + //当前节点/线程的前驱节点 + volatile Node prev; + + //当前节点/线程的后继节点 + volatile Node next; + + //加入同步队列的线程引用 + volatile Thread thread; + + //等待队列中的下一个节点 + Node nextWaiter; + + /** + * Returns true if node is waiting in shared mode. + */ + final boolean isShared() { + return nextWaiter == SHARED; + } + + /** + * Returns previous node, or throws NullPointerException if null. + * Use when predecessor cannot be null. The null check could + * be elided, but is present to help the VM. + * + * @return the predecessor of this node + */ + final Node predecessor() throws NullPointerException { + Node p = prev; + if (p == null) + throw new NullPointerException(); + else + return p; + } + + Node() { // Used to establish initial head or SHARED marker + } + + Node(Thread thread, Node mode) { // Used by addWaiter + this.nextWaiter = mode; + this.thread = thread; + } + + Node(Thread thread, int waitStatus) { // Used by Condition + this.waitStatus = waitStatus; + this.thread = thread; + } +} +``` + +每个节点拥有其前驱和后继节点,很显然这是一个**双向队列**。 + +另外 AQS 中有两个重要的成员变量: + +```java +private transient volatile Node head; +private transient volatile Node tail; +``` + +同步队列数据结构: + +
+ +同步队列是一个双向队列,AQS 通过持有头尾指针管理同步队列,节点的入队和出队操作,实际上这对应着锁的获取和释放。 + +- 获取锁失败进行入队操作 +- 获取锁成功进行出队操作 + +#### 独占锁 + +```java +public class LockDemo { + private static ReentrantLock lock = new ReentrantLock(); + + public static void main(String[] args) { + for (int i = 0; i < 5; i++) { + Thread thread = new Thread(() -> { + lock.lock(); + try { + Thread.sleep(10000); + } catch (InterruptedException e) { + e.printStackTrace(); + } finally { + lock.unlock(); + } + }); + thread.start(); + } + } +} +``` + +> **独占锁的获取** + +调用 lock() 方法获取独占锁,获取失败就将当前线程加入同步队列,成功则线程执行。lock() 实际上会**调用 AQS 的 acquire() 方法**: + +```java +public final void acquire(int arg) { + //同步状态是否获取成功 + //如果成功,则方法结束返回 + //如果失败,则先调用 addWaiter()方法,再调用 acquireQueued() 方法 + if (!tryAcquire(arg) && //tryAcquire(arg) 尝试获取同步状态 + acquireQueued(addWaiter(Node.EXCLUSIVE), arg)) + selfInterrupt(); +} +``` + +当线程获取独占式锁失败后就会将当前线程加入同步队列。先调用 addWaiter()方法,再调用 acquireQueued() 方法。 + +```java +private Node addWaiter(Node mode) { + // 1. 将当前线程构建成 Node 类型 + Node node = new Node(Thread.currentThread(), mode); + // Try the fast path of enq; backup to full enq on failure + // 2. 当前尾节点是否为 null? + Node pred = tail; + if (pred != null) { //4. 当前同步队列尾节点不为 null,将当前节点插入同步队列中(尾插法) + node.prev = pred; + if (compareAndSetTail(pred, node)) { + pred.next = node; + return node; + } + } + //3.当前同步队列尾节点为 null,说明当前线程是第一个加入同步队列进行等待的线程 + enq(node); + return node; +} +``` + +如果 if (compareAndSetTail(pred, node)) == false 怎么办? 那么会继续执行到 enq() 方法,同时很明显compareAndSetTail 是一个 CAS 操作, 通常来说如果 CAS 操作失败会继续自旋(死循环)进行重试。 因此,经过我们这样的分析,enq() 方法可能承担两个任务: + +- 处理当前同步队列尾节点为 null 时进行入队操作 +- CAS 操作插入节点失败后负责自旋进行重试 + +```java +private Node enq(final Node node) { + for (;;) { + Node t = tail; + if (t == null) { // Must initialize + //1. 构造头结点 + if (compareAndSetHead(new Node())) + tail = head; + } else { + // 2. 尾插法,CAS 操作失败自旋尝试 + node.prev = t; + if (compareAndSetTail(t, node)) { + //compareAndSetTail(t, node)==false 则循环不能结束,从而实现自旋 + t.next = node; + return t; + } + } + } +} +``` + +可以看出在第 1 步中会先创建头结点,说明**同步队列是带头结点的链式存储结构**。 (带头结点与不带头结点相比,会在入队和出队的操作中获得更大的便捷性)。 + +那么带头节点的队列初始化时机是什么? + +当然是在 tail 为 null 时,即**当前线程是第一次插入同步队列**。 compareAndSetTail(t, node) 方法会利用 CAS 操作设置尾节点, 如果 CAS 操作失败会在 for 死循环中不断尝试,直至成功 return 为止。 因此,对 enq() 方法可以做这样的总结: + +- 在当前线程是第一个加入同步队列时,调用 compareAndSetHead(new Node()) 方法,完成链式队列的头结点的初始化 +- 自旋不断尝试 CAS 尾插法插入节点直至成功为止 + +以上是获取独占式锁失败的线程包装成 Node, 然后插入同步队列的过程。 + +同步队列中的节点(线程)会做什么事情来保证自己能够有机会获得独占式锁? 带着这样的问题我们就来看看acquireQueued() 方法,该方法的作用就是**排队获取锁**的过程: + +```java +final boolean acquireQueued(final Node node, int arg) { + boolean failed = true; + try { + boolean interrupted = false; + for (;;) { //自旋 + // 1. 获得当前节点的前驱节点 + final Node p = node.predecessor(); + // 2. 当前节点能否获取独占式锁 + // 2.1 如果当前节点的前驱节点是头结点并且成功获取同步状态,即可以获得独占式锁 + //=========获取锁的节点出队======== + if (p == head && tryAcquire(arg)) { + //队列头指针用指向当前节点 + setHead(node); + //释放前驱节点 + p.next = null; // help GC + failed = false; + return interrupted; + } + //============================== + // 2.2 获取锁失败,线程进入等待状态等待获取独占式锁 + //==========获取锁失败============ + if (shouldParkAfterFailedAcquire(p, node) && + parkAndCheckInterrupt()) + interrupted = true; + //============================== + } + } finally { + if (failed) + cancelAcquire(node); + } +} +``` + +先获取当前节点的前驱节点,如果前驱节点是头结点的并且成功获得同步状态的时候 (if (p == head && tryAcquire(arg))),当前节点所指向的线程能够获取锁。 反之,获取锁失败进入等待状态。 + + + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/blog/aqs_2.png) + + + +acquireQueued() 方法中,获取锁的节点出队。 + +```java +if (p == head && tryAcquire(arg)) { // p 是 node 节点的前驱节点 + //队列头指针用指向当前节点 + setHead(node); + //释放前驱节点 + p.next = null; // help GC + failed = false; + return interrupted; +} +``` + +setHead() 方法: + +```java +private void setHead(Node node) { + head = node; + node.thread = null; + node.prev = null; +} +``` + +将当前节点通过 setHead() 方法设置为队列的头结点, 然后将之前的头结点的 next 域设置为 null 并且 pre 域也为 null, 即与队列断开,无任何引用方便 GC 时能够将内存进行回收。 + + + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/blog/aqs_3.png) + + + +获取锁失败,会调用 shouldParkAfterFailedAcquire() 方法和 parkAndCheckInterrupt() 方法: + +```java +private static boolean shouldParkAfterFailedAcquire(Node pred, Node node) { + int ws = pred.waitStatus; + if (ws == Node.SIGNAL) + /* + * This node has already set status asking a release + * to signal it, so it can safely park. + */ + return true; + if (ws > 0) + /* + * Predecessor was cancelled. Skip over predecessors and + * indicate retry. + */ + do { + node.prev = pred = pred.prev; + } while (pred.waitStatus > 0); + pred.next = node; + } else { + /* + * waitStatus must be 0 or PROPAGATE. Indicate that we + * need a signal, but don't park yet. Caller will need to + * retry to make sure it cannot acquire before parking. + */ + //使用CAS将节点状态由INITIAL设置成SIGNAL,表示当前线程阻塞 + compareAndSetWaitStatus(pred, ws, Node.SIGNAL); + } + return false; +} +``` + +shouldParkAfterFailedAcquire() 方法主要逻辑是使用 compareAndSetWaitStatus(pred, ws, Node.SIGNAL) 使用CAS 将节点状态由 INITIAL 设置成 SIGNAL,表示当前线程阻塞。 当 compareAndSetWaitStatus 设置失败则说明shouldParkAfterFailedAcquire() 方法返回 false, 然后会在 acquireQueued() 方法中 for 死循环中会继续重试,直至 compareAndSetWaitStatus 设置节点状态位为 SIGNAL 时,shouldParkAfterFailedAcquire() 返回 true 时, 才会执行方法 parkAndCheckInterrupt() 方法。 + +```java +private final boolean parkAndCheckInterrupt() { + //阻塞当前线程 + LockSupport.park(this); + return Thread.interrupted(); +} +``` + +acquireQueued() 在自旋过程中主要完成了两件事情: + +- **如果当前节点的前驱节点是头节点,并且能够获得同步状态的话,那么当前线程能够获得锁该方法能够执行结束** +- **获取锁失败的话,先将节点状态设置成 SIGNAL,然后调用 LookSupport.park() 方法使得当前线程阻塞** + +独占式锁的获取过程也就是 acquire() 方法的执行流程如下图: + + + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/blog/aqs_4.png) + + + +> **独占锁的释放** + +```java +public final boolean release(int arg) { + if (tryRelease(arg)) { + Node h = head; + if (h != null && h.waitStatus != 0) + unparkSuccessor(h); + return true; + } + return false; +} +``` + +如果同步状态释放成功( tryRelease 返回 true )则会执行 if 块中的代码, 当 head 指向的头结点不为 null,并且该节点的状态值不为 0 的话,才会执行 unparkSuccessor() 方法。 + +unparkSuccessor()方法: + +```java +private void unparkSuccessor(Node node) { + /* + * If status is negative (i.e., possibly needing signal) try + * to clear in anticipation of signalling. It is OK if this + * fails or if status is changed by waiting thread. + */ + int ws = node.waitStatus; + if (ws < 0) + compareAndSetWaitStatus(node, ws, 0); + + /* + * Thread to unpark is held in successor, which is normally + * just the next node. But if cancelled or apparently null, + * traverse backwards from tail to find the actual + * non-cancelled successor. + */ + + //头节点的后继节点 + Node s = node.next; + if (s == null || s.waitStatus > 0) { + s = null; + for (Node t = tail; t != null && t != node; t = t.prev) + if (t.waitStatus <= 0) + s = t; + } + if (s != null) + //后继节点不为 null 时唤醒该线程 + LockSupport.unpark(s.thread); +} +``` + +获取头节点的后继节点,当后继节点不为 null 时会调用 LookSupport.unpark() 方法,该方法会唤醒该节点的后继节点所包装的线程。 因此,**每一次锁释放后就会唤醒队列中该节点的后继节点所引用的线程,从而进一步可以佐证获得锁的过程是一个FIFO(先进先出)的过程**。 + +独占式锁的获取和释放总结如下: + +- 线程获取锁失败,线程被封装成 Node 进行入队操作,核心方法在于 addWaiter() 和 enq(), 同时 enq() 完成对同步队列的头结点初始化工作以及 CAS 操作失败的重试 +- 线程获取锁是一个自旋的过程,当且仅当**当前节点的前驱节点是头结点并且成功获得同步状态时**, 节点出队即该节点引用的线程获得锁,否则,当不满足条件时就会调用 LookSupport.park() 方法使得线程阻塞 +- 释放锁的时候会唤醒后继节点 + +总体来说:在获取同步状态时,AQS 维护一个同步队列, 获取同步状态失败的线程会加入到队列中进行自旋; 移除队列(或停止自旋)的条件是前驱节点是头结点并且成功获得了同步状态。 在释放同步状态时,同步器会调用unparkSuccessor() 方法唤醒后继节点。 + +> **可中断式获取锁** + +Lock 相较于 synchronized 有一些更方便的特性,比如能响应中断以及超时等待等特性。可响应中断式锁可调用方法 lock.lockInterruptibly() ,该方法其底层会调用 AQS 的 acquireInterruptibly() 方法。 + +```java +public final void acquireInterruptibly(int arg) + throws InterruptedException { + if (Thread.interrupted()) + throw new InterruptedException(); + if (!tryAcquire(arg)) + //线程获取锁失败 + doAcquireInterruptibly(arg); +} +``` + +在获取同步状态失败后就会调用 doAcquireInterruptibly()。 + +```java +private void doAcquireInterruptibly(int arg) + throws InterruptedException { + //将节点插入到同步队列中 + final Node node = addWaiter(Node.EXCLUSIVE); + boolean failed = true; + try { + for (;;) { + final Node p = node.predecessor(); + //获取锁出队 + if (p == head && tryAcquire(arg)) { + setHead(node); + p.next = null; // help GC + failed = false; + return; + } + if (shouldParkAfterFailedAcquire(p, node) && + parkAndCheckInterrupt()) + //线程中断抛异常 + throw new InterruptedException(); + } + } finally { + if (failed) + cancelAcquire(node); + } +} +``` + +与 acquire 方法逻辑几乎一致,唯一的区别是当 parkAndCheckInterrupt 返回 true 时即线程阻塞时该线程被中断,代码抛出被中断异常。 + +> **超时等待获取锁** + +通过调用 lock.tryLock(timeout,TimeUnit) 方式达到超时等待获取锁的效果,该方法在三种情况下才会返回: + +- 在超时时间内,当前线程成功获取了锁 +- 当前线程在超时时间内被中断 +- 超时时间结束,仍未获得锁返回 false + +该方法会调用 AQS 的 tryAcquireNanos() 方法 + +```java +public final boolean tryAcquireNanos(int arg, long nanosTimeout) + throws InterruptedException { + if (Thread.interrupted()) + throw new InterruptedException(); + return tryAcquire(arg) || + //实现超时等待的效果 + doAcquireNanos(arg, nanosTimeout); +} +``` + +doAcquireNanos() 方法实现超时等待的效果。 + +```java +private boolean doAcquireNanos(int arg, long nanosTimeout) + throws InterruptedException { + if (nanosTimeout <= 0L) + return false; + //1. 根据超时时间和当前时间计算出截止时间 + final long deadline = System.nanoTime() + nanosTimeout; + final Node node = addWaiter(Node.EXCLUSIVE); + boolean failed = true; + try { + for (;;) { + final Node p = node.predecessor(); + //2. 当前线程获得锁出队列 + if (p == head && tryAcquire(arg)) { + setHead(node); + p.next = null; // help GC + failed = false; + return true; + } + // 3.1 重新计算超时时间 + nanosTimeout = deadline - System.nanoTime(); + // 3.2 已经超时返回false + if (nanosTimeout <= 0L) + return false; + // 3.3 线程阻塞等待 + if (shouldParkAfterFailedAcquire(p, node) && + nanosTimeout > spinForTimeoutThreshold) + LockSupport.parkNanos(this, nanosTimeout); + // 3.4 线程被中断抛出被中断异常 + if (Thread.interrupted()) + throw new InterruptedException(); + } + } finally { + if (failed) + cancelAcquire(node); + } +} +``` + +程序逻辑同独占锁可响应中断式获取基本一致, 唯一的不同在于获取锁失败后,**对超时时间的处理上**, 在第 1 步会先计算出按照现在时间和超时时间计算出理论上的截止时间, 比如当前时间是 8 h10 min,超时时间是 10 min,那么根据 deadline = System.nanoTime() + nanosTimeout 计算出刚好达到超时时间时的系统时间就是 8 h 10 min + 10 min = 8 h 20 min。 然后根据 deadline - System.nanoTime() 就可以判断是否已经超时了, 比如,当前系统时间是 8 h 30 min很明显已经超过了理论上的系统时间 8 h 20 min,deadline - System.nanoTime() 计算出来就是一个负数,自然而然会在 3.2 步中的 if 判断返回 false。 如果还没有超时即 3.2 步中的 if 判断为 true 时就会继续执行 3.3 步通过 LockSupport.parkNanos 使得当前线程阻塞, 同时在 3.4 步增加了对中断的检测,若检测出被中断直接抛出被中断异常。 + +#### 共享锁 + +> **共享锁的获取** + +共享锁的获取方法为 acquireShared()。 + +```java +public final void acquireShared(int arg) { + if (tryAcquireShared(arg) < 0) + doAcquireShared(arg); +} +``` + +在该方法中会首先调用 tryAcquireShared 方法, tryAcquireShared 返回值是一个 int 类型,当返回值为大于等于0 的时候方法结束说明获得成功获取锁, 否则,表明获取同步状态失败即所引用的线程获取锁失败,会执行doAcquireShared 方法。 + +```java +rivate void doAcquireShared(int arg) { + final Node node = addWaiter(Node.SHARED); + boolean failed = true; + try { + boolean interrupted = false; + for (;;) { + final Node p = node.predecessor(); + if (p == head) { + int r = tryAcquireShared(arg); + if (r >= 0) { + // 当该节点的前驱节点是头结点且成功获取同步状态 + setHeadAndPropagate(node, r); + p.next = null; // help GC + if (interrupted) + selfInterrupt(); + failed = false; + return; + } + } + if (shouldParkAfterFailedAcquire(p, node) && + parkAndCheckInterrupt()) + interrupted = true; + } + } finally { + if (failed) + cancelAcquire(node); + } +} +``` + +逻辑几乎和独占式锁的获取一模一样,这里的自旋过程中能够退出的条件是**当前节点的前驱节点是头结点并且tryAcquireShared(arg) 返回值大于等于0即能成功获得同步状态**。 + +> **共享锁的释放** + +共享锁的释放在 AQS 中会调用 releaseShared() 方法。 + +```java +public final boolean releaseShared(int arg) { + if (tryReleaseShared(arg)) { + doReleaseShared(); + return true; + } + return false; +} +``` + +当成功释放同步状态之后即 tryReleaseShared 会继续执行 doReleaseShared()。 + +```java +private void doReleaseShared() { + /* + * Ensure that a release propagates, even if there are other + * in-progress acquires/releases. This proceeds in the usual + * way of trying to unparkSuccessor of head if it needs + * signal. But if it does not, status is set to PROPAGATE to + * ensure that upon release, propagation continues. + * Additionally, we must loop in case a new node is added + * while we are doing this. Also, unlike other uses of + * unparkSuccessor, we need to know if CAS to reset status + * fails, if so rechecking. + */ + for (;;) { + Node h = head; + if (h != null && h != tail) { + int ws = h.waitStatus; + if (ws == Node.SIGNAL) { + if (!compareAndSetWaitStatus(h, Node.SIGNAL, 0)) + continue; // loop to recheck cases + unparkSuccessor(h); + } + else if (ws == 0 && + !compareAndSetWaitStatus(h, 0, Node.PROPAGATE)) + continue; // loop on failed CAS + } + if (h == head) // loop if head changed + break; + } +} +``` + +跟独占式锁释放过程有点不同,在共享式锁的释放过程中, 对于能够支持多个线程同时访问的并发组件,必须**保证多个线程能够安全的释放同步状态**, 这里采用的 CAS 保证,当 CAS 操作失败 continue,在下一次循环中进行重试。 + +> **可中断式和超时等待获取共享锁** + +可中断锁以及超时等待获取共享锁和可中断获取锁以及超时等待获取独占锁的实现几乎一致。 + +### ReentrantLock + +ReentrantLock 重入锁,是**实现 Lock 接口的一个类**,也是在实际编程中使用频率很高的一个锁, 支持重入性,表示能够对共享资源能够重复加锁,即当前线程获取到锁之后能够再次获取该锁而不会被锁所阻塞。 ReentrantLock 还支持公平锁和非公平锁两种方式。 + +#### 实现可重入 + +要想支持重入性,就要解决两个问题: + +- 第一个问题:在线程获取锁的时候,如果已经获取锁的线程是当前线程的话则直接再次获取成功 +- 第二个问题:由于锁会被获取 n 次,那么只有锁在被释放同样的 n 次之后,该锁才算是完全释放成功 + +ReentrantLock 是怎样实现的(以非公平锁为例)。 + +针对第一个问题,判断当前线程能否获得锁,核心方法为 nonfairTryAcquire(): + +```java +final boolean nonfairTryAcquire(int acquires) { + final Thread current = Thread.currentThread(); + int c = getState(); + //1. 如果该锁未被任何线程占有,该锁能被当前线程获取 + if (c == 0) { + if (compareAndSetState(0, acquires)) { + setExclusiveOwnerThread(current); + return true; + } + } + //2.若被占有,检查占有线程是否是当前线程 + else if (current == getExclusiveOwnerThread()) { + // 3. 再次获取,计数加一 + int nextc = c + acquires; + if (nextc < 0) // overflow + throw new Error("Maximum lock count exceeded"); + setState(nextc); + return true; + } + return false; +} +``` + +为了支持重入性,在第 2 步增加了处理逻辑:如果该锁已经被线程所占有了, 会继续检查占有线程是否为当前线程, 如果是的话,同步状态 +1 返回 true,表示可以再次获取成功。每次重新获取都会对同步状态进行 +1 的操作。 + +针对第二个问题,核心方法为 tryRelease()。 + +```java +protected final boolean tryRelease(int releases) { + //1. 同步状态减1 + int c = getState() - releases; + if (Thread.currentThread() != getExclusiveOwnerThread()) + throw new IllegalMonitorStateException(); + boolean free = false; + if (c == 0) { + //2. 只有当同步状态为0时,锁成功被释放,返回true + free = true; + setExclusiveOwnerThread(null); + } + // 3. 锁未被完全释放,返回false + setState(c); + return free; +} +``` + +重入锁的释放必须得等到同步状态为 0 时锁才算成功释放,否则锁仍未释放。 如果锁被获取 n 次,释放了 n-1次,该锁未完全释放返回 false,只有被释放 n 次才算成功释放,返回true。 + +#### 公平锁与非公平锁 + +ReentrantLock 支持两种锁: + +- 公平锁 +- 非公平锁 + +公平性与否是针对获取锁而言的,如果一个锁是公平的,那么锁的获取顺序就应该符合请求的绝对时间顺序,也就是 FIFO。 + +ReentrantLock 的无参构造方法是构造非公平锁。 + +```java +public ReentrantLock() { + sync = new NonfairSync(); +} +``` + +ReentrantLock 的有参构造方法,传入一个 boolean 值,true 时为公平锁,false 时为非公平锁。 + +```java +public ReentrantLock(boolean fair) { + sync = fair ? new FairSync() : new NonfairSync(); +} +``` + +公平锁的获取,tryAcquire()方法。 + +```java +protected final boolean tryAcquire(int acquires) { + final Thread current = Thread.currentThread(); + int c = getState(); + if (c == 0) { + if (!hasQueuedPredecessors() && + compareAndSetState(0, acquires)) { + setExclusiveOwnerThread(current); + return true; + } + } + else if (current == getExclusiveOwnerThread()) { + int nextc = c + acquires; + if (nextc < 0) + throw new Error("Maximum lock count exceeded"); + setState(nextc); + return true; + } + return false; + } +} +``` + +逻辑与 nonfairTryAcquire 基本上一致, 唯一的不同在于增加了 hasQueuedPredecessors 的逻辑判断,用来判断当前节点在同步队列中是否有前驱节点, **如果有前驱节点说明有线程比当前线程更早的请求资源,根据公平性,当前线程请求资源失败**。 如果当前节点没有前驱节点的话,才有做后面的逻辑判断的必要性。 + +**公平锁每次都是从同步队列中的第一个节点获取到锁, 而非公平性锁则不一定,有可能刚释放锁的线程能再次获取到锁**。 + +公平锁和非公平锁比较: + +| 公平锁 | 非公平锁 | +| :----------------------------------------------------------: | :----------------------------------------------------------: | +| 公平锁每次获取到锁为同步队列中的第一个节点,保证请求资源时间上的绝对顺序 | 非公平锁有可能刚释放锁的线程下次继续获取该锁,则有可能导致其他线程永远无法获取到锁,造成“饥饿”现象。 | +| 公平锁为了保证时间上的绝对顺序,需要频繁的上下文切换 | 非公平锁会降低一定的上下文切换,降低性能开销。
因此,ReentrantLock默认选择的是非公平锁 | + + + +### ReentrantReadWriteLock + +#### 读写锁简介 + +在并发场景中用于解决线程安全的问题,我们几乎会高频率的使用到独占式锁, 通常使用 Java 提供的关键字 synchronized 或者 concurrents 包中实现了 Lock 接口的 ReentrantLock。 它们都是**独占式获取锁,也就是在同一时刻只有一个线程能够获取锁**。 + +在一些业务场景中,大部分只是读数据,写数据很少,如果仅仅是读数据的话并不会影响数据正确性(出现脏读), 而如果在这种业务场景下,依然使用独占锁的话,很显然这将是出现性能瓶颈的地方。 + +针对这种**读多写少**的情况, Java 还提供了另外一个实现 Lock 接口的 ReentrantReadWriteLock。 **读写锁允许同一时刻被多个读线程访问,但是在写线程访问时,所有的读线程和其他的写线程都会被阻塞**。 + +读写锁的特性: + +| 特性 | 说明 | +| :--------: | :----------------------------------------------------------: | +| 公平性选择 | 支持非公平(默认)和公平锁获取方式 | +| 重进入 | 该锁支持重进入,以读写线程为例:读线程在获取了读锁之后,能够再次获取读锁。
而写线程在获取写锁之后能够再次获取写锁,同时也可以获取读锁 | +| 锁降级 | 遵循获取写锁、获取读锁再释放锁的次序,写锁能够降级成为读锁。 | + +要想能够彻底的理解读写锁必须能够理解这样几个问题: + +- 读写锁是怎样实现分别记录读写状态的? +- 写锁是怎样获取和释放的? +- 读锁是怎样获取和释放的? + +#### 写锁 + +> **写锁的获取** + +在同一时刻写锁是不能被多个线程所获取,很显然写锁是**独占式锁**, 而实现写锁的同步语义是通过重写 AQS 中的 tryAcquire() 方法实现的。 + +```java +@Override +protected final boolean tryAcquire(int acquires) { + Thread current = Thread.currentThread(); + // 1. 获取写锁当前的同步状态 + int c = getState(); + // 2. 获取写锁获取的次数 + int w = exclusiveCount(c); + if (c != 0) { + // (Note: if c != 0 and w == 0 then shared count != 0) + // 3.1 当读锁已被读线程获取或者当前线程不是已经获取写锁的线程的话 + // 当前线程获取写锁失败 + if (w == 0 || current != getExclusiveOwnerThread()) + return false; + //exclusiveCount()写锁的获取次数 + if (w + exclusiveCount(acquires) > MAX_COUNT) + throw new Error("Maximum lock count exceeded"); + // Reentrant acquire + // 3.2 当前线程获取写锁,支持可重复加锁 + setState(c + acquires); + return true; + } + // 3.3 写锁未被任何线程获取,当前线程可获取写锁 + if (writerShouldBlock() || + !compareAndSetState(c, c + acquires)) + return false; + setExclusiveOwnerThread(current); + return true; +} + +``` + +exclusiveCount() 方法。 + +```java +//EXCLUSIVE_MASK为1左移16位然后减1,即为0x0000FFFF +static final int EXCLUSIVE_MASK = (1 << SHARED_SHIFT) - 1; +static int exclusiveCount(int c) { + return c & EXCLUSIVE_MASK; +} +``` + +exclusiveCount() 方法是将同步状态(state 为 int 类型)与 0x0000FFFF 相与,即取同步状态的低 16 位。 而**同步状态的低16位用来表示写锁的获取次数**。 + +还有一个方法 sharedCount()。 + +```java +static int sharedCount(int c){ + return c >>> SHARED_SHIFT; +} + +``` + +sharedCount() 方法是获取读锁被获取的次数,是将同步状态 c 右移16位,即取同步状态的高16位, 而**同步状态的高16位用来表示读锁被获取的次数**。 + +
+ +tryAcquire() 其主要逻辑为:**当读锁已经被读线程获取或者写锁已经被其他写线程获取,则写锁获取失败;否则,获取成功并支持重入,增加写状态。** + +> **写锁的释放** + +写锁释放通过重写 AQS 的 tryRelease 方法 + +```java +protected final boolean tryRelease(int releases) { + if (!isHeldExclusively()) + throw new IllegalMonitorStateException(); + //1. 同步状态减去写状态 + int nextc = getState() - releases; + //2. 当前写状态是否为0,为0则释放写锁 + boolean free = exclusiveCount(nextc) == 0; + if (free) + setExclusiveOwnerThread(null); + //3. 不为0则更新同步状态 + setState(nextc); + return free; +} + +``` + +源码的实现逻辑与ReentrantLock基本一致,这里需要注意的是,减少写状态。 + +```java +int nextc = getState() - releases; +``` + +只需要用**当前同步状态直接减去写状态的原因正是我们刚才所说的写状态是由同步状态的低 16 位表示的**。 + +#### 读锁 + +> **读锁的获取** + +读锁不是独占式锁,即同一时刻该锁可以被多个读线程获取也就是一种共享式锁。按照之前对 AQS 介绍,实现共享式同步组件的同步语义需要通过重写 AQS 的 tryAcquireShared() 方法和 tryReleaseShared() 方法。 + +```java +protected final int tryAcquireShared(int unused) { + /* + * Walkthrough: + * 1. If write lock held by another thread, fail. + * 2. Otherwise, this thread is eligible for + * lock wrt state, so ask if it should block + * because of queue policy. If not, try + * to grant by CASing state and updating count. + * Note that step does not check for reentrant + * acquires, which is postponed to full version + * to avoid having to check hold count in + * the more typical non-reentrant case. + * 3. If step 2 fails either because thread + * apparently not eligible or CAS fails or count + * saturated, chain to version with full retry loop. + */ + Thread current = Thread.currentThread(); + int c = getState(); + //1. 如果写锁已经被获取并且获取写锁的线程不是当前线程的话,当前 + // 线程获取读锁失败返回-1 + if (exclusiveCount(c) != 0 && + getExclusiveOwnerThread() != current) + return -1; + int r = sharedCount(c); + if (!readerShouldBlock() && + r < MAX_COUNT && + //2. 当前线程获取读锁 + compareAndSetState(c, c + SHARED_UNIT)) { + //3. 下面的代码主要是新增的一些功能,比如getReadHoldCount()方法 + //返回当前获取读锁的次数 + if (r == 0) { + firstReader = current; + firstReaderHoldCount = 1; + } else if (firstReader == current) { + firstReaderHoldCount++; + } else { + HoldCounter rh = cachedHoldCounter; + if (rh == null || rh.tid != getThreadId(current)) + cachedHoldCounter = rh = readHolds.get(); + else if (rh.count == 0) + readHolds.set(rh); + rh.count++; + } + return 1; + } + //4. 处理在第二步中CAS操作失败的自旋已经实现重入性 + return fullTryAcquireShared(current); +} + +``` + +需要注意的是**当写锁被其他线程获取后,读锁获取失败**,否则获取成功利用 CAS 更新同步状态。另外,当前同步状态需要加上 SHARED_UNIT(`(1 << SHARED_SHIFT)`即0x00010000)的原因这是我们在上面所说的**同步状态的高 16 位用来表示读锁被获取的次数**。如果 CAS 失败或者已经获取读锁的线程再次获取读锁时,是靠fullTryAcquireShared() 方法实现的。 + +> **读锁的释放** + +读锁释放的实现主要通过方法 tryReleaseShared()。 + +```java +protected final boolean tryReleaseShared(int unused) { + Thread current = Thread.currentThread(); + // 前面还是为了实现getReadHoldCount等新功能 + if (firstReader == current) { + // assert firstReaderHoldCount > 0; + if (firstReaderHoldCount == 1) + firstReader = null; + else + firstReaderHoldCount--; + } else { + HoldCounter rh = cachedHoldCounter; + if (rh == null || rh.tid != getThreadId(current)) + rh = readHolds.get(); + int count = rh.count; + if (count <= 1) { + readHolds.remove(); + if (count <= 0) + throw unmatchedUnlockException(); + } + --rh.count; + } + for (;;) { + int c = getState(); + // 读锁释放 将同步状态减去读状态即可 + int nextc = c - SHARED_UNIT; + if (compareAndSetState(c, nextc)) + // Releasing the read lock has no effect on readers, + // but it may allow waiting writers to proceed if + // both read and write locks are now free. + return nextc == 0; + } +} +``` + +#### 锁降级 + +锁降级是指写锁降级成读锁。如果当前线程拥有写锁,然后将其释放,最后再获取读锁,这种分段完成的过程不能称之为锁降级。锁降级是指持有当前拥有的写锁,再获取到读锁,随后释放(先前拥有的)写锁的过程。 + +```java +void processCachedData() { + rwl.readLock().lock(); + if (!cacheValid) { + // 必须先释放读锁 + rwl.readLock().unlock(); + // 锁降级从获取到写锁开始 + rwl.writeLock().lock(); + try { + if (!cacheValid) { + //准备数据的流程 + //data = ... + cacheValid = true; + } + // 在释放写锁定前获取读锁,进行降级 + rwl.readLock().lock(); + } finally { + // 释放先前拥有的写锁 + rwl.writeLock().unlock(); // Unlock write, still hold read + } + //锁降级完成,写锁降级为读锁 + } + + try { + use(data); + } finally { + rwl.readLock().unlock(); + } + } +} +``` + +- 锁降级中读锁的获取是否必要呢? + +有必要。主要是为了保证数据的可见性。如果当前线程不获取读锁而是直接释放写锁,假设此刻另外一个线程 T 获取写锁并修改数据,那么当前线程无法感知线程 T 的数据更新。如果当前线程获取读锁,即遵循锁降级的步骤,则线程 T 会被阻塞,直到当前线程使用数据并释放读锁之后,线程 T 才能获取写锁进行数据更新。 + +- 读写锁支不支持锁升级? + +所谓锁升级,就是把持读锁、获取写锁,最后释放读锁的过程。读写锁不支持锁升级,目的是保证数据可见性。如果读锁已经被多个线程获取,其中任意线程成功获取了写锁并更新了数据,则其更新对其获取到读锁的线程是不可见的。 + +### Condition 的等待通知机制 + +#### Condition 简介 + +Object 类是 Java 中所有类的父类, 在线程间实现通信的往往会应用到 Object 的几个方法: wait() 、wait(long timeout)、wait(long timeout, int nanos) 与 notify()、notifyAll() 实现等待/通知机制。 + +在 Java Lock 体系下依然会有同样的方法实现等待/通知机制。 从整体上来看**Object 的 wait 和 notify / notifyAll 是与对象监视器配合完成线程间的等待/通知机制**;**Condition 与 Lock 配合完成等待/通知机制**。 前者是 Java 底层级别的,后者是语言级别的,具有更高的可控制性和扩展性。 两者除了在使用方式上不同外,在功能特性上还是有很多的不同: + +- Condition 能够支持不响应中断,而 Object 方式不支持 +- Condition 能够支持多个等待队列(new 多个Condition对象),而 Object 方式只能支持一个 +- Condition 能够支持超时时间的设置,而 Object 方式不支持 + +参照 Object 的 wait 和 notify / notifyAll 方法,Condition 也提供了同样的方法: + +> **针对 Object 的 wait 方法** + +| 方法 | 说明 | +| :----------------------------------------------------------: | :----------------------------------------------------------: | +| void await() throws InterruptedException | 当前线程进入等待状态,如果在等待状态中被中断会抛出被中断异常 | +| long awaitNanos(long nanosTimeout) | 当前线程进入等待状态直到被通知,中断或者超时 | +| boolean await(long time, TimeUnit unit) throws InterruptedException | 同 awaitNanos,支持自定义时间单位 | +| boolean awaitUntil(Date deadline) throws InterruptedException | 当前线程进入等待状态直到被通知,中断或者到了某个时间 | + +> **针对 Object 的 notify / notifyAll 方法** + +| 方法 | 说明 | +| :--------------: | :----------------------------------------------------------: | +| void signal() | 唤醒一个等待在 condition 上的线程,将该线程从等待队列中转移到同步队列中,
如果在同步队列中能够竞争到 Lock 则可以从等待方法中返回。 | +| void signalAll() | 能够唤醒所有等待在 condition 上的线程 | + +#### Condition 原理 + +通过 lock.newCondition() 创建一个 Condition 对象, 而这个方法实际上是会创建 ConditionObject 对象,该类是AQS 的一个内部类。 Condition 是要和 Lock 配合使用的,而 Lock 的实现原理又依赖于 AQS, 自然而然ConditionObject 作为 AQS 的一个内部类无可厚非。 我们知道在锁机制的实现上,AQS 内部维护了一个**同步队列**,如果是独占式锁的话, 所有获取锁失败的线程的尾插入到同步队列, 同样的,Condition内部也是使用同样的方式,内部维护了一个**等待队列**, 所有调用 condition.await 方法的线程会加入到等待队列中,并且线程状态转换为等待状态。 + +##### 等待队列 + +ConditionObject 中有两个成员变量: + +```java +/** First node of condition queue. */ +private transient Node firstWaiter; +/** Last node of condition queue. */ +private transient Node lastWaiter; +``` + +ConditionObject 通过持有等待队列的头尾指针来管理等待队列。 注意 Node 类复用了在 AQS 中的 Node 类,Node 类有这样一个属性: + +```java +//后继节点 +Node nextWaiter; +``` + +**等待队列是一个单向队列**,而在之前说 AQS **同步队列是一个双向队列**。 + +
+ +注意: 我们可以多次调用 lock.newCondition() 方法创建多个 Condition 对象,也就是一个 Lock 可以持有多个等待队列。 利用 Object 的方式实际上是指在对象 Object 对象监视器上只能拥有一个同步队列和一个等待队列; 并发包中的 Lock 拥有一个同步队列和多个等待队列。示意图如下: + +
+ +ConditionObject 是 AQS 的内部类, 因此每个 ConditionObject能够访问到 AQS 提供的方法,**相当于每个Condition 都拥有所属同步器的引用**。 + +##### await 实现原理 + +**当调用 condition.await() 方法后会使得当前获取 Lock 的线程进入到等待队列, 如果该线程能够从 await() 方法返回的话一定是该线程获取了与 condition 相关联的 Lock**。 + +```java +public final void await() throws InterruptedException { + if (Thread.interrupted()) + throw new InterruptedException(); + // 1. 将当前线程包装成 Node,尾插法插入到等待队列中 + Node node = addConditionWaiter(); + // 2. 释放当前线程所占用的lock,在释放的过程中会唤醒同步队列中的下一个节点 + int savedState = fullyRelease(node); + int interruptMode = 0; + while (!isOnSyncQueue(node)) { + // 3. 当前线程进入到等待状态 + LockSupport.park(this); + if ((interruptMode = checkInterruptWhileWaiting(node)) != 0) + break; + } + // 4. 自旋等待获取到同步状态(即获取到lock) + if (acquireQueued(node, savedState) && interruptMode != THROW_IE) + interruptMode = REINTERRUPT; + if (node.nextWaiter != null) // clean up if cancelled + unlinkCancelledWaiters(); + // 5. 处理被中断的情况 + if (interruptMode != 0) + reportInterruptAfterWait(interruptMode); +} +``` + +**当前线程调用 condition.await() 方法后,会使得当前线程释放 Lock 然后加入到等待队列中, 直至被 signal / signalAll 后会使得当前线程从等待队列中移至到同步队列中去, 直到获得了 Lock 后才会从 await 方法返回,或者在等待时被中断会做中断处理**。 + +addConditionWaiter() 将当前线程添加到等待队列中。 + +```java +private Node addConditionWaiter() { + Node t = lastWaiter; + // If lastWaiter is cancelled, clean out. + if (t != null && t.waitStatus != Node.CONDITION) { + unlinkCancelledWaiters(); + t = lastWaiter; + } + //将当前线程包装成Node + Node node = new Node(Thread.currentThread(), Node.CONDITION); + if (t == null) //t==null,同步队列为空的情况 + firstWaiter = node; + else + //尾插法 + t.nextWaiter = node; + //更新lastWaiter + lastWaiter = node; + return node; +} +``` + +通过尾插法将当前线程封装的 Node 插入到等待队列中, 同时可以看出**等待队列是一个不带头结点的链式队列**,之前我们学习 AQS 时知道**同步队列是一个带头结点的链式队列**。 + +将当前节点插入到等待队列后,使用 fullyRelease() 方法使当前线程释放 Lock 。 + +``` +final int fullyRelease(Node node) { + boolean failed = true; + try { + int savedState = getState(); + if (release(savedState)) { + //成功释放同步状态 + failed = false; + return savedState; + } else { + //不成功释放同步状态抛出异常 + throw new IllegalMonitorStateException(); + } + } finally { + if (failed) + node.waitStatus = Node.CANCELLED; + } +} + +``` + +**调用 AQS 的模板方法 release 方法释放 AQS 的同步状态并且唤醒在同步队列中头结点的后继节点引用的线程**,如果释放成功则正常返回,若失败的话就抛出异常。 + +如何从await()方法中退出?再看await()方法有这样一段代码: + +```java +while (!isOnSyncQueue(node)) { + // 3. 当前线程进入到等待状态 + LockSupport.park(this); + if ((interruptMode = checkInterruptWhileWaiting(node)) != 0) + break; +} +``` + +当线程第一次调用 condition.await() 方法时, 会进入到这个 while 循环中,然后通过 LockSupport.park(this) 方法使得当前线程进入等待状态, 那么要想退出这个 await() 方法就要先退出这个while循环,退出 while 循环的出口有 2 个: + +- break 退出 while 循环 +- while 循环中的判断条件为 false + +第 1 种情况的条件是**当前等待的线程被中断**后会走到 break 退出; + +第 2 种情况是**当前节点被移动到了同步队列中**, while 中逻辑判断为 false 后结束 while 循环。 + +当退出 while 循环后就会调用 acquireQueued(node, savedState),该方法的作用是**在自旋过程中线程不断尝试获取同步状态,直至成功(线程获取到 Lock)**。 + +这样就说明了**退出 await 方法必须是已经获得了 Condition 引用(关联)的 Lock**。 + +
+ +调用 condition.await 方法的线程必须是已经获得了 Lock,也就是当前线程是同步队列中的头结点。 调用该方法后会使得当前线程所封装的 Node 尾插入到等待队列中。 + +##### 超时机制的支持 + +condition 还额外支持了超时机制,使用者可调用 awaitNanos(),awaitUtil()。 这两个方法的实现原理,基本上与AQS 中的 tryAcquire() 方法如出一辙。 + +##### 不响应中断的支持 + +调用 condition.awaitUninterruptibly() 方法。 + +```java +public final void awaitUninterruptibly() { + Node node = addConditionWaiter(); + int savedState = fullyRelease(node); + boolean interrupted = false; + while (!isOnSyncQueue(node)) { + LockSupport.park(this); + if (Thread.interrupted()) + interrupted = true; + } + if (acquireQueued(node, savedState) || interrupted) + selfInterrupt(); +} +``` + +与上面的 await() 方法基本一致,只不过减少了对中断的处理, 并省略了 reportInterruptAfterWait 方法抛被中断的异常。 + +##### signal / signalAll 实现原理 + +调用 Condition 的 signal / signalAll 方法可以将**等待队列中等待时间最长的节点移动到同步队列中,使得该节点能够有机会获得 Lock**。 按照等待队列是先进先出(FIFO)的, 所以等待队列的头节点必然会是等待时间最长的节点, 也就是每次调用 condition 的 signal 方法是将头节点移动到同步队列中。 + +```java +public final void signal() { + //1. 先检测当前线程是否已经获取lock + if (!isHeldExclusively()) + throw new IllegalMonitorStateException(); + //2. 获取等待队列中第一个节点,之后的操作都是针对这个节点 + Node first = firstWaiter; + if (first != null) + doSignal(first); +} +``` + +signal 方法首先会检测当前线程是否已经获取 Lock, 如果没有获取 Lock 会直接抛出异常,如果获取的话再得到等待队列的头指针引用的节点,doSignal 方法也是基于该节点。 + +```java +private void doSignal(Node first) { + do { + if ( (firstWaiter = first.nextWaiter) == null) + lastWaiter = null; + //1. 将头结点从等待队列中移除 + first.nextWaiter = null; + //2. while中transferForSignal方法对头结点做真正的处理 + } while (!transferForSignal(first) && + (first = firstWaiter) != null); +} +``` + +真正对头节点做处理的是 transferForSignal() + +```java +final boolean transferForSignal(Node node) { + //1. 更新状态为0 + if (!compareAndSetWaitStatus(node, Node.CONDITION, 0)) + return false; + + //2.将该节点移入到同步队列中去 + Node p = enq(node); + int ws = p.waitStatus; + if (ws > 0 || !compareAndSetWaitStatus(p, ws, Node.SIGNAL)) + LockSupport.unpark(node.thread); + return true; +} +``` + +调用 condition 的 signal 的前提条件是**当前线程已经获取了 Lock,该方法会使得等待队列中的头节点(等待时间最长的那个节点)移入到同步队列, 而移入到同步队列后才有机会使得等待线程被唤醒, 即从 await 方法中的LockSupport.park(this) 方法中返回,从而才有机会使得调用 await 方法的线程成功退出**。 + +
+ + + +sigllAll 与 sigal 方法的区别体现在 doSignalAll 方法上。 + +```java +private void doSignalAll(Node first) { + lastWaiter = firstWaiter = null; + do { + Node next = first.nextWaiter; + first.nextWaiter = null; + transferForSignal(first); + first = next; + } while (first != null); +} +``` + +doSignal 方法只会对等待队列的头节点进行操作,而 doSignalAll 方法将等待队列中的每一个节点都移入到同步队列中, 即“通知”当前调用 condition.await() 方法的每一个线程。 + +##### await 与 signal 和 signalAll 的结合 + +await 和 signal / signalAll 方法就像一个开关控制着线程A(等待方)和线程B(通知方)。 + +
+ +线程 awaitThread 先通过 lock.lock() 方法获取锁成功后调用了 condition.await 方法进入等待队列, 而另一个线程 signalThread 通过 lock.lock() 方法获取锁成功后调用了 condition.signal / signalAll, 使得线程 awaitThread能够有机会移入到同步队列中, 当其他线程释放 Lock 后使得线程 awaitThread 能够有机会获取 Lock, 从而使得线程 awaitThread 能够从 await 方法中退出,然后执行后续操作。 如果 awaitThread 获取 Lock 失败会直接进入到同步队列。 + +### LockSupport + +LockSupport 位于 java.util.concurrent.locks 包下。 LockSupprot 是线程的**阻塞原语**,用来**阻塞线程**和**唤醒线程**。 每个使用 LockSupport 的线程都会与一个许可关联, 如果该许可可用,并且可在线程中使用,则调用 park()将会立即返回,否则可能阻塞。 如果许可尚不可用,则可以调用 unpark 使其可用。 但是注意许可不可重入,也就是说只能调用一次 park() 方法,否则会一直阻塞。 + +#### LockSupport 中方法 + +| 方法 | 说明 | +| :-------------------------------------------: | :----------------------------------------------------------: | +| void park() | 阻塞当前线程,如果调用 unpark() 方法或者当前线程被中断,
能从 park()方法中返回 | +| void park(Object blocker) | 功能同park(),入参增加一个Object对象,用来记录导致线程阻塞的阻塞对象,方便进行问题排查 | +| void parkNanos(long nanos) | 阻塞当前线程,最长不超过nanos纳秒,增加了超时返回的特性 | +| void parkNanos(Object blocker, long nanos) | 功能同 parkNanos(long nanos),入参增加一个 Object 对象,用来记录导致线程阻塞的阻塞对象,方便进行问题排查 | +| void parkUntil(long deadline) | 阻塞当前线程,deadline 已知 | +| void parkUntil(Object blocker, long deadline) | 功能同 parkUntil(long deadline),入参增加一个 Object 对象,用来记录导致线程阻塞的阻塞对象,方便进行问题排查 | +| void unpark(Thread thread) | 唤醒处于阻塞状态的指定线程 | + +实际上 LockSupport 阻塞和唤醒线程的功能是**依赖于 sun.misc.Unsafe**,比如 park() 方法的功能实现则是靠unsafe.park() 方法。 另外在阻塞线程这一系列方法中还有一个很有意思的现象:每个方法都会新增一个带有Object 的阻塞对象的重载方法。 那么增加了一个 Object 对象的入参会有什么不同的地方了? + +- 调用 park() 方法 dump 线程: + +``` +"main" #1 prio=5 os_prio=0 tid=0x02cdcc00 nid=0x2b48 waiting on condition [0x00d6f000] + java.lang.Thread.State: WAITING (parking) + at sun.misc.Unsafe.park(Native Method) + at java.util.concurrent.locks.LockSupport.park(LockSupport.java:304) + at learn.LockSupportDemo.main(LockSupportDemo.java:7) + +``` + +- 调用 park(Object blocker) 方法 dump 线程: + +```java +"main" #1 prio=5 os_prio=0 tid=0x0069cc00 nid=0x6c0 waiting on condition [0x00dcf000] + java.lang.Thread.State: WAITING (parking) + at sun.misc.Unsafe.park(Native Method) + - parking to wait for <0x048c2d18> (a java.lang.String) + at java.util.concurrent.locks.LockSupport.park(LockSupport.java:175) + at learn.LockSupportDemo.main(LockSupportDemo.java:7) +``` + +通过分别调用这两个方法然后 dump 线程信息可以看出, 带 Object 的 park 方法相较于无参的 park 方法会增加 + +```java +- parking to wait for <0x048c2d18> (a java.lang.String) +``` + +这种信息就类似于记录“案发现场”,有助于工程人员能够迅速发现问题解决问题。 + +> 注意 + +- synchronized 使线程阻塞,线程会进入到 BLOCKED 状态 +- 调用 LockSupprt 方法阻塞线程会使线程进入到 WAITING 状态 + +#### LockSupport 使用示例 + +```java +import java.util.concurrent.locks.LockSupport; + +public class LockSupportExample { + public static void main(String[] args) { + Thread t1 = new Thread(() -> { + LockSupport.park(); + System.out.println(Thread.currentThread().getName() + "被唤醒"); + }); + Thread t2 = new Thread(() -> { + LockSupport.park(); + System.out.println(Thread.currentThread().getName() + "被唤醒"); + }); + t1.start(); + t2.start(); + try { + Thread.sleep(3000); + } catch (InterruptedException e) { + e.printStackTrace(); + } + LockSupport.unpark(t1); + } +} +``` + +t1 线程调用 LockSupport.park() 使 t1 阻塞, 当 mian 线程睡眠 3 秒结束后通过 LockSupport.unpark(t1)方法唤醒 t1 线程,t1 线程被唤醒执行后续操作。 另外,还有一点值得关注的是,LockSupport.unpark(t1)可以**通过指定线程对象唤醒指定的线程**。 + + + + +## 八、Java 并发容器 + +### ConcurrentHashMap + +#### 底层实现机制 + +> **JDK 1.7 底层实现** + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/blog/aqs_11.png) + + +将数据分为一段一段的存储,然后给每一段数据配一把锁,当一个线程占用锁访问其中一个段数据时,其他段的数据也能被其他线程访问。 + +ConcurrentHashMap 是由 **Segment 数组结构**和 **HashEntry 数组结构**组成。 其中 Segment 实现了 ReentrantLock,所以 **Segment 是一种可重入锁**,扮演锁的角色。 HashEntry 用于存储键值对数据。 + +一个 ConcurrentHashMap 里包含一个 Segment 数组。 **Segment 结构和 HashMap 类似**,是一种数组和链表结构, 一个 Segment 包含一个 HashEntry 数组,**每个 HashEntry 是一个链表结构的元素**, 每个 Segment 守护着一个 HashEntry 数组里的元素,当对 HashEntry 数组的数据进行修改时,必须首先获得对应的 Segment 的锁。 + +> **JDK 1.8 底层实现** + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/blog/aqs_12.png) + +ConcurrentHashMap 中 : + +- TreeBin:红黑二叉树节点 + +- Node: 链表节点 + +ConcurrentHashMap 取消了 Segment 分段锁,**采用 CAS 和 synchronized 来保证并发安全**。 数据结构与HashMap 1.8 的结构类似,数组+链表 / 红黑二叉树(链表长度 > 8 时,转换为红黑树 )。synchronized 只锁定当前链表或红黑二叉树的首节点,这样只要 **Hash 值不冲突,就不会产生并发**。 + +#### ConcurrentHashMap 和 HashTable 区别 + +> **底层数据结构** + +- JDK 1.7 的 ConcurrentHashMap 底层采用**分段的数组+链表**实现;JDK 1.8 的 ConcurrentHashMap 底层采用**数组+链表 / 红黑二叉树** +- HashTable 和 JDK1.8 之前的 HashMap 的底层数据结构类似,采用**数组+链表**的形式, 数组是 HashMap 的主体,链表则是主要为了解决哈希冲突而存在的 + +> **线程安全的实现方式** + +- JDK1.7 的 ConcurrentHashMap(分段锁)对整个桶数组进行了分割分段(Segment), 每一把锁只锁容器其中一部分数据,多线程访问容器里不同数据段的数据,就不会存在锁竞争,提高并发访问率。 JDK 1.8 采用**数组+链表 / 红黑二叉树**的数据结构来实现,并发控制使用**synchronized 和 CAS** 来操作。 +- HashTable 使用 synchronized 来保证线程安全,即所有访问 HashTable 的线程都必须竞争同一把锁,效率非常低下。 当一个线程访问 HashTable 的同步方法时,其他线程也访问同步方法,可能会进入阻塞或轮询状态。 如使用 put 添加元素,另一个线程不能使用 put 添加元素,也不能使用 get 获取元素,竞争越激烈效率越底下。 + +### CopyOnWriteArrayList + +```java +public class CopyOnWriteArrayList extends Object +implements List, RandomAccess, Cloneable, Serializable +``` + +在很多应用场景中,**读操作可能会远远大于写操作**。 由于读操作根本不会修改原有的数据,因此对于每次读取都进行加锁其实是一种资源浪费。 + +我们应该允许多个线程同时访问 List 的内部数据,毕竟读取操作是安全的。 这和 ReentrantReadWriteLock 读写锁的思想非常类似,也就是读读共享、写写互斥、读写互斥、写读互斥。 + +JDK 中提供了 CopyOnWriteArrayList 类相比于在读写锁的思想又更进一步。 为了将读取的性能发挥到极致,**CopyOnWriteArrayList 读取是完全不用加锁的,并且写入也不会阻塞读取操作**。 只有**写入和写入之间需要进行同步等待**。这样,读操作的性能就会大幅度提高。 + +#### 底层实现机制 + +CopyOnWriteArrayLis 类的所有可变操作(add,set 等等)都是通过**创建底层数组的新副本**来实现的。 当 List 需要被修改的时候,我并不修改原有内容,而是**对原有数据进行一次复制,将修改的内容写入副本**。 写完之后,再将修改完的副本替换原来的数据,这样就可以**保证写操作不会影响读操作**了。 + +CopyOnWriteArrayList 是满足 CopyOnWrite 的 ArrayList, 所谓 CopyOnWrite 就是说: 在计算机,如果想要对一块内存进行修改,不在原有内存块中进行写操作, 而是将内存拷贝一份,在新的内存中进行写操作。写完之后,就将指向原来内存指针指向新的内存, 原来的内存就可以被回收掉了。 + +#### 源码分析 + +> **CopyOnWriteArrayList 读取操作的实现** + +读取操作没有任何**同步控制**和**锁**操作, 因为内部数组 array 不会被修改,只会被另外一个 array 替换,因此可以保证数据安全。 + +```java +/** The array, accessed only via getArray/setArray. */ +private transient volatile Object[] array; +public E get(int index) { + return get(getArray(), index); +} +@SuppressWarnings("unchecked") +private E get(Object[] a, int index) { + return (E) a[index]; +} +final Object[] getArray() { + return array; +} +``` + +> **CopyOnWriteArrayList 写入操作的实现** + +CopyOnWriteArrayList 写入操作 add() 方法在添加集合的时候加了锁, **保证同步,避免了多线程写的时候会复制出多个副本出来**。 + +```java +/** + * Appends the specified element to the end of this list. + */ +public boolean add(E e) { + final ReentrantLock lock = this.lock; + lock.lock();//加锁 + try { + Object[] elements = getArray(); + int len = elements.length; + //拷贝新数组 + Object[] newElements = Arrays.copyOf(elements, len + 1); + newElements[len] = e; + setArray(newElements); + return true; + } finally { + lock.unlock();//释放锁 + } +} +``` + +### ConcurrentLinkedQueue + +Java 提供的线程安全的 Queue 可以分为阻塞队列和非阻塞队列,其中阻塞队列的典型例子是 BlockingQueue, 非阻塞队列的典型例子是 ConcurrentLinkedQueue。 + +在实际应用中要根据实际需要选用阻塞队列或者非阻塞队列。 阻塞队列可以通过加**锁**来实现,非阻塞队列可以通过 **CAS 操作**实现。 + +ConcurrentLinkedQueue 使用**链表**作为其数据结构。 ConcurrentLinkedQueue应该算是在高并发环境中性能最好的队列了。 它之所有能有很好的性能,是因为其内部复杂的实现。 + +ConcurrentLinkedQueue 主要**使用 CAS 非阻塞算法来实现线程安全**。 适合在对性能要求相对较高,多个线程同时对队列进行读写的场景, 即如果对**队列加锁**的成本较高则适合使用无锁的 ConcurrentLinkedQueue 来替代。 + +### Java 阻塞队列 + +阻塞队列(BlockingQueue)被广泛使用在“生产者-消费者”问题中,其原因是 BlockingQueue 提供了可阻塞的插入和移除的方法。**当队列容器已满,生产者线程会被阻塞,直到队列未满;当队列容器为空时,消费者线程会被阻塞,直至队列非空时为止。** + +插入和移除操作 4 种处理方式。 + +| 方法 / 处理方式 | 抛出异常 | 返回特殊值 | 一直阻塞 | 超时退出 | +| :-------------: | :-------: | :--------: | :------: | :----------------: | +| 插入方法 | add(e) | offer(e) | put(e) | offer(e,time,unit) | +| 移除方法 | remove() | poll() | take() | poll(time,unit) | +| 检查方法 | element() | peek() | 不可用 | 不可用 | + +java.util.concurrent.BlockingQueue 接口有以下阻塞队列的实现: + +- FIFO 队列 :ArrayBlockingQueue(固定长度)、LinkedBlockingQueue +- 优先级队列 :PriorityBlockingQueue + +#### 1、ArrayBlockingQueue + +ArrayBlockingQueue 是由**数组**实现的有界阻塞队列。该队列命令元素 FIFO(先进先出)。因此,对头元素时队列中存在时间最长的数据元素,而对尾数据则是当前队列最新的数据元素。ArrayBlockingQueue 可作为“有界数据缓冲区”,生产者插入数据到队列容器中,并由消费者提取。 + +ArrayBlockingQueue 一旦创建,容量不能改变。当队列容量满时,尝试将元素放入队列将导致操作阻塞;尝试从一个空队列中取一个元素也会同样阻塞。 + +ArrayBlockingQueue 默认情况下不能保证线程访问队列的公平性,所谓公平性是指**严格按照线程等待的绝对时间顺序**,即最先等待的线程能够最先访问到 ArrayBlockingQueue。而非公平性则是指访问 ArrayBlockingQueue 的顺序不是遵守严格的时间顺序,有可能存在,一旦 ArrayBlockingQueue 可以被访问时,长时间阻塞的线程依然无法访问到 ArrayBlockingQueue。**如果保证公平性,通常会降低吞吐量**。如果需要获得公平性的ArrayBlockingQueue。代码如下: + +```java +private static ArrayBlockingQueue blockingQueue = + new ArrayBlockingQueue(10,true); +``` + +- ArrayBlockingQueue 属性: + +```java +/** The queued items */ +final Object[] items; + +//... + +/* + * Concurrency control uses the classic two-condition algorithm + * found in any textbook. + */ + +/** Main lock guarding all access */ +final ReentrantLock lock; + +/** Condition for waiting takes */ +private final Condition notEmpty; + +/** Condition for waiting puts */ +private final Condition notFull; +``` + +ArrayBlockingQueue 内部是采用数组进行数据存储的。为了保证线程安全,采用的是 ReentrantLock ,为了保证可阻塞式的插入删除数据利用的是 Condition,当获取数据的消费者线程被阻塞时会将该线程放置到 notEmpty等待队列中,当插入数据的生产者线程被阻塞时,会将该线程放置到 notFull 等待队列中。而 notEmpty 和 notFull 等重要属性在构造方法中进行创建: + +```java +public ArrayBlockingQueue(int capacity, boolean fair) { + //... + notEmpty = lock.newCondition(); + notFull = lock.newCondition(); +} +``` + +- put() 方法 + +```java +public void put(E e) throws InterruptedException { + checkNotNull(e); + final ReentrantLock lock = this.lock; + lock.lockInterruptibly(); + try { + //如果当前队列已满,将线程移入到notFull等待队列中 + while (count == items.length) + notFull.await(); + //满足插入数据的要求,直接进行入队操作 + enqueue(e); + } finally { + lock.unlock(); + } +} +``` + +put() 方法的逻辑很简单,当队列已满时,将线程移入到 notFull 等待队列中,如果当前满足插入数据的条件,就可以直接调用 enqueue() 插入数据元素。 + +```java +private void enqueue(E x) { + // assert lock.getHoldCount() == 1; + // assert items[putIndex] == null; + final Object[] items = this.items; + //插入数据 + items[putIndex] = x; + if (++putIndex == items.length) + putIndex = 0; + count++; + //通知消费者线程,当前队列中有数据可供消费 + notEmpty.signal(); +} +``` + +enqueue 方法的逻辑同样也很简单,先完成插入数据,即往数组中添加数据: + +```java +items[putIndex] = x; +``` + +然后通知被阻塞的消费者线程,当前队列中有数据可供消费: + +```java +notEmpty.signal(); +``` + +- take() 方法 + +```java +public E take() throws InterruptedException { + final ReentrantLock lock = this.lock; + lock.lockInterruptibly(); + try { + //如果队列为空,没有数据,将消费者线程移入等待队列中 + while (count == 0) + notEmpty.await(); + //获取数据 + return dequeue(); + } finally { + lock.unlock(); + } +} +``` + +take() 方法也主要做了两步: + +1、如果当前队列为空的话,则将获取数据的消费者线程移入到等待队列中; + +2、若队列不为空则获取数据,即完成出队操作 dequeue: + +```java +private E dequeue() { + // assert lock.getHoldCount() == 1; + // assert items[takeIndex] != null; + final Object[] items = this.items; + @SuppressWarnings("unchecked") + //获取数据 + E x = (E) items[takeIndex]; + items[takeIndex] = null; + if (++takeIndex == items.length) + takeIndex = 0; + count--; + if (itrs != null) + itrs.elementDequeued(); + //通知被阻塞的生产者线程 + notFull.signal(); + return x; +} +``` + +从以上分析,可以看出 put() 和 take() 方法主要是通过 **Condition 的通知机制**来完成可阻塞式的插入数据和获取数据。 + +#### 2、LinkedBlockingQueue + +LinkedBlockingQueue 底层基于**单向链表**实现的阻塞队列,可以当做无界队列也可以当做有界队列来使用,同样满足 FIFO 的特性,与 ArrayBlockingQueue 相比起来具有更高的吞吐量,为了防止 LinkedBlockingQueue 容量迅速增大,损耗大量内存。通常在创建 LinkedBlockingQueue 对象时,会指定其大小,如果未指定,容量等于Integer.MAX_VALUE。 + +```java +/** + *某种意义上的无界队列 + * Creates a {@code LinkedBlockingQueue} with a capacity of + * {@link Integer#MAX_VALUE}. + */ +public LinkedBlockingQueue() { + this(Integer.MAX_VALUE); +} + +/** + *有界队列 + * Creates a {@code LinkedBlockingQueue} with the given (fixed) capacity. + * + * @param capacity the capacity of this queue + * @throws IllegalArgumentException if {@code capacity} is not greater + * than zero + */ +public LinkedBlockingQueue(int capacity) { + if (capacity <= 0) throw new IllegalArgumentException(); + this.capacity = capacity; + last = head = new Node(null); +} +``` + +#### 3、PriorityBlockingQueue + +PriorityBlockingQueue 是一个支持优先级的无界阻塞队列。默认情况下元素采用自然顺序进行排序,也可以通过自定义类实现 compareTo() 方法来指定元素排序规则,或者初始化时通过构造器参数 Comparator 来指定排序规则。 + +PriorityBlockingQueue 并发控制采用的是 **ReentrantLock**,队列为无界队列。 + +ArrayBlockingQueue 是有界队列,LinkedBlockingQueue 也可以通过在构造函数中传入 capacity 指定队列最大的容量,但是 PriorityBlockingQueue 只能指定初始的队列大小,后面插入元素的时候,**如果空间不够的话会自动扩容**。 + +简单地说,它就是 PriorityQueue 的线程安全版本。不可以插入 null 值,同时,插入队列的对象必须是可比较大小的(comparable),否则报 ClassCastException 异常。它的插入操作 put 方法不会 阻塞,因为它是无界队列;take 方法在队列为空的时候会阻塞。 + + +## 九、ThreadLocal + +### ThreadLocal 示例 + +```java +public class ThreadLocalExample implements Runnable{ + // SimpleDateFormat 不是线程安全的,所以每个线程都要有自己独立的副本 + private static final ThreadLocal formatter = + ThreadLocal.withInitial(() -> + new SimpleDateFormat("yyyyMMdd HHmm") + ); + + public static void main(String[] args) throws InterruptedException { + ThreadLocalExample obj = new ThreadLocalExample(); + for(int i=0 ; i<10; i++){ + Thread t = new Thread(obj, ""+i); + Thread.sleep(new Random().nextInt(1000)); + t.start(); + } + } + + @Override + public void run() { + System.out.println("Thread Name: "+Thread.currentThread().getName()+ + " default formatter: "+formatter.get().toPattern()); + try { + Thread.sleep(new Random().nextInt(1000)); + } catch (InterruptedException e) { + e.printStackTrace(); + } + // formatter pattern 已经发生了变化,但是不会影响其他线程 + formatter.set(new SimpleDateFormat()); + + System.out.println("Thread Name: "+Thread.currentThread().getName()+ + " formatter: "+formatter.get().toPattern()); + } +} +``` + +输出结果: + +```html +Thread Name: 0 default formatter: yyyyMMdd HHmm +Thread Name: 1 default formatter: yyyyMMdd HHmm +Thread Name: 0 formatter: yy-M-d ah:mm +Thread Name: 1 formatter: yy-M-d ah:mm +Thread Name: 2 default formatter: yyyyMMdd HHmm +Thread Name: 3 default formatter: yyyyMMdd HHmm +Thread Name: 2 formatter: yy-M-d ah:mm +Thread Name: 3 formatter: yy-M-d ah:mm +Thread Name: 4 default formatter: yyyyMMdd HHmm +Thread Name: 4 formatter: yy-M-d ah:mm +Thread Name: 5 default formatter: yyyyMMdd HHmm +Thread Name: 5 formatter: yy-M-d ah:mm +Thread Name: 6 default formatter: yyyyMMdd HHmm +Thread Name: 6 formatter: yy-M-d ah:mm +Thread Name: 7 default formatter: yyyyMMdd HHmm +Thread Name: 7 formatter: yy-M-d ah:mm +Thread Name: 8 default formatter: yyyyMMdd HHmm +Thread Name: 8 formatter: yy-M-d ah:mm +Thread Name: 9 default formatter: yyyyMMdd HHmm +Thread Name: 9 formatter: yy-M-d ah:mm +``` + +从输出中可以看出,Thread-0 已经改变了 formatter 的值,但仍然是 Thread-2 默认格式化程序与初始化值相同,其他线程也一样。 + +上面有一段代码用到了创建 ThreadLocal 变量的那段代码用到了 Java 8 的知识,它等于下面这段代码,因为ThreadLocal 类在 Java 8 中扩展,使用一个新的方法 withInitial(),将Supplier功能接口作为参数。 + +```java + private static final ThreadLocal formatter = + new ThreadLocal(){ + @Override + protected SimpleDateFormat initialValue() + { + return new SimpleDateFormat("yyyyMMdd HHmm"); + } + }; +``` + +### ThreadLocal 原理 + +- [第一部分 ThreadLocal-面试必问深度解析](https://www.jianshu.com/p/98b68c97df9b) +- [第二部分 ThreadLocal内存泄漏真因探究](https://www.jianshu.com/p/a1cd61fa22da) + + + +## 十、线程池 + +### Executors 的五类线程池 + +- newFixedThreadPool(int nThreads):指定工作线程数量的线程池 + +- newCachedThreadPool():处理大量短时间工作任务的线程池 + +(1) 试图缓存线程并重用,当无缓存线程可用时,就会创建新的工作线程; + +(2) 如果线程闲置的时间超过阈值,则会被终止并移出缓存; + +(3) 系统长时间闲置的时候,不会消耗什么资源 + +- newSingleThreadExecutor():创建唯一的工作者线程来执行任务,如果线程异常结束,会有另外一个线程取代它 + +- newSingleThreadScheduledExecutor 与 newScheduledThreadPool(int corePoolSize):定时或者周期性的工作调度,两者的区别在于单一工作线程还是多个线程 + +- newWorkStealingPool():内部会构建 ForkJoinPool,利用 working-stealing 算法(某个线程从其他队列里窃取任务来执行),并行地处理任务,不保证处理顺序 + +> **使用线程池的优点** + +在实际使用中,线程是很占用系统资源的,如果对线程管理不善很容易导致系统问题。因此,在大多数并发框架中都会使用**线程池**来管理线程,使用线程池管理线程主要有如下好处: + +- **降低资源消耗**。通过复用已存在的线程和降低线程关闭的次数来尽可能降低系统性能损耗; +- **提高系统响应速度**。通过复用线程,**省去创建线程的过程**,因此整体上提升了系统的响应速度; +- **提高线程的可管理性**。线程是稀缺资源,如果无限制的创建,不仅会消耗系统资源,还会**降低系统的稳定性**,因此,需要使用线程池来管理线程。 + +### 线程池的状态 + +- RUNNING:能接受新提交的任务,并且也能够处理阻塞队列中的任务 +- SHUTDOWN:不再接受新提交的任务,但可以处理存量任务 +- STOP:不再接受新提交的任务,也不处理存量任务 +- TIDYING:所有的任务都已终止 +- TERMINATED:terminated() 方法执行完后进入该状态 + +状态转换图: + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_22.png) + +### Executor 框架接口 + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_19.png) + + + +#### Executor + +运行新任务的简单接口,将任务提交和任务执行细节解耦。 + +```java +Thread t = new Thread(); +t.start(); +``` + +使用 Executor 后: + +```java +Thread t = new Thread(); +executor.execute(); +``` + +#### ExecutorService + +具备管理执行器和任务生命周期的方法,提交任务机制更完善。 + +#### ScheduledExecutorService + +支持 Future 和定期执行任务。 + +### ThreadPoolExecutor + +ThreadPoolExecutor 继承自 AbstractExecutorService,也是实现了 ExecutorService 接口。 + +#### 线程池的工作原理 + +当并发任务提交给线程池,线程池分配线程去执行任务的过程如下图所示: + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_18.png) + +从图可以看出,线程池执行所提交的任务过程主要有这样几个阶段: + +1、先判断线程池中**核心线程池**所有的线程是否都在执行任务。如果不是,则创建一个线程执行刚提交的任务,否则,核心线程池中所有的线程都在执行任务,则进入第 2 步; + +2、判断当前**阻塞队列**是否已满,如果未满,则将提交的任务放置再阻塞队列中;否则,进入第 3 步; + +3、判断**线程池中所有的线程**是否都在执行任务,如果没有,则创建一个新的线程来执行任务,否则,则交给饱和策略进行处理。 + +#### 构造方法 + +创建线程池主要是 **ThreadPoolExecutor** 类来完成,ThreadPoolExecutor 的有许多重载的构造方法,通过参数最多的构造方法来理解创建线程池有哪些需要配置的参数。ThreadPoolExecutor 的构造方法为: + +```java +ThreadPoolExecutor(int corePoolSize, + int maximumPoolSize, + long keepAliveTime, + TimeUnit unit, + BlockingQueue workQueue, + ThreadFactory threadFactory, + RejectedExecutionHandler handler) +``` + +参数说明: + +- corePoolSize:核心线程数 +- maximumPoolSize:线程不够用时能够创建的最大线程数 +- workQueue:任务等待队列 +- keepAliveTime:抢占的顺序不一定,看运气 +- threadFactory:创建新线程,`Executors.defaultThreadFactory()` +- handler:线程池的饱和策略 + +(1)AbortPolicy:直接抛出异常,默认策略 + +(2)CallerRunsPolicy:用调用者所在的线程来执diu行任务 + +(3)DiscardOldestPolicy:丢弃队列中最靠前的任务,并执行当前的任务 + +(4)DiscardPolicy:直接丢弃任务 + +(5)实现 RejectedExecutionHandler 接口的自定义 handler + +#### ctl 相关方法 + +```java +// ctl 将状态值和有效线程数合二为一 +private final AtomicInteger ctl = new AtomicInteger(ctlOf(RUNNING, 0)); + +private static final int COUNT_BITS = Integer.SIZE - 3; // Integer.SIZE +private static final int CAPACITY = (1 << COUNT_BITS) - 1; + +private static int runStateOf(int c) { //获取运行状态 + return c & ~CAPACITY; +} +private static int workerCountOf(int c) { //获取活动线程数 + return c & CAPACITY; +} +private static int ctlOf(int rs, int wc) { //获取运行状态和活动线程数的值 + return rs | wc; +} +``` + +#### execute() + +```java +public void execute(Runnable command) { + if (command == null) + throw new NullPointerException(); + int c = ctl.get(); + //如果线程池的线程个数少于corePoolSize则创建新线程执行当前任务 + if (workerCountOf(c) < corePoolSize) { + if (addWorker(command, true)) + return; + c = ctl.get(); + } + //如果线程个数大于corePoolSize或者创建线程失败,则将任务存放在阻塞队列workQueue中 + if (isRunning(c) && workQueue.offer(command)) { + int recheck = ctl.get(); + if (! isRunning(recheck) && remove(command)) + reject(command); + else if (workerCountOf(recheck) == 0) + addWorker(null, false); + } + //如果当前任务无法放进阻塞队列中,则创建新的线程来执行任务 + else if (!addWorker(command, false)) + reject(command); +} +``` + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_20.png) + +新任务提交 execute 执行后的判断: + +1、如果运行的线程少于 corePoolSize,则创建新线程来处理任务,即使线程池中的其他线程是空闲的; + +2、如果线程池中的线程数量大于等于 corePoolSize 且小于maximumPoolSize,则只有当 workQueue 满时才创建新的线程去处理任务; + +3、如果设置的 corePoolSize 和 maximumPoolSize 相同,则创建的线程池大小是固定的,这时如果有新任务提交,若 workQueue 未满,则将请求放入 workQueue 中,等待有空闲的线程去从 workQueue 中取出任务并处理; + +4、如果运行的线程数量大于等于 maximumPoolSize ,这时如果 workQueue 已经满了,则通过 handler 所指定的策略来处理任务。 + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_21.png) + +#### 工作线程的生命周期 + +从 execute() 方法开始,Worker 使用 ThreadFactory 创建新的工作线程,runWorker 通过 getTask 获取任务,然后执行任务,如果 getTask 返回 null ,进入 processWorkerExit 方法,整个线程结束,如图所示: + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_23.png) + + + +#### 线程池的关闭 + +关闭线程池,可以通过 shutdown() 和 shutdownNow() 这两个方法。 它们的原理都是**遍历线程池中所有的线程,然后依次中断线程**。 shutdown() 和 shutdownNow() 还是有不一样的地方: + +- shutdownNow() 首先将线程池的状态设置为 STOP ,然后尝试停止所有的正在执行和未执行任务的线程,并返回等待执行任务的列表 +- shutdown() 只是将线程池的状态设置为 SHUTDOWN 状态,然后中断所有没有正在执行任务的线程 + +可以看出 **shutdown() 方法会将正在执行的任务继续执行完,而 shutdownNow() 会直接中断正在执行的任务**。 调用了这两个方法的任意一个,isShutdown() 方法都会返回 true, 当所有的线程都关闭成功,才表示线程池成功关闭,这时调用 isTerminated() 方法才会返回 true。 + +#### 如何合理配置线程池参数 + +要想合理的配置线程池,就必须首先分析任务特性,可以从以下几个角度来进行分析: + +> **1、任务的性质** + +CPU 密集型任务配置尽可能少的线程数量,如配置 (N cpu) + 1 个线程的线程池。 + +IO 密集型任务则由于需要等待 IO 操作,线程并不是一直在执行任务,则配置尽可能多的线程,如 2 * (N cpu) 。 + +混合型的任务,如果可以拆分,则将其拆分成一个 CPU 密集型任务和一个 IO 密集型任务,只要这两个任务执行的时间相差不是太大,那么分解后执行的吞吐率要高于串行执行的吞吐率,如果这两个任务执行时间相差太大,则没必要进行分解。 + +**通过 `Runtime.getRuntime().availableProcessors()` 方法获得当前设备的 CPU 个数**。 + +> **2、任务的优先级** + +优先级不同的任务可以使用优先级队列 PriorityBlockingQueue 来处理。它可以让优先级高的任务先得到执行,需要注意的是如果一直有优先级高的任务提交到队列里,那么优先级低的任务可能永远不能执行。 + +> **3、任务的执行时间** + +执行时间不同的任务可以交给不同规模的线程池来处理,或者也可以使用优先级队列,让执行时间短的任务先执行。 + +> **4、任务的依赖性** + +依赖数据库连接池的任务,因为线程提交 SQL 后需要等待数据库返回结果,如果**等待的时间越长 CPU 空闲时间就越长**,那么线程数应该设置越大,这样才能更好的利用 CPU。 + +阻塞队列最好是使用**有界队列**,如果采用无界队列的话,一旦任务积压在阻塞队列中的话就会占用过多的内存资源,甚至会使得系统崩溃。 + +### ScheduledThreadPoolExecutor + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_24.png) + +- ScheduledThreadPoolExecutor 继承了 ThreadPoolExecutor,也就是说 ScheduledThreadPoolExecutor 拥有execute() 和 submit() 提交异步任务的基础功能。ScheduledThreadPoolExecutor 类实现了 ScheduledExecutorService ,该接口定义了 ScheduledThreadPoolExecutor 能够延时执行任务和周期执行任务的功能; +- ScheduledThreadPoolExecutor 两个重要的内部类:**DelayedWorkQueue**和**ScheduledFutureTask**。DelayedWorkQueue 实现了 BlockingQueue 接口,也就是一个阻塞队列,ScheduledFutureTask 则是继承了 FutureTask 类,也表示该类用于返回异步任务的结果。 + +#### 构造方法 + +```java +public ScheduledThreadPoolExecutor(int corePoolSize) { + super(corePoolSize, Integer.MAX_VALUE, 0, NANOSECONDS, + new DelayedWorkQueue()); +}; + +public ScheduledThreadPoolExecutor(int corePoolSize, + ThreadFactory threadFactory) { + super(corePoolSize, Integer.MAX_VALUE, 0, NANOSECONDS, + new DelayedWorkQueue(), threadFactory); +}; + +public ScheduledThreadPoolExecutor(int corePoolSize, + RejectedExecutionHandler handler) { + super(corePoolSize, Integer.MAX_VALUE, 0, NANOSECONDS, + new DelayedWorkQueue(), handler); +}; + +public ScheduledThreadPoolExecutor(int corePoolSize, + ThreadFactory threadFactory, + RejectedExecutionHandler handler) { + super(corePoolSize, Integer.MAX_VALUE, 0, NANOSECONDS, + new DelayedWorkQueue(), threadFactory, handler); +} +``` + +可以看出由于 ScheduledThreadPoolExecutor 继承了 ThreadPoolExecutor ,它的构造方法实际上是调用了ThreadPoolExecutor 的构造方法,理解 ThreadPoolExecutor 构造方法的几个参数的意义后,理解这就很容易了。可以看出,ScheduledThreadPoolExecutor 的核心线程池的线程个数为指定的 corePoolSize,当核心线程池的线程个数达到 corePoolSize 后,就会将任务提交给有界阻塞队列 DelayedWorkQueue,线程池允许最大的线程个数为 Integer.MAX_VALUE,也就是说理论上这是一个大小无界的线程池。 + +#### 特有方法 + +ScheduledThreadPoolExecutor 实现了 ScheduledExecutorService 接口,该接口定义了**可延时执行异步任务**和**可周期执行异步任务**的特有功能,相应的方法分别为: + +```java +//达到给定的延时时间后,执行任务。这里传入的是实现 Runnable 接口的任务, +//因此通过ScheduledFuture.get()获取结果为null +public ScheduledFuture schedule(Runnable command, + long delay, TimeUnit unit); +``` + +```java +//达到给定的延时时间后,执行任务。这里传入的是实现 Callable 接口的任务, +//因此,返回的是任务的最终计算结果 + public ScheduledFuture schedule(Callable callable, + long delay, TimeUnit unit); +``` + +```java +//是以上一个任务开始的时间计时,period 时间过去后,检测上一个任务是否执行完毕, +//如果上一个任务执行完毕,则当前任务立即执行, +//如果上一个任务没有执行完毕,则需要等上一个任务执行完毕后立即执行 +public ScheduledFuture scheduleAtFixedRate(Runnable command, + long initialDelay, + long period, + TimeUnit unit); +``` + +```java +//当达到延时时间initialDelay后,任务开始执行。 +//上一个任务执行结束后到下一次任务执行,中间延时时间间隔为delay。 +//以这种方式,周期性执行任务。 +public ScheduledFuture scheduleWithFixedDelay(Runnable command, + long initialDelay, + long delay, + TimeUnit unit); +``` + +#### ScheduledFutureTask + +ScheduledThreadPoolExecutor 最大的特色是能够**周期性执行异步任务**,当调用schedule(),scheduleAtFixedRate() 和 scheduleWithFixedDelay() 时,实际上是将提交的任务转换成的 ScheduledFutureTask 类。以 schedule() 方法为例: + +```java +public ScheduledFuture schedule(Runnable command, + long delay, + TimeUnit unit) { + if (command == null || unit == null) + throw new NullPointerException(); + RunnableScheduledFuture t = decorateTask(command, + new ScheduledFutureTask(command, null, + triggerTime(delay, unit))); + //decorateTask 会将传入的 Runnable 转换成 ScheduledFutureTask 类 + delayedExecute(t); + return t; +} +``` + +线程池最大作用是**将任务和线程进行解耦**,线程主要是任务的执行者,而任务也就是现在所说的ScheduledFutureTask 。紧接着,会想到任何线程执行任务,总会调用 run() 方法。为了保证ScheduledThreadPoolExecutor 能够延时执行任务以及能够**周期性执行任务**,ScheduledFutureTask 重写了 run方法: + +```java +public void run() { + boolean periodic = isPeriodic(); + if (!canRunInCurrentRunState(periodic)) + cancel(false); + else if (!periodic) + //如果不是周期性执行任务,则直接调用run方法 + ScheduledFutureTask.super.run(); + //如果是周期性执行任务的话,需要重设下一次执行任务的时间 + else if (ScheduledFutureTask.super.runAndReset()) { + setNextRunTime(); + reExecutePeriodic(outerTask); + } +} +``` + +> **ScheduledFutureTask 小结** + +ScheduledFutureTask最主要的功能是根据当前任务是否具有周期性,对异步任务进行进一步封装。 + +如果不是周期性任务(调用 schedule() 方法)则直接通过 run() 执行; + +如果是周期性任务,则需要在每一次执行完后,重设下一次执行的时间,然后将下一次任务继续放入到阻塞队列中。 + +#### DelayedWorkQueue + +DelayedWorkQueue 是一个基于堆的数据结构,类似于 DelayQueue 和 PriorityQueue。在执行定时任务的时候,每个任务的执行时间都不同,所以 DelayedWorkQueue 的工作就是**按照执行时间的升序来排列**,执行时间距离当前时间越近的任务在队列的前面。 + +定时任务执行时需要取出最近要执行的任务,所以任务在队列中每次出队时一定要是当前队列中执行时间最靠前的,所以自然要使用优先级队列。 + +DelayedWorkQueue 是一个优先级队列,它可以保证每次出队的任务都是当前队列中执行时间最靠前的,由于它是基于堆结构的队列,堆结构在执行插入和删除操作时的最坏时间复杂度是 O(logN)。 + +DelayedWorkQueue的数据结构: + +```java +//初始大小 +private static final int INITIAL_CAPACITY = 16; +//DelayedWorkQueue是由一个大小为16的数组组成, +//数组元素为实现 RunnableScheduleFuture接口的类 +//实际上为 ScheduledFutureTask +private RunnableScheduledFuture[] queue = + new RunnableScheduledFuture[INITIAL_CAPACITY]; +private final ReentrantLock lock = new ReentrantLock(); +private int size = 0; +``` + +可以看出DelayedWorkQueue底层是采用数组构成的。 + +> **DelayedWorkQueue 小结** + +DelayedWorkQueue是基于堆的数据结构,按照时间顺序将每个任务进行排序,将待执行时间越近的任务放在在队列的队头位置,以便于最先进行执行。 + +#### ScheduledThreadPoolExecutor 执行过程 + +ScheduledThreadPoolExecutor 的两个内部类 ScheduledFutueTask 和 DelayedWorkQueue进行了了解,实际上这也是线程池工作流程中最重要的两个关键因素:**任务以及阻塞队列**。现在我们来看下ScheduledThreadPoolExecutor提交一个任务后,整体的执行过程。以ScheduledThreadPoolExecutor的schedule() 方法为例: + +```java +ublic ScheduledFuture schedule(Runnable command, + long delay, + TimeUnit unit) { + if (command == null || unit == null) + throw new NullPointerException(); + //将提交的任务转换成ScheduledFutureTask + RunnableScheduledFuture t = decorateTask(command, + new ScheduledFutureTask(command, null, + triggerTime(delay, unit))); + //延时执行任务ScheduledFutureTask + delayedExecute(t); + return t; +} +``` + +为了满足 ScheduledThreadPoolExecutor 能够延时执行任务和能周期执行任务的特性,会先将实现 Runnable 接口的类转换成 ScheduledFutureTask 。然后会调用 delayedExecute() 方法进行执行任务,这个方法也是关键方法: + +```java +private void delayedExecute(RunnableScheduledFuture task) { + if (isShutdown()) + //如果当前线程池已经关闭,则拒绝任务 + reject(task); + else { + //将任务放入阻塞队列中 + super.getQueue().add(task); + if (isShutdown() && + !canRunInCurrentRunState(task.isPeriodic()) && + remove(task)) + task.cancel(false); + else + //保证至少有一个线程启动,即使 corePoolSize=0 + ensurePrestart(); + } +} +``` + +ensurePrestart() 方法: + +```java +void ensurePrestart() { + int wc = workerCountOf(ctl.get()); + if (wc < corePoolSize) + addWorker(null, true); + else if (wc == 0) + addWorker(null, false); +} +``` + +可以看出该方法逻辑很简单,关键在于它所调用的 addWorker() 方法,该方法主要功能:**新建 Worker 类,当执行任务时,就会调用被 Worker 所重写的 run() 方法,进而会继续执行 runWorker() 方法。在 runWorker() 方法中会调用 getTask() 方法从阻塞队列中不断的去获取任务进行执行,直到从阻塞队列中获取的任务为 null 的话,线程结束终止**。addWorker() 方法是 ThreadPoolExecutor 类中的方法。 + +> **ScheduledThreadPoolExecutor 总结** + +1、ScheduledThreadPoolExecutor 继承了 ThreadPoolExecutor 类,整体上功能一致,线程池主要负责创建线程( Worker 类),线程从阻塞队列中不断获取新的异步任务,直到阻塞队列中已经没有了异步任务为止。但是相较于 ThreadPoolExecutor 来说,ScheduledThreadPoolExecutor 具有延时执行任务和可周期性执行任务的特性,ScheduledThreadPoolExecutor 重新设计了任务类ScheduleFutureTask,ScheduleFutureTask 重写了 run()方法使其具有可延时执行和可周期性执行任务的特性。另外,阻塞队列 DelayedWorkQueue 是可根据优先级排序的队列,采用了堆的底层数据结构,使得与当前时间相比,待执行时间越靠近的任务放置队头,以便线程能够获取到任务进行执行; + +2、线程池无论是 ThreadPoolExecutor 还是 ScheduledThreadPoolExecutor,在设计时的三个关键要素是:任务,执行者以及任务结果。它们的设计思想也是完全将这三个关键要素进行了解耦。 + +- 执行者 + +任务的执行机制,完全交由 Worker 类,也就是进一步了封装了 Thread。 + +向线程池提交任务,无论 ThreadPoolExecutor 的 execute() 方法和 submit() 方法,还是ScheduledThreadPoolExecutor 的 schedule() 方法,都是先将任务移入到阻塞队列中,然后通过 addWork() 方法新建了 Worker 类,并通过 runWorker() 方法启动线程,并不断的从阻塞对列中获取异步任务执行交给 Worker执行,直至阻塞队列中无法取到任务为止。 + +- 任务 + +在 ThreadPoolExecutor 和 ScheduledThreadPoolExecutor 中任务是指实现了 Runnable 接口和 Callable 接口的实现类。ThreadPoolExecutor 中会将任务转换成 FutureTask 类,而在 ScheduledThreadPoolExecutor 中为了实现可延时执行任务和周期性执行任务的特性,任务会被转换成 ScheduledFutureTask 类,该类继承了FutureTask,并重写了 run() 方法。 + +- 任务结果 + +在 ThreadPoolExecutor 中提交任务后,获取任务结果可以通过 Future 接口的类,在 ThreadPoolExecutor 中实际上为 FutureTask 类,而在 ScheduledThreadPoolExecutor 中则是 ScheduledFutureTask 类。 + + + +## 十一、线程安全 + +### 线程不安全示例 + +如果多个线程对同一个共享数据进行访问而不采取同步操作的话,那么操作的结果是不一致的。 + +以下代码演示了 1000 个线程同时对 cnt 执行自增操作,操作结束之后它的值有可能小于 1000。 + +```java +public class ThreadUnsafeExample { + + private int cnt = 0; + + public void add() { + cnt++; + } + + public int get() { + return cnt; + } +} +``` + +```java +public static void main(String[] args) throws InterruptedException { + final int threadSize = 1000; + ThreadUnsafeExample example = new ThreadUnsafeExample(); + final CountDownLatch countDownLatch = new CountDownLatch(threadSize); + ExecutorService executorService = Executors.newCachedThreadPool(); + for (int i = 0; i < threadSize; i++) { + executorService.execute(() -> { + example.add(); + countDownLatch.countDown(); + }); + } + countDownLatch.await(); + executorService.shutdown(); + System.out.println(example.get()); +} +``` + +```html +997 +``` + +多个线程不管以何种方式访问某个类,并且在主调代码中不需要进行同步,都能表现正确的行为。 + +线程安全有以下几种实现方式: + +### 不可变 + +不可变(Immutable)的对象一定是线程安全的,不需要再采取任何的线程安全保障措施。只要一个不可变的对象被正确地构建出来,永远也不会看到它在多个线程之中处于不一致的状态。多线程环境下,应当尽量使对象成为不可变,来满足线程安全。 + +不可变的类型: + +- final 关键字修饰的基本数据类型 +- String +- 枚举类型 +- Number 部分子类,如 Long 和 Double 等数值包装类型,BigInteger 和 BigDecimal 等大数据类型。但同为 Number 的原子类 AtomicInteger 和 AtomicLong 则是可变的。 + +对于集合类型,可以使用 Collections.unmodifiableXXX() 方法来获取一个不可变的集合。 + +```java +public class ImmutableExample { + public static void main(String[] args) { + Map map = new HashMap<>(); + Map unmodifiableMap = Collections.unmodifiableMap(map); + unmodifiableMap.put("a", 1); + } +} +``` + +```html +Exception in thread "main" java.lang.UnsupportedOperationException + at java.util.Collections$UnmodifiableMap.put(Collections.java:1457) + at ImmutableExample.main(ImmutableExample.java:9) +``` + +Collections.unmodifiableXXX() 先对原始的集合进行拷贝,需要对集合进行修改的方法都直接抛出异常。 + +```java +public V put(K key, V value) { + throw new UnsupportedOperationException(); +} +``` + +### 互斥同步 + +synchronized 和 ReentrantLock。 + +### 非阻塞同步 + +互斥同步最主要的问题就是线程阻塞和唤醒所带来的性能问题,因此这种同步也称为阻塞同步。 + +互斥同步属于一种悲观的并发策略,总是认为只要不去做正确的同步措施,那就肯定会出现问题。无论共享数据是否真的会出现竞争,它都要进行加锁(这里讨论的是概念模型,实际上虚拟机会优化掉很大一部分不必要的加锁)、用户态核心态转换、维护锁计数器和检查是否有被阻塞的线程需要唤醒等操作。 + +#### CAS 操作 + +随着硬件指令集的发展,我们可以使用基于冲突检测的**乐观并发策略**:先进行操作,如果没有其它线程争用共享数据,那操作就成功了,否则采取补偿措施(不断地重试,直到成功为止)。这种乐观的并发策略的许多实现都不需要将线程阻塞,因此这种同步操作称为非阻塞同步。 + +乐观锁需要操作和冲突检测这两个步骤具备原子性,这里就不能再使用互斥同步来保证了,只能靠硬件来完成。硬件支持的原子性操作最典型的是:比较并交换(Compare-and-Swap,CAS)。CAS 指令需要有 3 个操作数,分别是内存地址 V、旧的预期值 A 和新值 B。当执行操作时,只有当 V 的值等于 A,才将 V 的值更新为 B。 + +CAS 有效地说明了“我认为位置 V 应该包含值 A ;如果包含该值,则将B放到这个位置;否则,不要更改该位置,只告诉我这个位置现在的值即可“。 + +#### AtomicInteger + +J.U.C 包里面的整数原子类 AtomicInteger 的方法调用了 Unsafe 类的 CAS 操作。 + +以下代码是 incrementAndGet() 的源码,它调用了 Unsafe 的 getAndAddInt() 。 + +```java +public final int incrementAndGet() { + return unsafe.getAndAddInt(this, valueOffset, 1) + 1; +} +``` + +以下代码是 getAndAddInt() 源码,通过 getIntVolatile(var1, var2) 得到旧的预期值,通过调用 compareAndSwapInt() 来进行 CAS 比较,如果该字段内存地址中的值等于 var5,那么就更新内存地址为 var1+var2 的变量为 var5+var4。 + +可以看到 getAndAddInt() 在一个循环中进行,发生冲突的做法是不断的进行重试。 + +``` +public final int getAndAddInt(Object var1, long var2, int var4) { +// var1 指示对象内存地址 +// var2 指示该字段相对对象内存地址的偏移 +// var4 指示操作需要加的数值。 + int var5; + do { + var5 = this.getIntVolatile(var1, var2); // 得到旧的预期值 + } while(!this.compareAndSwapInt(var1, var2, var5, var5 + var4)); + + return var5; +} +``` + +AtomicInteger 源码: + +```java +public class AtomicInteger extends Number implements java.io.Serializable { + private static final long serialVersionUID = 6214790243416807050L; + + private static final Unsafe unsafe = Unsafe.getUnsafe(); + + private volatile int value; + + // ... + + // 带参数构造函数,可设置初始 value 大小 + public AtomicInteger(int initialValue) { + value = initialValue; + } + + // 不带参数构造函数 + public AtomicInteger() { + } + + // 获取当前值 + public final int get() { + return value; + } + + // 设置值为 newValue + public final void set(int newValue) { + value = newValue; + } + + //返回旧值,并设置新值为 newValue + public final int getAndSet(int newValue) { + /** + * 这里使用for循环不断通过CAS操作来设置新值 + * CAS实现和加锁实现的关系有点类似乐观锁和悲观锁的关系 + * */ + for (;;) { + int current = get(); + if (compareAndSet(current, newValue)) + return current; + } + } + + // 原子的设置新值为update, expect为期望的当前的值 + public final boolean compareAndSet(int expect, int update) { + return unsafe.compareAndSwapInt(this, valueOffset, expect, update); + } + + // 获取当前值current,并设置新值为current+1 + //TODO:Java 中通过锁和循环 CAS 的方式实现原子操作。 + public final int getAndIncrement() { + for (;;) { + //自旋 CAS 实现的基本思路就是**循环 CAS 操作直到成功为止** + int current = get(); + int next = current + 1; + if (compareAndSet(current, next)) + return current; + } + } + + //... +} +``` + +一般来说在竞争不是特别激烈的时候,使用该包下的原子操作性能比使用 synchronized 关键字的方式高效的多。在较多的场景我们都可能会使用到这些原子类操作。一个典型应用就是计数了,在多线程的情况下需要考虑线程安全问题。 + +```java +public class Counter { + private int count; + public Counter(){} + public int getCount(){ + return count; + } + public void increase(){ + count++; + } +} +``` + +上面这个类在多线程环境下会有线程安全问题,要解决这个问题最简单的方式可能就是通过加锁的方式。 + +```java +public class Counter { + private int count; + public Counter(){} + public synchronized int getCount(){ + return count; + } + public synchronized void increase(){ + count++; + } +} +``` + +这类似于悲观锁的实现,我需要获取这个资源,那么我就给他加锁,别的线程都无法访问该资源,直到我操作完后释放对该资源的锁。我们知道,悲观锁的效率是不如乐观锁的,上面说了 Atomic 下的原子类的实现是类似乐观锁的,效率会比使用 synchronized 高,推荐使用这种方式。 + +```java +public class Counter { + private AtomicInteger count = new AtomicInteger(); + public Counter(){} + public int getCount(){ + return count.get(); + } + public void increase(){ + count.getAndIncrement(); + } +} +``` + +#### ABA + +如果一个变量初次读取的时候是 A 值,它的值被改成了 B,后来又被改回为 A,那 CAS 操作就会误认为它从来没有被改变过。 + +J.U.C 包提供了一个带有标记的原子引用类 AtomicStampedReference 来解决这个问题,它可以通过控制变量值的版本来保证 CAS 的正确性。大部分情况下 ABA 问题不会影响程序并发的正确性,如果需要解决 ABA 问题,改用传统的互斥同步可能会比原子类更高效。 + +### 无同步方案 + +要保证线程安全,并不是一定就要进行同步。如果一个方法本来就不涉及共享数据,那它自然就无须任何同步措施去保证正确性。 + +#### 栈封闭 + +多个线程访问同一个方法的局部变量时,不会出现线程安全问题,因为局部变量存储在虚拟机栈中,属于线程私有的。 + +```java +public class StackClosedExample { + public void add100() { + int cnt = 0; + for (int i = 0; i < 100; i++) { + cnt++; + } + System.out.println(cnt); + } +} +``` + +```java +public static void main(String[] args) { + StackClosedExample example = new StackClosedExample(); + ExecutorService executorService = Executors.newCachedThreadPool(); + executorService.execute(() -> example.add100()); + executorService.execute(() -> example.add100()); + executorService.shutdown(); +} +``` + +```html +100 +100 +``` + +#### 线程本地存储(Thread Local Storage) + +如果一段代码中所需要的数据必须与其他代码共享,那就看看这些共享数据的代码是否能保证在同一个线程中执行。如果能保证,我们就可以把共享数据的可见范围限制在同一个线程之内,这样,无须同步也能保证线程之间不出现数据争用的问题。 + +符合这种特点的应用并不少见,大部分使用消费队列的架构模式(如“生产者-消费者”模式)都会将产品的消费过程尽量在一个线程中消费完。其中最重要的一个应用实例就是经典 Web 交互模型中的“一个请求对应一个服务器线程”(Thread-per-Request)的处理方式,这种处理方式的广泛应用使得很多 Web 服务端应用都可以使用线程本地存储来解决线程安全问题。 + +可以使用 java.lang.ThreadLocal 类来实现线程本地存储功能。 + +#### 可重入代码(Reentrant Code) + +这种代码也叫做纯代码(Pure Code),可以在代码执行的任何时刻中断它,转而去执行另外一段代码(包括递归调用它本身),而在控制权返回后,原来的程序不会出现任何错误。 + +可重入代码有一些共同的特征,例如不依赖存储在堆上的数据和公用的系统资源、用到的状态量都由参数中传入、不调用非可重入的方法等。 + + + +## 十二、多线程开发良好的实践 + +- 给线程起个有意义的名字,这样可以方便找 Bug。 + +- 缩小同步范围,从而减少锁争用。例如对于 synchronized,应该尽量使用同步块而不是同步方法。 + +- 多用同步工具少用 wait() 和 notify()。首先,CountDownLatch, CyclicBarrier, Semaphore 和 Exchanger 这些同步类简化了编码操作,而用 wait() 和 notify() 很难实现复杂控制流;其次,这些同步类是由最好的企业编写和维护,在后续的 JDK 中还会不断优化和完善。 + +- 使用 BlockingQueue 实现生产者消费者问题。 + +- 多用并发集合少用同步集合,例如应该使用 ConcurrentHashMap 而不是 Hashtable。 + +- 使用本地变量和不可变类来保证线程安全。 + +- 使用线程池而不是直接创建线程,这是因为创建线程代价很高,线程池可以有效地利用有限的线程来启动任务。 + +## 参考资料 + +- [并发编程面试必备:AQS 原理与 AQS 同步组件总结](https://github.com/Snailclimb/JavaGuide/blob/master/docs/java/Multithread/AQS.md) +- [Java 并发知识总结](https://github.com/CL0610/Java-concurrency) +- [CS-Notes Java并发](https://github.com/CyC2018/CS-Notes/blob/master/docs/notes/Java%20%E5%B9%B6%E5%8F%91.md) +- [《 Java 并发编程的艺术》]() +- [Java多线程:synchronized的可重入性](https://www.cnblogs.com/cielosun/p/6684775.html) diff --git "a/docs/Java/Java \345\244\232\347\272\277\347\250\213\344\270\216\345\271\266\345\217\221.md" "b/docs/Java/Java \345\244\232\347\272\277\347\250\213\344\270\216\345\271\266\345\217\221.md" new file mode 100644 index 0000000..0901273 --- /dev/null +++ "b/docs/Java/Java \345\244\232\347\272\277\347\250\213\344\270\216\345\271\266\345\217\221.md" @@ -0,0 +1,2494 @@ +## 一、进程与线程 + +### 进程与线程的区别 + +> **进程与线程的由来** + +- 串行:初期的计算机只能串行执行任务,并且需要长时间等待用户输入 +- 批处理:预先将用户的指令集中成清单,批量串行处理用户指令,仍然无法并发执行 +- 进程:**进程独占内存空间**,保存各自运行状态,相互间**互不干扰**并且可以互相**切换**,为并发处理任务提供了可能 +- 线程:共享进程的内存资源,相互间切换更快速,支持更细粒度的任务控制,使进程内的子任务得以并发执行 + +> **进程和线程的区别** + +**进程是资源分配的最小单位,线程是 CPU 调度的最小单位** + +- 所有与进程相关的资源,都被记录在 PCB 中 + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_1.png) + +- 进程是抢占处理机的调度单位;线程属于某个进程,共享其资源 +- 线程只由堆栈寄存器、程序计数器和 TCP 组成 + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_2.png) + +> **总结** + +- 线程不能看做独立应用,而进程可看做独立应用 +- 进程有独立的地址空间,相互不影响,线程只是进程的不同执行路径 +- 线程没有独立的地址空间,多进程程序比多线程程序健壮 +- 进程的切换比线程切换开销大 + +> **多进程与多线程** + +- 多进程的意义 + +CPU 在某个时间点上只能做一件事情,计算机是在进程 1 和 进程 2 间做着频繁切换,且切换速度很快,所以,我们感觉进程 1 和进程 2 在同时进行,其实并不是同时执行的。 + +**多进程的作用不是提高执行速度,而是提高 CPU 的使用率**。 + +- 多线程的意义 + + 多个线程共享同一个进程的资源(堆内存和方法区),但是栈内存是独立的,一个线程一个栈。所以他们仍然是在抢 CPU 的资源执行。一个时间点上只有能有一个线程执行。而且谁抢到,这个不一定,所以,造成了线程运行的随机性。 + +**多线程的作用不是提高执行速度,而是为了提高应用程序的使用率**。 + +### Java 进程与线程的关系 + +- Java 对操作系统提供的功能进行封装,包括进程和线程 +- 运行程序会产生一个进程,进程包含至少一个线程 +- 每个进程对应一个 JVM 实例多个线程共享 JVM 里的堆 +- Java 采用单线程编程模型,程序会自动创建主线程 +- 主线程可以创建子线程,原则上要后与子线程完成执行 + +## 二、使用线程 + +- 继承 Thread 类; + +- 实现 Runnable 接口; +- 实现 Callable 接口。 + +实现 Runnable 和 Callable 接口的类只能当做一个可以在线程中运行的任务,不是真正意义上的线程,因此最后还需要通过 Thread 来调用。可以说任务是通过线程驱动从而执行的。 + +### 继承 Thread 类 + +需要实现 run() 方法,因为 Thread 类实现了 Runnable 接口。 + +当调用 start() 方法启动一个线程时,虚拟机会将该线程放入就绪队列中等待被调度,当一个线程被调度时会执行该线程的 run() 方法。 + +```java +public class MyThread extends Thread{ + private void attack() { + System.out.println("Fight"); + System.out.println("Current Thread is : " + Thread.currentThread().getName()); + } + + @Override + public void run() { //重写 run() 方法 + attack(); + } +} +``` + +> **Java 中 start 和 run 方法的区别** + +- 调用 start 方法会创建一个新的子线程并启动 +- run 方法只是 Thread 只是 Thread 的一个普通方法 + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_3.png) + +```java +public class MyThreadTest { + public static void main(String[] args) { + Thread t = new MyThread(); + + System.out.println("current main thread is : " + Thread.currentThread().getName()); + t.run(); //调用 run() 方法 + } +} +//输出结果: +//current main thread is : main +//Fight +//Current Thread is : main +``` + +```java +public class MyThreadTest2 { + public static void main(String[] args) { + Thread t = new MyThread(); + + System.out.println("current main thread is : " + Thread.currentThread().getName()); + t.start(); //调用 run() 方法 + } +} +//输出结果: +//current main thread is : main +//Fight +//Current Thread is : Thread-0 +``` + +### 实现 Runnable 接口 + +需要实现 run() 方法。 + +通过 Thread 调用 start() 方法来启动线程。 + +```java +public class MyRunnable implements Runnable { + public void run() { + // ... + } +} +``` + +```java +public static void main(String[] args) { + MyRunnable instance = new MyRunnable(); + Thread thread = new Thread(instance); + thread.start(); +} +``` + +> **实现接口 VS 继承 Thread** + +实现接口会更好一些,因为: + +- Thread 是实现了 Runnable 接口的类,使得 run 支持多线程 + +- Java 不支持多重继承,因此继承了 Thread 类就无法继承其它类,但是可以实现多个接口; +- 类可能只要求可执行就行,继承整个 Thread 类开销过大。 + +### 实现 Callable 接口 + +与 Runnable 相比,Callable 可以有返回值,返回值通过 FutureTask 进行封装。 + +```java +public class MyCallable implements Callable { + public Integer call() { + return 123; + } +} +``` + +```java +public static void main(String[] args) throws ExecutionException, InterruptedException { + MyCallable mc = new MyCallable(); + FutureTask ft = new FutureTask<>(mc); + Thread thread = new Thread(ft); + thread.start(); + System.out.println(ft.get()); +} +``` + +> **实现处理线程的返回值** + +- **主线程等待法** + +```java +public class CycleWait implements Runnable{ + private String value; + + @Override + public void run() { + try { + Thread.currentThread().sleep(5000); + } catch (InterruptedException e) { + e.printStackTrace(); + } + value = "we have data now"; + } +} +``` + +```java +public static void main(String[] args) { + CycleWait cycleWait = new CycleWait(); + Thread t = new Thread(cycleWait); + t.start(); + + System.out.println("value:"+cycleWait.value); + //输出结果: + //value:null + } +``` + +```java + public static void main(String[] args) throws InterruptedException { + CycleWait cycleWait = new CycleWait(); + Thread t = new Thread(cycleWait); + t.start(); + + while (cycleWait.value == null){ //主线程等待法 + Thread.sleep(1000); + } + System.out.println("value:"+cycleWait.value); + //输出结果: + //value:we have data now + } +``` + +- **使用 Thread 的 join() 阻塞当前线程以等待子线程处理完毕** + +```java +public static void main(String[] args) { + CycleWait cycleWait = new CycleWait(); + Thread t = new Thread(cycleWait); + t.start(); + t.join(); //阻塞当前线程以等待子线程执行完毕 + System.out.println("value:"+cycleWait.value); + //输出结果: + //value:we have data now + } +``` + +- **通过 Callable 接口实现:通过 FutureTask 或者线程池获取** + +方式一:通过 FutureTask 获取 + +```java +public class CycleWait2 implements Callable{ + private String value; + @Override + public String call() throws Exception { + try { + Thread.currentThread().sleep(5000); + } catch (InterruptedException e) { + e.printStackTrace(); + } + value = "we have data now"; + return value; + } + + public static void main(String[] args) throws ExecutionException, InterruptedException { + Callable cycleWait2 = new CycleWait2(); + FutureTask ft = new FutureTask(cycleWait2); + Thread t = new Thread(ft); + t.start(); + + if(!ft.isDone()){ + System.out.println("task has not finished,please wait!"); + } + + System.out.println("value:"+ft.get()); + //输出结果: + //value:we have data now + } +} +``` + +方式二:通过线程池获取 + +```java +public class CycleWait3 implements Callable{ + private String value; + @Override + public String call() throws Exception { + try { + Thread.currentThread().sleep(5000); + } catch (InterruptedException e) { + e.printStackTrace(); + } + value = "we have data now"; + return value; + } + + public static void main(String[] args){ + ExecutorService service = Executors.newCachedThreadPool(); + Future future = service.submit(new CycleWait3()); + + if(!future.isDone()){ + System.out.println("task has not finished,please wait!"); + } + + try { + System.out.println("value:"+future.get()); + //输出结果: + //value:we have data now + } catch (InterruptedException e) { + e.printStackTrace(); + } catch (ExecutionException e) { + e.printStackTrace(); + }finally { + service.shutdown(); //关闭线程池 + } + } +} +``` + + + +## 三、线程状态转换 + +
+ +
+ +> **新建(New)** + +创建后尚未启动。 + +> **可运行(Runnable)** + +可能正在运行,也可能正在等待 CPU 时间片。 + +包含了操作系统线程状态中的 Running 和 Ready。 + +调用 `start()` 方法后开始运行,线程这时候处于 Ready 状态。可运行状态的线程获得了 CPU 时间片后就处于 Running 状态。 + +> **阻塞(Blocked)** + +等待获取一个**排它锁**,如果其他线程释放了锁就会结束此状态。 + +> **无限期等待(Waiting)** + +等待其它线程显式地唤醒,否则不会被分配 CPU 时间片。 + +| 进入方法 | 退出方法 | +| --- | --- | +| 没有设置 Timeout 参数的 Object.wait() 方法 | Object.notify() / Object.notifyAll() | +| 没有设置 Timeout 参数的 Thread.join() 方法 | 被调用的线程执行完毕 | +| LockSupport.park() 方法 | LockSupport.unpark(Thread) | + +> **限期等待(Timed Waiting)** + +无需等待其它线程显式地唤醒,在一定时间之后会被系统自动唤醒。 + +调用 Thread.sleep() 方法使线程进入限期等待状态时,常常用“使一个线程睡眠”进行描述。 + +调用 Object.wait() 方法使线程进入限期等待或者无限期等待时,常常用“挂起一个线程”进行描述。 + +睡眠和挂起是用来描述行为,而阻塞和等待用来描述状态。 + +阻塞和等待的区别在于,阻塞是被动的,它是在等待获取一个排它锁。而等待是主动的,通过调用 Thread.sleep() 和 Object.wait() 等方法进入。 + +| 进入方法 | 退出方法 | +| --- | --- | +| Thread.sleep() 方法 | 时间结束 | +| 设置了 Timeout 参数的 Object.wait() 方法 | 时间结束 / Object.notify() / Object.notifyAll() | +| 设置了 Timeout 参数的 Thread.join() 方法 | 时间结束 / 被调用的线程执行完毕 | +| LockSupport.parkNanos() 方法 | LockSupport.unpark(Thread) | +| LockSupport.parkUntil() 方法 | LockSupport.unpark(Thread) | + +> **死亡(Terminated)** + +可以是线程结束任务之后自己结束,或者产生了异常而结束。 + + +## 四、基础线程机制 + +### Executor + +Executor 管理多个异步任务的执行,而无需程序员显式地管理线程的生命周期。这里的异步是指多个任务的执行互不干扰,不需要进行同步操作。 + +主要有三种 Executor: + +- CachedThreadPool:一个任务创建一个线程; +- FixedThreadPool:所有任务只能使用固定大小的线程; +- SingleThreadExecutor:相当于大小为 1 的 FixedThreadPool。 + +```java +public static void main(String[] args) { + ExecutorService executorService = Executors.newCachedThreadPool(); + for (int i = 0; i < 5; i++) { + executorService.execute(new MyRunnable()); + } + executorService.shutdown(); //关闭线程池 +} +``` + +### Daemon + +守护线程是程序运行时在后台提供服务的线程,不属于程序中不可或缺的部分。 + +当所有非守护线程结束时,程序也就终止,同时会杀死所有守护线程。 + +main() 属于非守护线程。 + +使用 setDaemon() 方法将一个线程设置为守护线程。 + +```java +public static void main(String[] args) { + Thread thread = new Thread(new MyRunnable()); + thread.setDaemon(true); +} +``` + +### sleep() + +Thread.sleep(millisec) 方法会休眠当前正在执行的线程,millisec 单位为毫秒。 + +sleep() 可能会抛出 InterruptedException,因为异常不能跨线程传播回 main() 中,因此必须在本地进行处理。线程中抛出的其它异常也同样需要在本地进行处理。 + +```java +public void run() { + try { + Thread.sleep(3000); + } catch (InterruptedException e) { + e.printStackTrace(); + } +} +``` + +### yield() + +对静态方法 Thread.yield() 的调用声明了当前线程已经完成了生命周期中最重要的部分,可以切换给其它线程来执行。该方法**只是对线程调度器的一个建议**,而且也只是建议具有相同优先级的其它线程可以运行。 + +```java +public class YieldDemo { + public static void main(String[] args) { + Runnable yieldTask = new Runnable() { + @Override + public void run() { + for(int i=1;i<=10;i++){ + System.out.println(Thread.currentThread().getName()+"\t"+i); + if(i==5){ + Thread.yield(); //只是对线程调度器的一个建议 + } + } + } + }; + + Thread t1 = new Thread(yieldTask,"Thread-A"); + Thread t2 = new Thread(yieldTask,"Thread-B"); + + t1.start(); + t2.start(); + } +} +``` + +```html +Thread-A 1 +Thread-A 2 +Thread-A 3 +Thread-A 4 +Thread-A 5 +Thread-B 1 +Thread-B 2 +Thread-B 3 +Thread-B 4 +Thread-A 6 +Thread-B 5 +Thread-A 7 +Thread-B 6 +Thread-A 8 +Thread-B 7 +Thread-A 9 +Thread-B 8 +Thread-B 9 +Thread-A 10 +Thread-B 10 +``` + +## 五、中断 + +一个线程执行完毕之后会自动结束,如果在运行过程中发生异常也会提前结束。 + +### interrupt() + +通过调用一个线程的 interrupt() 来中断该线程: + +- 如果该线程处于阻塞、限期等待或者无限期等待状态,那么就会抛出 InterruptedException,从而提前结束该线程。但是**不能中断 I/O 阻塞和 synchronized 锁阻塞**。 +- 如果该线程处于正常活动状态,那么会将该线程的中断标志设置为 true。被设置中断标志的线程将继续正常运行,不受影响。 + +对于以下代码。在 main() 中启动一个线程之后再中断它,由于线程中调用了 Thread.sleep() 方法,因此会抛出一个 InterruptedException,从而提前结束线程,不执行之后的语句。 + +```java +public class InterruptExample1 { + private static class MyThread1 extends Thread { + @Override + public void run() { + try { + Thread.sleep(2000); //thread1 进入限期等待状态 + System.out.println("Thread run"); + } catch (InterruptedException e) { + e.printStackTrace(); + } + System.out.println("Thread run"); + } + } + + public static void main(String[] args) throws InterruptedException { + Thread thread1 = new MyThread1(); + thread1.start(); + thread1.interrupt(); //中断 thread1 + System.out.println("Main run"); + } +} +``` + +```java +Main run +java.lang.InterruptedException: sleep interrupted + at java.lang.Thread.sleep(Native Method) + at InterruptExample.lambda$main$0(InterruptExample.java:5) + at InterruptExample$$Lambda$1/713338599.run(Unknown Source) + at java.lang.Thread.run(Thread.java:745) +``` + +```java +public class InterruptExample2 { + private static class MyThread1 extends Thread { + @Override + public void run() { //thread1 线程处于正常活动状态 + System.out.println("Thread run"); + } + } + + public static void main(String[] args) throws InterruptedException { + Thread thread1 = new MyThread1(); + thread1.start(); + thread1.interrupt(); //中断 thread1 + System.out.println("Main run"); + } +} +``` + +```html +Main run +Thread run +``` + +### interrupted() + +如果一个线程的 run() 方法执行一个无限循环,并且没有执行 sleep() 等会抛出 InterruptedException 的操作,那么调用线程的 interrupt() 方法就无法使线程提前结束。 + +但是调用 interrupt() 方法会设置线程的中断标记,此时**调用 interrupted() 方法会返回 true**。因此可以在循环体中使用 interrupted() 方法来判断线程是否处于中断状态,从而提前结束线程。 + +```java +public class InterruptExample { + public static void main(String[] args) throws InterruptedException { + Runnable interruptTask = new Runnable() { + @Override + public void run() { + int i = 0; + try { + //在正常运行任务时,经常检查本线程的中断标志位, + //如果被设置了中断标志就自行停止线程 + while (!Thread.currentThread().isInterrupted()) { + Thread.sleep(100); // 休眠100ms + i++; + System.out.println(Thread.currentThread().getName() + " (" + Thread.currentThread().getState() + ") loop " + i); + } + } catch (InterruptedException e) { + //在调用阻塞方法时正确处理InterruptedException异常。(例如,catch异常后就结束线程。) + System.out.println(Thread.currentThread().getName() + " (" + Thread.currentThread().getState() + ") catch InterruptedException."); + } + } + }; + Thread t1 = new Thread(interruptTask, "t1"); + System.out.println(t1.getName() +" ("+t1.getState()+") is new."); + + t1.start(); // 启动“线程t1” + System.out.println(t1.getName() +" ("+t1.getState()+") is started."); + + // 主线程休眠300ms,然后主线程给t1发“中断”指令。 + Thread.sleep(300); + t1.interrupt(); + System.out.println(t1.getName() +" ("+t1.getState()+") is interrupted."); + + // 主线程休眠300ms,然后查看t1的状态。 + Thread.sleep(300); + System.out.println(t1.getName() +" ("+t1.getState()+") is interrupted now."); + } +} +``` + +```java +t1 (NEW) is new. +t1 (RUNNABLE) is started. +t1 (RUNNABLE) loop 1 +t1 (RUNNABLE) loop 2 +t1 (TIMED_WAITING) is interrupted. +t1 (RUNNABLE) catch InterruptedException. +t1 (TERMINATED) is interrupted now. +``` + +### Executor 的中断操作 + +调用 Executor 的 shutdown() 方法会等待线程都执行完毕之后再关闭,但是如果调用的是 shutdownNow() 方法,则相当于调用每个线程的 interrupt() 方法。 + +以下使用 Lambda 创建线程,相当于创建了一个匿名内部线程。 + +```java +public static void main(String[] args) { + ExecutorService executorService = Executors.newCachedThreadPool(); + executorService.execute(() -> { + try { + Thread.sleep(2000); + System.out.println("Thread run"); + } catch (InterruptedException e) { + e.printStackTrace(); + } + }); + executorService.shutdownNow(); + System.out.println("Main run"); +} +``` + +```java +Main run +java.lang.InterruptedException: sleep interrupted + at java.lang.Thread.sleep(Native Method) + at ExecutorInterruptExample.lambda$main$0(ExecutorInterruptExample.java:9) + at ExecutorInterruptExample$$Lambda$1/1160460865.run(Unknown Source) + at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1142) + at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:617) + at java.lang.Thread.run(Thread.java:745) +``` + +如果只想中断 Executor 中的一个线程,可以通过使用 submit() 方法来提交一个线程,它会返回一个 Future 对象,通过调用该对象的 cancel(true) 方法就可以中断线程。 + +```java +Future future = executorService.submit(() -> { + // .. +}); +future.cancel(true); +``` + +## 六、线程之间的协作 + +当多个线程可以一起工作去解决某个问题时,如果某些部分必须在其它部分之前完成,那么就需要对线程进行协调。 + +### join() + +在线程中调用另一个线程的 join() 方法,会将当前线程挂起,而不是忙等待,直到目标线程结束。 + +对于以下代码,虽然 b 线程先启动,但是因为在 b 线程中调用了 a 线程的 join() 方法,b 线程会等待 a 线程结束才继续执行,因此最后能够保证 a 线程的输出先于 b 线程的输出。 + +```java +public class JoinExample { + + private class A extends Thread { + @Override + public void run() { + System.out.println("A"); + } + } + + private class B extends Thread { + + private A a; + + B(A a) { + this.a = a; + } + + @Override + public void run() { + try { + a.join(); + } catch (InterruptedException e) { + e.printStackTrace(); + } + System.out.println("B"); + } + } + + public void test() { + A a = new A(); + B b = new B(a); + b.start(); + a.start(); + } +} +``` + +```java +public static void main(String[] args) { + JoinExample example = new JoinExample(); + example.test(); +} +``` + +```java +A +B +``` + +### wait() notify() notifyAll() + +调用 wait() 使得线程等待某个条件满足,线程在等待时会被挂起,当其他线程的运行使得这个条件满足时,其它线程会调用 notify() 或者 notifyAll() 来唤醒挂起的线程。 + +它们都属于 Object 的一部分,而不属于 Thread。 + +只能用在同步方法或者同步控制块中使用,否则会在运行时抛出 IllegalMonitorStateException。 + +使用 wait() 挂起期间,线程会释放锁。这是因为,如果没有释放锁,那么其它线程就无法进入对象的同步方法或者同步控制块中,那么就无法执行 notify() 或者 notifyAll() 来唤醒挂起的线程,造成死锁。 + +```java +public class WaitNotifyExample { + + public synchronized void before() { + System.out.println("before"); + notifyAll(); + } + + public synchronized void after() { + try { + wait(); + } catch (InterruptedException e) { + e.printStackTrace(); + } + System.out.println("after"); + } +} +``` + +```java +public static void main(String[] args) { + ExecutorService executorService = Executors.newCachedThreadPool(); + WaitNotifyExample example = new WaitNotifyExample(); + executorService.execute(() -> example.after()); + executorService.execute(() -> example.before()); +} +``` + +```java +before +after +``` + +> **wait() 和 sleep() 的区别** + +基本差别: + +- wait() 是 Object 的方法,而 sleep() 是 Thread 的静态方法; +- sleep() 方法可以在任何地方使用,而 wait() 方法只能在 synchronized 块或者同步方法中使用; + +本质区别: + +- Thread.sleep 只会让出 CPU,不会导致锁行为的变化 +- Object.wait 不仅让出 CPU ,还会释放已经占有的同步资源锁 + +```java +public class WaitSleepDemo { + public static void main(String[] args) { + final Object lock = new Object(); + + Thread t1 = new Thread(new Runnable() { + @Override + public void run() { + System.out.println("thread A is waiting to get lock"); + synchronized (lock){ + try { + System.out.println("thread A get lock"); + Thread.sleep(20); + //Thread.sleep 只会让出 CPU,不会导致锁行为的变化 + System.out.println("thread A do wait method"); + + //==========位置 A ========== + //lock.wait(1000); + //Object.wait 不仅让出 CPU ,还会释放已经占有的同步资源锁 + + Thread.sleep(1000); + //Thread.sleep 只会让出 CPU,不会导致锁行为的变化 + //=========================== + + System.out.println("thread A is done"); + } catch (InterruptedException e){ + e.printStackTrace(); + } + } + } + }); + t1.start(); + + try{ + Thread.sleep(10); //主线程等待 10 ms + } catch (InterruptedException e){ + e.printStackTrace(); + } + new Thread(new Runnable() { + @Override + public void run() { + System.out.println("thread B is waiting to get lock"); + synchronized (lock){ + try { + System.out.println("thread B get lock"); + System.out.println("thread B is sleeping 10 ms"); + Thread.sleep(10); + //Thread.sleep 只会让出 CPU,不会导致锁行为的变化 + System.out.println("thread B is done"); + } catch (InterruptedException e){ + e.printStackTrace(); + } + } + } + }).start(); + } +} +``` + +位置 A 为 `lock.wait(1000);` 输出结果: + +```html +thread A is waiting to get lock +thread A get lock +thread A do wait method +thread B is waiting to get lock +thread B get lock +thread B is sleeping 10 ms +thread B is done +thread A is done +``` + +位置 A 为 `Thread.sleep(1000);` 输出结果: + +```html +thread A is waiting to get lock +thread A get lock +thread B is waiting to get lock +thread A do wait method +thread A is done +thread B get lock +thread B is sleeping 10 ms +thread B is done +``` + +> **notify() 和 notifyAll() 的区别** + +两个重要概念: + +- 锁池(EntryList) + +假设线程 A 已经拥有了**某个对象的锁**,而其他线程 B、C 想要调用这个对象的同步方法(或者同步代码块),由于 B 、C 线程在进入对象的同步方法(或者同步代码块)之前必须先获得该对象锁的拥有权,而恰巧该对象的锁目前正在被线程 A 所占用,此时 B 、C 线程就会被阻塞,进入一个地方去**等待锁的释放**,这个地方便是该对象的锁池。 + +- 等待池(WaitSet) + +假设线程 A 调用了某个对象的 wait() 方法,线程 A 就会释放该对象的锁,同时线程 A 就进入该对象的等待池,**进入到等待池的线程不会竞争该对象的锁**。 + +区别: + +notifyAll() 会让所有处于**等待池的线程全部进入锁池**去竞争锁 + +```java +public class NotificationDemo { + private volatile boolean go = false; + + public static void main(String args[]) throws InterruptedException { + final NotificationDemo test = new NotificationDemo(); + + Runnable waitTask = new Runnable(){ + @Override + public void run(){ + try { + test.shouldGo(); + } catch (InterruptedException e) { + e.printStackTrace(); + } + System.out.println(Thread.currentThread().getName() + " finished Execution"); + } + }; + + Runnable notifyTask = new Runnable(){ + @Override + public void run(){ + test.go(); + System.out.println(Thread.currentThread().getName() + " finished Execution"); + } + }; + + //t1、t2、t3 等待 + Thread t1 = new Thread(waitTask, "WT1"); + Thread t2 = new Thread(waitTask, "WT2"); + Thread t3 = new Thread(waitTask, "WT3"); + //t4 唤醒 + Thread t4 = new Thread(notifyTask,"NT1"); + t1.start(); + t2.start(); + t3.start(); + + Thread.sleep(200); + t4.start(); + } + + //wait and notify can only be called from synchronized method or block + private synchronized void shouldGo() throws InterruptedException { + while(go != true){ + System.out.println(Thread.currentThread() + + " is going to wait on this object"); + wait(); //this.wait 不仅让出 CPU ,还会释放已经占有的同步资源锁 + System.out.println(Thread.currentThread() + " is woken up"); + } + go = false; //resetting condition + } + + // both shouldGo() and go() are locked on current object referenced by "this" keyword + private synchronized void go() { + while (go == false){ + System.out.println(Thread.currentThread() + + " is going to notify all or one thread waiting on this object"); + + go = true; //making condition true for waiting thread + //===================位置 A ===================== + //notify(); //只会唤醒 WT1, WT2,WT3 中的一个线程 + notifyAll(); //所有的等待线程 WT1, WT2,WT3 都会被唤醒 + //============================================== + } + } +} +``` + +位置 A 为 `notify();` 输出结果: + +```html +Thread[WT1,5,main] is going to wait on this object +Thread[WT2,5,main] is going to wait on this object +Thread[WT3,5,main] is going to wait on this object +Thread[NT1,5,main] is going to notify all or one thread waiting on this object +Thread[WT1,5,main] is woken up +WT1 finished Execution +NT1 finished Execution +``` + +位置 B 为 `notifyAll();` 输出结果: + +```html +Thread[WT1,5,main] is going to wait on this object +Thread[WT3,5,main] is going to wait on this object +Thread[WT2,5,main] is going to wait on this object +Thread[NT1,5,main] is going to notify all or one thread waiting on this object +Thread[WT2,5,main] is woken up +NT1 finished Execution +WT2 finished Execution +Thread[WT3,5,main] is woken up +Thread[WT3,5,main] is going to wait on this object +Thread[WT1,5,main] is woken up +Thread[WT1,5,main] is going to wait on this object +``` + +### await() signal() signalAll() + +java.util.concurrent 类库中提供了 Condition 类来实现线程之间的协调,可以在 Condition 上调用 await() 方法使线程等待,其它线程调用 signal() 或 signalAll() 方法唤醒等待的线程。 + +相比于 wait() 这种等待方式,await() 可以指定等待的条件,因此更加灵活。 + +使用 Lock 来获取一个 Condition 对象。 + +```java +public class AwaitSignalExample { + + private Lock lock = new ReentrantLock(); + private Condition condition = lock.newCondition(); + + public void before() { + lock.lock(); + try { + System.out.println("before"); + condition.signalAll(); + } finally { + lock.unlock(); + } + } + + public void after() { + lock.lock(); + try { + condition.await(); + System.out.println("after"); + } catch (InterruptedException e) { + e.printStackTrace(); + } finally { + lock.unlock(); + } + } +} +``` + +```java +public static void main(String[] args) { + ExecutorService executorService = Executors.newCachedThreadPool(); + AwaitSignalExample example = new AwaitSignalExample(); + executorService.execute(() -> example.after()); + executorService.execute(() -> example.before()); +} +``` + +```java +before +after +``` + +## 七、Java 原子操作类 + +由于 synchronized 是采用的是**悲观锁策略**,并不是特别高效的一种解决方案。 实际上,在 J.U.C下 的 atomic 包提供了一系列的操作简单,性能高效,并能保证线程安全的类,去更新基本类型变量、数组元素、引用类型以及更新对象中的字段类型。 atomic 包下的这些类都是采用的是**乐观锁策略**去原子更新数据,在 Java 中则是**使用 CAS操作具体实现**。 + +### 1、原子更新基本类 + +使用原子的方式更新基本类型,atomic 包提供了以下 3 个类: + +| 类 | 说明 | +| :-----------: | :-------------------: | +| AtomicBoolean | 原子更新 boolean 类型 | +| AtomicInteger | 原子更新整型 | +| AtomicLong | 原子更新长整型 | + +以 AtomicInteger 为例总结常用的方法: + +| 方法 | 说明 | +| :---------------------: | :----------------------------------------------------------: | +| addAndGet(int delta) | 以原子方式将输入的数值与实例中原本的值相加,并返回最后的结果 | +| incrementAndGet() | 以原子的方式将实例中的原值进行加1操作,并返回最终相加后的结果 | +| getAndSet(int newValue) | 将实例中的值更新为新值,并返回旧值 | +| getAndIncrement() | 以原子的方式将实例中的原值 +1,返回的是自增前的旧值 | + +> **AtomicInteger ** + + AtomicInteger 测试: + +```java +public class AtomicIntegerDemo { + // 请求总数 + public static int clientTotal = 5000; + + // 同时并发执行的线程数 + public static int threadTotal = 200; + + //java.util.concurrent.atomic.AtomicInteger; + public static AtomicInteger count = new AtomicInteger(0); + + public static void main(String[] args) throws InterruptedException { + ExecutorService executorService = Executors.newCachedThreadPool(); + //Semaphore和CountDownLatch模拟并发 + final Semaphore semaphore = new Semaphore(threadTotal); + final CountDownLatch countDownLatch = new CountDownLatch(clientTotal); + for (int i = 0; i < clientTotal ; i++) { + executorService.execute(() -> { + try { + semaphore.acquire(); + add(); + semaphore.release(); + } catch (Exception e) { + e.printStackTrace(); + } + countDownLatch.countDown(); + }); + } + countDownLatch.await(); + executorService.shutdown(); + System.out.println("count:{"+count.get()+"}"); + } + + public static void add() { + count.incrementAndGet(); + } +} +``` + +```html +count:{5000} +``` + + AtomicInteger 的 getAndIncrement() 方法源码: + +```java +private static final Unsafe unsafe = Unsafe.getUnsafe(); + +public final int incrementAndGet() { + return unsafe.getAndAddInt(this, valueOffset, 1) + 1; +} +``` + +实际上是调用了 unsafe 实例的 getAndAddInt 方法。Unsafe 类在 sun.misc 包下,Unsafe 类提供了一些底层操作,atomic 包下的原子操作类的也主要是通过 Unsafe 类提供的 compareAndSwapObject、compareAndSwapInt 和 compareAndSwapLong 等一系列提供 CAS 操作的方法来进行实现。 + +> **AtomicLong** + +AtomicLong 的实现原理和 AtomicInteger 一致,只不过一个针对的是 long 变量,一个针对的是 int 变量。 + +> **AtomicBoolean** + +AtomicBoolean 的核心方法是 compareAndSet() 方法: + +```java +public final boolean compareAndSet(boolean expect, boolean update) { + int e = expect ? 1 : 0; + int u = update ? 1 : 0; + return unsafe.compareAndSwapInt(this, valueOffset, e, u); +} +``` + +可以看出,compareAndSet 方法的实际上也是先转换成 0、1 的整型变量,然后是通过针对 int 型变量的原子更新方法 compareAndSwapInt 来实现的。atomic 包中只提供了对 boolean ,int ,long 这三种基本类型的原子更新的方法,参考对 boolean 更新的方式,原子更新 char,double,float 也可以采用类似的思路进行实现。 + +### 2、原子更新数组 + +通过原子的方式更新数组里的某个元素,atomic 包提供了以下 3 个类: + +| 类 | 说明 | +| :------------------: | :--------------------------: | +| AtomicIntegerArray | 原子更新整型数组中的元素 | +| AtomicLongArray | 原子更新长整型数组中的元素 | +| AtomicReferenceArray | 原子更新引用类型数组中的元素 | + +这几个类的用法一致,就以AtomicIntegerArray来总结下常用的方法: + +| 方法 | 说明 | +| :------------------------------------------: | :-----------------------------------------------: | +| addAndGet(int i, int delta) | 以原子更新的方式将数组中索引为i的元素与输入值相加 | +| getAndIncrement(int i) | 以原子更新的方式将数组中索引为i的元素自增 +1 | +| compareAndSet(int i, int expect, int update) | 将数组中索引为 i 的位置的元素进行更新 | + +AtomicIntegerArray 与 AtomicInteger 的方法基本一致,只不过在 AtomicIntegerArray 的方法中会多一个指定数组索引位 i。 + +```java +public class AtomicIntegerArrayDemo { + // private static AtomicInteger atomicInteger = new AtomicInteger(1); + private static int[] value = new int[]{1, 2, 3}; + private static AtomicIntegerArray integerArray = new AtomicIntegerArray(value); + + public static void main(String[] args) { + //对数组中索引为1的位置的元素加5 + int result = integerArray.getAndAdd(1, 5); + System.out.println(integerArray.get(1)); + System.out.println(result); + } +} +``` + +```html +7 +2 +``` + +getAndAdd 方法将位置为 1 的元素 +5,从结果可以看出索引为 1 的元素变成了 7 ,该方法返回的也是相加之前的数为 2。 + +### 3、原子更新引用类型 + +如果需要原子更新引用类型变量的话,为了保证线程安全,atomic 也提供了相关的类: + +| 类 | 说明 | +| :-------------------------: | :--------------------------: | +| AtomicReference | 原子更新引用类型 | +| AtomicReferenceFieldUpdater | 原子更新引用类型里的字段 | +| AtomicMarkableReference | 原子更新带有标记位的引用类型 | + +这几个类的使用方法也是基本一样的,以AtomicReference为例,来说明这些类的基本用法: + +```java +public class AtomicDemo { + + private static AtomicReference reference = new AtomicReference<>(); + + public static void main(String[] args) { + User user1 = new User("a",1); + reference.set(user1); + User user2 = new User("b",2); + User user = reference.getAndSet(user2); + System.out.println(user); + System.out.println(reference.get()); + } + + static class User { + private String userName; + private int age; + + public User(String userName, int age) { + this.userName = userName; + this.age = age; + } + + @Override + public String toString() { + return "User{" + + "userName='" + userName + '\'' + + ", age=" + age + + '}'; + } + } +} +``` + +```html +User{userName='a', age=1} +User{userName='b', age=2} +``` + +首先构建一个 user1 对象,然会把 user1 对象设置进 AtomicReference 中,然后调用 getAndSet 方法。从结果可以看出,该方法会原子更新引用的 user 对象,变为`User{userName='b', age=2}`,返回的是原来的 user 对象User`{userName='a', age=1}`。 + +### 4、原子更新字段类型 + +如果需要更新对象的某个字段,并在多线程的情况下,能够保证线程安全,atomic 同样也提供了相应的原子操作类: + +| 类 | 说明 | +| :----------------------: | :----------------------------------------------------------: | +| AtomicIntegeFieldUpdater | 原子更新整型字段类 | +| AtomicLongFieldUpdater | 原子更新长整型字段类 | +| AtomicStampedReference | 原子更新带版本号引用类型。
为什么在更新的时候会带有版本号,是为了解决 CAS 的 ABA 问题 | + +要想使用原子更新字段需要两步操作: + +- 原子更新字段类都是**抽象类**,只能通过静态方法 newUpdater 来创建一个更新器,并且需要设置想要更新的类和属性 +- 更新类的属性必须使用 public volatile 进行修饰 + +```java +public class AtomicIntegerFieldUpdaterDemo { + private static AtomicIntegerFieldUpdater updater = + AtomicIntegerFieldUpdater.newUpdater(User.class,"age"); + + public static void main(String[] args) { + User user = new User("a", 1); + System.out.println(user); + int oldValue = updater.getAndAdd(user, 5); + System.out.println(user); + } + + static class User { + private String userName; + public volatile int age; + + public User(String userName, int age) { + this.userName = userName; + this.age = age; + } + + @Override + public String toString() { + return "User{" + + "userName='" + userName + '\'' + + ", age=" + age + + '}'; + } + } +} +``` + +```html +User{userName='a', age=1} +User{userName='a', age=6} +``` + +创建 AtomicIntegerFieldUpdater 是通过它提供的静态方法进行创建, getAndAdd 方法会将指定的字段加上输入的值,并且返回相加之前的值。 user 对象中 age 字段原值为 1,+5 之后,可以看出 user 对象中的 age 字段的值已经变成了 6。 + +## 八、J.U.C - AQS + +java.util.concurrent(J.U.C)大大提高了并发性能,AQS 被认为是 J.U.C 的核心。 + +### CountDownLatch + +用来控制一个线程等待多个线程。 + +维护了一个计数器 cnt,每次调用 countDown() 方法会让计数器的值减 1,减到 0 的时候,那些因为调用 await() 方法而在等待的线程就会被唤醒。 + +
+ + + +> **场景1:程序执行需要等待某个条件完成后,才能进行后面的操作** + +比如父任务等待所有子任务都完成的时候, 再继续往下进行。 + +```java +public class CountDownLatchExample { + //线程数量 + private static int threadCount=10; + + public static void main(String[] args) throws InterruptedException { + ExecutorService executorService= Executors.newCachedThreadPool(); + + final CountDownLatch countDownLatch=new CountDownLatch(threadCount); + + + for (int i = 1; i <= threadCount; i++) { + final int threadNum=i; + executorService.execute(()->{ + try { + test(threadNum); + } catch (InterruptedException e) { + e.printStackTrace(); + }finally { + countDownLatch.countDown(); + } + + }); + } + countDownLatch.await(); + //上面的所有线程都执行完了,再执行主线程 + System.out.println("Finished!"); + executorService.shutdown(); + } + + private static void test(int threadNum) throws InterruptedException { + Thread.sleep(100); + System.out.println("run: Thread "+threadNum); + Thread.sleep(100); + } +} +``` + +```html +run: Thread 8 +run: Thread 7 +run: Thread 6 +run: Thread 5 +run: Thread 4 +run: Thread 3 +run: Thread 2 +run: Thread 1 +run: Thread 10 +run: Thread 9 +Finished! +``` + + + +> **场景2:指定执行时间的情况,超过这个任务就不继续等待了,完成多少算多少。** + +```java +public class CountDownLatchExample2 { + //线程数量 + private static int threadCount=10; + + public static void main(String[] args) throws InterruptedException { + ExecutorService executorService= Executors.newCachedThreadPool(); + + final CountDownLatch countDownLatch=new CountDownLatch(threadCount); + + + for (int i = 1; i <= threadCount; i++) { + final int threadNum=i; + executorService.execute(()->{ + try { + test(threadNum); + } catch (InterruptedException e) { + e.printStackTrace(); + }finally { + countDownLatch.countDown(); + } + + }); + } + countDownLatch.await(10, TimeUnit.MILLISECONDS); + //上面线程如果在10 毫秒内未完成,则有可能会执行主线程 + System.out.println("Finished!"); + executorService.shutdown(); + } + + private static void test(int threadNum) throws InterruptedException { + Thread.sleep(10); + System.out.println("run: Thread "+threadNum); + } +} +``` + +```html +run: Thread 10 +run: Thread 4 +run: Thread 3 +run: Thread 2 +Finished! +run: Thread 9 +run: Thread 5 +run: Thread 8 +run: Thread 6 +run: Thread 7 +run: Thread 1 +``` + +### CyclicBarrier + +用来控制多个线程互相等待,只有当多个线程都到达时,这些线程才会继续执行。它要做的事情是,让一组线程到达一个屏障(也可以叫同步点)时被阻塞,直到最后一个线程到达屏障时,屏障才会开门,所有被拦截的线程才会继续执行。 + +和 CountdownLatch 相似,都是通过维护计数器来实现的。线程执行 await() 方法之后计数器会减 1,并进行等待,直到计数器为 0,所有调用 await() 方法而在等待的线程才能继续执行。 + +CyclicBarrier 和 CountdownLatch 的一个区别是,CyclicBarrier 的计数器通过调用 reset() 方法可以循环使用,所以它才叫做循环屏障。 + +CyclicBarrier 有两个构造函数,其中 parties 指示计数器的初始值,barrierAction 在所有线程都到达屏障的时候会执行一次。 + +```java +public CyclicBarrier(int parties, Runnable barrierAction) { + if (parties <= 0) throw new IllegalArgumentException(); + this.parties = parties; + this.count = parties; + this.barrierCommand = barrierAction; +} + +public CyclicBarrier(int parties) { + this(parties, null); +} +``` + +
+ +```java +public class CyclicBarrierExample { + //指定必须有6个运动员到达才行 + private static CyclicBarrier barrier = new CyclicBarrier(6, () -> { + System.out.println("所有运动员入场,裁判员一声令下!!!!!"); + }); + public static void main(String[] args) { + System.out.println("运动员准备进场,全场欢呼............"); + + ExecutorService service = Executors.newFixedThreadPool(6); + for (int i = 0; i < 6; i++) { + service.execute(() -> { + try { + System.out.println(Thread.currentThread().getName() + " 运动员,进场"); + barrier.await(); + System.out.println(Thread.currentThread().getName() + " 运动员出发"); + } catch (InterruptedException e) { + e.printStackTrace(); + } catch (BrokenBarrierException e) { + e.printStackTrace(); + } + }); + } + + service.shutdown(); + } +} +``` + +```html +运动员准备进场,全场欢呼............ +pool-1-thread-1 运动员,进场 +pool-1-thread-2 运动员,进场 +pool-1-thread-3 运动员,进场 +pool-1-thread-4 运动员,进场 +pool-1-thread-5 运动员,进场 +pool-1-thread-6 运动员,进场 +所有运动员入场,裁判员一声令下!!!!! +pool-1-thread-6 运动员出发 +pool-1-thread-1 运动员出发 +pool-1-thread-4 运动员出发 +pool-1-thread-3 运动员出发 +pool-1-thread-2 运动员出发 +pool-1-thread-5 运动员出发 +``` + +> **场景:多线程计算数据,最后合并计算结果。** + +```java +public class CyclicBarrierExample2 { + private static int threadCount = 10; + + public static void main(String[] args) throws InterruptedException { + CyclicBarrier cyclicBarrier=new CyclicBarrier(5); + + ExecutorService executorService= Executors.newCachedThreadPool(); + + + for (int i = 0; i < threadCount; i++) { + final int threadNum=i; + executorService.execute(()->{ + try { + System.out.println("before..."+threadNum); + cyclicBarrier.await(); + System.out.println("after..."+threadNum); + } catch (Exception e) { + e.printStackTrace(); + } + }); + } + executorService.shutdown(); + } +} +``` + +```html +before...1 +before...4 +before...3 +before...2 +before...6 +before...5 +before...7 +before...8 +after...6 +before...9 +after...1 +after...2 +before...10 +after...3 +after...7 +after...8 +after...4 +after...9 +after...5 +after...10 +``` + +> **CountDownLatch 与 CyclicBarrier 比较** + +- CountDownLatch 一般用于某个线程 A 等待若干个其他线程执行完后再执行。CountDownLatch 强调一个线程等多个线程完成某件事情; + + CyclicBarrier 一般用于一组线程互相等待至某个状态,然后这一组线程再同时执行。CyclicBarrier是多个线程互等,等大家都完成,再携手共进。 + +- 调用 CountDownLatch 的 countDown 方法后,当前线程并不会阻塞,会继续往下执行; + + 调用 CyclicBarrier 的 await 方法,会阻塞当前线程,直到 CyclicBarrier 指定的线程全部都到达了指定点时,才能继续往下执行。 + +- CountDownLatch 方法比较少,操作比较简单; + + CyclicBarrier 提供的方法更多,比如能够通过 getNumberWaiting(),isBroken() 等方法获取当前多个线程的状态,并且 **CyclicBarrier 的构造方法可以传入 barrierAction**,指定当所有线程都到达时执行的业务功能。 + +- CountDownLatch 是不能复用的; + + CyclicLatch 是可以复用的。 + + + +### Semaphore + +Semaphore 类似于操作系统中的信号量,可以控制对互斥资源的访问线程数。 + +其中`acquire()`方法,用来获取资源,`release()`方法用来释放资源。Semaphore维护了当前访问的个数,通过提供**同步机制**来控制同时访问的个数。 + +> **场景:特殊资源的并发访问控制** + +比如数据库的连接数最大只有 20,而上层的并发数远远大于 20,这时候如果不作限制, 可能会由于无法获取连接而导致并发异常,这时候可以使用 Semaphore 来进行控制。当信号量设置为1的时候,就和单线程很相似了。 + +```java +//每次获取一个许可 +public class SemaphoreExample { + private static int clientCount = 3; + private static int totalRequestCount = 10; + + public static void main(String[] args) { + ExecutorService executorService= Executors.newCachedThreadPool(); + + //Semaphore允许的最大许可数为 clientCount , + //也就是允许的最大并发执行的线程个数为 clientCount + final Semaphore semaphore=new Semaphore(clientCount); + + for(int i=1;i<=totalRequestCount;i++){ + final int threadNum=i; + executorService.execute(() -> { + try{ + semaphore.acquire();//每次获取一个许可 + test(threadNum); + }catch (InterruptedException e) { + e.printStackTrace(); + }finally { + semaphore.release(); //释放一个许可 + } + }); + } + executorService.shutdown(); + } + + private static void test(int threadNum) throws InterruptedException { + System.out.println("run: "+threadNum); + Thread.sleep(1000); // 线程睡眠 1 s + } +} +``` + +```html +run: 1 +run: 2 +run: 3 +//---- 1 s ----- +run: 4 +run: 5 +run: 6 +//---- 1 s ----- +run: 7 +run: 8 +run: 9 +//---- 1 s ----- +run: 10 +``` + + + +```java +//每次获取多个许可 +public class SemaphoreExample2 { + private static int clientCount = 3; + private static int totalRequestCount = 10; + + public static void main(String[] args) { + ExecutorService executorService= Executors.newCachedThreadPool(); + + final Semaphore semaphore=new Semaphore(clientCount); + + for(int i=1;i<=totalRequestCount;i++){ + final int threadNum=i; + executorService.execute(() -> { + try{ + semaphore.acquire(3);//每次获取3个许可 + //并发数是 3 ,一次性获取 3 个许可,同 1s 内无其他许可释放,相当于单线程 + test(threadNum); + }catch (InterruptedException e) { + e.printStackTrace(); + }finally { + semaphore.release(3); //释放 3 个许可 + } + }); + } + executorService.shutdown(); + } + + private static void test(int threadNum) throws InterruptedException { + System.out.println("run: "+threadNum); + Thread.sleep(1000); // 线程睡眠 1 s + } +} +``` + +```html +run: 1 +//---- 1 s ----- +run: 2 +//---- 1 s ----- +run: 3 +//---- 1 s ----- +run: 4 +//---- 1 s ----- +run: 5 +//---- 1 s ----- +run: 6 +//---- 1 s ----- +run: 7 +//---- 1 s ----- +run: 8 +//---- 1 s ----- +run: 10 +//---- 1 s ----- +run: 9 +``` + + + +```java +public class SemaphoreExample3 { + private static int clientCount = 3; + private static int totalRequestCount = 10; + + public static void main(String[] args) { + ExecutorService executorService= Executors.newCachedThreadPool(); + + final Semaphore semaphore=new Semaphore(clientCount); + + for(int i=1;i<=totalRequestCount;i++){ + final int threadNum=i; + executorService.execute(() -> { + try{ + if(semaphore.tryAcquire()){ + //尝试获取一个许可 + test(threadNum); + semaphore.release(); + } + }catch (InterruptedException e) { + e.printStackTrace(); + } + }); + } + executorService.shutdown(); + } + + private static void test(int threadNum) throws InterruptedException { + System.out.println("run: "+threadNum); + Thread.sleep(1000); // 线程睡眠 1 s + } +} +``` + +```html +run: 1 +run: 2 +run: 3 +``` + +## 九、J.U.C - 其它组件 + +### FutureTask + +在介绍 Callable 时我们知道它可以有返回值,返回值通过 Future 进行封装。FutureTask 实现了 RunnableFuture 接口,该接口继承自 Runnable 和 Future 接口,这使得 FutureTask 既可以当做一个任务执行,也可以有返回值。 + +```java +public class FutureTask implements RunnableFuture +``` + +```java +public interface RunnableFuture extends Runnable, Future +``` + +FutureTask 可用于异步获取执行结果或取消执行任务的场景。当一个计算任务需要执行很长时间,那么就可以用 FutureTask 来封装这个任务,主线程在完成自己的任务之后再去获取结果。 + +```java +public class FutureTaskExample { + + public static void main(String[] args) throws ExecutionException, InterruptedException { + FutureTask futureTask = new FutureTask(new Callable() { + @Override + public Integer call() throws Exception { + int result = 0; + for (int i = 0; i < 100; i++) { + Thread.sleep(10); + result += i; + } + return result; + } + }); + + Thread computeThread = new Thread(futureTask); + computeThread.start(); + + Thread otherThread = new Thread(() -> { + System.out.println("other task is running..."); + try { + Thread.sleep(1000); + } catch (InterruptedException e) { + e.printStackTrace(); + } + }); + otherThread.start(); + System.out.println(futureTask.get()); + } +} +``` + +```java +other task is running... +4950 +``` + +### BlockingQueue + +java.util.concurrent.BlockingQueue 接口有以下阻塞队列的实现: + +- **FIFO 队列** :LinkedBlockingQueue、ArrayBlockingQueue(固定长度) +- **优先级队列** :PriorityBlockingQueue + +提供了阻塞的 take() 和 put() 方法:如果队列为空 take() 将阻塞,直到队列中有内容;如果队列为满 put() 将阻塞,直到队列有空闲位置。 + +**使用 BlockingQueue 实现生产者消费者问题** + +```java +public class ProducerConsumer { + + private static BlockingQueue queue = new ArrayBlockingQueue<>(5); + + private static class Producer extends Thread { + @Override + public void run() { + try { + queue.put("product"); + } catch (InterruptedException e) { + e.printStackTrace(); + } + System.out.print("produce.."); + } + } + + private static class Consumer extends Thread { + + @Override + public void run() { + try { + String product = queue.take(); + } catch (InterruptedException e) { + e.printStackTrace(); + } + System.out.print("consume.."); + } + } +} +``` + +```java +public static void main(String[] args) { + for (int i = 0; i < 2; i++) { + Producer producer = new Producer(); + producer.start(); + } + for (int i = 0; i < 5; i++) { + Consumer consumer = new Consumer(); + consumer.start(); + } + for (int i = 0; i < 3; i++) { + Producer producer = new Producer(); + producer.start(); + } +} +``` + +```html +produce..produce..consume..consume..produce..consume..produce..consume..produce..consume.. +``` + +### ForkJoin + +主要用于并行计算中,和 MapReduce 原理类似,都是把大的计算任务拆分成多个小任务并行计算。 + +```java +public class ForkJoinExample extends RecursiveTask { + + private final int threshold = 5; + private int first; + private int last; + + public ForkJoinExample(int first, int last) { + this.first = first; + this.last = last; + } + + @Override + protected Integer compute() { + int result = 0; + if (last - first <= threshold) { + // 任务足够小则直接计算 + for (int i = first; i <= last; i++) { + result += i; + } + } else { + // 拆分成小任务 + int middle = first + (last - first) / 2; + ForkJoinExample leftTask = new ForkJoinExample(first, middle); + ForkJoinExample rightTask = new ForkJoinExample(middle + 1, last); + leftTask.fork(); + rightTask.fork(); + result = leftTask.join() + rightTask.join(); + } + return result; + } +} +``` + +```java +public static void main(String[] args) throws ExecutionException, InterruptedException { + ForkJoinExample example = new ForkJoinExample(1, 10000); + ForkJoinPool forkJoinPool = new ForkJoinPool(); + Future result = forkJoinPool.submit(example); + System.out.println(result.get()); +} +``` + +ForkJoin 使用 ForkJoinPool 来启动,它是一个特殊的线程池,线程数量取决于 CPU 核数。 + +```java +public class ForkJoinPool extends AbstractExecutorService +``` + +ForkJoinPool 实现了工作窃取算法来提高 CPU 的利用率。每个线程都维护了一个双端队列,用来存储需要执行的任务。工作窃取算法允许空闲的线程从其它线程的双端队列中窃取一个任务来执行。窃取的任务必须是最晚的任务,避免和队列所属线程发生竞争。例如下图中,Thread2 从 Thread1 的队列中拿出最晚的 Task1 任务,Thread1 会拿出 Task2 来执行,这样就避免发生竞争。但是如果队列中只有一个任务时还是会发生竞争。 + +
+ +## 十、生产者与消费者模式 + +生产者-消费者模式是一个十分经典的多线程并发协作的模式,弄懂生产者-消费者问题能够让我们对并发编程的理解加深。 + +所谓生产者-消费者问题,实际上主要是包含了两类线程,一种是**生产者线程用于生产数据**,另一种是**消费者线程用于消费数据**,为了解耦生产者和消费者的关系,通常会采用**共享数据区域**。 + +共享数据区域就像是一个仓库,生产者生产数据之后直接放置在共享数据区中,并不需要关心消费者的行为;消费者只需要从共享数据区中去获取数据,就不再需要关心生产者的行为。但是,这个共享数据区域中应该具备这样的线程间并发协作的功能: + +- 如果共享数据区已满的话,阻塞生产者继续生产数据放置入内 +- 如果共享数据区为空的话,阻塞消费者继续消费数据 + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_4.png) + +### wait() / notify() 潜在的一些问题 + +> **notify() 早期通知** + +线程 A 还没开始 wait 的时候,线程 B 已经 notify 了。线程 B 通知是没有任何响应的,当线程 B 退出同步代码块后,线程 A 再开始 wait,便会一直阻塞等待,直到被别的线程打断。 + +```java +public class EarlyNotify { + public static void main(String[] args) { + final Object lock = new Object(); + + Thread notifyThread = new Thread(new NotifyThread(lock),"notifyThread"); + Thread waitThread = new Thread(new WaitThread(lock),"waitThread"); + notifyThread.start(); + try { + Thread.sleep(3000); + } catch (InterruptedException e) { + e.printStackTrace(); + } + waitThread.start(); + } + + private static class WaitThread implements Runnable{ + private Object lock; + + public WaitThread(Object lock){ + this.lock = lock; + } + + @Override + public void run() { + synchronized (lock) { + try { + System.out.println(Thread.currentThread().getName() + " 进去代码块"); + System.out.println(Thread.currentThread().getName() + " 开始 wait"); + lock.wait(); + System.out.println(Thread.currentThread().getName() + " 结束 wait"); + } catch (InterruptedException e) { + e.printStackTrace(); + } + } + } + } + + private static class NotifyThread implements Runnable{ + private Object lock; + + public NotifyThread(Object lock){ + this.lock = lock; + } + + @Override + public void run() { + synchronized (lock) { + System.out.println(Thread.currentThread().getName() + " 进去代码块"); + System.out.println(Thread.currentThread().getName() + " 开始 notify"); + lock.notify(); + System.out.println(Thread.currentThread().getName() + " 结束开始 notify"); + } + } + } +} +``` + +```html +notifyThread 进去代码块 +notifyThread 开始 notify +notifyThread 结束开始 notify +waitThread 进去代码块 +waitThread 开始 wait +``` + +示例中开启了两个线程,一个是 WaitThread,另一个是 NotifyThread。NotifyThread 先启动,先调用 notify() 方法。然后 WaitThread 线程才启动,调用 wait() 方法,但是由于已经通知过了,wait() 方法就无法再获取到相应的通知,因此 WaitThread 会一直在 wait() 方法处阻塞,这种现象就是**通知过早**的现象。 + +这种现象的解决方法:添加一个状态标志,让 WaitThread 调用 wait() 方法前先判断状态是否已经改变,如果通知早已发出的话,WaitThread 就不再调用 wait() 方法。对上面的代码进行更正: + +```java +public class EarlyNotify2 { + private static boolean isWait = true; //isWait 判断线程是否需要等待 + + public static void main(String[] args) { + final Object lock = new Object(); + + Thread notifyThread = new Thread(new NotifyThread(lock),"notifyThread"); + Thread waitThread = new Thread(new WaitThread(lock),"waitThread"); + notifyThread.start(); + try { + Thread.sleep(3000); + } catch (InterruptedException e) { + e.printStackTrace(); + } + waitThread.start(); + } + + private static class WaitThread implements Runnable{ + private Object lock; + + public WaitThread(Object lock){ + this.lock = lock; + } + + @Override + public void run() { + synchronized (lock) { + try { + System.out.println(Thread.currentThread().getName() + " 进去代码块"); + while (isWait){ + System.out.println(Thread.currentThread().getName() + " 开始 wait"); + lock.wait(); + System.out.println(Thread.currentThread().getName() + " 结束 wait"); + } + } catch (InterruptedException e) { + e.printStackTrace(); + } + } + } + } + + private static class NotifyThread implements Runnable{ + private Object lock; + + public NotifyThread(Object lock){ + this.lock = lock; + } + + @Override + public void run() { + synchronized (lock) { + System.out.println(Thread.currentThread().getName() + " 进去代码块"); + System.out.println(Thread.currentThread().getName() + " 开始 notify"); + lock.notify(); + isWait = false; //已经唤醒了 + System.out.println(Thread.currentThread().getName() + " 结束开始 notify"); + } + } + } +} +``` + +```html +notifyThread 进去代码块 +notifyThread 开始 notify +notifyThread 结束开始 notify +waitThread 进去代码块 +``` + +增加了一个 isWait 状态变量,NotifyThread 调用 notify() 方法后会对状态变量进行更新,在 WaitThread 中调用wait() 方法之前会先对状态变量进行判断,在该示例中,调用 notify() 后将状态变量 isWait 改变为 false ,因此,在 WaitThread 中 while 对 isWait 判断后就不会执行 wait 方法,从而**避免了Notify过早通知造成遗漏的情况。** + +小结:在使用线程的等待 / 通知机制时,一般都要配合一个 boolean 变量值(或者其他能够判断真假的条件),在 notify 之前改变该 boolean 变量的值,让 wait 返回后能够退出 while 循环(一般都要在 wait 方法外围加一层 while 循环,以防止早期通知),或在通知被遗漏后,不会被阻塞在 wait() 方法处。这样便保证了程序的正确性。 + +> **等待 wait 的条件发生变化** + +如果线程在等待时接受到了通知,但是之后**等待的条件**发生了变化,并没有再次对等待条件进行判断,也会导致程序出现错误。 + +```java +public class ConditionChange { + public static void main(String[] args) { + final List lock = new ArrayList<>(); + Thread consumer1 = new Thread(new Consumer(lock),"consume1"); + Thread consumer2 = new Thread(new Consumer(lock),"consume1"); + Thread producer = new Thread(new Producer(lock),"producer"); + consumer1.start(); + consumer2.start(); + producer.start(); + } + + static class Consumer implements Runnable{ + private List lock; + + public Consumer(List lock) { + this.lock = lock; + } + + @Override + public void run() { + synchronized (lock) { + try { + //这里使用if的话,就会存在 wait 条件变化造成程序错误的问题 + if(lock.isEmpty()) { + System.out.println(Thread.currentThread().getName() + " list 为空"); + System.out.println(Thread.currentThread().getName() + " 调用 wait 方法"); + lock.wait(); + System.out.println(Thread.currentThread().getName() + " wait 方法结束"); + } + String element = lock.remove(0); + System.out.println(Thread.currentThread().getName() + " 取出第一个元素为:" + element); + } catch (InterruptedException e) { + e.printStackTrace(); + } + } + } + } + + static class Producer implements Runnable{ + private List lock; + + public Producer(List lock) { + this.lock = lock; + } + + @Override + public void run() { + synchronized (lock) { + System.out.println(Thread.currentThread().getName() + " 开始添加元素"); + lock.add(Thread.currentThread().getName()); + lock.notifyAll(); + } + } + } +} +``` + +```html +consume1 list 为空 +consume1 调用 wait 方法 +consume2 list 为空 +consume2 调用 wait 方法 +producer 开始添加元素 +consume2 wait 方法结束 +Exception in thread "consume1" consume2 取出第一个元素为:producer +java.lang.IndexOutOfBoundsException: Index: 0, Size: 0 +consume1 wait 方法结束 +``` + +异常原因分析:例子中一共开启了 3 个线程:consumer1,consumer2 以及 producer。 + +首先 consumer1调用了 wait 方法后,线程处于了 WAITTING 状态,并且将对象锁释放出来。consumer2 能够获取对象锁,从而进入到同步代块中,当执行到 wait 方法时,同样的也会释放对象锁。productor 能够获取到对象锁,进入到同步代码块中,向 list 中插入数据后,通过 notifyAll 方法通知处于 WAITING 状态的 consumer1 和consumer2 。consumer2 得到对象锁后,从 wait 方法出退出,退出同步块,释放掉对象锁,然后删除了一个元素,list 为空。这个时候 consumer1 获取到对象锁后,从 wait 方法退出,继续往下执行,这个时候consumer1 再执行 + +```java +lock.remove(0) +``` + +就会出错,因为 list 由于 consumer2 删除一个元素之后已经为空了。 + +解决方案:通过上面的分析,可以看出 consumer1 报异常是因为线程从 wait 方法退出之后没有再次对 wait 条件进行判断,因此,此时的 wait 条件已经发生了变化。解决办法就是,在 wait 退出之后再对条件进行判断即可。 + +```java +public class ConditionChange2 { + public static void main(String[] args) { + final List lock = new ArrayList<>(); + Thread consumer1 = new Thread(new Consumer(lock),"consume1"); + Thread consumer2 = new Thread(new Consumer(lock),"consume2"); + Thread producer = new Thread(new Producer(lock),"producer"); + consumer1.start(); + consumer2.start(); + producer.start(); + } + + static class Consumer implements Runnable{ + private List lock; + + public Consumer(List lock) { + this.lock = lock; + } + + @Override + public void run() { + synchronized (lock) { + try { + //这里使用if的话,就会存在 wait 条件变化造成程序错误的问题 + while(lock.isEmpty()) { + System.out.println(Thread.currentThread().getName() + " list 为空"); + System.out.println(Thread.currentThread().getName() + " 调用 wait 方法"); + lock.wait(); + System.out.println(Thread.currentThread().getName() + " wait 方法结束"); + } + String element = lock.remove(0); + System.out.println(Thread.currentThread().getName() + " 取出第一个元素为:" + element); + } catch (InterruptedException e) { + e.printStackTrace(); + } + } + } + } + + static class Producer implements Runnable{ + private List lock; + + public Producer(List lock) { + this.lock = lock; + } + + @Override + public void run() { + synchronized (lock) { + System.out.println(Thread.currentThread().getName() + " 开始添加元素"); + lock.add(Thread.currentThread().getName()); + lock.notifyAll(); + } + } + } +} +``` + +```html +consume1 list 为空 +consume1 调用 wait 方法 +consume2 list 为空 +consume2 调用 wait 方法 +producer 开始添加元素 +consume2 wait 方法结束 +consume2 取出第一个元素为:producer +consume1 wait 方法结束 +consume1 list 为空 +consume1 调用 wait 方法 +``` + +上面的代码与之前的代码仅仅只是将 wait() 外围的 if 语句改为 while 循环即可,这样当 list 为空时,线程便会继续等待,而不会继续去执行删除 list 中元素的代码。 + +小结:在使用线程的等待/通知机制时,一般都要在 while 循环中调用 wait()方法,配合使用一个 boolean 变量(或其他能判断真假的条件,如本文中的 list.isEmpty())。在满足 while 循环的条件时,进入 while 循环,执行 wait()方法,不满足 while 循环的条件时,跳出循环,执行后面的代码。 + +> **”假死“状态** + +如果是多消费者和多生产者情况,如果使用 notify() 方法可能会出现"假死"的情况,即唤醒的是同类线程。 + +原因分析:假设当前多个生产者线程会调用 wait 方法阻塞等待,当其中的生产者线程获取到对象锁之后使用notify 通知处于 WAITTING 状态的线程,如果唤醒的仍然是生产者线程,就会造成所有的生产者线程都处于等待状态。 + +解决办法:将 notify() 方法替换成 notifyAll() 方法,如果使用的是 lock 的话,就将 signal() 方法替换成 signalAll()方法。 + +> **Object提供的消息通知机制总结** + +- 永远在 while 循环中对条件进行判断而不是 if 语句中进行 wait 条件的判断 +- 使用 notifyAll() 而不是使用 notify() + +基本的使用范式如下: + +```java +// The standard idiom for calling the wait method in Java +synchronized (sharedObject) { + while (condition) { + sharedObject.wait(); + // (Releases lock, and reacquires on wakeup) + } + // do action based upon condition e.g. take or put into queue +} +``` + +### 1、wait() / notifyAll() 实现生产者-消费者 + +```java +public class ProducerConsumer { + public static void main(String[] args) { + final LinkedList linkedList = new LinkedList(); + final int capacity = 5; + Thread producer = new Thread(new Producer(linkedList,capacity),"producer"); + Thread consumer = new Thread(new Consumer(linkedList),"consumer"); + + producer.start(); + consumer.start(); + } + + static class Producer implements Runnable { + private List list; + private int capacity; + + public Producer(List list, int capacity) { + this.list = list; + this.capacity = capacity; + } + + @Override + public void run() { + while (true) { + synchronized (list) { + try { + while (list.size() == capacity) { + System.out.println("生产者 " + Thread.currentThread().getName() + " list 已达到最大容量,进行 wait"); + list.wait(); + System.out.println("生产者 " + Thread.currentThread().getName() + " 退出 wait"); + } + Random random = new Random(); + int i = random.nextInt(); + System.out.println("生产者 " + Thread.currentThread().getName() + " 生产数据" + i); + list.add(i); + list.notifyAll(); + } catch (InterruptedException e) { + e.printStackTrace(); + } + } + + } + } + } + + static class Consumer implements Runnable { + private List list; + + public Consumer(List list) { + this.list = list; + } + + @Override + public void run() { + while (true) { + synchronized (list) { + try { + while (list.isEmpty()) { + System.out.println("消费者 " + Thread.currentThread().getName() + " list 为空,进行 wait"); + list.wait(); + System.out.println("消费者 " + Thread.currentThread().getName() + " 退出wait"); + } + Integer element = list.remove(0); + System.out.println("消费者 " + Thread.currentThread().getName() + " 消费数据:" + element); + list.notifyAll(); + } catch (InterruptedException e) { + e.printStackTrace(); + } + } + } + } + } +} +``` + +输出结果: + +```html +生产者 producer 生产数据-1652445373 +生产者 producer 生产数据1234295578 +生产者 producer 生产数据-1885445180 +生产者 producer 生产数据864400496 +生产者 producer 生产数据621858426 +生产者 producer list 已达到最大容量,进行 wait +消费者 consumer 消费数据:-1652445373 +消费者 consumer 消费数据:1234295578 +消费者 consumer 消费数据:-1885445180 +消费者 consumer 消费数据:864400496 +消费者 consumer 消费数据:621858426 +消费者 consumer list 为空,进行 wait +生产者 producer 退出 wait +``` + +### 2、await() / signalAll() 实现生产者-消费者 + +```java +public class ProducerConsumer { + private static ReentrantLock lock = new ReentrantLock(); + private static Condition full = lock.newCondition(); + private static Condition empty = lock.newCondition(); + + public static void main(String[] args) { + final LinkedList linkedList = new LinkedList(); + final int capacity = 5; + Thread producer = new Thread(new Producer(linkedList,capacity,lock),"producer"); + Thread consumer = new Thread(new Consumer(linkedList,lock),"consumer"); + + producer.start(); + consumer.start(); + } + + static class Producer implements Runnable { + private List list; + private int capacity; + private Lock lock; + + public Producer(List list, int capacity,Lock lock) { + this.list = list; + this.capacity = capacity; + this.lock = lock; + } + + @Override + public void run() { + while (true) { + lock.lock(); + try { + while (list.size() == capacity) { + System.out.println("生产者 " + Thread.currentThread().getName() + " list 已达到最大容量,进行 wait"); + full.await(); + System.out.println("生产者 " + Thread.currentThread().getName() + " 退出 wait"); + } + Random random = new Random(); + int i = random.nextInt(); + System.out.println("生产者 " + Thread.currentThread().getName() + " 生产数据" + i); + list.add(i); + empty.signalAll(); + } catch (InterruptedException e) { + e.printStackTrace(); + }finally { + lock.unlock(); + } + + } + } + } + + static class Consumer implements Runnable { + private List list; + private Lock lock; + + public Consumer(List list,Lock lock) { + this.list = list; + this.lock = lock; + } + + @Override + public void run() { + while (true) { + lock.lock(); + try { + while (list.isEmpty()) { + System.out.println("消费者 " + Thread.currentThread().getName() + " list 为空,进行 wait"); + empty.await(); + System.out.println("消费者 " + Thread.currentThread().getName() + " 退出wait"); + } + Integer element = list.remove(0); + System.out.println("消费者 " + Thread.currentThread().getName() + " 消费数据:" + element); + full.signalAll(); + } catch (InterruptedException e) { + e.printStackTrace(); + }finally { + lock.unlock(); + } + } + } + } +} +``` + +```html +生产者 producer 生产数据-1748993481 +生产者 producer 生产数据-131075825 +生产者 producer 生产数据-683676621 +生产者 producer 生产数据1543722525 +生产者 producer 生产数据804266076 +生产者 producer list 已达到最大容量,进行 wait +消费者 consumer 消费数据:-1748993481 +消费者 consumer 消费数据:-131075825 +消费者 consumer 消费数据:-683676621 +消费者 consumer 消费数据:1543722525 +消费者 consumer 消费数据:804266076 +消费者 consumer list 为空,进行 wait +生产者 producer 退出 wait +``` + +### 3、BlockingQueue 实现生产者-消费者 + +由于 BlockingQueue 内部实现就附加了两个阻塞操作。即 + +- 当队列已满时,阻塞向队列中插入数据的线程,直至队列中未满 +- 当队列为空时,阻塞从队列中获取数据的线程,直至队列非空时为止 + +可以利用 BlockingQueue 实现生产者-消费者,**阻塞队列完全可以充当共享数据区域**,就可以很好的完成生产者和消费者线程之间的协作。 + +```java +public class ProducerConsumer { + private static LinkedBlockingQueue queue = new LinkedBlockingQueue<>(); + + public static void main(String[] args) { + Thread producer = new Thread(new Producer(queue),"producer"); + Thread consumer = new Thread(new Consumer(queue),"consumer"); + + producer.start(); + consumer.start(); + } + + static class Producer implements Runnable { + private BlockingQueue queue; + + public Producer(BlockingQueue queue) { + this.queue = queue; + } + + @Override + public void run() { + while (true) { + Random random = new Random(); + int i = random.nextInt(); + System.out.println("生产者" + Thread.currentThread().getName() + "生产数据" + i); + try { + queue.put(i); + } catch (InterruptedException e) { + e.printStackTrace(); + } + } + } + } + + static class Consumer implements Runnable { + private BlockingQueue queue; + + public Consumer(BlockingQueue queue) { + this.queue = queue; + } + + @Override + public void run() { + while (true) { + try { + Integer element = (Integer) queue.take(); + System.out.println("消费者" + Thread.currentThread().getName() + "正在消费数据" + element); + } catch (InterruptedException e) { + e.printStackTrace(); + } + } + } + } +} +``` + +```html +生产者producer生产数据-222876564 +消费者consumer正在消费数据-906876105 +生产者producer生产数据-9385856 +消费者consumer正在消费数据1302744938 +生产者producer生产数据-177925219 +生产者producer生产数据-881052378 +生产者producer生产数据-841780757 +生产者producer生产数据-1256703008 +消费者consumer正在消费数据1900668223 +消费者consumer正在消费数据2070540191 +消费者consumer正在消费数据1093187 +消费者consumer正在消费数据6614703 +消费者consumer正在消费数据-1171326759 +``` + +使用 BlockingQueue 来实现生产者-消费者很简洁,这正是利用了 BlockingQueue 插入和获取数据附加阻塞操作的特性。 + +## 参考资料 + +- [Java 并发知识总结](https://github.com/CL0610/Java-concurrency) +- [CS-Notes Java并发](https://github.com/CyC2018/CS-Notes/blob/master/docs/notes/Java%20%E5%B9%B6%E5%8F%91.md) +- 《 Java 并发编程的艺术》 +- [剑指Java面试-Offer直通车](https://coding.imooc.com/class/303.html) diff --git "a/docs/Java/Java \345\271\266\345\217\221.md" "b/docs/Java/Java \345\271\266\345\217\221.md" new file mode 100644 index 0000000..0901273 --- /dev/null +++ "b/docs/Java/Java \345\271\266\345\217\221.md" @@ -0,0 +1,2494 @@ +## 一、进程与线程 + +### 进程与线程的区别 + +> **进程与线程的由来** + +- 串行:初期的计算机只能串行执行任务,并且需要长时间等待用户输入 +- 批处理:预先将用户的指令集中成清单,批量串行处理用户指令,仍然无法并发执行 +- 进程:**进程独占内存空间**,保存各自运行状态,相互间**互不干扰**并且可以互相**切换**,为并发处理任务提供了可能 +- 线程:共享进程的内存资源,相互间切换更快速,支持更细粒度的任务控制,使进程内的子任务得以并发执行 + +> **进程和线程的区别** + +**进程是资源分配的最小单位,线程是 CPU 调度的最小单位** + +- 所有与进程相关的资源,都被记录在 PCB 中 + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_1.png) + +- 进程是抢占处理机的调度单位;线程属于某个进程,共享其资源 +- 线程只由堆栈寄存器、程序计数器和 TCP 组成 + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_2.png) + +> **总结** + +- 线程不能看做独立应用,而进程可看做独立应用 +- 进程有独立的地址空间,相互不影响,线程只是进程的不同执行路径 +- 线程没有独立的地址空间,多进程程序比多线程程序健壮 +- 进程的切换比线程切换开销大 + +> **多进程与多线程** + +- 多进程的意义 + +CPU 在某个时间点上只能做一件事情,计算机是在进程 1 和 进程 2 间做着频繁切换,且切换速度很快,所以,我们感觉进程 1 和进程 2 在同时进行,其实并不是同时执行的。 + +**多进程的作用不是提高执行速度,而是提高 CPU 的使用率**。 + +- 多线程的意义 + + 多个线程共享同一个进程的资源(堆内存和方法区),但是栈内存是独立的,一个线程一个栈。所以他们仍然是在抢 CPU 的资源执行。一个时间点上只有能有一个线程执行。而且谁抢到,这个不一定,所以,造成了线程运行的随机性。 + +**多线程的作用不是提高执行速度,而是为了提高应用程序的使用率**。 + +### Java 进程与线程的关系 + +- Java 对操作系统提供的功能进行封装,包括进程和线程 +- 运行程序会产生一个进程,进程包含至少一个线程 +- 每个进程对应一个 JVM 实例多个线程共享 JVM 里的堆 +- Java 采用单线程编程模型,程序会自动创建主线程 +- 主线程可以创建子线程,原则上要后与子线程完成执行 + +## 二、使用线程 + +- 继承 Thread 类; + +- 实现 Runnable 接口; +- 实现 Callable 接口。 + +实现 Runnable 和 Callable 接口的类只能当做一个可以在线程中运行的任务,不是真正意义上的线程,因此最后还需要通过 Thread 来调用。可以说任务是通过线程驱动从而执行的。 + +### 继承 Thread 类 + +需要实现 run() 方法,因为 Thread 类实现了 Runnable 接口。 + +当调用 start() 方法启动一个线程时,虚拟机会将该线程放入就绪队列中等待被调度,当一个线程被调度时会执行该线程的 run() 方法。 + +```java +public class MyThread extends Thread{ + private void attack() { + System.out.println("Fight"); + System.out.println("Current Thread is : " + Thread.currentThread().getName()); + } + + @Override + public void run() { //重写 run() 方法 + attack(); + } +} +``` + +> **Java 中 start 和 run 方法的区别** + +- 调用 start 方法会创建一个新的子线程并启动 +- run 方法只是 Thread 只是 Thread 的一个普通方法 + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_3.png) + +```java +public class MyThreadTest { + public static void main(String[] args) { + Thread t = new MyThread(); + + System.out.println("current main thread is : " + Thread.currentThread().getName()); + t.run(); //调用 run() 方法 + } +} +//输出结果: +//current main thread is : main +//Fight +//Current Thread is : main +``` + +```java +public class MyThreadTest2 { + public static void main(String[] args) { + Thread t = new MyThread(); + + System.out.println("current main thread is : " + Thread.currentThread().getName()); + t.start(); //调用 run() 方法 + } +} +//输出结果: +//current main thread is : main +//Fight +//Current Thread is : Thread-0 +``` + +### 实现 Runnable 接口 + +需要实现 run() 方法。 + +通过 Thread 调用 start() 方法来启动线程。 + +```java +public class MyRunnable implements Runnable { + public void run() { + // ... + } +} +``` + +```java +public static void main(String[] args) { + MyRunnable instance = new MyRunnable(); + Thread thread = new Thread(instance); + thread.start(); +} +``` + +> **实现接口 VS 继承 Thread** + +实现接口会更好一些,因为: + +- Thread 是实现了 Runnable 接口的类,使得 run 支持多线程 + +- Java 不支持多重继承,因此继承了 Thread 类就无法继承其它类,但是可以实现多个接口; +- 类可能只要求可执行就行,继承整个 Thread 类开销过大。 + +### 实现 Callable 接口 + +与 Runnable 相比,Callable 可以有返回值,返回值通过 FutureTask 进行封装。 + +```java +public class MyCallable implements Callable { + public Integer call() { + return 123; + } +} +``` + +```java +public static void main(String[] args) throws ExecutionException, InterruptedException { + MyCallable mc = new MyCallable(); + FutureTask ft = new FutureTask<>(mc); + Thread thread = new Thread(ft); + thread.start(); + System.out.println(ft.get()); +} +``` + +> **实现处理线程的返回值** + +- **主线程等待法** + +```java +public class CycleWait implements Runnable{ + private String value; + + @Override + public void run() { + try { + Thread.currentThread().sleep(5000); + } catch (InterruptedException e) { + e.printStackTrace(); + } + value = "we have data now"; + } +} +``` + +```java +public static void main(String[] args) { + CycleWait cycleWait = new CycleWait(); + Thread t = new Thread(cycleWait); + t.start(); + + System.out.println("value:"+cycleWait.value); + //输出结果: + //value:null + } +``` + +```java + public static void main(String[] args) throws InterruptedException { + CycleWait cycleWait = new CycleWait(); + Thread t = new Thread(cycleWait); + t.start(); + + while (cycleWait.value == null){ //主线程等待法 + Thread.sleep(1000); + } + System.out.println("value:"+cycleWait.value); + //输出结果: + //value:we have data now + } +``` + +- **使用 Thread 的 join() 阻塞当前线程以等待子线程处理完毕** + +```java +public static void main(String[] args) { + CycleWait cycleWait = new CycleWait(); + Thread t = new Thread(cycleWait); + t.start(); + t.join(); //阻塞当前线程以等待子线程执行完毕 + System.out.println("value:"+cycleWait.value); + //输出结果: + //value:we have data now + } +``` + +- **通过 Callable 接口实现:通过 FutureTask 或者线程池获取** + +方式一:通过 FutureTask 获取 + +```java +public class CycleWait2 implements Callable{ + private String value; + @Override + public String call() throws Exception { + try { + Thread.currentThread().sleep(5000); + } catch (InterruptedException e) { + e.printStackTrace(); + } + value = "we have data now"; + return value; + } + + public static void main(String[] args) throws ExecutionException, InterruptedException { + Callable cycleWait2 = new CycleWait2(); + FutureTask ft = new FutureTask(cycleWait2); + Thread t = new Thread(ft); + t.start(); + + if(!ft.isDone()){ + System.out.println("task has not finished,please wait!"); + } + + System.out.println("value:"+ft.get()); + //输出结果: + //value:we have data now + } +} +``` + +方式二:通过线程池获取 + +```java +public class CycleWait3 implements Callable{ + private String value; + @Override + public String call() throws Exception { + try { + Thread.currentThread().sleep(5000); + } catch (InterruptedException e) { + e.printStackTrace(); + } + value = "we have data now"; + return value; + } + + public static void main(String[] args){ + ExecutorService service = Executors.newCachedThreadPool(); + Future future = service.submit(new CycleWait3()); + + if(!future.isDone()){ + System.out.println("task has not finished,please wait!"); + } + + try { + System.out.println("value:"+future.get()); + //输出结果: + //value:we have data now + } catch (InterruptedException e) { + e.printStackTrace(); + } catch (ExecutionException e) { + e.printStackTrace(); + }finally { + service.shutdown(); //关闭线程池 + } + } +} +``` + + + +## 三、线程状态转换 + +
+ +
+ +> **新建(New)** + +创建后尚未启动。 + +> **可运行(Runnable)** + +可能正在运行,也可能正在等待 CPU 时间片。 + +包含了操作系统线程状态中的 Running 和 Ready。 + +调用 `start()` 方法后开始运行,线程这时候处于 Ready 状态。可运行状态的线程获得了 CPU 时间片后就处于 Running 状态。 + +> **阻塞(Blocked)** + +等待获取一个**排它锁**,如果其他线程释放了锁就会结束此状态。 + +> **无限期等待(Waiting)** + +等待其它线程显式地唤醒,否则不会被分配 CPU 时间片。 + +| 进入方法 | 退出方法 | +| --- | --- | +| 没有设置 Timeout 参数的 Object.wait() 方法 | Object.notify() / Object.notifyAll() | +| 没有设置 Timeout 参数的 Thread.join() 方法 | 被调用的线程执行完毕 | +| LockSupport.park() 方法 | LockSupport.unpark(Thread) | + +> **限期等待(Timed Waiting)** + +无需等待其它线程显式地唤醒,在一定时间之后会被系统自动唤醒。 + +调用 Thread.sleep() 方法使线程进入限期等待状态时,常常用“使一个线程睡眠”进行描述。 + +调用 Object.wait() 方法使线程进入限期等待或者无限期等待时,常常用“挂起一个线程”进行描述。 + +睡眠和挂起是用来描述行为,而阻塞和等待用来描述状态。 + +阻塞和等待的区别在于,阻塞是被动的,它是在等待获取一个排它锁。而等待是主动的,通过调用 Thread.sleep() 和 Object.wait() 等方法进入。 + +| 进入方法 | 退出方法 | +| --- | --- | +| Thread.sleep() 方法 | 时间结束 | +| 设置了 Timeout 参数的 Object.wait() 方法 | 时间结束 / Object.notify() / Object.notifyAll() | +| 设置了 Timeout 参数的 Thread.join() 方法 | 时间结束 / 被调用的线程执行完毕 | +| LockSupport.parkNanos() 方法 | LockSupport.unpark(Thread) | +| LockSupport.parkUntil() 方法 | LockSupport.unpark(Thread) | + +> **死亡(Terminated)** + +可以是线程结束任务之后自己结束,或者产生了异常而结束。 + + +## 四、基础线程机制 + +### Executor + +Executor 管理多个异步任务的执行,而无需程序员显式地管理线程的生命周期。这里的异步是指多个任务的执行互不干扰,不需要进行同步操作。 + +主要有三种 Executor: + +- CachedThreadPool:一个任务创建一个线程; +- FixedThreadPool:所有任务只能使用固定大小的线程; +- SingleThreadExecutor:相当于大小为 1 的 FixedThreadPool。 + +```java +public static void main(String[] args) { + ExecutorService executorService = Executors.newCachedThreadPool(); + for (int i = 0; i < 5; i++) { + executorService.execute(new MyRunnable()); + } + executorService.shutdown(); //关闭线程池 +} +``` + +### Daemon + +守护线程是程序运行时在后台提供服务的线程,不属于程序中不可或缺的部分。 + +当所有非守护线程结束时,程序也就终止,同时会杀死所有守护线程。 + +main() 属于非守护线程。 + +使用 setDaemon() 方法将一个线程设置为守护线程。 + +```java +public static void main(String[] args) { + Thread thread = new Thread(new MyRunnable()); + thread.setDaemon(true); +} +``` + +### sleep() + +Thread.sleep(millisec) 方法会休眠当前正在执行的线程,millisec 单位为毫秒。 + +sleep() 可能会抛出 InterruptedException,因为异常不能跨线程传播回 main() 中,因此必须在本地进行处理。线程中抛出的其它异常也同样需要在本地进行处理。 + +```java +public void run() { + try { + Thread.sleep(3000); + } catch (InterruptedException e) { + e.printStackTrace(); + } +} +``` + +### yield() + +对静态方法 Thread.yield() 的调用声明了当前线程已经完成了生命周期中最重要的部分,可以切换给其它线程来执行。该方法**只是对线程调度器的一个建议**,而且也只是建议具有相同优先级的其它线程可以运行。 + +```java +public class YieldDemo { + public static void main(String[] args) { + Runnable yieldTask = new Runnable() { + @Override + public void run() { + for(int i=1;i<=10;i++){ + System.out.println(Thread.currentThread().getName()+"\t"+i); + if(i==5){ + Thread.yield(); //只是对线程调度器的一个建议 + } + } + } + }; + + Thread t1 = new Thread(yieldTask,"Thread-A"); + Thread t2 = new Thread(yieldTask,"Thread-B"); + + t1.start(); + t2.start(); + } +} +``` + +```html +Thread-A 1 +Thread-A 2 +Thread-A 3 +Thread-A 4 +Thread-A 5 +Thread-B 1 +Thread-B 2 +Thread-B 3 +Thread-B 4 +Thread-A 6 +Thread-B 5 +Thread-A 7 +Thread-B 6 +Thread-A 8 +Thread-B 7 +Thread-A 9 +Thread-B 8 +Thread-B 9 +Thread-A 10 +Thread-B 10 +``` + +## 五、中断 + +一个线程执行完毕之后会自动结束,如果在运行过程中发生异常也会提前结束。 + +### interrupt() + +通过调用一个线程的 interrupt() 来中断该线程: + +- 如果该线程处于阻塞、限期等待或者无限期等待状态,那么就会抛出 InterruptedException,从而提前结束该线程。但是**不能中断 I/O 阻塞和 synchronized 锁阻塞**。 +- 如果该线程处于正常活动状态,那么会将该线程的中断标志设置为 true。被设置中断标志的线程将继续正常运行,不受影响。 + +对于以下代码。在 main() 中启动一个线程之后再中断它,由于线程中调用了 Thread.sleep() 方法,因此会抛出一个 InterruptedException,从而提前结束线程,不执行之后的语句。 + +```java +public class InterruptExample1 { + private static class MyThread1 extends Thread { + @Override + public void run() { + try { + Thread.sleep(2000); //thread1 进入限期等待状态 + System.out.println("Thread run"); + } catch (InterruptedException e) { + e.printStackTrace(); + } + System.out.println("Thread run"); + } + } + + public static void main(String[] args) throws InterruptedException { + Thread thread1 = new MyThread1(); + thread1.start(); + thread1.interrupt(); //中断 thread1 + System.out.println("Main run"); + } +} +``` + +```java +Main run +java.lang.InterruptedException: sleep interrupted + at java.lang.Thread.sleep(Native Method) + at InterruptExample.lambda$main$0(InterruptExample.java:5) + at InterruptExample$$Lambda$1/713338599.run(Unknown Source) + at java.lang.Thread.run(Thread.java:745) +``` + +```java +public class InterruptExample2 { + private static class MyThread1 extends Thread { + @Override + public void run() { //thread1 线程处于正常活动状态 + System.out.println("Thread run"); + } + } + + public static void main(String[] args) throws InterruptedException { + Thread thread1 = new MyThread1(); + thread1.start(); + thread1.interrupt(); //中断 thread1 + System.out.println("Main run"); + } +} +``` + +```html +Main run +Thread run +``` + +### interrupted() + +如果一个线程的 run() 方法执行一个无限循环,并且没有执行 sleep() 等会抛出 InterruptedException 的操作,那么调用线程的 interrupt() 方法就无法使线程提前结束。 + +但是调用 interrupt() 方法会设置线程的中断标记,此时**调用 interrupted() 方法会返回 true**。因此可以在循环体中使用 interrupted() 方法来判断线程是否处于中断状态,从而提前结束线程。 + +```java +public class InterruptExample { + public static void main(String[] args) throws InterruptedException { + Runnable interruptTask = new Runnable() { + @Override + public void run() { + int i = 0; + try { + //在正常运行任务时,经常检查本线程的中断标志位, + //如果被设置了中断标志就自行停止线程 + while (!Thread.currentThread().isInterrupted()) { + Thread.sleep(100); // 休眠100ms + i++; + System.out.println(Thread.currentThread().getName() + " (" + Thread.currentThread().getState() + ") loop " + i); + } + } catch (InterruptedException e) { + //在调用阻塞方法时正确处理InterruptedException异常。(例如,catch异常后就结束线程。) + System.out.println(Thread.currentThread().getName() + " (" + Thread.currentThread().getState() + ") catch InterruptedException."); + } + } + }; + Thread t1 = new Thread(interruptTask, "t1"); + System.out.println(t1.getName() +" ("+t1.getState()+") is new."); + + t1.start(); // 启动“线程t1” + System.out.println(t1.getName() +" ("+t1.getState()+") is started."); + + // 主线程休眠300ms,然后主线程给t1发“中断”指令。 + Thread.sleep(300); + t1.interrupt(); + System.out.println(t1.getName() +" ("+t1.getState()+") is interrupted."); + + // 主线程休眠300ms,然后查看t1的状态。 + Thread.sleep(300); + System.out.println(t1.getName() +" ("+t1.getState()+") is interrupted now."); + } +} +``` + +```java +t1 (NEW) is new. +t1 (RUNNABLE) is started. +t1 (RUNNABLE) loop 1 +t1 (RUNNABLE) loop 2 +t1 (TIMED_WAITING) is interrupted. +t1 (RUNNABLE) catch InterruptedException. +t1 (TERMINATED) is interrupted now. +``` + +### Executor 的中断操作 + +调用 Executor 的 shutdown() 方法会等待线程都执行完毕之后再关闭,但是如果调用的是 shutdownNow() 方法,则相当于调用每个线程的 interrupt() 方法。 + +以下使用 Lambda 创建线程,相当于创建了一个匿名内部线程。 + +```java +public static void main(String[] args) { + ExecutorService executorService = Executors.newCachedThreadPool(); + executorService.execute(() -> { + try { + Thread.sleep(2000); + System.out.println("Thread run"); + } catch (InterruptedException e) { + e.printStackTrace(); + } + }); + executorService.shutdownNow(); + System.out.println("Main run"); +} +``` + +```java +Main run +java.lang.InterruptedException: sleep interrupted + at java.lang.Thread.sleep(Native Method) + at ExecutorInterruptExample.lambda$main$0(ExecutorInterruptExample.java:9) + at ExecutorInterruptExample$$Lambda$1/1160460865.run(Unknown Source) + at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1142) + at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:617) + at java.lang.Thread.run(Thread.java:745) +``` + +如果只想中断 Executor 中的一个线程,可以通过使用 submit() 方法来提交一个线程,它会返回一个 Future 对象,通过调用该对象的 cancel(true) 方法就可以中断线程。 + +```java +Future future = executorService.submit(() -> { + // .. +}); +future.cancel(true); +``` + +## 六、线程之间的协作 + +当多个线程可以一起工作去解决某个问题时,如果某些部分必须在其它部分之前完成,那么就需要对线程进行协调。 + +### join() + +在线程中调用另一个线程的 join() 方法,会将当前线程挂起,而不是忙等待,直到目标线程结束。 + +对于以下代码,虽然 b 线程先启动,但是因为在 b 线程中调用了 a 线程的 join() 方法,b 线程会等待 a 线程结束才继续执行,因此最后能够保证 a 线程的输出先于 b 线程的输出。 + +```java +public class JoinExample { + + private class A extends Thread { + @Override + public void run() { + System.out.println("A"); + } + } + + private class B extends Thread { + + private A a; + + B(A a) { + this.a = a; + } + + @Override + public void run() { + try { + a.join(); + } catch (InterruptedException e) { + e.printStackTrace(); + } + System.out.println("B"); + } + } + + public void test() { + A a = new A(); + B b = new B(a); + b.start(); + a.start(); + } +} +``` + +```java +public static void main(String[] args) { + JoinExample example = new JoinExample(); + example.test(); +} +``` + +```java +A +B +``` + +### wait() notify() notifyAll() + +调用 wait() 使得线程等待某个条件满足,线程在等待时会被挂起,当其他线程的运行使得这个条件满足时,其它线程会调用 notify() 或者 notifyAll() 来唤醒挂起的线程。 + +它们都属于 Object 的一部分,而不属于 Thread。 + +只能用在同步方法或者同步控制块中使用,否则会在运行时抛出 IllegalMonitorStateException。 + +使用 wait() 挂起期间,线程会释放锁。这是因为,如果没有释放锁,那么其它线程就无法进入对象的同步方法或者同步控制块中,那么就无法执行 notify() 或者 notifyAll() 来唤醒挂起的线程,造成死锁。 + +```java +public class WaitNotifyExample { + + public synchronized void before() { + System.out.println("before"); + notifyAll(); + } + + public synchronized void after() { + try { + wait(); + } catch (InterruptedException e) { + e.printStackTrace(); + } + System.out.println("after"); + } +} +``` + +```java +public static void main(String[] args) { + ExecutorService executorService = Executors.newCachedThreadPool(); + WaitNotifyExample example = new WaitNotifyExample(); + executorService.execute(() -> example.after()); + executorService.execute(() -> example.before()); +} +``` + +```java +before +after +``` + +> **wait() 和 sleep() 的区别** + +基本差别: + +- wait() 是 Object 的方法,而 sleep() 是 Thread 的静态方法; +- sleep() 方法可以在任何地方使用,而 wait() 方法只能在 synchronized 块或者同步方法中使用; + +本质区别: + +- Thread.sleep 只会让出 CPU,不会导致锁行为的变化 +- Object.wait 不仅让出 CPU ,还会释放已经占有的同步资源锁 + +```java +public class WaitSleepDemo { + public static void main(String[] args) { + final Object lock = new Object(); + + Thread t1 = new Thread(new Runnable() { + @Override + public void run() { + System.out.println("thread A is waiting to get lock"); + synchronized (lock){ + try { + System.out.println("thread A get lock"); + Thread.sleep(20); + //Thread.sleep 只会让出 CPU,不会导致锁行为的变化 + System.out.println("thread A do wait method"); + + //==========位置 A ========== + //lock.wait(1000); + //Object.wait 不仅让出 CPU ,还会释放已经占有的同步资源锁 + + Thread.sleep(1000); + //Thread.sleep 只会让出 CPU,不会导致锁行为的变化 + //=========================== + + System.out.println("thread A is done"); + } catch (InterruptedException e){ + e.printStackTrace(); + } + } + } + }); + t1.start(); + + try{ + Thread.sleep(10); //主线程等待 10 ms + } catch (InterruptedException e){ + e.printStackTrace(); + } + new Thread(new Runnable() { + @Override + public void run() { + System.out.println("thread B is waiting to get lock"); + synchronized (lock){ + try { + System.out.println("thread B get lock"); + System.out.println("thread B is sleeping 10 ms"); + Thread.sleep(10); + //Thread.sleep 只会让出 CPU,不会导致锁行为的变化 + System.out.println("thread B is done"); + } catch (InterruptedException e){ + e.printStackTrace(); + } + } + } + }).start(); + } +} +``` + +位置 A 为 `lock.wait(1000);` 输出结果: + +```html +thread A is waiting to get lock +thread A get lock +thread A do wait method +thread B is waiting to get lock +thread B get lock +thread B is sleeping 10 ms +thread B is done +thread A is done +``` + +位置 A 为 `Thread.sleep(1000);` 输出结果: + +```html +thread A is waiting to get lock +thread A get lock +thread B is waiting to get lock +thread A do wait method +thread A is done +thread B get lock +thread B is sleeping 10 ms +thread B is done +``` + +> **notify() 和 notifyAll() 的区别** + +两个重要概念: + +- 锁池(EntryList) + +假设线程 A 已经拥有了**某个对象的锁**,而其他线程 B、C 想要调用这个对象的同步方法(或者同步代码块),由于 B 、C 线程在进入对象的同步方法(或者同步代码块)之前必须先获得该对象锁的拥有权,而恰巧该对象的锁目前正在被线程 A 所占用,此时 B 、C 线程就会被阻塞,进入一个地方去**等待锁的释放**,这个地方便是该对象的锁池。 + +- 等待池(WaitSet) + +假设线程 A 调用了某个对象的 wait() 方法,线程 A 就会释放该对象的锁,同时线程 A 就进入该对象的等待池,**进入到等待池的线程不会竞争该对象的锁**。 + +区别: + +notifyAll() 会让所有处于**等待池的线程全部进入锁池**去竞争锁 + +```java +public class NotificationDemo { + private volatile boolean go = false; + + public static void main(String args[]) throws InterruptedException { + final NotificationDemo test = new NotificationDemo(); + + Runnable waitTask = new Runnable(){ + @Override + public void run(){ + try { + test.shouldGo(); + } catch (InterruptedException e) { + e.printStackTrace(); + } + System.out.println(Thread.currentThread().getName() + " finished Execution"); + } + }; + + Runnable notifyTask = new Runnable(){ + @Override + public void run(){ + test.go(); + System.out.println(Thread.currentThread().getName() + " finished Execution"); + } + }; + + //t1、t2、t3 等待 + Thread t1 = new Thread(waitTask, "WT1"); + Thread t2 = new Thread(waitTask, "WT2"); + Thread t3 = new Thread(waitTask, "WT3"); + //t4 唤醒 + Thread t4 = new Thread(notifyTask,"NT1"); + t1.start(); + t2.start(); + t3.start(); + + Thread.sleep(200); + t4.start(); + } + + //wait and notify can only be called from synchronized method or block + private synchronized void shouldGo() throws InterruptedException { + while(go != true){ + System.out.println(Thread.currentThread() + + " is going to wait on this object"); + wait(); //this.wait 不仅让出 CPU ,还会释放已经占有的同步资源锁 + System.out.println(Thread.currentThread() + " is woken up"); + } + go = false; //resetting condition + } + + // both shouldGo() and go() are locked on current object referenced by "this" keyword + private synchronized void go() { + while (go == false){ + System.out.println(Thread.currentThread() + + " is going to notify all or one thread waiting on this object"); + + go = true; //making condition true for waiting thread + //===================位置 A ===================== + //notify(); //只会唤醒 WT1, WT2,WT3 中的一个线程 + notifyAll(); //所有的等待线程 WT1, WT2,WT3 都会被唤醒 + //============================================== + } + } +} +``` + +位置 A 为 `notify();` 输出结果: + +```html +Thread[WT1,5,main] is going to wait on this object +Thread[WT2,5,main] is going to wait on this object +Thread[WT3,5,main] is going to wait on this object +Thread[NT1,5,main] is going to notify all or one thread waiting on this object +Thread[WT1,5,main] is woken up +WT1 finished Execution +NT1 finished Execution +``` + +位置 B 为 `notifyAll();` 输出结果: + +```html +Thread[WT1,5,main] is going to wait on this object +Thread[WT3,5,main] is going to wait on this object +Thread[WT2,5,main] is going to wait on this object +Thread[NT1,5,main] is going to notify all or one thread waiting on this object +Thread[WT2,5,main] is woken up +NT1 finished Execution +WT2 finished Execution +Thread[WT3,5,main] is woken up +Thread[WT3,5,main] is going to wait on this object +Thread[WT1,5,main] is woken up +Thread[WT1,5,main] is going to wait on this object +``` + +### await() signal() signalAll() + +java.util.concurrent 类库中提供了 Condition 类来实现线程之间的协调,可以在 Condition 上调用 await() 方法使线程等待,其它线程调用 signal() 或 signalAll() 方法唤醒等待的线程。 + +相比于 wait() 这种等待方式,await() 可以指定等待的条件,因此更加灵活。 + +使用 Lock 来获取一个 Condition 对象。 + +```java +public class AwaitSignalExample { + + private Lock lock = new ReentrantLock(); + private Condition condition = lock.newCondition(); + + public void before() { + lock.lock(); + try { + System.out.println("before"); + condition.signalAll(); + } finally { + lock.unlock(); + } + } + + public void after() { + lock.lock(); + try { + condition.await(); + System.out.println("after"); + } catch (InterruptedException e) { + e.printStackTrace(); + } finally { + lock.unlock(); + } + } +} +``` + +```java +public static void main(String[] args) { + ExecutorService executorService = Executors.newCachedThreadPool(); + AwaitSignalExample example = new AwaitSignalExample(); + executorService.execute(() -> example.after()); + executorService.execute(() -> example.before()); +} +``` + +```java +before +after +``` + +## 七、Java 原子操作类 + +由于 synchronized 是采用的是**悲观锁策略**,并不是特别高效的一种解决方案。 实际上,在 J.U.C下 的 atomic 包提供了一系列的操作简单,性能高效,并能保证线程安全的类,去更新基本类型变量、数组元素、引用类型以及更新对象中的字段类型。 atomic 包下的这些类都是采用的是**乐观锁策略**去原子更新数据,在 Java 中则是**使用 CAS操作具体实现**。 + +### 1、原子更新基本类 + +使用原子的方式更新基本类型,atomic 包提供了以下 3 个类: + +| 类 | 说明 | +| :-----------: | :-------------------: | +| AtomicBoolean | 原子更新 boolean 类型 | +| AtomicInteger | 原子更新整型 | +| AtomicLong | 原子更新长整型 | + +以 AtomicInteger 为例总结常用的方法: + +| 方法 | 说明 | +| :---------------------: | :----------------------------------------------------------: | +| addAndGet(int delta) | 以原子方式将输入的数值与实例中原本的值相加,并返回最后的结果 | +| incrementAndGet() | 以原子的方式将实例中的原值进行加1操作,并返回最终相加后的结果 | +| getAndSet(int newValue) | 将实例中的值更新为新值,并返回旧值 | +| getAndIncrement() | 以原子的方式将实例中的原值 +1,返回的是自增前的旧值 | + +> **AtomicInteger ** + + AtomicInteger 测试: + +```java +public class AtomicIntegerDemo { + // 请求总数 + public static int clientTotal = 5000; + + // 同时并发执行的线程数 + public static int threadTotal = 200; + + //java.util.concurrent.atomic.AtomicInteger; + public static AtomicInteger count = new AtomicInteger(0); + + public static void main(String[] args) throws InterruptedException { + ExecutorService executorService = Executors.newCachedThreadPool(); + //Semaphore和CountDownLatch模拟并发 + final Semaphore semaphore = new Semaphore(threadTotal); + final CountDownLatch countDownLatch = new CountDownLatch(clientTotal); + for (int i = 0; i < clientTotal ; i++) { + executorService.execute(() -> { + try { + semaphore.acquire(); + add(); + semaphore.release(); + } catch (Exception e) { + e.printStackTrace(); + } + countDownLatch.countDown(); + }); + } + countDownLatch.await(); + executorService.shutdown(); + System.out.println("count:{"+count.get()+"}"); + } + + public static void add() { + count.incrementAndGet(); + } +} +``` + +```html +count:{5000} +``` + + AtomicInteger 的 getAndIncrement() 方法源码: + +```java +private static final Unsafe unsafe = Unsafe.getUnsafe(); + +public final int incrementAndGet() { + return unsafe.getAndAddInt(this, valueOffset, 1) + 1; +} +``` + +实际上是调用了 unsafe 实例的 getAndAddInt 方法。Unsafe 类在 sun.misc 包下,Unsafe 类提供了一些底层操作,atomic 包下的原子操作类的也主要是通过 Unsafe 类提供的 compareAndSwapObject、compareAndSwapInt 和 compareAndSwapLong 等一系列提供 CAS 操作的方法来进行实现。 + +> **AtomicLong** + +AtomicLong 的实现原理和 AtomicInteger 一致,只不过一个针对的是 long 变量,一个针对的是 int 变量。 + +> **AtomicBoolean** + +AtomicBoolean 的核心方法是 compareAndSet() 方法: + +```java +public final boolean compareAndSet(boolean expect, boolean update) { + int e = expect ? 1 : 0; + int u = update ? 1 : 0; + return unsafe.compareAndSwapInt(this, valueOffset, e, u); +} +``` + +可以看出,compareAndSet 方法的实际上也是先转换成 0、1 的整型变量,然后是通过针对 int 型变量的原子更新方法 compareAndSwapInt 来实现的。atomic 包中只提供了对 boolean ,int ,long 这三种基本类型的原子更新的方法,参考对 boolean 更新的方式,原子更新 char,double,float 也可以采用类似的思路进行实现。 + +### 2、原子更新数组 + +通过原子的方式更新数组里的某个元素,atomic 包提供了以下 3 个类: + +| 类 | 说明 | +| :------------------: | :--------------------------: | +| AtomicIntegerArray | 原子更新整型数组中的元素 | +| AtomicLongArray | 原子更新长整型数组中的元素 | +| AtomicReferenceArray | 原子更新引用类型数组中的元素 | + +这几个类的用法一致,就以AtomicIntegerArray来总结下常用的方法: + +| 方法 | 说明 | +| :------------------------------------------: | :-----------------------------------------------: | +| addAndGet(int i, int delta) | 以原子更新的方式将数组中索引为i的元素与输入值相加 | +| getAndIncrement(int i) | 以原子更新的方式将数组中索引为i的元素自增 +1 | +| compareAndSet(int i, int expect, int update) | 将数组中索引为 i 的位置的元素进行更新 | + +AtomicIntegerArray 与 AtomicInteger 的方法基本一致,只不过在 AtomicIntegerArray 的方法中会多一个指定数组索引位 i。 + +```java +public class AtomicIntegerArrayDemo { + // private static AtomicInteger atomicInteger = new AtomicInteger(1); + private static int[] value = new int[]{1, 2, 3}; + private static AtomicIntegerArray integerArray = new AtomicIntegerArray(value); + + public static void main(String[] args) { + //对数组中索引为1的位置的元素加5 + int result = integerArray.getAndAdd(1, 5); + System.out.println(integerArray.get(1)); + System.out.println(result); + } +} +``` + +```html +7 +2 +``` + +getAndAdd 方法将位置为 1 的元素 +5,从结果可以看出索引为 1 的元素变成了 7 ,该方法返回的也是相加之前的数为 2。 + +### 3、原子更新引用类型 + +如果需要原子更新引用类型变量的话,为了保证线程安全,atomic 也提供了相关的类: + +| 类 | 说明 | +| :-------------------------: | :--------------------------: | +| AtomicReference | 原子更新引用类型 | +| AtomicReferenceFieldUpdater | 原子更新引用类型里的字段 | +| AtomicMarkableReference | 原子更新带有标记位的引用类型 | + +这几个类的使用方法也是基本一样的,以AtomicReference为例,来说明这些类的基本用法: + +```java +public class AtomicDemo { + + private static AtomicReference reference = new AtomicReference<>(); + + public static void main(String[] args) { + User user1 = new User("a",1); + reference.set(user1); + User user2 = new User("b",2); + User user = reference.getAndSet(user2); + System.out.println(user); + System.out.println(reference.get()); + } + + static class User { + private String userName; + private int age; + + public User(String userName, int age) { + this.userName = userName; + this.age = age; + } + + @Override + public String toString() { + return "User{" + + "userName='" + userName + '\'' + + ", age=" + age + + '}'; + } + } +} +``` + +```html +User{userName='a', age=1} +User{userName='b', age=2} +``` + +首先构建一个 user1 对象,然会把 user1 对象设置进 AtomicReference 中,然后调用 getAndSet 方法。从结果可以看出,该方法会原子更新引用的 user 对象,变为`User{userName='b', age=2}`,返回的是原来的 user 对象User`{userName='a', age=1}`。 + +### 4、原子更新字段类型 + +如果需要更新对象的某个字段,并在多线程的情况下,能够保证线程安全,atomic 同样也提供了相应的原子操作类: + +| 类 | 说明 | +| :----------------------: | :----------------------------------------------------------: | +| AtomicIntegeFieldUpdater | 原子更新整型字段类 | +| AtomicLongFieldUpdater | 原子更新长整型字段类 | +| AtomicStampedReference | 原子更新带版本号引用类型。
为什么在更新的时候会带有版本号,是为了解决 CAS 的 ABA 问题 | + +要想使用原子更新字段需要两步操作: + +- 原子更新字段类都是**抽象类**,只能通过静态方法 newUpdater 来创建一个更新器,并且需要设置想要更新的类和属性 +- 更新类的属性必须使用 public volatile 进行修饰 + +```java +public class AtomicIntegerFieldUpdaterDemo { + private static AtomicIntegerFieldUpdater updater = + AtomicIntegerFieldUpdater.newUpdater(User.class,"age"); + + public static void main(String[] args) { + User user = new User("a", 1); + System.out.println(user); + int oldValue = updater.getAndAdd(user, 5); + System.out.println(user); + } + + static class User { + private String userName; + public volatile int age; + + public User(String userName, int age) { + this.userName = userName; + this.age = age; + } + + @Override + public String toString() { + return "User{" + + "userName='" + userName + '\'' + + ", age=" + age + + '}'; + } + } +} +``` + +```html +User{userName='a', age=1} +User{userName='a', age=6} +``` + +创建 AtomicIntegerFieldUpdater 是通过它提供的静态方法进行创建, getAndAdd 方法会将指定的字段加上输入的值,并且返回相加之前的值。 user 对象中 age 字段原值为 1,+5 之后,可以看出 user 对象中的 age 字段的值已经变成了 6。 + +## 八、J.U.C - AQS + +java.util.concurrent(J.U.C)大大提高了并发性能,AQS 被认为是 J.U.C 的核心。 + +### CountDownLatch + +用来控制一个线程等待多个线程。 + +维护了一个计数器 cnt,每次调用 countDown() 方法会让计数器的值减 1,减到 0 的时候,那些因为调用 await() 方法而在等待的线程就会被唤醒。 + +
+ + + +> **场景1:程序执行需要等待某个条件完成后,才能进行后面的操作** + +比如父任务等待所有子任务都完成的时候, 再继续往下进行。 + +```java +public class CountDownLatchExample { + //线程数量 + private static int threadCount=10; + + public static void main(String[] args) throws InterruptedException { + ExecutorService executorService= Executors.newCachedThreadPool(); + + final CountDownLatch countDownLatch=new CountDownLatch(threadCount); + + + for (int i = 1; i <= threadCount; i++) { + final int threadNum=i; + executorService.execute(()->{ + try { + test(threadNum); + } catch (InterruptedException e) { + e.printStackTrace(); + }finally { + countDownLatch.countDown(); + } + + }); + } + countDownLatch.await(); + //上面的所有线程都执行完了,再执行主线程 + System.out.println("Finished!"); + executorService.shutdown(); + } + + private static void test(int threadNum) throws InterruptedException { + Thread.sleep(100); + System.out.println("run: Thread "+threadNum); + Thread.sleep(100); + } +} +``` + +```html +run: Thread 8 +run: Thread 7 +run: Thread 6 +run: Thread 5 +run: Thread 4 +run: Thread 3 +run: Thread 2 +run: Thread 1 +run: Thread 10 +run: Thread 9 +Finished! +``` + + + +> **场景2:指定执行时间的情况,超过这个任务就不继续等待了,完成多少算多少。** + +```java +public class CountDownLatchExample2 { + //线程数量 + private static int threadCount=10; + + public static void main(String[] args) throws InterruptedException { + ExecutorService executorService= Executors.newCachedThreadPool(); + + final CountDownLatch countDownLatch=new CountDownLatch(threadCount); + + + for (int i = 1; i <= threadCount; i++) { + final int threadNum=i; + executorService.execute(()->{ + try { + test(threadNum); + } catch (InterruptedException e) { + e.printStackTrace(); + }finally { + countDownLatch.countDown(); + } + + }); + } + countDownLatch.await(10, TimeUnit.MILLISECONDS); + //上面线程如果在10 毫秒内未完成,则有可能会执行主线程 + System.out.println("Finished!"); + executorService.shutdown(); + } + + private static void test(int threadNum) throws InterruptedException { + Thread.sleep(10); + System.out.println("run: Thread "+threadNum); + } +} +``` + +```html +run: Thread 10 +run: Thread 4 +run: Thread 3 +run: Thread 2 +Finished! +run: Thread 9 +run: Thread 5 +run: Thread 8 +run: Thread 6 +run: Thread 7 +run: Thread 1 +``` + +### CyclicBarrier + +用来控制多个线程互相等待,只有当多个线程都到达时,这些线程才会继续执行。它要做的事情是,让一组线程到达一个屏障(也可以叫同步点)时被阻塞,直到最后一个线程到达屏障时,屏障才会开门,所有被拦截的线程才会继续执行。 + +和 CountdownLatch 相似,都是通过维护计数器来实现的。线程执行 await() 方法之后计数器会减 1,并进行等待,直到计数器为 0,所有调用 await() 方法而在等待的线程才能继续执行。 + +CyclicBarrier 和 CountdownLatch 的一个区别是,CyclicBarrier 的计数器通过调用 reset() 方法可以循环使用,所以它才叫做循环屏障。 + +CyclicBarrier 有两个构造函数,其中 parties 指示计数器的初始值,barrierAction 在所有线程都到达屏障的时候会执行一次。 + +```java +public CyclicBarrier(int parties, Runnable barrierAction) { + if (parties <= 0) throw new IllegalArgumentException(); + this.parties = parties; + this.count = parties; + this.barrierCommand = barrierAction; +} + +public CyclicBarrier(int parties) { + this(parties, null); +} +``` + +
+ +```java +public class CyclicBarrierExample { + //指定必须有6个运动员到达才行 + private static CyclicBarrier barrier = new CyclicBarrier(6, () -> { + System.out.println("所有运动员入场,裁判员一声令下!!!!!"); + }); + public static void main(String[] args) { + System.out.println("运动员准备进场,全场欢呼............"); + + ExecutorService service = Executors.newFixedThreadPool(6); + for (int i = 0; i < 6; i++) { + service.execute(() -> { + try { + System.out.println(Thread.currentThread().getName() + " 运动员,进场"); + barrier.await(); + System.out.println(Thread.currentThread().getName() + " 运动员出发"); + } catch (InterruptedException e) { + e.printStackTrace(); + } catch (BrokenBarrierException e) { + e.printStackTrace(); + } + }); + } + + service.shutdown(); + } +} +``` + +```html +运动员准备进场,全场欢呼............ +pool-1-thread-1 运动员,进场 +pool-1-thread-2 运动员,进场 +pool-1-thread-3 运动员,进场 +pool-1-thread-4 运动员,进场 +pool-1-thread-5 运动员,进场 +pool-1-thread-6 运动员,进场 +所有运动员入场,裁判员一声令下!!!!! +pool-1-thread-6 运动员出发 +pool-1-thread-1 运动员出发 +pool-1-thread-4 运动员出发 +pool-1-thread-3 运动员出发 +pool-1-thread-2 运动员出发 +pool-1-thread-5 运动员出发 +``` + +> **场景:多线程计算数据,最后合并计算结果。** + +```java +public class CyclicBarrierExample2 { + private static int threadCount = 10; + + public static void main(String[] args) throws InterruptedException { + CyclicBarrier cyclicBarrier=new CyclicBarrier(5); + + ExecutorService executorService= Executors.newCachedThreadPool(); + + + for (int i = 0; i < threadCount; i++) { + final int threadNum=i; + executorService.execute(()->{ + try { + System.out.println("before..."+threadNum); + cyclicBarrier.await(); + System.out.println("after..."+threadNum); + } catch (Exception e) { + e.printStackTrace(); + } + }); + } + executorService.shutdown(); + } +} +``` + +```html +before...1 +before...4 +before...3 +before...2 +before...6 +before...5 +before...7 +before...8 +after...6 +before...9 +after...1 +after...2 +before...10 +after...3 +after...7 +after...8 +after...4 +after...9 +after...5 +after...10 +``` + +> **CountDownLatch 与 CyclicBarrier 比较** + +- CountDownLatch 一般用于某个线程 A 等待若干个其他线程执行完后再执行。CountDownLatch 强调一个线程等多个线程完成某件事情; + + CyclicBarrier 一般用于一组线程互相等待至某个状态,然后这一组线程再同时执行。CyclicBarrier是多个线程互等,等大家都完成,再携手共进。 + +- 调用 CountDownLatch 的 countDown 方法后,当前线程并不会阻塞,会继续往下执行; + + 调用 CyclicBarrier 的 await 方法,会阻塞当前线程,直到 CyclicBarrier 指定的线程全部都到达了指定点时,才能继续往下执行。 + +- CountDownLatch 方法比较少,操作比较简单; + + CyclicBarrier 提供的方法更多,比如能够通过 getNumberWaiting(),isBroken() 等方法获取当前多个线程的状态,并且 **CyclicBarrier 的构造方法可以传入 barrierAction**,指定当所有线程都到达时执行的业务功能。 + +- CountDownLatch 是不能复用的; + + CyclicLatch 是可以复用的。 + + + +### Semaphore + +Semaphore 类似于操作系统中的信号量,可以控制对互斥资源的访问线程数。 + +其中`acquire()`方法,用来获取资源,`release()`方法用来释放资源。Semaphore维护了当前访问的个数,通过提供**同步机制**来控制同时访问的个数。 + +> **场景:特殊资源的并发访问控制** + +比如数据库的连接数最大只有 20,而上层的并发数远远大于 20,这时候如果不作限制, 可能会由于无法获取连接而导致并发异常,这时候可以使用 Semaphore 来进行控制。当信号量设置为1的时候,就和单线程很相似了。 + +```java +//每次获取一个许可 +public class SemaphoreExample { + private static int clientCount = 3; + private static int totalRequestCount = 10; + + public static void main(String[] args) { + ExecutorService executorService= Executors.newCachedThreadPool(); + + //Semaphore允许的最大许可数为 clientCount , + //也就是允许的最大并发执行的线程个数为 clientCount + final Semaphore semaphore=new Semaphore(clientCount); + + for(int i=1;i<=totalRequestCount;i++){ + final int threadNum=i; + executorService.execute(() -> { + try{ + semaphore.acquire();//每次获取一个许可 + test(threadNum); + }catch (InterruptedException e) { + e.printStackTrace(); + }finally { + semaphore.release(); //释放一个许可 + } + }); + } + executorService.shutdown(); + } + + private static void test(int threadNum) throws InterruptedException { + System.out.println("run: "+threadNum); + Thread.sleep(1000); // 线程睡眠 1 s + } +} +``` + +```html +run: 1 +run: 2 +run: 3 +//---- 1 s ----- +run: 4 +run: 5 +run: 6 +//---- 1 s ----- +run: 7 +run: 8 +run: 9 +//---- 1 s ----- +run: 10 +``` + + + +```java +//每次获取多个许可 +public class SemaphoreExample2 { + private static int clientCount = 3; + private static int totalRequestCount = 10; + + public static void main(String[] args) { + ExecutorService executorService= Executors.newCachedThreadPool(); + + final Semaphore semaphore=new Semaphore(clientCount); + + for(int i=1;i<=totalRequestCount;i++){ + final int threadNum=i; + executorService.execute(() -> { + try{ + semaphore.acquire(3);//每次获取3个许可 + //并发数是 3 ,一次性获取 3 个许可,同 1s 内无其他许可释放,相当于单线程 + test(threadNum); + }catch (InterruptedException e) { + e.printStackTrace(); + }finally { + semaphore.release(3); //释放 3 个许可 + } + }); + } + executorService.shutdown(); + } + + private static void test(int threadNum) throws InterruptedException { + System.out.println("run: "+threadNum); + Thread.sleep(1000); // 线程睡眠 1 s + } +} +``` + +```html +run: 1 +//---- 1 s ----- +run: 2 +//---- 1 s ----- +run: 3 +//---- 1 s ----- +run: 4 +//---- 1 s ----- +run: 5 +//---- 1 s ----- +run: 6 +//---- 1 s ----- +run: 7 +//---- 1 s ----- +run: 8 +//---- 1 s ----- +run: 10 +//---- 1 s ----- +run: 9 +``` + + + +```java +public class SemaphoreExample3 { + private static int clientCount = 3; + private static int totalRequestCount = 10; + + public static void main(String[] args) { + ExecutorService executorService= Executors.newCachedThreadPool(); + + final Semaphore semaphore=new Semaphore(clientCount); + + for(int i=1;i<=totalRequestCount;i++){ + final int threadNum=i; + executorService.execute(() -> { + try{ + if(semaphore.tryAcquire()){ + //尝试获取一个许可 + test(threadNum); + semaphore.release(); + } + }catch (InterruptedException e) { + e.printStackTrace(); + } + }); + } + executorService.shutdown(); + } + + private static void test(int threadNum) throws InterruptedException { + System.out.println("run: "+threadNum); + Thread.sleep(1000); // 线程睡眠 1 s + } +} +``` + +```html +run: 1 +run: 2 +run: 3 +``` + +## 九、J.U.C - 其它组件 + +### FutureTask + +在介绍 Callable 时我们知道它可以有返回值,返回值通过 Future 进行封装。FutureTask 实现了 RunnableFuture 接口,该接口继承自 Runnable 和 Future 接口,这使得 FutureTask 既可以当做一个任务执行,也可以有返回值。 + +```java +public class FutureTask implements RunnableFuture +``` + +```java +public interface RunnableFuture extends Runnable, Future +``` + +FutureTask 可用于异步获取执行结果或取消执行任务的场景。当一个计算任务需要执行很长时间,那么就可以用 FutureTask 来封装这个任务,主线程在完成自己的任务之后再去获取结果。 + +```java +public class FutureTaskExample { + + public static void main(String[] args) throws ExecutionException, InterruptedException { + FutureTask futureTask = new FutureTask(new Callable() { + @Override + public Integer call() throws Exception { + int result = 0; + for (int i = 0; i < 100; i++) { + Thread.sleep(10); + result += i; + } + return result; + } + }); + + Thread computeThread = new Thread(futureTask); + computeThread.start(); + + Thread otherThread = new Thread(() -> { + System.out.println("other task is running..."); + try { + Thread.sleep(1000); + } catch (InterruptedException e) { + e.printStackTrace(); + } + }); + otherThread.start(); + System.out.println(futureTask.get()); + } +} +``` + +```java +other task is running... +4950 +``` + +### BlockingQueue + +java.util.concurrent.BlockingQueue 接口有以下阻塞队列的实现: + +- **FIFO 队列** :LinkedBlockingQueue、ArrayBlockingQueue(固定长度) +- **优先级队列** :PriorityBlockingQueue + +提供了阻塞的 take() 和 put() 方法:如果队列为空 take() 将阻塞,直到队列中有内容;如果队列为满 put() 将阻塞,直到队列有空闲位置。 + +**使用 BlockingQueue 实现生产者消费者问题** + +```java +public class ProducerConsumer { + + private static BlockingQueue queue = new ArrayBlockingQueue<>(5); + + private static class Producer extends Thread { + @Override + public void run() { + try { + queue.put("product"); + } catch (InterruptedException e) { + e.printStackTrace(); + } + System.out.print("produce.."); + } + } + + private static class Consumer extends Thread { + + @Override + public void run() { + try { + String product = queue.take(); + } catch (InterruptedException e) { + e.printStackTrace(); + } + System.out.print("consume.."); + } + } +} +``` + +```java +public static void main(String[] args) { + for (int i = 0; i < 2; i++) { + Producer producer = new Producer(); + producer.start(); + } + for (int i = 0; i < 5; i++) { + Consumer consumer = new Consumer(); + consumer.start(); + } + for (int i = 0; i < 3; i++) { + Producer producer = new Producer(); + producer.start(); + } +} +``` + +```html +produce..produce..consume..consume..produce..consume..produce..consume..produce..consume.. +``` + +### ForkJoin + +主要用于并行计算中,和 MapReduce 原理类似,都是把大的计算任务拆分成多个小任务并行计算。 + +```java +public class ForkJoinExample extends RecursiveTask { + + private final int threshold = 5; + private int first; + private int last; + + public ForkJoinExample(int first, int last) { + this.first = first; + this.last = last; + } + + @Override + protected Integer compute() { + int result = 0; + if (last - first <= threshold) { + // 任务足够小则直接计算 + for (int i = first; i <= last; i++) { + result += i; + } + } else { + // 拆分成小任务 + int middle = first + (last - first) / 2; + ForkJoinExample leftTask = new ForkJoinExample(first, middle); + ForkJoinExample rightTask = new ForkJoinExample(middle + 1, last); + leftTask.fork(); + rightTask.fork(); + result = leftTask.join() + rightTask.join(); + } + return result; + } +} +``` + +```java +public static void main(String[] args) throws ExecutionException, InterruptedException { + ForkJoinExample example = new ForkJoinExample(1, 10000); + ForkJoinPool forkJoinPool = new ForkJoinPool(); + Future result = forkJoinPool.submit(example); + System.out.println(result.get()); +} +``` + +ForkJoin 使用 ForkJoinPool 来启动,它是一个特殊的线程池,线程数量取决于 CPU 核数。 + +```java +public class ForkJoinPool extends AbstractExecutorService +``` + +ForkJoinPool 实现了工作窃取算法来提高 CPU 的利用率。每个线程都维护了一个双端队列,用来存储需要执行的任务。工作窃取算法允许空闲的线程从其它线程的双端队列中窃取一个任务来执行。窃取的任务必须是最晚的任务,避免和队列所属线程发生竞争。例如下图中,Thread2 从 Thread1 的队列中拿出最晚的 Task1 任务,Thread1 会拿出 Task2 来执行,这样就避免发生竞争。但是如果队列中只有一个任务时还是会发生竞争。 + +
+ +## 十、生产者与消费者模式 + +生产者-消费者模式是一个十分经典的多线程并发协作的模式,弄懂生产者-消费者问题能够让我们对并发编程的理解加深。 + +所谓生产者-消费者问题,实际上主要是包含了两类线程,一种是**生产者线程用于生产数据**,另一种是**消费者线程用于消费数据**,为了解耦生产者和消费者的关系,通常会采用**共享数据区域**。 + +共享数据区域就像是一个仓库,生产者生产数据之后直接放置在共享数据区中,并不需要关心消费者的行为;消费者只需要从共享数据区中去获取数据,就不再需要关心生产者的行为。但是,这个共享数据区域中应该具备这样的线程间并发协作的功能: + +- 如果共享数据区已满的话,阻塞生产者继续生产数据放置入内 +- 如果共享数据区为空的话,阻塞消费者继续消费数据 + +![](https://gitee.com/duhouan/ImagePro/raw/master/pics/concurrent/c_4.png) + +### wait() / notify() 潜在的一些问题 + +> **notify() 早期通知** + +线程 A 还没开始 wait 的时候,线程 B 已经 notify 了。线程 B 通知是没有任何响应的,当线程 B 退出同步代码块后,线程 A 再开始 wait,便会一直阻塞等待,直到被别的线程打断。 + +```java +public class EarlyNotify { + public static void main(String[] args) { + final Object lock = new Object(); + + Thread notifyThread = new Thread(new NotifyThread(lock),"notifyThread"); + Thread waitThread = new Thread(new WaitThread(lock),"waitThread"); + notifyThread.start(); + try { + Thread.sleep(3000); + } catch (InterruptedException e) { + e.printStackTrace(); + } + waitThread.start(); + } + + private static class WaitThread implements Runnable{ + private Object lock; + + public WaitThread(Object lock){ + this.lock = lock; + } + + @Override + public void run() { + synchronized (lock) { + try { + System.out.println(Thread.currentThread().getName() + " 进去代码块"); + System.out.println(Thread.currentThread().getName() + " 开始 wait"); + lock.wait(); + System.out.println(Thread.currentThread().getName() + " 结束 wait"); + } catch (InterruptedException e) { + e.printStackTrace(); + } + } + } + } + + private static class NotifyThread implements Runnable{ + private Object lock; + + public NotifyThread(Object lock){ + this.lock = lock; + } + + @Override + public void run() { + synchronized (lock) { + System.out.println(Thread.currentThread().getName() + " 进去代码块"); + System.out.println(Thread.currentThread().getName() + " 开始 notify"); + lock.notify(); + System.out.println(Thread.currentThread().getName() + " 结束开始 notify"); + } + } + } +} +``` + +```html +notifyThread 进去代码块 +notifyThread 开始 notify +notifyThread 结束开始 notify +waitThread 进去代码块 +waitThread 开始 wait +``` + +示例中开启了两个线程,一个是 WaitThread,另一个是 NotifyThread。NotifyThread 先启动,先调用 notify() 方法。然后 WaitThread 线程才启动,调用 wait() 方法,但是由于已经通知过了,wait() 方法就无法再获取到相应的通知,因此 WaitThread 会一直在 wait() 方法处阻塞,这种现象就是**通知过早**的现象。 + +这种现象的解决方法:添加一个状态标志,让 WaitThread 调用 wait() 方法前先判断状态是否已经改变,如果通知早已发出的话,WaitThread 就不再调用 wait() 方法。对上面的代码进行更正: + +```java +public class EarlyNotify2 { + private static boolean isWait = true; //isWait 判断线程是否需要等待 + + public static void main(String[] args) { + final Object lock = new Object(); + + Thread notifyThread = new Thread(new NotifyThread(lock),"notifyThread"); + Thread waitThread = new Thread(new WaitThread(lock),"waitThread"); + notifyThread.start(); + try { + Thread.sleep(3000); + } catch (InterruptedException e) { + e.printStackTrace(); + } + waitThread.start(); + } + + private static class WaitThread implements Runnable{ + private Object lock; + + public WaitThread(Object lock){ + this.lock = lock; + } + + @Override + public void run() { + synchronized (lock) { + try { + System.out.println(Thread.currentThread().getName() + " 进去代码块"); + while (isWait){ + System.out.println(Thread.currentThread().getName() + " 开始 wait"); + lock.wait(); + System.out.println(Thread.currentThread().getName() + " 结束 wait"); + } + } catch (InterruptedException e) { + e.printStackTrace(); + } + } + } + } + + private static class NotifyThread implements Runnable{ + private Object lock; + + public NotifyThread(Object lock){ + this.lock = lock; + } + + @Override + public void run() { + synchronized (lock) { + System.out.println(Thread.currentThread().getName() + " 进去代码块"); + System.out.println(Thread.currentThread().getName() + " 开始 notify"); + lock.notify(); + isWait = false; //已经唤醒了 + System.out.println(Thread.currentThread().getName() + " 结束开始 notify"); + } + } + } +} +``` + +```html +notifyThread 进去代码块 +notifyThread 开始 notify +notifyThread 结束开始 notify +waitThread 进去代码块 +``` + +增加了一个 isWait 状态变量,NotifyThread 调用 notify() 方法后会对状态变量进行更新,在 WaitThread 中调用wait() 方法之前会先对状态变量进行判断,在该示例中,调用 notify() 后将状态变量 isWait 改变为 false ,因此,在 WaitThread 中 while 对 isWait 判断后就不会执行 wait 方法,从而**避免了Notify过早通知造成遗漏的情况。** + +小结:在使用线程的等待 / 通知机制时,一般都要配合一个 boolean 变量值(或者其他能够判断真假的条件),在 notify 之前改变该 boolean 变量的值,让 wait 返回后能够退出 while 循环(一般都要在 wait 方法外围加一层 while 循环,以防止早期通知),或在通知被遗漏后,不会被阻塞在 wait() 方法处。这样便保证了程序的正确性。 + +> **等待 wait 的条件发生变化** + +如果线程在等待时接受到了通知,但是之后**等待的条件**发生了变化,并没有再次对等待条件进行判断,也会导致程序出现错误。 + +```java +public class ConditionChange { + public static void main(String[] args) { + final List lock = new ArrayList<>(); + Thread consumer1 = new Thread(new Consumer(lock),"consume1"); + Thread consumer2 = new Thread(new Consumer(lock),"consume1"); + Thread producer = new Thread(new Producer(lock),"producer"); + consumer1.start(); + consumer2.start(); + producer.start(); + } + + static class Consumer implements Runnable{ + private List lock; + + public Consumer(List lock) { + this.lock = lock; + } + + @Override + public void run() { + synchronized (lock) { + try { + //这里使用if的话,就会存在 wait 条件变化造成程序错误的问题 + if(lock.isEmpty()) { + System.out.println(Thread.currentThread().getName() + " list 为空"); + System.out.println(Thread.currentThread().getName() + " 调用 wait 方法"); + lock.wait(); + System.out.println(Thread.currentThread().getName() + " wait 方法结束"); + } + String element = lock.remove(0); + System.out.println(Thread.currentThread().getName() + " 取出第一个元素为:" + element); + } catch (InterruptedException e) { + e.printStackTrace(); + } + } + } + } + + static class Producer implements Runnable{ + private List lock; + + public Producer(List lock) { + this.lock = lock; + } + + @Override + public void run() { + synchronized (lock) { + System.out.println(Thread.currentThread().getName() + " 开始添加元素"); + lock.add(Thread.currentThread().getName()); + lock.notifyAll(); + } + } + } +} +``` + +```html +consume1 list 为空 +consume1 调用 wait 方法 +consume2 list 为空 +consume2 调用 wait 方法 +producer 开始添加元素 +consume2 wait 方法结束 +Exception in thread "consume1" consume2 取出第一个元素为:producer +java.lang.IndexOutOfBoundsException: Index: 0, Size: 0 +consume1 wait 方法结束 +``` + +异常原因分析:例子中一共开启了 3 个线程:consumer1,consumer2 以及 producer。 + +首先 consumer1调用了 wait 方法后,线程处于了 WAITTING 状态,并且将对象锁释放出来。consumer2 能够获取对象锁,从而进入到同步代块中,当执行到 wait 方法时,同样的也会释放对象锁。productor 能够获取到对象锁,进入到同步代码块中,向 list 中插入数据后,通过 notifyAll 方法通知处于 WAITING 状态的 consumer1 和consumer2 。consumer2 得到对象锁后,从 wait 方法出退出,退出同步块,释放掉对象锁,然后删除了一个元素,list 为空。这个时候 consumer1 获取到对象锁后,从 wait 方法退出,继续往下执行,这个时候consumer1 再执行 + +```java +lock.remove(0) +``` + +就会出错,因为 list 由于 consumer2 删除一个元素之后已经为空了。 + +解决方案:通过上面的分析,可以看出 consumer1 报异常是因为线程从 wait 方法退出之后没有再次对 wait 条件进行判断,因此,此时的 wait 条件已经发生了变化。解决办法就是,在 wait 退出之后再对条件进行判断即可。 + +```java +public class ConditionChange2 { + public static void main(String[] args) { + final List lock = new ArrayList<>(); + Thread consumer1 = new Thread(new Consumer(lock),"consume1"); + Thread consumer2 = new Thread(new Consumer(lock),"consume2"); + Thread producer = new Thread(new Producer(lock),"producer"); + consumer1.start(); + consumer2.start(); + producer.start(); + } + + static class Consumer implements Runnable{ + private List lock; + + public Consumer(List lock) { + this.lock = lock; + } + + @Override + public void run() { + synchronized (lock) { + try { + //这里使用if的话,就会存在 wait 条件变化造成程序错误的问题 + while(lock.isEmpty()) { + System.out.println(Thread.currentThread().getName() + " list 为空"); + System.out.println(Thread.currentThread().getName() + " 调用 wait 方法"); + lock.wait(); + System.out.println(Thread.currentThread().getName() + " wait 方法结束"); + } + String element = lock.remove(0); + System.out.println(Thread.currentThread().getName() + " 取出第一个元素为:" + element); + } catch (InterruptedException e) { + e.printStackTrace(); + } + } + } + } + + static class Producer implements Runnable{ + private List lock; + + public Producer(List lock) { + this.lock = lock; + } + + @Override + public void run() { + synchronized (lock) { + System.out.println(Thread.currentThread().getName() + " 开始添加元素"); + lock.add(Thread.currentThread().getName()); + lock.notifyAll(); + } + } + } +} +``` + +```html +consume1 list 为空 +consume1 调用 wait 方法 +consume2 list 为空 +consume2 调用 wait 方法 +producer 开始添加元素 +consume2 wait 方法结束 +consume2 取出第一个元素为:producer +consume1 wait 方法结束 +consume1 list 为空 +consume1 调用 wait 方法 +``` + +上面的代码与之前的代码仅仅只是将 wait() 外围的 if 语句改为 while 循环即可,这样当 list 为空时,线程便会继续等待,而不会继续去执行删除 list 中元素的代码。 + +小结:在使用线程的等待/通知机制时,一般都要在 while 循环中调用 wait()方法,配合使用一个 boolean 变量(或其他能判断真假的条件,如本文中的 list.isEmpty())。在满足 while 循环的条件时,进入 while 循环,执行 wait()方法,不满足 while 循环的条件时,跳出循环,执行后面的代码。 + +> **”假死“状态** + +如果是多消费者和多生产者情况,如果使用 notify() 方法可能会出现"假死"的情况,即唤醒的是同类线程。 + +原因分析:假设当前多个生产者线程会调用 wait 方法阻塞等待,当其中的生产者线程获取到对象锁之后使用notify 通知处于 WAITTING 状态的线程,如果唤醒的仍然是生产者线程,就会造成所有的生产者线程都处于等待状态。 + +解决办法:将 notify() 方法替换成 notifyAll() 方法,如果使用的是 lock 的话,就将 signal() 方法替换成 signalAll()方法。 + +> **Object提供的消息通知机制总结** + +- 永远在 while 循环中对条件进行判断而不是 if 语句中进行 wait 条件的判断 +- 使用 notifyAll() 而不是使用 notify() + +基本的使用范式如下: + +```java +// The standard idiom for calling the wait method in Java +synchronized (sharedObject) { + while (condition) { + sharedObject.wait(); + // (Releases lock, and reacquires on wakeup) + } + // do action based upon condition e.g. take or put into queue +} +``` + +### 1、wait() / notifyAll() 实现生产者-消费者 + +```java +public class ProducerConsumer { + public static void main(String[] args) { + final LinkedList linkedList = new LinkedList(); + final int capacity = 5; + Thread producer = new Thread(new Producer(linkedList,capacity),"producer"); + Thread consumer = new Thread(new Consumer(linkedList),"consumer"); + + producer.start(); + consumer.start(); + } + + static class Producer implements Runnable { + private List list; + private int capacity; + + public Producer(List list, int capacity) { + this.list = list; + this.capacity = capacity; + } + + @Override + public void run() { + while (true) { + synchronized (list) { + try { + while (list.size() == capacity) { + System.out.println("生产者 " + Thread.currentThread().getName() + " list 已达到最大容量,进行 wait"); + list.wait(); + System.out.println("生产者 " + Thread.currentThread().getName() + " 退出 wait"); + } + Random random = new Random(); + int i = random.nextInt(); + System.out.println("生产者 " + Thread.currentThread().getName() + " 生产数据" + i); + list.add(i); + list.notifyAll(); + } catch (InterruptedException e) { + e.printStackTrace(); + } + } + + } + } + } + + static class Consumer implements Runnable { + private List list; + + public Consumer(List list) { + this.list = list; + } + + @Override + public void run() { + while (true) { + synchronized (list) { + try { + while (list.isEmpty()) { + System.out.println("消费者 " + Thread.currentThread().getName() + " list 为空,进行 wait"); + list.wait(); + System.out.println("消费者 " + Thread.currentThread().getName() + " 退出wait"); + } + Integer element = list.remove(0); + System.out.println("消费者 " + Thread.currentThread().getName() + " 消费数据:" + element); + list.notifyAll(); + } catch (InterruptedException e) { + e.printStackTrace(); + } + } + } + } + } +} +``` + +输出结果: + +```html +生产者 producer 生产数据-1652445373 +生产者 producer 生产数据1234295578 +生产者 producer 生产数据-1885445180 +生产者 producer 生产数据864400496 +生产者 producer 生产数据621858426 +生产者 producer list 已达到最大容量,进行 wait +消费者 consumer 消费数据:-1652445373 +消费者 consumer 消费数据:1234295578 +消费者 consumer 消费数据:-1885445180 +消费者 consumer 消费数据:864400496 +消费者 consumer 消费数据:621858426 +消费者 consumer list 为空,进行 wait +生产者 producer 退出 wait +``` + +### 2、await() / signalAll() 实现生产者-消费者 + +```java +public class ProducerConsumer { + private static ReentrantLock lock = new ReentrantLock(); + private static Condition full = lock.newCondition(); + private static Condition empty = lock.newCondition(); + + public static void main(String[] args) { + final LinkedList linkedList = new LinkedList(); + final int capacity = 5; + Thread producer = new Thread(new Producer(linkedList,capacity,lock),"producer"); + Thread consumer = new Thread(new Consumer(linkedList,lock),"consumer"); + + producer.start(); + consumer.start(); + } + + static class Producer implements Runnable { + private List list; + private int capacity; + private Lock lock; + + public Producer(List list, int capacity,Lock lock) { + this.list = list; + this.capacity = capacity; + this.lock = lock; + } + + @Override + public void run() { + while (true) { + lock.lock(); + try { + while (list.size() == capacity) { + System.out.println("生产者 " + Thread.currentThread().getName() + " list 已达到最大容量,进行 wait"); + full.await(); + System.out.println("生产者 " + Thread.currentThread().getName() + " 退出 wait"); + } + Random random = new Random(); + int i = random.nextInt(); + System.out.println("生产者 " + Thread.currentThread().getName() + " 生产数据" + i); + list.add(i); + empty.signalAll(); + } catch (InterruptedException e) { + e.printStackTrace(); + }finally { + lock.unlock(); + } + + } + } + } + + static class Consumer implements Runnable { + private List list; + private Lock lock; + + public Consumer(List list,Lock lock) { + this.list = list; + this.lock = lock; + } + + @Override + public void run() { + while (true) { + lock.lock(); + try { + while (list.isEmpty()) { + System.out.println("消费者 " + Thread.currentThread().getName() + " list 为空,进行 wait"); + empty.await(); + System.out.println("消费者 " + Thread.currentThread().getName() + " 退出wait"); + } + Integer element = list.remove(0); + System.out.println("消费者 " + Thread.currentThread().getName() + " 消费数据:" + element); + full.signalAll(); + } catch (InterruptedException e) { + e.printStackTrace(); + }finally { + lock.unlock(); + } + } + } + } +} +``` + +```html +生产者 producer 生产数据-1748993481 +生产者 producer 生产数据-131075825 +生产者 producer 生产数据-683676621 +生产者 producer 生产数据1543722525 +生产者 producer 生产数据804266076 +生产者 producer list 已达到最大容量,进行 wait +消费者 consumer 消费数据:-1748993481 +消费者 consumer 消费数据:-131075825 +消费者 consumer 消费数据:-683676621 +消费者 consumer 消费数据:1543722525 +消费者 consumer 消费数据:804266076 +消费者 consumer list 为空,进行 wait +生产者 producer 退出 wait +``` + +### 3、BlockingQueue 实现生产者-消费者 + +由于 BlockingQueue 内部实现就附加了两个阻塞操作。即 + +- 当队列已满时,阻塞向队列中插入数据的线程,直至队列中未满 +- 当队列为空时,阻塞从队列中获取数据的线程,直至队列非空时为止 + +可以利用 BlockingQueue 实现生产者-消费者,**阻塞队列完全可以充当共享数据区域**,就可以很好的完成生产者和消费者线程之间的协作。 + +```java +public class ProducerConsumer { + private static LinkedBlockingQueue queue = new LinkedBlockingQueue<>(); + + public static void main(String[] args) { + Thread producer = new Thread(new Producer(queue),"producer"); + Thread consumer = new Thread(new Consumer(queue),"consumer"); + + producer.start(); + consumer.start(); + } + + static class Producer implements Runnable { + private BlockingQueue queue; + + public Producer(BlockingQueue queue) { + this.queue = queue; + } + + @Override + public void run() { + while (true) { + Random random = new Random(); + int i = random.nextInt(); + System.out.println("生产者" + Thread.currentThread().getName() + "生产数据" + i); + try { + queue.put(i); + } catch (InterruptedException e) { + e.printStackTrace(); + } + } + } + } + + static class Consumer implements Runnable { + private BlockingQueue queue; + + public Consumer(BlockingQueue queue) { + this.queue = queue; + } + + @Override + public void run() { + while (true) { + try { + Integer element = (Integer) queue.take(); + System.out.println("消费者" + Thread.currentThread().getName() + "正在消费数据" + element); + } catch (InterruptedException e) { + e.printStackTrace(); + } + } + } + } +} +``` + +```html +生产者producer生产数据-222876564 +消费者consumer正在消费数据-906876105 +生产者producer生产数据-9385856 +消费者consumer正在消费数据1302744938 +生产者producer生产数据-177925219 +生产者producer生产数据-881052378 +生产者producer生产数据-841780757 +生产者producer生产数据-1256703008 +消费者consumer正在消费数据1900668223 +消费者consumer正在消费数据2070540191 +消费者consumer正在消费数据1093187 +消费者consumer正在消费数据6614703 +消费者consumer正在消费数据-1171326759 +``` + +使用 BlockingQueue 来实现生产者-消费者很简洁,这正是利用了 BlockingQueue 插入和获取数据附加阻塞操作的特性。 + +## 参考资料 + +- [Java 并发知识总结](https://github.com/CL0610/Java-concurrency) +- [CS-Notes Java并发](https://github.com/CyC2018/CS-Notes/blob/master/docs/notes/Java%20%E5%B9%B6%E5%8F%91.md) +- 《 Java 并发编程的艺术》 +- [剑指Java面试-Offer直通车](https://coding.imooc.com/class/303.html) diff --git "a/docs/Java/Java-\350\231\232\346\213\237\346\234\272.md" "b/docs/Java/Java-\350\231\232\346\213\237\346\234\272.md" new file mode 100644 index 0000000..9598d72 --- /dev/null +++ "b/docs/Java/Java-\350\231\232\346\213\237\346\234\272.md" @@ -0,0 +1,1183 @@ +## 一、运行时数据区域 + +
+ +### 程序计数器(Program Counter Register) + +- 当前线程所执行的字节码行号指示器(逻辑) +- 通过改变计数器的值来选取下一条需要执行的字节码指令 +- 和线程一对一的关系,即“线程私有” +- 对 Java 方法计数,如果是 Native 方法则计数器值为 Undefined +- 只是计数,不会发生内存泄漏 + +### Java 虚拟机栈 + +每个 Java 方法在执行的同时会创建一个栈帧用于存储局部变量表、操作数栈、常量池引用等信息。从方法调用直至执行完成的过程,就对应着一个栈帧在 Java 虚拟机栈中入栈和出栈的过程。 + +
+ +可以通过 -Xss 这个虚拟机参数来指定每个线程的 Java 虚拟机栈内存大小: + +```java +java -Xss512M HackTheJava +``` + +该区域可能抛出以下异常: + +- 当线程请求的栈深度超过最大值,会抛出 StackOverflowError 异常; +- 栈进行动态扩展时如果无法申请到足够内存,会抛出 OutOfMemoryError 异常。 + +> 局部变量表和操作数栈 + +- 局部变量表:包含方法执行过程中的所有变量 +- 操作数栈:入栈、出栈、复制、交换、产生消费变量 + +```java +public class JVMTest { + public static int add(int a ,int b) { + int c = 0; + c = a + b; + return c; + } +} +``` + +```html +javap -verbose JVMTest +``` + +
+ +解读上述指令: + +- stack = 2 说明栈的深度是 2 ;locals = 3 说明有 3 个本地变量 ;args_size = 2 说明该方法需传入 2 个参 +- load 指令表示入操作数栈,store 表示出操作数栈 + +执行 add(1,2),说明局部变量表和操作数栈的关系: + +
+ +### 本地方法栈 + +本地方法栈与 Java 虚拟机栈类似,它们之间的区别只不过是本地方法栈为本地方法服务。 + +本地方法一般是用其它语言(C、C++ 或汇编语言等)编写的,并且被编译为基于本机硬件和操作系统的程序,对待这些方法需要特别处理。 + +
+ +### 堆 + +所有对象都在这里分配内存,是垃圾收集的主要区域("GC 堆")。 + +现代的垃圾收集器基本都是采用分代收集算法,其主要的思想是针对不同类型的对象采取不同的垃圾回收算法。可以将堆分成两块: + +- 新生代(Young Generation) +- 老年代(Old Generation) + +堆不需要连续内存,并且可以动态增加其内存,增加失败会抛出 OutOfMemoryError 异常。 + +可以通过 -Xms 和 -Xmx 这两个虚拟机参数来指定一个程序的堆内存大小,第一个参数设置初始值,第二个参数设置最大值。 + +```java +java -Xms1M -Xmx2M HackTheJava +``` + +> Java 内存分配策略 + +1、静态存储:编译时确定每个数据目标在运行时的存储空间需求 + +2、栈式存储:数据区需求在编译时未知,运行时模块入口前确定 + +3、堆式存储:编译时或运行时模块入口都无法确定,动态分配 + +> JVM 内存模型中堆和栈的联系 + +引用对象、数组时,栈里定义变量保存堆中目标的首地址。 + +
+ +> JVM 内存模型中堆和栈的区别 + +管理方式:栈自动释放,堆需要 GC + +空间大小:栈比堆小 + +碎片相关:栈产生的碎片远小于堆 + +分配方式:栈支持静态和动态分配,而堆仅支持动态分配 + +效率:栈的效率比堆高 + +### 方法区 + +用于存放已被加载的类信息、常量、静态变量、即时编译器编译后的代码等数据。 + +和堆一样不需要连续的内存,并且可以动态扩展,动态扩展失败一样会抛出 OutOfMemoryError 异常。 + +对这块区域进行垃圾回收的主要目标是对常量池的回收和对类的卸载,但是一般比较难实现。 + +HotSpot 虚拟机把它当成永久代来进行垃圾回收。但很难确定永久代的大小,因为它受到很多因素影响,并且每次 Full GC 之后永久代的大小都会改变,所以经常会抛出 OutOfMemoryError 异常。为了更容易管理方法区,从 JDK 1.8 开始,移除永久代,并把方法区移至元空间,它位于本地内存中,而不是虚拟机内存中。 + +方法区是一个 JVM 规范,永久代与元空间都是其一种实现方式。在 JDK 1.8 之后,原来永久代的数据被分到了堆和元空间中。**元空间存储类的元信息,静态变量和常量池等放入堆中**。 + +> 元空间(MetaSpace)与永久代(PermGen)的区别 + +元空间使用本地内存,而永久代使用 JVM 的内存。 + +> 元空间(MetaSpace)相比永久代(PermGen)的优势 + +1、字符串常量池存在永久代中,容易出现性能问题和内存溢出 + +2、类和方法的信息大小难以确定,给永久代的大小指定带来困难 + +3、永久代会为 GC 带来不必要的复杂性 + +### 运行时常量池 + +运行时常量池是方法区的一部分。 + +Class 文件中的常量池(编译器生成的字面量和符号引用)会在类加载后被放入这个区域。 + +除了在编译期生成的常量,还允许动态生成,例如 String 类的 intern()。 + +### 直接内存 + +在 JDK 1.4 中新引入了 NIO 类,它可以使用 Native 函数库直接分配堆外内存,然后通过 Java 堆里的 DirectByteBuffer 对象作为这块内存的引用进行操作。这样能在一些场景中显著提高性能,因为避免了在堆内存和堆外内存来回拷贝数据。 + +### JVM常见参数 + +| 参数 | 含义 | +| ---- | ------------------------------------------------------------ | +| -Xss | 规定了每个线程虚拟机栈(堆栈)的大小,会影响并发线程数的大小 | +| -Xms | 堆的初始值 | +| -Xmx | 堆能达到的最大值 | + +## 二、HotSpot 虚拟机对象 + +### 对象的创建 + +对象的创建步骤: + +
+ +1. **类加载检查** + +虚拟机遇到一条 new 指令时,首先将去检查这个指令的参数是否能在常量池中定位到这个类的**符号引用**, +并且检查这个符号引用代表的类是否已被加载过、解析和初始化过。 +如果没有,那必须先执行相应的类加载过程。 + +2. **分配内存** + +在类加载检查通过后,接下来虚拟机将为新生对象分配内存。 +对象所需的内存大小在类加载完成后便可确定,为对象分配空间的任务等同于把一块确定大小的内存从 Java 堆中划分出来。分配方式有 “指针碰撞” 和 “空闲列表” 两种,选择那种分配方式由 Java 堆是否规整决定, +而Java堆是否规整又由所采用的**垃圾收集器是否带有压缩整理功能**决定。 + +- 内存分配的两种方式 + +| 内存分配的两种方式 | **指针碰撞** | **空闲列表** | +| :----------------: | :----------------------------------------------------------: | :----------------------------------------------------------: | +| 适用场景 | 堆内存规整(即没有内存碎片)的情况 | 堆内存不规整的情况 | +| 原理 | 用过的内存全部整合到一边,没有用过的内存放在另一边,中间有一个分界值指针,只需要向着没用过的内存方向将指针移动一段与对象大小相等的距离 | 虚拟机会维护一个列表,在该列表和总分记录哪些内存块是可用的,在分配的时候,找一块足够大的内存块划分给对象示例,然后更新列表记录 | +| GC收集器 | Serial ParNew | CMS | + +- 内存分配并发问题 + +在创建对象的时候有一个很重要的问题,就是线程安全,因为在实际开发过程中,创建对象是很频繁的事情, +作为虚拟机来说,必须要保证线程是安全的,通常来讲,虚拟机采用两种方式来保证线程安全: + +(1)CAS+失败重试: CAS 是乐观锁的一种实现方式。所谓乐观锁就是,每次不加锁而是假设没有冲突而去完成某项操作,如果因为冲突失败就重试,直到成功为止。虚拟机采用CAS配上失败重试的方式保证更新操作的原子性。 + +(2)TLAB: 每一个线程预先在Java堆中分配一块内存,称为本地线程分配缓冲(Thread Local Allocation Buffer,TLAB)。哪个线程要分配内存,就在哪个线程的TLAB上分配,只有TLAB用完并分配新的TLAB时,才采用上述的CAS进行内存分配。 + + +3. **初始化零值** + +内存分配完成后,虚拟机需要将分配到的内存空间都初始化为零值(不包括对象头),这一步操作**保证了对象的实例字段在 Java 代码中可以不赋初始值就直接使用**,程序能访问到这些字段的数据类型所对应的零值。 + +4. **设置对象头** + +初始化零值完成之后,虚拟机要对对象进行必要的设置,例如这个对象是那个类的实例、如何才能找到类的元数据信息、对象的哈希吗、对象的 GC 分代年龄等信息。 +这些信息存放在对象头中。 +另外,根据虚拟机当前运行状态的不同,如是否启用偏向锁等,对象头会有不同的设置方式。 + +5. **执行init方法** + +在上面工作都完成之后,从虚拟机的视角来看,一个新的对象已经产生了, +但从 Java 程序的视角来看,对象创建才刚开始,**\ 方法还没有执行,所有的字段都还为零**。 +所以一般来说,执行 new 指令之后会接着执行 \ 方法, +把**对象按照程序员的意愿进行初始化**,这样一个真正可用的对象才算完全产生出来。 + +### 对象的内存布局 + +在 Hotspot 虚拟机中,对象在内存中的布局可以分为 3 块区域:对象头、实例数据、对齐填充。 + +
+ + + +- **对象头** + +Hotspot虚拟机的对象头包括两部分信息: + +一部分用于存储对象自身的运行时数据(哈希码、GC分代年龄、锁状态标志等等), + +另一部分是类型指针,即对象指向它的**类元数据的指针**,虚拟机通过这个指针来**确定这个对象是哪个类的实例**。 + +- **实例数据** + +实例数据部分是对象真正存储的有效信息,也是在程序中所定义的各种类型的字段内容。 + +- **对齐填充** + +对齐填充部分不是必然存在的,也没有什么特别的含义,仅仅起**占位**作用。 + 因为Hotspot虚拟机的自动内存管理系统要求对象起始地址必须是8字节的整数倍, + 换句话说就是对象的大小必须是8字节的整数倍。而对象头部分正好是8字节的倍数(1倍或2倍), + 因此,当对象实例数据部分没有对齐时,就需要通过对齐填充来补全。 + +### 对象的访问定位 + +建立对象就是为了使用对象,我们的Java程序通过栈上的 reference 数据来操作堆上的具体对象。 +对象的访问方式视虚拟机的实现而定,目前主流的访问方式有两种:使用句柄、直接指针。 + +- **使用句柄** + +如果使用[句柄](https://zh.wikipedia.org/wiki/%E5%8F%A5%E6%9F%84)的话,那么 **Java 堆**中将会划分出一块内存来作为句柄池,reference 中存储的就是**对象的句柄地址**,而句柄中包含了对象实例数据与类型数据各自的具体地址信息 。 + +
+ +- **直接指针** + +如果使用直接指针访问,那么 Java 堆对象的布局中就必须考虑如何放置访问类型数据的相关信息,而 reference 中存储的直接就是**对象的地址**。 + +
+ + +这两种对象访问方式各有优势: + +1、使用句柄来访问的最大好处是 reference 中存储的是稳定的句柄地址,在对象被移动时只会改变句柄中的实例数据指针,而**reference本身不需要修改**。 + +2、使用直接指针访问方式最大的好处就是**速度快**,它节省了一次指针定位的时间开销。 + +## 三、String 类和常量池 + +### 1、String 对象的两种创建方式 + +```java +String str1 = "abcd"; +String str2 = new String("abcd"); +System.out.println(str1==str2); //false +``` + +这两种不同的创建方法是有差别的: + +第一种方式是在常量池中获取对象("abcd" 属于字符串字面量,因此编译时期会在常量池中创建一个字符串对象); + +第二种方式一共会创建两个字符串对象(前提是 String Pool 中还没有 "abcd" 字符串对象)。 + +- "abcd" 属于字符串字面量,因此编译时期会在常量池中创建一个字符串对象,该字符串对象指向这个 "abcd" 字符串字面量; +- 使用 new 的方式会在堆中创建一个字符串对象。 + +str1 指向常量池中的 “abcd”,而 str2 指向堆中的字符串对象。 + +### 2、intern() 方法 + +intern() 方法设计的初衷,就是重用 String 对象,以节省内存消耗。 + +JDK6:当调用intern方法的时候,如果字符串常量池先前已创建出该字符串对象,则返回常量池中的该字符串的引用。否则,将此字符串对象添加到字符串常量池中,并且返回该字符串对象的引用。 + +JDK6+:当调用intern方法的时候,如果字符串常量池先前已创建出该字符串对象,则返回常量池中的该字符串的引用。**否则,如果该字符串对象已存在与Java堆中,则将堆中对此对象的引用添加到字符串常量池中,并且返回该引用**;如果堆中不存在,则在常量池中创建该字符串并返回其引用。 + +在 JVM 运行时数据区中的方法区有一个常量池,但是发现在 JDK 1.6 以后常量池被放置在了堆空间,因此常量池位置的不同影响到了 String 的 intern() 方法的表现。 + +```java +String s = new String("1"); +s.intern(); +String s2 = "1"; +System.out.println(s == s2); + +String s3 = new String("1") + new String("1"); +s3.intern(); +String s4 = "11"; +System.out.println(s3 == s4); +``` + +> JDK 1.6 及以下 + +- 上述代码输出结果: + +```html +false +false +``` + +- 解释: + +在 JDK 1.6 中所有的输出结果都是 false,因为 JDK 1.6 以及以前版本中,常量池是放在 PermGen 区(属于方法区)中的,而方法区和堆区是完全分开的。 + +**使用引号声明的字符串会直接在字符串常量池中生成**的,而 new 出来的 String 对象是放在堆空间中的。所以两者的内存地址肯定是不相同的,即使调用了 intern() 方法也是不影响的。 + +intern() 方法在 JDK 1.6 中的作用:比如 `String s = new String("1");`,再调用 `s.intern()`,此时返回值还是字符串"1",表面上看起来好像这个方法没什么用处。但实际上,在 JDK1.6 中:**检查字符串常量池里是否存在 "1" 这么一个字符串,如果存在,就返回池里的字符串;如果不存在,该方法会把 "1" 添加到字符串常量池中,然后再返回它的引用**。 + +> JDK 1.6 及以上 + +- 上述代码输出结果: + +```html +false +true +``` + +- 解释: + +`String s= new String("1")` 生成了字符串常量池中的 "1" 和堆空间中的字符串对象。 + +`s.intern()` s 对象去字符串常量池中寻找后,发现 "1" 已存在于常量池中。 + +`String s2 = "1"` 生成 s2 的引用指向常量池中的 "1" 对象。 + +显然,s 和 s2 的引用地址是不同的。 + +`String s3 = new String("1") + new String("1") `在字符串常量池中生成 "1",并在堆空间中生成 s3 引用指向的对象(内容为 "11")。 *注意此时常量池中是没有 "11" 对象*。 + +`s3.intern()`将 s3 中的 "11" 字符串放入字符串常量池中。 JDK 1.6 的做法是直接在常量池中生成一个 "11" 的对象。但**在 JDK 1.7 中,常量池中不需要再存储一份对象了,可以直接存储堆中的引用**。这份引用直接指向 s3 引用的对象,也就是说 `s3.intern() == s3 `会返回 true。 + +`String s4 = "11"`, 这一行代码会直接去常量池中创建,但是发现已经有这个对象了,此时 s4 就是指向 s3 引用对象的一个引用。因此 `s3 == s4 `返回了true。 + +### 3、字符串拼接 + +```java +String str1 = "str"; +String str2 = "ing"; + +String str3 = "str" + "ing";//常量池中的对象 +String str4 = str1 + str2; //TODO:在堆上创建的新的对象 +String str5 = "string";//常量池中的对象 +System.out.println(str3 == str4);//false +System.out.println(str3 == str5);//true +System.out.println(str4 == str5);//false +``` + +
+ +注意:尽量避免多个字符串拼接,因为这样会重新创建对象。 如果需要改变字符串的话,可以使用 **StringBuilder** 或者 **StringBuffer**。 + +> 面试题:String s1 = new String("abc");问创建了几个对象? + +创建2个字符串对象(前提是 String Pool 中还没有 "abcd" 字符串对象)。 + +- "abc" 属于字符串字面量,因此编译时期会**在常量池中创建一个字符串对象**,指向这个 "abcd" 字符串字面量; +- 使用 new 的方式会在堆中创建一个字符串对象。 + +(字符串常量"abc"在**编译期**就已经确定放入常量池,而 Java **堆上的"abc"是在运行期**初始化阶段才确定)。 + +``` +String s1 = new String("abc");// 堆内存的地址值 +String s2 = "abc"; +System.out.println(s1 == s2);// 输出false +//因为一个是堆内存,一个是常量池的内存,故两者是不同的。 +System.out.println(s1.equals(s2));// 输出true +``` + + + +## 四、8 种基本类型的包装类和常量池 + +- Java 基本类型的包装类的大部分都实现了常量池技术, 即Byte,Short,Integer,Long,Character,Boolean; 这 5 种包装类默认创建了数值 **[-128,127]** 的相应类型的缓存数据, 但是超出此范围仍然会去创建新的对象。 +- **两种浮点数类型的包装类 Float , Double 并没有实现常量池技术**。 + +valueOf() 方法的实现比较简单,就是先判断值是否在缓存池中,如果在的话就直接返回缓存池的内容。 + +Integer 的部分源码: + +``` +public static Integer valueOf(int i) { + if (i >= IntegerCache.low && i <= IntegerCache.high) + return IntegerCache.cache[i + (-IntegerCache.low)]; + return new Integer(i); +} +``` + +在 Java 8 中,Integer 缓存池的大小默认为 -128~127。 + +```java +static final int low = -128; +static final int high; +static final Integer cache[]; + +static { + // high value may be configured by property + int h = 127; + String integerCacheHighPropValue = + sun.misc.VM.getSavedProperty("java.lang.Integer.IntegerCache.high"); + if (integerCacheHighPropValue != null) { + try { + int i = parseInt(integerCacheHighPropValue); + i = Math.max(i, 127); + // Maximum array size is Integer.MAX_VALUE + h = Math.min(i, Integer.MAX_VALUE - (-low) -1); + } catch( NumberFormatException nfe) { + // If the property cannot be parsed into an int, ignore it. + } + } + high = h; + + cache = new Integer[(high - low) + 1]; + int j = low; + for(int k = 0; k < cache.length; k++) + cache[k] = new Integer(j++); + + // range [-128, 127] must be interned (JLS7 5.1.7) + assert IntegerCache.high >= 127; +} +``` + +- 示例1: + +```java +Integer i1=40; +//Java 在编译的时候会直接将代码封装成 Integer i1=Integer.valueOf(40);从而使用常量池中的对象。 +Integer i2 = new Integer(40); +//创建新的对象。 +System.out.println(i1==i2);//输出false +``` + +- 示例2:Integer有自动拆装箱功能 + +```java +Integer i1 = 40; +Integer i2 = 40; +Integer i3 = 0; +Integer i4 = new Integer(40); +Integer i5 = new Integer(40); +Integer i6 = new Integer(0); + +System.out.println("i1=i2 " + (i1 == i2)); //输出 i1=i2 true +System.out.println("i1=i2+i3 " + (i1 == i2 + i3)); //输出 i1=i2+i3 true +//i2+i3得到40,比较的是数值 +System.out.println("i1=i4 " + (i1 == i4)); //输出 i1=i4 false +System.out.println("i4=i5 " + (i4 == i5)); //输出 i4=i5 false +//i5+i6得到40,比较的是数值 +System.out.println("i4=i5+i6 " + (i4 == i5 + i6)); //输出 i4=i5+i6 true +System.out.println("40=i5+i6 " + (40 == i5 + i6)); //输出 40=i5+i6 true +``` + + + +## 五、垃圾收集 + +[垃圾回收的脑图](http://naotu.baidu.com/file/1eb8ce88025d3d160c2efbf03c7b62b5?token=64d1a334774221b1) + +垃圾收集主要是针对堆和方法区进行。程序计数器、虚拟机栈和本地方法栈这三个区域属于线程私有的,只存在于线程的生命周期内,线程结束之后就会消失,因此不需要对这三个区域进行垃圾回收。 + +### 判断一个对象是否可被回收 + +#### 1. 引用计数算法 + +为对象添加一个引用计数器,当对象增加一个引用时计数器加 1,引用失效时计数器减 1。引用计数为 0 的对象可被回收。 + +在两个对象出现循环引用的情况下,此时引用计数器永远不为 0,导致无法对它们进行回收。正是因为循环引用的存在,因此 Java 虚拟机不使用引用计数算法。 + +```java +public class Test { + + public Object instance = null; + + public static void main(String[] args) { + Test a = new Test(); + Test b = new Test(); + a.instance = b; + b.instance = a; + a = null; + b = null; + doSomething(); + } +} +``` + +在上述代码中,a 与 b 引用的对象实例互相持有了对象的引用,因此当我们把对 a 对象与 b 对象的引用去除之后,由于两个对象还存在互相之间的引用,导致两个 Test 对象无法被回收。 + +- 优点:执行效率高,程序执行受影响较小。 +- 缺点:无法检测出循环引用的情况,引起内存泄漏。 + +#### 2. 可达性分析算法 + +通过判断对象的引用链是否可达来决定对象是否可以被回收。 + +以 GC Roots 为起始点进行搜索,可达的对象都是存活的,不可达的对象可被回收。 + +Java 虚拟机使用该算法来判断对象是否可被回收,GC Roots 一般包含以下内容: + +- 虚拟机栈中局部变量表中引用的对象(栈帧中的本地方法变量表) +- 本地方法栈中 JNI(Native方法) 中引用的对象 +- 方法区中类静态属性引用的对象 +- 方法区中的常量引用的对象 +- 活跃线程的引用对象 + +
+ + +#### 3. 方法区的回收 + +因为方法区主要存放永久代对象,而永久代对象的回收率比新生代低很多,所以在方法区上进行回收性价比不高。 + +主要是对常量池的回收和对类的卸载。 + +为了避免内存溢出,在大量使用反射和动态代理的场景都需要虚拟机具备类卸载功能。 + +类的卸载条件很多,需要满足以下三个条件,并且满足了条件也不一定会被卸载: + +- 该类所有的实例都已经被回收,此时堆中不存在该类的任何实例。 +- 加载该类的 ClassLoader 已经被回收。 +- 该类对应的 Class 对象没有在任何地方被引用,也就无法在任何地方通过反射访问该类方法。 + +#### 4. finalize() + +类似 C++ 的析构函数,用于关闭外部资源。但是 try-finally 等方式可以做得更好,并且该方法运行代价很高,不确定性大,无法保证各个对象的调用顺序,因此最好不要使用。 + +当一个对象可被回收时,如果需要执行该对象的 finalize() 方法,那么就有可能在该方法中让对象重新被引用,从而实现自救。自救只能进行一次,如果回收的对象之前调用了 finalize() 方法自救,后面回收时不会再调用该方法。 + +> Object 的finalize()方法的作用是否与C++的析构函数作用相同? + +- 与C++的析构函数不同,析构函数调用确定,而finalize()方法是不确定的; +- 当垃圾回收器要宣告一个对象死亡时,至少要经历两次标记过程。如果对象在进行可达性分析以后,没有与GC Root直接相连接的引用量,就会被第一次标记,并且判断是否执行finalize()方法;如果这个对象覆盖了finalize()方法,并且未被引用,就会被放置于F-Queue队列,稍后由虚拟机创建的一个低优先级的finalize()线程去执行触发finalize()方法; +- 由于线程的优先级比较低,执行过程随时可能会被终止; +- 给予对象最后一次重生的机会 + +### 引用类型 + +无论是通过引用计数算法判断对象的引用数量,还是通过可达性分析算法判断对象是否可达,判定对象是否可被回收都与引用有关。 + +Java 提供了四种强度不同的引用类型。 + +#### 1. 强引用 + +被强引用关联的对象不会被回收。 + +使用 new 一个新对象的方式来创建强引用。 + +```java +Object obj = new Object(); +``` + +抛出OOM Error终止程序也不会回收具有强引用的对象,只有通过将对象设置为null来弱化引用,才能使其被回收。 + +#### 2. 软引用 + +表示对象处在**有用但非必须**的状态。 + +被软引用关联的对象只有在内存不够的情况下才会被回收。可以用来实现内存敏感的高速缓存。 + +使用 SoftReference 类来创建软引用。 + +```java +Object obj = new Object(); +SoftReference sf = new SoftReference(obj); +obj = null; // 使对象只被软引用关联 +``` + +#### 3. 弱引用 + +表示非必须的对象,比软引用更弱一些。适用于偶尔被使用且不影响垃圾收集的对象。 + +被弱引用关联的对象一定会被回收,也就是说它只能存活到下一次垃圾回收发生之前。 + +使用 WeakReference 类来创建弱引用。 + +```java +Object obj = new Object(); +WeakReference wf = new WeakReference(obj); +obj = null; +``` + +#### 4. 虚引用 + +又称为幽灵引用或者幻影引用,一个对象是否有虚引用的存在,不会对其生存时间造成影响,也无法通过虚引用得到一个对象。 + +不会决定对象的生命周期,任何时候都可能被垃圾回收器回收。必须和引用队列ReferenceQueue联合使用。 + +为一个对象设置虚引用的唯一目的是**能在这个对象被回收时收到一个系统通知,起哨兵作用**。具体来说,就是通过判断引用队列ReferenceQueue是否加入虚引用来判断被引用对象是否被GC回收。 + +使用 PhantomReference 来创建虚引用。 + +```java +Object obj = new Object(); +ReferenceQueue queue = new ReferenceQueue(); +PhantomReference pf = new PhantomReference(obj, queue); +obj = null; +``` + +| 引用类型 | 被垃圾回收的时间 | 用途 | 生存时间 | +| -------- | ---------------- | -------------- | ----------------- | +| 强引用 | 从来不会 | 对象的一般状态 | JVM停止运行时终止 | +| 软引用 | 在内存不足的时候 | 对象缓存 | 内存不足时终止 | +| 弱引用 | 在垃圾回收的时候 | 对象缓存 | GC运行后终止 | +| 虚引用 | Unknown | 标记、哨兵 | Unknown | + +> 引用队列(ReferenceQueue):当GC(垃圾回收线程)准备回收一个对象时,如果发现它还仅有软引用(或弱引用,或虚引用)指向它,就会在回收该对象之前,把这个软引用(或弱引用,或虚引用)加入到与之关联的引用队列(ReferenceQueue)中。**如果一个软引用(或弱引用,或虚引用)对象本身在引用队列中,就说明该引用对象所指向的对象被回收了**。无实际的存储结构,存储逻辑依赖于内部节点之间的关系来表达。 + +### 垃圾收集算法 + +#### 1. 标记 - 清除 + +
+ +在标记阶段,从根集合进行扫描,会检查每个对象是否为活动对象,如果是活动对象,则程序会在对象头部打上标记。 + +在清除阶段,会进行对象回收并取消标志位,另外,还会判断回收后的分块与前一个空闲分块是否连续,若连续,会合并这两个分块。回收对象就是把对象作为分块,连接到被称为 “空闲链表” 的单向链表,之后进行分配时只需要遍历这个空闲链表,就可以找到分块。 + +在分配时,程序会搜索空闲链表寻找空间大于等于新对象大小 size 的块 block。如果它找到的块等于 size,会直接返回这个分块;如果找到的块大于 size,会将块分割成大小为 size 与 (block - size) 的两部分,返回大小为 size 的分块,并把大小为 (block - size) 的块返回给空闲链表。 + +不足: + +- 标记和清除过程效率都不高; +- 会产生大量不连续的内存碎片,导致无法给大对象分配内存。 + +#### 2. 标记 - 整理 + +
+ +让所有存活的对象都向一端移动,然后直接清理掉端边界以外的内存。 + +优点: + +- 不会产生内存碎片 + +不足: + +- 需要移动大量对象,处理效率比较低。 + +#### 3. 复制 + +
+ +将内存划分为大小相等的两块,每次只使用其中一块,当这一块内存用完了就将还存活的对象复制到另一块上面,然后再把使用过的内存空间进行一次清理。 + +主要不足是只使用了内存的一半。 + +现在的商业虚拟机都采用这种收集算法回收新生代,但是并不是划分为大小相等的两块,而是一块较大的 Eden 空间和两块较小的 Survivor 空间,每次使用 Eden 和其中一块 Survivor。在回收时,将 Eden 和 Survivor 中还存活着的对象全部复制到另一块 Survivor 上,最后清理 Eden 和使用过的那一块 Survivor。 + +HotSpot 虚拟机的 Eden 和 Survivor 大小比例默认为 8:1,保证了内存的利用率达到 90%。如果每次回收有多于 10% 的对象存活,那么一块 Survivor 就不够用了,此时需要依赖于老年代进行空间分配担保,也就是借用老年代的空间存储放不下的对象。 + +#### 4. 分代收集 + +Stop-the-World + +- JVM由于要执行GC而停止了应用程序的执行; +- 任何一种GC算法中都会发生; +- 多数GC优化通过减少Stop-the-world发生的时间来提升程序性能。 + +Safepoint + +- 分析过程中对象引用关系不会发生变化的点; +- 产生Safepoint的地方:方法调用;循环跳转;异常跳转等 + +现在的商业虚拟机采用分代收集算法,它根据对象存活周期将内存划分为几块,不同块采用适当的收集算法。 + +一般将堆分为新生代和老年代。 + +- 新生代使用:复制算法 +- 老年代使用:标记 - 清除 或者 标记 - 整理 算法 + +### 垃圾收集器 + +
+ +以上是 HotSpot 虚拟机中的 7 个垃圾收集器,连线表示垃圾收集器可以配合使用。 + +- 单线程与多线程:单线程指的是垃圾收集器只使用一个线程,而多线程使用多个线程; +- 串行与并行:串行指的是垃圾收集器与用户程序交替执行,这意味着在执行垃圾收集的时候需要停顿用户程序;并行指的是垃圾收集器和用户程序同时执行。除了 CMS 和 G1 之外,其它垃圾收集器都是以串行的方式执行。 + +#### 1. Serial 收集器(-XX:+UseSerialGC) + +
+ +Serial 翻译为串行,也就是说它以串行的方式执行。 + +它是单线程的收集器,只会使用一个线程进行垃圾收集工作。 + +它的优点是简单高效,在单个 CPU 环境下,由于没有线程交互的开销,因此拥有最高的单线程收集效率。 + +它是 Client 场景下的默认新生代收集器,因为在该场景下内存一般来说不会很大。它收集一两百兆垃圾的停顿时间可以控制在一百多毫秒以内,只要不是太频繁,这点停顿时间是可以接受的。 + +#### 2. ParNew 收集器(-XX:+UseParNewGC) + +
+ +它是 Serial 收集器的多线程版本。 + +它是 Server 场景下默认的新生代收集器,除了性能原因外,主要是因为除了 Serial 收集器,只有它能与 CMS 收集器配合使用。 + +#### 3. Parallel Scavenge 收集器(-XX:+UseParallelGC) + +与 ParNew 一样是多线程收集器。 + +其它收集器目标是尽可能缩短垃圾收集时用户线程的停顿时间,而它的目标是达到一个可控制的吞吐量,因此**它被称为“吞吐量优先”收集器**。这里的吞吐量指 CPU 用于运行用户程序的时间占总时间的比值。 + +停顿时间越短就越适合需要与用户交互的程序,良好的响应速度能提升用户体验。而高吞吐量则可以高效率地利用 CPU 时间,尽快完成程序的运算任务,适合在后台运算而不需要太多交互的任务。 + +缩短停顿时间是以牺牲吞吐量和新生代空间来换取的:新生代空间变小,垃圾回收变得频繁,导致吞吐量下降。 + +可以通过一个开关参数打开 GC 自适应的调节策略(GC Ergonomics),就不需要手工指定新生代的大小(-Xmn)、Eden 和 Survivor 区的比例、晋升老年代对象年龄等细节参数了。虚拟机会根据当前系统的运行情况收集性能监控信息,动态调整这些参数以提供最合适的停顿时间或者最大的吞吐量。 + +#### 4. Serial Old 收集器(-XX:+UseSerialOldGC) + +
+ +是 Serial 收集器的老年代版本,也是给 Client 场景下的虚拟机使用。如果用在 Server 场景下,它有两大用途: + +- 在 JDK 1.5 以及之前版本(Parallel Old 诞生以前)中与 Parallel Scavenge 收集器搭配使用。 +- 作为 CMS 收集器的后备预案,在并发收集发生 Concurrent Mode Failure 时使用。 + +#### 5. Parallel Old 收集器(-XX:+UseParallelOldGC) + +
+ +是 Parallel Scavenge 收集器的老年代版本。 + +**在注重吞吐量以及 CPU 资源敏感的场合**,都可以优先考虑 Parallel Scavenge 加 Parallel Old 收集器。 + +#### 6. CMS 收集器(-XX:+UseConcMarkSweepGC) + +
+ +CMS(Concurrent Mark Sweep),Mark Sweep 指的是标记 - 清除算法。 + +分为以下六个流程: + +- 初始标记:仅仅只是标记一下 GC Roots 能直接关联到的对象,速度很快,需要停顿。 +- 并发标记:进行 GC Roots Tracing 的过程,它在整个回收过程中耗时最长,不需要停顿。 +- 并发预清理:查找执行并发标记阶段从年轻代晋升到老年代的对象 +- **重新标记**:为了修正并发标记期间因用户程序继续运作而导致标记产生变动的那一部分对象的标记记录,需要停顿。 +- 并发清除:清理垃圾对象,不需要停顿。 +- 并发重置:重置CMS收集器的数据结构,等待下一次垃圾回收。 + +在整个过程中耗时最长的并发标记和并发清除过程中,收集器线程都可以与用户线程一起工作,不需要进行停顿。 + +具有以下缺点: + +- 吞吐量低:低停顿时间是以牺牲吞吐量为代价的,导致 CPU 利用率不够高。 +- 无法处理浮动垃圾,可能出现 Concurrent Mode Failure。浮动垃圾是指并发清除阶段由于用户线程继续运行而产生的垃圾,这部分垃圾只能到下一次 GC 时才能进行回收。由于浮动垃圾的存在,因此需要预留出一部分内存,意味着 CMS 收集不能像其它收集器那样等待老年代快满的时候再回收。如果预留的内存不够存放浮动垃圾,就会出现 Concurrent Mode Failure,这时虚拟机将临时启用 Serial Old 来替代 CMS。 +- 标记 - 清除算法导致的空间碎片,往往出现老年代空间剩余,但无法找到足够大连续空间来分配当前对象,不得不提前触发一次 Full GC。 + +#### 7. G1 收集器(-XX:+UseG1GC) + +G1(Garbage-First),它是一款面向服务端应用的垃圾收集器,在多 CPU 和大内存的场景下有很好的性能。HotSpot 开发团队赋予它的使命是未来可以替换掉 CMS 收集器。 + +堆被分为新生代和老年代,其它收集器进行收集的范围都是整个新生代或者老年代,而 G1 可以直接对新生代和老年代一起回收。 + +
+ +G1 把堆划分成多个大小相等的独立区域(Region),新生代和老年代不再物理隔离。 + +
+ +通过引入 Region 的概念,从而将原来的一整块内存空间划分成多个的小空间,使得每个小空间可以单独进行垃圾回收。这种划分方法带来了很大的灵活性,使得可预测的停顿时间模型成为可能。通过记录每个 Region 垃圾回收时间以及回收所获得的空间(这两个值是通过过去回收的经验获得),并维护一个优先列表,每次根据允许的收集时间,优先回收价值最大的 Region。 + +每个 Region 都有一个 Remembered Set,用来记录该 Region 对象的引用对象所在的 Region。通过使用 Remembered Set,在做可达性分析的时候就可以避免全堆扫描。 + +
+ +如果不计算维护 Remembered Set 的操作,G1 收集器的运作大致可划分为以下几个步骤: + +- 初始标记 +- 并发标记 +- 最终标记:为了修正在并发标记期间因用户程序继续运作而导致标记产生变动的那一部分标记记录,虚拟机将这段时间对象变化记录在线程的 Remembered Set Logs 里面,最终标记阶段需要把 Remembered Set Logs 的数据合并到 Remembered Set 中。这阶段需要停顿线程,但是可并行执行。 +- 筛选回收:首先对各个 Region 中的回收价值和成本进行排序,根据用户所期望的 GC 停顿时间来制定回收计划。此阶段其实也可以做到与用户程序一起并发执行,但是因为只回收一部分 Region,时间是用户可控制的,而且停顿用户线程将大幅度提高收集效率。 + +具备如下特点: + +- 并行和并发 +- 分代收集 + +- 空间整合:整体来看是基于“标记 - 整理”算法实现的收集器,从局部(两个 Region 之间)上来看是基于“复制”算法实现的,这意味着运行期间不会产生内存空间碎片。 +- 可预测的停顿:能让使用者明确指定在一个长度为 M 毫秒的时间片段内,消耗在 GC 上的时间不得超过 N 毫秒。 + +## 六、内存分配与回收策略 + +[内存回收脑图](http://naotu.baidu.com/file/488e2f0745f7cfff1b03eb1c3d81fe3e?token=df2309819db31dde) + +### Minor GC 和 Full GC + +- Minor GC:回收新生代,因为新生代对象存活时间很短,因此 Minor GC 会频繁执行,执行的速度一般也会比较快。 + +- Full GC:回收老年代和新生代,老年代对象其存活时间长,因此 Full GC 很少执行,执行速度会比 Minor GC 慢很多。 + +### 内存分配策略 + +#### 1. 对象优先在 Eden 分配 + +大多数情况下,对象在新生代 Eden 上分配,当 Eden 空间不够时,发起 Minor GC。 + +#### 2. 大对象直接进入老年代 + +大对象是指需要连续内存空间的对象,最典型的大对象是那种很长的字符串以及数组。 + +经常出现大对象会提前触发垃圾收集以获取足够的连续空间分配给大对象。 + +-XX:PretenureSizeThreshold,大于此值的对象直接在老年代分配,避免在 Eden 和 Survivor 之间的大量内存复制。 + +#### 3. 长期存活的对象进入老年代 + +为对象定义年龄计数器,对象在 Eden 出生并经过 Minor GC 依然存活,将移动到 Survivor 中,年龄就增加 1 岁,增加到一定年龄则移动到老年代中。 + +-XX:MaxTenuringThreshold 用来定义年龄的阈值,默认值为15。 + +#### 4. 动态对象年龄判定 + +虚拟机并不是永远要求对象的年龄必须达到 MaxTenuringThreshold 才能晋升老年代,如果在 Survivor 中相同年龄所有对象大小的总和大于 Survivor 空间的一半,则年龄大于或等于该年龄的对象可以直接进入老年代,无需等到 MaxTenuringThreshold 中要求的年龄。 + +#### 5. 空间分配担保 + +在发生 Minor GC 之前,虚拟机先检查老年代最大可用的连续空间是否大于新生代所有对象总空间,如果条件成立的话,那么 Minor GC 可以确认是安全的。 + +如果不成立的话虚拟机会查看 HandlePromotionFailure 的值是否允许担保失败,如果允许那么就会继续检查老年代最大可用的连续空间是否大于历次晋升到老年代对象的平均大小,如果大于,将尝试着进行一次 Minor GC;如果小于,或者 HandlePromotionFailure 的值不允许冒险,那么就要进行一次 Full GC。 + +### Full GC 的触发条件 + +对于 Minor GC,其触发条件非常简单,当 Eden 空间满时,就将触发一次 Minor GC。而 Full GC 则相对复杂,有以下条件: + +#### 1. 调用 System.gc() + +只是建议虚拟机执行 Full GC,但是虚拟机不一定真正去执行。不建议使用这种方式,而是让虚拟机管理内存。 + +#### 2. 老年代空间不足 + +老年代空间不足的常见场景为前文所讲的大对象直接进入老年代、长期存活的对象进入老年代等。 + +为了避免以上原因引起的 Full GC,应当尽量不要创建过大的对象以及数组。除此之外,可以通过 -Xmn 虚拟机参数调大新生代的大小,让对象尽量在新生代被回收掉,不进入老年代。还可以通过 -XX:MaxTenuringThreshold 调大对象进入老年代的年龄,让对象在新生代多存活一段时间。 + +#### 3. 空间分配担保失败 + +使用复制算法的 Minor GC 需要老年代的内存空间作担保,如果担保失败会执行一次 Full GC。具体内容请参考上面的第 5 小节。 + +#### 4. JDK 1.7 及以前的永久代空间不足 + +在 JDK 1.7 及以前,HotSpot 虚拟机中的方法区是用永久代实现的,永久代中存放的为一些 Class 的信息、常量、静态变量等数据。 + +当系统中要加载的类、反射的类和调用的方法较多时,永久代可能会被占满,在未配置为采用 CMS GC 的情况下也会执行 Full GC。如果经过 Full GC 仍然回收不了,那么虚拟机会抛出 java.lang.OutOfMemoryError。 + +为避免以上原因引起的 Full GC,可采用的方法为增大永久代空间或转为使用 CMS GC。 + +#### 5. Concurrent Mode Failure + +执行 CMS GC 的过程中同时有对象要放入老年代,而此时老年代空间不足(可能是 GC 过程中浮动垃圾过多导致暂时性的空间不足),便会报 Concurrent Mode Failure 错误,并触发 Full GC。 + +### 常见的调优参数 + +| 参数 | 解释 | +| ------------------------ | ---------------------------------------------- | +| -XX:SurvivorRatio | Eden和Survivor的比值,默认为8:1 | +| -XX:NewRatio | 老年代和年轻代内存大小的比例 | +| -XX:MaxTenuringThreshold | 对象从年轻代晋升到老年代经过的GC次数的最大阈值 | + +## 七、类加载机制 + +类是在运行期间第一次使用时动态加载的,而不是一次性加载所有类。因为如果一次性加载,那么会占用很多的内存。 + +### 类的生命周期 + +
+ +包括以下 7 个阶段: + +- **加载(Loading)** +- **验证(Verification)** +- **准备(Preparation)** +- **解析(Resolution)** +- **初始化(Initialization)** +- 使用(Using) +- 卸载(Unloading) + +### 类加载过程 + +包含了加载、验证、准备、解析和初始化这 5 个阶段。 + +#### 1. 加载 + +加载是类加载的一个阶段,注意不要混淆。 + +加载过程完成以下三件事: + +- 通过类的完全限定名称获取定义该类的二进制字节流。 +- 将该字节流表示的静态存储结构转换为方法区的运行时存储结构。 +- 在内存中生成一个代表该类的 Class 对象,作为方法区中该类各种数据的访问入口。 + + +其中二进制字节流可以从以下方式中获取: + +- 从 ZIP 包读取,成为 JAR、EAR、WAR 格式的基础。 +- 从网络中获取,最典型的应用是 Applet。 +- 运行时计算生成,例如动态代理技术,在 java.lang.reflect.Proxy 使用 ProxyGenerator.generateProxyClass 的代理类的二进制字节流。 +- 由其他文件生成,例如由 JSP 文件生成对应的 Class 类。 + +#### 2. 验证 + +确保 Class 文件的字节流中包含的信息符合当前虚拟机的要求,并且不会危害虚拟机自身的安全。 + +#### 3. 准备 + +类变量是被 static 修饰的变量,准备阶段为类变量分配内存并设置初始值,使用的是方法区的内存。 + +实例变量不会在这阶段分配内存,它会在对象实例化时随着对象一起被分配在堆中。应该注意到,实例化不是类加载的一个过程,类加载发生在所有实例化操作之前,并且类加载只进行一次,实例化可以进行多次。 + +初始值一般为 0 值,例如下面的类变量 value 被初始化为 0 而不是 123。 + +```java +public static int value = 123; +``` + +如果类变量是常量,那么它将初始化为表达式所定义的值而不是 0。例如下面的常量 value 被初始化为 123 而不是 0。 + +```java +public static final int value = 123; +``` + +#### 4. 解析 + +将常量池的符号引用替换为直接引用的过程。 + +其中解析过程在某些情况下可以在初始化阶段之后再开始,这是为了支持 Java 的动态绑定。 + +
+ +#### 5. 初始化 + +
+ +初始化阶段才真正开始执行类中定义的 Java 程序代码。初始化阶段是虚拟机执行类构造器 <clinit>() 方法的过程。在准备阶段,类变量已经赋过一次系统要求的初始值,而在初始化阶段,根据程序员通过程序制定的主观计划去初始化类变量和其它资源。 + +<clinit>() 是由编译器自动收集类中所有类变量的赋值动作和静态语句块中的语句合并产生的,编译器收集的顺序由语句在源文件中出现的顺序决定。特别注意的是,静态语句块只能访问到定义在它之前的类变量,定义在它之后的类变量只能赋值,不能访问。例如以下代码: + +```java +public class Test { + static { + i = 0; // 给变量赋值可以正常编译通过 + System.out.print(i); // 这句编译器会提示“非法向前引用” + } + static int i = 1; +} +``` + +由于父类的 <clinit>() 方法先执行,也就意味着父类中定义的静态语句块的执行要优先于子类。例如以下代码: + +```java +static class Parent { + public static int A = 1; + static { + A = 2; + } +} + +static class Sub extends Parent { + public static int B = A; +} + +public static void main(String[] args) { + System.out.println(Sub.B); // 2 +} +``` + +接口中不可以使用静态语句块,但仍然有类变量初始化的赋值操作,因此接口与类一样都会生成 <clinit>() 方法。但接口与类不同的是,执行接口的 <clinit>() 方法不需要先执行父接口的 <clinit>() 方法。只有当父接口中定义的变量使用时,父接口才会初始化。另外,接口的实现类在初始化时也一样不会执行接口的 <clinit>() 方法。 + +虚拟机会保证一个类的 <clinit>() 方法在多线程环境下被正确的加锁和同步,如果多个线程同时初始化一个类,只会有一个线程执行这个类的 <clinit>() 方法,其它线程都会阻塞等待,直到活动线程执行 <clinit>() 方法完毕。如果在一个类的 <clinit>() 方法中有耗时的操作,就可能造成多个线程阻塞,在实际过程中此种阻塞很隐蔽。 + +> loadClass 和 forName 的区别? + +- loadClass:得到的是第一个阶段加载的class对象,并没有初始化,例如Spring中Bean的实例的懒加载就是通过这种方式实现的。 +- forName :得到的是第五阶段初始化的class对象,例如JDBC中的数据连接。 + +### 类初始化时机 + +#### 1. 主动引用 + +虚拟机规范中并没有强制约束何时进行加载,但是规范严格规定了有且只有下列五种情况必须对类进行初始化(加载、验证、准备都会随之发生): + +- 遇到 new、getstatic、putstatic、invokestatic 这四条字节码指令时,如果类没有进行过初始化,则必须先触发其初始化。最常见的生成这 4 条指令的场景是:使用 new 关键字实例化对象的时候;读取或设置一个类的静态字段(被 final 修饰、已在编译期把结果放入常量池的静态字段除外)的时候;以及调用一个类的静态方法的时候。 + +- 使用 java.lang.reflect 包的方法对类进行反射调用的时候,如果类没有进行初始化,则需要先触发其初始化。 + +- 当初始化一个类的时候,如果发现其父类还没有进行过初始化,则需要先触发其父类的初始化。 + +- 当虚拟机启动时,用户需要指定一个要执行的主类(包含 main() 方法的那个类),虚拟机会先初始化这个主类; + +- 当使用 JDK 1.7 的动态语言支持时,如果一个 java.lang.invoke.MethodHandle 实例最后的解析结果为 REF_getStatic, REF_putStatic, REF_invokeStatic 的方法句柄,并且这个方法句柄所对应的类没有进行过初始化,则需要先触发其初始化; + +#### 2. 被动引用 + +以上 5 种场景中的行为称为对一个类进行主动引用。除此之外,所有引用类的方式都不会触发初始化,称为被动引用。被动引用的常见例子包括: + +- 通过子类引用父类的静态字段,不会导致子类初始化。 + +```java +System.out.println(SubClass.value); // value 字段在 SuperClass 中定义 +``` + +- 通过数组定义来引用类,不会触发此类的初始化。该过程会对数组类进行初始化,数组类是一个由虚拟机自动生成的、直接继承自 Object 的子类,其中包含了数组的属性和方法。 + +```java +SuperClass[] sca = new SuperClass[10]; +``` + +- 常量在编译阶段会存入调用类的常量池中,本质上并没有直接引用到定义常量的类,因此不会触发定义常量的类的初始化。 + +```java +System.out.println(ConstClass.HELLOWORLD); +``` + +### 类与类加载器 + +两个类相等,需要类本身相等,并且使用同一个类加载器进行加载。这是因为每一个类加载器都拥有一个独立的类名称空间。 + +这里的相等,包括类的 Class 对象的 equals() 方法、isAssignableFrom() 方法、isInstance() 方法的返回结果为 true,也包括使用 instanceof 关键字做对象所属关系判定结果为 true。 + +### 类加载器分类 + +从 Java 虚拟机的角度来讲,只存在以下两种不同的类加载器: + +- 启动类加载器(Bootstrap ClassLoader),使用 C++ 实现,是虚拟机自身的一部分; + +- 所有其它类的加载器,使用 Java 实现,独立于虚拟机,继承自抽象类 java.lang.ClassLoader。 + +从 Java 开发人员的角度看,类加载器可以划分得更细致一些: + +- 启动类加载器(Bootstrap ClassLoader)此类加载器负责将存放在 <JRE_HOME>\lib 目录中的,或者被 -Xbootclasspath 参数所指定的路径中的,并且是虚拟机识别的(仅按照文件名识别,如 rt.jar,名字不符合的类库即使放在 lib 目录中也不会被加载)类库加载到虚拟机内存中。启动类加载器无法被 Java 程序直接引用,用户在编写自定义类加载器时,如果需要把加载请求委派给启动类加载器,直接使用 null 代替即可。 + +- 扩展类加载器(Extension ClassLoader)这个类加载器是由 ExtClassLoader(sun.misc.Launcher$ExtClassLoader)实现的。它负责将 <JAVA_HOME>/lib/ext 或者被 java.ext.dir 系统变量所指定路径中的所有类库加载到内存中,开发者可以直接使用扩展类加载器。 + +- 应用程序类加载器(Application ClassLoader)这个类加载器是由 AppClassLoader(sun.misc.Launcher$AppClassLoader)实现的。由于这个类加载器是 ClassLoader 中的 getSystemClassLoader() 方法的返回值,因此一般称为系统类加载器。它负责加载用户类路径(ClassPath)上所指定的类库,开发者可以直接使用这个类加载器,如果应用程序中没有自定义过自己的类加载器,一般情况下这个就是程序中默认的类加载器。 + +
+ +### 双亲委派模型 + +应用程序是由三种类加载器互相配合从而实现类加载,除此之外还可以加入自己定义的类加载器。 + +下图展示了类加载器之间的层次关系,称为双亲委派模型(Parents Delegation Model)。该模型要求除了顶层的启动类加载器外,其它的类加载器都要有自己的父类加载器。这里的父子关系一般通过组合关系(Composition)来实现,而不是继承关系(Inheritance)。 + +
+ +#### 1. 工作过程 + +一个类加载器首先将类加载请求转发到父类加载器,只有当父类加载器无法完成时才尝试自己加载。 + +#### 2. 好处 + +使得 Java 类随着它的类加载器一起具有一种带有优先级的层次关系,从而使得基础类得到统一。 + +可以避免多份同样的字节码的加载 + +例如 java.lang.Object 存放在 rt.jar 中,如果编写另外一个 java.lang.Object 并放到 ClassPath 中,程序可以编译通过。由于双亲委派模型的存在,所以在 rt.jar 中的 Object 比在 ClassPath 中的 Object 优先级更高,这是因为 rt.jar 中的 Object 使用的是启动类加载器,而 ClassPath 中的 Object 使用的是应用程序类加载器。rt.jar 中的 Object 优先级更高,那么程序中所有的 Object 都是这个 Object。 + +#### 3. 实现 + +以下是抽象类 java.lang.ClassLoader 的代码片段,其中的 loadClass() 方法运行过程如下:先检查类是否已经加载过,如果没有则让父类加载器去加载。当父类加载器加载失败时抛出 ClassNotFoundException,此时尝试自己去加载。 + +```java +public abstract class ClassLoader { + // The parent class loader for delegation + private final ClassLoader parent; + + public Class loadClass(String name) throws ClassNotFoundException { + return loadClass(name, false); + } + + protected Class loadClass(String name, boolean resolve) throws ClassNotFoundException { + synchronized (getClassLoadingLock(name)) { + // 首先,自底向上地检查请求的类是否已经被加载过 + Class c = findLoadedClass(name); + if (c == null) { + try { + if (parent != null) { + c = parent.loadClass(name, false); + } else { + //自顶向下尝试加载该类 + c = findBootstrapClassOrNull(name); + } + } catch (ClassNotFoundException e) { + // ClassNotFoundException thrown if class not found + // from the non-null parent class loader + } + + if (c == null) { + // 在父加载器中无法加载再尝试自己加载 + c = findClass(name); + } + } + if (resolve) { + resolveClass(c); + } + return c; + } + } + + protected Class findClass(String name) throws ClassNotFoundException { + throw new ClassNotFoundException(name); + } +} +``` + +### 自定义类加载器实现 + +以下代码中的 FileSystemClassLoader 是自定义类加载器,继承自 java.lang.ClassLoader,用于加载文件系统上的类。它首先根据类的全名在文件系统上查找类的字节代码文件(.class 文件),然后读取该文件内容,最后通过 defineClass() 方法来把这些字节代码转换成 java.lang.Class 类的实例。 + +java.lang.ClassLoader 的 loadClass() 实现了双亲委派模型的逻辑,自定义类加载器一般不去重写它,但是需要重写 findClass() 方法。 + +```java +public class FileSystemClassLoader extends ClassLoader { + + private String rootDir; + + public FileSystemClassLoader(String rootDir) { + this.rootDir = rootDir; + } + + protected Class findClass(String name) throws ClassNotFoundException { + byte[] classData = getClassData(name); + if (classData == null) { + throw new ClassNotFoundException(); + } else { + return defineClass(name, classData, 0, classData.length); + } + } + + private byte[] getClassData(String className) { + String path = classNameToPath(className); + try { + InputStream ins = new FileInputStream(path); + ByteArrayOutputStream baos = new ByteArrayOutputStream(); + int bufferSize = 4096; + byte[] buffer = new byte[bufferSize]; + int bytesNumRead; + while ((bytesNumRead = ins.read(buffer)) != -1) { + baos.write(buffer, 0, bytesNumRead); + } + return baos.toByteArray(); + } catch (IOException e) { + e.printStackTrace(); + } + return null; + } + + private String classNameToPath(String className) { + return rootDir + File.separatorChar + + className.replace('.', File.separatorChar) + ".class"; + } +} +``` + +## 参考资料 + +- 周志明. 深入理解 Java 虚拟机 [M]. 机械工业出版社, 2011. +- [Chapter 2. The Structure of the Java Virtual Machine](https://docs.oracle.com/javase/specs/jvms/se8/html/jvms-2.html#jvms-2.5.4) +- [Jvm memory](https://www.slideshare.net/benewu/jvm-memory) +[Getting Started with the G1 Garbage Collector](http://www.oracle.com/webfolder/technetwork/tutorials/obe/java/G1GettingStarted/index.html) +- [JNI Part1: Java Native Interface Introduction and “Hello World” application](http://electrofriends.com/articles/jni/jni-part1-java-native-interface/) +- [Memory Architecture Of JVM(Runtime Data Areas)](https://hackthejava.wordpress.com/2015/01/09/memory-architecture-by-jvmruntime-data-areas/) +- [JVM Run-Time Data Areas](https://www.programcreek.com/2013/04/jvm-run-time-data-areas/) +- [Android on x86: Java Native Interface and the Android Native Development Kit](http://www.drdobbs.com/architecture-and-design/android-on-x86-java-native-interface-and/240166271) +- [深入理解 JVM(2)——GC 算法与内存分配策略](https://crowhawk.github.io/2017/08/10/jvm_2/) +- [深入理解 JVM(3)——7 种垃圾收集器](https://crowhawk.github.io/2017/08/15/jvm_3/) +- [JVM Internals](http://blog.jamesdbloom.com/JVMInternals.html) +- [深入探讨 Java 类加载器](https://www.ibm.com/developerworks/cn/java/j-lo-classloader/index.html#code6) +- [Guide to WeakHashMap in Java](http://www.baeldung.com/java-weakhashmap) +- [Tomcat example source code file (ConcurrentCache.java)](https://alvinalexander.com/java/jwarehouse/apache-tomcat-6.0.16/java/org/apache/el/util/ConcurrentCache.java.shtml) diff --git "a/docs/Java/JavaBasics/00\346\225\260\346\215\256\347\261\273\345\236\213.md" "b/docs/Java/JavaBasics/00\346\225\260\346\215\256\347\261\273\345\236\213.md" new file mode 100644 index 0000000..d3f08ca --- /dev/null +++ "b/docs/Java/JavaBasics/00\346\225\260\346\215\256\347\261\273\345\236\213.md" @@ -0,0 +1,103 @@ +# 一、数据类型 +## 包装类型 + +八个基本类型: + +- boolean/1 +- byte/8 +- char/16 +- short/16 +- int/32 +- float/32 +- long/64 +- double/64 + +基本类型都有对应的包装类型,基本类型与其对应的包装类型之间的赋值使用**自动装箱**与**自动拆箱**完成。 + +```java +//自动装箱和自动拆箱 +//1、自动装 +Integer x=4; //自动装箱 (基本类型转化为包装类型) +//实际上就是 Integer x=Integer.valueOf(4); +//2、自动拆箱 +x=x+5; +x=Integer.valueOf(x.intValue()+5);//x.intValue()就是拆箱-->先拆箱,再装箱。 +``` + +## 缓存池 + +new Integer(123) 与 Integer.valueOf(123) 的区别在于: + +- new Integer(123) 每次都会新建一个对象; +- Integer.valueOf(123) 会使用缓存池中的对象,多次调用会取得同一个对象的引用。 + +```java +Integer x = new Integer(123); +Integer y = new Integer(123); +System.out.println(x == y); // false +Integer z = Integer.valueOf(123); +Integer k = Integer.valueOf(123); +System.out.println(z == k); // true +``` + +valueOf() 方法的实现比较简单,就是先**判断值是否在缓存池**中,如果在的话就直接返回缓存池的内容。 + +```java +public static Integer valueOf(int i) { + if (i >= IntegerCache.low && i <= IntegerCache.high) + return IntegerCache.cache[i + (-IntegerCache.low)]; + return new Integer(i); +} +``` + +在 Java 8 中,**Integer 缓存池的大小默认为 -128\~127**。 + +```java +static final int low = -128; +static final int high; +static final Integer cache[]; + +static { + // high value may be configured by property + int h = 127; + String integerCacheHighPropValue = + sun.misc.VM.getSavedProperty("java.lang.Integer.IntegerCache.high"); + if (integerCacheHighPropValue != null) { + try { + int i = parseInt(integerCacheHighPropValue); + i = Math.max(i, 127); + // Maximum array size is Integer.MAX_VALUE + h = Math.min(i, Integer.MAX_VALUE - (-low) -1); + } catch( NumberFormatException nfe) { + // If the property cannot be parsed into an int, ignore it. + } + } + high = h; + + cache = new Integer[(high - low) + 1]; + int j = low; + for(int k = 0; k < cache.length; k++) + cache[k] = new Integer(j++); + + // range [-128, 127] must be interned (JLS7 5.1.7) + assert IntegerCache.high >= 127; +} +``` + +编译器会在自动装箱过程调用 valueOf() 方法,因此多个 Integer 实例使用自动装箱来创建并且值相同,那么就会引用相同的对象。 + +```java +Integer m = 123; +Integer n = 123; +System.out.println(m == n); // true +``` + +基本类型对应的缓冲池如下: + +- boolean values true and false +- all byte values +- short values between -128 and 127 +- int values between -128 and 127 +- char in the range \u0000 to \u007F + +在使用这些基本类型对应的包装类型时,就可以**直接使用缓冲池中的对象**。 diff --git a/docs/Java/JavaBasics/01String.md b/docs/Java/JavaBasics/01String.md new file mode 100644 index 0000000..3944286 --- /dev/null +++ b/docs/Java/JavaBasics/01String.md @@ -0,0 +1,177 @@ +# 二、String + +## 概览 + +String 被声明为 final,因此它不可被继承。 + +**内部使用 char 数组存储数据,该数组被声明为 final**, +这意味着 value 数组初始化之后就不能再引用其它数组。 +并且 String 内部没有改变 value 数组的方法,因此可以保证 String 不可变。 + +```java +public final class String + implements java.io.Serializable, Comparable, CharSequence { + /** The value is used for character storage. */ + private final char value[]; +``` + +## 不可变的好处 + +**1. 可以缓存 hash 值** + +因为 String 的 hash 值经常被使用,例如 String 用做 HashMap 的 key。 +不可变的特性可以使得 hash 值也不可变,因此只需要进行一次计算。 + +**2. String Pool 的需要** + +如果一个 String 对象已经被创建过了,那么就会从 String Pool 中取得引用。 +只有 String 是不可变的,才可能使用 String Pool。 + +
+ +**3. 安全性** + +String 经常作为参数,String 不可变性可以保证参数不可变。例如在作为网络连接参数的情况下如果 String 是可变的,那么在网络连接过程中,String 被改变,改变 String 对象的那一方以为现在连接的是其它主机,而实际情况却不一定是。 + +**4. 线程安全** + +String 不可变性天生具备线程安全,可以在多个线程中安全地使用。 + +[Program Creek : Why String is immutable in Java?](https://www.programcreek.com/2013/04/why-string-is-immutable-in-java/) + +## String, StringBuffer and StringBuilder + +**1. 可变性** + +- String 不可变 +- StringBuffer 和 StringBuilder 可变 + +**2. 线程安全** + +- String 不可变,因此是线程安全的 +- StringBuilder 不是线程安全的 +- StringBuffer 是线程安全的,内部使用 synchronized 进行同步 + +**3. 性能** + +- Java中对String对象进行的操作实际上是一个不断创建新的对象并且将旧的对象回收的一个过程,所以执行速度很慢 + +- StringBuffer每次都会对StringBuffer对象本身进行操作,而不是生成新的对象并改变对象引用 + +- StringBuilder每次都会对StringBuilder对象本身进行操作,而不是生成新的对象并改变对象引用。 +相同情况下使用StirngBuilder相比使用 StringBuffer 仅能获得 10%~15% 左右的性能提升,但却冒多线程不安全的风险。 + + +> **三者使用的总结** + +- 操作少量的数据,使用String +- 单线程操作字符串缓冲区下操作大量数据,使用StringBuilder +- 多线程操作字符串缓冲区下操作大量数据,使用StringBuffer + +了解: String和StringBuffer的相互转换 + +(1)String --> StringBuffer +方式一:构造方法 StringBuffer sb=new StringBuffer(s); + +方式二:通过append()方法 StringBuffer sb=new StringBuffer(); sb.append(s); + +(2)StringBuffer --> String + +方式一:构造方法 String s=new String(buffer); + +方式二:通过toString()方法 String s=buffer.toString(); + +## String Pool + +字符串常量池(String Pool)保存着所有字符串字面量(literal strings),这些字面量在编译时期就确定。 + +不仅如此,还可以使用 String 的 **intern() 方法在运行过程中将字符串添加到 String Pool 中**。 + +当一个字符串调用 intern() 方法时,如果 String Pool 中已经存在一个字符串和该字符串值相等(使用 equals() 方法进行确定), +那么就会返回 String Pool 中字符串的引用; +否则,就会在 String Pool 中添加一个新的字符串,并返回这个新字符串的引用。 + +下面示例中,s1 和 s2 采用 new String() 的方式新建了两个不同字符串, +而 s3 和 s4 是通过 s1.intern() 方法取得一个字符串引用。 +intern() 首先把 s1 引用的字符串放到 String Pool 中,然后返回这个字符串引用。 +因此 s3 和 s4 引用的是同一个字符串。 + +```java +String s1 = new String("aaa"); +String s2 = new String("aaa"); +System.out.println(s1 == s2); // false +String s3 = s1.intern(); +String s4 = s1.intern(); +System.out.println(s3 == s4); // true +``` + +如果是采用 "bbb" 这种字面量的形式创建字符串,会自动地将字符串放入 String Pool 中。 + +```java +String s5 = "bbb"; +String s6 = "bbb"; +System.out.println(s5 == s6); // true +``` + +在 Java 7 之前,String Pool 被放在运行时常量池中,它属于永久代。 +而在 Java 7,String Pool 被移到堆中。这是因为永久代的空间有限,在大量使用字符串的场景下会导致 OutOfMemoryError 错误。 + +## new String("abc") + +使用这种方式一共会创建两个字符串对象(前提是 String Pool 中还没有 "abc" 字符串对象)。 + +- "abc" 属于字符串字面量,因此编译时期会在 String Pool 中创建一个字符串对象,指向这个 "abc" 字符串字面量; +- 而使用 new 的方式会在堆中创建一个字符串对象。 + +创建一个测试类,其 main 方法中使用这种方式来创建字符串对象。 + +```java +public class NewStringTest { + public static void main(String[] args) { + String s = new String("abc"); + } +} +``` + +使用 javap -verbose 进行反编译,得到以下内容: + +```java +// ... +Constant pool: +// ... + #2 = Class #18 // java/lang/String + #3 = String #19 // abc +// ... + #18 = Utf8 java/lang/String + #19 = Utf8 abc +// ... + + public static void main(java.lang.String[]); + descriptor: ([Ljava/lang/String;)V + flags: ACC_PUBLIC, ACC_STATIC + Code: + stack=3, locals=2, args_size=1 + 0: new #2 // class java/lang/String + 3: dup + 4: ldc #3 // String abc + 6: invokespecial #4 // Method java/lang/String."":(Ljava/lang/String;)V + 9: astore_1 +// ... +``` + +在 Constant Pool 中,#19 存储这字符串字面量 "abc",#3 是 String Pool 的字符串对象,它指向 #19 这个字符串字面量。在 main 方法中,0: 行使用 new #2 在堆中创建一个字符串对象,并且使用 ldc #3 将 String Pool 中的字符串对象作为 String 构造函数的参数。 + +以下是 String 构造函数的源码,可以看到,在将一个字符串对象作为另一个字符串对象的构造函数参数时,并不会完全复制 value 数组内容,而是都会指向同一个 value 数组。 + +```java +public String(String original) { + this.value = original.value; + this.hash = original.hash; +} +``` + +了解:说说String s=new String("aaa")和String s="aaa"的区别? + +- 前者会创建一个或者多个对象 +- 后者只会创建一个或者零个对象 + \ No newline at end of file diff --git "a/docs/Java/JavaBasics/02\350\277\220\347\256\227.md" "b/docs/Java/JavaBasics/02\350\277\220\347\256\227.md" new file mode 100644 index 0000000..2552210 --- /dev/null +++ "b/docs/Java/JavaBasics/02\350\277\220\347\256\227.md" @@ -0,0 +1,187 @@ + +* [三、运算](#三运算) + * [参数传递](#参数传递) + * [==和equals()](#==和equals) + * [float 与 double](#float-与-double) + * [隐式类型转换](#隐式类型转换) + * [switch](#switch) + +# 三、运算 + +## 参数传递 + +Java 的参数是以**值传递**的形式传入方法中,而不是引用传递。 + +以下代码中 Dog dog 的 dog 是一个指针,存储的是对象的地址。 +在将一个参数传入一个方法时,本质上是**将对象的地址以值的方式传递到形参中**。 +因此在方法中使指针引用其它对象,那么这两个指针此时指向的是完全不同的对象, +在一方改变其所指向对象的内容时对另一方没有影响。 + +```java +public class Dog { + + String name; + + Dog(String name) { + this.name = name; + } + + String getName() { + return this.name; + } + + void setName(String name) { + this.name = name; + } + + String getObjectAddress() { + return super.toString(); + } +} +``` + +```java +public class PassByValueExample { + public static void main(String[] args) { + Dog dog = new Dog("A"); + System.out.println(dog.getObjectAddress()); // Dog@4554617c + func(dog); + System.out.println(dog.getObjectAddress()); // Dog@4554617c + System.out.println(dog.getName()); // A + } + + private static void func(Dog dog) { + System.out.println(dog.getObjectAddress()); // Dog@4554617c + dog = new Dog("B"); + System.out.println(dog.getObjectAddress()); // Dog@74a14482 + System.out.println(dog.getName()); // B + } +} +``` + +如果在方法中改变对象的字段值会改变原对象该字段值,因为改变的是同一个地址指向的内容。 + +```java +class PassByValueExample { + public static void main(String[] args) { + Dog dog = new Dog("A"); + func(dog); + System.out.println(dog.getName()); // B + } + + private static void func(Dog dog) { + dog.setName("B"); + } +} +``` + +## ==和equals() +- == 判断两个对象的地址是不是相等。即判断两个对象是不是同一个对象。 + +基本数据类型"=="比较的是值 + +引用数据类型"=="比较的是内存地址 + +- equals()判断两个对象是否相等。但它一般有两种使用情况: + +情况1:类没有重写 equals() 方法。等价于“==”。 + +情况2:类重写了 equals() 方法。一般用来**比较两个对象的内容**; +若它们的内容相等,则返回 true (即,认为这两个对象相等)。 + +```java +public class EqualsDemo { + public static void main(String[] args) { + String a = new String("ab"); // a 为一个引用 + String b = new String("ab"); // b为另一个引用,对象的内容一样 + String aa = "ab"; // 放在常量池中 + String bb = "ab"; // 从常量池中查找 + if (aa == bb) // true + System.out.println("aa==bb"); + if (a == b) // false,非同一对象 + System.out.println("a==b"); + if (a.equals(b)) // true + System.out.println("aEQb"); + if (42 == 42.0) { // true + System.out.println("true"); + } + } +} +``` +> **说明** + +- String 中的 **equals 方法是被重写过**的,因为 object 的 equals 方法是比较的对象的内存地址, +而 String 的 equals 方法比较的是对象的值。 + +- 当创建 String 类型的对象时,虚拟机会在常量池中查找有没有已经存在的值和要创建的值相同的对象,如果有就把它赋给当前引用。 +如果没有就在常量池中重新创建一个 String 对象。 + +## float 与 double + +Java 不能隐式执行向下转型,因为这会使得精度降低。 + +1.1 字面量属于 double 类型,不能直接将 1.1 直接赋值给 float 变量,因为这是向下转型。 + +```java +// float f = 1.1; +``` + +1.1f 字面量才是 float 类型。 + +```java +float f = 1.1f; +``` + +## 隐式类型转换 + +因为字面量 1 是 int 类型,它比 short 类型精度要高,因此不能隐式地将 int 类型下转型为 short 类型。 + +```java +short s1 = 1; +// s1 = s1 + 1; +``` + +但是使用 += 或者 ++ 运算符可以执行隐式类型转换。 + +```java +s1 += 1; +// s1++; +``` + +上面的语句相当于将 s1 + 1 的计算结果进行了向下转型: + +```java +s1 = (short) (s1 + 1); +``` + +## switch + +从 Java 7 开始,可以在 switch 条件判断语句中使用 String 对象。 + +```java +String s = "a"; +switch (s) { + case "a": + System.out.println("aaa"); + break; + case "b": + System.out.println("bbb"); + break; +} +``` + +**switch 不支持 long**,是因为 switch 的设计初衷是对那些只有少数的几个值进行等值判断,如果值过于复杂, +那么还是用 if 比较合适。 + +```java +// long x = 111; +// switch (x) { +// Incompatible types. Found: 'long', required: 'char, byte, short, int, Character, Byte, Short, Integer, String, or an enum' +// case 111: +// System.out.println(111); +// break; +// case 222: +// System.out.println(222); +// break; +// } +``` \ No newline at end of file diff --git "a/docs/Java/JavaBasics/03Object\351\200\232\347\224\250\346\226\271\346\263\225.md" "b/docs/Java/JavaBasics/03Object\351\200\232\347\224\250\346\226\271\346\263\225.md" new file mode 100644 index 0000000..6a2599a --- /dev/null +++ "b/docs/Java/JavaBasics/03Object\351\200\232\347\224\250\346\226\271\346\263\225.md" @@ -0,0 +1,385 @@ +# 四、Object 通用方法 + +Object 类中的方法一览: + +```java + +public native int hashCode() + +public boolean equals(Object obj) + +protected native Object clone() throws CloneNotSupportedException + +public String toString() + +public final native Class getClass() + +protected void finalize() throws Throwable {} + +public final native void notify() + +public final native void notifyAll() + +public final native void wait(long timeout) throws InterruptedException + +public final void wait(long timeout, int nanos) throws InterruptedException + +public final void wait() throws InterruptedException +``` + +## equals() + +**1. 等价关系** + +Ⅰ 自反性 + +```java +x.equals(x); // true +``` + +Ⅱ 对称性 + +```java +x.equals(y) == y.equals(x); // true +``` + +Ⅲ 传递性 + +```java +if (x.equals(y) && y.equals(z)) + x.equals(z); // true; +``` + +Ⅳ 一致性 + +多次调用 equals() 方法结果不变 + +```java +x.equals(y) == x.equals(y); // true +``` + +Ⅴ 与 null 的比较 + +对任何**不是 null 的对象** x 调用 x.equals(null) 结果都为 false + +```java +x.equals(null); // false; +``` + +**2. 等价与相等** + +- 对于基本类型,== 判断两个值是否相等,基本类型没有 equals() 方法。 +- 对于引用类型,== 判断两个变量是否引用同一个对象,而 equals() 判断引用的对象是否等价。 + +```java +Integer x = new Integer(1); +Integer y = new Integer(1); +System.out.println(x.equals(y)); // true +System.out.println(x == y); // false +``` + +**3. 实现** + +- 检查是否为同一个对象的引用,如果是直接返回 true; +- 检查是否是同一个类型,如果不是,直接返回 false; +- 将 Object 对象进行转型; +- 判断每个关键域是否相等。 + +```java +public class EqualExample { + + private int x; + private int y; + private int z; + + public EqualExample(int x, int y, int z) { + this.x = x; + this.y = y; + this.z = z; + } + + @Override + public boolean equals(Object o) { + if (this == o) return true; //检查是否为同一个对象的引用,如果是直接返回 true; + if (o == null || getClass() != o.getClass()){ + //检查是否是同一个类型,如果不是,直接返回 false + return false; + } + + // 将 Object 对象进行转型 + EqualExample that = (EqualExample) o; + + // 判断每个关键域是否相等。 + if (x != that.x) return false; + if (y != that.y) return false; + return z == that.z; + } +} +``` + +## hashCode() + +hashCode() 返回散列值,而 equals() 是用来判断两个对象是否等价。 +**等价的两个对象散列值一定相同,但是散列值相同的两个对象不一定等价**。 + +**在覆盖 equals() 方法时应当总是覆盖 hashCode() 方法,保证等价的两个对象散列值也相等**。 + +下面的代码中,新建了两个等价的对象,并将它们添加到 HashSet 中。 +我们希望将这两个对象当成一样的,只在集合中添加一个对象,但是因为 EqualExample 没有实现 hasCode() 方法, +因此这两个对象的散列值是不同的,最终导致集合添加了两个等价的对象。 + +```java +EqualExample e1 = new EqualExample(1, 1, 1); +EqualExample e2 = new EqualExample(1, 1, 1); +System.out.println(e1.equals(e2)); // true +HashSet set = new HashSet<>(); +set.add(e1); +set.add(e2); +System.out.println(set.size()); // 2 +``` + +理想的散列函数应当具有均匀性,即不相等的对象应当均匀分布到所有可能的散列值上。 +这就要求了散列函数要把**所有域的值都考虑进来**。 +可以将每个域都当成 R 进制的某一位,然后组成一个 R 进制的整数。 +R 一般取 31,因为它是一个奇素数,如果是偶数的话,当出现乘法溢出,信息就会丢失,因为与 2 相乘相当于向左移一位。 + +一个数与 31 相乘可以转换成移位和减法:`31*x == (x<<5)-x`,编译器会自动进行这个优化。 + +```java +@Override +public int hashCode() { + int result = 17; + result = 31 * result + x; + result = 31 * result + y; + result = 31 * result + z; + return result; +} +``` + +了解:IDEA中 Alt+Insert 快捷键就可以快速生成 hashCode() 和 equals() 方法。 + +## toString() + +默认返回 ToStringExample@4554617c 这种形式,其中 @ 后面的数值为散列码的无符号十六进制表示。 + +```java +public class ToStringExample { + + private int number; + + public ToStringExample(int number) { + this.number = number; + } +} +``` + +```java +ToStringExample example = new ToStringExample(123); +System.out.println(example.toString()); +``` + +```html +ToStringExample@4554617c +``` + +## clone() + +**1. Cloneable** + +clone() 是 Object 的 **protected 方法**,它不是 public,一个类不显式去重写 clone(),其它类就不能直接去调用该类实例的 clone() 方法。 + +```java +public class CloneExample { + private int a; + private int b; +} +``` + +```java +CloneExample e1 = new CloneExample(); +// CloneExample e2 = e1.clone(); +// 'clone()' has protected access in 'java.lang.Object' +``` + +重写 clone() 得到以下实现: + +```java +public class CloneExample { + private int a; + private int b; + + // CloneExample 默认继承 Object + @Override + public CloneExample clone() throws CloneNotSupportedException { + return (CloneExample)super.clone(); + } +} +``` + +```java +CloneExample e1 = new CloneExample(); +try { + CloneExample e2 = e1.clone(); +} catch (CloneNotSupportedException e) { + e.printStackTrace(); +} +``` + +```html +java.lang.CloneNotSupportedException: CloneExample +``` + +以上抛出了 CloneNotSupportedException,这是因为 CloneExample 没有实现 Cloneable 接口。 + +应该注意的是,**clone() 方法并不是 Cloneable 接口的方法,而是 Object 的一个 protected 方法**。 + +**Cloneable 接口只是规定,如果一个类没有实现 Cloneable 接口又调用了 clone() 方法,就会抛出 CloneNotSupportedException**。 + +```java +public class CloneExample implements Cloneable { + private int a; + private int b; + + @Override + public Object clone() throws CloneNotSupportedException { + return super.clone(); + } +} +``` + +**2. 浅拷贝** + +拷贝对象和原始对象的引用类型引用同一个对象。 + +```java +public class ShallowCloneExample implements Cloneable { + + private int[] arr; + + public ShallowCloneExample() { + arr = new int[10]; + for (int i = 0; i < arr.length; i++) { + arr[i] = i; + } + } + + public void set(int index, int value) { + arr[index] = value; + } + + public int get(int index) { + return arr[index]; + } + + @Override + protected ShallowCloneExample clone() throws CloneNotSupportedException { + return (ShallowCloneExample) super.clone(); + } +} +``` + +```java +// 拷贝对象和原始对象的引用类型引用同一个对象。 +ShallowCloneExample e1 = new ShallowCloneExample(); +ShallowCloneExample e2 = null; +try { + e2 = e1.clone(); +} catch (CloneNotSupportedException e) { + e.printStackTrace(); +} +e1.set(2, 222); +System.out.println(e1.get(2)); // 222 +System.out.println(e2.get(2)); // 222 +``` + +**3. 深拷贝** + +拷贝对象和原始对象的引用类型引用不同对象。 + +```java +public class DeepCloneExample implements Cloneable { + + private int[] arr; + + public DeepCloneExample() { + arr = new int[10]; + for (int i = 0; i < arr.length; i++) { + arr[i] = i; + } + } + + public void set(int index, int value) { + arr[index] = value; + } + + public int get(int index) { + return arr[index]; + } + + @Override + protected DeepCloneExample clone() throws CloneNotSupportedException { + DeepCloneExample result = (DeepCloneExample) super.clone(); + // 创建新对象 + result.arr = new int[arr.length]; + for (int i = 0; i < arr.length; i++) { + result.arr[i] = arr[i]; + } + return result; + } +} +``` + +```java +DeepCloneExample e1 = new DeepCloneExample(); +DeepCloneExample e2 = null; +try { + e2 = e1.clone(); +} catch (CloneNotSupportedException e) { + e.printStackTrace(); +} +e1.set(2, 222); +System.out.println(e1.get(2)); // 222 +System.out.println(e2.get(2)); // 2 +``` + +**4. clone() 的替代方案** + +使用 clone() 方法来拷贝一个对象即复杂又有风险,它会抛出异常,并且还需要类型转换。 +Effective Java 书上讲到,最好不要去使用 clone(),可以使用**拷贝构造函数或者拷贝工厂来拷贝一个对象**。 + +```java +public class CloneConstructorExample { + + private int[] arr; + + public CloneConstructorExample() { //构造函数 + arr = new int[10]; + for (int i = 0; i < arr.length; i++) { + arr[i] = i; + } + } + + public CloneConstructorExample(CloneConstructorExample original) { // 拷贝构造函数 + arr = new int[original.arr.length]; + for (int i = 0; i < original.arr.length; i++) { + arr[i] = original.arr[i]; + } + } + + public void set(int index, int value) { + arr[index] = value; + } + + public int get(int index) { + return arr[index]; + } +} +``` + +```java +CloneConstructorExample e1 = new CloneConstructorExample(); +CloneConstructorExample e2 = new CloneConstructorExample(e1); +e1.set(2, 222); +System.out.println(e1.get(2)); // 222 +System.out.println(e2.get(2)); // 2 +``` \ No newline at end of file diff --git "a/docs/Java/JavaBasics/04\345\205\263\351\224\256\345\255\227.md" "b/docs/Java/JavaBasics/04\345\205\263\351\224\256\345\255\227.md" new file mode 100644 index 0000000..613bc41 --- /dev/null +++ "b/docs/Java/JavaBasics/04\345\205\263\351\224\256\345\255\227.md" @@ -0,0 +1,176 @@ +# 五、关键字 + +## final + +**1. 数据** + +声明数据为常量,可以是编译时常量,也可以是在运行时被初始化后不能被改变的常量。 + +- 对于基本类型,final 使数值不变; +- 对于引用类型,final 使引用不变,也就不能引用其它对象,但是被引用的对象本身是可以修改的。 + +```java +final int x = 1; +// x = 2; // cannot assign value to final variable 'x' +final A y = new A(); +y.a = 1; +``` + +**2. 方法** + +**声明方法不能被子类重写**。 + +private 方法隐式地被指定为 final,如果在子类中定义的方法和基类中的一个 private 方法签名相同,此时子类的方法不是重写基类方法,而是在子类中定义了一个新的方法。 + +**3. 类** + +**声明类不允许被继承**。 + +## static + +**1. 静态变量** + +- 静态变量:又称为类变量,也就是说这个变量属于类的,**类所有的实例都共享静态变量**,可以直接通过类名来访问它。**静态变量在内存中只存在一份**。 +- 实例变量:每创建一个实例就会产生一个实例变量,它与该实例同生共死。 + +```java +public class A { + + private int x; // 实例变量 + private static int y; // 静态变量 + + public static void main(String[] args) { + // int x = A.x; + // Non-static field 'x' cannot be referenced from a static context + + A a = new A(); + int x = a.x; + int y = A.y; + } +} +``` + +**2. 静态方法** + +静态方法在**类加载的时候就存在**了,它**不依赖于任何实例**。所以静态方法必须有实现,也就是说它不能是抽象方法。 + +```java +public abstract class A { + public static void func1(){ + } + // public abstract static void func2(); + // Illegal combination of modifiers: 'abstract' and 'static' + // 静态方法必须有实现,也就是说它不能是抽象方法。 +} +``` + +只能访问所属类的静态字段和静态方法,方法中不能有 this 和 super 关键字。 + +```java +public class A { + + private static int x; + private int y; + + public static void func1(){ + int a = x; + // int b = y; + // Non-static field 'y' cannot be referenced from a static context + // int b = this.y; // 'A.this' cannot be referenced from a static context + } +} +``` + +**3. 静态语句块** + +静态语句块在类初始化时运行一次。 + +```java +public class A { + static { + System.out.println("123"); + } + + public static void main(String[] args) { + A a1 = new A(); + A a2 = new A(); + } +} +``` + +```html +123 +``` + +**4. 静态内部类** + +非静态内部类依赖于外部类的实例,而静态内部类不需要。 + +```java +public class OuterClass { + + class InnerClass { // 非静态内部类 + } + + static class StaticInnerClass { // 静态内部类 + } + + public static void main(String[] args) { + // InnerClass innerClass = new InnerClass(); + // 'OuterClass.this' cannot be referenced from a static context + OuterClass outerClass = new OuterClass(); + InnerClass innerClass = outerClass.new InnerClass(); + StaticInnerClass staticInnerClass = new StaticInnerClass(); + } +} +``` + +静态内部类不能访问外部类的非静态的变量和方法。 + +**5. 静态导包** + +在使用静态变量和方法时不用再指明 ClassName,从而简化代码,但可读性大大降低。 + +```java +import static com.xxx.ClassName.* +``` + +**6. 初始化顺序** + +静态变量和静态语句块优先于实例变量和普通语句块,静态变量和静态语句块的初始化顺序取决于它们在代码中的顺序。 + +```java +// 静态变量和静态语句块的初始化顺序取决于它们在代码中的顺序 +public static String staticField = "静态变量"; + +static { + System.out.println("静态语句块"); +} +``` + +```java +public String field = "实例变量"; +``` + +```java +{ + System.out.println("普通语句块"); +} +``` + +最后才是构造函数的初始化。 + +```java +public InitialOrderTest() { + System.out.println("构造函数"); +} +``` + +存在继承的情况下,初始化顺序为: + +- 父类(静态变量、静态语句块) +- 子类(静态变量、静态语句块) +- 父类(实例变量、普通语句块) +- 父类(构造函数) +- 子类(实例变量、普通语句块) +- 子类(构造函数) \ No newline at end of file diff --git "a/docs/Java/JavaBasics/05\345\217\215\345\260\204.md" "b/docs/Java/JavaBasics/05\345\217\215\345\260\204.md" new file mode 100644 index 0000000..0ddc9eb --- /dev/null +++ "b/docs/Java/JavaBasics/05\345\217\215\345\260\204.md" @@ -0,0 +1,337 @@ +# 六、反射 +## 反射简介 +每个类都有一个 **Class** 对象,包含了与类有关的信息。 +当编译一个新类时,会产生一个同名的 .class 文件,该文件内容保存着 Class 对象。 + +类加载相当于 Class 对象的加载,类在第一次使用时才动态加载到 JVM 中。也可以使用 `Class.forName("com.mysql.jdbc.Driver")` 这种方式来控制类的加载,该方法会返回一个 Class 对象。 + +反射可以提供**运行时的类信息**,并且这个类可以在运行时才加载进来,甚至在编译时期该类的 .class 不存在也可以加载进来。 + +Class 和 java.lang.reflect 一起对反射提供了支持,java.lang.reflect 类库主要包含了以下三个类: + +- **Field** :可以使用 get() 和 set() 方法读取和修改 Field 对象关联的字段; +- **Method** :可以使用 invoke() 方法调用与 Method 对象关联的方法; +- **Constructor** :可以用 Constructor 创建新的对象。 + +**反射的优点:** + +* **可扩展性** :应用程序可以利用全限定名创建可扩展对象的实例,来使用来自外部的用户自定义类。 +* **类浏览器和可视化开发环境** :一个类浏览器需要可以枚举类的成员。可视化开发环境(如 IDE)可以从利用反射中可用的类型信息中受益,以帮助程序员编写正确的代码。 +* **调试器和测试工具** : 调试器需要能够检查一个类里的私有成员。测试工具可以利用反射来自动地调用类里定义的可被发现的 API 定义,以确保一组测试中有较高的代码覆盖率。 + +**反射的缺点:** + +尽管反射非常强大,但也不能滥用。如果一个功能可以不用反射完成,那么最好就不用。在我们使用反射技术时,下面几条内容应该牢记于心。 + +* **性能开销** :反射涉及了动态类型的解析,所以 JVM 无法对这些代码进行优化。因此,反射操作的效率要比那些非反射操作低得多。我们应该避免在经常被执行的代码或对性能要求很高的程序中使用反射。 + +* **安全限制** :使用反射技术要求程序必须在一个没有安全限制的环境中运行。如果一个程序必须在有安全限制的环境中运行,如 Applet,那么这就是个问题了。 + +* **内部暴露** :由于反射允许代码执行一些在正常情况下不被允许的操作(比如访问私有的属性和方法),所以使用反射可能会导致意料之外的副作用,这可能导致代码功能失调并破坏可移植性。反射代码破坏了抽象性,因此当平台发生改变的时候,代码的行为就有可能也随着变化。 + +## 反射的使用 +**1. 获取Class对象** + +获得Class对象方法有三种: + +(1)使用Class类的forName静态方法 + +public static Class forName(String className) + +(2)直接获取某一个对象的class,比如: + +Class klass = int.class; +Class classInt = Integer.TYPE; + +(3)调用某个对象的getClass()方法,比如: + + StringBuilder str = new StringBuilder("123"); + Class klass = str.getClass(); +```java +public class GetClazzObject { + public static void main(String[] args) throws ClassNotFoundException { + Class clazz=Class.forName("code_05_reflection.Obj"); + System.out.println(clazz);//class code_05_reflection.Obj + + Class clazz2=Obj.class; + System.out.println(clazz2);//class code_05_reflection.Obj + + Obj obj=new Obj(); + Class clazz3=obj.getClass(); + System.out.println(clazz3);//class code_05_reflection.Obj + } +} +``` + +**2.判断是否是某个类实例** + +判断是否是某个类实例,使用Class类中的 isInstance()方法 +```java +public native boolean isInstance(Object obj); +``` +```java +public class IsInstanceOfClass { + public static void main(String[] args) { + Class clazz=Obj.class; + + Obj obj=new Obj(); + + //判断是否是某个类的实例 + System.out.println(clazz.isInstance(obj));//true + } +} +``` + +**3.通过反射创建实例** + +通过反射来生成对象主要有两种方式: + +- 使用Class对象的newInstance()方法来创建Class对象对应类的实例。 +- 先**通过Class对象获取指定的Constructor对象**,再调用Constructor对象的newInstance()方法来创建实例 + +```java +public class CreateInstance { + public static void main(String[] args) throws IllegalAccessException, InstantiationException, NoSuchMethodException, InvocationTargetException { + //(1)使用Class对象的newInstance()方法来创建Class对象对应类的实例。 + Class clazz=String.class; + String str=(String)clazz.newInstance(); + + //(2)先通过Class对象获取指定的Constructor对象,再调用Constructor对象的newInstance()方法来创建实例。 + Constructor strConstructor=clazz.getConstructor(String.class);////获取String构造函数 String(String str) + String str2=(String)strConstructor.newInstance("sss"); + System.out.println(str2);//sss + } +} +``` + +**4.获取成员方法** + + 获取某个Class对象的方法集合,主要有以下几个方法: + (1)public Method[] getDeclaredMethods() throws SecurityException + + getDeclaredMethods()方法返回类或接口声明的所有方法,包括公共、保护、默认(包)访问和私有方法,但**不包括继承的方法**。 + +(2)public Method[] getMethods() throws SecurityException + + getMethods()方法返回某个类的所有公用(public)方法,**包括其继承类的公用方法**。 + +(3)public Method getMethod(String name, Class... parameterTypes) + + getMethod方法返回一个特定的方法,其中第一个参数为方法名称,后面的参数为方法的参数对应Class的对象 + +```java +public class GetMethods { + public static void main(String[] args) throws NoSuchMethodException { + Class clazz=Obj.class; + + //方法返回类或接口声明的所有方法,包括公共、保护、默认(包)访问和私有方法,但不包括继承的方法。 + Method[] methods=clazz.getDeclaredMethods(); + for(Method method:methods){ + System.out.println(method.getName()); + } + System.out.println("============="); + /** + * 输出结果: + add + sub + */ + + //返回某个类的所有公用(public)方法,包括其继承类的公用方法。会有许多的Object的方法 + Method[] methods2=clazz.getMethods(); + for(Method method:methods2){ + System.out.println(method.getName()); + } + System.out.println("============="); + /** + * 输出结果 + sub + wait + wait + wait + equals + toString + hashCode + getClass + notify + notifyAll + */ + + //返回一个特定的方法,其中第一个参数为方法名称,后面的参数为方法的参数对应Class的对象 + Method methods3=clazz.getMethod("sub",int.class,int.class); + System.out.println(methods3.getName()); + System.out.println(methods3); + /** + * 输出结果: + sub + public int code_05_reflection.Obj.sub(int,int) + */ + } +} +``` + +**5.获取构造器信息** + +获取类构造器的用法与上述获取方法的用法类似。 + +主要是通过Class类的**getConstructor方法**得到Constructor类的一个实例, +而Constructor类有一个newInstance方法可以创建一个对象实例。 + +```java +public T newInstance(Object ... initargs) +``` + +```java +public class GetConstructorInfo { + public static void main(String[] args) throws NoSuchMethodException, IllegalAccessException, InvocationTargetException, InstantiationException { + Class clazz=Obj.class; + Constructor constructor=clazz.getConstructor(); + //Constructor类有一个newInstance方法可以创建一个对象实例 + Obj obj=(Obj) constructor.newInstance(); + System.out.println(obj.sub(1,2)); + } +} +``` + +**6.获取类的成员变量信息** + +主要是这几个方法: +(1)getFiled: 访问公有的成员变量 + +(2)getDeclaredField:所有已声明的成员变量。但不能得到其父类的成员变量 + +(3)getFileds和getDeclaredFields用法同上(参照Method) + +**7.利用反射创建数组** + +Array类为java.lang.reflect.Array类。我们通过Array.newInstance()创建数组对象。 + +```java +public static Object newInstance(Class componentType, int length) + throws NegativeArraySizeException { + return newArray(componentType, length); //newArray()方法是一个Native方法 + } +``` + +```java +public class CreateArrays { + public static void main(String[] args) { + Class clazz=String.class; + + Object[] arr= (Object[]) Array.newInstance(clazz,25); + Array.set(arr,0,"aaa"); + Array.set(arr,1,"bbb"); + Array.set(arr,2,"ccc"); + Array.set(arr,3,"ddd"); + Array.set(arr,4,"eee"); + Array.set(arr,5,"fff"); + System.out.println(arr.length); //25 + System.out.println(Array.get(arr,2));//ccc + + } +} +``` + +**8.调用方法** + +当我们从类中**获取了一个方法**后,我们就可以用invoke()方法来调用这个方法。 + +```java +public Object invoke(Object obj, Object... args) + throws IllegalAccessException, IllegalArgumentException, + InvocationTargetException + //obj就是表示这个实例对象 + //args表示该方法的参数 +``` + +```java +public class InvokeMethod { + public static void main(String[] args) throws ClassNotFoundException, NoSuchMethodException, IllegalAccessException, InstantiationException, InvocationTargetException { + Class clazz=Class.forName("code_05_reflection.Obj"); + + //先获取该类的实例对象 + Obj obj=(Obj)clazz.newInstance(); + + Method method=clazz.getMethod("sub",int.class,int.class); + + //利用反射调用该方法 + Integer num=(Integer)method.invoke(obj,1,2); + System.out.println(num); + } +} +``` + +## 浅析invoke方法 +invoke()源码如下: +```java +@CallerSensitive +public Object invoke(Object obj, Object... args) + throws IllegalAccessException, IllegalArgumentException, + InvocationTargetException +{ + if (!override) { + //TODO:(1)权限校验 + //invoke方法会首先检查AccessibleObject的override属性的值。 + //AccessibleObject 类是 Field、Method 和 Constructor 对象的基类。 + //它提供了将反射的对象标记为在使用时取消默认 Java 语言访问控制检查的能力。 + //override的值默认是false,表示需要权限调用规则,调用方法时需要检查权限; + //TODO:可以用setAccessible方法设置为true, + //若override的值为true,表示忽略权限规则,调用方法时无需检查权限 + // (也就是说可以调用任意的private方法,违反了封装)。 + if (!Reflection.quickCheckMemberAccess(clazz, modifiers)) { + //Reflection.quickCheckMemberAccess(clazz, modifiers)方法检查方法是否为public,如果是的话,就跳出本步 + Class caller = Reflection.getCallerClass(); //Reflection.getCallerClass()方法获取调用这个方法的Class对象,这是一个native方法 + checkAccess(caller, clazz, obj, modifiers); + } + } + MethodAccessor ma = methodAccessor; // read volatile + if (ma == null) { + ma = acquireMethodAccessor(); + } + return ma.invoke(obj, args); //TODO:(2)调用MethodAccessor的invoke方法 + //TODO:Method.invoke()实际上并不是自己实现的反射调用逻辑,而是委托给sun.reflect.MethodAccessor来处理。 +} +``` +Method的invoke()实际上并不是自己实现的反射调用逻辑,而是委托给sun.reflect.MethodAccessor来处理。 + +> **MethodAccessor接口** + +```java +public interface MethodAccessor { + /** Matches specification in {@link java.lang.reflect.Method} */ + public Object invoke(Object obj, Object[] args) + throws IllegalArgumentException, InvocationTargetException; +} +``` +Method对象的基本构成,每个Java方法有且只有一个Method对象作为root, +它相当于根对象,对用户不可见。 +当我们创建Method对象时,我们代码中获得的Method对象都相当于它的**副本(或引用)**。 + +root对象持有一个MethodAccessor对象,所以所有获取到的Method对象都**共享这一个MethodAccessor对象**, +因此必须保证它在内存中的可见性。 +```java +//volatile表示该对象是可见的 +private volatile MethodAccessor methodAccessor; +private Method root; +``` +> **acquireMethodAccessor()** + +```java +private MethodAccessor acquireMethodAccessor() { + // First check to see if one has been created yet, and take it + // if so + MethodAccessor tmp = null; + if (root != null) tmp = root.getMethodAccessor(); + if (tmp != null) { + methodAccessor = tmp; + } else { + // Otherwise fabricate one and propagate it up to the root + tmp = reflectionFactory.newMethodAccessor(this); + setMethodAccessor(tmp); + } + return tmp; +} +``` +**第一次调用一个Java方法对应的Method对象的invoke()方法之前, +实现调用逻辑的MethodAccessor对象还没有创建; +等第一次调用时才新创建MethodAccessor并更新给root**, +然后调用MethodAccessor.invoke()完成反射调用。 \ No newline at end of file diff --git "a/docs/Java/JavaBasics/06\345\274\202\345\270\270.md" "b/docs/Java/JavaBasics/06\345\274\202\345\270\270.md" new file mode 100644 index 0000000..19ca752 --- /dev/null +++ "b/docs/Java/JavaBasics/06\345\274\202\345\270\270.md" @@ -0,0 +1,177 @@ +# 七、异常 + +## 异常的概念 +Java 异常是一个描述在代码段中**发生异常的对象**,当发生异常情况时,一个代表该异常的对象被创建并且在导致该异常的方法中被抛出,而该方法可以选择自己处理异常或者传递该异常。 + +## 异常继承体系 +Throwable 可以用来表示任何可以作为异常抛出的类,分为两种: **Error** 和 **Exception**。 + +- Error:通常是灾难性的致命的错误,是**程序无法控制和处理**的,当出现这些错误时,建议终止程序; +- Exception:通常情况下是可以被程序处理的,捕获后可能恢复,并且在程序中应该**尽可能地去处理**这些异常。 + +Exception 分为两种: + + +- **受检异常**:在正确的程序运行过程中,很容易出现的、情理可容的异常状况,在一定程度上这种异常的发生是可以预测的,并且一旦发生该种异常,就必须采取某种方式进行处理。(注意:**除了RuntimeException及其子类以外**,其他的 Exception 类及其子类都属于这种异常,当程序中可能出现这类异常,要么使用 try-catch 语句进行捕获,要么用 throws 子句抛出,否则编译无法通过。) +- **非受检异常**:包括RuntimeException及其子类和Error。 + (注意:非受检查异常为编译器不要求强制处理的异常,受检异常则是编译器要求必须处置的异常。) + +

+ +从责任角度看: + +1. Error 属于JVM 需要负担的责任; +2. RuntimException是程序应该负担的责任; +3. Checked Exception(受检异常)是 Java 编译器应该负担的责任。 + +## Java 异常的处理机制 + +Java 异常处理机制本质上就是**抛出异常**和**捕捉异常**。 + +**抛出异常** + +i.普通问题:指在当前环境下能得到足够的信息,总能处理这个错误。 + +ii.异常情形:是指**阻止当前方法或作用域继续执行的问题**。对于异常情形,已经程序无法执行继续下去了, +因为在当前环境下无法获得必要的信息来解决问题,我们所能做的就是从当前环境中跳出,并把问题提交给上一级环境, +这就是抛出异常时所发生的事情。 + +iii.抛出异常后,会有几件事随之发生: +​ +第一:像创建普通的java对象一样将使用new在堆上创建一个异常对象 + + 第二:当前的执行路径(已经无法继续下去了)被终止,并且从当前环境中弹出对异常对象的引用。 +​ +此时,**异常处理机制接管程序,并开始寻找一个恰当的地方继续执行程序**, +这个恰当的地方就是异常处理程序或者异常处理器, +它的任务是**将程序从错误状态中恢复**,以使程序要么换一种方式运行,要么继续运行下去。 +​ +**捕捉异常** + +在方法抛出异常之后,运行时系统将转为寻找合适的**异常处理器**(exception handler)。 +潜在的异常处理器是异常发生时依次存留在**调用栈**中的方法的集合。 +当异常处理器所能处理的异常类型与方法抛出的异常类型相符时,即为合适的异常处理器。 +运行时系统从发生异常的方法开始,依次回查调用栈中的方法,直至找到含有合适异常处理器的方法并执行。 +当运行时系统遍历调用栈而未找到合适的异常处理器,则运行时系统终止。同时,意味着Java程序的终止。 + +注意: + +对于运行时异常、错误和受检异常,Java技术所要求的异常处理方式有所不同。 + +(1)由于**运行时异常及其子类**的不可查性,为了更合理、更容易地实现应用程序, +Java规定,运行时异常将由Java运行时系统自动抛出,**允许应用程序忽略运行时异常**。 + +(2)对于方法运行中可能出现的Error,当运行方法不欲捕捉时,Java允许该方法不做任何抛出声明。 +因为,大多数Error异常属于永远不能被允许发生的状况,也属于合理的应用程序不该捕捉的异常。 + +(3)对于所有的受检异常, +Java规定:一个方法必须捕捉,或者声明抛出方法之外。 +也就是说,当一个方法选择不捕捉受检异常时,它必须声明将抛出异常。 + +## Java 异常的处理原则 + +- **具体明确**:抛出的异常应能通过异常类名和message准确说明异常的类型和产生异常的原因; +- **提早抛出**:应尽可能早地发现并抛出异常,便于精确定位问题; +- **延迟捕获**:异常的捕获和处理应尽可能延迟,让掌握更多信息的作用域来处理异常 + +## Java 常见异常以及错误 + +| 类型 | 说明 | +| :--: | :--: | +| **RuntimeException 子类** | | +| java.lang.ArrayIndexOutOfBoundsException | 数组索引越界异常。当对数组的索引值为负数或大于等于数组大小时抛出 | +| java.lang.ArithmeticException | 算术条件异常。譬如:整数除零等 | +| java.lang.NullPointerException | 空指针异常。当应用试图在要求使用对象的地方使用了null时,抛出该异常。譬如:调用null对象的实例方法、访问null对象的属性、计算null对象的长度、使用throw语句抛出null等等 | +| java.lang.ClassNotFoundException | 找不到类异常。当应用试图根据字符串形式的类名构造类,而在遍历CLASSPAH之后找不到对应名称的class文件时,抛出该异常 | +| java.lang.SecurityException | 安全性异常 | +| java.lang.IllegalArgumentException | 非法参数异常 | +| **IOException** | | +| IOException | 操作输入流和输出流时可能出现的异常 | +| EOFException | 文件已结束异常 | +| FileNotFoundException | 文件未找到异常 | +| **其他** | | +| ClassCastException | 类型转换异常类 | +| ArrayStoreException | 数组中包含不兼容的值抛出的异常 | +| SQLException | 操作数据库异常类 | +| NoSuchFieldException | 字段未找到异常 | +| NumberFormatException | 字符串转换为数字抛出的异常 | +| StringIndexOutOfBoundsException | 字符串索引超出范围抛出的异常 | +| IllegalAccessException | 不允许访问某类异常 | +| **Error** | | +| NoClassDefFoundError | 找不到class定义的错误 | +| StackOverflowError | 深递归导致栈被耗尽而抛出的错误 | +| OutOfMemoryError | 内存溢出错误 | + +## Java异常常见面试题 + +### try-catch-finally语句块的执行 + +

+ +(1)try 块:用于捕获异常。其后可接零个或多个catch块,如果没有catch块,则必须跟一个finally块。 + +(2)catch 块:用于处理try捕获到的异常。 + +(3)finally 块:无论是否捕获或处理异常,finally块里的语句都会被执行。 +当在try块或catch块中遇到return语句时,finally语句块将在**方法返回之前**被执行。 + +在以下4种特殊情况下,finally块不会被执行: + +1)在finally语句块中发生了异常。 +​ +2)在前面的代码中用了System.exit()退出程序。 + +3)程序所在的线程死亡。 + +4)关闭CPU。 + +### try catch代码块的性能如何? + +1. 会影响JVM的重排序优化; +2. 异常对象实例需要保存栈快照等信息,开销比较大。 + +### final和finally和finalize的区别? + +(1)final:最终的意思,可以修饰类,修饰成员变量,修饰成员方法 + +修饰类:类不能被继承 +​ +修饰变量:变量是常量 +​ +修饰方法:方法不能被重写(Override) + +(2)finally:是异常处理的关键字,用于释放资源。一般来说,代码必须执行(特殊情况:在执行到finally JVM就退出了) + +(3)finalize:是Object的一个方法,用于垃圾回收。 + +- 看程序写结果 + +```java +public class TestException { + public static void main(String[] args) { + System.out.println(getInt()); + } + + public static int getInt(){ + int a=10; + try{ + System.out.println(a/0); + }catch (ArithmeticException e){ + a=30; + return a; + }finally { + a=40; + } + System.out.println("a="+a); + return a; + } +} +``` +结果为: +```html +30 +``` + +- [Java异常常见面试题及答案1](https://github.com/DuHouAn/Java/blob/master/JavaBasics/01Java%E5%BC%82%E5%B8%B8%E5%B8%B8%E8%A7%81%E9%9D%A2%E8%AF%95%E9%A2%98%E5%8F%8A%E7%AD%94%E6%A1%88.txt) + +- [Java异常常见面试题及答案2](https://github.com/DuHouAn/Java/blob/master/JavaBasics/02Java%E5%BC%82%E5%B8%B8%E5%B8%B8%E8%A7%81%E9%9D%A2%E8%AF%95%E9%A2%98%E5%8F%8A%E7%AD%94%E6%A1%88.txt) \ No newline at end of file diff --git "a/docs/Java/JavaBasics/07\346\263\233\345\236\213.md" "b/docs/Java/JavaBasics/07\346\263\233\345\236\213.md" new file mode 100644 index 0000000..9e10b08 --- /dev/null +++ "b/docs/Java/JavaBasics/07\346\263\233\345\236\213.md" @@ -0,0 +1,664 @@ +# 八、泛型 +## 泛型的概念 +在集合中存储对象并在**使用前进行类型转换**是多么的不方便。泛型防止了那种情况的发生。 +它提供了**编译期**的类型安全,确保你只能把正确类型的对象放入集合中, +避免了在运行时出现ClassCastException。 + +- 不使用泛型 +```java +/** + * 这样做的一个不好的是Box里面现在只能装入String类型的元素,今后如果我们需要装入Integer等其他类型的元素, + * 还必须要另外重写一个Box,代码得不到复用,使用泛型可以很好的解决这个问题。 + */ +public class Box { + private String object; + + public void set(String object) { + this.object = object; + } + + public String get(){ + return object; + } +} +``` + +- 使用泛型 +```java +public class GenericBox { + // T stands for "Type" + private T t; + public void set(T t) { this.t = t; } + public T get() { return t; } +} +``` + +## 限定通配符和非限定通配符 +- **限定通配符** + +限定通配符对类型进行了限制。有两种限定通配符: + +一种是它通过确保类型必须是**T及T的子类**来设定类型的上界, + +另一种是它通过确保类型必须是**T及T的父类**设定类型的下界。 + +泛型类型必须用限定的类型来进行初始化,否则会导致编译错误。 + +- **非限定通配符** + + 表示了非限定通配符,因为可以用任意类型来替代。 + +```java +public class BoundaryCharExample { + //查找一个泛型数组中大于某个特定元素的个数 + public static int countGreaterThan(T[] array,T elem){ + int count = 0; + for (T e : array) { + if (e > elem) { // compiler error + ++count; + } + } + return count; + } + /* + * comliler error:但是这样很明显是错误的, + * 因为除了short, int, double, long, float, byte, char等原始类型, + * 其他的类并不一定能使用操作符" > " + * 解决 --> 使用限定通配符/边界符 + * */ +} +``` + +- 使用限定通配符改进 +```java +public class BoundaryCharExample2 { + public static > int countGreaterThan(T[] array,T elem){ + //>就是通配符,类型必须是 Comparable及其子类 + int count = 0; + for (T e : array) { + if (e.compareTo(elem)>0) { + ++count; + } + } + return count; + } +} +``` + + +- 面试题:List 和List 之间有什么区别 ? + +List可以接受任何继承自T的类型的List, + +List可以接受任何T的父类构成的List。 +​ +例如List可以接受List或List。 + +## PECS(Producer Extends Consumer Super)原则 +PECS原则即Producer Extends,Consumer Super原则 + +Producer Extends:如果你需要一个**只读List,用它来produce T,那么使用? extends T**。 + +Consumer Super:如果你需要一个**只写List,用它来consume T,那么使用? super T**。 + +```java +public class GenericExample { + public static void main(String[] args) { + List fruits = new ArrayList(); + //? extends Fruit表示的是Fruit及其子类 + + // Compile Error: can't add any type of object: + //fruits.add(new Apple()); + //fruits.add(new Orange()); + //fruits.add(new Fruit()); + //fruits.add(new Object()); + //fruits.add(null); // Legal but uninteresting + } +} +``` +**Compile Error: can't add any type of object:** +从编译器的角度去考虑。因为List fruits它自身可以有多种含义: +因为List fruits它自身可以有多种含义(参照下面的代码 GenericReading.java): + +```java +List fruits = new ArrayList(); + +List fruits = new ArrayList(); + +List fruits = new ArrayList(); + +// 这里Apple和Orange都是Fruit子类 +``` + + +当我们尝试add一个Apple的时候,fruits可能指向new ArrayList(); + +当我们尝试add一个Orange的时候,fruits可能指向new ArrayList(); + +当我们尝试add一个Fruit的时候,这个Fruit可以是任何类型的Fruit, + +而fruits可能只想某种特定类型的Fruit,编译器无法识别所以会报错。 + +所以对于**实现了的集合类只能将它视为 Producer 向外提供元素(只能读)**, +,而不能作为 Consumer 来向外获取元素。 + +```java +/** + * 对于实现了的集合类只能将它视为Producer向外提供(get)元素, + * 而不能作为Consumer来对外获取(add)元素。 + */ +public class GenericReading { + private List apples = Arrays.asList(new Apple()); + private List fruit = Arrays.asList(new Fruit()); + + private class Reader{ //Reader 是自定义的泛型类 + /*T readExact(List list){ + return list.get(0); + }*/ + T readExact(List list){// 使用通配符来解决这个问题 + // ? extends T 表示 T 及 T 的子类 + return list.get(0); //TODO :get()方法 + } + } + + @Test + public void test(){ + Reader fruitReader=new Reader(); + //Fruit f=fruitReader.readExact(apples); + // 使用 readExact(List list) + // Errors: List cannot be applied to List. + + Fruit f=fruitReader.readExact(apples);//正确 + System.out.println(f); + } +} +``` + +```java +/** + * +使用super的坏处是以后不能get容器里面的元素了, + 原因很简单,我们继续从编译器的角度考虑这个问题, +对于List list,它可以有下面几种含义: +List list = new ArrayList(); +List list = new ArrayList(); +List list = new ArrayList(); +当我们尝试通过list来get一个Apple的时候,可能会get得到一个Fruit,这个Fruit可以是Orange等其他类型的Fruit。 +*/ +public class GenericWriting { + private List apples = new ArrayList(); + private List oranges = new ArrayList(); + private List fruit = new ArrayList(); + + void writeExact(List list, T item) { + list.add(item); //TODO :这里是 add + } + + // ? super T + // T 及 T 的父类 + void writeWithWildcard(List list, T item) { + list.add(item); + } + + void func1(){ + writeExact(apples,new Apple()); + writeExact(fruit,new Apple()); + } + + void func2(){ + writeWithWildcard(apples, new Apple()); + writeWithWildcard(fruit, new Apple()); + } + + @Test + public void test(){ + func1(); + func2(); + } +} +``` + +- JDK 8 Collections.copy() 源码: +```java +public static void copy(List dest, List src) { + //dest 就是 只写的 List + //src 就是 只读的 List + int srcSize = src.size(); + if (srcSize > dest.size()) + throw new IndexOutOfBoundsException("Source does not fit in dest"); + + if (srcSize < COPY_THRESHOLD || + (src instanceof RandomAccess && dest instanceof RandomAccess)) { + for (int i=0; i di=dest.listIterator(); + ListIterator si=src.listIterator(); + for (int i=0; i { + private T data; + private Node next; + public Node(T data, Node next) { + this.data = data; + this.next = next; + } + public T getData() { return data; } +} +``` +编译器做完相应的类型检查之后,实际上到了运行期间上面这段代码实际上将转换成: +```java +public class Node { + private Object data; //T转换成Object + private Node next; + public Node(Object data, Node next) { + this.data = data; + this.next = next; + } + public Object getData() { return data; } +} +``` +这意味着不管我们声明 Node 还是Node,到了运行期间,JVM 统统视为Node。 + +解决: +```java +public class Node> { + //Node> 是Comaparable即其子类 + private T data; + private Node next; + public Node(T data, Node next) { + this.data = data; + this.next = next; + } + public T getData() { return data; } +} +``` +这样编译器就会将 T 出现的地方替换成 Comparable 而不再是默认的 Object 了: + +```java +public class Node { + private Comparable data; + //将T出现的地方替换成Comparable + private Node next; + public Node(Comparable data, Node next) { + this.data = data; + this.next = next; + } + public Comparable getData() { return data; } +} +``` + +### 类型擦除带来的问题 + +- 1、在 Java 中不允许创建**泛型数组** +```java +public class Problem1 { + public static void main(String[] args) { + // List [] listsOfArray = new List[2]; + // compile-time error + /* + 解析: + compile-time error,我们站在编译器的角度来考虑这个问题: + 先来看一下下面这个例子: + Object[] strings = new String[2]; + strings[0] = "hi"; // OK + strings[1] = 100; // An ArrayStoreException is thrown. + 字符串数组不能存放整型元素, + 而且这样的错误往往要等到代码**运行的时候**才能发现,编译器是无法识别的。 + + 接下来我们再来看一下假设Java支持泛型数组的创建会出现什么后果: + Object[] stringLists = new List[]; + // compiler error, but pretend it's allowed + stringLists[0] = new ArrayList(); // OK + // An ArrayStoreException should be thrown, but the runtime can't detect it. + stringLists[1] = new ArrayList(); + + 假设我们支持泛型数组的创建,由于运行时期类型信息已经被擦除, + JVM 实际上根本就不知道 new ArrayList() 和 new ArrayList() 的区别。 + * */ + // 可以使用如下语句创建集合数组 + // List [] listsOfArray = (List [])new Object[2]; + + Class c1 = new ArrayList().getClass(); + Class c2 = new ArrayList().getClass(); + //因为存在类型擦除,实际上就是c1和c2使用的是同一个.class文件 + System.out.println(c1 == c2); // true + } +} +``` + +- 2、对于泛型代码,Java 编译器实际上还会偷偷帮我们实现一个 **Bridge Method**。 +```java +public class Node { + public T data; + public Node(T data) { this.data = data; } + public void setData(T data) { + System.out.println("Node.setData"); + this.data = data; + } +} + +public class MyNode extends Node { + public MyNode(Integer data) { super(data); } + public void setData(Integer data) { + System.out.println("MyNode.setData"); + super.setData(data); + } +} +``` +看完上面的分析之后,你可能会认为在类型擦除后,编译器会将Node和MyNode变成下面这样: +```java +public class Node { + public Object data; + public Node(Object data) { this.data = data; } + public void setData(Object data) { + System.out.println("Node.setData"); + this.data = data; + } +} + +public class MyNode extends Node { + public MyNode(Integer data) { super(data); } + public void setData(Integer data) { + //TODO:子类中的两个setData()方法是重载关系,不是重写关系;因为参数类型不同 + //**要实现多态的话,所调用的方法必须在子类中重写**, + // 也就是说这里是要重写 setData(Object) 方法,来实现多态 + System.out.println("MyNode.setData"); + super.setData(data); + } +} +``` +实际上 Java 编译器对上面代码自动还做了一个处理: +```java +public class MyNode extends Node { + //TODO: Bridge Method generated by the compiler + public void setData(Object data) { + setData((Integer) data); + //TODO:setData((Integer) data),这样String无法转换成Integer。 + //TODO:所以当编译器提示 unchecked warning 的时候, + //我们不能选择忽略,不然要等到运行期间才能发现异常。 + } + + public void setData(Integer data) { + System.out.println("MyNode.setData"); + super.setData(data); + } +} +``` + +- Java 泛型很大程度上只能提供静态类型检查,然后类型的信息就会被擦除, +所以利用类型参数创建实例的做法编译器不会通过。 + +```java +public static void append(List list) { + E elem = new E(); // compile-time error + list.add(elem); +} +``` +使用反射解决: +```java +public static void append(List list, Class cls) throws Exception { + E elem = cls.newInstance(); + // TODO:使用反射创建E类型的实例 + list.add(elem); +} +``` + + +- 无法对泛型代码直接使用 **instanceof 关键字**, +因为Java编译器在生成代码的时候会擦除所有相关泛型的类型信息。 +JVM在运行时期无法识别出ArrayList和ArrayList的之间的区别: + +```java +public static void rtti(List list) { + if (list instanceof ArrayList) { // compile-time error + // ... + } +} +``` +ArrayList, ArrayList, LinkedList, ... 和上面一样,有这个问题。 + +使用通配符解决: +```java +public static void rtti(List list) { //TODO:? 表示非限定通配符 + if (list instanceof ArrayList) { // OK; instanceof requires a reifiable type(具体的类型) + // ... + } +} +``` + +## 泛型的应用 +### 泛型实现 LRU 缓存 +- LRU(Least Recently Used,最近最久未使用)缓存思想: + +(1)固定缓存大小,需要给缓存分配一个固定的大小 + +(2)每次读取缓存都会改变缓存的使用时间,将缓存的存在时间重新刷新 + +(3)需要在缓存满了后,将**最近最久未使用的缓存删除**,再添加最新的缓存 + +- 实现思路:使用LinkedHashMap来实现LRU缓存。 + +LinkedHashMap的一个构造函数: +```java +public LinkedHashMap(int initialCapacity, + float loadFactor, + boolean accessOrder) { + super(initialCapacity, loadFactor); + this.accessOrder = accessOrder; +} +``` +传入的第三个参数: + +accessOrder为true的时候,就按访问顺序对LinkedHashMap排序, + +accessOrder为false的时候,就按插入顺序(默认情况)。 + +当把accessOrder设置为true后(按照访问顺序),就可以将最近访问的元素置于最前面。这样就可以满足上述的(2)。 + +LinkedHashMap是**自动扩容**的,当table数组中元素大于Capacity * loadFactor的时候,就会自动进行两倍扩容。 +但是为了使缓存大小固定,就需要在初始化的时候**传入容量大小**和**负载因子**。 +为了使得到达设置缓存大小不会进行自动扩容,需要将初始化的大小进行计算再传入, +将初始化大小设置为(缓存大小 / loadFactor) + 1,这样就可以在元素数目达到缓存大小时, +也不会进行扩容了。这样就解决了上述的(1)。 + +- 实现 +```java +public class LRUCache { + private final int MAX_CACHE_SIZE; + private final float DEFAULT_LOAD_FACTORY = 0.75f; + private LinkedHashMap map;; + + public LRUCache(int cacheSize){ + MAX_CACHE_SIZE=cacheSize; + int capacity=(int)Math.ceil(MAX_CACHE_SIZE/DEFAULT_LOAD_FACTORY)+1; + //初始化大小设置为(缓存大小 / loadFactor) + 1,这样就可以在元素数目达到缓存大小时,也不会进行扩容 + map=new LinkedHashMap(capacity,DEFAULT_LOAD_FACTORY,true){ + //true表示按照访问顺序 + @Override + protected boolean removeEldestEntry(Map.Entry eldest) { + return size()>MAX_CACHE_SIZE; + } + }; + } + + //为了线程安全所有方法都是同步方法 + public synchronized void put(K key,V value){ + map.put(key,value); + } + + public synchronized V get(K key){ + return map.get(key); + } + + public synchronized void remove(K key){ + map.remove(key); + } + + public synchronized Set> getAll(){ + return map.entrySet(); + } + + @Override + public String toString() { + StringBuilder sb=new StringBuilder(); + for(Map.Entry entry:map.entrySet()){ + sb.append(String.format("%s: %s\n",entry.getKey(),entry.getValue())); + } + return sb.toString(); + } + + public static void main(String[] args) { + LRUCache lru=new LRUCache(5); + //该缓存的容量是5 + lru.put(1, 1); + lru.put(2, 2); + lru.put(3, 3); + System.out.println(lru); + lru.get(1); //这里访问了 key=1的元素 + //按照访问顺序排序 --> key=1的元素是最新才访问的,所以key=2的元素是最近最久未访问的元素 + System.out.println(lru); + + lru.put(4,4); + lru.put(5,5); + lru.put(6,6); + //容器的容量是5,当超过该容量时,会删除最近最久未访问的元素,也就是删除了key=2的元素 + System.out.println(lru); + } +} +``` + +输出结果: +```html +1: 1 +2: 2 +3: 3 + +2: 2 +3: 3 +1: 1 + +3: 3 +1: 1 +4: 4 +5: 5 +6: 6 +``` + +### 泛型实现 FIFO 缓存 +- FIFO设计思路:FIFO就是先进先出,可以使用LinkedHashMap进行实现。 + +LinkedHashMap 的构造函数: +```java +public LinkedHashMap(int initialCapacity, + float loadFactor, + boolean accessOrder) { + super(initialCapacity, loadFactor); + this.accessOrder = accessOrder; +} +``` +当第三个参数传入为false或者是默认的时候,就可以实现**按插入顺序排序**,就可以实现FIFO缓存了。 + +```java +public class FIFOCache { + private final int MAX_CACHE_SIZE; + private final float DEFAULT_LOAD_FACTORY = 0.75f; + private LinkedHashMap map; + + public FIFOCache(int cacheSize) { + this.MAX_CACHE_SIZE = cacheSize; + int capacity = (int)Math.ceil(MAX_CACHE_SIZE / DEFAULT_LOAD_FACTORY) + 1; + map=new LinkedHashMap(capacity,DEFAULT_LOAD_FACTORY,false){ + @Override + protected boolean removeEldestEntry(Map.Entry eldest) { + return size() > MAX_CACHE_SIZE; + } + }; + } + + public synchronized void put(K key,V value){ + map.put(key,value); + } + + public synchronized V get(K key){ + return map.get(key); + } + + public synchronized void remove(K key){ + map.remove(key); + } + + public synchronized Set> getAll(){ + return map.entrySet(); + } + + @Override + public String toString() { + StringBuilder sb=new StringBuilder(); + for(Map.Entry entry:map.entrySet()){ + sb.append(String.format("%s: %s\n",entry.getKey(),entry.getValue())); + } + return sb.toString(); + } + + public static void main(String[] args) { + //按照插入顺序 + FIFOCache fifo=new FIFOCache(5); + fifo.put(1, 1); + fifo.put(2, 2); + fifo.put(3, 3); + System.out.println(fifo); + fifo.get(1); + System.out.println(fifo); + + fifo.put(4,4); + fifo.put(5,5); + fifo.put(6,6); + System.out.println(fifo); + } +} +``` + + +输出结果: +```html +1: 1 +2: 2 +3: 3 + +1: 1 +2: 2 +3: 3 + +2: 2 +3: 3 +4: 4 +5: 5 +6: 6 +``` + +### 泛型的实现方式 +Java的泛型是一种**伪泛型,编译为字节码时参数类型会在代码中被擦除**, +单独记录在Class文件的attributes域内,而在使用泛型处做类型检查与类型转换。 + +假设参数类型的占位符为T,擦除规则(保留上界)如下: + +(1)擦除后变为Object + +(2)擦除后变为A + +(3)<? super A>擦除后变为Object \ No newline at end of file diff --git "a/docs/Java/JavaBasics/08\346\263\250\350\247\243.md" "b/docs/Java/JavaBasics/08\346\263\250\350\247\243.md" new file mode 100644 index 0000000..06b9e80 --- /dev/null +++ "b/docs/Java/JavaBasics/08\346\263\250\350\247\243.md" @@ -0,0 +1,267 @@ + +* [九、注解](#九注解) + * [注解概述](#注解概述) + * [注解的用处](#注解的用处) + * [注解的原理](#注解的原理) + * [元注解](#元注解) + * [常见标准的Annotation](#常见标准的Annotation) + * [自定义注解](#自定义注解) + * [运行时注解](#运行时注解) + * [编译时注解](#编译时注解) + +# 九、注解 +## 注解概述 +Annontation是Java5开始引入的新特征,中文名称叫注解。 +提供了一种**安全的类似注释的机制**, +用来将任何的信息或元数据(metadata)与程序元素(类、方法、成员变量等)进行关联。 +为程序的元素(类、方法、成员变量)加上更直观明了的说明, +这些说明信息是与程序的业务逻辑无关,并且供指定的工具或框架使用。 + +## 注解的用处 +- 生成文档。这是最常见的,也是java 最早提供的注解。常用的有@param @return 等 +- 跟踪代码依赖性,实现替代**配置文件**功能。如Spring中@Autowired; +- 在编译时进行格式检查。如@override 放在方法前,如果你这个方法并不是覆盖了超类方法,则编译时就能检查出。 + +## 注解的原理 +注解**本质是一个继承了Annotation的特殊接口**,其具体实现类是Java运行时生成的**动态代理类**。 +我们通过反射获取注解时,返回的是Java运行时生成的**动态代理对象**$Proxy1。 +通过代理对象调用自定义注解(接口)的方法,会最终调用AnnotationInvocationHandler的invoke方法。 +该方法会从memberValues这个Map中索引出对应的值。 +而memberValues的来源是Java常量池。 + +### 元注解 +java.lang.annotation提供了四种元注解,专门注解其他的注解(在自定义注解的时候,需要使用到元注解): + +| 注解 | 说明 | +| :--: | :--: | +| @Documented | 是否将注解包含在JavaDoc中 | +| @Retention | 什么时候使用该注解 | +| @Target | 注解用于什么地方 | +| @Inherited | 是否允许子类继承该注解 | + +- @Documented + +一个简单的Annotations标记注解,表示是否将注解信息添加在java文档中。 + +- @Retention + +定义该注解的生命周期。 + +(1)RetentionPolicy.SOURCE : 在编译阶段丢弃。 + 这些注解在编译结束之后就不再有任何意义,所以它们不会写入字节码。 + @Override, @SuppressWarnings都属于这类注解。 + +(2)RetentionPolicy.CLASS : 在类加载的时候丢弃。 +在字节码文件的处理中有用。注解默认使用这种方式 + +(3)RetentionPolicy.RUNTIME : 始终不会丢弃,运行期也保留该注解, +因此**可以使用反射机制读取该注解的信息**。我们自定义的注解通常使用这种方式。 + +- @Target + +表示该注解用于什么地方。 +默认值为任何元素,表示该注解用于什么地方。可用的ElementType参数包括: + +> ElementType.CONSTRUCTOR:用于描述构造器 +> ElementType.FIELD:成员变量、对象、属性(包括enum实例) +> ElementType.LOCAL_VARIABLE:用于描述局部变量 +> ElementType.METHOD:用于描述方法 +> ElementType.PACKAGE:用于描述包 +> ElementType.PARAMETER:用于描述参数 +> ElementType.TYPE:用于描述类、接口(包括注解类型) 或enum声明 + +- @Inherited + +定义该注释和子类的关系。 +@Inherited 元注解是一个标记注解,@Inherited阐述了某个被标注的类型是被继承的。 +如果一个使用了@Inherited修饰的annotation类型被用于一个class,则这个annotation将被用于该class的子类。 + +### 常见标准的Annotation +- Override (RetentionPolicy.SOURCE : 在编译阶段丢弃。属于@Retention) + + Override是一个标记类型注解,它被用作标注方法。 + 它说明了被标注的方法重载了父类的方法,起到了断言的作用。 + 如果我们使用了这种注解在一个没有覆盖父类方法的方法时,**java编译器将以一个编译错误来警示**。 + +- Deprecated + +Deprecated也是一种标记类型注解。 +当一个类型或者类型成员使用@Deprecated修饰的话,编译器将不鼓励使用这个被标注的程序元素。 +所以使用这种修饰具有一定的“延续性”: + 如果我们在代码中通过继承或者覆盖的方式使用了这个过时的类型或者成员, + 虽然继承或者覆盖后的类型或者成员并不是被声明为@Deprecated,但编译器仍然要报警。 + +- SuppressWarnings + +SuppressWarning不是一个标记类型注解。 +它有一个类型为String[]的成员,这个成员的值为**被禁止的警告名**。 +对于javac编译器来讲,对-Xlint选项有效的警告名也同样对@SuppressWarings有效,同时编译器忽略掉无法识别的警告名。 +@SuppressWarnings("unchecked") + +### 自定义注解 +自定义注解类编写的一些规则: +(1) Annotation型定义为@interface, +所有的Annotation会自动继承java.lang.Annotation这一接口,并且不能再去继承别的类或是接口 + +(2)参数成员只能用public或默认(default)这两个访问权修饰 + +(3)参数成员只能用基本类型byte,short,char,int,long,float,double,boolean八种基本数据类型 +和String、Enum、Class、Annotations等数据类型,以及这一些类型的数组 + +(4)要获取类方法和字段的注解信息,必须通过Java的反射技术来获取Annotation对象, +因为除此之外没有别的获取注解对象的方法 + +(5)注解也可以没有定义成员, 不过这样注解就没啥用了 + +注意:**自定义注解需要使用到元注解** + +- 自定义注解示例: + +自定义水果颜色注解 +```java +/** + * 水果颜色注解 + */ +@Target(FIELD) +@Retention(RUNTIME) +@Documented +@interface FruitColor { + /** + * 颜色枚举 + */ + public enum Color{绿色,红色,青色}; + + /** + * 颜色属性 (注意:这里的属性指的就是方法) + */ + Color fruitColor() default Color.绿色;//默认是是绿色的 +} +``` +自定义水果名称注解 +```java +/** + * 水果名称注解 + */ +@Target(FIELD) //ElementType.FIELD:成员变量、对象、属性(包括enum实例) +@Retention(RUNTIME)// 始终不会丢弃,运行期也保留该注解,因此可以使用反射机制读取该注解的信息。 +@Documented // Deprecated也是一种标记类型注解。 +public @interface FruitName { + public String fruitName() default ""; +} +``` +水果供应商注解 +```java +/** + * 水果供应者注解 + */ +@Target(FIELD) +@Retention(RUNTIME) +@Documented +public @interface FruitProvider { + /** + * 供应者编号 + */ + public int id() default -1; + + /** + * 供应商名称 + */ + public String name() default ""; + + /** + * 供应商地址 + */ + public String address() default ""; +} +``` +通过反射来获取水果信息 +```java +/** + * 通过反射获取水果信息 + */ +public class FruitInfoUtil { + public static void getFruitInfo(Class clazz){ + String strFruitName=" 水果名称:"; + String strFruitColor=" 水果颜色:"; + String strFruitProvider="供应商信息:"; + + //获取属性值 + Field[] fields=clazz.getDeclaredFields(); + for(Field field:fields){ + if(field.isAnnotationPresent(FruitName.class)){ + //判断注解是不是 FruitName + FruitName fruitName=field.getAnnotation(FruitName.class); + strFruitName=strFruitName+fruitName.fruitName(); + System.out.println(strFruitName); + }else if(field.isAnnotationPresent(FruitColor.class)){ + FruitColor fruitColor=field.getAnnotation(FruitColor.class); + strFruitColor=strFruitColor+fruitColor.fruitColor().toString(); + System.out.println(strFruitColor); + }else if(field.isAnnotationPresent(FruitProvider.class)){ + FruitProvider fruitProvider=field.getAnnotation(FruitProvider.class); + strFruitProvider=strFruitProvider + + "[ 供应商编号:"+fruitProvider.id() + +" 供应商名称:" +fruitProvider.name() + +" 供应商地址:"+fruitProvider.address()+"]"; + System.out.println(strFruitProvider); + } + } + } +} +``` +使用注解初始化实例类 +```java +/** + * 定义一个实例类 + * 这里使用注解来初始化 + */ +public class Apple { + @FruitName(fruitName = "苹果") + private String appleName; + + @FruitColor(fruitColor = FruitColor.Color.红色) + private String appleColor; + + @FruitProvider(id=1,name="红富士",address="陕西省西安市延安路89号红富士大厦") + private String appleProvider; + + public String getAppleName() { + return appleName; + } + + public void setAppleName(String appleName) { + this.appleName = appleName; + } + + public String getAppleColor() { + return appleColor; + } + + public void setAppleColor(String appleColor) { + this.appleColor = appleColor; + } + + public String getAppleProvider() { + return appleProvider; + } + + public void setAppleProvider(String appleProvider) { + this.appleProvider = appleProvider; + } +} +``` +### 运行时注解 +运行时注解是通过反射在程序运行时获取注解信息,然后利用信息进行其他处理。 + +[运行时注解 代码示例](https://github.com/DuHouAn/Java/tree/master/JavaBasics/src/code_08_annotation/code_01) + +### 编译时注解 +编译时注解是在程序编译的时候动态的生成一些类或者文件, +所以编译时注解不会影响程序运行时的性能,而**运行时注解则依赖于反射**, +反射肯定会影响程序运行时的性能,所以一些知名的三方库一般都是使用编译时时注解, +比如大名鼎鼎的ButterKnife、Dagger、Afinal等。 + +下面编译时注解是编译时打印使用指定注解的方法的方法信息, +注解的定义和运行时注解一样,主要是注解处理器对注解的处理不同 。 + +[编译时注解 代码示例](https://github.com/DuHouAn/Java/tree/master/JavaBasics/src/code_08_annotation/code_02) \ No newline at end of file diff --git "a/docs/Java/JavaBasics/09Java\345\270\270\350\247\201\345\257\271\350\261\241.md" "b/docs/Java/JavaBasics/09Java\345\270\270\350\247\201\345\257\271\350\261\241.md" new file mode 100644 index 0000000..e585386 --- /dev/null +++ "b/docs/Java/JavaBasics/09Java\345\270\270\350\247\201\345\257\271\350\261\241.md" @@ -0,0 +1,1677 @@ +# 十、Java常见对象 + +## Arrays +Arrays:针对数组进行操作的工具类。 + +- Arrays的常用成员方法: +```java +public static String toString(int[] a) //把数组转成字符串 + +public static void sort(int[] a) //对数组进行排序 + +public static int binarySearch(int[] a,int key) //二分查找 +``` + +- toString()源码如下: +```java +public static String toString(int[] a) { + if (a == null) + return "null"; + int iMax = a.length - 1; + if (iMax == -1) + return "[]"; + + StringBuilder b = new StringBuilder(); + b.append('['); + for (int i = 0; ; i++) { + b.append(a[i]); + if (i == iMax) + return b.append(']').toString(); + b.append(", "); + } + } +``` +- binarySearch()调用的是binarySearch0(),源码如下: +```java + private static int binarySearch0(int[] a, int fromIndex, int toIndex,int key) { + int low = fromIndex; + int high = toIndex - 1; + + while (low <= high) { + int mid = (low + high) >>> 1; + int midVal = a[mid]; + + if (midVal < key) + low = mid + 1; + else if (midVal > key) + high = mid - 1; + else + return mid; // key found + } + return -(low + 1); // key not found. + } +``` + +- 使用示例: +```java +public class ArraysDemo { + public static void main(String[] args) { + // 定义一个数组 + int[] arr = { 24, 69, 80, 57, 13 }; + + // public static String toString(int[] a) 把数组转成字符串 + System.out.println("排序前:" + Arrays.toString(arr));//排序前:[24, 69, 80, 57, 13] + + // public static void sort(int[] a) 对数组进行排序 + Arrays.sort(arr); + System.out.println("排序后:" + Arrays.toString(arr));//排序后:[13, 24, 57, 69, 80] + + // [13, 24, 57, 69, 80] + // public static int binarySearch(int[] a,int key) 二分查找 + System.out.println("binarySearch:" + Arrays.binarySearch(arr, 57));//binarySearch:2 + System.out.println("binarySearch:" + Arrays.binarySearch(arr, 577));//binarySearch:-6 + } +} +``` +## BigDemical +BigDecimal类:不可变的、任意精度的有符号十进制数,可以解决数据丢失问题。 + +看如下程序,写出结果 +```java +public static void main(String[] args) { + System.out.println(0.09 + 0.01); + System.out.println(1.0 - 0.32); + System.out.println(1.015 * 100); + System.out.println(1.301 / 100); + System.out.println(1.0 - 0.12); +} +``` +输出结果 +```html +0.09999999999999999 +0.6799999999999999 +101.49999999999999 +0.013009999999999999 +0.88 +``` +结果和我们想的有一点点不一样,这是因为浮点数类型的数据存储和整数不一样导致的。 +它们大部分的时候,都是带有有效数字位。由于在运算的时候,float类型和double很容易丢失精度, +所以,为了能精确的表示、计算浮点数,Java提供了BigDecimal。 + +- BigDecimal的常用成员方法: +```java +public BigDecimal(String val) //构造方法 + +public BigDecimal add(BigDecimal augend) //加 + + public BigDecimal subtract(BigDecimal subtrahend)//减 + + public BigDecimal multiply(BigDecimal multiplicand) //乘 + + public BigDecimal divide(BigDecimal divisor) //除 + + public BigDecimal divide(BigDecimal divisor,int scale,int roundingMode)//除法,scale:几位小数,roundingMode:如何舍取 +``` + +- 使用BigDecimal改进 +```java +public static void main(String[] args) { + /*System.out.println(0.09 + 0.01); + System.out.println(1.0 - 0.32); + System.out.println(1.015 * 100); + System.out.println(1.301 / 100); + System.out.println(1.0 - 0.12);*/ + + BigDecimal bd1 = new BigDecimal("0.09"); + BigDecimal bd2 = new BigDecimal("0.01"); + System.out.println("add:" + bd1.add(bd2));//add:0.10 + System.out.println("-------------------"); + + BigDecimal bd3 = new BigDecimal("1.0"); + BigDecimal bd4 = new BigDecimal("0.32"); + System.out.println("subtract:" + bd3.subtract(bd4));//subtract:0.68 + System.out.println("-------------------"); + + BigDecimal bd5 = new BigDecimal("1.015"); + BigDecimal bd6 = new BigDecimal("100"); + System.out.println("multiply:" + bd5.multiply(bd6));//multiply:101.500 + System.out.println("-------------------"); + + BigDecimal bd7 = new BigDecimal("1.301"); + BigDecimal bd8 = new BigDecimal("100"); + System.out.println("divide:" + bd7.divide(bd8));//divide:0.01301 + + //四舍五入 + System.out.println("divide:" + + bd7.divide(bd8, 3, BigDecimal.ROUND_HALF_UP));//保留三位有效数字 + //divide:0.013 + + System.out.println("divide:" + + bd7.divide(bd8, 8, BigDecimal.ROUND_HALF_UP));//保留八位有效数字 + //divide:0.01301000 +} +``` + +## BigInteger +BigInteger:可以让超过Integer范围内的数据进行运算 + +```java +public static void main(String[] args) { + Integer num = new Integer("2147483647"); + System.out.println(num); + + //Integer num2 = new Integer("2147483648"); + // Exception in thread "main" java.lang.NumberFormatException: For input string: "2147483648" + //System.out.println(num2); + + // 通过 BigIntege来创建对象 + BigInteger num2 = new BigInteger("2147483648"); + System.out.println(num2); +} +``` + +- BigInteger的常用成员方法: +```java +public BigInteger add(BigInteger val) //加 + +public BigInteger subtract(BigInteger val) //减 + +public BigInteger multiply(BigInteger val) //乘 + +public BigInteger divide(BigInteger val) //除 + +public BigInteger[] divideAndRemainder(BigInteger val)//返回商和余数的数组 +``` +- 使用实例: +```java +public class BigIntegerDemo { + public static void main(String[] args) { + Integer num = new Integer("2147483647"); + System.out.println(num); + + //Integer num2 = new Integer("2147483648"); + // Exception in thread "main" java.lang.NumberFormatException: For input string: "2147483648" + //System.out.println(num2); + + // 通过 BigIntege来创建对象 + BigInteger num2 = new BigInteger("2147483648"); + System.out.println(num2); + } +} +``` + +```java +public class BigIntegerDemo2 { + public static void main(String[] args) { + BigInteger bi1 = new BigInteger("100"); + BigInteger bi2 = new BigInteger("50"); + + // public BigInteger add(BigInteger val):加 + System.out.println("add:" + bi1.add(bi2)); //add:150 + // public BigInteger subtract(BigInteger Val):减 + System.out.println("subtract:" + bi1.subtract(bi2));//subtract:50 + // public BigInteger multiply(BigInteger val):乘 + System.out.println("multiply:" + bi1.multiply(bi2));//multiply:5000 + // public BigInteger divide(BigInteger val):除 + System.out.println("divide:" + bi1.divide(bi2));//divide:2 + + // public BigInteger[] divideAndRemainder(BigInteger val):返回商和余数的数组 + BigInteger[] bis = bi1.divideAndRemainder(bi2); + System.out.println("divide:" + bis[0]);//divide:2 + System.out.println("remainder:" + bis[1]);//remainder:0 + } +} +``` + +## Calendar +Calendar为特定瞬间与一组诸如 YEAR、MONTH、DAY_OF_MONTH、HOUR 等日历字段之间的转换提供了一些方法, +并为操作日历字段(例如获得下星期的日期)提供了一些方法。 + +Calendar中常用的方法: + +```java +public int get(int field) //返回给定日历字段的值。日历类中的每个日历字段都是静态的成员变量,并且是int类型。 + +public void add(int field,int amount)//根据给定的日历字段和对应的时间,来对当前的日历进行操作。 + +public final void set(int year,int month,int date)//设置当前日历的年月日 +``` +- 使用示例: +```java +public class CalendarDemo { + public static void main(String[] args) { + // 其日历字段已由当前日期和时间初始化: + Calendar rightNow = Calendar.getInstance(); // 子类对象 + int year=rightNow.get(Calendar.YEAR); + int month=rightNow.get(Calendar.MONTH);//注意月份是从0开始的 + int date=rightNow.get(Calendar.DATE); + System.out.println(year + "年" + (month + 1) + "月" + date + "日"); + //2018年12月25日 + } +} +``` +- 使用示例2: +```java +public class CalendarDemo2 { + public static void main(String[] args) { + // 其日历字段已由当前日期和时间初始化: + Calendar calendar = Calendar.getInstance(); // 子类对象 + System.out.println(getYearMonthDay(calendar));//2018年12月25日 + + //三年前的今天 + calendar.add(Calendar.YEAR,-3); + System.out.println(getYearMonthDay(calendar));//2015年12月25日 + + //5年后的10天前 + calendar.add(Calendar.YEAR,5); + calendar.add(Calendar.DATE,-10); + System.out.println(getYearMonthDay(calendar));//2020年12月15日 + + //设置 2011年11月11日 + calendar.set(2011,10,11); + System.out.println(getYearMonthDay(calendar));//2011年11月11日 + } + + //获取年、月、日 + public static String getYearMonthDay(Calendar calendar){ + int year=calendar.get(Calendar.YEAR); + int month=calendar.get(Calendar.MONTH); + int date=calendar.get(Calendar.DATE); + return year + "年" + (month + 1) + "月" + date + "日"; + } +} +``` + +- 小练习:获取任意一年的二月有多少天 +```java +/** + *获取任意一年的二月有多少天 + *分析: + * A:键盘录入任意的年份 + * B:设置日历对象的年月日 + * 年就是输入的数据 + * 月是2 + * 日是1 + * C:把时间往前推一天,就是2月的最后一天 + * D:获取这一天输出即可 + */ +public class CalendarTest { + public static void main(String[] args) { + Scanner sc=new Scanner(System.in); + int year=sc.nextInt(); + Calendar c= Calendar.getInstance(); + c.set(year,2,1); //得到的就是该年的3月1日 + c.add(Calendar.DATE,-1);//把时间往前推一天,就是2月的最后一天 + //public void add(int field,int amount):根据给定的日历字段和对应的时间,来对当前的日历进行操作。 + + System.out.println(year+"年,二月有"+c.get(Calendar.DATE)+"天"); + } +} +``` + +## Character +Character 类在对象中包装一个基本类型 char 的值.此外,该类提供了几种方法, +以确定字符的类别(小写字母,数字,等等),并将字符从大写转换成小写,反之亦然。 + +- Character常用方法: +```java +Character(char value) //构造方法 + +public static boolean isUpperCase(char ch) //判断给定的字符是否是大写字符 + +public static boolean isLowerCase(char ch) //判断给定的字符是否是小写字符 + +public static boolean isDigit(char ch) //判断给定的字符是否是数字字符 + +public static char toUpperCase(char ch) //把给定的字符转换为大写字符 + +public static char toLowerCase(char ch) //把给定的字符转换为小写字符 +``` +- 使用示例: +```java +public class CharacterDemo { + public static void main(String[] args) { + // public static boolean isUpperCase(char ch):判断给定的字符是否是大写字符 + System.out.println("isUpperCase:" + Character.isUpperCase('A'));//true + System.out.println("isUpperCase:" + Character.isUpperCase('a'));//false + System.out.println("isUpperCase:" + Character.isUpperCase('0'));//false + System.out.println("-----------------------------------------"); + + // public static boolean isLowerCase(char ch):判断给定的字符是否是小写字符 + System.out.println("isLowerCase:" + Character.isLowerCase('A'));//false + System.out.println("isLowerCase:" + Character.isLowerCase('a'));//true + System.out.println("isLowerCase:" + Character.isLowerCase('0'));//false + System.out.println("-----------------------------------------"); + + // public static boolean isDigit(char ch):判断给定的字符是否是数字字符 + System.out.println("isDigit:" + Character.isDigit('A'));//false + System.out.println("isDigit:" + Character.isDigit('a'));//false + System.out.println("isDigit:" + Character.isDigit('0'));//true + System.out.println("-----------------------------------------"); + + // public static char toUpperCase(char ch):把给定的字符转换为大写字符 + System.out.println("toUpperCase:" + Character.toUpperCase('A'));//A + System.out.println("toUpperCase:" + Character.toUpperCase('a'));//A + System.out.println("-----------------------------------------"); + + // public static char toLowerCase(char ch):把给定的字符转换为小写字符 + System.out.println("toLowerCase:" + Character.toLowerCase('A'));//a + System.out.println("toLowerCase:" + Character.toLowerCase('a'));//a + } +} +``` + +- 小练习:统计一个字符串中大写字母字符,小写字母字符,数字字符出现的次数。(不考虑其他字符) + +```java +/** + * 统计一个字符串中大写字母字符,小写字母字符,数字字符出现的次数。(不考虑其他字符) + * + * 分析: + * A:定义三个统计变量。 + * int bigCont=0; + * int smalCount=0; + * int numberCount=0; + * B:键盘录入一个字符串。 + * C:把字符串转换为字符数组。 + * D:遍历字符数组获取到每一个字符 + * E:判断该字符是 + * 大写 bigCount++; + * 小写 smalCount++; + * 数字 numberCount++; + * F:输出结果即可 + */ +public class CharacterTest { + public static void main(String[] args) { + Scanner sc=new Scanner(System.in); + String str=sc.nextLine(); + printCount(str); + printCount2(str); + } + + //原来的写法 + public static void printCount(String str) { + int numberCount=0; + int lowercaseCount=0; + int upercaseCount=0; + + for(int index=0;index='0' && ch<='9'){ + numberCount++; + }else if(ch>='A' && ch<='Z'){ + upercaseCount++; + }else if(ch>='a' && ch<='z'){ + lowercaseCount++; + } + } + System.out.println("数字有"+numberCount+"个"); + System.out.println("小写字母有"+lowercaseCount+"个"); + System.out.println("大写字母有"+upercaseCount+"个"); + } + + //使用包装类来改进 + public static void printCount2(String str) { + int numberCount=0; + int lowercaseCount=0; + int upercaseCount=0; + + for(int index=0;index 当前时间 + + // Date(long date):根据给定的毫秒值创建日期对象 + //long time = System.currentTimeMillis(); + long time = 1000 * 60 * 60; // 1小时 + Date d2 = new Date(time); + System.out.println("d2:" + d2); + //格林威治时间 1970年01月01日00时00分00 + //Thu Jan 01 09:00:00 GMT+08:00 1970 GMT+表示 标准时间加8小时,因为中国是东八区 + + // 获取时间 + long time2 = d.getTime(); + System.out.println(time2); //1545739438466 毫秒 + System.out.println(System.currentTimeMillis()); + + // 设置时间 + d.setTime(1000*60*60); + System.out.println("d:" + d); + //Thu Jan 01 09:00:00 GMT+08:00 1970 + } +} +``` + + +DateForamt:可以进行日期和字符串的格式化和解析,但是由于是抽象类,所以使用具体子类SimpleDateFormat。 +SimpleDateFormat的构造方法: + +```java +SimpleDateFormat() //默认模式 + +SimpleDateFormat(String pattern) //给定的模式 +``` + +这个模式字符串该如何写呢? 通过查看API,我们就找到了对应的模式: + +| 中文说明 | 模式字符 | +| :--: | :--: | +| 年 | y | +| 月 | M | +| 日 | d | +| 时 | H | +| 分 | m | +| 秒 | s | + +- Date类型和String类型的相互转换 + +```java +public class DateFormatDemo { + public static void main(String[] args) { + Date date=new Date(); + SimpleDateFormat sdf=new SimpleDateFormat("yyyy年MM月dd日"); + String s=dateToString(date,sdf); + System.out.println(s); //2018年12月25日 + System.out.println(stringToDate(s,sdf));//Tue Dec 25 00:00:00 GMT+08:00 2018 + } + + /** + * Date -- String(格式化) + * public final String format(Date date) + */ + public static String dateToString(Date d, SimpleDateFormat sdf) { + return sdf.format(d); + } + + /** + * * String -- Date(解析) + * public Date parse(String source) + */ + public static Date stringToDate(String s, SimpleDateFormat sdf){ + Date date=null; + try { + date=sdf.parse(s); + } catch (ParseException e) { + e.printStackTrace(); + } + return date; + } +} +``` +- 小练习: 算一下你来到这个世界多少天? + +```java +/** + * * + * 算一下你来到这个世界多少天? + * + * 分析: + * A:键盘录入你的出生的年月日 + * B:把该字符串转换为一个日期 + * C:通过该日期得到一个毫秒值 + * D:获取当前时间的毫秒值 + * E:用D-C得到一个毫秒值 + * F:把E的毫秒值转换为年 + * /1000/60/60/24 + */ +public class DateTest { + public static void main(String[] args) throws ParseException { + // 键盘录入你的出生的年月日 + Scanner sc = new Scanner(System.in); + System.out.println("请输入你的出生年月日(格式 yyyy-MM-dd):"); + String line = sc.nextLine(); + + // 把该字符串转换为一个日期 + SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd"); + Date d = sdf.parse(line); + long birth=d.getTime(); //出生的时间 + long current=System.currentTimeMillis();//当前时间 + + long days=(current-birth)/1000/60/60/24; + System.out.println("你出生了"+days+"天"); + } +} +``` + +## Integer +Java就针对每一种基本数据类型提供了对应的类类型: + +| 基础类型 | 包装类类型 | +| :--: | :--: | +| byte | Byte | +| short | Short | +| int | Integer | +| long | Long | +| float | Float | +| double | Double | +| char | Character | +| boolean | Boolean | + +用于基本数据类型与字符串之间的转换。 + +- Integer的常用成员方法: +```java +public Integer(int value) + +public Integer(String s) //注意:这个字符串必须是由数字字符组成 +``` + +- int和String的相互转化: +```java +String.valueOf(number) //int --> String + +Integer.parseInt(s) //String --> int +``` + +```java +public static void main(String[] args) { + System.out.println(intToString(100)); //100 + System.out.println(stringToInt("100")); //100 +} + +//int --> String +public static String intToString(int number) { + //方式一 + /*String strNumber=""+number; + return strNumber;*/ + //方式二 + String strNumber=String.valueOf(number); + return strNumber; +} + +//String --> int +public static int stringToInt(String strNumber) { + //方式一 + /*Integer number=new Integer(strNumber); + return number;*/ + //方式二 + Integer number=Integer.parseInt(strNumber); + return number; +} +``` + +- 常用的进制转换: +```java +//常用的基本进制转换 +public static String toBinaryString(int i) + +public static String toOctalString(int i) + +public static String toHexString(int i) + +//十进制到其他进制 +public static String toString(int i,int radix)//进制的范围:2-36,为什么呢?0,...9,a...z(10个数字+26个字母) + +//其他进制到十进制 +public static int parseInt(String s,int radix) +``` + +```java +public class IntegerDemo3 { + public static void main(String[] args) { + //test(); + //test2(); + test3(); + } + + //常用的基本进制转换 + public static void test(){ + System.out.println(Integer.toBinaryString(100));//1100100 + System.out.println(Integer.toOctalString(100));//144 + System.out.println(Integer.toHexString(100));//64 + System.out.println("-----------------------------"); + } + + //十进制到其他进制 + public static void test2(){ + System.out.println(Integer.toString(100, 10));//100 + System.out.println(Integer.toString(100, 2));//1100100 + System.out.println(Integer.toString(100, 8));//144 + System.out.println(Integer.toString(100, 16));//64 + System.out.println(Integer.toString(100, 5));//400 + System.out.println(Integer.toString(100, 7));//202 + //进制的范围在2-36之间,超过这个范围,就作为十进制处理 + System.out.println(Integer.toString(100, -7)); //100 + System.out.println(Integer.toString(100, 70));//100 + System.out.println(Integer.toString(100, 1));//100 + System.out.println(Integer.toString(100, 37));//100 + + System.out.println(Integer.toString(100, 17));//5f + System.out.println(Integer.toString(100, 32));//34 + System.out.println(Integer.toString(100, 36));//2s + System.out.println("-------------------------"); + } + + //任意进制转换为十进制 + public static void test3(){ + System.out.println(Integer.parseInt("100", 10));//100 + System.out.println(Integer.parseInt("100", 2));//4 + System.out.println(Integer.parseInt("100", 8));//64 + System.out.println(Integer.parseInt("100", 16));//256 + System.out.println(Integer.parseInt("100", 23));//529 + //NumberFormatException,因为二进制是不可能存在 123的 + //System.out.println(Integer.parseInt("123", 2)); + } +} +``` + +- JDK5的新特性 + +自动装箱:把基本类型转换为包装类类型 + +自动拆箱:把包装类类型转换为基本类型 + +```java +public class IntegerDemo4 { + public static void main(String[] args) { + Integer num=null; + if(num!=null){ + num+=100; + System.out.println(num); + } + test(); //num:200 + test2(); //num:200 + } + + //自动装箱,拆箱 + public static void test() { + Integer num=100; + //自动装箱,实际上就是 Integer num=Integer.valueOf(100) + num+=100; + //先拆箱再装箱 num.intValue()+100=200 --> Integer num=Integer.valueOf(num.intValue()+100) + System.out.println(new StringBuilder("num:").append(num).toString()); + } + + //手动拆装箱 + public static void test2() { + Integer num=Integer.valueOf(100); //手动装箱 + num=Integer.valueOf(num.intValue()+100); //先手动拆箱,进行运算后,再手动装箱 + System.out.println(new StringBuilder("num:").append(num).toString()); + } +} +``` + +- 小练习:看程序写结果 +```java +public class IntegerTest { + public static void main(String[] args) { + Integer i1 = new Integer(127); + Integer i2 = new Integer(127); + System.out.println(i1 == i2); + System.out.println(i1.equals(i2)); + System.out.println("-----------"); + + Integer i3 = new Integer(128); + Integer i4 = new Integer(128); + System.out.println(i3 == i4); + System.out.println(i3.equals(i4)); + System.out.println("-----------"); + + Integer i5 = 128; + Integer i6 = 128; + System.out.println(i5 == i6); + System.out.println(i5.equals(i6)); + System.out.println("-----------"); + + Integer i7 = 127; + Integer i8 = 127; + System.out.println(i7 == i8); + System.out.println(i7.equals(i8)); + } +} +``` +输出结果: +```html +false +true +----------- +false +true +----------- +false +true +----------- +true +true +``` +分析: +Integer的数据直接赋值,如果在-128到127之间,会直接从缓冲池里获取数据。 +通过查看源码,针对-128到127之间的数据,做了一个**数据缓冲池IntegerCache**, +如果数据是该范围内的,每次并不创建新的空间。 + +```java +public static Integer valueOf(int i) { + if (i >= IntegerCache.low && i <= IntegerCache.high) + return IntegerCache.cache[i + (-IntegerCache.low)]; + return new Integer(i); + } + + private static class IntegerCache { + static final int low = -128; //low=-128 + static final int high; + static final Integer cache[]; + + static { + // high value may be configured by property + int h = 127; + //... + } + high = h; //high=127 +``` +## Object +Object类是类层次结构的根类。每个类都使用 Object 作为超类。每个类都直接或者间接的继承自Object类。 + +- Object类的方法: +```java +public int hashCode() //返回该对象的哈希码值。 +// 注意:哈希值是根据哈希算法计算出来的一个值,这个值和地址值有关,但是不是实际地址值。 + +public final Class getClass() //返回此 Object 的运行时类 + +public String toString() //返回该对象的字符串表示。 + +protected Object clone() //创建并返回此对象的一个副本。可重写该方法 + +protected void finalize() +//当垃圾回收器确定不存在对该对象的更多引用时,由对象的垃圾回收器调用此方法。用于垃圾回收,但是什么时候回收不确定。 +``` + +- [Object的使用 代码示例](https://github.com/DuHouAn/Java/tree/master/JavaBasics/src/code_03_Object) + +## Scanner +Scanner:用于接收键盘录入数据。 + +- 使用Scanner三部曲: + +A:导包 + +B :创建对象 + +C :使用相应方法 + +- Scanner常用成员方法 +```java +Scanner(InputStream source) //构造方法 + +public boolean hasNextXxx() //判断是否是某种类型的元素,Xxx表示类型,比如 public boolean hasNextInt() + +public Xxx nextXxx() //获取该元素,Xxx表示类型,比如public int nextInt() +``` +注意:InputMismatchException:表示输入的和你想要的不匹配 + +- 使用示例1: +```java +public class ScannerDemo { + public static void main(String[] args) { + Scanner sc=new Scanner(System.in); + if(sc.hasNextInt()){ + int x=sc.nextInt(); + System.out.println("x="+x); + }else{ + System.out.println("输入的数据有误"); + } + } +} +``` + +- 先获取一个数值,换行后,再获取一个字符串,会出现问题。主要原因:就是换行符号的问题。如何解决呢? +```java +public static void main(String[] args) { + Scanner sc=new Scanner(System.in); + + //输入 12 换行后在输出 "sss" + int x=sc.nextInt(); + System.out.println("x:"+x); //x:12 + + String line=sc.nextLine(); //这里会有问题 因为会将换行符当作字符输输入 + System.out.println("line:"+line); //line: +} +``` + +> 解决方案一:先获取一个数值后,再创建一个新的键盘录入对象获取字符串。 + +```java +public static void method() { + Scanner sc=new Scanner(System.in); + int x=sc.nextInt(); + System.out.println("x:"+x); + + Scanner sc2=new Scanner(System.in); + String line=sc2.nextLine(); + System.out.println("line:"+line); +} +``` + +> 解决方案二:把所有的数据都先按照字符串获取,然后要什么,就进行相应的转换。 + +```java +public static void method2() { + Scanner sc=new Scanner(System.in); + + String xStr=sc.nextLine(); + String line=sc.nextLine(); + + int x=Integer.parseInt(xStr); + + System.out.println("x:"+x); + System.out.println("line:"+line); +} +``` +## String +字符串:就是由多个字符组成的一串数据。也可以看成是一个字符数组。 + +- **String的构造方法方法**: +```java +//String的构造方法 +public String() //空构造 + +public String(byte[] bytes) //把字节数组转成字符串 + +public String(byte[] bytes,int index,int length) //把字节数组的一部分转成字符串 + +public String(char[] value) //把字符数组转成字符串 + +public String(char[] value,int index,int count) //把字符数组的一部分转成字符串,第三个参数表示的是数目 + +public String(String original) //把字符串常量值转成字符串 +``` + +```java +public class StringDemo { + public static void main(String[] args) { + //public String():空构造 + String s=new String(); + System.out.println("s:"+s); + System.out.println("s.length="+s.length()); + System.out.println("-----------------------"); + + //public String(byte[] bytes):把字节数组转成字符串 + byte[] bys={97,98,99,100,101}; + + String s2=new String(bys); + System.out.println("s2:"+s2); + System.out.println("s2.length="+s2.length()); + System.out.println("-----------------------"); + + //public String(byte[] bytes,int index,int length):把字节数组的一部分转成字符串 + String s3=new String(bys,0,3); //从0位置开始,3个字符 + System.out.println("s3:"+s3);//s3:abc + System.out.println("s3.length="+s3.length());//s3.length=3 + System.out.println("-----------------------"); + + + //public String(char[] value):把字符数组转成字符串 + char[] chs={'a','b','c','d','e'}; + String s4=new String(chs); //从0位置开始,3个字符 + System.out.println("s4:"+s4); + System.out.println("s4.length="+s4.length()); + System.out.println("-----------------------"); + + //public String(char[] value,int index,int count):把字符数组的一部分转成字符串 + String s5=new String(chs,0,3); //从0位置开始,3个字符 + System.out.println("s5:"+s5); + System.out.println("s5.length="+s5.length()); + System.out.println("-----------------------"); + + //public String(String original):把字符串常量值转成字符串 + String s6=new String("abcde"); + System.out.println("s6:"+s6); + System.out.println("s6.length="+s6.length()); + } +} +``` + +- 字符串的特点:一旦被赋值,就不能改变 +```java +public static void test() { + String s = "hello"; + s += "world"; + System.out.println("s:" + s); // helloworld +} +``` + +- 小练习:看程序,写结果: +```java +public static void test2(){ + String s1 = new String("hello"); + String s2 = new String("hello"); + System.out.println(s1 == s2); + System.out.println(s1.equals(s2)); + + String s3 = new String("hello"); + String s4 = "hello"; + System.out.println(s3 == s4); + System.out.println(s3.equals(s4)); + + String s5 = "hello"; + String s6 = "hello"; + System.out.println(s5 == s6); + System.out.println(s5.equals(s6)); +} +``` + +输出结果: +```html +false +true +false +true +true +true +``` +分析: +> =和qeuals的区别 + +==:比较引用类型,比较的是地址值是否相同 + +equals:比较引用类型,默认也是比较地址值是否相同 + +String类重写了equals()方法,比较的是内容是否相同。 + +> String s = new String(“hello”)和String s = “hello”的区别? + +前者会创建2个对象,后者创建1个对象。更具体的说,前者会创建2个或者1个对象,后者会创建1个或者0个对象。 + +- **String类的判断功能**: +```java +boolean equals(Object obj) //比较字符串的内容是否相同,区分大小写 + +boolean equalsIgnoreCase(String str) //比较字符串的内容是否相同,忽略大小写 + +boolean contains(String str) //判断大字符串中是否包含小字符串 + +boolean startsWith(String str) //判断字符串是否以某个指定的字符串开头 + +boolean endsWith(String str) //判断字符串是否以某个指定的字符串结尾 + +boolean isEmpty()// 判断字符串是否为空 +``` +注意:字符串内容为空和字符串对象为空。 +```java +String s = "";//字符串内容为空 +String s = null;//字符串对象为空 +``` + +```java +public class StringDemo3 { + public static void main(String[] args) { + // 创建字符串对象 + String s1 = "helloworld"; + String s2 = "helloworld"; + String s3 = "HelloWorld"; + + // boolean equals(Object obj):比较字符串的内容是否相同,区分大小写 + System.out.println("equals:" + s1.equals(s2));//true + System.out.println("equals:" + s1.equals(s3));//false + System.out.println("-----------------------"); + + // boolean equalsIgnoreCase(String str):比较字符串的内容是否相同,忽略大小写 + System.out.println("equals:" + s1.equalsIgnoreCase(s2));//true + System.out.println("equals:" + s1.equalsIgnoreCase(s3));//true + System.out.println("-----------------------"); + + // boolean contains(String str):判断大字符串中是否包含小字符串 + System.out.println("contains:" + s1.contains("hello"));//true + System.out.println("contains:" + s1.contains("hw"));//false + System.out.println("-----------------------"); + + // boolean startsWith(String str):判断字符串是否以某个指定的字符串开头 + System.out.println("startsWith:" + s1.startsWith("h"));//true + System.out.println("startsWith:" + s1.startsWith("hello"));//true + System.out.println("startsWith:" + s1.startsWith("world"));//false + System.out.println("-----------------------"); + + //boolean endsWith(String str):判断字符串是否以某个指定的字符串结尾 + System.out.println("startsWith:" + s1.endsWith("d"));//true + System.out.println("startsWith:" + s1.endsWith("world"));//true + System.out.println("startsWith:" + s1.endsWith("hello"));//false + System.out.println("-----------------------"); + + // boolean isEmpty():判断字符串是否为空。 + System.out.println("isEmpty:" + s1.isEmpty());//false + + String s4 = ""; //字符串内容为空 + String s5 = null;//字符串对象为空 + System.out.println("isEmpty:" + s4.isEmpty());//true + // NullPointerException + // s5对象都不存在,所以不能调用方法,空指针异常 + //System.out.println("isEmpty:" + s5.isEmpty()); + } +} +``` + +- **String类的获取功能**: +```java +int length() //获取字符串的长度。 + +char charAt(int index) //获取指定索引位置的字符 + +int indexOf(int ch) //返回指定字符在此字符串中第一次出现处的索引。为什么这里参数int类型,而不是char类型?原因是:'a'和97其实都可以代表'a' + +int indexOf(String str) //返回指定字符串在此字符串中第一次出现处的索引。 + +int indexOf(int ch,int fromIndex) //返回指定字符在此字符串中从指定位置后第一次出现处的索引。 + +int indexOf(String str,int fromIndex) //返回指定字符串在此字符串中从指定位置后第一次出现处的索引。 + +String substring(int start) //从指定位置开始截取字符串,默认到末尾。 + +String substring(int start,int end) //从指定位置开始到指定位置结束截取字符串。左闭右开 +``` + +```java +public class StringDemo4 { + public static void main(String[] args) { + // 定义一个字符串对象 + String s = "helloworld"; + + // int length():获取字符串的长度。 + System.out.println("s.length:" + s.length());//10 + System.out.println("----------------------"); + + // char charAt(int index):获取指定索引位置的字符 + System.out.println("charAt:" + s.charAt(7));//r + System.out.println("----------------------"); + + // int indexOf(int ch):返回指定字符在此字符串中第一次出现处的索引。 + System.out.println("indexOf:" + s.indexOf('l'));//2 + System.out.println("----------------------"); + + // int indexOf(String str):返回指定字符串在此字符串中第一次出现处的索引。 + System.out.println("indexOf:" + s.indexOf("owo"));//4 + System.out.println("----------------------"); + + // int indexOf(int ch,int fromIndex):返回指定字符在此字符串中从指定位置后第一次出现处的索引。 + System.out.println("indexOf:" + s.indexOf('l', 4));//8 + System.out.println("indexOf:" + s.indexOf('k', 4)); // -1 + System.out.println("indexOf:" + s.indexOf('l', 40)); // -1 + System.out.println("----------------------"); + + // int indexOf(String str,intfromIndex):返回指定字符串在此字符串中从指定位置后第一次出现处的索引。 + System.out.println("indexOf:" + s.indexOf("owo", 4));//4 + System.out.println("indexOf:" + s.indexOf("ll", 4)); //-1 + System.out.println("indexOf:" + s.indexOf("ld", 40)); // -1 + System.out.println("----------------------"); + + // String substring(int start):从指定位置开始截取字符串,默认到末尾。包含start这个索引 + System.out.println("substring:" + s.substring(5));//world + System.out.println("substring:" + s.substring(0));//helloworld + System.out.println("----------------------"); + + // String substring(int start,int + // end):从指定位置开始到指定位置结束截取字符串。包括start索引但是不包end索引 + System.out.println("substring:" + s.substring(3, 8));//lowor + System.out.println("substring:" + s.substring(0, s.length()));//helloworld + + /** + * 获取 字符串中的每个字符 + */ + for(int i=0;i compareTo()方法源码解析 + +```java +private final char value[]; //字符串会自动转换为一个字符数组。 +/** +* 举例 + String s6 = "hello"; + String s9 = "xyz"; + System.out.println(s6.compareTo(s9));// -16 +*/ +public int compareTo(String anotherString) { + int len1 = value.length; + int len2 = anotherString.value.length; + + int lim = Math.min(len1, len2); //lim=3 + char v1[] = value; //v1[h e l l o] + char v2[] = anotherString.value;//v2[x y z] + + int k = 0; + while (k < lim) { + char c1 = v1[k];//h + char c2 = v2[k];//x + if (c1 != c2) { //先比较的是对应的字符是否相等 + return c1 - c2; //h=104 x=120 104-120=-16 + } + k++; + } + //如果在指定位置,字符都相同,则长度相减 + return len1 - len2; +} +``` + +- 练习1:把数组中的数据按照指定个格式拼接成一个字符串。举例:int[] arr = {1,2,3};输出结果:[1, 2, 3] +```java +/** + * + * 需求:把数组中的数据按照指定个格式拼接成一个字符串 + * 举例: + * int[] arr = {1,2,3}; + * 输出结果: + * "[1, 2, 3]" + * 分析: + * A:定义一个字符串对象,只不过内容为空 + * B:先把字符串拼接一个"[" + * C:遍历int数组,得到每一个元素 + * D:先判断该元素是否为最后一个 + * 是:就直接拼接元素和"]" + * 不是:就拼接元素和逗号以及空格 + * E:输出拼接后的字符串 + */ +public class StringTest2 { + public static void main(String[] args) { + int[] arr={1,2,3,4}; + System.out.println(arrayToString(arr)); + } + + /** + * 把数组中的数据按照指定个格式拼接成一个字符串 + */ + public static String arrayToString(int[] arr){ + String str="["; + for(int i=0;iStringBuffer + public static StringBuffer stringToStringBuffer(String s) { + // 注意:不能把字符串的值直接赋值给StringBuffer + // StringBuffer sb = "hello"; + // StringBuffer sb = s; + + // 方式1:通过构造方法 + /* StringBuffer sb = new StringBuffer(s); + return sb;*/ + // 方式2:通过append()方法 + StringBuffer sb2 = new StringBuffer(); + sb2.append(s); + return sb2; + } + + //StringBuffer -->String + public static String stringBufferToString(StringBuffer buffer){ + // 方式1:通过构造方法 + /* String str = new String(buffer); + return str;*/ + // 方式2:通过toString()方法 + String str2 = buffer.toString(); + return str2; + } +} +``` + +- 练习1:将数组拼接成一个字符串 + +```java +public class StringBufferTest { + public static void main(String[] args) { + int[] arr={1,2,3,4}; + System.out.println(arrToString(arr));//[1,2,3,4] + } + + public static String arrToString(int[] arr){ + StringBuffer buffer=new StringBuffer(); + buffer.append("["); + for(int i=0;i +* [十一、其他](#十一其他) + * [Java 各版本的新特性](#java-各版本的新特性) + * [Java 与 C++ 的区别](#java-与-c-的区别) + * [JRE or JDK](#jre-or-jdk) + * [Java基础学习书籍推荐](#Java基础学习书籍推荐) + +# 十一、其他 + +## Java 各版本的新特性 + +**New highlights in Java SE 8** + +1. Lambda Expressions +2. Pipelines and Streams +3. Date and Time API +4. Default Methods +5. Type Annotations +6. Nashhorn JavaScript Engine +7. Concurrent Accumulators +8. Parallel operations +9. PermGen Error Removed + +**New highlights in Java SE 7** + +1. Strings in Switch Statement +2. Type Inference for Generic Instance Creation +3. Multiple Exception Handling +4. Support for Dynamic Languages +5. Try with Resources +6. Java nio Package +7. Binary Literals, Underscore in literals +8. Diamond Syntax + +- [Difference between Java 1.8 and Java 1.7?](http://www.selfgrowth.com/articles/difference-between-java-18-and-java-17) +- [Java 8 特性](http://www.importnew.com/19345.html) + +## Java 与 C++ 的区别 + +- Java 是纯粹的面向对象语言,所有的对象都继承自 java.lang.Object,C++ 为了兼容 C 即支持面向对象也支持面向过程。 +- Java 通过虚拟机从而实现跨平台特性,但是 C++ 依赖于特定的平台。 +- Java 没有指针,它的引用可以理解为安全指针,而 C++ 具有和 C 一样的指针。 +- Java 支持自动垃圾回收,而 C++ 需要手动回收。 +- Java 不支持多重继承,只能通过实现多个接口来达到相同目的,而 C++ 支持多重继承。 +- Java 不支持操作符重载,虽然可以对两个 String 对象执行加法运算,但是这是语言内置支持的操作,不属于操作符重载,而 C++ 可以。 +- Java 的 goto 是保留字,但是不可用,C++ 可以使用 goto。 +- Java 不支持条件编译,C++ 通过 #ifdef #ifndef 等预处理命令从而实现条件编译。 + +[What are the main differences between Java and C++?](http://cs-fundamentals.com/tech-interview/java/differences-between-java-and-cpp.php) + +## JRE or JDK + +- JRE is the JVM program, Java application need to run on JRE. +- JDK is a superset of JRE, JRE + tools for developing java programs. e.g, it provides the compiler "javac" + +## Java基础学习书籍推荐 +- 《Head First Java.第二版》 + +- 《Java核心技术卷1+卷2》 + +- 《Java编程思想(第4版)》 diff --git "a/docs/Java/JavaContainer/00Java\345\256\271\345\231\250\346\246\202\350\247\210.md" "b/docs/Java/JavaContainer/00Java\345\256\271\345\231\250\346\246\202\350\247\210.md" new file mode 100644 index 0000000..8f611b9 --- /dev/null +++ "b/docs/Java/JavaContainer/00Java\345\256\271\345\231\250\346\246\202\350\247\210.md" @@ -0,0 +1,47 @@ +# 一、Java容器概览 + +容器主要包括 Collection 和 Map 两种,Collection 存储着对象的集合,而 Map 存储着键值对(两个对象)的映射表。 + +## Collection + +
+ +### 1. Set + +- TreeSet:基于**红黑树**实现,支持有序性操作,例如根据一个范围查找元素的操作。 +但是查找效率不如 HashSet,HashSet 查找的时间复杂度为 O(1),TreeSet 则为 O(logN)。 + +- HashSet:基于哈希表实现,支持快速查找,但不支持有序性操作。 +并且失去了元素的插入顺序信息,也就是说使用 Iterator 遍历 HashSet 得到的结果是不确定的。 + +- LinkedHashSet:具有 HashSet 的查找效率,且内部使用双向链表维护元素的插入顺序。 + +### 2. List + +- ArrayList:基于动态数组实现,支持随机访问。 + +- Vector:和 ArrayList 类似,但它是**线程安全**的。 + +- LinkedList:基于双向链表实现,只能顺序访问,但是可以快速地在链表中间插入和删除元素。 +不仅如此,LinkedList 还可以用作栈、队列和双向队列。 + +### 3. Queue + +- LinkedList:可以用它来实现双向队列。 + +- PriorityQueue:基于堆结构实现,可以用它来实现优先队列。 + +## Map + +
+ +- TreeMap:基于红黑树实现。 + +- HashMap:基于哈希表实现。 + +- HashTable:和 HashMap 类似,但它是**线程安全**的, +这意味着同一时刻多个线程可以同时写入 HashTable 并且不会导致数据不一致。 +它是遗留类,不应该去使用它。现在可以使用 ConcurrentHashMap 来支持线程安全, +并且 ConcurrentHashMap 的效率会更高,因为 ConcurrentHashMap 引入了分段锁。 + +- LinkedHashMap:使用**双向链表**来维护元素的顺序,顺序为**插入顺序**或者**最近最少使用(LRU)顺序**。 \ No newline at end of file diff --git "a/docs/Java/JavaContainer/01\345\256\271\345\231\250\344\270\255\347\232\204\350\256\276\350\256\241\346\250\241\345\274\217.md" "b/docs/Java/JavaContainer/01\345\256\271\345\231\250\344\270\255\347\232\204\350\256\276\350\256\241\346\250\241\345\274\217.md" new file mode 100644 index 0000000..483a9e5 --- /dev/null +++ "b/docs/Java/JavaContainer/01\345\256\271\345\231\250\344\270\255\347\232\204\350\256\276\350\256\241\346\250\241\345\274\217.md" @@ -0,0 +1,44 @@ +# 二、容器中的设计模式 + +## 迭代器模式 + +[参考迭代器模式笔记](https://github.com/DuHouAn/Java/blob/master/Object_Oriented/notes/02%E8%A1%8C%E4%B8%BA%E5%9E%8B.md#4-%E8%BF%AD%E4%BB%A3%E5%99%A8iterator) + +

+ +Collection 继承了 Iterable 接口,其中的 iterator() 方法能够产生一个 Iterator 对象,通过这个对象就可以迭代遍历 Collection 中的元素。 + +从 **JDK 1.5 之后可以使用 foreach 方法**来遍历实现了 Iterable 接口的聚合对象。 + +```java +List list = new ArrayList<>(); +list.add("a"); +list.add("b"); +for (String item : list) { + System.out.println(item); +} +``` + +## 适配器模式 + +[参考适配器模式笔记](https://github.com/DuHouAn/Java/blob/master/Object_Oriented/notes/03%E7%BB%93%E6%9E%84%E5%9E%8B.md#1-%E9%80%82%E9%85%8D%E5%99%A8adapter) + +java.util.Arrays#asList() 可以把数组类型转换为 List 类型。 + +```java +@SafeVarargs +public static List asList(T... a) +``` + +应该注意的是 asList() 的参数为泛型的变长参数,不能使用基本类型数组作为参数,只能使用相应的**包装类型数组**。 + +```java +Integer[] arr = {1, 2, 3}; +List list = Arrays.asList(arr); +``` + +也可以使用以下方式调用 asList(): + +```java +List list = Arrays.asList(1, 2, 3); +``` \ No newline at end of file diff --git "a/docs/Java/JavaContainer/02\345\256\271\345\231\250\346\272\220\347\240\201\345\210\206\346\236\220.md" "b/docs/Java/JavaContainer/02\345\256\271\345\231\250\346\272\220\347\240\201\345\210\206\346\236\220.md" new file mode 100644 index 0000000..8fc8a69 --- /dev/null +++ "b/docs/Java/JavaContainer/02\345\256\271\345\231\250\346\272\220\347\240\201\345\210\206\346\236\220.md" @@ -0,0 +1,1204 @@ +# 三、容器源码分析 + +如果没有特别说明,以下源码分析基于 JDK 1.8。 + +# List +## ArrayList + +### 1. 概览 + +实现了 RandomAccess 接口,因此支持随机访问。这是理所当然的,因为 ArrayList 是**基于数组实现**的。 + +```java +public class ArrayList extends AbstractList + implements List, RandomAccess, Cloneable, java.io.Serializable +``` + +数组的默认大小为 10。 + +```java +private static final int DEFAULT_CAPACITY = 10; +``` + +### 2. 扩容 + +添加元素时使用 ensureCapacityInternal() 方法来保证容量足够,如果不够时,需要使用 grow() 方法进行扩容, +新容量的大小为 `oldCapacity + (oldCapacity >> 1)`,也就是**旧容量的 1.5 倍**。 + +扩容操作需要调用 `Arrays.copyOf()` 把原数组整个复制到新数组中,这个操作代价很高,因此最好在创建 ArrayList 对象时就指定大概的容量大小,减少扩容操作的次数。 + +```java +public boolean add(E e) { + //添加元素时使用 ensureCapacityInternal() 方法来保证容量足够, + ensureCapacityInternal(size + 1); // Increments modCount!! + elementData[size++] = e; + return true; +} + +private void ensureCapacityInternal(int minCapacity) { + if (elementData == DEFAULTCAPACITY_EMPTY_ELEMENTDATA) { + minCapacity = Math.max(DEFAULT_CAPACITY, minCapacity); + } + ensureExplicitCapacity(minCapacity); +} + +private void ensureExplicitCapacity(int minCapacity) { + modCount++; + // overflow-conscious code + if (minCapacity - elementData.length > 0) + grow(minCapacity); +} + +// grow() 方法进行扩容 +private void grow(int minCapacity) { + // overflow-conscious code + int oldCapacity = elementData.length; + int newCapacity = oldCapacity + (oldCapacity >> 1); + if (newCapacity - minCapacity < 0) + newCapacity = minCapacity; + if (newCapacity - MAX_ARRAY_SIZE > 0) + newCapacity = hugeCapacity(minCapacity); + // minCapacity is usually close to size, so this is a win: + //这个操作代价很高,因此最好在创建 ArrayList 对象时就指定大概的容量大小,减少扩容操作的次数。 + elementData = Arrays.copyOf(elementData, newCapacity); +} +``` + +### 3. 删除元素 + +需要调用 System.arraycopy() 将 index+1 后面的元素都向左移动一位,该操作的时间复杂度为 O(N),可以看出 ArrayList 删除元素的代价是非常高的。 + +```java +public E remove(int index) { + rangeCheck(index); + modCount++; + E oldValue = elementData(index); + //index+1 后面的元素都向左移动一位 即index+1位置的后面元素个数 (size-1)-(index+1)+1 + int numMoved = size - index - 1; + if (numMoved > 0) + //将 index+1后面的元素都向左移动一位,原来的 (index+1)位置元素就移到 index位置 + System.arraycopy(elementData, index+1, elementData, index, numMoved); + elementData[--size] = null; // clear to let GC do its work + return oldValue; +} +``` + +### 4. Fail-Fast + +modCount 用来记录 ArrayList 结构发生变化的次数。结构发生变化是指添加或者删除至少一个元素的所有操作,或者是调整内部数组的大小,仅仅只是设置元素的值不算结构发生变化。 + +在进行序列化或者迭代等操作时,需要比较操作前后 modCount 是否改变, +如果改变了需要抛出 ConcurrentModificationException。 + +```java +private void writeObject(java.io.ObjectOutputStream s) + throws java.io.IOException{ + // Write out element count, and any hidden stuff + //这里 记录操作前的 modCount + int expectedModCount = modCount; + s.defaultWriteObject(); + + // Write out size as capacity for behavioural compatibility with clone() + s.writeInt(size); + + // Write out all elements in the proper order. + for (int i=0; i